Skip to content
Merged
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 apps/frontend/nuxt.config.ts
Original file line number Diff line number Diff line change
Expand Up @@ -207,10 +207,19 @@ export default defineNuxtConfig({
// @ts-ignore
rateLimitKey: process.env.RATE_LIMIT_IGNORE_KEY ?? globalThis.RATE_LIMIT_IGNORE_KEY,
pyroBaseUrl: process.env.PYRO_BASE_URL,
intercomIdentitySecret:
process.env.INTERCOM_IDENTITY_SECRET ||
// @ts-ignore
globalThis.INTERCOM_IDENTITY_SECRET,
public: {
apiBaseUrl: getApiUrl(),
pyroBaseUrl: process.env.PYRO_BASE_URL,
siteUrl: getDomain(),
intercomAppId:
process.env.INTERCOM_APP_ID ||
// @ts-ignore
globalThis.INTERCOM_APP_ID ||
'ykeritl9',
production: isProduction(),
buildEnv: process.env.BUILD_ENV,
preview: process.env.PREVIEW === 'true',
Expand Down
1 change: 1 addition & 0 deletions apps/frontend/package.json
Original file line number Diff line number Diff line change
Expand Up @@ -63,6 +63,7 @@
"highlight.js": "^11.7.0",
"intl-messageformat": "^10.7.7",
"iso-3166-2": "1.0.0",
"jose": "^6.2.2",
"js-yaml": "^4.1.0",
"jszip": "^3.10.1",
"lru-cache": "^11.2.4",
Expand Down
54 changes: 25 additions & 29 deletions apps/frontend/src/pages/hosting/manage/[id].vue
Original file line number Diff line number Diff line change
Expand Up @@ -414,17 +414,16 @@ const isLoading = ref(true)
const isMounted = ref(true)
const unsubscribers = ref<(() => void)[]>([])
const flags = useFeatureFlags()
const config = useRuntimeConfig()

const INTERCOM_APP_ID = ref('ykeritl9')
const auth = (await useAuth()) as unknown as {
value: { user: { id: string; username: string; email: string; created: string } }
type AuthUser = {
id: string
username: string
email?: string
created: string
}
const userId = ref(auth.value?.user?.id ?? null)
const username = ref(auth.value?.user?.username ?? null)
const email = ref(auth.value?.user?.email ?? null)
const createdAt = ref(
auth.value?.user?.created ? Math.floor(new Date(auth.value.user.created).getTime() / 1000) : null,
)

const auth = (await useAuth()) as unknown as { value: { user: AuthUser | null } }

const debug = useDebugLogger('ServerManage')
const route = useNativeRoute()
Expand Down Expand Up @@ -1332,6 +1331,22 @@ const openInstallLog = () => {
})
}

async function initializeIntercom() {
if (!auth.value?.user) return

try {
const intercomData = await $fetch<{ token: string }>('/api/intercom/messenger-jwt')

Intercom({
app_id: config.public.intercomAppId,
intercom_user_jwt: intercomData.token,
session_duration: 1000 * 60 * 60 * 24,
})
} catch (error) {
console.warn('[PYROSERVERS][INTERCOM] failed to initialize secure support chat', error)
}
}

const cleanup = () => {
isMounted.value = false

Expand Down Expand Up @@ -1490,26 +1505,7 @@ onMounted(() => {
})
}

if (username.value && email.value && userId.value && createdAt.value) {
const currentUser = auth.value?.user as any
const matches =
username.value === currentUser?.username &&
email.value === currentUser?.email &&
userId.value === currentUser?.id &&
createdAt.value === Math.floor(new Date(currentUser?.created).getTime() / 1000)

if (matches) {
Intercom({
app_id: INTERCOM_APP_ID.value,
userId: userId.value,
name: username.value,
email: email.value,
created_at: createdAt.value,
})
} else {
console.warn('[PYROSERVERS][INTERCOM] mismatch')
}
}
void initializeIntercom()

DOMPurify.addHook(
'afterSanitizeAttributes',
Expand Down
99 changes: 99 additions & 0 deletions apps/frontend/src/server/routes/api/intercom/messenger-jwt.get.ts
Original file line number Diff line number Diff line change
@@ -0,0 +1,99 @@
import { type Labrinth, ModrinthApiError } from '@modrinth/api-client'
import { SignJWT } from 'jose'

import { useServerModrinthClient } from '~/server/utils/api-client'

type IntercomTokenResponse = {
token: string
}

async function signIntercomUserJwt(
user: { id: string; username: string; email?: string; created: string },
secret: string,
): Promise<string> {
const createdAt = Math.floor(new Date(user.created).getTime() / 1000)

const payload: Record<string, string | number> = {
user_id: user.id,
name: user.username,
}

if (user.email) {
payload.email = user.email
}

if (Number.isFinite(createdAt)) {
payload.created_at = createdAt
}

return await new SignJWT(payload)
.setProtectedHeader({ alg: 'HS256', typ: 'JWT' })
.setIssuedAt()
.setExpirationTime('1h')
.sign(new TextEncoder().encode(secret))
}

export default defineEventHandler(async (event): Promise<IntercomTokenResponse> => {
if (event.method !== 'GET') {
throw createError({
statusCode: 405,
message: 'Method not allowed',
})
}

const authToken = getCookie(event, 'auth-token')
if (!authToken) {
throw createError({
statusCode: 401,
message: 'Authentication required',
})
}

setHeader(event, 'cache-control', 'private, no-store, max-age=0')

const config = useRuntimeConfig(event)
if (!config.intercomIdentitySecret) {
throw createError({
statusCode: 500,
message: 'Intercom identity secret is not configured',
})
}

const client = useServerModrinthClient({
event,
authToken,
})

let user: { id: string; username: string; email?: string; created: string }
try {
const currentUser = await client.request<Labrinth.Users.v2.User>('/user', {
api: 'labrinth',
version: 2,
method: 'GET',
})
user = {
id: currentUser.id,
username: currentUser.username,
email: currentUser.email,
created: currentUser.created,
}
} catch (error) {
if (error instanceof ModrinthApiError && error.statusCode === 401) {
throw createError({
statusCode: 401,
message: 'Authentication required',
})
}

throw createError({
statusCode: 502,
message: 'Failed to resolve current user',
})
}

const token = await signIntercomUserJwt(user, config.intercomIdentitySecret)

return {
token,
}
})
5 changes: 5 additions & 0 deletions apps/frontend/wrangler.jsonc
Original file line number Diff line number Diff line change
Expand Up @@ -24,6 +24,11 @@
"binding": "RATE_LIMIT_IGNORE_KEY",
"store_id": "c9024fef252d4a53adf513feca64417d",
"secret_name": "labrinth-production-ratelimit-key"
},
{
"binding": "INTERCOM_IDENTITY_SECRET",
"store_id": "c9024fef252d4a53adf513feca64417d",
"secret_name": "intercom-identity-secret"
}
],
"version_metadata": {
Expand Down
8 changes: 8 additions & 0 deletions pnpm-lock.yaml

Some generated files are not rendered by default. Learn more about how customized files appear on GitHub.

2 changes: 2 additions & 0 deletions turbo.jsonc
Original file line number Diff line number Diff line change
Expand Up @@ -24,6 +24,8 @@
"CF_PAGES_*",
"HEROKU_APP_NAME",
"STRIPE_PUBLISHABLE_KEY",
"INTERCOM_APP_ID",
"INTERCOM_IDENTITY_SECRET",
"PYRO_BASE_URL",
"PROD_OVERRIDE",
"PYRO_MASTER_KEY",
Expand Down
Loading