Skip to main content
Glama

validate_code_quality

Read-onlyIdempotent

Analyze code quality by checking complexity, coupling, cohesion, maintainability, and performance metrics to identify improvement areas.

Instructions

품질|리뷰|검사|quality|review code|check quality|validate|코드 리뷰 - Validate code quality

Input Schema

TableJSON Schema
NameRequiredDescriptionDefault
codeYesCode to validate
typeNoCode type
strictNoApply strict validation rules
metricsNoSpecific metrics to check

Implementation Reference

  • The main handler function that performs code quality validation including complexity analysis, anti-pattern detection, error handling checks, and performance suggestions for different code types. Computes a quality score and returns structured issues and recommendations.
    export async function validateCodeQuality(args: { code: string; type?: string; strict?: boolean; metrics?: string }): Promise<ToolResult> {
      const { code: validateCode, type: validateType = 'general', strict = false, metrics = 'all' } = args;
      
      const qualityIssues = [];
      const qualityScore = { total: 100, deductions: [] as Array<{reason: string, points: number}> };
      
      // Basic complexity checks
      const lines = validateCode.split('\n');
      const functionLineCount = lines.length;
      
      if (functionLineCount > CODE_QUALITY_METRICS.COMPLEXITY.maxFunctionLines) {
        qualityIssues.push({
          type: 'complexity',
          severity: 'high',
          message: `Function exceeds maximum lines (${functionLineCount}/${CODE_QUALITY_METRICS.COMPLEXITY.maxFunctionLines})`
        });
        qualityScore.deductions.push({ reason: 'Function too long', points: 15 });
      }
      
      // Nesting depth check
      let maxNesting = 0;
      let currentNesting = 0;
      for (const line of lines) {
        const braceCount = (line.match(/\{/g) || []).length - (line.match(/\}/g) || []).length;
        currentNesting += braceCount;
        maxNesting = Math.max(maxNesting, currentNesting);
      }
      
      if (maxNesting > CODE_QUALITY_METRICS.COMPLEXITY.maxNestingDepth) {
        qualityIssues.push({
          type: 'complexity',
          severity: 'medium',
          message: `Nesting depth exceeds maximum (${maxNesting}/${CODE_QUALITY_METRICS.COMPLEXITY.maxNestingDepth})`
        });
        qualityScore.deductions.push({ reason: 'Deep nesting', points: 10 });
      }
      
      // Cyclomatic complexity estimation
      const cyclomaticComplexity = (validateCode.match(/\bif\b|\bfor\b|\bwhile\b|\bcase\b|\b&&\b|\b\|\|\b/g) || []).length + 1;
      if (cyclomaticComplexity > CODE_QUALITY_METRICS.COMPLEXITY.maxCyclomaticComplexity) {
        qualityIssues.push({
          type: 'complexity',
          severity: 'high',
          message: `Cyclomatic complexity too high (${cyclomaticComplexity}/${CODE_QUALITY_METRICS.COMPLEXITY.maxCyclomaticComplexity})`
        });
        qualityScore.deductions.push({ reason: 'High cyclomatic complexity', points: 20 });
      }
      
      // Anti-pattern checks
      if (validateCode.includes('any')) {
        qualityIssues.push({
          type: 'type-safety',
          severity: 'medium',
          message: 'Using "any" type - consider more specific types'
        });
        qualityScore.deductions.push({ reason: 'Any type usage', points: 10 });
      }
      
      if (validateCode.includes('== ')) {
        qualityIssues.push({
          type: 'best-practices',
          severity: 'low',
          message: 'Use strict equality (===) instead of loose equality (==)'
        });
        qualityScore.deductions.push({ reason: 'Loose equality', points: 5 });
      }
      
      if (validateCode.includes('var ')) {
        qualityIssues.push({
          type: 'best-practices',
          severity: 'medium',
          message: 'Use const/let instead of var'
        });
        qualityScore.deductions.push({ reason: 'Var usage', points: 8 });
      }
      
      // Magic numbers check
      const magicNumbers = validateCode.match(/\b\d{2,}\b/g) || [];
      if (magicNumbers.length > 0) {
        qualityIssues.push({
          type: 'maintainability',
          severity: 'low',
          message: `Found potential magic numbers: ${magicNumbers.join(', ')}`
        });
        qualityScore.deductions.push({ reason: 'Magic numbers', points: 5 });
      }
      
      // Error handling check
      const hasErrorHandling = validateCode.includes('try') || validateCode.includes('catch') || validateCode.includes('throw');
      if (!hasErrorHandling && validateCode.includes('async')) {
        qualityIssues.push({
          type: 'error-handling',
          severity: 'medium',
          message: 'Async functions should include error handling'
        });
        qualityScore.deductions.push({ reason: 'Missing error handling', points: 10 });
      }
      
      // Performance checks for React components
      if (validateType === 'component' && validateCode.includes('React')) {
        if (!validateCode.includes('memo') && !validateCode.includes('useMemo') && !validateCode.includes('useCallback')) {
          qualityIssues.push({
            type: 'performance',
            severity: 'low',
            message: 'Consider using React.memo, useMemo, or useCallback for performance optimization'
          });
          qualityScore.deductions.push({ reason: 'Missing performance optimization', points: 5 });
        }
      }
      
      const finalScore = Math.max(0, qualityScore.total - qualityScore.deductions.reduce((sum, d) => sum + d.points, 0));
      
      const validationResult = {
        action: 'validate_code_quality',
        type: validateType,
        strict,
        metricsRequested: metrics,
        score: finalScore,
        grade: finalScore >= 90 ? 'A' : finalScore >= 80 ? 'B' : finalScore >= 70 ? 'C' : finalScore >= 60 ? 'D' : 'F',
        issues: qualityIssues,
        deductions: qualityScore.deductions,
        recommendations: qualityIssues.length > 0 ? [
          'Consider breaking down complex functions',
          'Reduce nesting depth with early returns',
          'Use more specific types instead of "any"',
          'Apply consistent coding standards',
          'Add proper error handling',
          'Consider performance optimizations'
        ] : ['Code quality is excellent!'],
        metrics: {
          complexity: cyclomaticComplexity,
          lines: functionLineCount,
          nesting: maxNesting,
          issues: qualityIssues.length
        },
        status: 'success'
      };
      
      const topIssues = qualityIssues.slice(0, 8);
      return {
        content: [{ type: 'text', text: `Type: ${validateType}\nScore: ${finalScore}/100 (Grade: ${validationResult.grade})\nMetrics: Lines=${validationResult.metrics.lines}, Complexity=${validationResult.metrics.complexity}, Nesting=${validationResult.metrics.nesting}\n\nIssues (${qualityIssues.length}):\n${topIssues.map(i => `[${i.severity.toUpperCase()}] ${i.type}: ${i.message}`).join('\n')}${qualityIssues.length > 8 ? `\n... ${qualityIssues.length - 8} more issues` : ''}\n\nDeductions: -${qualityScore.deductions.reduce((sum, d) => sum + d.points, 0)} pts (${qualityScore.deductions.map(d => `${d.reason}: -${d.points}`).join(', ')})` }]
      };
    }
  • The ToolDefinition object defining the input schema, description, and annotations for the validate_code_quality tool.
    export const validateCodeQualityDefinition: ToolDefinition = {
      name: 'validate_code_quality',
      description: '품질|리뷰|검사|quality|review code|check quality|validate|코드 리뷰 - Validate code quality',
      inputSchema: {
        type: 'object',
        properties: {
          code: { type: 'string', description: 'Code to validate' },
          type: { type: 'string', description: 'Code type', enum: ['component', 'function', 'hook', 'utility', 'general'] },
          strict: { type: 'boolean', description: 'Apply strict validation rules' },
          metrics: { type: 'string', description: 'Specific metrics to check', enum: ['complexity', 'coupling', 'cohesion', 'maintainability', 'performance', 'all'] }
        },
        required: ['code']
      },
      annotations: {
        title: 'Validate Code Quality',
        audience: ['user', 'assistant'],
        readOnlyHint: true,
        destructiveHint: false,
        idempotentHint: true,
        openWorldHint: false
      }
    };
  • src/index.ts:61-61 (registration)
    Import statement bringing in the tool definition and handler function.
    import { validateCodeQualityDefinition, validateCodeQuality } from './tools/convention/validateCodeQuality.js';
  • src/index.ts:120-120 (registration)
    Registration of the tool definition in the main tools array used for ListTools.
    validateCodeQualityDefinition,
  • src/index.ts:185-185 (registration)
    Registration of the handler in the toolHandlers object for dynamic dispatch during tool calls.
    'validate_code_quality': validateCodeQuality,
