@oxyhq/services 5.5.8 → 5.5.9
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/lib/commonjs/ui/context/OxyContext.js +15 -2
- package/lib/commonjs/ui/context/OxyContext.js.map +1 -1
- package/lib/commonjs/ui/hooks/useAuthFetch.js +4 -3
- package/lib/commonjs/ui/hooks/useAuthFetch.js.map +1 -1
- package/lib/module/ui/context/OxyContext.js +15 -2
- package/lib/module/ui/context/OxyContext.js.map +1 -1
- package/lib/module/ui/hooks/useAuthFetch.js +4 -3
- package/lib/module/ui/hooks/useAuthFetch.js.map +1 -1
- package/lib/typescript/ui/context/OxyContext.d.ts +1 -0
- package/lib/typescript/ui/context/OxyContext.d.ts.map +1 -1
- package/package.json +1 -1
- package/src/__tests__/ui/hooks/authfetch-integration.test.ts +197 -0
- package/src/__tests__/ui/hooks/backward-compatibility.test.ts +159 -0
- package/src/__tests__/ui/hooks/real-world-scenarios.test.ts +224 -0
- package/src/__tests__/ui/hooks/url-resolution.test.ts +129 -0
- package/src/__tests__/ui/hooks/useAuthFetch-separation.test.ts +69 -0
- package/src/ui/context/OxyContext.tsx +16 -2
- package/src/ui/hooks/useAuthFetch.ts +3 -3
|
@@ -0,0 +1,197 @@
|
|
|
1
|
+
/**
|
|
2
|
+
* Integration test demonstrating the separation of internal and public authFetch usage
|
|
3
|
+
* This test simulates real-world usage patterns described in the issue
|
|
4
|
+
*/
|
|
5
|
+
|
|
6
|
+
describe('AuthFetch Separation - Integration Test', () => {
|
|
7
|
+
describe('Real-world usage simulation', () => {
|
|
8
|
+
// Mock OxyServices to simulate the actual implementation
|
|
9
|
+
class MockOxyServices {
|
|
10
|
+
private internalBaseURL: string;
|
|
11
|
+
|
|
12
|
+
constructor(config: { baseURL: string }) {
|
|
13
|
+
this.internalBaseURL = config.baseURL;
|
|
14
|
+
}
|
|
15
|
+
|
|
16
|
+
// Internal URL management (used by the module itself)
|
|
17
|
+
getBaseURL(): string {
|
|
18
|
+
return this.internalBaseURL;
|
|
19
|
+
}
|
|
20
|
+
|
|
21
|
+
setBaseURL(url: string): void {
|
|
22
|
+
if (!url) throw new Error('Base URL cannot be empty');
|
|
23
|
+
this.internalBaseURL = url;
|
|
24
|
+
}
|
|
25
|
+
|
|
26
|
+
// Simulate internal module methods that make API calls
|
|
27
|
+
authenticateToken(token: string): Promise<{ valid: boolean; error?: string }> {
|
|
28
|
+
const url = `${this.internalBaseURL}/auth/validate`;
|
|
29
|
+
console.log(`Internal module call to: ${url}`);
|
|
30
|
+
return Promise.resolve({ valid: false, error: 'Invalid token' });
|
|
31
|
+
}
|
|
32
|
+
|
|
33
|
+
refreshTokens(): Promise<void> {
|
|
34
|
+
const url = `${this.internalBaseURL}/auth/refresh`;
|
|
35
|
+
console.log(`Internal module call to: ${url}`);
|
|
36
|
+
return Promise.resolve();
|
|
37
|
+
}
|
|
38
|
+
|
|
39
|
+
getUserBySession(sessionId: string): Promise<any> {
|
|
40
|
+
const url = `${this.internalBaseURL}/users/session/${sessionId}`;
|
|
41
|
+
console.log(`Internal module call to: ${url}`);
|
|
42
|
+
return Promise.resolve({ id: 'user123', username: 'testuser' });
|
|
43
|
+
}
|
|
44
|
+
}
|
|
45
|
+
|
|
46
|
+
// Mock context state (simulating the new OxyContext implementation)
|
|
47
|
+
class MockOxyContext {
|
|
48
|
+
private oxyServices: MockOxyServices;
|
|
49
|
+
private appBaseURL: string;
|
|
50
|
+
|
|
51
|
+
constructor(oxyServices: MockOxyServices) {
|
|
52
|
+
this.oxyServices = oxyServices;
|
|
53
|
+
this.appBaseURL = oxyServices.getBaseURL(); // Initially same as internal URL
|
|
54
|
+
}
|
|
55
|
+
|
|
56
|
+
// Public methods for apps
|
|
57
|
+
setApiUrl(url: string): void {
|
|
58
|
+
if (!url) throw new Error('Base URL cannot be empty');
|
|
59
|
+
this.appBaseURL = url; // Only affects public authFetch
|
|
60
|
+
}
|
|
61
|
+
|
|
62
|
+
getAppBaseURL(): string {
|
|
63
|
+
return this.appBaseURL;
|
|
64
|
+
}
|
|
65
|
+
|
|
66
|
+
getOxyServices(): MockOxyServices {
|
|
67
|
+
return this.oxyServices;
|
|
68
|
+
}
|
|
69
|
+
}
|
|
70
|
+
|
|
71
|
+
// Mock authFetch (simulating the new useAuthFetch implementation)
|
|
72
|
+
function createMockAuthFetch(context: MockOxyContext) {
|
|
73
|
+
return {
|
|
74
|
+
get: async (endpoint: string) => {
|
|
75
|
+
const url = `${context.getAppBaseURL()}${endpoint}`;
|
|
76
|
+
console.log(`Public authFetch call to: ${url}`);
|
|
77
|
+
return { data: `Response from ${url}` };
|
|
78
|
+
},
|
|
79
|
+
post: async (endpoint: string, data: any) => {
|
|
80
|
+
const url = `${context.getAppBaseURL()}${endpoint}`;
|
|
81
|
+
console.log(`Public authFetch call to: ${url}`);
|
|
82
|
+
return { data: `Posted to ${url}`, posted: data };
|
|
83
|
+
}
|
|
84
|
+
};
|
|
85
|
+
}
|
|
86
|
+
|
|
87
|
+
test('should demonstrate clean separation in Mention app scenario', async () => {
|
|
88
|
+
console.log('\n=== Mention App Integration Test ===\n');
|
|
89
|
+
|
|
90
|
+
// 1. Initialize OxyServices for internal module usage
|
|
91
|
+
const oxyServices = new MockOxyServices({
|
|
92
|
+
baseURL: 'https://api.oxy.so'
|
|
93
|
+
});
|
|
94
|
+
|
|
95
|
+
// 2. Create context (simulating OxyProvider)
|
|
96
|
+
const context = new MockOxyContext(oxyServices);
|
|
97
|
+
|
|
98
|
+
// 3. Create authFetch (simulating useAuthFetch hook)
|
|
99
|
+
const authFetch = createMockAuthFetch(context);
|
|
100
|
+
|
|
101
|
+
console.log('1. Initial state:');
|
|
102
|
+
|
|
103
|
+
// Internal module calls should use Oxy API
|
|
104
|
+
await oxyServices.authenticateToken('test-token');
|
|
105
|
+
await oxyServices.getUserBySession('session123');
|
|
106
|
+
|
|
107
|
+
// Public authFetch calls initially use Oxy API too
|
|
108
|
+
await authFetch.get('/api/users/me');
|
|
109
|
+
await authFetch.post('/api/mentions', { text: 'Hello world' });
|
|
110
|
+
|
|
111
|
+
console.log('\n2. Mention app sets its own API URL:');
|
|
112
|
+
|
|
113
|
+
// App configures its own API URL
|
|
114
|
+
context.setApiUrl('https://mention.earth/api');
|
|
115
|
+
|
|
116
|
+
console.log('\n3. After configuration:');
|
|
117
|
+
|
|
118
|
+
// Internal module calls STILL use Oxy API (unchanged)
|
|
119
|
+
await oxyServices.authenticateToken('test-token');
|
|
120
|
+
await oxyServices.refreshTokens();
|
|
121
|
+
|
|
122
|
+
// Public authFetch calls now use Mention's API
|
|
123
|
+
await authFetch.get('/api/mentions');
|
|
124
|
+
await authFetch.post('/api/mentions', { text: 'New mention' });
|
|
125
|
+
|
|
126
|
+
// Verify URLs are correctly separated
|
|
127
|
+
expect(oxyServices.getBaseURL()).toBe('https://api.oxy.so');
|
|
128
|
+
expect(context.getAppBaseURL()).toBe('https://mention.earth/api');
|
|
129
|
+
|
|
130
|
+
console.log('\n✅ Clean separation achieved!');
|
|
131
|
+
});
|
|
132
|
+
|
|
133
|
+
test('should support dynamic URL changes without affecting internal calls', async () => {
|
|
134
|
+
console.log('\n=== Dynamic URL Changes Test ===\n');
|
|
135
|
+
|
|
136
|
+
const oxyServices = new MockOxyServices({
|
|
137
|
+
baseURL: 'https://api.oxy.so'
|
|
138
|
+
});
|
|
139
|
+
const context = new MockOxyContext(oxyServices);
|
|
140
|
+
const authFetch = createMockAuthFetch(context);
|
|
141
|
+
|
|
142
|
+
// Scenario: App switches between staging and production
|
|
143
|
+
const environments = [
|
|
144
|
+
'https://staging.myapp.com/api',
|
|
145
|
+
'https://production.myapp.com/api',
|
|
146
|
+
'https://dev.myapp.com/api'
|
|
147
|
+
];
|
|
148
|
+
|
|
149
|
+
for (const [index, env] of environments.entries()) {
|
|
150
|
+
console.log(`${index + 1}. Switching to ${env}:`);
|
|
151
|
+
|
|
152
|
+
context.setApiUrl(env);
|
|
153
|
+
|
|
154
|
+
// Internal calls remain unchanged
|
|
155
|
+
await oxyServices.authenticateToken('token');
|
|
156
|
+
|
|
157
|
+
// Public calls use new environment
|
|
158
|
+
await authFetch.get('/api/data');
|
|
159
|
+
|
|
160
|
+
// Verify separation
|
|
161
|
+
expect(oxyServices.getBaseURL()).toBe('https://api.oxy.so');
|
|
162
|
+
expect(context.getAppBaseURL()).toBe(env);
|
|
163
|
+
}
|
|
164
|
+
|
|
165
|
+
console.log('\n✅ Dynamic URL changes work correctly!');
|
|
166
|
+
});
|
|
167
|
+
|
|
168
|
+
test('should handle zero-config setup as described in issue', () => {
|
|
169
|
+
console.log('\n=== Zero-Config Setup Test ===\n');
|
|
170
|
+
|
|
171
|
+
// Simulate the zero-config setup described in the issue
|
|
172
|
+
console.log('1. Create OxyServices instance:');
|
|
173
|
+
const oxyServices = new MockOxyServices({
|
|
174
|
+
baseURL: 'https://your-api.com'
|
|
175
|
+
});
|
|
176
|
+
|
|
177
|
+
console.log('2. Wrap app with provider (simulated):');
|
|
178
|
+
const context = new MockOxyContext(oxyServices);
|
|
179
|
+
|
|
180
|
+
console.log('3. Use authFetch in components (simulated):');
|
|
181
|
+
const authFetch = createMockAuthFetch(context);
|
|
182
|
+
|
|
183
|
+
// Verify the setup works
|
|
184
|
+
expect(oxyServices.getBaseURL()).toBe('https://your-api.com');
|
|
185
|
+
expect(context.getAppBaseURL()).toBe('https://your-api.com');
|
|
186
|
+
|
|
187
|
+
console.log('4. Change API URL at runtime:');
|
|
188
|
+
context.setApiUrl('https://production-api.com');
|
|
189
|
+
|
|
190
|
+
// Verify separation
|
|
191
|
+
expect(oxyServices.getBaseURL()).toBe('https://your-api.com'); // Internal unchanged
|
|
192
|
+
expect(context.getAppBaseURL()).toBe('https://production-api.com'); // Public changed
|
|
193
|
+
|
|
194
|
+
console.log('\n✅ Zero-config setup with separation works!');
|
|
195
|
+
});
|
|
196
|
+
});
|
|
197
|
+
});
|
|
@@ -0,0 +1,159 @@
|
|
|
1
|
+
/**
|
|
2
|
+
* Backward compatibility test - ensures existing API surface is unchanged
|
|
3
|
+
*/
|
|
4
|
+
|
|
5
|
+
describe('Backward Compatibility', () => {
|
|
6
|
+
describe('Existing API surface', () => {
|
|
7
|
+
// Mock the components to test the API surface
|
|
8
|
+
function mockUseOxy() {
|
|
9
|
+
return {
|
|
10
|
+
oxyServices: {
|
|
11
|
+
getBaseURL: () => 'https://api.oxy.so',
|
|
12
|
+
setBaseURL: (url: string) => {},
|
|
13
|
+
},
|
|
14
|
+
isAuthenticated: true,
|
|
15
|
+
user: { id: 'user123', username: 'testuser' },
|
|
16
|
+
login: async (username: string, password: string) => ({ id: 'user123' }),
|
|
17
|
+
logout: async () => {},
|
|
18
|
+
signUp: async (username: string, email: string, password: string) => ({ id: 'user123' }),
|
|
19
|
+
activeSessionId: 'session123',
|
|
20
|
+
setApiUrl: (url: string) => {}, // This should still exist
|
|
21
|
+
getAppBaseURL: () => 'https://app.example.com', // New addition
|
|
22
|
+
};
|
|
23
|
+
}
|
|
24
|
+
|
|
25
|
+
function mockUseAuthFetch() {
|
|
26
|
+
const oxyContext = mockUseOxy();
|
|
27
|
+
|
|
28
|
+
// Mock the AuthFetchAPI interface
|
|
29
|
+
const authFetch = async (input: RequestInfo | URL, init?: any) => {
|
|
30
|
+
return new Response('{"success": true}');
|
|
31
|
+
};
|
|
32
|
+
|
|
33
|
+
// Add convenience methods as per the interface
|
|
34
|
+
Object.assign(authFetch, {
|
|
35
|
+
get: async (endpoint: string, options?: any) => ({ data: 'get response' }),
|
|
36
|
+
post: async (endpoint: string, data?: any, options?: any) => ({ data: 'post response' }),
|
|
37
|
+
put: async (endpoint: string, data?: any, options?: any) => ({ data: 'put response' }),
|
|
38
|
+
delete: async (endpoint: string, options?: any) => ({ data: 'delete response' }),
|
|
39
|
+
isAuthenticated: oxyContext.isAuthenticated,
|
|
40
|
+
user: oxyContext.user,
|
|
41
|
+
login: oxyContext.login,
|
|
42
|
+
logout: oxyContext.logout,
|
|
43
|
+
signUp: oxyContext.signUp,
|
|
44
|
+
setApiUrl: oxyContext.setApiUrl, // Existing API
|
|
45
|
+
});
|
|
46
|
+
|
|
47
|
+
return authFetch;
|
|
48
|
+
}
|
|
49
|
+
|
|
50
|
+
test('should maintain existing useAuthFetch API', async () => {
|
|
51
|
+
const authFetch = mockUseAuthFetch();
|
|
52
|
+
|
|
53
|
+
// Test that all existing methods are still available
|
|
54
|
+
expect(typeof authFetch).toBe('function'); // Main function
|
|
55
|
+
expect(typeof authFetch.get).toBe('function');
|
|
56
|
+
expect(typeof authFetch.post).toBe('function');
|
|
57
|
+
expect(typeof authFetch.put).toBe('function');
|
|
58
|
+
expect(typeof authFetch.delete).toBe('function');
|
|
59
|
+
expect(typeof authFetch.setApiUrl).toBe('function'); // Key API method
|
|
60
|
+
|
|
61
|
+
// Test that auth properties are available
|
|
62
|
+
expect(typeof authFetch.isAuthenticated).toBe('boolean');
|
|
63
|
+
expect(authFetch.user).toBeTruthy();
|
|
64
|
+
expect(typeof authFetch.login).toBe('function');
|
|
65
|
+
expect(typeof authFetch.logout).toBe('function');
|
|
66
|
+
expect(typeof authFetch.signUp).toBe('function');
|
|
67
|
+
});
|
|
68
|
+
|
|
69
|
+
test('should support existing usage patterns from documentation', async () => {
|
|
70
|
+
// Test usage pattern from refactored-authentication.md
|
|
71
|
+
const authFetch = mockUseAuthFetch();
|
|
72
|
+
|
|
73
|
+
// Simple authenticated GET request
|
|
74
|
+
const profile = await authFetch.get('/api/users/me');
|
|
75
|
+
expect(profile).toEqual({ data: 'get response' });
|
|
76
|
+
|
|
77
|
+
// Simple authenticated POST request
|
|
78
|
+
const result = await authFetch.post('/api/users/me', { name: 'Updated Name' });
|
|
79
|
+
expect(result).toEqual({ data: 'post response' });
|
|
80
|
+
|
|
81
|
+
// Runtime API URL updates (this should still work)
|
|
82
|
+
authFetch.setApiUrl('https://new-api.com');
|
|
83
|
+
|
|
84
|
+
// Verify no breaking changes in the API surface
|
|
85
|
+
expect(authFetch.isAuthenticated).toBe(true);
|
|
86
|
+
expect(authFetch.user?.username).toBe('testuser');
|
|
87
|
+
});
|
|
88
|
+
|
|
89
|
+
test('should support existing OxyServices API', () => {
|
|
90
|
+
const oxyContext = mockUseOxy();
|
|
91
|
+
const oxyServices = oxyContext.oxyServices;
|
|
92
|
+
|
|
93
|
+
// Existing OxyServices methods should still work
|
|
94
|
+
expect(typeof oxyServices.getBaseURL).toBe('function');
|
|
95
|
+
expect(typeof oxyServices.setBaseURL).toBe('function');
|
|
96
|
+
expect(oxyServices.getBaseURL()).toBe('https://api.oxy.so');
|
|
97
|
+
|
|
98
|
+
// This should not throw
|
|
99
|
+
oxyServices.setBaseURL('https://new-oxy-url.com');
|
|
100
|
+
});
|
|
101
|
+
|
|
102
|
+
test('should demonstrate zero-config setup still works', () => {
|
|
103
|
+
// From the documentation example
|
|
104
|
+
console.log('Testing zero-config setup pattern...');
|
|
105
|
+
|
|
106
|
+
// 1. Create OxyServices instance (existing pattern)
|
|
107
|
+
const mockOxyServices = {
|
|
108
|
+
baseURL: 'https://your-api.com',
|
|
109
|
+
getBaseURL: () => 'https://your-api.com',
|
|
110
|
+
};
|
|
111
|
+
|
|
112
|
+
// 2. Wrap app with provider (existing pattern)
|
|
113
|
+
const mockProvider = {
|
|
114
|
+
oxyServices: mockOxyServices,
|
|
115
|
+
};
|
|
116
|
+
|
|
117
|
+
// 3. Use authFetch in components (existing pattern)
|
|
118
|
+
const authFetch = mockUseAuthFetch();
|
|
119
|
+
|
|
120
|
+
// All existing functionality should work
|
|
121
|
+
expect(authFetch).toBeTruthy();
|
|
122
|
+
expect(typeof authFetch.get).toBe('function');
|
|
123
|
+
expect(typeof authFetch.setApiUrl).toBe('function');
|
|
124
|
+
|
|
125
|
+
console.log('✅ Zero-config setup compatibility verified');
|
|
126
|
+
});
|
|
127
|
+
});
|
|
128
|
+
|
|
129
|
+
describe('New functionality (additive)', () => {
|
|
130
|
+
test('should add new getAppBaseURL without breaking existing API', () => {
|
|
131
|
+
const oxyContext = mockUseOxy();
|
|
132
|
+
|
|
133
|
+
// New method should be available
|
|
134
|
+
expect(typeof oxyContext.getAppBaseURL).toBe('function');
|
|
135
|
+
expect(oxyContext.getAppBaseURL()).toBe('https://app.example.com');
|
|
136
|
+
|
|
137
|
+
// Existing methods should still work
|
|
138
|
+
expect(typeof oxyContext.setApiUrl).toBe('function');
|
|
139
|
+
});
|
|
140
|
+
|
|
141
|
+
test('should demonstrate separation without breaking existing usage', () => {
|
|
142
|
+
console.log('\nTesting that new separation doesn\'t break existing patterns...');
|
|
143
|
+
|
|
144
|
+
const oxyContext = mockUseOxy();
|
|
145
|
+
|
|
146
|
+
// Existing pattern: app sets API URL
|
|
147
|
+
oxyContext.setApiUrl('https://myapp.example.com');
|
|
148
|
+
|
|
149
|
+
// New behavior: this now only affects public authFetch, not internal calls
|
|
150
|
+
// But from the app's perspective, the API call is identical
|
|
151
|
+
expect(typeof oxyContext.setApiUrl).toBe('function');
|
|
152
|
+
|
|
153
|
+
// Internal calls would still work independently (behind the scenes)
|
|
154
|
+
expect(oxyContext.oxyServices.getBaseURL()).toBe('https://api.oxy.so');
|
|
155
|
+
|
|
156
|
+
console.log('✅ Separation is transparent to existing users');
|
|
157
|
+
});
|
|
158
|
+
});
|
|
159
|
+
});
|
|
@@ -0,0 +1,224 @@
|
|
|
1
|
+
/**
|
|
2
|
+
* Real-world scenario test: Mention app and other Oxy ecosystem apps
|
|
3
|
+
* This test demonstrates the exact use case described in the issue
|
|
4
|
+
*/
|
|
5
|
+
|
|
6
|
+
describe('Real-world Oxy Ecosystem Integration', () => {
|
|
7
|
+
describe('Mention app scenario', () => {
|
|
8
|
+
// Simulate the complete Mention app setup
|
|
9
|
+
function simulateMentionAppSetup() {
|
|
10
|
+
console.log('Setting up Mention app with Oxy authentication...');
|
|
11
|
+
|
|
12
|
+
// 1. Create OxyServices for Oxy API authentication
|
|
13
|
+
const oxyServices = {
|
|
14
|
+
baseURL: 'https://api.oxy.so',
|
|
15
|
+
getBaseURL: () => 'https://api.oxy.so',
|
|
16
|
+
setBaseURL: (url: string) => {
|
|
17
|
+
console.log(`[OxyServices] Internal URL change to: ${url}`);
|
|
18
|
+
},
|
|
19
|
+
// Internal methods that need to call Oxy API
|
|
20
|
+
authenticateToken: async (token: string) => {
|
|
21
|
+
const url = `https://api.oxy.so/auth/validate`;
|
|
22
|
+
console.log(`[Internal] Validating token at: ${url}`);
|
|
23
|
+
return { valid: true, user: { id: 'user123', username: 'mentionuser' } };
|
|
24
|
+
},
|
|
25
|
+
refreshTokens: async () => {
|
|
26
|
+
const url = `https://api.oxy.so/auth/refresh`;
|
|
27
|
+
console.log(`[Internal] Refreshing tokens at: ${url}`);
|
|
28
|
+
return { accessToken: 'new-token', refreshToken: 'new-refresh' };
|
|
29
|
+
}
|
|
30
|
+
};
|
|
31
|
+
|
|
32
|
+
// 2. Create context with separation
|
|
33
|
+
let appBaseURL = oxyServices.baseURL; // Initially same
|
|
34
|
+
|
|
35
|
+
const oxyContext = {
|
|
36
|
+
oxyServices,
|
|
37
|
+
setApiUrl: (url: string) => {
|
|
38
|
+
console.log(`[App] Setting app API URL to: ${url}`);
|
|
39
|
+
appBaseURL = url; // Only affects public authFetch
|
|
40
|
+
},
|
|
41
|
+
getAppBaseURL: () => appBaseURL,
|
|
42
|
+
isAuthenticated: true,
|
|
43
|
+
user: { id: 'user123', username: 'mentionuser' },
|
|
44
|
+
login: async (username: string, password: string) => ({ id: 'user123' }),
|
|
45
|
+
logout: async () => {},
|
|
46
|
+
signUp: async (username: string, email: string, password: string) => ({ id: 'user123' }),
|
|
47
|
+
activeSessionId: 'session123'
|
|
48
|
+
};
|
|
49
|
+
|
|
50
|
+
// 3. Create authFetch that uses app-specific URL
|
|
51
|
+
const authFetch = {
|
|
52
|
+
get: async (endpoint: string) => {
|
|
53
|
+
const url = `${oxyContext.getAppBaseURL()}${endpoint}`;
|
|
54
|
+
console.log(`[AuthFetch] GET ${url}`);
|
|
55
|
+
return { data: `Response from ${url}` };
|
|
56
|
+
},
|
|
57
|
+
post: async (endpoint: string, data: any) => {
|
|
58
|
+
const url = `${oxyContext.getAppBaseURL()}${endpoint}`;
|
|
59
|
+
console.log(`[AuthFetch] POST ${url}`, data);
|
|
60
|
+
return { data: `Posted to ${url}`, created: data };
|
|
61
|
+
},
|
|
62
|
+
put: async (endpoint: string, data: any) => {
|
|
63
|
+
const url = `${oxyContext.getAppBaseURL()}${endpoint}`;
|
|
64
|
+
console.log(`[AuthFetch] PUT ${url}`, data);
|
|
65
|
+
return { data: `Updated at ${url}`, updated: data };
|
|
66
|
+
},
|
|
67
|
+
delete: async (endpoint: string) => {
|
|
68
|
+
const url = `${oxyContext.getAppBaseURL()}${endpoint}`;
|
|
69
|
+
console.log(`[AuthFetch] DELETE ${url}`);
|
|
70
|
+
return { data: `Deleted from ${url}` };
|
|
71
|
+
},
|
|
72
|
+
setApiUrl: oxyContext.setApiUrl,
|
|
73
|
+
isAuthenticated: oxyContext.isAuthenticated,
|
|
74
|
+
user: oxyContext.user
|
|
75
|
+
};
|
|
76
|
+
|
|
77
|
+
return { oxyServices, oxyContext, authFetch };
|
|
78
|
+
}
|
|
79
|
+
|
|
80
|
+
test('should enable Mention app to use its own backend with Oxy authentication', async () => {
|
|
81
|
+
console.log('\\n=== Mention App Real-world Test ===\\n');
|
|
82
|
+
|
|
83
|
+
const { oxyServices, oxyContext, authFetch } = simulateMentionAppSetup();
|
|
84
|
+
|
|
85
|
+
console.log('1. Initial setup - both use Oxy API:');
|
|
86
|
+
// Internal authentication calls
|
|
87
|
+
await oxyServices.authenticateToken('user-token');
|
|
88
|
+
|
|
89
|
+
// Public app calls (initially to Oxy API)
|
|
90
|
+
await authFetch.get('/api/user/profile');
|
|
91
|
+
|
|
92
|
+
console.log('\\n2. Mention app configures its own backend:');
|
|
93
|
+
// This is the key change - app sets its own API URL
|
|
94
|
+
authFetch.setApiUrl('https://mention.earth/api');
|
|
95
|
+
|
|
96
|
+
console.log('\\n3. After configuration - clean separation:');
|
|
97
|
+
|
|
98
|
+
// Internal module calls STILL go to Oxy API
|
|
99
|
+
await oxyServices.authenticateToken('user-token');
|
|
100
|
+
await oxyServices.refreshTokens();
|
|
101
|
+
|
|
102
|
+
// Public authFetch calls now go to Mention's backend
|
|
103
|
+
await authFetch.get('/api/mentions');
|
|
104
|
+
await authFetch.post('/api/mentions', {
|
|
105
|
+
text: 'Hello world from Mention!',
|
|
106
|
+
userId: 'user123'
|
|
107
|
+
});
|
|
108
|
+
await authFetch.put('/api/mentions/123', {
|
|
109
|
+
text: 'Updated mention text'
|
|
110
|
+
});
|
|
111
|
+
await authFetch.delete('/api/mentions/456');
|
|
112
|
+
|
|
113
|
+
console.log('\\n4. Verification:');
|
|
114
|
+
const internalURL = oxyServices.getBaseURL();
|
|
115
|
+
const publicURL = oxyContext.getAppBaseURL();
|
|
116
|
+
|
|
117
|
+
console.log(`Internal (Oxy API): ${internalURL}`);
|
|
118
|
+
console.log(`Public (Mention API): ${publicURL}`);
|
|
119
|
+
|
|
120
|
+
// Verify the separation
|
|
121
|
+
expect(internalURL).toBe('https://api.oxy.so');
|
|
122
|
+
expect(publicURL).toBe('https://mention.earth/api');
|
|
123
|
+
|
|
124
|
+
console.log('\\n✅ Mention app can use Oxy auth with its own backend!');
|
|
125
|
+
});
|
|
126
|
+
|
|
127
|
+
test('should support multiple Oxy ecosystem apps with different backends', async () => {
|
|
128
|
+
console.log('\\n=== Multiple Oxy Apps Test ===\\n');
|
|
129
|
+
|
|
130
|
+
// Simulate different apps in the Oxy ecosystem
|
|
131
|
+
const apps = [
|
|
132
|
+
{ name: 'Mention', url: 'https://mention.earth/api' },
|
|
133
|
+
{ name: 'Homiio', url: 'https://homiio.com/api' },
|
|
134
|
+
{ name: 'Custom App', url: 'https://my-custom-app.com/api' }
|
|
135
|
+
];
|
|
136
|
+
|
|
137
|
+
for (const app of apps) {
|
|
138
|
+
console.log(`${app.name} app setup:`);
|
|
139
|
+
|
|
140
|
+
const { oxyServices, oxyContext, authFetch } = simulateMentionAppSetup();
|
|
141
|
+
|
|
142
|
+
// Each app configures its own backend
|
|
143
|
+
authFetch.setApiUrl(app.url);
|
|
144
|
+
|
|
145
|
+
// Internal auth still works with Oxy
|
|
146
|
+
await oxyServices.authenticateToken('token');
|
|
147
|
+
|
|
148
|
+
// App-specific calls go to app backend
|
|
149
|
+
await authFetch.get('/api/data');
|
|
150
|
+
|
|
151
|
+
// Verify separation for each app
|
|
152
|
+
expect(oxyServices.getBaseURL()).toBe('https://api.oxy.so');
|
|
153
|
+
expect(oxyContext.getAppBaseURL()).toBe(app.url);
|
|
154
|
+
|
|
155
|
+
console.log(` ✅ ${app.name} configured successfully\\n`);
|
|
156
|
+
}
|
|
157
|
+
|
|
158
|
+
console.log('✅ Multiple apps can coexist with independent backends!');
|
|
159
|
+
});
|
|
160
|
+
|
|
161
|
+
test('should demonstrate zero-config setup with runtime configuration', async () => {
|
|
162
|
+
console.log('\\n=== Zero-Config + Runtime Config Test ===\\n');
|
|
163
|
+
|
|
164
|
+
console.log('1. Zero-config setup (as described in issue):');
|
|
165
|
+
|
|
166
|
+
// App developer just needs to:
|
|
167
|
+
const { oxyServices, authFetch } = simulateMentionAppSetup();
|
|
168
|
+
|
|
169
|
+
console.log(' - Create OxyServices instance ✅');
|
|
170
|
+
console.log(' - Wrap app with OxyProvider ✅');
|
|
171
|
+
console.log(' - Use authFetch in components ✅');
|
|
172
|
+
|
|
173
|
+
console.log('\\n2. Runtime configuration (almost zero setup):');
|
|
174
|
+
|
|
175
|
+
// App can dynamically configure its API
|
|
176
|
+
authFetch.setApiUrl('https://production.myapp.com/api');
|
|
177
|
+
|
|
178
|
+
console.log('\\n3. Everything works seamlessly:');
|
|
179
|
+
|
|
180
|
+
// Authentication through Oxy
|
|
181
|
+
await oxyServices.authenticateToken('user-token');
|
|
182
|
+
|
|
183
|
+
// App data through app's backend
|
|
184
|
+
await authFetch.get('/api/app-specific-data');
|
|
185
|
+
await authFetch.post('/api/app-actions', { action: 'create' });
|
|
186
|
+
|
|
187
|
+
console.log('\\n✅ Zero-config setup with runtime flexibility achieved!');
|
|
188
|
+
});
|
|
189
|
+
});
|
|
190
|
+
|
|
191
|
+
describe('Backend integration scenarios', () => {
|
|
192
|
+
test('should support backend token validation while frontend uses app API', async () => {
|
|
193
|
+
console.log('\\n=== Backend Integration Test ===\\n');
|
|
194
|
+
|
|
195
|
+
// Simulate backend middleware
|
|
196
|
+
const backendOxyServices = {
|
|
197
|
+
baseURL: 'https://api.oxy.so',
|
|
198
|
+
authenticateToken: async (token: string) => {
|
|
199
|
+
const url = `https://api.oxy.so/auth/validate`;
|
|
200
|
+
console.log(`[Backend] Validating token at: ${url}`);
|
|
201
|
+
return {
|
|
202
|
+
valid: true,
|
|
203
|
+
user: { id: 'user123', username: 'testuser' },
|
|
204
|
+
userId: 'user123'
|
|
205
|
+
};
|
|
206
|
+
}
|
|
207
|
+
};
|
|
208
|
+
|
|
209
|
+
// Simulate frontend using app API
|
|
210
|
+
const { authFetch } = simulateMentionAppSetup();
|
|
211
|
+
authFetch.setApiUrl('https://myapp.com/api');
|
|
212
|
+
|
|
213
|
+
console.log('1. Frontend makes authenticated request to app backend:');
|
|
214
|
+
await authFetch.post('/api/protected-endpoint', { data: 'sensitive' });
|
|
215
|
+
|
|
216
|
+
console.log('\\n2. Backend validates token with Oxy API:');
|
|
217
|
+
const tokenValidation = await backendOxyServices.authenticateToken('user-jwt-token');
|
|
218
|
+
|
|
219
|
+
console.log(' Token validation result:', tokenValidation);
|
|
220
|
+
|
|
221
|
+
console.log('\\n✅ Backend validates with Oxy, frontend uses app API!');
|
|
222
|
+
});
|
|
223
|
+
});
|
|
224
|
+
});
|