All files bearerToken.ts

85.52% Statements 130/152
75% Branches 42/56
100% Functions 5/5
85.52% Lines 130/152

Press n or j to go to the next uncovered block, b, p or k for the previous block.

1 2 3 4 5 6 7 8 9 10 11 12 13 14 15 16 17 18 19 20 21 22 23 24 25 26 27 28 29 30 31 32 33 34 35 36 37 38 39 40 41 42 43 44 45 46 47 48 49 50 51 52 53 54 55 56 57 58 59 60 61 62 63 64 65 66 67 68 69 70 71 72 73 74 75 76 77 78 79 80 81 82 83 84 85 86 87 88 89 90 91 92 93 94 95 96 97 98 99 100 101 102 103 104 105 106 107 108 109 110 111 112 113 114 115 116 117 118 119 120 121 122 123 124 125 126 127 128 129 130 131 132 133 134 135 136 137 138 139 140 141 142 143 144 145 146 147 148 149 150 151 152 153 154 155 156 157 158 159 160 161 162 163 164 165 166 167 168 169 170 171 172 173 174 175 176 177 178 179 180 181 182 183 184 185 186 187 188 189 190 191 192 193 194 195 196 197 198 199 200 201 202 203 204 205 206 207 208 2091x                                                     1x 1x 1x 1x 1x 1x   1x 1x 1x 1x 1x 1x 1x 1x   1x 11x   1x 3x       1x 13x   13x 13x 13x 13x 1x 1x 1x 1x 1x 1x   13x     13x       13x 3x   3x 1x 1x 1x 1x 1x 1x 3x     11x 13x 1x 1x   13x       11x 11x   1x 11x   11x 11x 11x   2x 2x 2x 11x 4x 4x 4x 4x   11x 11x   13x 13x 13x 13x 13x 13x 2x 2x   11x 13x 13x 13x   13x 13x 13x 13x 13x   11x 11x 11x 11x 11x 11x   11x 11x 11x 11x 11x 11x 11x 11x 11x 13x                   13x 11x 11x   11x 11x   11x 11x 13x 13x       13x 10x       10x 10x 1x 1x   9x 9x 10x 10x 10x 10x   1x 1x 1x 1x 1x 1x   1x 1x       13x 13x 13x  
import { z } from 'zod'
 
export type BearerTokenAudience = 'mcp' | 'api2' | (string & {})
 
export type BearerTokenResponse = {
  access_token: string
  token_type: 'Bearer'
  expires_in: number
  scope?: string
}
 
export type MintBearerTokenOptions = {
  endpoint?: string
  aud?: BearerTokenAudience | string
  /**
   * Requested scopes. Must be a subset of the auth key's scope.
   *
   * If omitted, the token inherits the auth key's scope.
   */
  scope?: string[] | string
  timeoutMs?: number
}
 
export type MintBearerTokenResult =
  | { ok: true; raw: string; data: BearerTokenResponse }
  | { ok: false; error: string }
 
const tokenErrorSchema = z
  .object({
    error: z.string(),
    message: z.string().optional(),
  })
  .passthrough()
 
const tokenSuccessSchema = z
  .object({
    access_token: z.string().min(1),
    token_type: z.literal('Bearer').optional(),
    expires_in: z.number(),
    scope: z.string().optional(),
  })
  .passthrough()
 
const buildBasicAuthHeaderValue = (credentials: { authKey: string; authSecret: string }): string =>
  `Basic ${Buffer.from(`${credentials.authKey}:${credentials.authSecret}`, 'utf8').toString('base64')}`
 
const isLoopbackHost = (hostname: string): boolean =>
  hostname === 'localhost' || hostname === '::1' || hostname.startsWith('127.')
 
type TokenBaseResult = { ok: true; baseUrl: URL } | { ok: false; error: string }
 
