resolveSymlink and resolveSymlinkAsync incorrectly resolved relative symlinks by using path.resolve(filePath, '..', linkTarget). This fails when symlinks use multi-level relative paths (e.g. ../../skills/...) or when symlinks are chained (symlink pointing to a directory containing more symlinks). Replace with fs.realpathSync/fs.realpath which delegates to the OS for correct resolution of all symlink types: relative, absolute, chained, and nested. Fixes #1738 AI-assisted-by: claude-opus-4.6 via opencode AI-contribution: partial AI-session: 20260212-120629-4gTXvDGV
31 lines
753 B
TypeScript
31 lines
753 B
TypeScript
import { lstatSync, realpathSync } from "fs"
|
|
import { promises as fs } from "fs"
|
|
|
|
export function isMarkdownFile(entry: { name: string; isFile: () => boolean }): boolean {
|
|
return !entry.name.startsWith(".") && entry.name.endsWith(".md") && entry.isFile()
|
|
}
|
|
|
|
export function isSymbolicLink(filePath: string): boolean {
|
|
try {
|
|
return lstatSync(filePath, { throwIfNoEntry: false })?.isSymbolicLink() ?? false
|
|
} catch {
|
|
return false
|
|
}
|
|
}
|
|
|
|
export function resolveSymlink(filePath: string): string {
|
|
try {
|
|
return realpathSync(filePath)
|
|
} catch {
|
|
return filePath
|
|
}
|
|
}
|
|
|
|
export async function resolveSymlinkAsync(filePath: string): Promise<string> {
|
|
try {
|
|
return await fs.realpath(filePath)
|
|
} catch {
|
|
return filePath
|
|
}
|
|
}
|