Spaces:
Build error
Build error
File size: 8,490 Bytes
dca8ede | 1 2 3 4 5 6 7 8 9 10 11 12 13 14 15 16 17 18 19 20 21 22 23 24 25 26 27 28 29 30 31 32 33 34 35 36 37 38 39 40 41 42 43 44 45 46 47 48 49 50 51 52 53 54 55 56 57 58 59 60 61 62 63 64 65 66 67 68 69 70 71 72 73 74 75 76 77 78 79 80 81 82 83 84 85 86 87 88 89 90 91 92 93 94 95 96 97 98 99 100 101 102 103 104 105 106 107 108 109 110 111 112 113 114 115 116 117 118 119 120 121 122 123 124 125 126 127 128 129 130 131 132 133 134 135 136 137 138 139 140 141 142 143 144 145 146 147 148 149 150 151 152 153 154 155 156 157 158 159 160 161 162 163 164 165 166 167 168 169 170 171 172 173 174 175 176 177 178 179 180 181 182 183 184 185 186 187 188 189 190 191 192 193 194 195 196 197 198 199 200 201 202 203 204 205 206 207 208 209 210 211 212 213 214 215 216 217 218 219 220 221 222 223 224 225 226 227 228 229 230 231 232 233 234 235 236 237 238 239 240 241 242 243 244 245 246 | import { NextRequest, NextResponse } from "next/server"
import { getResumeById, updateResumeMatch } from "@/lib/database.ts"
import { db } from "@/lib/db.ts"
import { Resume } from "@/types/resume.ts"
// Function to match skills between resume and job description
function matchSkills(resumeSkills: string[], jobDescription: string) {
const normalizedJobDesc = jobDescription.toLowerCase()
const matchedSkills = resumeSkills.filter(skill =>
normalizedJobDesc.includes(skill.toLowerCase())
)
const missingSkills = resumeSkills.filter(skill =>
!normalizedJobDesc.includes(skill.toLowerCase())
)
return {
matchedSkills,
missingSkills,
matchPercentage: resumeSkills.length > 0
? Math.round((matchedSkills.length / resumeSkills.length) * 100)
: 0
}
}
// Function to calculate experience match
function matchExperience(resumeExperience: any[], jobDescription: string) {
if (!resumeExperience || resumeExperience.length === 0) return 0
const normalizedJobDesc = jobDescription.toLowerCase()
let matchCount = 0
resumeExperience.forEach(exp => {
// Check if job title or company or responsibilities match
if (
(exp.title && normalizedJobDesc.includes(exp.title.toLowerCase())) ||
(exp.company && normalizedJobDesc.includes(exp.company.toLowerCase())) ||
(exp.responsibilities && exp.responsibilities.some((resp: string) =>
normalizedJobDesc.includes(resp.toLowerCase())
))
) {
matchCount++
}
})
return Math.round((matchCount / resumeExperience.length) * 100)
}
// Function to calculate education match
function matchEducation(resumeEducation: any[], jobDescription: string) {
if (!resumeEducation || resumeEducation.length === 0) return 0
const normalizedJobDesc = jobDescription.toLowerCase()
let matchCount = 0
resumeEducation.forEach(edu => {
// Check if degree or institution or field of study match
if (
(edu.degree && normalizedJobDesc.includes(edu.degree.toLowerCase())) ||
(edu.institution && normalizedJobDesc.includes(edu.institution.toLowerCase())) ||
(edu.fieldOfStudy && normalizedJobDesc.includes(edu.fieldOfStudy.toLowerCase()))
) {
matchCount++
}
})
return Math.round((matchCount / resumeEducation.length) * 100)
}
// Generate overall match score
function calculateOverallMatch(skillsMatch: number, experienceMatch: number, educationMatch: number) {
// Weights for different components
const skillsWeight = 0.5
const experienceWeight = 0.3
const educationWeight = 0.2
return Math.round(
(skillsMatch * skillsWeight) +
(experienceMatch * experienceWeight) +
(educationMatch * educationWeight)
)
}
// Generate recommendations based on match results
function generateRecommendations(matchResults: any) {
const recommendations = []
if (matchResults.skillsMatch.matchPercentage < 50) {
recommendations.push("Highlight more relevant skills that match the job requirements.")
}
if (matchResults.experienceMatch < 50) {
recommendations.push("Tailor your work experience to better align with the job description.")
}
if (matchResults.educationMatch < 50) {
recommendations.push("Emphasize education details that are relevant to this position.")
}
if (matchResults.overallMatch < 50) {
recommendations.push("Consider applying for positions that better match your current profile.")
} else if (matchResults.overallMatch < 70) {
recommendations.push("Your profile is moderately matched to this job. Highlight your strengths in your cover letter.")
} else {
recommendations.push("Strong match! Emphasize your relevant experience in your application.")
}
return recommendations
}
export async function POST(request: NextRequest) {
try {
const body = await request.json()
const { resumeId, jobDescription } = body
if (!resumeId || !jobDescription) {
return NextResponse.json(
{ error: "Resume ID and job description are required" },
{ status: 400 }
)
}
// Get resume from database
const resume = await db.resume.findUnique({
where: { id: resumeId }
})
if (!resume) {
return NextResponse.json(
{ error: "Resume not found" },
{ status: 404 }
)
}
// Perform matching
const skillsMatch = matchSkills(resume.skills || [], jobDescription)
const experienceMatch = matchExperience(resume.experience || [], jobDescription)
const educationMatch = matchEducation(resume.education || [], jobDescription)
const overallMatch = calculateOverallMatch(
skillsMatch.matchPercentage,
experienceMatch,
educationMatch
)
// Generate assessment based on overall match
let overallAssessment = "";
if (overallMatch >= 80) {
overallAssessment = "Excellent match! This candidate strongly aligns with the job requirements.";
} else if (overallMatch >= 60) {
overallAssessment = "Good match. This candidate meets most of the job requirements.";
} else if (overallMatch >= 40) {
overallAssessment = "Moderate match. This candidate meets some key requirements but has gaps in others.";
} else {
overallAssessment = "Low match. This candidate may not be suitable for this particular role.";
}
// Create match result object
const matchResult = {
matchScore: overallMatch,
matchedSkills: skillsMatch.matchedSkills,
missingSkills: skillsMatch.missingSkills,
experienceMatch,
educationMatch,
overallAssessment,
recommendations: generateRecommendations({
skillsMatch,
experienceMatch,
educationMatch,
overallMatch
})
}
// Save match results to database
await updateResumeMatch(resumeId, matchResult);
return NextResponse.json({
success: true,
matchResults: {
skillsMatch,
experienceMatch,
educationMatch,
overallMatch,
overallAssessment,
recommendations: matchResult.recommendations
}
})
} catch (error) {
console.error("Error in match API:", error)
return NextResponse.json(
{ error: "Failed to match resume with job description" },
{ status: 500 }
)
}
}
// Helper function to extract skills from text
function extractSkillsFromText(text: string): string[] {
// Common technical skills to look for
const commonSkills = [
"JavaScript", "TypeScript", "React", "Angular", "Vue", "Node.js",
"Python", "Java", "C#", ".NET", "PHP", "Ruby", "Swift", "Kotlin",
"SQL", "NoSQL", "MongoDB", "PostgreSQL", "MySQL", "Oracle",
"AWS", "Azure", "Google Cloud", "Docker", "Kubernetes", "DevOps",
"HTML", "CSS", "SASS", "LESS", "Bootstrap", "Tailwind",
"Git", "CI/CD", "Agile", "Scrum", "Jira", "REST API", "GraphQL",
"Machine Learning", "AI", "Data Science", "Big Data", "Hadoop", "Spark",
"Mobile Development", "iOS", "Android", "React Native", "Flutter",
"Testing", "QA", "Selenium", "Jest", "Mocha", "Cypress",
"Project Management", "Team Leadership", "Communication",
"Excel", "Word", "PowerPoint", "Power BI", "Tableau",
"Clinical Data Management", "Clinical Research", "Data Analysis",
"Medidata Rave", "Oracle Clinical", "CDISC", "SDTM", "ADaM",
"Regulatory Compliance", "GCP", "ICH", "FDA", "EMA",
"Risk Management", "Quality Assurance", "Audit", "Inspection",
"SAS", "R", "SPSS", "Statistics", "Biostatistics",
"Medical Writing", "Protocol Development", "CRF Design",
"Pharmacovigilance", "Drug Safety", "Adverse Events",
"Electronic Data Capture", "EDC", "eCRF", "eTMF",
"Clinical Operations", "Site Management", "Monitoring",
"Data Governance", "KPI", "KQI", "KRI", "Metrics"
]
const extractedSkills = new Set<string>()
// Check for common skills in the text
commonSkills.forEach(skill => {
if (text.toLowerCase().includes(skill.toLowerCase())) {
extractedSkills.add(skill)
}
})
// Look for skills that might be listed with bullet points
const bulletPointRegex = /[•\-\*]\s*([A-Za-z0-9\s\/\+\#\.]+)/g
let match
while ((match = bulletPointRegex.exec(text)) !== null) {
const potentialSkill = match[1].trim()
if (potentialSkill.length > 3 && potentialSkill.length < 30) {
extractedSkills.add(potentialSkill)
}
}
return Array.from(extractedSkills)
}
|