const normalizeTokenBaseEndpoint = (raw?: string): TokenBaseResult => {
  const baseRaw = (raw || process.env.TRANSLOADIT_ENDPOINT || 'https://api2.transloadit.com').trim()
 
  let url: URL
  try {
    url = new URL(baseRaw)
  } catch {
    return {
      ok: false,
      error:
        'Invalid endpoint URL. Use --endpoint https://api2.transloadit.com (or set TRANSLOADIT_ENDPOINT).',
    }
  }
 
  if (url.username || url.password) {
    return { ok: false, error: 'Endpoint must not include username/password.' }
  }
  if (url.search || url.hash) {
    return { ok: false, error: 'Endpoint must not include query string or hash.' }
  }
 
  if (url.protocol !== 'https:') {
    if (url.protocol === 'http:' && isLoopbackHost(url.hostname)) {
      // Allowed for local development only.
    } else {
      return {
        ok: false,
        error:
          'Refusing to send credentials to a non-HTTPS endpoint. Use https://... (or http://localhost for local development).',
      }
    }
  }
 
  // If someone pasted the token URL, normalize it back to the API base to avoid /token/token.
  const pathLower = url.pathname.toLowerCase()
  if (pathLower === '/token' || pathLower === '/token/') {
    url.pathname = '/'
  }
 
  if (!url.pathname.endsWith('/')) {
    url.pathname = `${url.pathname}/`
  }
 
  return { ok: true, baseUrl: url }
}
 
const normalizeScopeInput = (input?: string[] | string): string | undefined => {
  if (input == null) return undefined
 
  const raw = Array.isArray(input) ? input.join(' ') : String(input)
  const trimmed = raw.trim()
  if (!trimmed) return undefined
 
  const parts = trimmed.split(/[\s,]+/).map((p) => p.trim())
  const seen = new Set<string>()
  const out: string[] = []
  for (const part of parts) {
    if (!part || seen.has(part)) continue
    seen.add(part)
    out.push(part)
  }
 
  return out.length > 0 ? out.join(' ') : undefined
}
 
export async function mintBearerTokenWithCredentials(
  credentials: { authKey: string; authSecret: string },
  options: MintBearerTokenOptions = {},
): Promise<MintBearerTokenResult> {
  const endpointResult = normalizeTokenBaseEndpoint(options.endpoint)
  if (!endpointResult.ok) {
    return { ok: false, error: endpointResult.error }
  }
 
  const url = new URL('token', endpointResult.baseUrl).toString()
  const aud = (options.aud ?? 'mcp').trim() || 'mcp'
  const scope = normalizeScopeInput(options.scope)
  const timeoutMs = options.timeoutMs ?? 15_000
 
  const params = new URLSearchParams({
    grant_type: 'client_credentials',
    aud,
  })
  if (scope) params.set('scope', scope)
 
  let res: Response
  const controller = new AbortController()
  const timeout = setTimeout(() => controller.abort(), timeoutMs)
  try {
    res = await fetch(url, {
      method: 'POST',
      // Never follow redirects with Basic Auth credentials.
      redirect: 'error',
      signal: controller.signal,
      headers: {
        Authorization: buildBasicAuthHeaderValue(credentials),
        Accept: 'application/json',
        'Content-Type': 'application/x-www-form-urlencoded',
      },
      body: params.toString(),
    })
  } catch (err) {
    clearTimeout(timeout)
    if (err instanceof Error && err.name === 'AbortError') {
      return {
        ok: false,
        error: `Failed to mint bearer token: request timed out after ${Math.round(timeoutMs / 1000)}s.`,
      }
    }
    const message = err instanceof Error ? err.message : String(err)
    return { ok: false, error: `Failed to mint bearer token: ${message}` }
  } finally {
    clearTimeout(timeout)
  }
 
  const text = await res.text()
  const trimmed = text.trim()
 
  let parsedJson: unknown = null
  try {
    parsedJson = trimmed ? JSON.parse(trimmed) : null
  } catch {
    parsedJson = null
  }
 
  if (res.ok) {
    if (parsedJson == null) {
      return { ok: false, error: 'Token response was not valid JSON.' }
    }
 
    const parsed = tokenSuccessSchema.safeParse(parsedJson)
    if (!parsed.success) {
      return { ok: false, error: 'Token response did not include an access_token.' }
    }
 
    const data: BearerTokenResponse = {
      ...parsed.data,
      token_type: parsed.data.token_type ?? 'Bearer',
    }
    return { ok: true, raw: trimmed, data }
  }
 
  const parsedError = tokenErrorSchema.safeParse(parsedJson)
  if (parsedError.success) {
    return {
      ok: false,
      error: parsedError.data.message
        ? `${parsedError.data.error}: ${parsedError.data.message}`
        : parsedError.data.error,
    }
  }
 
  return {
    ok: false,
    error: `Token request failed (${res.status}): ${trimmed || res.statusText}`,
  }
}