Skip to content

Commit f561359

Browse files
author
Christopher Graney-Ward
committed
Refactoring and tests for the account creation endpoint
1 parent c715d51 commit f561359

11 files changed

+251
-71
lines changed

src/repositories/hive-account/hive-account.repository.ts

+19-9
Original file line numberDiff line numberDiff line change
@@ -2,6 +2,7 @@ import { Injectable, Logger } from '@nestjs/common';
22
import { InjectModel } from '@nestjs/mongoose';
33
import { Model } from 'mongoose';
44
import { HiveAccount } from './schemas/hive-account.schema';
5+
import { ObjectId } from 'mongodb';
56

67
@Injectable()
78
export class HiveAccountRepository {
@@ -11,8 +12,21 @@ export class HiveAccountRepository {
1112
@InjectModel(HiveAccount.name, 'threespeak') private hiveAccountModel: Model<HiveAccount>,
1213
) {}
1314

14-
async findOneByOwner(created_by: string): Promise<HiveAccount | null> {
15-
const acelaUser = await this.hiveAccountModel.findOne({ created_by });
15+
async findOneByOwnerIdAndHiveAccountName({
16+
user_id,
17+
account,
18+
}: {
19+
user_id: string | ObjectId;
20+
account: string;
21+
}): Promise<HiveAccount | null> {
22+
const acelaUser = await this.hiveAccountModel.findOne({ user_id, account });
23+
this.#logger.log(acelaUser);
24+
25+
return acelaUser;
26+
}
27+
28+
async findOneByOwnerId({ user_id }: { user_id: string | ObjectId }): Promise<HiveAccount | null> {
29+
const acelaUser = await this.hiveAccountModel.findOne({ user_id });
1630
this.#logger.log(acelaUser);
1731

1832
return acelaUser;
@@ -31,14 +45,10 @@ export class HiveAccountRepository {
3145
});
3246
}
3347

34-
async insertCreated(username: string, created_by) {
48+
async insertCreated(username: string, created_by: string) {
3549
return await this.hiveAccountModel.create({
36-
status: 'created',
37-
username,
38-
keys_requested: false,
39-
created_by,
40-
requested_at: new Date(),
41-
created_at: new Date(),
50+
account: username,
51+
user_id: created_by,
4252
});
4353
}
4454
}

src/repositories/hive-chain/hive-chain.repository.ts

+2-2
Original file line numberDiff line numberDiff line change
@@ -93,8 +93,8 @@ export class HiveChainRepository {
9393
}
9494

9595
async createAccountWithAuthority(
96-
newAccountname,
97-
authorityAccountname,
96+
newAccountname: string,
97+
authorityAccountname: string,
9898
options?: {
9999
posting_auths?: string[];
100100
active_auths?: string[];

src/services/api/api.contoller.test.ts

+4-2
Original file line numberDiff line numberDiff line change
@@ -22,6 +22,7 @@ import { MockAuthGuard, MockUserDetailsInterceptor, UserDetailsInterceptor } fro
2222
import { HiveChainModule } from '../../repositories/hive-chain/hive-chain.module';
2323
import { EmailModule } from '../email/email.module';
2424
import * as crypto from 'crypto';
25+
import { HiveModule } from '../hive/hive.module';
2526

2627
describe('ApiController', () => {
2728
let app: INestApplication;
@@ -64,11 +65,12 @@ describe('ApiController', () => {
6465
connectionName: '3speakAuth',
6566
dbName: '3speakAuth',
6667
}),
67-
HiveAccountModule,
68+
HiveModule,
6869
UserModule,
6970
AuthModule,
70-
EmailModule,
71+
HiveAccountModule,
7172
HiveChainModule,
73+
EmailModule,
7274
ApiModule,
7375
JwtModule.register({
7476
secretOrPrivateKey: process.env.JWT_PRIVATE_KEY,

src/services/api/api.controller.ts

+2-3
Original file line numberDiff line numberDiff line change
@@ -24,14 +24,13 @@ import {
2424
} from '@nestjs/swagger';
2525
import { HiveAccountRepository } from '../../repositories/hive-account/hive-account.repository';
2626
import { UserRepository } from '../../repositories/user/user.repository';
27-
import { HiveRepository } from '../../repositories/hive-chain/hive-chain.repository';
27+
import { HiveChainRepository } from '../../repositories/hive-chain/hive-chain.repository';
2828
import { LinkAccountPostDto } from './dto/LinkAccountPost.dto';
2929
import { VotePostResponseDto } from './dto/VotePostResponse.dto';
3030
import { VotePostDto } from './dto/VotePost.dto';
3131
import { LinkedAccountRepository } from '../../repositories/linked-accounts/linked-account.repository';
3232
import { EmailService } from '../email/email.service';
3333
import { parseAndValidateRequest } from '../auth/auth.utils';
34-
import { HiveChainRepository } from '../../repositories/hive-chain/hive-chain.repository';
3534

3635
@Controller('/api/v1')
3736
export class ApiController {
@@ -316,7 +315,7 @@ export class ApiController {
316315
if (delegatedAuth) {
317316
try {
318317
// console.log(out)
319-
return this.hiveRepository.vote({ author, permlink, voter, weight: 500 });
318+
return this.hiveChainRepository.vote({ author, permlink, voter, weight: 500 });
320319
} catch (ex) {
321320
console.log(ex);
322321
console.log(ex.message);
Original file line numberDiff line numberDiff line change
@@ -0,0 +1,11 @@
1+
import { ApiProperty } from '@nestjs/swagger';
2+
import { IsNotEmpty } from 'class-validator';
3+
4+
export class RequestHiveAccountDto {
5+
@IsNotEmpty()
6+
@ApiProperty({
7+
description: 'Did of the account',
8+
default: 'test-did',
9+
})
10+
username: string;
11+
}

src/services/auth/auth.controller.test.ts

+46-5
Original file line numberDiff line numberDiff line change
@@ -20,8 +20,11 @@ import { INestApplication, Module, ValidationPipe } from '@nestjs/common';
2020
import * as KeyResolver from 'key-did-resolver';
2121
import { TestingModule } from '@nestjs/testing';
2222
import crypto from 'crypto';
23-
import { HiveChainRepository } from '../../repositories/hive-chain/hive-chain.repository';
2423
import { PrivateKey } from '@hiveio/dhive';
24+
import { AuthGuard } from '@nestjs/passport';
25+
import { MockAuthGuard, MockUserDetailsInterceptor, UserDetailsInterceptor } from '../api/utils';
26+
import { HiveService } from '../hive/hive.service';
27+
import { HiveModule } from '../hive/hive.module';
2528

2629
describe('AuthController', () => {
2730
let app: INestApplication
@@ -31,7 +34,7 @@ describe('AuthController', () => {
3134
const did = new DID({ provider: key, resolver: KeyResolver.getResolver() })
3235
let mongod: MongoMemoryServer;
3336
let authService: AuthService;
34-
let hiveChainRepository: HiveChainRepository;
37+
let hiveService: HiveService;
3538

3639

3740
beforeEach(async () => {
@@ -77,6 +80,7 @@ describe('AuthController', () => {
7780
HiveChainModule,
7881
EmailModule,
7982
AuthModule,
83+
HiveModule
8084
],
8185
controllers: [AuthController],
8286
providers: [AuthService]
@@ -87,9 +91,13 @@ describe('AuthController', () => {
8791

8892
moduleRef = await Test.createTestingModule({
8993
imports: [TestModule],
90-
}).compile();
94+
}).overrideGuard(AuthGuard('jwt'))
95+
.useClass(MockAuthGuard)
96+
.overrideInterceptor(UserDetailsInterceptor)
97+
.useClass(MockUserDetailsInterceptor)
98+
.compile();
9199
authService = moduleRef.get<AuthService>(AuthService);
92-
hiveChainRepository = moduleRef.get<HiveChainRepository>(HiveChainRepository);
100+
hiveService = moduleRef.get<HiveService>(HiveService);
93101
app = moduleRef.createNestApplication();
94102
app.useGlobalPipes(new ValidationPipe());
95103
await app.init()
@@ -129,7 +137,40 @@ describe('AuthController', () => {
129137
});
130138
});
131139

132-
describe('/POST login singleton hive', () => {
140+
describe('/POST /request_hive_account', () => {
141+
it('creates a Hive account successfully', async () => {
142+
143+
// Make the request to the endpoint
144+
return request(app.getHttpServer())
145+
.post('/api/v1/auth/request_hive_account')
146+
.send({ username: 'test_user_id' })
147+
.set('Authorization', 'Bearer <your_mocked_jwt_token>')
148+
.expect(201)
149+
.then(response => {
150+
expect(response.body).toEqual({});
151+
});
152+
});
153+
154+
it('throws error when user has already created a Hive account', async () => {
155+
156+
await hiveService.requestHiveAccount('yeet', 'test_user_id')
157+
158+
// Make the request to the endpoint
159+
return request(app.getHttpServer())
160+
.post('/api/v1/auth/request_hive_account')
161+
.send({ username: 'yeet' })
162+
.set('Authorization', 'Bearer <your_mocked_jwt_token>')
163+
.expect(400)
164+
.then(response => {
165+
expect(response.body).toEqual({
166+
reason: "You have already created the maximum of 1 free Hive account",
167+
});
168+
});
169+
});
170+
});
171+
172+
173+
describe('/POST login_singleton_hive', () => {
133174
it('Logs in sucessfully on the happy path', async () => {
134175
const privateKey = PrivateKey.fromSeed(crypto.randomBytes(32).toString("hex"));
135176
const message = { account: 'sisygoboom', ts: Date.now() };

src/services/auth/auth.controller.ts

+6-47
Original file line numberDiff line numberDiff line change
@@ -41,6 +41,8 @@ import { EmailService } from '../email/email.service';
4141
import bcrypt from 'bcryptjs';
4242
import { WithAuthData } from './auth.interface';
4343
import { parseAndValidateRequest } from './auth.utils';
44+
import { RequestHiveAccountDto } from '../api/dto/RequestHiveAccount.dto';
45+
import { HiveService } from '../hive/hive.service';
4446

4547
@Controller('/api/v1/auth')
4648
export class AuthController {
@@ -51,6 +53,7 @@ export class AuthController {
5153
private readonly hiveAccountRepository: HiveAccountRepository,
5254
private readonly userRepository: UserRepository,
5355
private readonly hiveRepository: HiveChainRepository,
56+
private readonly hiveService: HiveService,
5457
//private readonly delegatedAuthorityRepository: DelegatedAuthorityRepository,
5558
private readonly emailService: EmailService,
5659
) {}
@@ -382,17 +385,6 @@ export class AuthController {
382385
'Bearer eyJhbGciOiJIUzI1NiIsInR5cCI6IkpXVCJ9.eyJzdWIiOiIxMjM0NTY3ODkwIiwibmFtZSI6IkpvaG4gRG9lIiwiaWF0IjoxNTE2MjM5MDIyfQ.SflKxwRJSMeKKF2QT4fwpMeJf36POk6yJV_adQssw5c',
383386
required: true,
384387
})
385-
@ApiBody({
386-
schema: {
387-
properties: {
388-
username: {
389-
type: 'string',
390-
default: 'test-account',
391-
description: 'Username of requested HIVE account',
392-
},
393-
},
394-
},
395-
})
396388
@ApiOkResponse({
397389
description: 'Account created',
398390
schema: {
@@ -406,42 +398,9 @@ export class AuthController {
406398
})
407399
@UseGuards(AuthGuard('jwt'))
408400
@Post('/request_hive_account')
409-
async requestHiveAccount(
410-
@Body() body: { username: string },
411-
@Request() req: { user: { user_id: string } },
412-
) {
413-
const existingAcocunt = await this.hiveAccountRepository.findOneByOwner(req.user.user_id);
414-
if (existingAcocunt) {
415-
throw new HttpException(
416-
{ reason: 'You have already created the maximum of 1 free Hive account' },
417-
HttpStatus.BAD_REQUEST,
418-
);
419-
}
420-
// console.log(existingAcocunt)
421-
const output = await HiveClient.database.getAccounts([body.username]);
422-
// console.log(output)
423-
if (output.length === 0) {
424-
try {
425-
const accountCreation = await this.hiveRepository.createAccountWithAuthority(
426-
body.username,
427-
process.env.ACCOUNT_CREATOR,
428-
);
429-
//Here will be thrown if failed at this point
401+
async requestHiveAccount(@Body() body: RequestHiveAccountDto, @Request() req) {
402+
const parsedRequest = parseAndValidateRequest(req, this.#logger);
430403

431-
await this.hiveAccountRepository.insertCreated(body.username, req.user.user_id);
432-
433-
return accountCreation;
434-
} catch (ex) {
435-
throw new HttpException(
436-
{ reason: `On chain error - ${ex.message}` },
437-
HttpStatus.INTERNAL_SERVER_ERROR,
438-
);
439-
}
440-
} else {
441-
throw new HttpException(
442-
{ reason: 'Hive account with the requested name already exists' },
443-
HttpStatus.BAD_REQUEST,
444-
);
445-
}
404+
await this.hiveService.requestHiveAccount(body.username, parsedRequest.user.sub);
446405
}
447406
}

src/services/auth/auth.module.ts

+7-3
Original file line numberDiff line numberDiff line change
@@ -8,18 +8,23 @@ import { UserAccountModule } from '../../repositories/userAccount/user-account.m
88
import { SessionModule } from '../../repositories/session/session.module';
99
import { AuthController } from './auth.controller';
1010
import { EmailModule } from '../email/email.module';
11-
import { HiveAccountModule } from '../../repositories/hive-account/hive-account.module';
12-
import { HiveChainModule } from '../../repositories/hive-chain/hive-chain.module';
1311
import { AuthMiddleware } from './auth.middleware';
1412
import { ConfigModule, ConfigService } from '@nestjs/config';
13+
import { HiveModule } from '../hive/hive.module';
14+
import { HiveChainModule } from '../../repositories/hive-chain/hive-chain.module';
15+
import { HiveAccountModule } from '../../repositories/hive-account/hive-account.module';
1516

1617
@Module({
1718
imports: [
1819
ConfigModule,
1920
UserModule,
2021
UserAccountModule,
22+
HiveChainModule,
2123
HiveAccountModule,
2224
HiveChainModule,
25+
HiveAccountModule,
26+
UserModule,
27+
HiveModule,
2328
EmailModule,
2429
SessionModule,
2530
PassportModule.register({ defaultStrategy: 'jwt' }),
@@ -28,7 +33,6 @@ import { ConfigModule, ConfigService } from '@nestjs/config';
2833
inject: [ConfigService],
2934
useFactory: async (configService: ConfigService) => {
3035
const key = configService.get<string>('JWT_PRIVATE_KEY');
31-
console.log(key);
3236
return {
3337
secretOrPrivateKey: key,
3438
signOptions: { expiresIn: '30d' },

src/services/hive/hive.module.ts

+11
Original file line numberDiff line numberDiff line change
@@ -0,0 +1,11 @@
1+
import { Module } from '@nestjs/common';
2+
import { HiveChainModule } from '../../repositories/hive-chain/hive-chain.module';
3+
import { HiveService } from './hive.service';
4+
import { HiveAccountModule } from '../../repositories/hive-account/hive-account.module';
5+
6+
@Module({
7+
imports: [HiveAccountModule, HiveChainModule],
8+
providers: [HiveService],
9+
exports: [HiveService],
10+
})
11+
export class HiveModule {}

0 commit comments

Comments
 (0)