More on CodeGen
Best Practices
CodeGen Configuration Management
- Store CodeGen configuration in version control
- Use environment variables for sensitive information
- Create different configurations for development, staging, and production
- Document custom templates and configurations
Generation Workflow
- Run CodeGen as part of your build process
- Validate generated code with linting
- Include tests for custom generators
- Keep custom templates simple and focused
Working with Generated Code
- Avoid manual edits to generated files
- Use custom subclasses for specialized behavior
- Regenerate code after metadata changes
- Use source control to track changes to generated code
Troubleshooting
Common Issues and Solutions
Generation Fails with Type Errors
Issue: Code generation fails with TypeScript errors.
Solution:
- Check that your template syntax is correct
- Ensure type imports are properly defined
- Verify the metadata structure matches template expectations
- Examine template output for syntax errors
Missing Navigation Properties
Issue: Generated entity classes don't include navigation properties.
Solution:
- Ensure relationships are defined in the metadata
- Check that
includeNavigationProperties
option is enabled - Verify that relationship target entities exist
- Check custom templates for navigation property handling
Performance Issues with Large Schemas
Issue: Code generation is slow with large database schemas.
Solution:
- Use selective generation with
includeEntities
option - Filter out unused entities with
entityFilter
- Split generation into multiple steps
- Optimize templates for performance
Template Rendering Errors
Issue: Template rendering fails or produces incorrect output.
Solution:
- Check template syntax for errors
- Verify template variable usage
- Add debug logging to templates
- Examine the context data being passed to templates
Other Tips and Tricks
- Version Control: Include generated code in version control
- Separate Branches: Use separate branches for regenerating code
- Diff Review: Carefully review changes in generated code
- Incremental Generation: Use incremental generation for large schemas
- Template Optimization: Optimize templates for large projects
- Custom Extensions: Use subclassing pattern to extend generated code
- Template Reuse: Share templates across projects for consistency
- Documentation: Document custom templates and plugins
- Testing: Write tests for custom templates and plugins
- Configuration Management: Manage configuration files in version control
Be on the Look Out For
- Missing Metadata: Ensure your database schema is properly defined
- Template Errors: Verify custom templates are correctly formatted
- Type Mapping Issues: Check type mappings for unusual data types
- Naming Conflicts: Watch for potential naming conflicts between entities
- Path Issues: Ensure output paths exist and are writable
- Database Connectivity: Verify database connection settings
- Plugin Errors: Debug plugin code with detailed logging
Logging and Diagnostics
Enable detailed logging for troubleshooting:
# Enable verbose logging
npx mj-codegen --verbose --config ./codegen-config.json
# Output logs to file
npx mj-codegen --log ./codegen.log --config ./codegen-config.json
Advanced Topics
Incremental Generation
For large projects, incremental generation can improve performance:
import { IncrementalCodeGenerator } from '@memberjunction/codegen';
// Configure incremental generation
const generator = new IncrementalCodeGenerator({
outputPath: './src/generated',
cacheDirectory: './.codegen-cache',
onlyGenerateChanged: true
});
generator.generate().then(() => {
console.log('Incremental code generation completed successfully');
});
Multi-Language Generation
The CodeGen system can generate code in multiple languages:
import { MultiLanguageGenerator } from '@memberjunction/codegen';
// Configure multi-language generation
const generator = new MultiLanguageGenerator({
outputPath: './src/generated',
languages: ['typescript', 'csharp', 'java'],
languageTemplates: {
typescript: './templates/typescript',
csharp: './templates/csharp',
java: './templates/java'
}
});
generator.generate().then(() => {
console.log('Multi-language code generation completed successfully');
});
Integration with Build Systems
The CodeGen system can be integrated with various build systems:
Webpack Integration
// webpack.config.js
const { CodeGenWebpackPlugin } = require('@memberjunction/codegen/webpack');
module.exports = {
// Webpack configuration
plugins: [
new CodeGenWebpackPlugin({
configFile: './codegen.config.js',
watch: true // Regenerate code when metadata changes
})
]
};
Gulp Integration
// gulpfile.js
const gulp = require('gulp');
const { CodeGenGulpTask } = require('@memberjunction/codegen/gulp');
gulp.task('codegen', CodeGenGulpTask({
configFile: './codegen.config.js'
}));
gulp.task('build', gulp.series('codegen', 'tsc'));
Custom Plugins
The CodeGen system supports plugins for extending functionality:
import { CodeGenerator, CodeGenPlugin } from '@memberjunction/codegen';
// Create a custom plugin
class DocumentationPlugin implements CodeGenPlugin {
name = 'DocumentationPlugin';
// Called before generation starts
async beforeGeneration(generator: CodeGenerator): Promise<void> {
console.log('Documentation generation starting');
}
// Called for each entity
async processEntity(entity: any, generator: CodeGenerator): Promise<void> {
// Generate documentation for the entity
const documentation = await this.generateDocumentation(entity);
// Write the documentation to a file
await generator.writeFile(
`${generator.options.outputPath}/docs/${entity.name}.md`,
documentation
);
}
// Called after generation completes
async afterGeneration(generator: CodeGenerator): Promise<void> {
console.log('Documentation generation completed');
}
private async generateDocumentation(entity: any): Promise<string> {
// Custom documentation generation logic
return `# ${entity.displayName}\n\n${entity.description || ''}`;
}
}
// Use the plugin with the code generator
const generator = new CodeGenerator({
outputPath: './src/generated',
plugins: [
new DocumentationPlugin()
]
});
generator.generate().then(() => {
console.log('Code generation with plugins completed successfully');
});
Updated 1 day ago