Skip to content
New issue

Have a question about this project? Sign up for a free GitHub account to open an issue and contact its maintainers and the community.

By clicking “Sign up for GitHub”, you agree to our terms of service and privacy statement. We’ll occasionally send you account related emails.

Already on GitHub? Sign in to your account

Release v2.1.1 #178

Merged
merged 3 commits into from
Oct 31, 2024
Merged
Show file tree
Hide file tree
Changes from all commits
Commits
File filter

Filter by extension

Filter by extension


Conversations
Failed to load comments.
Loading
Jump to
Jump to file
Failed to load files.
Loading
Diff view
Diff view
1 change: 1 addition & 0 deletions package.json
Original file line number Diff line number Diff line change
Expand Up @@ -15,6 +15,7 @@
"typeorm:db": "npm run build && npx typeorm -d dist/src/configs/dbConfig.js",
"migration:generate": "npm run typeorm:db -- migration:generate",
"migration:run": "npm run typeorm:db -- migration:run",
"migration:revert": "npm run typeorm:db -- migration:revert",
"sync:db": "npm run typeorm:db schema:sync",
"seed": "npm run build && node dist/src/scripts/seed-db.js"
},
Expand Down
6 changes: 5 additions & 1 deletion src/controllers/admin/mentor.controller.ts
Original file line number Diff line number Diff line change
Expand Up @@ -51,6 +51,8 @@ export const updateMentorHandler = async (

const mentorUpdateData: Partial<Mentor> = { ...data }
const profileUpdateData: Partial<Profile> = { ...data.profile }
const categoryId: string = data.categoryId
const countryId: string = data.countryId

if (req.file) {
profileUpdateData.image_url = `${IMG_HOST}/${req.file.filename}`
Expand All @@ -61,7 +63,9 @@ export const updateMentorHandler = async (
const { mentor, statusCode, message } = await updateMentorDetails(
mentorId,
mentorUpdateData,
profileUpdateData
profileUpdateData,
categoryId,
countryId
)
return res.status(statusCode).json({ mentor, message })
} catch (err) {
Expand Down
5 changes: 3 additions & 2 deletions src/controllers/mentor.controller.ts
Original file line number Diff line number Diff line change
Expand Up @@ -18,12 +18,13 @@ export const mentorApplicationHandler = async (
): Promise<ApiResponse<Mentor>> => {
try {
const user = req.user as Profile
const { application, categoryId } = req.body
const { application, categoryId, countryId } = req.body

const { mentor, statusCode, message } = await createMentor(
user,
application,
categoryId
categoryId,
countryId
)

return res.status(statusCode).json({ mentor, message })
Expand Down
95 changes: 95 additions & 0 deletions src/controllers/monthlyChecking.controller.ts
Original file line number Diff line number Diff line change
@@ -0,0 +1,95 @@
import type { Request, Response } from 'express'
import { type ApiResponse } from '../types'
import type MonthlyCheckIn from '../entities/checkin.entity'

import {
addFeedbackByMentor,
addMonthlyCheckInByMentee,
fetchMonthlyCheckIns
} from '../services/monthlyChecking.service'

export const postMonthlyCheckIn = async (
req: Request,
res: Response
): Promise<Response<ApiResponse<MonthlyCheckIn>>> => {
try {
const {
menteeId,
title,
generalUpdatesAndFeedback,
progressTowardsGoals,
mediaContentLinks
} = req.body

const newCheckIn = await addMonthlyCheckInByMentee(
menteeId,
title,
generalUpdatesAndFeedback,
progressTowardsGoals,
mediaContentLinks
)

return res
.status(201)
.json({ checkIn: newCheckIn, message: 'Check-in added successfully' })
} catch (err) {
if (err instanceof Error) {
console.error('Error executing query', err)
return res
.status(500)
.json({ error: 'Internal server error', message: err.message })
}
throw err
}
}

export const getMonthlyCheckIns = async (
req: Request,
res: Response
): Promise<Response<ApiResponse<MonthlyCheckIn>>> => {
try {
const { menteeId } = req.params

const { statusCode, checkIns, message } = await fetchMonthlyCheckIns(
menteeId
)

return res.status(statusCode).json({ checkIns, message })
} catch (err) {
if (err instanceof Error) {
console.error('Error executing query', err)
return res
.status(500)
.json({ error: 'Internal server error', message: err.message })
}
throw err
}
}

export const addFeedbackMonthlyCheckIn = async (
req: Request,
res: Response
): Promise<void> => {
try {
const { checkInId, menteeId, mentorFeedback, isCheckedByMentor } = req.body

const newMentorFeedbackCheckIn = await addFeedbackByMentor(
menteeId,
checkInId,
mentorFeedback,
isCheckedByMentor
)

res.status(201).json({
feedbackCheckIn: newMentorFeedbackCheckIn
})
} catch (err) {
if (err instanceof Error) {
console.error('Error executing query', err)
res
.status(500)
.json({ error: 'Internal server error', message: err.message })
}
throw err
}
}
63 changes: 63 additions & 0 deletions src/entities/checkin.entity.ts
Original file line number Diff line number Diff line change
@@ -0,0 +1,63 @@
import { Entity, Column, ManyToOne, JoinColumn } from 'typeorm'
import BaseEntity from './baseEntity'
import Mentee from './mentee.entity'

@Entity('monthly-check-in')
class MonthlyCheckIn extends BaseEntity {
@Column({ type: 'text' })
title: string

@Column({ type: 'text' })
generalUpdatesAndFeedback: string

@Column({ type: 'text' })
progressTowardsGoals: string

@Column({ type: 'json' })
mediaContentLinks: string[]

@Column({ type: 'text', nullable: true })
mentorFeedback: string

@Column({ type: 'boolean', default: false })
isCheckedByMentor: boolean

@Column({ type: 'timestamp', nullable: true })
mentorCheckedDate: Date

@Column({ type: 'timestamp', default: () => 'CURRENT_TIMESTAMP' })
checkInDate: Date

@ManyToOne(() => Mentee, (mentee) => mentee.checkIns)
@JoinColumn({ name: 'menteeId' })
mentee: Mentee

constructor(
title: string,
generalUpdatesAndFeedback: string,
progressTowardsGoals: string,
mediaContentLinks: string[],
mentorFeedback: string,
isCheckedByMentor: boolean,
mentorCheckedDate: Date,
checkInDate: Date,
mentee: Mentee
) {
super()
this.title = title
this.generalUpdatesAndFeedback = generalUpdatesAndFeedback
this.progressTowardsGoals = progressTowardsGoals
this.mediaContentLinks = mediaContentLinks
this.mentorFeedback = mentorFeedback
this.isCheckedByMentor = isCheckedByMentor
this.mentorCheckedDate = mentorCheckedDate
this.checkInDate = checkInDate
this.mentee = mentee
}

validate(): boolean {
return this.mediaContentLinks.length >= 3
}
}

export default MonthlyCheckIn
6 changes: 5 additions & 1 deletion src/entities/country.entity.ts
Original file line number Diff line number Diff line change
@@ -1,5 +1,6 @@
import { Column, Entity } from 'typeorm'
import { Column, Entity, OneToMany } from 'typeorm'
import BaseEntity from './baseEntity'
import Mentor from './mentor.entity'

@Entity()
export class Country extends BaseEntity {
Expand All @@ -9,6 +10,9 @@ export class Country extends BaseEntity {
@Column()
name: string

@OneToMany(() => Mentor, (mentor) => mentor.country)
mentors?: Mentor[]

constructor(code: string, name: string) {
super()
this.code = code
Expand Down
10 changes: 8 additions & 2 deletions src/entities/mentee.entity.ts
Original file line number Diff line number Diff line change
@@ -1,9 +1,10 @@
import { Column, Entity, ManyToOne } from 'typeorm'
import { Column, Entity, ManyToOne, OneToMany } from 'typeorm'
import Mentor from './mentor.entity'
import profileEntity from './profile.entity'
import { MenteeApplicationStatus, StatusUpdatedBy } from '../enums'
import BaseEntity from './baseEntity'
import { UUID } from 'typeorm/driver/mongodb/bson.typings'
import MonthlyCheckIn from './checkin.entity'

@Entity('mentee')
class Mentee extends BaseEntity {
Expand Down Expand Up @@ -35,17 +36,22 @@ class Mentee extends BaseEntity {
@ManyToOne(() => Mentor, (mentor) => mentor.mentees)
mentor: Mentor

@OneToMany(() => MonthlyCheckIn, (checkIn) => checkIn.mentee)
checkIns?: MonthlyCheckIn[]

constructor(
state: MenteeApplicationStatus,
application: Record<string, unknown>,
profile: profileEntity,
mentor: Mentor
mentor: Mentor,
checkIns?: MonthlyCheckIn[]
) {
super()
this.state = state || MenteeApplicationStatus.PENDING
this.application = application
this.profile = profile
this.mentor = mentor
this.checkIns = checkIns
}
}

Expand Down
9 changes: 8 additions & 1 deletion src/entities/mentor.entity.ts
Original file line number Diff line number Diff line change
Expand Up @@ -4,6 +4,7 @@ import Mentee from './mentee.entity'
import Category from './category.entity'
import { MentorApplicationStatus } from '../enums'
import BaseEntity from './baseEntity'
import { Country } from './country.entity'

@Entity('mentor')
class Mentor extends BaseEntity {
Expand All @@ -28,6 +29,10 @@ class Mentor extends BaseEntity {
@JoinColumn()
profile: Profile

@ManyToOne(() => Country, (country) => country.mentors)
@JoinColumn()
country: Country

@OneToMany(() => Mentee, (mentee) => mentee.mentor)
mentees?: Mentee[]

Expand All @@ -36,14 +41,16 @@ class Mentor extends BaseEntity {
category: Category,
application: Record<string, unknown>,
availability: boolean,
profile: Profile
profile: Profile,
country: Country
) {
super()
this.state = state
this.category = category
this.application = application
this.availability = availability
this.profile = profile
this.country = country
}
}

Expand Down
Original file line number Diff line number Diff line change
Expand Up @@ -6,14 +6,25 @@ export class RemoveUniqueConstraintFromProfileUuid1722051742722
name = 'RemoveUniqueConstraintFromProfileUuid1722051742722'

public async up(queryRunner: QueryRunner): Promise<void> {
// Check if the constraint exists before attempting to drop it
const constraintExists = await queryRunner.query(`
SELECT 1
FROM information_schema.table_constraints
WHERE constraint_name = 'REL_f671cf2220d1bd0621a1a5e92e'
AND table_name = 'mentee'
`)

if (constraintExists.length > 0) {
await queryRunner.query(
`ALTER TABLE "mentee" DROP CONSTRAINT "REL_f671cf2220d1bd0621a1a5e92e"`
)
}

await queryRunner.query(
`ALTER TABLE "mentee" DROP CONSTRAINT "FK_f671cf2220d1bd0621a1a5e92e7"`
)
await queryRunner.query(
`ALTER TABLE "mentee" DROP CONSTRAINT "REL_f671cf2220d1bd0621a1a5e92e"`
)
await queryRunner.query(
`ALTER TABLE "mentee" ADD CONSTRAINT "FK_f671cf2220d1bd0621a1a5e92e7" FOREIGN KEY ("profileUuid") REFERENCES "profile"("uuid") ON DELETE NO ACTION ON UPDATE NO ACTION`
`ALTER TABLE "mentee" ADD CONSTRAINT "FK_f671cf2220d1bd0621a1a5e92e7" FOREIGN KEY ("profileUuid") REFERENCES "profile"("uuid") ON DELETE CASCADE ON UPDATE NO ACTION`
)
}

Expand Down
21 changes: 21 additions & 0 deletions src/migrations/1726930041488-UpdateMentorTableWithCountry.ts
Original file line number Diff line number Diff line change
@@ -0,0 +1,21 @@
import { MigrationInterface, QueryRunner } from 'typeorm'

export class UpdateMentorTableWithCountry1726930041488
implements MigrationInterface
{
name = 'UpdateMentorTableWithCountry1726930041488'

public async up(queryRunner: QueryRunner): Promise<void> {
await queryRunner.query(`ALTER TABLE "mentor" ADD "countryUuid" uuid`)
await queryRunner.query(
`ALTER TABLE "mentor" ADD CONSTRAINT "FK_3302c22eb1636f239d605eb61c3" FOREIGN KEY ("countryUuid") REFERENCES "country"("uuid") ON DELETE NO ACTION ON UPDATE NO ACTION`
)
}

public async down(queryRunner: QueryRunner): Promise<void> {
await queryRunner.query(
`ALTER TABLE "mentor" DROP CONSTRAINT "FK_3302c22eb1636f239d605eb61c3"`
)
await queryRunner.query(`ALTER TABLE "mentor" DROP COLUMN "countryUuid"`)
}
}
14 changes: 14 additions & 0 deletions src/migrations/1727197270336-monthly-checking-tags.ts
Original file line number Diff line number Diff line change
@@ -0,0 +1,14 @@
import { MigrationInterface, QueryRunner } from "typeorm";

export class MonthlyCheckingTags1727197270336 implements MigrationInterface {
name = 'MonthlyCheckingTags1727197270336'

public async up(queryRunner: QueryRunner): Promise<void> {
await queryRunner.query(`ALTER TABLE "monthly-check-in" ADD "tags" json`);
}

public async down(queryRunner: QueryRunner): Promise<void> {
await queryRunner.query(`ALTER TABLE "monthly-check-in" DROP COLUMN "tags"`);
}

}
13 changes: 13 additions & 0 deletions src/migrations/1727636762101-monthlychecking.ts
Original file line number Diff line number Diff line change
@@ -0,0 +1,13 @@
import { type MigrationInterface, type QueryRunner } from 'typeorm'

export class Monthlychecking1727636762101 implements MigrationInterface {
name = 'Monthlychecking1727636762101'

public async up(queryRunner: QueryRunner): Promise<void> {
await queryRunner.query(`ALTER TABLE "monthly-check-in" DROP COLUMN "tags"`)
}

public async down(queryRunner: QueryRunner): Promise<void> {
await queryRunner.query(`ALTER TABLE "monthly-check-in" ADD "tags" json`)
}
}
Loading
Loading