Skip to content

Commit 3c8b5d2

Browse files
authored
✨ invitation API (#157)
* ✨ feat: added invitation service * ✨ feat: added invitation route * ✨ feat: added invitation middleware * ✨ feat: added invitation controller * 🏷️ chore: added invitation related types * ✨ feat: add invitation api * 🎨 feat: added invitations table * ➕ chore: added uuid dep * ✨ feat: update invitation service * ✨ feat: update invitation API router * ✨ feat: add invitation API middleware * ✨ feat: upadte invitation API controller * 🏷️ chore: update invitation interface * 🔧 chore: add redirect url config * 📝 chore: update swagger docs * 🧪 chore: add middleware tests * 🧪 chore: add route tests * 🎨 chore: update middleware strcture * 🎨 chore: update the invitation service change invite method: store invite and matrix call order * 🐛 fix: generateInvitationLink missing sender * 🧪 chore: added controller unit tests * 🐛 fix: extra slash in invitation link * 🧪 chore: added service unit test * 🧪 chore: fix unit tests * 🎨 chore: add room_id to invitation table * 🐛 fix: create a room when a user uses a link to accept the invitation * 🏷️ chore: add room creation related types * 🧪 chore: update tests
1 parent 3bc093d commit 3c8b5d2

File tree

18 files changed

+1910
-4
lines changed

18 files changed

+1910
-4
lines changed

docs/openapi.json

+1-1
Large diffs are not rendered by default.

package-lock.json

+13
Some generated files are not rendered by default. Learn more about customizing how changed files appear on GitHub.

packages/matrix-identity-server/src/db/index.ts

+4-1
Original file line numberDiff line numberDiff line change
@@ -25,6 +25,7 @@ export type Collections =
2525
| 'userPolicies'
2626
| 'userQuotas'
2727
| 'activeContacts'
28+
| 'invitations'
2829

2930
const cleanByExpires: Collections[] = ['oneTimeTokens', 'attempts']
3031

@@ -49,7 +50,9 @@ const tables: Record<Collections, string> = {
4950
'keyID varchar(64) PRIMARY KEY, public text, private text, active integer',
5051
userHistory: 'address text PRIMARY KEY, active integer, timestamp integer',
5152
userPolicies: 'user_id text, policy_name text, accepted integer',
52-
userQuotas: 'user_id varchar(64) PRIMARY KEY, size int'
53+
userQuotas: 'user_id varchar(64) PRIMARY KEY, size int',
54+
invitations:
55+
'id varchar(64) PRIMARY KEY, sender varchar(64), recepient varchar(64), medium varchar(64), expiration int, accessed int, room_id varchar(64)'
5356
}
5457

5558
const indexes: Partial<Record<Collections, string[]>> = {

packages/tom-server/package.json

+1
Original file line numberDiff line numberDiff line change
@@ -47,6 +47,7 @@
4747
"lodash": "^4.17.21",
4848
"qrcode": "^1.5.4",
4949
"redis": "^4.6.6",
50+
"uuid": "^11.0.3",
5051
"validator": "^13.11.0"
5152
},
5253
"optionalDependencies": {

packages/tom-server/src/config.json

+2-1
Original file line numberDiff line numberDiff line change
@@ -90,5 +90,6 @@
9090
"sms_api_login": "",
9191
"sms_api_key": "",
9292
"trust_x_forwarded_for": false,
93-
"qr_code_url": "twake.chat://login"
93+
"qr_code_url": "twake.chat://login",
94+
"invitation_redirect_url": "https://sign-up.twake.app/download/chat"
9495
}
Original file line numberDiff line numberDiff line change
@@ -0,0 +1,162 @@
1+
import { type TwakeLogger } from '@twake/logger'
2+
import { AuthRequest, Config, type TwakeDB } from '../../types'
3+
import { type NextFunction, type Request, type Response } from 'express'
4+
import { IInvitationService, InvitationRequestPayload } from '../types'
5+
import InvitationService from '../services'
6+
7+
export default class InvitationApiController {
8+
private readonly invitationService: IInvitationService
9+
10+
constructor(
11+
db: TwakeDB,
12+
private readonly logger: TwakeLogger,
13+
private readonly config: Config
14+
) {
15+
this.invitationService = new InvitationService(db, logger, config)
16+
}
17+
18+
/**
19+
* Sends an invitation to a user
20+
*
21+
* @param {Request} req - the request object.
22+
* @param {Response} res - the response object.
23+
* @param {NextFunction} next - the next hundler
24+
*/
25+
sendInvitation = async (
26+
req: AuthRequest,
27+
res: Response,
28+
next: NextFunction
29+
): Promise<void> => {
30+
try {
31+
const {
32+
body: { contact: recepient, medium },
33+
userId: sender
34+
}: { body: InvitationRequestPayload; userId?: string } = req
35+
36+
if (!sender) {
37+
res.status(400).json({ message: 'Sender is required' })
38+
return
39+
}
40+
41+
const { authorization } = req.headers
42+
43+
if (!authorization) {
44+
res.status(400).json({ message: 'Authorization header is required' })
45+
return
46+
}
47+
48+
await this.invitationService.invite(
49+
{ recepient, medium, sender },
50+
authorization
51+
)
52+
53+
res.status(200).json({ message: 'Invitation sent' })
54+
} catch (err) {
55+
this.logger.error(`Failed to send invitation`, { err })
56+
57+
next(err)
58+
}
59+
}
60+
61+
/**
62+
* Accepts an invitation
63+
*
64+
* @param {Request} req - the request object.
65+
* @param {Response} res - the response object.
66+
* @param {NextFunction} next - the next hundler
67+
*/
68+
acceptInvitation = async (
69+
req: Request,
70+
res: Response,
71+
next: NextFunction
72+
): Promise<void> => {
73+
try {
74+
const { id } = req.params
75+
76+
if (id.length === 0) {
77+
res.status(400).json({ message: 'Invitation id is required' })
78+
return
79+
}
80+
81+
const { authorization } = req.headers
82+
83+
if (!authorization) {
84+
res.status(400).json({ message: 'Authorization header is required' })
85+
return
86+
}
87+
88+
await this.invitationService.accept(id, authorization)
89+
90+
res.redirect(
91+
301,
92+
this.config.invitation_redirect_url ?? this.config.base_url
93+
)
94+
} catch (err) {
95+
this.logger.error(`Failed to accept invitation`, { err })
96+
97+
next(err)
98+
}
99+
}
100+
101+
/**
102+
* lists the invitations of the currently connected user.
103+
*
104+
* @param {Request} req - the request object.
105+
* @param {Response} res - the response object.
106+
* @param {NextFunction} next - the next hundler
107+
*/
108+
listInvitations = async (
109+
req: AuthRequest,
110+
res: Response,
111+
next: NextFunction
112+
): Promise<void> => {
113+
try {
114+
const { userId } = req
115+
116+
if (!userId) {
117+
res.status(400).json({ message: 'User id is required' })
118+
return
119+
}
120+
121+
const invitations = await this.invitationService.list(userId)
122+
123+
res.status(200).json({ invitations })
124+
} catch (err) {
125+
next(err)
126+
}
127+
}
128+
129+
/**
130+
* Generates an invitation link
131+
*
132+
* @param {Request} req - the request object.
133+
* @param {Response} res - the response object.
134+
* @param {NextFunction} next - the next hundler
135+
*/
136+
generateInvitationLink = async (
137+
req: Request,
138+
res: Response,
139+
next: NextFunction
140+
): Promise<void> => {
141+
try {
142+
const {
143+
body: { contact: recepient, medium },
144+
userId: sender
145+
}: { body: InvitationRequestPayload; userId?: string } = req
146+
147+
if (!sender) {
148+
throw Error('Sender is required')
149+
}
150+
151+
const link = await this.invitationService.generateLink({
152+
sender,
153+
recepient,
154+
medium
155+
})
156+
157+
res.status(200).json({ link })
158+
} catch (err) {
159+
next(err)
160+
}
161+
}
162+
}
Original file line numberDiff line numberDiff line change
@@ -0,0 +1 @@
1+
export { default } from './routes'
Original file line numberDiff line numberDiff line change
@@ -0,0 +1,159 @@
1+
import { TwakeLogger } from '@twake/logger'
2+
import { TwakeDB } from '../../types'
3+
import type { NextFunction, Request, Response } from 'express'
4+
import { InvitationRequestPayload } from '../types'
5+
import { isEmail, isMobilePhone } from 'validator'
6+
7+
export default class invitationApiMiddleware {
8+
private readonly ONE_HOUR = 60 * 60 * 1000
9+
10+
constructor(
11+
private readonly db: TwakeDB,
12+
private readonly logger: TwakeLogger
13+
) {}
14+
15+
/**
16+
* Checks the invitation payload
17+
*
18+
* @param {Request} req - the request object.
19+
* @param {Response} res - the response object.
20+
* @param {NextFunction} next - the next hundler
21+
*/
22+
checkInvitationPayload = (
23+
req: Request,
24+
res: Response,
25+
next: NextFunction
26+
): void => {
27+
try {
28+
const {
29+
body: { contact, medium }
30+
}: { body: InvitationRequestPayload } = req
31+
32+
if (!contact) {
33+
res.status(400).json({ message: 'Recepient is required' })
34+
return
35+
}
36+
37+
if (!medium) {
38+
res.status(400).json({ message: 'Medium is required' })
39+
return
40+
}
41+
42+
if (medium !== 'email' && medium !== 'phone') {
43+
res.status(400).json({ message: 'Invalid medium' })
44+
return
45+
}
46+
47+
if (medium === 'email' && !isEmail(contact)) {
48+
res.status(400).json({ message: 'Invalid email' })
49+
return
50+
}
51+
52+
if (medium === 'phone' && !isMobilePhone(contact)) {
53+
res.status(400).json({ message: 'Invalid phone number' })
54+
return
55+
}
56+
57+
next()
58+
} catch (error) {
59+
this.logger.error(`Failed to check invitation payload`, { error })
60+
61+
res.status(400).json({ message: 'Invalid invitation payload' })
62+
}
63+
}
64+
65+
/**
66+
* Checks if the invitation exists and not expired
67+
*
68+
* @param {Request} req - the request object.
69+
* @param {Response} res - the response object.
70+
* @param {NextFunction} next - the next hundler
71+
*/
72+
checkInvitation = async (
73+
req: Request,
74+
res: Response,
75+
next: NextFunction
76+
): Promise<void> => {
77+
try {
78+
const {
79+
params: { id }
80+
} = req
81+
82+
if (!id) {
83+
res.status(400).json({ message: 'Invitation id is required' })
84+
return
85+
}
86+
87+
const invitation = await this.db.get('invitations', ['expiration'], {
88+
id
89+
})
90+
91+
if (!invitation || !invitation.length) {
92+
res.status(404).json({ message: 'Invitation not found' })
93+
return
94+
}
95+
96+
const { expiration } = invitation[0]
97+
98+
if (+expiration < Date.now()) {
99+
res.status(400).json({ message: 'Invitation expired' })
100+
return
101+
}
102+
103+
next()
104+
} catch (error) {
105+
this.logger.error(`Failed to check invitation`, { error })
106+
107+
res.status(400).json({ message: 'Invalid invitation' })
108+
}
109+
}
110+
111+
/**
112+
* Rate limits invitations to the same contact
113+
*
114+
* @param {Request} req - the request object.
115+
* @param {Response} res - the response object.
116+
* @param {NextFunction} next - the next hundler.
117+
*/
118+
rateLimitInvitations = async (
119+
req: Request,
120+
res: Response,
121+
next: NextFunction
122+
): Promise<void> => {
123+
try {
124+
const {
125+
body: { contact }
126+
}: { body: InvitationRequestPayload } = req
127+
128+
const invitations = await this.db.get(
129+
'invitations',
130+
['id', 'expiration'],
131+
{
132+
recepient: contact
133+
}
134+
)
135+
136+
if (!invitations || !invitations.length) {
137+
next()
138+
return
139+
}
140+
141+
const lastInvitation = invitations[invitations.length - 1]
142+
const { expiration } = lastInvitation
143+
144+
if (Date.now() - +expiration < this.ONE_HOUR) {
145+
res
146+
.status(400)
147+
.json({ message: 'you already sent an invitation to this contact' })
148+
149+
return
150+
}
151+
152+
next()
153+
} catch (error) {
154+
this.logger.error(`Failed to rate limit invitations`, { error })
155+
156+
res.status(400).json({ message: 'Failed to rate limit invitations' })
157+
}
158+
}
159+
}

0 commit comments

Comments
 (0)