@skillkit/core 1.17.0 → 1.19.0
This diff represents the content of publicly available package versions that have been released to one of the supported registries. The information contained in this diff is provided for informational purposes only and reflects changes between package versions as they appear in their respective public registries.
- package/dist/index.d.ts +152 -1
- package/dist/index.js +1657 -1103
- package/dist/index.js.map +1 -1
- package/package.json +1 -1
package/dist/index.d.ts
CHANGED
|
@@ -2868,6 +2868,59 @@ interface SessionState {
|
|
|
2868
2868
|
* Session state file path within .skillkit directory
|
|
2869
2869
|
*/
|
|
2870
2870
|
declare const SESSION_FILE = "session.yaml";
|
|
2871
|
+
interface SkillActivity {
|
|
2872
|
+
commitSha: string;
|
|
2873
|
+
committedAt: string;
|
|
2874
|
+
activeSkills: string[];
|
|
2875
|
+
filesChanged: string[];
|
|
2876
|
+
message: string;
|
|
2877
|
+
}
|
|
2878
|
+
interface ActivityLogData {
|
|
2879
|
+
version: 1;
|
|
2880
|
+
activities: SkillActivity[];
|
|
2881
|
+
}
|
|
2882
|
+
interface SessionSnapshot {
|
|
2883
|
+
version: 1;
|
|
2884
|
+
name: string;
|
|
2885
|
+
createdAt: string;
|
|
2886
|
+
description?: string;
|
|
2887
|
+
sessionState: SessionState;
|
|
2888
|
+
observations: Array<{
|
|
2889
|
+
id: string;
|
|
2890
|
+
timestamp: string;
|
|
2891
|
+
sessionId: string;
|
|
2892
|
+
agent: string;
|
|
2893
|
+
type: string;
|
|
2894
|
+
content: Record<string, unknown>;
|
|
2895
|
+
relevance: number;
|
|
2896
|
+
}>;
|
|
2897
|
+
}
|
|
2898
|
+
interface SessionExplanation {
|
|
2899
|
+
date: string;
|
|
2900
|
+
agent: string;
|
|
2901
|
+
duration?: string;
|
|
2902
|
+
skillsUsed: Array<{
|
|
2903
|
+
name: string;
|
|
2904
|
+
status: string;
|
|
2905
|
+
}>;
|
|
2906
|
+
tasks: Array<{
|
|
2907
|
+
name: string;
|
|
2908
|
+
status: string;
|
|
2909
|
+
duration?: string;
|
|
2910
|
+
}>;
|
|
2911
|
+
filesModified: string[];
|
|
2912
|
+
decisions: Array<{
|
|
2913
|
+
key: string;
|
|
2914
|
+
value: string;
|
|
2915
|
+
}>;
|
|
2916
|
+
observationCounts: {
|
|
2917
|
+
errors: number;
|
|
2918
|
+
solutions: number;
|
|
2919
|
+
patterns: number;
|
|
2920
|
+
total: number;
|
|
2921
|
+
};
|
|
2922
|
+
gitCommits: number;
|
|
2923
|
+
}
|
|
2871
2924
|
|
|
2872
2925
|
/**
|
|
2873
2926
|
* Session Manager
|
|
@@ -2987,6 +3040,62 @@ declare function updateSessionFile(session: SessionFile, updates: Partial<Pick<S
|
|
|
2987
3040
|
declare function listSessions(limit?: number): SessionSummary[];
|
|
2988
3041
|
declare function getMostRecentSession(): SessionFile | null;
|
|
2989
3042
|
|
|
3043
|
+
declare class ActivityLog {
|
|
3044
|
+
private readonly filePath;
|
|
3045
|
+
private readonly projectPath;
|
|
3046
|
+
private data;
|
|
3047
|
+
constructor(projectPath: string);
|
|
3048
|
+
private createEmpty;
|
|
3049
|
+
private load;
|
|
3050
|
+
private save;
|
|
3051
|
+
record(entry: {
|
|
3052
|
+
commitSha: string;
|
|
3053
|
+
message: string;
|
|
3054
|
+
activeSkills: string[];
|
|
3055
|
+
filesChanged: string[];
|
|
3056
|
+
}): void;
|
|
3057
|
+
getByCommit(sha: string): SkillActivity | undefined;
|
|
3058
|
+
getBySkill(skillName: string): SkillActivity[];
|
|
3059
|
+
getRecent(limit?: number): SkillActivity[];
|
|
3060
|
+
getMostUsedSkills(): Array<{
|
|
3061
|
+
skill: string;
|
|
3062
|
+
count: number;
|
|
3063
|
+
}>;
|
|
3064
|
+
}
|
|
3065
|
+
|
|
3066
|
+
declare class SnapshotManager {
|
|
3067
|
+
private readonly snapshotsDir;
|
|
3068
|
+
constructor(projectPath: string);
|
|
3069
|
+
private ensureDir;
|
|
3070
|
+
private sanitizeName;
|
|
3071
|
+
private getPath;
|
|
3072
|
+
save(name: string, sessionState: SessionState, observations: SessionSnapshot['observations'], description?: string): void;
|
|
3073
|
+
restore(name: string): {
|
|
3074
|
+
sessionState: SessionState;
|
|
3075
|
+
observations: SessionSnapshot['observations'];
|
|
3076
|
+
};
|
|
3077
|
+
list(): Array<{
|
|
3078
|
+
name: string;
|
|
3079
|
+
createdAt: string;
|
|
3080
|
+
description?: string;
|
|
3081
|
+
skillCount: number;
|
|
3082
|
+
}>;
|
|
3083
|
+
get(name: string): SessionSnapshot | undefined;
|
|
3084
|
+
delete(name: string): boolean;
|
|
3085
|
+
exists(name: string): boolean;
|
|
3086
|
+
}
|
|
3087
|
+
|
|
3088
|
+
declare class SessionExplainer {
|
|
3089
|
+
private readonly projectPath;
|
|
3090
|
+
private readonly sessionManager;
|
|
3091
|
+
constructor(projectPath: string);
|
|
3092
|
+
explain(options?: {
|
|
3093
|
+
includeGit?: boolean;
|
|
3094
|
+
}): SessionExplanation;
|
|
3095
|
+
formatText(explanation: SessionExplanation): string;
|
|
3096
|
+
formatJson(explanation: SessionExplanation): string;
|
|
3097
|
+
}
|
|
3098
|
+
|
|
2990
3099
|
/**
|
|
2991
3100
|
* Workflow Types
|
|
2992
3101
|
*
|
|
@@ -4207,6 +4316,7 @@ declare class ObservationStore {
|
|
|
4207
4316
|
*/
|
|
4208
4317
|
getProjectPath(): string;
|
|
4209
4318
|
getAll(): Observation[];
|
|
4319
|
+
static readAll(projectPath: string): Observation[];
|
|
4210
4320
|
getByType(type: ObservationType): Observation[];
|
|
4211
4321
|
getByRelevance(minRelevance: number): Observation[];
|
|
4212
4322
|
getRecent(count: number): Observation[];
|
|
@@ -7852,6 +7962,13 @@ type PlanEvent = 'plan:created' | 'plan:updated' | 'plan:validated' | 'plan:exec
|
|
|
7852
7962
|
* Plan event listener
|
|
7853
7963
|
*/
|
|
7854
7964
|
type PlanEventListener = (event: PlanEvent, plan: StructuredPlan, task?: PlanTask, result?: PlanTaskResult) => void | Promise<void>;
|
|
7965
|
+
interface IssuePlanMetadata {
|
|
7966
|
+
issueNumber: number;
|
|
7967
|
+
issueUrl: string;
|
|
7968
|
+
issueLabels: string[];
|
|
7969
|
+
agent: string;
|
|
7970
|
+
generatedAt: string;
|
|
7971
|
+
}
|
|
7855
7972
|
|
|
7856
7973
|
/**
|
|
7857
7974
|
* Plan Parser
|
|
@@ -8180,6 +8297,40 @@ declare const dryRunExecutor: StepExecutor;
|
|
|
8180
8297
|
*/
|
|
8181
8298
|
declare const shellExecutor: StepExecutor;
|
|
8182
8299
|
|
|
8300
|
+
interface GitHubIssue {
|
|
8301
|
+
number: number;
|
|
8302
|
+
title: string;
|
|
8303
|
+
body: string;
|
|
8304
|
+
labels: string[];
|
|
8305
|
+
assignees: string[];
|
|
8306
|
+
url: string;
|
|
8307
|
+
state: string;
|
|
8308
|
+
}
|
|
8309
|
+
interface IssuePlanOptions {
|
|
8310
|
+
agent?: string;
|
|
8311
|
+
techStack?: string[];
|
|
8312
|
+
outputPath?: string;
|
|
8313
|
+
includeTests?: boolean;
|
|
8314
|
+
}
|
|
8315
|
+
interface ParsedRef {
|
|
8316
|
+
owner?: string;
|
|
8317
|
+
repo?: string;
|
|
8318
|
+
number: number;
|
|
8319
|
+
}
|
|
8320
|
+
interface ExtractedTask {
|
|
8321
|
+
name: string;
|
|
8322
|
+
checked: boolean;
|
|
8323
|
+
}
|
|
8324
|
+
declare class IssuePlanner {
|
|
8325
|
+
parseIssueRef(ref: string): ParsedRef;
|
|
8326
|
+
fetchIssue(ref: string): GitHubIssue;
|
|
8327
|
+
extractTasksFromBody(body: string): ExtractedTask[];
|
|
8328
|
+
extractFileMentions(text: string): string[];
|
|
8329
|
+
inferLabelsToTags(labels: string[]): string[];
|
|
8330
|
+
generatePlan(issue: GitHubIssue, options?: IssuePlanOptions): StructuredPlan;
|
|
8331
|
+
}
|
|
8332
|
+
declare function createIssuePlanner(): IssuePlanner;
|
|
8333
|
+
|
|
8183
8334
|
/**
|
|
8184
8335
|
* Command Types
|
|
8185
8336
|
*
|
|
@@ -12498,4 +12649,4 @@ declare class SkillGenerator {
|
|
|
12498
12649
|
private defaultOutputDir;
|
|
12499
12650
|
}
|
|
12500
12651
|
|
|
12501
|
-
export { AGENT_CLI_CONFIGS, AGENT_CONFIG, AGENT_DISCOVERY_PATHS, AGENT_FORMAT_MAP, AGENT_INSTRUCTION_TEMPLATES, AGENT_SKILL_FORMATS, type AIConfig, type AIGenerateOptions, AIManager, type AIProvider, AISearch, type AISearchOptions, type AISearchResult, AISkillGenerator, ALL_AGENT_DISCOVERY_PATHS, APIBasedCompressor, type APICompressionConfig, type ActivatedSkill, type ActivityPoint, type AdvancedScore, type AgentAdapterInfo, type AgentCLIConfig, type AgentCommandFormat, AgentConfig, type AgentConstraints, type AgentDirectoryConfig, type AgentExecutionResult, type AgentFormatCategory, AgentFrontmatter, AgentHook, type AgentHookFormat, type AgentInstance, type AgentInstructionTemplate, AgentLocation, AgentMetadata, AgentOptimizer, AgentPermissionMode, type AgentPipeline, type AgentSkillFormat, type AgentStatus, type AgentTranslationOptions, type AgentTranslationResult, AgentType, type AgentsMdConfig, AgentsMdGenerator, AgentsMdParser, type AgentsMdResult, type AgentsMdSection, type AggregatedContext, type Analyzer, AnthropicProvider, type AssertionResult, type AuditEvent, type AuditEventType, type AuditExportOptions, AuditLogger, type AuditQuery, type AuditStats, type AutoCompressCallback, AutoTagger, BUILTIN_PIPELINES, BaseAIProvider, type BenchmarkResult, BitbucketProvider, type BundleManifest, CATEGORY_RELEVANCE_PROMPT, CATEGORY_TAXONOMY, CIConfig, CIRCLECI_CONFIG_TEMPLATE, CONTEXT_DIR, CONTEXT_FILE, CUSTOM_AGENT_FORMAT_MAP, type CacheBackend, type CacheOptions, type CacheStats, type CanonicalAgent, type CanonicalSkill, type CategoryMapping, type CategoryScore, type CategoryStats, type ChatMessage, type CheckpointHandler, type CheckpointResponse, type ClarificationAnswer, ClarificationGenerator, type ClarificationQuestion, type ClarityScore, type ClaudeCodeHookEvent, type ClaudeCodeHookOutput, type ClaudeMdUpdateOptions, type ClaudeMdUpdateResult, ClaudeMdUpdater, type CloneOptions, type CloneResult, CodeConvention, CodebaseSource, type CommandArg, type CommandBundle, type CommandContext, type CommandEvent, type CommandEventListener, CommandGenerator, type CommandGeneratorOptions, type CommandHandler, type CommandPlugin, CommandRegistry, type CommandRegistryOptions, type CommandResult, type CommandSearchOptions, type CommandValidationResult, CommunityRegistry, type CompatibilityMatrix, type CompatibilityScore, CompatibilityScorer, type CompletenessResult, type ComposableSkill, type ComposeOptions, type ComposedSkill, type CompositionResult, type CompressedLearning, type CompressionEngine, type CompressionOptions, type CompressionResult, type ConnectorAnalysis, type ConnectorCategory, ConnectorCategorySchema, type ConnectorConfig, ConnectorConfigSchema, type ConnectorMapping, ConnectorMappingSchema, type ConnectorPlaceholder, ConnectorPlaceholderSchema, ContentExtractor, type ContextCategory, type ContextChunk, ContextEngine, type ContextEngineOptions, type ContextExportOptions, type ContextFetchOptions, type ContextImportOptions, type ContextLoadOptions, ContextLoader, ContextManager, type ContextSource, type ContextSourceConfig, ContextSync, type ContextSyncOptions, CopilotTranslator, type CrossAgentSkill, type CurrentExecution, CursorTranslator, type CustomAgent, DEFAULT_CACHE_TTL, DEFAULT_CHUNKING_CONFIG, DEFAULT_CONTEXT_CATEGORIES, DEFAULT_GUIDELINE_CONFIG, DEFAULT_HYBRID_CONFIG, DEFAULT_LEARNING_CONFIG, DEFAULT_MEMORY_CONFIG, DEFAULT_MEMORY_HOOK_CONFIG, DEFAULT_PROFILE_CONFIG, DEFAULT_REASONING_CONFIG, DEFAULT_SCORING_WEIGHTS, DEFAULT_SKILL_SOURCES, DependencyInfo, type DetailsEntry, Detection, type DetectionSource, type DiscoveredSkill, DockerConfig, DocsSource, EXPLANATION_PROMPT, EmbeddingService, type EmbeddingServiceStats, EnvConfig, type EvolvingPattern, type ExecutableSkill, type ExecutableTask, type ExecutableTaskType, type ExecutionContext, type ExecutionFlow, type ExecutionFlowConfig, ExecutionFlowSchema, type ExecutionHistory, ExecutionManager, type ExecutionMode, type ExecutionModeConfig, type ExecutionOptions, type ExecutionProgressCallback, type ExecutionProgressEvent, type ExecutionStep, ExecutionStepSchema, type ExecutionStepStatus, ExecutionStepStatusSchema, type ExecutionStrategy, type ExecutionTaskStatus, type ExpandedQuery, type ExplainedMatch, type ExplainedMatchDetails, type ExplainedRecommendation, type ExplainedScoredSkill, type ExternalRegistry, type ExternalSkill, type ExtractedContent, type ExtractionOptions, type FederatedResult, FederatedSearch, type FeedbackResult, type FetchedSkill, type Finding, type FlowMetrics, type FlowSummary, type FormatCategory, type FormatTranslator, type FreshnessResult, GITHUB_ACTION_TEMPLATE, GITLAB_CI_TEMPLATE, type GenerateOptions, type GeneratedInstruction, type GeneratedSkill, type GeneratedSkillPreview, type GeneratedSkillResult, type GenerationContext, type GitAnalysisOptions, type GitAnalysisResult, type GitAnalysisSummary, type GitCommit, type GitFileChange, GitHubProvider, GitHubSkillRegistry, GitLabProvider, GitProvider, type GitProviderAdapter, GoogleProvider, type Guideline, type GuidelineCategory, type GuidelineConfig, type HookConfig, type HookContext, type HookError, type HookEvent, type HookEventListener, HookManager, type HookManagerOptions, type HookTriggerResult, type HybridSearchOptions, HybridSearchPipeline, type HybridSearchResponse, type HybridSearchResult, INDEX_CACHE_HOURS, INDEX_PATH, type ImportOptions, type IndexBuildCallback, type IndexBuildProgress, type IndexEntry, type IndexSource, type InjectedMemory, type InjectionDetectionResult, InjectionDetector, type InjectionMode, type InjectionOptions, type InjectionResult, type InjectionThreat, type InjectionType, type InstallOptions, type InstallResult$1 as InstallResult, type InstalledPackInfo, type InstalledSkillInfo, type IssueSeverity, KNOWN_SKILL_REPOS, type LLMProvider, type LLMResponse, type SearchResult as LLMSearchResult, type LearnedPattern, type LearnedSkillOutput, type Learning, type LearningConfig, LearningConsolidator, LearningStore, type LearningStoreData, type LoadedContext, type LocalModelConfig, LocalModelConfigSchema, LocalModelManager, LocalProvider, MARKETPLACE_CACHE_FILE, MODEL_REGISTRY, ManifestAnalyzer, MarketplaceAggregator, type MarketplaceConfig, type MarketplaceIndex, type MarketplaceSearchOptions, type MarketplaceSearchResult, type MarketplaceSkill, type MatchCategory, type MatchReason, type MatcherFunction, MemoryCache, MemoryCompressor, type MemoryConfig, MemoryEnabledEngine, type MemoryEnabledEngineOptions, type MemoryFull, type MemoryHookConfig, MemoryHookManager, type MemoryHookStats, type MemoryIndex, MemoryIndexStore, MemoryInjector, MemoryObserver, type MemoryObserverConfig, type MemoryPaths, type MemoryPattern, type MemoryPreview, type MemorySearchOptions, type MemorySearchResult, MemorySource, type MemoryStatus, type MemorySummary, type MergeReport, type MessageHandler, type MessageType, MethodologyLoader, MethodologyManager, type MethodologyManagerOptions, type MethodologyPack, type MethodologySearchQuery, type MethodologySearchResult, type MethodologySkill, type MethodologySkillMetadata, type MethodologyState, type MethodologySyncResult, MockAIProvider, type ModeCapabilities, type ModeDetectionResult, type ObservableEvent, type ObservableEventType, type Observation, type ObservationContent, ObservationStore, type ObservationStoreData, type ObservationStoreOptions, type ObservationType, OllamaProvider, OpenAIProvider, OpenRouterProvider, type OperationalProfile, type OptimizationResult, type OrchestratorOptions, type OrchestratorTaskStatus, type OrchestratorTeamConfig, PRE_COMMIT_CONFIG_TEMPLATE, PRE_COMMIT_HOOK_TEMPLATE, PROJECT_TYPE_HINTS, PackageManager, type ParseOptions, type ParsedClaudeMd, type ParsedSkillContent, type PatternCategory, type PatternDomain, type PatternExtractionResult, type PatternGenerateOptions, type PatternStore, type PipelineStage, type PlaceholderMatch, type PlaceholderReplacement, type PlanEvent, type PlanEventListener, type PlanExecutionOptions, type PlanExecutionResult, PlanExecutor, PlanGenerator, PlanParser, type PlanResult, type PlanStatus, type PlanStep, type PlanTask, type PlanTaskFiles, type PlanTaskResult, type PlanValidationResult, PlanValidator, type Plugin, type PluginConfig, type PluginContext, type PluginHooks, PluginLoader, PluginManager, type PluginMetadata, PostToolUseHook, PrimerAnalysis, PrimerAnalyzer, PrimerGenerator, PrimerLanguage, type PrimerOptions, type PrimerResult, type ProfileConfig, type ProfileName, ProgressiveDisclosureManager, type ProgressiveDisclosureOptions, ProjectContext, ProjectDetector, ProjectPatterns, type ProjectProfile, ProjectStack, ProjectStructure, type ProviderCapabilities, type ProviderConfig, type ProviderDetectionResult, ProviderFactory, type ProviderName, type ProviderPlugin, type QualityScore, QueryExpander, type RRFInput, type RRFRanking, type RankableSkill, type RankedSkill, type RankerResult, RateLimitError, type ReasoningCacheEntry, type ReasoningConfig, ReasoningEngine, type ReasoningEngineStats, type ReasoningPrompt, type ReasoningProvider, ReasoningProviderSchema, type ReasoningRecommendOptions, ReasoningRecommendationEngine, type ReasoningRecommendationResult, type RecommendHybridSearchOptions, type RecommendHybridSearchResult, type RecommendOptions, RecommendationEngine, type RecommendationResult, type RegisteredCommand, type RegistrySkill, type RelatedSkillResult, type RelationType, RelevanceRanker, type RerankerInput, type RerankerOutput, type ReviewIssue, type ReviewResult, type ReviewStage, type ReviewStageName, RuleBasedCompressor, type RuntimeSkillSource, SEARCH_PLANNING_PROMPT, SESSION_FILE, SKILL_DISCOVERY_PATHS, SKILL_MATCH_PROMPT, STANDARD_PLACEHOLDERS, STEP_HANDLERS, type SaveGenerateOptions, type SaveGeneratedSkill, type ScanOptions, type ScanResult, type ScoreBreakdown, type ScoredSkill, type ScoringWeights, type SearchOptions, type SearchPlan, type SearchResult$1 as SearchResult, type SearchableSkill, SecretsAnalyzer, type SecurityRule, type SessionContext, type SessionDecision, type SessionEndContext, SessionEndHook, type SessionEndResult, type SessionFile, SessionManager, type SessionMessage, type SessionStartContext, SessionStartHook, type SessionStartResult, type SessionState, type SessionSummary, type SessionTask, Severity, type ShareOptions, type SharedSkill, Skill, SkillAnalyzer, SkillBundle, type SkillChunk, SkillChunkSchema, SkillComposer, type SkillEmbedding, type SkillEntry, type SkillExample, SkillExecutionEngine, type SkillExecutionEvent, type SkillExecutionResult, type SkillExecutor, type SkillExecutorOptions, SkillFrontmatter, SkillGenerator, type SkillGraph, type SkillHook, type SkillIndex, SkillInjector, SkillLocation, SkillMdTranslator, SkillMerger, SkillMetadata, type SkillNode, SkillPreferences, type SkillReference, type SkillRelation, type SkillRequirements, SkillScanner, type SkillSource, SkillSummary, type SkillTestCase, type SkillTestSuite, type SkillToSubagentOptions, type SkillTranslationOptions, type SkillTranslationResult, type SkillTree, SkillTreeSchema, SkillTriggerEngine, SkillWizard, SkillkitConfig, type SkillsManifest, SkillsSource, type SlashCommand, type SlashCommandResult, type SourceSummary, type SpecCheck, type SpecValidationOptions, type SpecValidationResult, SpecValidator, type SpecificityScore, StaticAnalyzer, type StepDefinition, type StepExecutor, type StepResult, type StepType, type StructureScore, type StructuredPlan, type SyncOptions, type SyncReport, type SyncResult, TAG_TO_CATEGORY, TAG_TO_TECH, TASK_TEMPLATES, THREAT_TAXONOMY, TREE_FILE_NAME, type Task, type TaskEvent, type TaskEventListener, type TaskExecutionResult, type TaskFiles, type TaskFilter, TaskManager, type TaskPlan, type TaskResult, type TaskStatus, type TaskStep, type TaskTemplate, type Team, type TeamConfig, type TeamEvent, type TeamEventListener, TeamManager, type TeamMember, type TeamMessage, TeamMessageBus, TeamOrchestrator, type TeamRegistry, type TeamStatus, type TestAssertion, type TestAssertionType, type TestCaseResult, type TestProgressEvent, type TestResult, type TestRunnerOptions, type TestSuiteResult, ThreatCategory, type TimelineEntry, type ToolUseCaptureResult, type ToolUseEvent, TranslatableSkillFrontmatter, type TranslationOptions, type TranslationPath, type TranslationResult, type TranslatorPlugin, TranslatorRegistry, TreeGenerator, type TreeGeneratorOptions, type TreeNode, TreeNodeSchema, type TreePath, type TreeReasoningResult, type TreeSearchQuery, type TreeSearchResult, type TreeTraversalStep, type TriggerEngineOptions, type TrustBreakdown, type TrustScore, type TrustScoreOptions, TrustScorer, type UpdateOptions, type ValidationError, type ValidationIssue, type ValidationResult, type ValidationWarning, type ValidatorOptions, type VectorSearchResult, VectorStore, type VectorStoreConfig, type VerificationRule, WORKFLOWS_DIR, WORKFLOW_EXTENSION, type WaveExecutionStatus, type WellKnownIndex, WellKnownProvider, type WellKnownSkill, WindsurfTranslator, type WizardContext, type WizardError, type WizardEvents, type InstallResult as WizardInstallResult, type WizardOptions, type WizardState, type WizardStep, type Workflow, type WorkflowExecution, type WorkflowExecutionStatus, WorkflowOrchestrator, type WorkflowProgressCallback, type WorkflowSkill, type WorkflowWave, addCustomGuideline, addCustomProfile, addPattern, addToManifest, agentExists, analyzeForPrimer, analyzeGitHistory, analyzePlaceholders, analyzePrimer, analyzeProject, applyConnectorConfig, applyPositionAwareBlending, approvePattern, benchmarkSkill, buildCategoryRelevancePrompt, buildExplanationPrompt, buildSearchPlanPrompt, buildSkillGraph, buildSkillIndex, buildSkillMatchPrompt, calculateBaseSkillsUrl, calculatePercentile, canTranslate, clusterPatterns, compareTreeVersions, computeRRFScore, copilotTranslator, createAPIBasedCompressor, createClaudeMdUpdater, createCommandGenerator, createCommandRegistry, createConnectorConfig, createContextLoader, createContextManager, createContextSync, createEmbeddingService, createExecutionEngine, createExecutionManager, createHookManager, createHybridSearchPipeline, createInitialState, createMarketplaceAggregator, createMemoryCompressor, createMemoryEnabledEngine, createMemoryHookManager, createMemoryInjector, createMemoryObserver, createMessageBus, createMethodologyLoader, createMethodologyManager, createModeAwareExecutor, createPlanExecutor, createPlanGenerator, createPlanParser, createPlanValidator, createPluginManager, createPostToolUseHook, createProgressiveDisclosureManager, createProvider, createQueryExpander, createQuestionFromPattern, createReasoningEngine, createReasoningRecommendationEngine, createRecommendationEngine, createRuleBasedCompressor, createSessionEndHook, createSessionFile, createSessionManager, createSessionStartHook, createSimulatedSkillExecutor, createSkillBundle, createSkillExecutor, createTaskManager, createTeamManager, createTeamOrchestrator, createTestSuiteFromFrontmatter, createTriggerEngine, createVectorStore, createWorkflowOrchestrator, createWorkflowTemplate, cursorTranslator, deserializeGraph, deserializeTree, detectCategory, detectExecutionMode, detectPlaceholders, detectProvider, detectProviders, detectSkillFormat, disableGuideline, discoverAgents, discoverAgentsForAgent, discoverAgentsFromPath, discoverAgentsRecursive, discoverGlobalAgents, discoverReferences, discoverSkills, dryRunExecutor, enableGuideline, estimateTokens, evaluateSkillContent, evaluateSkillDirectory, evaluateSkillFile, executePostToolUseHook, executeSessionEndHook, executeSessionStartHook, executeWithAgent, expandQuerySimple, exportBundle, exportPatternsAsJson, extractAgentContent, extractAgentFrontmatter, extractField, extractFrontmatter, extractJsonFromResponse, extractPatternsFromSession, extractSkillMetadata, fetchSkillsFromRepo, findAgent, findAllAgents, findAllSkills, findManifestPath, findSkill, findSkillsByRelationType, findSkillsInCategory, formatBytes, formatJson, formatResult, formatSarif, formatSkillAsPrompt, formatSummary, formatTable, fromCanonicalAgent, fuseWithRRF, generateComparisonNotes, generateConnectorsMarkdown, generateManifestFromInstalled, generatePatternReport, generatePrimer, generatePrimerForAgent, generateRecommendations, generateSkillFromPatterns, generateSkillTree, generateSkillsConfig, generateSubagentFromSkill, generateWellKnownIndex, generateWellKnownStructure, getActiveProfile, getAgentCLIConfig, getAgentConfigFile, getAgentConfigPath, getAgentDirectoryConfig, getAgentFilename, getAgentFormat, getAgentSkillsDir, getAgentStats, getAgentTargetDirectory, getAgentsDirectory, getAllCategories, getAllGuidelines, getAllPatterns, getAllProfiles, getAllProviders, getAllRules, getAllSkillsDirs, getApprovedPatterns, getAvailableCLIAgents, getBuiltinGuidelines, getBuiltinPacksDir, getBuiltinPipeline, getBuiltinPipelines, getBuiltinProfiles, getCICDTemplate, getCategoryStats, getConfigFile, getConfigFormat, getDefaultConfigPath, getDefaultModelDir, getDefaultProvider, getDefaultSeverity, getDefaultStorePath, getEnabledGuidelineContent, getEnabledGuidelines, getEvolvingPattern, getEvolvingPatternsByDomain, getExecutionStrategy, getGitCommits, getGlobalConfigPath, getGlobalSkillsDir, getGrade, getGuideline, getGuidelineContent, getGuidelinesByCategory, getHighConfidencePatterns, getIndexStatus, getInstallDir, getLowConfidencePatterns, getManualExecutionInstructions, getMemoryPaths, getMemoryStatus, getModeDescription, getMostRecentSession, getMostUsedPatterns, getNextStep, getPattern, getPatternStats, getPatternsByCategory, getPlaceholderInfo, getPreviousStep, getProfile, getProfileContext, getProfileNames, getProjectConfigPath, getProvider, getProviderEnvVars, getProviderModels, getQualityGrade, getRankFromScore, getRecentBugFixes, getRecentRefactors, getRelatedSkills, getSearchDirs, getSkillPath, getSkillsDir, getStackTags, getStandaloneAlternative, getStepNumber, getStepOrder, getSupportedTranslationAgents, getTechTags, getThreatInfo, getTotalSteps, globalMemoryDirectoryExists, hybridSearch, importBundle, importPatternsFromJson, initContext, initManifest, initProject, initializeMemoryDirectory, isAgentCLIAvailable, isAgentCompatible, isBuiltinGuideline, isBuiltinProfile, isGitUrl, isGuidelineEnabled, isHighQuality, isIndexStale, isLocalPath, isPathInside, isProviderConfigured, listCICDTemplates, listSessions, listWorkflows, loadAgentMetadata, loadAndConvertSkill, loadConfig, loadContext, loadGuidelineConfig, loadIndex, loadLearningConfig, loadManifest, loadMetadata, loadPatternStore, loadPlugin, loadPluginsFromDirectory, loadProfileConfig, loadSessionFile, loadSkillMetadata, loadTree, loadWorkflow, loadWorkflowByName, memoryDirectoryExists, mergePatterns, mergeRankings, normalizeScores, parseAgentDir, parseAgentFile, parseShorthand, parseSkill, parseSkillContent, parseSkillContentToCanonical, parseSkillMd, parseSkillToCanonical, parseSource, parseWorkflow, quickInjectionCheck, quickTrustScore, readAgentContent, readSkillContent, recordFailure, recordSuccess, rejectPattern, removeCustomGuideline, removeCustomProfile, removeFromManifest, removePattern, replacePlaceholders, requireCapability, requireEnhancedMode, runTestSuite, sanitizeSkillContent, saveConfig, saveGeneratedSkill, saveGuidelineConfig, saveIndex, saveLearningConfig, saveManifest, savePatternStore, saveProfileConfig, saveSessionFile, saveSkillMetadata, saveTree, saveWorkflow, serializeGraph, serializeTree, serializeWorkflow, setActiveProfile, setSkillEnabled, shellExecutor, skillMdTranslator, skillToSubagent, stripFrontmatter, suggestMappingsFromMcp, supportsAutoDiscovery, supportsSlashCommands, syncGlobalClaudeMd, syncToAgent, syncToAllAgents, toCanonicalAgent, translateAgent, translateAgentContent, translateAgents, translateCanonicalAgent, translateSkill, translateSkillFile, translateSkillToAgent, translateSkillToAll, translatorRegistry, treeToMarkdown, treeToText, updateClaudeMd, updateSessionFile, validateAgent, validateBuiltinPacks, validateCategoryScore, validateConnectorConfig, validatePackDirectory, validatePackManifest, validatePlan, validateSearchPlan, validateSkill, validateSkillContent, validateWorkflow, weightedCombine, windsurfTranslator, wrapProgressCallbackWithMemory, writeTranslatedSkill };
|
|
12652
|
+
export { AGENT_CLI_CONFIGS, AGENT_CONFIG, AGENT_DISCOVERY_PATHS, AGENT_FORMAT_MAP, AGENT_INSTRUCTION_TEMPLATES, AGENT_SKILL_FORMATS, type AIConfig, type AIGenerateOptions, AIManager, type AIProvider, AISearch, type AISearchOptions, type AISearchResult, AISkillGenerator, ALL_AGENT_DISCOVERY_PATHS, APIBasedCompressor, type APICompressionConfig, type ActivatedSkill, ActivityLog, type ActivityLogData, type ActivityPoint, type AdvancedScore, type AgentAdapterInfo, type AgentCLIConfig, type AgentCommandFormat, AgentConfig, type AgentConstraints, type AgentDirectoryConfig, type AgentExecutionResult, type AgentFormatCategory, AgentFrontmatter, AgentHook, type AgentHookFormat, type AgentInstance, type AgentInstructionTemplate, AgentLocation, AgentMetadata, AgentOptimizer, AgentPermissionMode, type AgentPipeline, type AgentSkillFormat, type AgentStatus, type AgentTranslationOptions, type AgentTranslationResult, AgentType, type AgentsMdConfig, AgentsMdGenerator, AgentsMdParser, type AgentsMdResult, type AgentsMdSection, type AggregatedContext, type Analyzer, AnthropicProvider, type AssertionResult, type AuditEvent, type AuditEventType, type AuditExportOptions, AuditLogger, type AuditQuery, type AuditStats, type AutoCompressCallback, AutoTagger, BUILTIN_PIPELINES, BaseAIProvider, type BenchmarkResult, BitbucketProvider, type BundleManifest, CATEGORY_RELEVANCE_PROMPT, CATEGORY_TAXONOMY, CIConfig, CIRCLECI_CONFIG_TEMPLATE, CONTEXT_DIR, CONTEXT_FILE, CUSTOM_AGENT_FORMAT_MAP, type CacheBackend, type CacheOptions, type CacheStats, type CanonicalAgent, type CanonicalSkill, type CategoryMapping, type CategoryScore, type CategoryStats, type ChatMessage, type CheckpointHandler, type CheckpointResponse, type ClarificationAnswer, ClarificationGenerator, type ClarificationQuestion, type ClarityScore, type ClaudeCodeHookEvent, type ClaudeCodeHookOutput, type ClaudeMdUpdateOptions, type ClaudeMdUpdateResult, ClaudeMdUpdater, type CloneOptions, type CloneResult, CodeConvention, CodebaseSource, type CommandArg, type CommandBundle, type CommandContext, type CommandEvent, type CommandEventListener, CommandGenerator, type CommandGeneratorOptions, type CommandHandler, type CommandPlugin, CommandRegistry, type CommandRegistryOptions, type CommandResult, type CommandSearchOptions, type CommandValidationResult, CommunityRegistry, type CompatibilityMatrix, type CompatibilityScore, CompatibilityScorer, type CompletenessResult, type ComposableSkill, type ComposeOptions, type ComposedSkill, type CompositionResult, type CompressedLearning, type CompressionEngine, type CompressionOptions, type CompressionResult, type ConnectorAnalysis, type ConnectorCategory, ConnectorCategorySchema, type ConnectorConfig, ConnectorConfigSchema, type ConnectorMapping, ConnectorMappingSchema, type ConnectorPlaceholder, ConnectorPlaceholderSchema, ContentExtractor, type ContextCategory, type ContextChunk, ContextEngine, type ContextEngineOptions, type ContextExportOptions, type ContextFetchOptions, type ContextImportOptions, type ContextLoadOptions, ContextLoader, ContextManager, type ContextSource, type ContextSourceConfig, ContextSync, type ContextSyncOptions, CopilotTranslator, type CrossAgentSkill, type CurrentExecution, CursorTranslator, type CustomAgent, DEFAULT_CACHE_TTL, DEFAULT_CHUNKING_CONFIG, DEFAULT_CONTEXT_CATEGORIES, DEFAULT_GUIDELINE_CONFIG, DEFAULT_HYBRID_CONFIG, DEFAULT_LEARNING_CONFIG, DEFAULT_MEMORY_CONFIG, DEFAULT_MEMORY_HOOK_CONFIG, DEFAULT_PROFILE_CONFIG, DEFAULT_REASONING_CONFIG, DEFAULT_SCORING_WEIGHTS, DEFAULT_SKILL_SOURCES, DependencyInfo, type DetailsEntry, Detection, type DetectionSource, type DiscoveredSkill, DockerConfig, DocsSource, EXPLANATION_PROMPT, EmbeddingService, type EmbeddingServiceStats, EnvConfig, type EvolvingPattern, type ExecutableSkill, type ExecutableTask, type ExecutableTaskType, type ExecutionContext, type ExecutionFlow, type ExecutionFlowConfig, ExecutionFlowSchema, type ExecutionHistory, ExecutionManager, type ExecutionMode, type ExecutionModeConfig, type ExecutionOptions, type ExecutionProgressCallback, type ExecutionProgressEvent, type ExecutionStep, ExecutionStepSchema, type ExecutionStepStatus, ExecutionStepStatusSchema, type ExecutionStrategy, type ExecutionTaskStatus, type ExpandedQuery, type ExplainedMatch, type ExplainedMatchDetails, type ExplainedRecommendation, type ExplainedScoredSkill, type ExternalRegistry, type ExternalSkill, type ExtractedContent, type ExtractionOptions, type FederatedResult, FederatedSearch, type FeedbackResult, type FetchedSkill, type Finding, type FlowMetrics, type FlowSummary, type FormatCategory, type FormatTranslator, type FreshnessResult, GITHUB_ACTION_TEMPLATE, GITLAB_CI_TEMPLATE, type GenerateOptions, type GeneratedInstruction, type GeneratedSkill, type GeneratedSkillPreview, type GeneratedSkillResult, type GenerationContext, type GitAnalysisOptions, type GitAnalysisResult, type GitAnalysisSummary, type GitCommit, type GitFileChange, type GitHubIssue, GitHubProvider, GitHubSkillRegistry, GitLabProvider, GitProvider, type GitProviderAdapter, GoogleProvider, type Guideline, type GuidelineCategory, type GuidelineConfig, type HookConfig, type HookContext, type HookError, type HookEvent, type HookEventListener, HookManager, type HookManagerOptions, type HookTriggerResult, type HybridSearchOptions, HybridSearchPipeline, type HybridSearchResponse, type HybridSearchResult, INDEX_CACHE_HOURS, INDEX_PATH, type ImportOptions, type IndexBuildCallback, type IndexBuildProgress, type IndexEntry, type IndexSource, type InjectedMemory, type InjectionDetectionResult, InjectionDetector, type InjectionMode, type InjectionOptions, type InjectionResult, type InjectionThreat, type InjectionType, type InstallOptions, type InstallResult$1 as InstallResult, type InstalledPackInfo, type InstalledSkillInfo, type IssuePlanMetadata, type IssuePlanOptions, IssuePlanner, type IssueSeverity, KNOWN_SKILL_REPOS, type LLMProvider, type LLMResponse, type SearchResult as LLMSearchResult, type LearnedPattern, type LearnedSkillOutput, type Learning, type LearningConfig, LearningConsolidator, LearningStore, type LearningStoreData, type LoadedContext, type LocalModelConfig, LocalModelConfigSchema, LocalModelManager, LocalProvider, MARKETPLACE_CACHE_FILE, MODEL_REGISTRY, ManifestAnalyzer, MarketplaceAggregator, type MarketplaceConfig, type MarketplaceIndex, type MarketplaceSearchOptions, type MarketplaceSearchResult, type MarketplaceSkill, type MatchCategory, type MatchReason, type MatcherFunction, MemoryCache, MemoryCompressor, type MemoryConfig, MemoryEnabledEngine, type MemoryEnabledEngineOptions, type MemoryFull, type MemoryHookConfig, MemoryHookManager, type MemoryHookStats, type MemoryIndex, MemoryIndexStore, MemoryInjector, MemoryObserver, type MemoryObserverConfig, type MemoryPaths, type MemoryPattern, type MemoryPreview, type MemorySearchOptions, type MemorySearchResult, MemorySource, type MemoryStatus, type MemorySummary, type MergeReport, type MessageHandler, type MessageType, MethodologyLoader, MethodologyManager, type MethodologyManagerOptions, type MethodologyPack, type MethodologySearchQuery, type MethodologySearchResult, type MethodologySkill, type MethodologySkillMetadata, type MethodologyState, type MethodologySyncResult, MockAIProvider, type ModeCapabilities, type ModeDetectionResult, type ObservableEvent, type ObservableEventType, type Observation, type ObservationContent, ObservationStore, type ObservationStoreData, type ObservationStoreOptions, type ObservationType, OllamaProvider, OpenAIProvider, OpenRouterProvider, type OperationalProfile, type OptimizationResult, type OrchestratorOptions, type OrchestratorTaskStatus, type OrchestratorTeamConfig, PRE_COMMIT_CONFIG_TEMPLATE, PRE_COMMIT_HOOK_TEMPLATE, PROJECT_TYPE_HINTS, PackageManager, type ParseOptions, type ParsedClaudeMd, type ParsedSkillContent, type PatternCategory, type PatternDomain, type PatternExtractionResult, type PatternGenerateOptions, type PatternStore, type PipelineStage, type PlaceholderMatch, type PlaceholderReplacement, type PlanEvent, type PlanEventListener, type PlanExecutionOptions, type PlanExecutionResult, PlanExecutor, PlanGenerator, PlanParser, type PlanResult, type PlanStatus, type PlanStep, type PlanTask, type PlanTaskFiles, type PlanTaskResult, type PlanValidationResult, PlanValidator, type Plugin, type PluginConfig, type PluginContext, type PluginHooks, PluginLoader, PluginManager, type PluginMetadata, PostToolUseHook, PrimerAnalysis, PrimerAnalyzer, PrimerGenerator, PrimerLanguage, type PrimerOptions, type PrimerResult, type ProfileConfig, type ProfileName, ProgressiveDisclosureManager, type ProgressiveDisclosureOptions, ProjectContext, ProjectDetector, ProjectPatterns, type ProjectProfile, ProjectStack, ProjectStructure, type ProviderCapabilities, type ProviderConfig, type ProviderDetectionResult, ProviderFactory, type ProviderName, type ProviderPlugin, type QualityScore, QueryExpander, type RRFInput, type RRFRanking, type RankableSkill, type RankedSkill, type RankerResult, RateLimitError, type ReasoningCacheEntry, type ReasoningConfig, ReasoningEngine, type ReasoningEngineStats, type ReasoningPrompt, type ReasoningProvider, ReasoningProviderSchema, type ReasoningRecommendOptions, ReasoningRecommendationEngine, type ReasoningRecommendationResult, type RecommendHybridSearchOptions, type RecommendHybridSearchResult, type RecommendOptions, RecommendationEngine, type RecommendationResult, type RegisteredCommand, type RegistrySkill, type RelatedSkillResult, type RelationType, RelevanceRanker, type RerankerInput, type RerankerOutput, type ReviewIssue, type ReviewResult, type ReviewStage, type ReviewStageName, RuleBasedCompressor, type RuntimeSkillSource, SEARCH_PLANNING_PROMPT, SESSION_FILE, SKILL_DISCOVERY_PATHS, SKILL_MATCH_PROMPT, STANDARD_PLACEHOLDERS, STEP_HANDLERS, type SaveGenerateOptions, type SaveGeneratedSkill, type ScanOptions, type ScanResult, type ScoreBreakdown, type ScoredSkill, type ScoringWeights, type SearchOptions, type SearchPlan, type SearchResult$1 as SearchResult, type SearchableSkill, SecretsAnalyzer, type SecurityRule, type SessionContext, type SessionDecision, type SessionEndContext, SessionEndHook, type SessionEndResult, SessionExplainer, type SessionExplanation, type SessionFile, SessionManager, type SessionMessage, type SessionSnapshot, type SessionStartContext, SessionStartHook, type SessionStartResult, type SessionState, type SessionSummary, type SessionTask, Severity, type ShareOptions, type SharedSkill, Skill, type SkillActivity, SkillAnalyzer, SkillBundle, type SkillChunk, SkillChunkSchema, SkillComposer, type SkillEmbedding, type SkillEntry, type SkillExample, SkillExecutionEngine, type SkillExecutionEvent, type SkillExecutionResult, type SkillExecutor, type SkillExecutorOptions, SkillFrontmatter, SkillGenerator, type SkillGraph, type SkillHook, type SkillIndex, SkillInjector, SkillLocation, SkillMdTranslator, SkillMerger, SkillMetadata, type SkillNode, SkillPreferences, type SkillReference, type SkillRelation, type SkillRequirements, SkillScanner, type SkillSource, SkillSummary, type SkillTestCase, type SkillTestSuite, type SkillToSubagentOptions, type SkillTranslationOptions, type SkillTranslationResult, type SkillTree, SkillTreeSchema, SkillTriggerEngine, SkillWizard, SkillkitConfig, type SkillsManifest, SkillsSource, type SlashCommand, type SlashCommandResult, SnapshotManager, type SourceSummary, type SpecCheck, type SpecValidationOptions, type SpecValidationResult, SpecValidator, type SpecificityScore, StaticAnalyzer, type StepDefinition, type StepExecutor, type StepResult, type StepType, type StructureScore, type StructuredPlan, type SyncOptions, type SyncReport, type SyncResult, TAG_TO_CATEGORY, TAG_TO_TECH, TASK_TEMPLATES, THREAT_TAXONOMY, TREE_FILE_NAME, type Task, type TaskEvent, type TaskEventListener, type TaskExecutionResult, type TaskFiles, type TaskFilter, TaskManager, type TaskPlan, type TaskResult, type TaskStatus, type TaskStep, type TaskTemplate, type Team, type TeamConfig, type TeamEvent, type TeamEventListener, TeamManager, type TeamMember, type TeamMessage, TeamMessageBus, TeamOrchestrator, type TeamRegistry, type TeamStatus, type TestAssertion, type TestAssertionType, type TestCaseResult, type TestProgressEvent, type TestResult, type TestRunnerOptions, type TestSuiteResult, ThreatCategory, type TimelineEntry, type ToolUseCaptureResult, type ToolUseEvent, TranslatableSkillFrontmatter, type TranslationOptions, type TranslationPath, type TranslationResult, type TranslatorPlugin, TranslatorRegistry, TreeGenerator, type TreeGeneratorOptions, type TreeNode, TreeNodeSchema, type TreePath, type TreeReasoningResult, type TreeSearchQuery, type TreeSearchResult, type TreeTraversalStep, type TriggerEngineOptions, type TrustBreakdown, type TrustScore, type TrustScoreOptions, TrustScorer, type UpdateOptions, type ValidationError, type ValidationIssue, type ValidationResult, type ValidationWarning, type ValidatorOptions, type VectorSearchResult, VectorStore, type VectorStoreConfig, type VerificationRule, WORKFLOWS_DIR, WORKFLOW_EXTENSION, type WaveExecutionStatus, type WellKnownIndex, WellKnownProvider, type WellKnownSkill, WindsurfTranslator, type WizardContext, type WizardError, type WizardEvents, type InstallResult as WizardInstallResult, type WizardOptions, type WizardState, type WizardStep, type Workflow, type WorkflowExecution, type WorkflowExecutionStatus, WorkflowOrchestrator, type WorkflowProgressCallback, type WorkflowSkill, type WorkflowWave, addCustomGuideline, addCustomProfile, addPattern, addToManifest, agentExists, analyzeForPrimer, analyzeGitHistory, analyzePlaceholders, analyzePrimer, analyzeProject, applyConnectorConfig, applyPositionAwareBlending, approvePattern, benchmarkSkill, buildCategoryRelevancePrompt, buildExplanationPrompt, buildSearchPlanPrompt, buildSkillGraph, buildSkillIndex, buildSkillMatchPrompt, calculateBaseSkillsUrl, calculatePercentile, canTranslate, clusterPatterns, compareTreeVersions, computeRRFScore, copilotTranslator, createAPIBasedCompressor, createClaudeMdUpdater, createCommandGenerator, createCommandRegistry, createConnectorConfig, createContextLoader, createContextManager, createContextSync, createEmbeddingService, createExecutionEngine, createExecutionManager, createHookManager, createHybridSearchPipeline, createInitialState, createIssuePlanner, createMarketplaceAggregator, createMemoryCompressor, createMemoryEnabledEngine, createMemoryHookManager, createMemoryInjector, createMemoryObserver, createMessageBus, createMethodologyLoader, createMethodologyManager, createModeAwareExecutor, createPlanExecutor, createPlanGenerator, createPlanParser, createPlanValidator, createPluginManager, createPostToolUseHook, createProgressiveDisclosureManager, createProvider, createQueryExpander, createQuestionFromPattern, createReasoningEngine, createReasoningRecommendationEngine, createRecommendationEngine, createRuleBasedCompressor, createSessionEndHook, createSessionFile, createSessionManager, createSessionStartHook, createSimulatedSkillExecutor, createSkillBundle, createSkillExecutor, createTaskManager, createTeamManager, createTeamOrchestrator, createTestSuiteFromFrontmatter, createTriggerEngine, createVectorStore, createWorkflowOrchestrator, createWorkflowTemplate, cursorTranslator, deserializeGraph, deserializeTree, detectCategory, detectExecutionMode, detectPlaceholders, detectProvider, detectProviders, detectSkillFormat, disableGuideline, discoverAgents, discoverAgentsForAgent, discoverAgentsFromPath, discoverAgentsRecursive, discoverGlobalAgents, discoverReferences, discoverSkills, dryRunExecutor, enableGuideline, estimateTokens, evaluateSkillContent, evaluateSkillDirectory, evaluateSkillFile, executePostToolUseHook, executeSessionEndHook, executeSessionStartHook, executeWithAgent, expandQuerySimple, exportBundle, exportPatternsAsJson, extractAgentContent, extractAgentFrontmatter, extractField, extractFrontmatter, extractJsonFromResponse, extractPatternsFromSession, extractSkillMetadata, fetchSkillsFromRepo, findAgent, findAllAgents, findAllSkills, findManifestPath, findSkill, findSkillsByRelationType, findSkillsInCategory, formatBytes, formatJson, formatResult, formatSarif, formatSkillAsPrompt, formatSummary, formatTable, fromCanonicalAgent, fuseWithRRF, generateComparisonNotes, generateConnectorsMarkdown, generateManifestFromInstalled, generatePatternReport, generatePrimer, generatePrimerForAgent, generateRecommendations, generateSkillFromPatterns, generateSkillTree, generateSkillsConfig, generateSubagentFromSkill, generateWellKnownIndex, generateWellKnownStructure, getActiveProfile, getAgentCLIConfig, getAgentConfigFile, getAgentConfigPath, getAgentDirectoryConfig, getAgentFilename, getAgentFormat, getAgentSkillsDir, getAgentStats, getAgentTargetDirectory, getAgentsDirectory, getAllCategories, getAllGuidelines, getAllPatterns, getAllProfiles, getAllProviders, getAllRules, getAllSkillsDirs, getApprovedPatterns, getAvailableCLIAgents, getBuiltinGuidelines, getBuiltinPacksDir, getBuiltinPipeline, getBuiltinPipelines, getBuiltinProfiles, getCICDTemplate, getCategoryStats, getConfigFile, getConfigFormat, getDefaultConfigPath, getDefaultModelDir, getDefaultProvider, getDefaultSeverity, getDefaultStorePath, getEnabledGuidelineContent, getEnabledGuidelines, getEvolvingPattern, getEvolvingPatternsByDomain, getExecutionStrategy, getGitCommits, getGlobalConfigPath, getGlobalSkillsDir, getGrade, getGuideline, getGuidelineContent, getGuidelinesByCategory, getHighConfidencePatterns, getIndexStatus, getInstallDir, getLowConfidencePatterns, getManualExecutionInstructions, getMemoryPaths, getMemoryStatus, getModeDescription, getMostRecentSession, getMostUsedPatterns, getNextStep, getPattern, getPatternStats, getPatternsByCategory, getPlaceholderInfo, getPreviousStep, getProfile, getProfileContext, getProfileNames, getProjectConfigPath, getProvider, getProviderEnvVars, getProviderModels, getQualityGrade, getRankFromScore, getRecentBugFixes, getRecentRefactors, getRelatedSkills, getSearchDirs, getSkillPath, getSkillsDir, getStackTags, getStandaloneAlternative, getStepNumber, getStepOrder, getSupportedTranslationAgents, getTechTags, getThreatInfo, getTotalSteps, globalMemoryDirectoryExists, hybridSearch, importBundle, importPatternsFromJson, initContext, initManifest, initProject, initializeMemoryDirectory, isAgentCLIAvailable, isAgentCompatible, isBuiltinGuideline, isBuiltinProfile, isGitUrl, isGuidelineEnabled, isHighQuality, isIndexStale, isLocalPath, isPathInside, isProviderConfigured, listCICDTemplates, listSessions, listWorkflows, loadAgentMetadata, loadAndConvertSkill, loadConfig, loadContext, loadGuidelineConfig, loadIndex, loadLearningConfig, loadManifest, loadMetadata, loadPatternStore, loadPlugin, loadPluginsFromDirectory, loadProfileConfig, loadSessionFile, loadSkillMetadata, loadTree, loadWorkflow, loadWorkflowByName, memoryDirectoryExists, mergePatterns, mergeRankings, normalizeScores, parseAgentDir, parseAgentFile, parseShorthand, parseSkill, parseSkillContent, parseSkillContentToCanonical, parseSkillMd, parseSkillToCanonical, parseSource, parseWorkflow, quickInjectionCheck, quickTrustScore, readAgentContent, readSkillContent, recordFailure, recordSuccess, rejectPattern, removeCustomGuideline, removeCustomProfile, removeFromManifest, removePattern, replacePlaceholders, requireCapability, requireEnhancedMode, runTestSuite, sanitizeSkillContent, saveConfig, saveGeneratedSkill, saveGuidelineConfig, saveIndex, saveLearningConfig, saveManifest, savePatternStore, saveProfileConfig, saveSessionFile, saveSkillMetadata, saveTree, saveWorkflow, serializeGraph, serializeTree, serializeWorkflow, setActiveProfile, setSkillEnabled, shellExecutor, skillMdTranslator, skillToSubagent, stripFrontmatter, suggestMappingsFromMcp, supportsAutoDiscovery, supportsSlashCommands, syncGlobalClaudeMd, syncToAgent, syncToAllAgents, toCanonicalAgent, translateAgent, translateAgentContent, translateAgents, translateCanonicalAgent, translateSkill, translateSkillFile, translateSkillToAgent, translateSkillToAll, translatorRegistry, treeToMarkdown, treeToText, updateClaudeMd, updateSessionFile, validateAgent, validateBuiltinPacks, validateCategoryScore, validateConnectorConfig, validatePackDirectory, validatePackManifest, validatePlan, validateSearchPlan, validateSkill, validateSkillContent, validateWorkflow, weightedCombine, windsurfTranslator, wrapProgressCallbackWithMemory, writeTranslatedSkill };
|