Behavior4/5

Does the description disclose side effects, auth requirements, rate limits, or destructive behavior?

Annotations provide clear behavioral hints (readOnlyHint: true, idempotentHint: true, destructiveHint: false), indicating a safe, non-mutating operation. The description adds no additional behavioral context (e.g., what quality standards are used, if results are cached, or performance implications), but it doesn't contradict the annotations. With annotations covering key safety aspects, the description's lack of extra detail is acceptable but not exemplary.

Agents need to know what a tool does to the world before calling it. Descriptions should go beyond structured annotations to explain consequences.

Conciseness2/5

Is the description appropriately sized, front-loaded, and free of redundancy?

The description is a string of keywords separated by pipes and dashes, lacking coherent structure or front-loaded clarity. It's not a proper sentence or paragraph, making it inefficient for quick comprehension. While concise in length, it fails to communicate effectively, as the keyword jumble requires parsing rather than delivering immediate understanding.

Shorter descriptions cost fewer tokens and are easier for agents to parse. Every sentence should earn its place.

Completeness2/5

Given the tool's complexity, does the description cover enough for an agent to succeed on first attempt?

Given the tool's complexity (4 parameters, no output schema) and rich annotations, the description is insufficient. It doesn't explain what the tool returns (e.g., a quality score, issues list), how validation is performed, or tie parameters to outcomes. With annotations handling safety but no output schema, the description should provide more context about results and behavior to be complete for a quality analysis tool.

