Skip to content
This repository has been archived by the owner on Sep 17, 2024. It is now read-only.

feat(users): users profile pictures #77

Open
wants to merge 3 commits into
base: 03-29-feat_create_uploads_module
Choose a base branch
from
Open
Show file tree
Hide file tree
Changes from all commits
Commits
File filter

Filter by extension

Filter by extension

Conversations
Failed to load comments.
Loading
Jump to
Jump to file
Failed to load files.
Loading
Diff view
Diff view
9 changes: 9 additions & 0 deletions modules/users/config.ts
Original file line number Diff line number Diff line change
@@ -0,0 +1,9 @@
export interface Config {
maxProfilePictureBytes: number;
Blckbrry-Pi marked this conversation as resolved.
Show resolved Hide resolved
allowedMimes?: string[];
}

export const DEFAULT_MIME_TYPES = [
"image/jpeg",
"image/png",
];
Original file line number Diff line number Diff line change
@@ -0,0 +1,2 @@
-- AlterTable
ALTER TABLE "User" ADD COLUMN "avatarUploadId" UUID;
10 changes: 6 additions & 4 deletions modules/users/db/schema.prisma
Original file line number Diff line number Diff line change
Expand Up @@ -4,8 +4,10 @@ datasource db {
}

model User {
id String @id @default(uuid()) @db.Uuid
username String @unique
createdAt DateTime @default(now())
updatedAt DateTime @updatedAt
id String @id @default(uuid()) @db.Uuid
username String @unique
createdAt DateTime @default(now())
updatedAt DateTime @updatedAt
avatarUploadId String? @db.Uuid
Copy link
Member

Choose a reason for hiding this comment

The reason will be displayed to describe this comment to others. Learn more.

profilePictureUploadId

}
24 changes: 22 additions & 2 deletions modules/users/module.json
Original file line number Diff line number Diff line change
Expand Up @@ -8,12 +8,14 @@
],
"authors": [
"rivet-gg",
"NathanFlurry"
"NathanFlurry",
"Blckbrry-Pi"
],
"status": "stable",
"dependencies": {
"rate_limit": {},
"tokens": {}
"tokens": {},
"uploads": {}
},
"scripts": {
"get_user": {
Expand All @@ -31,6 +33,16 @@
"create_user_token": {
"name": "Create User Token",
"description": "Create a token for a user to authenticate future requests."
},
"set_profile_picture": {
"name": "Set Profile Picture",
"description": "Set the profile picture for a user.",
"public": true
},
"prepare_profile_picture": {
"name": "Start Profile Picture Upload",
"description": "Allow the user to begin uploading a profile picture.",
"public": true
}
},
"errors": {
Expand All @@ -39,6 +51,14 @@
},
"unknown_identity_type": {
"name": "Unknown Identity Type"
},
"invalid_mime_type": {
"name": "Invalid MIME Type",
"description": "The MIME type for the supposed PFP isn't an image"
},
"file_too_large": {
"name": "File Too Large",
"description": "The file is larger than the configured maximum size for a profile picture"
}
}
}
10 changes: 8 additions & 2 deletions modules/users/scripts/create_user.ts
Original file line number Diff line number Diff line change
Expand Up @@ -6,7 +6,7 @@ export interface Request {
}

export interface Response {
user: User;
user: Omit<User, "profilePictureUrl">;
}

export async function run(
Expand All @@ -20,10 +20,16 @@ export async function run(
data: {
username: req.username ?? generateUsername(),
},
select: {
id: true,
username: true,
createdAt: true,
updatedAt: true,
},
});

return {
user,
user: user,
};
}

Expand Down
6 changes: 5 additions & 1 deletion modules/users/scripts/get_user.ts
Original file line number Diff line number Diff line change
@@ -1,5 +1,6 @@
import { ScriptContext } from "../module.gen.ts";
import { User } from "../utils/types.ts";
import { withPfpUrls } from "../utils/pfp.ts";

export interface Request {
userIds: string[];
Expand All @@ -20,5 +21,8 @@ export async function run(
orderBy: { username: "desc" },
});

return { users };

const usersWithPfps = await withPfpUrls(ctx, users);

return { users: usersWithPfps };
}
56 changes: 56 additions & 0 deletions modules/users/scripts/prepare_profile_picture.ts
Original file line number Diff line number Diff line change
@@ -0,0 +1,56 @@
import { ScriptContext, RuntimeError } from "../module.gen.ts";
import { DEFAULT_MIME_TYPES } from "../config.ts";

export interface Request {
mime: string;
contentLength: string;
userToken: string;
}

export interface Response {
url: string;
uploadId: string;
}

export async function run(
ctx: ScriptContext,
req: Request,
): Promise<Response> {
// Authenticate/rate limit because this is a public route
await ctx.modules.rateLimit.throttlePublic({ period: 60, requests: 5 });
const { userId } = await ctx.modules.users.authenticateUser({ userToken: req.userToken });

// Ensure at least the MIME type says it is an image
const allowedMimes = ctx.userConfig.allowedMimes ?? DEFAULT_MIME_TYPES;
if (!allowedMimes.includes(req.mime)) {
throw new RuntimeError(
"invalid_mime_type",
{ cause: `MIME type ${req.mime} is not an allowed image type` },
);
}

// Ensure the file is within the maximum configured size for a PFP
if (BigInt(req.contentLength) > ctx.userConfig.maxProfilePictureBytes) {
throw new RuntimeError(
"file_too_large",
{ cause: `File is too large (${req.contentLength} bytes)` },
);
}

// Prepare the upload to get the presigned URL
const { upload: presigned } = await ctx.modules.uploads.prepare({
Copy link
Member

Choose a reason for hiding this comment

The reason will be displayed to describe this comment to others. Learn more.

needs a tag: { users: { kind: "profile_picture", userId: "xxxx" } }

files: [
{
path: `profile-picture`,
contentLength: req.contentLength,
mime: req.mime,
multipart: false,
},
],
});

return {
url: presigned.files[0].presignedChunks[0].url,
uploadId: presigned.id,
}
}
74 changes: 74 additions & 0 deletions modules/users/scripts/set_profile_picture.ts
Original file line number Diff line number Diff line change
@@ -0,0 +1,74 @@
import { ScriptContext, RuntimeError } from "../module.gen.ts";
import { User } from "../utils/types.ts";
import { withPfpUrls } from "../utils/pfp.ts";

