π File detail
utils/plugins/lspPluginIntegration.ts
π― Use case
This file lives under βutils/β, which covers cross-cutting helpers (shell, tempfiles, settings, messages, process input, β¦). On the API surface it exposes loadPluginLspServers, resolvePluginLspEnvironment, addPluginScopeToLspServers, getPluginLspServers, and extractLspServersFromPlugins β mainly functions, hooks, or classes. Dependencies touch Node filesystem, Node path helpers, and schema validation. It composes internal code from services, types, debug, errors, and log (relative imports).
Generated from folder role, exports, dependency roots, and inline comments β not hand-reviewed for every path.
π§ Inline summary
import { readFile } from 'fs/promises' import { join, relative, resolve } from 'path' import { z } from 'zod/v4' import type { LspServerConfig,
π€ Exports (heuristic)
loadPluginLspServersresolvePluginLspEnvironmentaddPluginScopeToLspServersgetPluginLspServersextractLspServersFromPlugins
π External import roots
Package roots from from "β¦" (relative paths omitted).
fspathzod
π₯οΈ Source preview
import { readFile } from 'fs/promises'
import { join, relative, resolve } from 'path'
import { z } from 'zod/v4'
import type {
LspServerConfig,
ScopedLspServerConfig,
} from '../../services/lsp/types.js'
import { expandEnvVarsInString } from '../../services/mcp/envExpansion.js'
import type { LoadedPlugin, PluginError } from '../../types/plugin.js'
import { logForDebugging } from '../debug.js'
import { isENOENT, toError } from '../errors.js'
import { logError } from '../log.js'
import { jsonParse } from '../slowOperations.js'
import { getPluginDataDir } from './pluginDirectories.js'
import {
getPluginStorageId,
loadPluginOptions,
type PluginOptionValues,
substitutePluginVariables,
substituteUserConfigVariables,
} from './pluginOptionsStorage.js'
import { LspServerConfigSchema } from './schemas.js'
/**
* Validate that a resolved path stays within the plugin directory.
* Prevents path traversal attacks via .. or absolute paths.
*/
function validatePathWithinPlugin(
pluginPath: string,
relativePath: string,
): string | null {
// Resolve both paths to absolute paths
const resolvedPluginPath = resolve(pluginPath)
const resolvedFilePath = resolve(pluginPath, relativePath)
// Check if the resolved file path is within the plugin directory
const rel = relative(resolvedPluginPath, resolvedFilePath)
// If relative path starts with .. or is absolute, it's outside the plugin dir
if (rel.startsWith('..') || resolve(rel) === rel) {
return null
}
return resolvedFilePath
}
/**
* Load LSP server configurations from a plugin.
* Checks for:
* 1. .lsp.json file in plugin directory
* 2. manifest.lspServers field
*
* @param plugin - The loaded plugin
* @param errors - Array to collect any errors encountered
* @returns Record of server name to config, or undefined if no servers
*/
export async function loadPluginLspServers(
plugin: LoadedPlugin,
errors: PluginError[] = [],
): Promise<Record<string, LspServerConfig> | undefined> {
const servers: Record<string, LspServerConfig> = {}
// 1. Check for .lsp.json file in plugin directory
const lspJsonPath = join(plugin.path, '.lsp.json')
try {
const content = await readFile(lspJsonPath, 'utf-8')
const parsed = jsonParse(content)
const result = z
.record(z.string(), LspServerConfigSchema())
.safeParse(parsed)
if (result.success) {
Object.assign(servers, result.data)
} else {
const errorMsg = `LSP config validation failed for .lsp.json in plugin ${plugin.name}: ${result.error.message}`
logError(new Error(errorMsg))
errors.push({
type: 'lsp-config-invalid',
plugin: plugin.name,
serverName: '.lsp.json',
validationError: result.error.message,
source: 'plugin',
})
}
} catch (error) {
// .lsp.json is optional, ignore if it doesn't exist
if (!isENOENT(error)) {
const _errorMsg =
error instanceof Error
? `Failed to read/parse .lsp.json in plugin ${plugin.name}: ${error.message}`
: `Failed to read/parse .lsp.json file in plugin ${plugin.name}`
logError(toError(error))
errors.push({
type: 'lsp-config-invalid',
plugin: plugin.name,
serverName: '.lsp.json',
validationError:
error instanceof Error
? `Failed to parse JSON: ${error.message}`
: 'Failed to parse JSON file',
source: 'plugin',
})
}
}
// 2. Check manifest.lspServers field
if (plugin.manifest.lspServers) {
const manifestServers = await loadLspServersFromManifest(
plugin.manifest.lspServers,
plugin.path,
plugin.name,
errors,
)
if (manifestServers) {
Object.assign(servers, manifestServers)
}
}
return Object.keys(servers).length > 0 ? servers : undefined
}
/**
* Load LSP servers from manifest declaration (handles multiple formats).
*/
async function loadLspServersFromManifest(
declaration:
| string
| Record<string, LspServerConfig>
| Array<string | Record<string, LspServerConfig>>,
pluginPath: string,
pluginName: string,
errors: PluginError[],
): Promise<Record<string, LspServerConfig> | undefined> {
const servers: Record<string, LspServerConfig> = {}
// Normalize to array
const declarations = Array.isArray(declaration) ? declaration : [declaration]
for (const decl of declarations) {
if (typeof decl === 'string') {
// Validate path to prevent directory traversal
const validatedPath = validatePathWithinPlugin(pluginPath, decl)
if (!validatedPath) {
const securityMsg = `Security: Path traversal attempt blocked in plugin ${pluginName}: ${decl}`
logError(new Error(securityMsg))
logForDebugging(securityMsg, { level: 'warn' })
errors.push({
type: 'lsp-config-invalid',
plugin: pluginName,
serverName: decl,
validationError:
'Invalid path: must be relative and within plugin directory',
source: 'plugin',
})
continue
}
// Load from file
try {
const content = await readFile(validatedPath, 'utf-8')
const parsed = jsonParse(content)
const result = z
.record(z.string(), LspServerConfigSchema())
.safeParse(parsed)
if (result.success) {
Object.assign(servers, result.data)
} else {
const errorMsg = `LSP config validation failed for ${decl} in plugin ${pluginName}: ${result.error.message}`
logError(new Error(errorMsg))
errors.push({
type: 'lsp-config-invalid',
plugin: pluginName,
serverName: decl,
validationError: result.error.message,
source: 'plugin',
})
}
} catch (error) {
const _errorMsg =
error instanceof Error
? `Failed to read/parse LSP config from ${decl} in plugin ${pluginName}: ${error.message}`
: `Failed to read/parse LSP config file ${decl} in plugin ${pluginName}`
logError(toError(error))
errors.push({
type: 'lsp-config-invalid',
plugin: pluginName,
serverName: decl,
validationError:
error instanceof Error
? `Failed to parse JSON: ${error.message}`
: 'Failed to parse JSON file',
source: 'plugin',
})
}
} else {
// Inline configs
for (const [serverName, config] of Object.entries(decl)) {
const result = LspServerConfigSchema().safeParse(config)
if (result.success) {
servers[serverName] = result.data
} else {
const errorMsg = `LSP config validation failed for inline server "${serverName}" in plugin ${pluginName}: ${result.error.message}`
logError(new Error(errorMsg))
errors.push({
type: 'lsp-config-invalid',
plugin: pluginName,
serverName,
validationError: result.error.message,
source: 'plugin',
})
}
}
}
}
return Object.keys(servers).length > 0 ? servers : undefined
}
/**
* Resolve environment variables for plugin LSP servers.
* Handles ${CLAUDE_PLUGIN_ROOT}, ${user_config.X}, and general ${VAR}
* substitution. Tracks missing environment variables for error reporting.
*/
export function resolvePluginLspEnvironment(
config: LspServerConfig,
plugin: { path: string; source: string },
userConfig?: PluginOptionValues,
_errors?: PluginError[],
): LspServerConfig {
const allMissingVars: string[] = []
const resolveValue = (value: string): string => {
// First substitute plugin-specific variables
let resolved = substitutePluginVariables(value, plugin)
// Then substitute user config variables if provided
if (userConfig) {
resolved = substituteUserConfigVariables(resolved, userConfig)
}
// Finally expand general environment variables
const { expanded, missingVars } = expandEnvVarsInString(resolved)
allMissingVars.push(...missingVars)
return expanded
}
const resolved = { ...config }
// Resolve command path
if (resolved.command) {
resolved.command = resolveValue(resolved.command)
}
// Resolve args
if (resolved.args) {
resolved.args = resolved.args.map(arg => resolveValue(arg))
}
// Resolve environment variables and add CLAUDE_PLUGIN_ROOT / CLAUDE_PLUGIN_DATA
const resolvedEnv: Record<string, string> = {
CLAUDE_PLUGIN_ROOT: plugin.path,
CLAUDE_PLUGIN_DATA: getPluginDataDir(plugin.source),
...(resolved.env || {}),
}
for (const [key, value] of Object.entries(resolvedEnv)) {
if (key !== 'CLAUDE_PLUGIN_ROOT' && key !== 'CLAUDE_PLUGIN_DATA') {
resolvedEnv[key] = resolveValue(value)
}
}
resolved.env = resolvedEnv
// Resolve workspaceFolder if present
if (resolved.workspaceFolder) {
resolved.workspaceFolder = resolveValue(resolved.workspaceFolder)
}
// Log missing variables if any were found
if (allMissingVars.length > 0) {
const uniqueMissingVars = [...new Set(allMissingVars)]
const warnMsg = `Missing environment variables in plugin LSP config: ${uniqueMissingVars.join(', ')}`
logError(new Error(warnMsg))
logForDebugging(warnMsg, { level: 'warn' })
}
return resolved
}
/**
* Add plugin scope to LSP server configs
* This adds a prefix to server names to avoid conflicts between plugins
*/
export function addPluginScopeToLspServers(
servers: Record<string, LspServerConfig>,
pluginName: string,
): Record<string, ScopedLspServerConfig> {
const scopedServers: Record<string, ScopedLspServerConfig> = {}
for (const [name, config] of Object.entries(servers)) {
// Add plugin prefix to server name to avoid conflicts
const scopedName = `plugin:${pluginName}:${name}`
scopedServers[scopedName] = {
...config,
scope: 'dynamic', // Use dynamic scope for plugin servers
source: pluginName,
}
}
return scopedServers
}
/**
* Get LSP servers from a specific plugin with environment variable resolution and scoping
* This function is called when the LSP servers need to be activated and ensures they have
* the proper environment variables and scope applied
*/
export async function getPluginLspServers(
plugin: LoadedPlugin,
errors: PluginError[] = [],
): Promise<Record<string, ScopedLspServerConfig> | undefined> {
if (!plugin.enabled) {
return undefined
}
// Use cached servers if available
const servers =
plugin.lspServers || (await loadPluginLspServers(plugin, errors))
if (!servers) {
return undefined
}
// Resolve environment variables. Top-level manifest.userConfig values
// become available as ${user_config.KEY} in LSP command/args/env.
// Gate on manifest.userConfig β same rationale as buildMcpUserConfig:
// loadPluginOptions always returns {} so without this guard userConfig is
// truthy for every plugin and substituteUserConfigVariables throws on any
// unresolved ${user_config.X}. Also skips unneeded keychain reads.
const userConfig = plugin.manifest.userConfig
? loadPluginOptions(getPluginStorageId(plugin))
: undefined
const resolvedServers: Record<string, LspServerConfig> = {}
for (const [name, config] of Object.entries(servers)) {
resolvedServers[name] = resolvePluginLspEnvironment(
config,
plugin,
userConfig,
errors,
)
}
// Add plugin scope
return addPluginScopeToLspServers(resolvedServers, plugin.name)
}
/**
* Extract all LSP servers from loaded plugins
*/
export async function extractLspServersFromPlugins(
plugins: LoadedPlugin[],
errors: PluginError[] = [],
): Promise<Record<string, ScopedLspServerConfig>> {
const allServers: Record<string, ScopedLspServerConfig> = {}
for (const plugin of plugins) {
if (!plugin.enabled) continue
const servers = await loadPluginLspServers(plugin, errors)
if (servers) {
const scopedServers = addPluginScopeToLspServers(servers, plugin.name)
Object.assign(allServers, scopedServers)
// Store the servers on the plugin for caching
plugin.lspServers = servers
logForDebugging(
`Loaded ${Object.keys(servers).length} LSP servers from plugin ${plugin.name}`,
)
}
}
return allServers
}