mirror of
https://github.com/toeverything/AFFiNE.git
synced 2024-12-23 02:21:49 +03:00
638fc62601
--- <details open="true"><summary>Generated summary (powered by <a href="https://app.graphite.dev">Graphite</a>)</summary> > ## TL;DR > This pull request adds a new migration file, a new model, and new modules related to runtime settings. It also introduces a new `Runtime` service that allows getting, setting, and updating runtime configurations. > > ## What changed > - Added a new migration file `migration.sql` that creates a table called `application_settings` with columns `key` and `value`. > - Added a new model `ApplicationSetting` with properties `key` and `value`. > - Added a new module `RuntimeSettingModule` that exports the `Runtime` service. > - Added a new service `Runtime` that provides methods for getting, setting, and updating runtime configurations. > - Modified the `app.module.ts` file to import the `RuntimeSettingModule`. > - Modified the `index.ts` file in the `fundamentals` directory to export the `Runtime` service. > - Added a new file `def.ts` in the `runtime` directory that defines the runtime configurations and provides a default implementation. > - Added a new file `service.ts` in the `runtime` directory that implements the `Runtime` service. > > ## How to test > 1. Run the migration script to create the `application_settings` table. > 2. Use the `Runtime` service to get, set, and update runtime configurations. > 3. Verify that the runtime configurations are stored correctly in the database and can be retrieved and modified using the `Runtime` service. > > ## Why make this change > This change introduces a new feature related to runtime settings. The `Runtime` service allows the application to dynamically manage and modify runtime configurations without requiring a restart. This provides flexibility and allows for easier customization and configuration of the application. </details>
347 lines
8.8 KiB
TypeScript
347 lines
8.8 KiB
TypeScript
import '../../src/plugins/config';
|
|
|
|
import { HttpStatus, INestApplication } from '@nestjs/common';
|
|
import { PrismaClient } from '@prisma/client';
|
|
import ava, { TestFn } from 'ava';
|
|
import Sinon from 'sinon';
|
|
import request from 'supertest';
|
|
|
|
import { AppModule } from '../../src/app.module';
|
|
import { CurrentUser } from '../../src/core/auth';
|
|
import { AuthService } from '../../src/core/auth/service';
|
|
import { UserService } from '../../src/core/user';
|
|
import { URLHelper } from '../../src/fundamentals';
|
|
import { ConfigModule } from '../../src/fundamentals/config';
|
|
import { OAuthProviderName } from '../../src/plugins/oauth/config';
|
|
import { GoogleOAuthProvider } from '../../src/plugins/oauth/providers/google';
|
|
import { OAuthService } from '../../src/plugins/oauth/service';
|
|
import { createTestingApp, getSession } from '../utils';
|
|
|
|
const test = ava as TestFn<{
|
|
auth: AuthService;
|
|
oauth: OAuthService;
|
|
user: UserService;
|
|
u1: CurrentUser;
|
|
db: PrismaClient;
|
|
app: INestApplication;
|
|
}>;
|
|
|
|
test.beforeEach(async t => {
|
|
const { app } = await createTestingApp({
|
|
imports: [
|
|
ConfigModule.forRoot({
|
|
plugins: {
|
|
oauth: {
|
|
providers: {
|
|
google: {
|
|
clientId: 'google-client-id',
|
|
clientSecret: 'google-client-secret',
|
|
},
|
|
},
|
|
},
|
|
},
|
|
}),
|
|
AppModule,
|
|
],
|
|
});
|
|
|
|
t.context.auth = app.get(AuthService);
|
|
t.context.oauth = app.get(OAuthService);
|
|
t.context.user = app.get(UserService);
|
|
t.context.db = app.get(PrismaClient);
|
|
t.context.app = app;
|
|
|
|
t.context.u1 = await t.context.auth.signUp('u1', 'u1@affine.pro', '1');
|
|
});
|
|
|
|
test.afterEach.always(async t => {
|
|
await t.context.app.close();
|
|
});
|
|
|
|
test("should be able to redirect to oauth provider's login page", async t => {
|
|
const { app } = t.context;
|
|
|
|
const res = await request(app.getHttpServer())
|
|
.get('/oauth/login?provider=Google')
|
|
.expect(HttpStatus.FOUND);
|
|
|
|
const redirect = new URL(res.header.location);
|
|
t.is(redirect.origin, 'https://accounts.google.com');
|
|
|
|
t.is(redirect.pathname, '/o/oauth2/v2/auth');
|
|
t.is(redirect.searchParams.get('client_id'), 'google-client-id');
|
|
t.is(
|
|
redirect.searchParams.get('redirect_uri'),
|
|
app.get(URLHelper).link('/oauth/callback')
|
|
);
|
|
t.is(redirect.searchParams.get('response_type'), 'code');
|
|
t.is(redirect.searchParams.get('prompt'), 'select_account');
|
|
t.truthy(redirect.searchParams.get('state'));
|
|
});
|
|
|
|
test('should throw if provider is invalid', async t => {
|
|
const { app } = t.context;
|
|
|
|
await request(app.getHttpServer())
|
|
.get('/oauth/login?provider=Invalid')
|
|
.expect(HttpStatus.BAD_REQUEST)
|
|
.expect({
|
|
statusCode: 400,
|
|
message: 'Invalid OAuth provider',
|
|
error: 'Bad Request',
|
|
});
|
|
|
|
t.assert(true);
|
|
});
|
|
|
|
test('should be able to save oauth state', async t => {
|
|
const { oauth } = t.context;
|
|
|
|
const id = await oauth.saveOAuthState({
|
|
redirectUri: 'https://example.com',
|
|
provider: OAuthProviderName.Google,
|
|
});
|
|
|
|
const state = await oauth.getOAuthState(id);
|
|
|
|
t.truthy(state);
|
|
t.is(state!.provider, OAuthProviderName.Google);
|
|
t.is(state!.redirectUri, 'https://example.com');
|
|
});
|
|
|
|
test('should be able to get registered oauth providers', async t => {
|
|
const { oauth } = t.context;
|
|
|
|
const providers = oauth.availableOAuthProviders();
|
|
|
|
t.deepEqual(providers, [OAuthProviderName.Google]);
|
|
});
|
|
|
|
test('should throw if code is missing in callback uri', async t => {
|
|
const { app } = t.context;
|
|
|
|
await request(app.getHttpServer())
|
|
.get('/oauth/callback')
|
|
.expect(HttpStatus.BAD_REQUEST)
|
|
.expect({
|
|
statusCode: 400,
|
|
message: 'Missing query parameter `code`',
|
|
error: 'Bad Request',
|
|
});
|
|
|
|
t.assert(true);
|
|
});
|
|
|
|
test('should throw if state is missing in callback uri', async t => {
|
|
const { app } = t.context;
|
|
|
|
await request(app.getHttpServer())
|
|
.get('/oauth/callback?code=1')
|
|
.expect(HttpStatus.BAD_REQUEST)
|
|
.expect({
|
|
statusCode: 400,
|
|
message: 'Invalid callback state parameter',
|
|
error: 'Bad Request',
|
|
});
|
|
|
|
t.assert(true);
|
|
});
|
|
|
|
test('should throw if state is expired', async t => {
|
|
const { app } = t.context;
|
|
|
|
await request(app.getHttpServer())
|
|
.get('/oauth/callback?code=1&state=1')
|
|
.expect(HttpStatus.BAD_REQUEST)
|
|
.expect({
|
|
statusCode: 400,
|
|
message: 'OAuth state expired, please try again.',
|
|
error: 'Bad Request',
|
|
});
|
|
|
|
t.assert(true);
|
|
});
|
|
|
|
test('should throw if provider is missing in state', async t => {
|
|
const { app, oauth } = t.context;
|
|
|
|
// @ts-expect-error mock
|
|
Sinon.stub(oauth, 'getOAuthState').resolves({});
|
|
|
|
await request(app.getHttpServer())
|
|
.get(`/oauth/callback?code=1&state=1`)
|
|
.expect(HttpStatus.BAD_REQUEST)
|
|
.expect({
|
|
statusCode: 400,
|
|
message: 'Missing callback state parameter `provider`',
|
|
error: 'Bad Request',
|
|
});
|
|
|
|
t.assert(true);
|
|
});
|
|
|
|
test('should throw if provider is invalid in callback uri', async t => {
|
|
const { app, oauth } = t.context;
|
|
|
|
// @ts-expect-error mock
|
|
Sinon.stub(oauth, 'getOAuthState').resolves({ provider: 'Invalid' });
|
|
|
|
await request(app.getHttpServer())
|
|
.get(`/oauth/callback?code=1&state=1`)
|
|
.expect(HttpStatus.BAD_REQUEST)
|
|
.expect({
|
|
statusCode: 400,
|
|
message: 'Invalid provider',
|
|
error: 'Bad Request',
|
|
});
|
|
|
|
t.assert(true);
|
|
});
|
|
|
|
function mockOAuthProvider(app: INestApplication, email: string) {
|
|
const provider = app.get(GoogleOAuthProvider);
|
|
const oauth = app.get(OAuthService);
|
|
|
|
Sinon.stub(oauth, 'getOAuthState').resolves({
|
|
provider: OAuthProviderName.Google,
|
|
redirectUri: '/',
|
|
});
|
|
|
|
// @ts-expect-error mock
|
|
Sinon.stub(provider, 'getToken').resolves({ accessToken: '1' });
|
|
Sinon.stub(provider, 'getUser').resolves({
|
|
id: '1',
|
|
email,
|
|
avatarUrl: 'avatar',
|
|
});
|
|
}
|
|
|
|
test('should be able to sign up with oauth', async t => {
|
|
const { app, db } = t.context;
|
|
|
|
mockOAuthProvider(app, 'u2@affine.pro');
|
|
|
|
const res = await request(app.getHttpServer())
|
|
.get(`/oauth/callback?code=1&state=1`)
|
|
.expect(HttpStatus.FOUND);
|
|
|
|
const session = await getSession(app, res);
|
|
|
|
t.truthy(session.user);
|
|
t.is(session.user!.email, 'u2@affine.pro');
|
|
|
|
const user = await db.user.findFirst({
|
|
select: {
|
|
email: true,
|
|
connectedAccounts: true,
|
|
},
|
|
where: {
|
|
email: 'u2@affine.pro',
|
|
},
|
|
});
|
|
|
|
t.truthy(user);
|
|
t.is(user!.email, 'u2@affine.pro');
|
|
t.is(user!.connectedAccounts[0].providerAccountId, '1');
|
|
});
|
|
|
|
test('should throw if account register in another way', async t => {
|
|
const { app, u1 } = t.context;
|
|
|
|
mockOAuthProvider(app, u1.email);
|
|
|
|
const res = await request(app.getHttpServer())
|
|
.get(`/oauth/callback?code=1&state=1`)
|
|
.expect(HttpStatus.FOUND);
|
|
|
|
const link = new URL(res.headers.location);
|
|
|
|
t.is(link.pathname, '/signIn');
|
|
t.is(
|
|
link.searchParams.get('error'),
|
|
'The account with provided email is not register in the same way.'
|
|
);
|
|
});
|
|
|
|
test('should be able to fullfil user with oauth sign in', async t => {
|
|
const { app, user, db } = t.context;
|
|
|
|
const u3 = await user.createUser({
|
|
name: 'u3',
|
|
email: 'u3@affine.pro',
|
|
registered: false,
|
|
});
|
|
|
|
mockOAuthProvider(app, u3.email);
|
|
|
|
const res = await request(app.getHttpServer())
|
|
.get(`/oauth/callback?code=1&state=1`)
|
|
.expect(HttpStatus.FOUND);
|
|
|
|
const session = await getSession(app, res);
|
|
|
|
t.truthy(session.user);
|
|
t.is(session.user!.email, u3.email);
|
|
|
|
const account = await db.connectedAccount.findFirst({
|
|
where: {
|
|
userId: u3.id,
|
|
},
|
|
});
|
|
|
|
t.truthy(account);
|
|
});
|
|
|
|
test('should throw if oauth account already connected', async t => {
|
|
const { app, db, u1, auth } = t.context;
|
|
|
|
await db.connectedAccount.create({
|
|
data: {
|
|
userId: u1.id,
|
|
provider: OAuthProviderName.Google,
|
|
providerAccountId: '1',
|
|
},
|
|
});
|
|
|
|
// @ts-expect-error mock
|
|
Sinon.stub(auth, 'getUser').resolves({ user: { id: 'u2-id' } });
|
|
|
|
mockOAuthProvider(app, 'u2@affine.pro');
|
|
|
|
const res = await request(app.getHttpServer())
|
|
.get(`/oauth/callback?code=1&state=1`)
|
|
.set('cookie', `${AuthService.sessionCookieName}=1`)
|
|
.expect(HttpStatus.FOUND);
|
|
|
|
const link = new URL(res.headers.location);
|
|
|
|
t.is(link.pathname, '/signIn');
|
|
t.is(
|
|
link.searchParams.get('error'),
|
|
'The third-party account has already been connected to another user.'
|
|
);
|
|
});
|
|
|
|
test('should be able to connect oauth account', async t => {
|
|
const { app, u1, auth, db } = t.context;
|
|
|
|
// @ts-expect-error mock
|
|
Sinon.stub(auth, 'getUser').resolves({ user: { id: u1.id } });
|
|
|
|
mockOAuthProvider(app, u1.email);
|
|
|
|
await request(app.getHttpServer())
|
|
.get(`/oauth/callback?code=1&state=1`)
|
|
.set('cookie', `${AuthService.sessionCookieName}=1`)
|
|
.expect(HttpStatus.FOUND);
|
|
|
|
const account = await db.connectedAccount.findFirst({
|
|
where: {
|
|
userId: u1.id,
|
|
},
|
|
});
|
|
|
|
t.truthy(account);
|
|
t.is(account!.userId, u1.id);
|
|
});
|