export interface Request {
uploadId: string;
userToken: string;
}

export interface Response {
user: User;
}

export async function run(
ctx: ScriptContext,
req: Request,
): Promise<Response> {
// Authenticate/rate limit because this is a public route
await ctx.modules.rateLimit.throttlePublic({ period: 60, requests: 5 });
const { userId } = await ctx.modules.users.authenticateUser({ userToken: req.userToken });

// Complete the upload in the `uploads` module
await ctx.modules.uploads.complete({ uploadId: req.uploadId });

// Delete the old uploaded profile picture and replace it with the new one
const [user] = await ctx.db.$transaction(async (db) => {
// If there is an existing profile picture, delete it
const oldUser = await db.user.findFirst({
where: { id: userId },
});

// (This means that `users.authenticateUser` is broken!)
if (!oldUser) {
throw new RuntimeError(
"internal_error",
{
meta: "Existing user not found",
},
);
}

if (oldUser.avatarUploadId) {
await ctx.modules.uploads.delete({ uploadId: oldUser.avatarUploadId });
}

// Update the user upload ID
const user = await db.user.update({
where: {
id: userId,
},
data: {
avatarUploadId: req.uploadId,
},
select: {
id: true,
username: true,
avatarUploadId: true,
createdAt: true,
updatedAt: true,
},
});

if (!user) {
throw new RuntimeError("internal_error", { cause: "User not found" });
}

return await withPfpUrls(
ctx,
[user],
);
});

return { user };
}
45 changes: 45 additions & 0 deletions modules/users/tests/pfp.ts
Original file line number Diff line number Diff line change
@@ -0,0 +1,45 @@
import { test, TestContext } from "../module.gen.ts";
import { faker } from "https://deno.land/x/[email protected]/mod.ts";
import { assertEquals } from "https://deno.land/[email protected]/assert/assert_equals.ts";
import { assertExists } from "https://deno.land/[email protected]/assert/assert_exists.ts";

test("e2e", async (ctx: TestContext) => {
const imageReq = await fetch("https://picsum.photos/200/300");
const imageData = new Uint8Array(await imageReq.arrayBuffer());


const { user } = await ctx.modules.users.createUser({
username: faker.internet.userName(),
});

const { token } = await ctx.modules.users.createUserToken({
userId: user.id,
});

const { url, uploadId } = await ctx.modules.users.prepareProfilePicture({
mime: imageReq.headers.get("Content-Type") ?? "image/jpeg",
contentLength: imageData.length.toString(),
userToken: token.token,
});

// Upload the profile picture
await fetch(url, {
method: "PUT",
body: imageData,
});

// Set the profile picture
await ctx.modules.users.setProfilePicture({
uploadId,
userToken: token.token,
});

// Get PFP from URL
const { users: [{ profilePictureUrl }] } = await ctx.modules.users.getUser({ userIds: [user.id] });
assertExists(profilePictureUrl);

// Get PFP from URL
const getPfpFromUrl = await fetch(profilePictureUrl);
const pfp = new Uint8Array(await getPfpFromUrl.arrayBuffer());
assertEquals(pfp, imageData);
});
34 changes: 34 additions & 0 deletions modules/users/utils/pfp.ts
Original file line number Diff line number Diff line change
@@ -0,0 +1,34 @@
import { ModuleContext } from "../module.gen.ts";
import { User } from "./types.ts";

const EXPIRY_SECS = 60 * 60 * 24; // 1 day

type UserWithUploadidInfo = Omit<User, "profilePictureUrl"> & { avatarUploadId: string | null };

export async function withPfpUrls<T extends ModuleContext>(
ctx: T,
users: UserWithUploadidInfo[],
): Promise<User[]> {
const fileRefs = users
.filter(user => user.avatarUploadId)
.map(user => ({ uploadId: user.avatarUploadId!, path: "profile-picture" }));

const { files } = await ctx.modules.uploads.getPublicFileUrls({
files: fileRefs,
expirySeconds: EXPIRY_SECS,
});

const map = new Map(files.map((file) => [file.uploadId, file.url]));

const completeUsers: User[] = [];
for (const user of users) {
if (user.avatarUploadId && map.has(user.avatarUploadId)) {
const profilePictureUrl = map.get(user.avatarUploadId)!;
completeUsers.push({ ...user, profilePictureUrl });
} else {
completeUsers.push({ ...user, profilePictureUrl: null });
}
}

return completeUsers;
}
1 change: 1 addition & 0 deletions modules/users/utils/types.ts
Original file line number Diff line number Diff line change
Expand Up @@ -3,4 +3,5 @@ export interface User {
username: string;
createdAt: Date;
updatedAt: Date;
profilePictureUrl: string | null;
}
5 changes: 4 additions & 1 deletion tests/basic/backend.json
Original file line number Diff line number Diff line change
Expand Up @@ -20,7 +20,10 @@
"registry": "local"
},
"users": {
"registry": "local"
"registry": "local",
"config": {
"maxProfilePictureBytes": 1048576
}
},
"uploads": {
"registry": "local",
Expand Down
Loading