Enforce architecture rules in TypeScript and JavaScript projects. Check for dependency directions, detect circular dependencies, enforce coding standards and much more. Integrates with every testing framework. Very simple setup and pipeline integration.
The #1 architecture testing library for TypeScript, measured by GitHub stars.
Inspired by the amazing ArchUnit library but we are not affiliated with ArchUnit.
Documentation • Use Cases • Features • Contributing
npm install archunit --save-dev
Simply add tests to your existing test suites. The following is an example using Jest. First we ensure that we have no circular dependencies.
import { projectFiles, metrics } from 'archunit';
it('should not have circular dependencies', async () => {
const rule = projectFiles().inFolder('src/**').should().haveNoCycles();
await expect(rule).toPassAsync();
});
Next we ensure that our layered architecture is respected.
it('presentation layer should not depend on database layer', async () => {
const rule = projectFiles()
.inFolder('src/presentation/**')
.shouldNot()
.dependOnFiles()
.inFolder('src/database/**');
await expect(rule).toPassAsync();
});
it('business layer should not depend on database layer', async () => {
const rule = projectFiles()
.inFolder('src/business/**')
.shouldNot()
.dependOnFiles()
.inFolder('src/database/**');
await expect(rule).toPassAsync();
});
// More layers ...
Lastly we ensure that some code metric rules are met.
it('should not contain too large files', () => {
const rule = metrics().count().linesOfCode().shouldBeBelow(1000);
await expect(rule).toPassAsync();
});
it('should only have classes with high cohesion', async () => {
// LCOM metric (lack of cohesion of methods), low = high cohesion
const rule = metrics().lcom().lcom96b().shouldBeBelow(0.3);
await expect(rule).toPassAsync();
});
These tests will run automatically in your testing setup, for example in your CI pipeline, so that's basically it. This setup ensures that the architectural rules you have defined are always adhered to! 🌻🐣
Additionally, you can generate reports and save them as artifacts. Here's a simple example using GitLab CI. Note that reports are in beta.
it('should generate HTML reports', async () => {
const countMetrics = metrics().count();
const lcomMetrics = metrics().lcom();
// Saves HTML report files to /reports
await countMetrics.exportAsHTML();
await lcomMetrics.exportAsHTML();
// So we get no warning about an empty test
expect(0).toBe(0);
});
In your gitlab-ci.yml
:
test:
script:
- npm test
artifacts:
when: always
paths:
- reports
Many common uses cases are covered in our examples folder. Note that they are not fully working repositories but code snippets. Here is an overview.
Layered Architecture:
-
Express BackEnd - Complete guide for implementing layered architecture in Express.js applications
-
Fastify BackEnd using a UML Diagram - Fastify layered architecture with UML diagram validation
-
Angular FrontEnd - Angular frontend layered architecture patterns and rules
Domain Partitioning:
-
Express MicroServices using Nx - Microservices architecture patterns with Nx monorepo management
-
Modular Monolith, Deno BackEnd - Domain-driven modular monolith architecture with Deno
-
React MicroFrontEnds using Nx - Micro-frontends architecture with React and Module Federation
Clean Architecture:
-
NestJS BackEnd - Clean Architecture implementation with NestJS framework
-
React FrontEnd - Clean Architecture principles applied to React applications
Hexagonal Architecture:
- Express BackEnd - Ports and Adapters pattern implementation with Express.js
MVC:
- Spring BackEnd - Model-View-Controller architecture with Spring Boot and TypeScript frontend
Here are a few repositories with fully functioning examples that use ArchUnitTS to ensure architectural rules:
- Vitest Example: Complete Vitest setup with architecture tests
- Jest Example: Full Jest integration examples
- Jasmine Example: Jasmine testing framework integration
This is an overview of what you can do with ArchUnitTS.
it('services should be free of cycles', async () => {
const rule = projectFiles().inFolder('src/services/**').should().haveNoCycles();
await expect(rule).toPassAsync();
});
it('should respect clean architecture layers', async () => {
const rule = projectFiles()
.inFolder('src/presentation/**')
.shouldNot()
.dependOnFiles()
.inFolder('src/database/**');
await expect(rule).toPassAsync();
});
it('business layer should not depend on presentation', async () => {
const rule = projectFiles()
.inFolder('src/business/**')
.shouldNot()
.dependOnFiles()
.inFolder('src/presentation/**');
await expect(rule).toPassAsync();
});
it('should follow naming patterns', async () => {
const rule = projectFiles()
.inFolder('src/services/**')
.should()
.haveName('*-service.ts'); // my-service.ts for example
await expect(rule).toPassAsync();
});
it('components should be PascalCase', async () => {
const rule = projectFiles()
.inFolder('src/components/**')
.should()
.haveName(/^[A-Z][a-zA-Z]*Commponent\.ts$/); // MyComponent.ts for example
await expect(rule).toPassAsync();
});
it('should not contain too large files', async () => {
const rule = metrics().count().linesOfCode().shouldBeBelow(1000);
await expect(rule).toPassAsync();
});
it('should have high class cohesion', async () => {
const rule = metrics().lcom().lcom96b().shouldBeBelow(0.3);
await expect(rule).toPassAsync();
});
it('should count methods per class', async () => {
const rule = metrics().count().methodCount().shouldBeBelow(20);
await expect(rule).toPassAsync();
});
it('should limit statements per file', async () => {
const rule = metrics().count().statements().shouldBeBelowOrEqual(100);
await expect(rule).toPassAsync();
});
it('should have 3 fields per Data class', async () => {
const rule = metrics()
.forClassesMatching(/.*Data.*/)
.count()
.fieldCount()
.shouldBe(3);
await expect(rule).toPassAsync();
});
it('should maintain proper coupling', async () => {
const rule = metrics().distance().couplingFactor().shouldBeBelow(0.5);
await expect(rule).toPassAsync();
});
it('should stay close to main sequence', async () => {
const rule = metrics().distance().distanceFromMainSequence().shouldBeBelow(0.3);
await expect(rule).toPassAsync();
});
You can define your own custom rules.
const ruleDesc = 'TypeScript files should export functionality';
const myCustomRule = (file: FileInfo) => {
// TypeScript files should contain export statements
return file.content.includes('export');
};
const violations = await projectFiles()
.withName('*.ts') // all ts files
.should()
.adhereTo(myCustomRule, ruleDesc)
.check();
expect(violations).toStrictEqual([]);
You can define your own metrics as well.
it('should have a nice method field ratio', async () => {
const rule = metrics()
.customMetric(
'methodFieldRatio',
'Ratio of methods to fields',
(classInfo) => classInfo.methods.length / Math.max(classInfo.fields.length, 1)
)
.shouldBeBelowOrEqual(10);
await expect(rule).toPassAsync();
});
it('should adhere to UML diagram', async () => {
const diagram = `
@startuml
component [controllers]
component [services]
[controllers] --> [services]
@enduml`;
const rule = projectSlices().definedBy('src/(**)/').should().adhereToDiagram(diagram);
await expect(rule).toPassAsync();
});
it('should not contain forbidden dependencies', async () => {
const rule = projectSlices()
.definedBy('src/(**)/')
.shouldNot()
.containDependency('services', 'controllers');
await expect(rule).toPassAsync();
});
Generate beautiful HTML reports for your metrics. Note that this features is in beta. Default output path is /reports
.
// Export count metrics report
await metrics().count().exportAsHTML('reports/count-metrics.html', {
title: 'Count Metrics Dashboard',
includeTimestamp: true,
});
// Export LCOM cohesion metrics report
await metrics().lcom().exportAsHTML('reports/lcom-metrics.html', {
title: 'Code Cohesion Analysis',
includeTimestamp: false,
});
// Export distance metrics report
await metrics().distance().exportAsHTML('reports/distance-metrics.html');
// Export comprehensive report with all metrics
import { MetricsExporter } from 'archunitts';
await MetricsExporter.exportComprehensiveAsHTML(undefined, {
outputPath: 'reports/comprehensive-metrics.html',
title: 'Complete Architecture Metrics Dashboard',
customCss: '.metric-card { border-radius: 8px; }',
});
The export functionality can be customized, for example by specifying an output path and custom CSS. Thanks to this, it's also very easy to include generated reports into your deploy process of, let's say, your GitHub page or GitLab page.
We offer three targeting options for pattern matching across all modules:
-
withName(pattern)
- Pattern is checked against the filename (eg.Service.ts
fromsrc/services/Service.ts
) -
inPath(pattern)
- Pattern is checked against against the full relative path (eg.src/services/Service.ts
) -
inFolder(pattern)
- Pattern is checked against the path without filename (eg.src/services
fromsrc/services/Service.ts
)
We support string patterns and regular expressions. String patterns support glob, see below.
// String patterns with glob support (case insensitive)
.withName('*.service.ts') // All files ending with .service.ts
.inFolder('**/services') // All files in any services folder
.inPath('src/api/**/*.ts') // All TypeScript files under src/api
// Regular expressions (case sensitive - use when you need exact case matching)
.withName(/^.*Service\.ts$/) // Same as *.service.ts but case-sensitive
.inFolder(/services$/) // Folders ending with 'services' (case-sensitive)
- Strings: Case insensitive by default
- Regular expressions: Case sensitive by default
If you need case-sensitive matching, use regular expressions. If you need case-insensitive regex matching, use the i
flag:
// Case sensitive regex
.withName(/^.*service\.ts$/) // Matches service.ts
// Case insensitive regex
.withName(/^.*service\.ts$/i) // Matches Service.ts, service.ts, SERVICE.ts
Glob patterns provide powerful wildcard matching for paths and filenames:
-
*
- Matches any characters within a single path segment (except/
) -
**
- Matches any characters across multiple path segments -
?
- Matches exactly one character -
[abc]
- Matches any character in the bracket set -
[a-z]
- Matches any character in the range
// Filename patterns
.withName('*.ts') // All TypeScript files
.withName('*.{js,ts}') // All JavaScript or TypeScript files
.withName('*Service.ts') // Files ending with 'Service.ts'
.withName('User*.ts') // Files starting with 'User'
.withName('?est.ts') // test.ts, nest.ts, etc
// Folder patterns
.inFolder('**/services') // Any 'services' folder at any depth
.inFolder('src/services') // Exact 'src/services' folder
.inFolder('**/test/**') // Any folder containing 'test' in path
.inFolder('src/*') // Direct subfolders of 'src'
// Path patterns
.inPath('src/**/*.service.ts') // Service files anywhere under src
.inPath('**/test/**/*.spec.ts') // Test files in any test folder
.inPath('src/domain/*/*.ts') // TypeScript files one level under domain
We generally recommend to use string with glob support unless you need to deal with very special cases. Writing regular expressions yourself is not necessary for most cases and comes with extra complexity.
For example, let's say you want to enforce some rule upon files inside src/components
. If you use a RegExp you might first try this:
.inFolder(/.*\/components\/.*/)
But this will not work reliably. It will not match src/components/my-component.ts
. That's because ArchUnitTS will compare the 'folder path' here, that is the path without the filename, so in this case: src/components
. The RegExp does not match this because it does not have an ending /
. So the RegExp should be something like .*\/components(\/.*)?
. Much simpler would be '**/components/**
.
That being said, of course there are cases where glob syntax is just not strong enough and you will have to go with a RegExp.
ArchUnitTS provides two main methods for executing architecture rules.
This is special syntax we have added for Jest, Vitest and Jasmine. If you're using one of these testing frameworks, you should always use toPassAsync()
. Many benefits come with it, for example beautiful error messages in case of a failing tests.
// Jest/Vitest/Jasmine - Use toPassAsync()
await expect(rule).toPassAsync();
// With configuration options
await expect(rule).toPassAsync(options);
Here options
can be used for enabling logging, disable caching, or to not fail on empty tests.
{
logging: {
enabled: true, // show logs
level: 'debug', // show lots of logs
logFile: true // write logs to file inside ./logs folder. You can specify a custom path too.
},
// if your rule 'passes' because it 'passed' zero files, the test normally fails. You can turn this off by setting this true
allowEmptyTests: true,
clearCache: true // reading nodes, imports etc is normally cached,
}
For all other testing frameworks we don't have special syntax support but you can still easily use ArchUnitTS as follows:
// Mocha example
const violations = await rule.check();
expect(violations).to.have.length(0);
The check()
method works universally. It returns a violations array and is designed for testing frameworks without custom matcher support (Mocha, Node.js assert, etc.). You can assert the violations arrays length for example.
// With configuration options, the same ones as mentioned above
const violations = await rule.check(options);
...
Both methods accept the same configuration options:
interface CheckOptions {
// default undefined, which is treated as no logging
logging?: {
enabled: boolean;
level: 'debug' | 'info' | 'warn' | 'error';
};
allowEmptyTests?: boolean; // Default: false
clearCache?: boolean; // Default: false
}
-
Use
toPassAsync()
with Jest, Vitest, or Jasmine for better integration and error reporting -
Use
check()
with Mocha, Node.js assert, or any other testing framework -
Use
check()
when you need to inspect violations programmatically before deciding how to handle them
import { projectFiles, metrics } from 'archunit';
// Files module - Test architectural rules
projectFiles().withName('*.service.ts').should().beInFolder('**/services/**');
// Metrics module - Test only service classes
metrics().withName('*.service.ts').lcom().lcom96b().shouldBeBelow(0.7);
// Files module - Test classes in specific folders
projectFiles()
.inFolder('**/controllers/**')
.shouldNot()
.dependOnFiles()
.inFolder('**/database/**');
// Metrics module - Test classes in specific folders
metrics().inFolder('**/controllers/**').count().methodCount().shouldBeBelow(20);
// Files module - Test classes matching full path patterns
projectFiles().inPath('src/domain/**/*.ts').should().haveNoCycles();
// Metrics module - Test classes matching full path patterns
metrics().inPath('src/domain/**/*.ts').lcom().lcom96a().shouldBeBelow(0.8);
You can combine multiple pattern matching methods for precise targeting across all modules:
// Files module - Combine folder and filename patterns
projectFiles()
.inFolder('**/services/**')
.withName('*.service.ts')
.should()
.haveNoCycles();
// Metrics module - Combine folder and filename patterns
metrics().inFolder('**/services/**').withName('*.service.ts').lcom().lcom96b();
// Files module - Mix pattern matching with dependency rules
projectFiles().inPath('src/api/**').shouldNot().dependOnFiles().inPath('src/database/**');
// Metrics module - Mix pattern matching with class name matching
metrics()
.inPath('src/api/**')
.forClassesMatching(/.*Controller/)
.count()
.methodCount()
.shouldBeBelow(15);
Pattern matching is particularly useful for enforcing naming conventions:
// Match camelCase test files
projectFiles()
.withName(/^[a-z][a-zA-Z]*\.spec\.ts$/)
.should()
.beInFolder('**/test/**')
.check();
// Match interface files (starting with I)
projectFiles()
.withName(/^I[A-Z][a-zA-Z]*\.ts$/)
.should()
.beInFolder('**/interfaces/**')
.check();
// Match constant files (all uppercase)
projectFiles()
.withName(/^[A-Z_]+\.ts$/)
.should()
.beInFolder('**/constants/**')
.check();
// Metrics for PascalCase controllers
metrics()
.withName(/^[A-Z][a-zA-Z]*Controller\.ts$/)
.lcom()
.lcom96b()
.shouldBeBelow(0.5)
.check();
Here are more advanced use cases combining different pattern types:
// Ensure all TypeScript files in feature folders follow naming conventions
projectFiles()
.inPath('src/features/**/*.ts')
.withName(/^[A-Z][a-zA-Z]*\.(service|controller|model)\.ts$/)
.should()
.haveNoCycles();
// Test that utility files have low complexity
metrics()
.inFolder('**/utils/**')
.withName('*.util.ts')
.complexity()
.cyclomaticComplexity()
.shouldBeBelow(5);
// Ensure test files don't depend on implementation details
projectFiles()
.withName('*.spec.ts')
.shouldNot()
.dependOnFiles()
.inPath('src/**/internal/**');
// Check cohesion of domain entities
metrics()
.inPath('src/domain/entities/**/*.ts')
.withName(/^[A-Z][a-zA-Z]*Entity\.ts$/)
.lcom()
.lcom96a()
.shouldBeBelow(0.6);
The LCOM metrics measure how well the methods and fields of a class are connected, indicating the cohesion level of the class. Lower values indicate better cohesion.
// LCOM96a (Handerson et al.)
metrics().lcom().lcom96a().shouldBeBelow(0.8);
// LCOM96b (Handerson et al.)
metrics().lcom().lcom96b().shouldBeBelow(0.7);
The LCOM96b metric is calculated as:
LCOM96b = (m - sum(μ(A))/m)/(1-1/m)
Where:
-
m
is the number of methods in the class -
μ(A)
is the number of methods that access an attribute (field) A
The result is a value between 0 and 1:
- 0: perfect cohesion (all methods access all attributes)
- 1: complete lack of cohesion (each method accesses its own attribute)
Measure various counts within classes:
// Method count
metrics().count().methodCount().shouldBeBelow(20);
// Field count
metrics().count().fieldCount().shouldBeBelow(15).;
// Lines of code
metrics().count().linesOfCode().shouldBeBelow(200);
Measure architectural distance metrics:
// Abstractness
metrics().distance().abstractness().shouldBeAbove(0.3);
// Instability
metrics().distance().instability().shouldBeBelow(0.8);
// Distance from main sequence
metrics().distance().distanceFromMainSequence().shouldBeBelow(0.5);
Define your own metrics with custom calculation logic:
metrics()
.customMetric(
'complexityRatio',
'Ratio of methods to fields',
(classInfo) => classInfo.methods.length / Math.max(classInfo.fields.length, 1)
)
.shouldBeBelow(3.0);
Here's how ArchUnitTS compares to other TypeScript architecture testing libraries:
Feature | ArchUnitTS | ts-arch | arch-unit-ts | ts-arch-unit |
---|---|---|---|---|
API Stability | ✅ Stable | ✅ Stable | ||
Circular Dependency Detection | ✅ Supported | ✅ Supported | ❌ Limited | ❌ No |
Layer Dependency Rules | ✅ Advanced patterns | ✅ Advanced patterns | ❌ No | |
File Pattern Matching | ✅ Glob + Regex | ✅ Glob + Regex | ❌ Basic | |
Custom Rules | ✅ Full support | ❌ No | ❌ No | ❌ No |
Code Metrics | ✅ Comprehensive | ❌ No | ❌ No | ❌ No |
Empty Test Detection | ✅ Fails by default (configurable) | ❌ No | ❌ No | ❌ No |
Debug Logging | ✅ Optional (off by default) | ❌ No | ❌ No | ❌ No |
LCOM Cohesion Analysis | ✅ Multiple algorithms | ❌ No | ❌ No | ❌ No |
Distance Metrics | ✅ Coupling & abstraction | ❌ No | ❌ No | ❌ No |
UML Diagram Validation | ✅ Supported | ✅ Supported | ❌ No | ❌ No |
Architecture Slicing | ✅ Supported | ✅ Supported | ❌ No | ❌ No |
Testing Framework Integration | ✅ Universal (Jest, Vitest, Jasmine, Mocha, etc.) | |||
HTML Report Generation | ✅ Rich dashboards | ❌ No | ❌ No | ❌ No |
TypeScript AST Analysis | ✅ Deep analysis | |||
Performance Optimization | ✅ Caching + parallel | ❌ No | ❌ No | |
Error Messages | ✅ Detailed + clickable | |||
Documentation | ✅ Comprehensive | |||
Community Support | ✅ Active maintenance | ✅ Active maintenance | ❌ Inactive | ❌ Inactive |
As you see in the table, there are some features that are only supported by us. Here is a brief highlight of those that we believe are the most critical of them:
-
Empty Test Protection: This one is extremely important. Let's say you define architectural boundaries that shall not be crossed - but you have a typo in the path to some folder. Your test will just pass with other libraries! They will 'check the rule' on 0 files and the test 'passes'. ArchUnitTS detects this, we call it an empty test, and your test fails. This is the default behvaior, you can customize it to allow empty tests if you want to.
-
Testing framework support: ArchUnitTS works with any testing framework, plus we have special syntax extensions for Jest, Vitest and Jasmine. Other libraries such as ts-arch only have special support for Jest, or no special support at all.
-
Logging: We have great support for logs and different log levels. This can help to understand what files are being analyzed and why tests pass/fail. Other libraries have no logging support at all.
-
Code Metrics: Metrics such as cohesion, coupling metrics, distance from main sequence, and even custom metrics provide important insights into any projects code. ArchUnitTS is the only library with code metrics support.
-
Intelligent Error Messages: Our error messages contain clickable file paths and detailed violation descriptions. Again, other libraries do not have this.
-
Custom rules: ArchUnitTS is the only library that allows you to define custom rules and custom metrics.
-
HTML Reports: We support auto generated dashboards with charts and detailed breakdowns. Other libraries do not.
When tests fail, you get helpful, colorful output with clickable file paths.
Click on file paths to jump directly to the issue in your IDE.
We support logging to help you understand what files are being analyzed and troubleshoot test failures. Logging is disabled by default to keep test output clean.
it('should respect layered architecture', async () => {
const rule = projectFiles()
.inFolder('src/presentation/**')
.shouldNot()
.dependOnFiles()
.inFolder('src/database');
const options = {
logging: {
enabled: true,
level: 'debug', // 'error' | 'warn' | 'info' | 'debug'
},
};
await expect(rule).toPassAsync(options);
});
When debug logging is enabled, you'll see detailed information about the analysis:
[2025-06-02T12:08:26.355Z] [INFO] Starting architecture rule check: Dependency check: patterns [(^|.*/)src/database/.*]
[2025-06-02T12:08:26.445Z] [DEBUG] Analyzing 12 files in 'src/presentation' folder
[2025-06-02T12:08:26.456Z] [DEBUG] Found file: src/presentation/controllers/UserController.ts
[2025-06-02T12:08:26.467Z] [DEBUG] Found file: src/presentation/views/UserView.tsx
[2025-06-02T12:08:26.478Z] [DEBUG] Checking dependencies against 'src/database' pattern
[2025-06-02T12:08:26.489Z] [DEBUG] Violation detected: src/presentation/controllers/UserController.ts depends on src/database/UserRepository.ts
[2025-06-02T12:08:26.772Z] [WARN] Completed architecture rule check: Dependency check: patterns [(^|.*/)src/database/.*] (1 violations)
ArchUnitTS supports writing logs to files, making it super easy to integrate into CI pipelines and save logs as artifacts for debugging purposes. This is particularly useful for analyzing test failures in production environments.
// Write logs to a specific file
const options = {
logging: {
enabled: true,
level: 'debug',
logFile: './logs/architecture-tests.log', // Custom file path
},
};
await expect(rule).toPassAsync(options);
For quick CI integration, you can use a simple boolean flag to enable automatic file logging:
// Automatically generates timestamped log files in ./logs/
const options = {
logging: {
enabled: true,
level: 'info',
logFile: true, // Creates logs/archunit-YYYY-MM-DD_HH-MM-SS.log
},
};
await expect(rule).toPassAsync(options);
When logFile: true
, ArchUnitTS automatically:
- Creates a
logs/
directory if it doesn't exist - Generates timestamped log files like
archunit-2025-06-06_14-30-45.log
- Includes session headers with start times
- Formats all log messages with timestamps and log levels
This makes it incredibly easy to save logs as CI artifacts for debugging:
# GitHub Actions example
- name: Run Architecture Tests
run: npm test -- --verbose
env:
ARCHUNIT_LOG_FILE: true
- name: Upload Test Logs
if: always()
uses: actions/upload-artifact@v3
with:
name: architecture-test-logs
path: logs/
# GitLab CI example
test:
script:
- npm test
artifacts:
when: always
paths:
- logs/
expire_in: 1 week
The features of ArchUnitTS can very well be used as architectural fitness functions. See here for more information about that topic.
ArchUnitTS has the following core modules.
Module | Description | Status | Links |
---|---|---|---|
Files | File and folder based rules | Stable |
src/files/ • README
|
Metrics | Code quality metrics | Stable |
src/metrics/ • README
|
Slices | Architecture slicing | Stable |
src/slices/ • README
|
Testing | Universal test framework integration | Stable |
src/testing/ • README
|
Common | Shared utilities | Stable | src/common/ |
Reports | Generate reports | Experimental | src/metrics/fluentapi/export-utils.ts |
How does ArchUnitTS work under the hood? See here for a deep dive!
We highly appreciate contributions. We use GitHub Flow, meaning that we use feature branches, similar to GitFlow, but with proper CI and CD. As soon as something is merged or pushed to main
it gets deployed. See more in Contributing. See also our 'Backlog'.
Note that deploy here means updating the docs. We consider auto deploying the library to npm too risky given the fact that there are no full time maintainers.
Q: What TypeScript/JavaScript testing frameworks are supported?
ArchUnitTS works with Jest, Jasmine, Vitest, Mocha, and any other testing framework. We have added special syntax support for Jest, Jasmine and Vitest, namely toPassAsync
but, as said, ArchUnitTS works with any existing testing framework.
Q: Can I use ArchUnitTS with JavaScript projects?
Yes! While ArchUnitTS is built for TypeScript, it works with JavaScript projects too. You'll get the most benefit with TypeScript due to better static analysis capabilities.
Q: How do I handle false positives in architecture rules?
Use the filtering and targeting capabilities to exclude specific files or patterns. You can filter by file paths, class names, or custom predicates to fine-tune your rules.
Q: What's the difference between file-based and class-based rules?
File-based rules analyze import relationships between files, while class-based rules examine dependencies between classes and their members. Choose based on your architecture validation needs.
• LukasNiessen - Creator and main maintainer
• janMagnusHeimann - Maintainer
• draugang - Maintainer
Found a bug? Want to discuss features?
- Submit an issue on GitHub
- Join our GitHub Discussions
- Questions? Post on Stack Overflow with the ArchUnitTS tag
- Leave a comment or thoughts on our X account
- Visit our documentation
If ArchUnitTS helps your project, please consider:
- Starring the repository 💚
- Suggesting new features 💭
- Contributing code or documentation ⌨️
This project is under the MIT license.
Empty checks are particularly nuanced for cycle-free assertions. Consider this scenario: folder A contains one file that only depends on folder B. When testing .inFolder("A").should().haveNoCycles()
, we want to check for cycles within folder A only. However, if we report an empty test error, users might be confused since folder A does contain a file. Therefore, cycle-free checks use a more permissive approach and check the unfiltered file set for emptiness, rather than the filtered set that's actually analyzed for cycles.