@kya-os/mcp-i-core 1.3.0 → 1.3.1

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.
@@ -1,71 +0,0 @@
1
- /**
2
- * Platform-agnostic cache interface for OAuth provider configurations
3
- *
4
- * This interface allows different runtime adapters to provide their own
5
- * caching implementations (e.g., in-memory for Node.js, KV for Cloudflare)
6
- *
7
- * @package @kya-os/mcp-i-core
8
- */
9
- /**
10
- * In-memory cache implementation
11
- *
12
- * Suitable for:
13
- * - Node.js runtimes
14
- * - Development/testing
15
- * - Single-instance deployments
16
- *
17
- * NOT suitable for:
18
- * - Multi-instance deployments (cache not shared)
19
- * - Serverless environments (state not persisted)
20
- */
21
- export class InMemoryOAuthConfigCache {
22
- cache = new Map();
23
- async get(key) {
24
- const entry = this.cache.get(key);
25
- if (!entry) {
26
- return null;
27
- }
28
- // Check if expired
29
- if (Date.now() > entry.expiresAt) {
30
- this.cache.delete(key);
31
- return null;
32
- }
33
- return entry.value;
34
- }
35
- async set(key, value, ttl) {
36
- // If TTL is <= 0, don't store (entry would be immediately expired)
37
- if (ttl <= 0) {
38
- return;
39
- }
40
- const expiresAt = Date.now() + ttl;
41
- this.cache.set(key, { value, expiresAt });
42
- }
43
- async clear() {
44
- this.cache.clear();
45
- }
46
- async delete(key) {
47
- this.cache.delete(key);
48
- }
49
- }
50
- /**
51
- * No-op cache implementation (disables caching)
52
- *
53
- * Use when:
54
- * - You want to disable caching entirely
55
- * - Testing scenarios that require fresh data
56
- */
57
- export class NoOpOAuthConfigCache {
58
- async get(_key) {
59
- return null;
60
- }
61
- async set(_key, _value, _ttl) {
62
- // No-op
63
- }
64
- async clear() {
65
- // No-op
66
- }
67
- async delete(_key) {
68
- // No-op
69
- }
70
- }
71
- //# sourceMappingURL=oauth-config-cache.js.map
@@ -1,38 +0,0 @@
1
- /**
2
- * Base Provider Classes
3
- *
4
- * Abstract classes that define the provider interfaces for
5
- * platform-specific implementations.
6
- */
7
- /**
8
- * Cryptographic operations provider
9
- */
10
- export class CryptoProvider {
11
- }
12
- /**
13
- * Clock/timing operations provider
14
- */
15
- export class ClockProvider {
16
- }
17
- /**
18
- * Network fetch operations provider
19
- */
20
- export class FetchProvider {
21
- }
22
- /**
23
- * Storage operations provider
24
- */
25
- export class StorageProvider {
26
- }
27
- /**
28
- * Nonce cache provider
29
- * Handles replay prevention
30
- *
31
- * Nonces should be scoped per agent to prevent cross-agent replay attacks.
32
- * When agentDid is provided, implementations should use agent-scoped keys.
33
- */
34
- export class NonceCacheProvider {
35
- }
36
- export class IdentityProvider {
37
- }
38
- //# sourceMappingURL=base.js.map
@@ -1,113 +0,0 @@
1
- /**
2
- * OAuth Config Service
3
- *
4
- * Fetches and caches OAuth provider configurations from AgentShield API.
5
- * Provides caching with TTL to reduce API calls.
6
- *
7
- * @package @kya-os/mcp-i-core
8
- */
9
- import { InMemoryOAuthConfigCache } from "../cache/oauth-config-cache.js";
10
- /**
11
- * Service for fetching OAuth provider configurations from AgentShield API
12
- */
13
- export class OAuthConfigService {
14
- config;
15
- constructor(config) {
16
- this.config = {
17
- baseUrl: config.baseUrl,
18
- apiKey: config.apiKey,
19
- fetchProvider: config.fetchProvider,
20
- cacheTtl: config.cacheTtl ?? 5 * 60 * 1000, // Default 5 minutes
21
- logger: config.logger || (() => { }),
22
- cache: config.cache || new InMemoryOAuthConfigCache(),
23
- };
24
- }
25
- /**
26
- * Get OAuth configuration for a project
27
- *
28
- * Fetches from AgentShield API: GET /api/v1/bouncer/projects/{projectId}/providers
29
- * Caches responses with TTL to reduce API calls.
30
- *
31
- * @param projectId - Project ID to fetch config for
32
- * @returns OAuth configuration with providers object
33
- */
34
- async getOAuthConfig(projectId) {
35
- // Check cache
36
- const cached = await this.config.cache.get(projectId);
37
- if (cached) {
38
- this.config.logger("[OAuthConfigService] Cache hit", {
39
- projectId,
40
- });
41
- return cached;
42
- }
43
- // Fetch from AgentShield API
44
- const url = `${this.config.baseUrl}/api/v1/bouncer/projects/${encodeURIComponent(projectId)}/providers`;
45
- this.config.logger("[OAuthConfigService] Fetching config from API", {
46
- projectId,
47
- url,
48
- });
49
- try {
50
- const response = await this.config.fetchProvider.fetch(url, {
51
- method: "GET",
52
- headers: {
53
- Authorization: `Bearer ${this.config.apiKey}`,
54
- "Content-Type": "application/json",
55
- },
56
- });
57
- if (!response.ok) {
58
- const errorText = await response.text().catch(() => "Unknown error");
59
- throw new Error(`Failed to fetch OAuth config: ${response.status} ${response.statusText} - ${errorText}`);
60
- }
61
- const result = await response.json();
62
- // Validate response structure
63
- if (!result.success || !result.data) {
64
- throw new Error("Invalid API response: missing success or data field");
65
- }
66
- // Parse providers object
67
- const providers = result.data.providers || {};
68
- if (typeof providers !== "object" || Array.isArray(providers)) {
69
- throw new Error("Invalid API response: providers must be an object, not an array");
70
- }
71
- // Build OAuthConfig object
72
- // Note: API does NOT return defaultProvider field (Phase 1 architecture)
73
- // Phase 1 uses configured provider as temporary fallback
74
- // Phase 2+ requires tools to explicitly specify oauthProvider
75
- const config = {
76
- providers: providers,
77
- };
78
- // Cache config
79
- await this.config.cache.set(projectId, config, this.config.cacheTtl);
80
- this.config.logger("[OAuthConfigService] Config fetched and cached", {
81
- projectId,
82
- providerCount: Object.keys(providers).length,
83
- providers: Object.keys(providers),
84
- expiresAt: new Date(Date.now() + this.config.cacheTtl).toISOString(),
85
- });
86
- return config;
87
- }
88
- catch (error) {
89
- this.config.logger("[OAuthConfigService] API fetch failed", {
90
- projectId,
91
- error: error instanceof Error ? error.message : String(error),
92
- });
93
- throw error;
94
- }
95
- }
96
- /**
97
- * Clear cached config for a project
98
- *
99
- * @param projectId - Project ID to clear cache for
100
- */
101
- async clearCache(projectId) {
102
- await this.config.cache.delete(projectId);
103
- this.config.logger("[OAuthConfigService] Cache cleared", { projectId });
104
- }
105
- /**
106
- * Clear all cached configs
107
- */
108
- async clearAllCache() {
109
- await this.config.cache.clear();
110
- this.config.logger("[OAuthConfigService] All cache cleared");
111
- }
112
- }
113
- //# sourceMappingURL=oauth-config.service.js.map
@@ -1,73 +0,0 @@
1
- /**
2
- * OAuth Provider Registry
3
- *
4
- * Manages OAuth provider configurations loaded from AgentShield API.
5
- * Provides efficient lookup and caching of provider configurations.
6
- *
7
- * @package @kya-os/mcp-i-core
8
- */
9
- /**
10
- * Registry for OAuth providers
11
- *
12
- * Wraps OAuthConfigService to provide a simple lookup interface
13
- * for provider configurations.
14
- */
15
- export class OAuthProviderRegistry {
16
- configService;
17
- providers = new Map();
18
- constructor(configService) {
19
- this.configService = configService;
20
- }
21
- /**
22
- * Load providers from AgentShield API
23
- *
24
- * Fetches OAuth configuration and caches providers in memory.
25
- * Clears existing providers before loading new ones.
26
- *
27
- * @param projectId - Project ID to load providers for
28
- */
29
- async loadFromAgentShield(projectId) {
30
- const config = await this.configService.getOAuthConfig(projectId);
31
- // Clear existing providers
32
- this.providers.clear();
33
- // Register all providers from config
34
- for (const [name, providerConfig] of Object.entries(config.providers)) {
35
- this.providers.set(name, providerConfig);
36
- }
37
- }
38
- /**
39
- * Get provider by name
40
- *
41
- * @param name - Provider name (e.g., "github", "google")
42
- * @returns Provider configuration or null if not found
43
- */
44
- getProvider(name) {
45
- return this.providers.get(name) || null;
46
- }
47
- /**
48
- * Get all providers
49
- *
50
- * @returns Array of all registered provider configurations
51
- */
52
- getAllProviders() {
53
- return Array.from(this.providers.values());
54
- }
55
- /**
56
- * Check if provider exists
57
- *
58
- * @param name - Provider name to check
59
- * @returns True if provider is registered, false otherwise
60
- */
61
- hasProvider(name) {
62
- return this.providers.has(name);
63
- }
64
- /**
65
- * Get all provider names
66
- *
67
- * @returns Array of provider names
68
- */
69
- getProviderNames() {
70
- return Array.from(this.providers.keys());
71
- }
72
- }
73
- //# sourceMappingURL=oauth-provider-registry.js.map
@@ -1,106 +0,0 @@
1
- /**
2
- * Provider Resolver
3
- *
4
- * Resolves OAuth provider for tools using priority-based resolution strategy.
5
- * Supports Phase 2+ tool-specific providers with backward compatibility for Phase 1.
6
- *
7
- * @package @kya-os/mcp-i-core
8
- */
9
- /**
10
- * Resolves OAuth provider for tools with priority-based fallback strategy
11
- *
12
- * Priority order:
13
- * 1. Tool-specific oauthProvider field (Phase 2+ preferred)
14
- * 2. Scope prefix inference (fallback)
15
- * 3. First configured provider (Phase 1 compatibility fallback)
16
- * 4. Error if no provider can be resolved
17
- */
18
- export class ProviderResolver {
19
- registry;
20
- configService;
21
- constructor(registry, configService) {
22
- this.registry = registry;
23
- this.configService = configService;
24
- }
25
- /**
26
- * Resolve OAuth provider for a tool
27
- *
28
- * @param toolProtection - Tool protection configuration
29
- * @param projectId - Project ID for fetching provider config
30
- * @returns Provider name (never null - throws if cannot resolve)
31
- * @throws Error if provider cannot be resolved
32
- */
33
- async resolveProvider(toolProtection, projectId) {
34
- // Priority 1: Tool-specific provider (Phase 2+ preferred)
35
- if (toolProtection.oauthProvider) {
36
- if (!this.registry.hasProvider(toolProtection.oauthProvider)) {
37
- throw new Error(`Provider "${toolProtection.oauthProvider}" not configured for project "${projectId}". ` +
38
- `Add provider in project settings.`);
39
- }
40
- return toolProtection.oauthProvider;
41
- }
42
- // Priority 2: Scope prefix inference (fallback)
43
- const inferredProvider = this.inferProviderFromScopes(toolProtection.requiredScopes || []);
44
- if (inferredProvider && this.registry.hasProvider(inferredProvider)) {
45
- console.log(`[ProviderResolver] Inferred provider "${inferredProvider}" from scopes`);
46
- return inferredProvider;
47
- }
48
- // Priority 3: First configured provider (Phase 1 compatibility fallback)
49
- // Ensure registry is loaded
50
- await this.registry.loadFromAgentShield(projectId);
51
- const providers = this.registry.getAllProviders();
52
- if (providers.length > 0) {
53
- // Log deprecation warning for Phase 1 tools
54
- const firstProviderName = this.registry.getProviderNames()[0];
55
- console.warn(`[ProviderResolver] Tool does not specify oauthProvider. ` +
56
- `Using first configured provider "${firstProviderName}" as fallback. ` +
57
- `This is deprecated - configure oauthProvider in AgentShield dashboard for Phase 2+.`);
58
- return firstProviderName;
59
- }
60
- // Priority 4: Error if no provider can be resolved
61
- throw new Error(`Tool requires OAuth but no provider could be resolved. ` +
62
- `Either specify oauthProvider in tool protection config, or configure at least one provider for project "${projectId}".`);
63
- }
64
- /**
65
- * Infer provider from scope prefixes
66
- *
67
- * Used as Priority 2 fallback when oauthProvider is not specified.
68
- * Examples:
69
- * - github:repo:read → github
70
- * - gmail:read → google
71
- * - microsoft:calendar:read → microsoft
72
- *
73
- * @param scopes - Required scopes for the tool
74
- * @returns Provider name if uniquely inferred, null otherwise
75
- */
76
- inferProviderFromScopes(scopes) {
77
- if (!scopes || scopes.length === 0) {
78
- return null;
79
- }
80
- // Extract first part of scope (before first colon)
81
- const scopePrefixes = scopes.map((scope) => {
82
- const parts = scope.split(":");
83
- return parts[0].toLowerCase();
84
- });
85
- // Provider mapping
86
- const providerMap = {
87
- github: "github",
88
- google: "google",
89
- gmail: "google", // gmail:read → google
90
- calendar: "google", // calendar:read → google (if ambiguous, use project default)
91
- microsoft: "microsoft",
92
- outlook: "microsoft",
93
- slack: "slack",
94
- auth0: "auth0",
95
- okta: "okta",
96
- };
97
- // Find unique provider
98
- const providers = new Set(scopePrefixes.map((prefix) => providerMap[prefix]).filter(Boolean));
99
- if (providers.size === 1) {
100
- return Array.from(providers)[0];
101
- }
102
- // Ambiguous or no prefix → return null (use project-level provider)
103
- return null;
104
- }
105
- }
106
- //# sourceMappingURL=provider-resolver.js.map