@hyperfrontend/project-scope
Comprehensive project analysis, technology stack detection, and transactional virtual file system for Node.js tooling.
What is @hyperfrontend/project-scope?
@hyperfrontend/project-scope provides intelligent codebase analysis for JavaScript/TypeScript projects. It uses multi-signal heuristics to classify project types, detect frameworks and build tools, discover entry points, and map dependency graphs - all with confidence scoring and explainable evidence. The library also includes a virtual file system (VFS) for safe, atomic file modifications.
Designed for tooling authors building code generators, IDE extensions, CI/CD pipelines, and monorepo tooling. Optional @nx/devkit integration enables seamless operation within NX workspaces with graceful fallback for standalone projects.
Key Features
- Project Classification - Detect application, library, e2e, tool, or plugin with confidence scoring and evidence tracking
- Technology Detection - Identify 20+ frameworks (React, Vue, Angular, Svelte), build tools (Vite, Webpack, esbuild), and testing frameworks (Jest, Vitest, Cypress)
- Virtual File System - Transaction-aware file operations with atomic commit/rollback, following NX devkit's Tree interface
- Monorepo Intelligence - Detect NX, Turborepo, Lerna, pnpm/npm/Yarn workspaces; read project configurations
- Dependency Graph - Build internal import graphs from source code with root/leaf node identification
- Entry Point Discovery - Find application entries from package.json exports, bin fields, and convention patterns
- CLI Interface - Command-line access to all features with JSON/YAML output
- Zero Runtime Dependencies - All dependencies bundled for minimal footprint
Architecture Highlights
Four-layer architecture: core (fs, path, encoding, platform), project (config detection, package.json, root finding), tech (framework/tool detectors with consistent interfaces), and heuristics (multi-signal classification with evidence). Detectors use function-scoped caching (30-60s TTL). VFS buffers changes in memory until explicit commit, with path traversal prevention and symlink validation.
Why Use @hyperfrontend/project-scope?
Accurate Framework Detection for Code Generators
Simple package.json parsing misses meta-frameworks, optional dependencies, and configuration-based setups. A project with next installed might be Next.js, but could also be a library that exports Next.js components. This library's multi-signal heuristics analyze dependencies, directory structure (pages/, app/), and config files (next.config.js) together, returning confidence-scored results. Your generator knows with certainty whether to scaffold Next.js pages or React components.
Safe File Modifications with Rollback
Code generators that write directly to disk risk leaving projects in broken states when errors occur mid-generation. The VFS buffers all changes in memory - write 50 files, validate the result, then commitChanges() atomically or rollbackChanges() to discard everything. Path traversal attacks are blocked at the VFS layer, making generators safe to run on untrusted input.
Adaptive Tooling in Heterogeneous Monorepos
Monorepos contain React apps, Vue libraries, Node.js services, and Cypress suites - each requiring different lint rules, build configs, and CI pipelines. Use detectAll() per project to get technology detection with version info, then conditionally apply configurations. Cached results (30-60s TTL) ensure repeated analysis during builds stays fast.
IDE Extensions Without Manual Configuration
IDE features that adapt to frameworks typically require users to configure their project type manually. This library provides runtime detection - determine React vs Vue for component snippets, identify Jest vs Vitest for test runners, detect Vite vs Webpack for build task integration. The CLI enables integration with shell-based tooling and editor extensions.
Migration Planning with Evidence
Modernizing legacy codebases requires understanding current technology stack before planning migrations. analyzeProject() detects legacy frameworks (jQuery, AngularJS, Backbone), maps internal dependency graphs, and provides confidence-scored evidence for each detection. Generate reports that explain why each technology was detected, enabling data-driven migration decisions.
Installation
npm install @hyperfrontend/project-scope
Requirements
- Node.js: 18.0.0 or higher
- npm: 8.0.0 or higher
Note: This library is designed for Node.js environments only (no browser support). All file system operations use synchronous Node.js APIs.
Quick Start
Project Analysis
import { analyzeProject, detectAll } from '@hyperfrontend/project-scope'
// Full project analysis
const analysis = analyzeProject('./my-project')
console.log(analysis.projectType) // 'library' | 'application' | 'e2e' | 'tool'
console.log(analysis.frameworks.map((f) => `${f.name} (${f.confidence}%)`))
// Technology stack detection
const tech = detectAll('./my-project')
console.log(
'Frontend:',
tech.frontendFrameworks.map((f) => f.name)
)
console.log(
'Build:',
tech.buildTools.map((t) => t.name)
)
console.log(
'Testing:',
tech.testingFrameworks.map((t) => t.name)
)
Virtual File System
import { createTree, Mode } from '@hyperfrontend/project-scope'
const tree = createTree('./my-project')
tree.write('src/new-file.ts', 'export const hello = "world"')
tree.rename('src/old.ts', 'src/renamed.ts')
tree.delete('src/deprecated.ts')
tree.commitChanges() // Atomic commit, or rollbackChanges() to discard
CLI
project-scope analyze ./my-project --format json
project-scope config ./my-project --type typescript,eslint
project-scope tree ./my-project --depth 3
API Overview
Analysis
analyzeProject(path, options?): AnalysisResult- Comprehensive project analysisdetectProjectType(path): ProjectTypeDetection- Classify project type with evidenceidentifyFrameworks(path): FrameworkIdentification- Detect frameworks with confidence scoresdiscoverEntryPoints(path): EntryPointInfo[]- Find application entry pointsbuildDependencyGraph(path): DependencyGraph- Build internal dependency graph
Technology Detection
detectAll(path): AllDetections- Run all technology detectorsframeworkDetectors- Individual framework detectors (React, Vue, Angular, etc.)backendDetectors- Backend framework detectors (Express, NestJS, Fastify, etc.)buildToolDetectors- Build tool detectors (Webpack, Vite, Rollup, etc.)testingDetectors- Testing framework detectors (Jest, Vitest, Cypress, etc.)
Project Utilities
readPackageJson(path): PackageJson- Parse package.jsonfindProjectRoot(path): string- Find nearest project rootfindWorkspaceRoot(path): string- Find monorepo/workspace rootdetectConfigs(path, types?): ConfigFileInfo[]- Find configuration files
Virtual File System
createTree(path, options?): Tree- Create transactional file treeMode- Write modes:Overwrite,ExclusiveCreate,SkipIfExists- Tree methods:
read(),write(),exists(),delete(),rename(),commitChanges(),rollbackChanges()
NX Integration
isNxWorkspace(path): boolean- Check if directory is NX workspacegetNxWorkspaceInfo(path): NxWorkspaceInfo- Get workspace detailsfindNxProjects(path): NxProjectConfig[]- Find all projectsisDevkitAvailable(): boolean- Check if@nx/devkitis available
Core Utilities
- File System:
readFileContent(),writeFileContent(),readJsonFile(),exists(),isFile(),isDirectory() - Path:
normalizePath(),joinPath(),resolvePath(),relativePath() - Encoding:
detectEncoding(),convertEncoding() - Platform:
detectPlatform(),isWindows(),isMacOS(),isLinux()
Secondary Entry Points
Import specific modules for tree-shaking optimization:
// Core utilities
import { readFileContent, writeFileContent } from '@hyperfrontend/project-scope/core/fs'
import { normalizePath, joinPath } from '@hyperfrontend/project-scope/core/path'
// Heuristics
import { detectProjectType } from '@hyperfrontend/project-scope/heuristics/project-type'
import { discoverEntryPoints } from '@hyperfrontend/project-scope/heuristics/entry-points'
// Technology detection
import { detectAll } from '@hyperfrontend/project-scope/tech'
import { reactDetector } from '@hyperfrontend/project-scope/tech/frontend'
// Project utilities
import { readPackageJson } from '@hyperfrontend/project-scope/project/package'
import { detectConfigs } from '@hyperfrontend/project-scope/project/config'
// Virtual file system
import { createTree, Mode } from '@hyperfrontend/project-scope/vfs'
// NX integration
import { isNxWorkspace, findNxProjects } from '@hyperfrontend/project-scope/nx'
Compatibility
| Platform | Support |
|---|---|
| Node.js | ✅ |
| Browser | ❌ |
Output Formats
| Format | File | Tree-Shakeable |
|---|---|---|
| ESM | index.esm.js |
✅ |
| CJS | index.cjs.js |
❌ |
Part of hyperfrontend
This library is part of the hyperfrontend monorepo.
- Works seamlessly with @hyperfrontend/nexus for cross-window communication tooling
- Looking for cryptographic utilities? See @hyperfrontend/cryptography
License
API Reference§
Module Structure
30 modules · 944 total exports
@hyperfrontend/project-scope/@hyperfrontend/project-scope
Project analysis toolkit with CLI commands, tech stack detection, and workspace utilities.
@hyperfrontend/project-scope/@hyperfrontend/project-scope/cli
CLI commands for project analysis including analyze, config, deps, and tree commands.
@hyperfrontend/project-scope/@hyperfrontend/project-scope/core
Core utilities for filesystem, path manipulation, platform detection, and encoding.
@hyperfrontend/project-scope/@hyperfrontend/project-scope/core/encoding
File encoding detection with BOM handling, binary detection, and UTF-8 conversion.
@hyperfrontend/project-scope/@hyperfrontend/project-scope/core/fs
Filesystem operations for reading/writing files, directory traversal, and stat checks.
@hyperfrontend/project-scope/@hyperfrontend/project-scope/core/path
Path manipulation utilities for joining, normalization, resolution, and segment extraction.
@hyperfrontend/project-scope/@hyperfrontend/project-scope/core/platform
Platform detection for OS type, filesystem case sensitivity, and line ending handling.
@hyperfrontend/project-scope/@hyperfrontend/project-scope/heuristics
Project heuristics for type detection, framework identification, entry points, and dependency analysis.
@hyperfrontend/project-scope/@hyperfrontend/project-scope/heuristics/dependencies
Dependency graph building and circular dependency detection for project analysis.
@hyperfrontend/project-scope/@hyperfrontend/project-scope/heuristics/entry-points
Entry point discovery with configurable patterns for detecting main files and module boundaries.
@hyperfrontend/project-scope/@hyperfrontend/project-scope/heuristics/framework
Framework identification with confidence scoring and stack summary for detected technologies.
@hyperfrontend/project-scope/@hyperfrontend/project-scope/heuristics/project-type
Project type detection (application, library, e2e, tool, plugin) with evidence-based classification.
@hyperfrontend/project-scope/@hyperfrontend/project-scope/models
Type definitions for project analysis including ProjectType, WorkspaceType, and AnalysisResult.
@hyperfrontend/project-scope/@hyperfrontend/project-scope/nx
Nx workspace detection, project configuration reading, and devkit utilities.
@hyperfrontend/project-scope/@hyperfrontend/project-scope/project
Project utilities for file traversal, config detection, package.json operations, and root finding.
@hyperfrontend/project-scope/@hyperfrontend/project-scope/project/config
Configuration file detection and parsing for various config types with pattern matching.
@hyperfrontend/project-scope/@hyperfrontend/project-scope/project/package
Package.json reading and dependency inspection utilities with version checks.
@hyperfrontend/project-scope/@hyperfrontend/project-scope/project/root
Root directory detection using marker files for git root, project root, and workspace root.
@hyperfrontend/project-scope/@hyperfrontend/project-scope/project/traversal
Directory walking and file search utilities with visitor patterns for recursive exploration.
@hyperfrontend/project-scope/@hyperfrontend/project-scope/tech
Tech stack detection for frontend, backend, build tools, testing, linting, and monorepo tools.
@hyperfrontend/project-scope/@hyperfrontend/project-scope/tech/backend
Backend framework detection for Express, NestJS, Fastify, Koa, and Hono.
@hyperfrontend/project-scope/@hyperfrontend/project-scope/tech/build
Build tool detection for Webpack, Vite, Rollup, esbuild, Babel, SWC, and Parcel.
@hyperfrontend/project-scope/@hyperfrontend/project-scope/tech/frontend
Frontend framework detection for React, Next.js, Vue, Angular, Svelte, Solid, Qwik, and more.
@hyperfrontend/project-scope/@hyperfrontend/project-scope/tech/legacy
Legacy framework detection for AngularJS, Backbone, Ember, and jQuery.
@hyperfrontend/project-scope/@hyperfrontend/project-scope/tech/linting
Linting tool detection for ESLint, Prettier, Stylelint, and Biome.
@hyperfrontend/project-scope/@hyperfrontend/project-scope/tech/monorepo
Monorepo tool detection for Nx, Turborepo, Lerna, Rush, and pnpm/npm/yarn workspaces.
@hyperfrontend/project-scope/@hyperfrontend/project-scope/tech/testing
Testing framework detection for Jest, Vitest, Mocha, Cypress, and Playwright.
@hyperfrontend/project-scope/@hyperfrontend/project-scope/tech/types
Type system detection for TypeScript, Flow, and JSDoc typing.
@hyperfrontend/project-scope/@hyperfrontend/project-scope/vfs
Virtual filesystem with transactional tree operations, diff generation, and commit/rollback support.