Complex tools with many parameters or behaviors need more documentation. Simple tools need less. This dimension scales expectations accordingly.

Parameters3/5

Does the description clarify parameter syntax, constraints, interactions, or defaults beyond what the schema provides?

Schema description coverage is 100%, with all parameters well-documented in the schema (e.g., 'code' as 'Code to validate', 'type' with enum values). The description adds no parameter-specific information beyond what the schema provides, such as explaining how 'strict' affects validation or what 'metrics' entail. Given the high schema coverage, a baseline score of 3 is appropriate, as the description doesn't enhance parameter understanding.

Input schemas describe structure but not intent. Descriptions should explain non-obvious parameter relationships and valid value ranges.

Purpose3/5

Does the description clearly state what the tool does and how it differs from similar tools?

The description provides a list of keywords ('품질|리뷰|검사|quality|review code|check quality|validate|코드 리뷰') that suggest the tool validates code quality, but it lacks a clear, specific statement of purpose. It doesn't explicitly state what the tool does (e.g., 'Analyze code against quality metrics') or distinguish it from siblings like 'analyze_complexity' or 'check_coupling_cohesion'. The keyword approach is vague rather than definitive.

Agents choose between tools based on descriptions. A clear purpose with a specific verb and resource helps agents select the right tool.

Usage Guidelines2/5

Does the description explain when to use this tool, when not to, or what alternatives exist?

The description offers no guidance on when to use this tool versus alternatives. It doesn't mention sibling tools like 'analyze_complexity' (for complexity analysis) or 'check_coupling_cohesion' (for coupling/cohesion checks), nor does it specify contexts where this tool is preferred (e.g., for comprehensive quality validation vs. specific analyses). Without such guidance, users must infer usage from the tool name and parameters alone.

Agents often have multiple tools that could apply. Explicit usage guidance like "use X instead of Y when Z" prevents misuse.

Install Server

Other Tools

Latest Blog Posts

MCP directory API

We provide all the information about MCP servers via our MCP API.

curl -X GET 'https://glama.ai/api/mcp/v1/servers/su-record/hi-ai'

If you have feedback or need assistance with the MCP directory API, please join our Discord server