| 123456789101112131415161718192021222324252627282930313233343536373839404142434445464748495051525354555657585960616263646566676869707172737475767778798081828384858687888990919293949596979899100101102103104105106107108109110111112113114115116117118119120121122123124125126127128129130131132133134135136137138139140141142143144145146147148149150151152153154155156157158159160161162163164165166167168169170171172173174175176177178179180181182183184185186187188189190191192193194195196197198199200201202203204205206207208209210211212213214215216217218219220221222223224225226227228229230231232233234235236237238239240241242243244245246247248249250251252253254255256257258259260261262263264265266267268269270271272273274275276277278279280281282283284285286287288289290291292293294295296297298299300301302303304305306307308309310311312313314315316317318319320321322323324325326327328329330331332333334335336337338339340341342343344345346347348349350351352353354355356357358359360361362363364365366367368369370371372373374375376377378379380381382383384385386387388389390391392393394395396397398399400 |
- import { Auth } from "../../auth"
- import { cmd } from "./cmd"
- import * as prompts from "@clack/prompts"
- import { UI } from "../ui"
- import { ModelsDev } from "../../provider/models"
- import { map, pipe, sortBy, values } from "remeda"
- import path from "path"
- import os from "os"
- import { Config } from "../../config/config"
- import { Global } from "../../global"
- import { Plugin } from "../../plugin"
- import { Instance } from "../../project/instance"
- import type { Hooks } from "@opencode-ai/plugin"
- type PluginAuth = NonNullable<Hooks["auth"]>
- /**
- * Handle plugin-based authentication flow.
- * Returns true if auth was handled, false if it should fall through to default handling.
- */
- async function handlePluginAuth(plugin: { auth: PluginAuth }, provider: string): Promise<boolean> {
- let index = 0
- if (plugin.auth.methods.length > 1) {
- const method = await prompts.select({
- message: "Login method",
- options: [
- ...plugin.auth.methods.map((x, index) => ({
- label: x.label,
- value: index.toString(),
- })),
- ],
- })
- if (prompts.isCancel(method)) throw new UI.CancelledError()
- index = parseInt(method)
- }
- const method = plugin.auth.methods[index]
- // Handle prompts for all auth types
- await Bun.sleep(10)
- const inputs: Record<string, string> = {}
- if (method.prompts) {
- for (const prompt of method.prompts) {
- if (prompt.condition && !prompt.condition(inputs)) {
- continue
- }
- if (prompt.type === "select") {
- const value = await prompts.select({
- message: prompt.message,
- options: prompt.options,
- })
- if (prompts.isCancel(value)) throw new UI.CancelledError()
- inputs[prompt.key] = value
- } else {
- const value = await prompts.text({
- message: prompt.message,
- placeholder: prompt.placeholder,
- validate: prompt.validate ? (v) => prompt.validate!(v ?? "") : undefined,
- })
- if (prompts.isCancel(value)) throw new UI.CancelledError()
- inputs[prompt.key] = value
- }
- }
- }
- if (method.type === "oauth") {
- const authorize = await method.authorize(inputs)
- if (authorize.url) {
- prompts.log.info("Go to: " + authorize.url)
- }
- if (authorize.method === "auto") {
- if (authorize.instructions) {
- prompts.log.info(authorize.instructions)
- }
- const spinner = prompts.spinner()
- spinner.start("Waiting for authorization...")
- const result = await authorize.callback()
- if (result.type === "failed") {
- spinner.stop("Failed to authorize", 1)
- }
- if (result.type === "success") {
- const saveProvider = result.provider ?? provider
- if ("refresh" in result) {
- const { type: _, provider: __, refresh, access, expires, ...extraFields } = result
- await Auth.set(saveProvider, {
- type: "oauth",
- refresh,
- access,
- expires,
- ...extraFields,
- })
- }
- if ("key" in result) {
- await Auth.set(saveProvider, {
- type: "api",
- key: result.key,
- })
- }
- spinner.stop("Login successful")
- }
- }
- if (authorize.method === "code") {
- const code = await prompts.text({
- message: "Paste the authorization code here: ",
- validate: (x) => (x && x.length > 0 ? undefined : "Required"),
- })
- if (prompts.isCancel(code)) throw new UI.CancelledError()
- const result = await authorize.callback(code)
- if (result.type === "failed") {
- prompts.log.error("Failed to authorize")
- }
- if (result.type === "success") {
- const saveProvider = result.provider ?? provider
- if ("refresh" in result) {
- const { type: _, provider: __, refresh, access, expires, ...extraFields } = result
- await Auth.set(saveProvider, {
- type: "oauth",
- refresh,
- access,
- expires,
- ...extraFields,
- })
- }
- if ("key" in result) {
- await Auth.set(saveProvider, {
- type: "api",
- key: result.key,
- })
- }
- prompts.log.success("Login successful")
- }
- }
- prompts.outro("Done")
- return true
- }
- if (method.type === "api") {
- if (method.authorize) {
- const result = await method.authorize(inputs)
- if (result.type === "failed") {
- prompts.log.error("Failed to authorize")
- }
- if (result.type === "success") {
- const saveProvider = result.provider ?? provider
- await Auth.set(saveProvider, {
- type: "api",
- key: result.key,
- })
- prompts.log.success("Login successful")
- }
- prompts.outro("Done")
- return true
- }
- }
- return false
- }
- export const AuthCommand = cmd({
- command: "auth",
- describe: "manage credentials",
- builder: (yargs) =>
- yargs.command(AuthLoginCommand).command(AuthLogoutCommand).command(AuthListCommand).demandCommand(),
- async handler() {},
- })
- export const AuthListCommand = cmd({
- command: "list",
- aliases: ["ls"],
- describe: "list providers",
- async handler() {
- UI.empty()
- const authPath = path.join(Global.Path.data, "auth.json")
- const homedir = os.homedir()
- const displayPath = authPath.startsWith(homedir) ? authPath.replace(homedir, "~") : authPath
- prompts.intro(`Credentials ${UI.Style.TEXT_DIM}${displayPath}`)
- const results = Object.entries(await Auth.all())
- const database = await ModelsDev.get()
- for (const [providerID, result] of results) {
- const name = database[providerID]?.name || providerID
- prompts.log.info(`${name} ${UI.Style.TEXT_DIM}${result.type}`)
- }
- prompts.outro(`${results.length} credentials`)
- // Environment variables section
- const activeEnvVars: Array<{ provider: string; envVar: string }> = []
- for (const [providerID, provider] of Object.entries(database)) {
- for (const envVar of provider.env) {
- if (process.env[envVar]) {
- activeEnvVars.push({
- provider: provider.name || providerID,
- envVar,
- })
- }
- }
- }
- if (activeEnvVars.length > 0) {
- UI.empty()
- prompts.intro("Environment")
- for (const { provider, envVar } of activeEnvVars) {
- prompts.log.info(`${provider} ${UI.Style.TEXT_DIM}${envVar}`)
- }
- prompts.outro(`${activeEnvVars.length} environment variable` + (activeEnvVars.length === 1 ? "" : "s"))
- }
- },
- })
- export const AuthLoginCommand = cmd({
- command: "login [url]",
- describe: "log in to a provider",
- builder: (yargs) =>
- yargs.positional("url", {
- describe: "opencode auth provider",
- type: "string",
- }),
- async handler(args) {
- await Instance.provide({
- directory: process.cwd(),
- async fn() {
- UI.empty()
- prompts.intro("Add credential")
- if (args.url) {
- const wellknown = await fetch(`${args.url}/.well-known/opencode`).then((x) => x.json() as any)
- prompts.log.info(`Running \`${wellknown.auth.command.join(" ")}\``)
- const proc = Bun.spawn({
- cmd: wellknown.auth.command,
- stdout: "pipe",
- })
- const exit = await proc.exited
- if (exit !== 0) {
- prompts.log.error("Failed")
- prompts.outro("Done")
- return
- }
- const token = await new Response(proc.stdout).text()
- await Auth.set(args.url, {
- type: "wellknown",
- key: wellknown.auth.env,
- token: token.trim(),
- })
- prompts.log.success("Logged into " + args.url)
- prompts.outro("Done")
- return
- }
- await ModelsDev.refresh().catch(() => {})
- const config = await Config.get()
- const disabled = new Set(config.disabled_providers ?? [])
- const enabled = config.enabled_providers ? new Set(config.enabled_providers) : undefined
- const providers = await ModelsDev.get().then((x) => {
- const filtered: Record<string, (typeof x)[string]> = {}
- for (const [key, value] of Object.entries(x)) {
- if ((enabled ? enabled.has(key) : true) && !disabled.has(key)) {
- filtered[key] = value
- }
- }
- return filtered
- })
- const priority: Record<string, number> = {
- opencode: 0,
- anthropic: 1,
- "github-copilot": 2,
- openai: 3,
- google: 4,
- openrouter: 5,
- vercel: 6,
- }
- let provider = await prompts.autocomplete({
- message: "Select provider",
- maxItems: 8,
- options: [
- ...pipe(
- providers,
- values(),
- sortBy(
- (x) => priority[x.id] ?? 99,
- (x) => x.name ?? x.id,
- ),
- map((x) => ({
- label: x.name,
- value: x.id,
- hint: {
- opencode: "recommended",
- anthropic: "Claude Max or API key",
- openai: "ChatGPT Plus/Pro or API key",
- }[x.id],
- })),
- ),
- {
- value: "other",
- label: "Other",
- },
- ],
- })
- if (prompts.isCancel(provider)) throw new UI.CancelledError()
- const plugin = await Plugin.list().then((x) => x.find((x) => x.auth?.provider === provider))
- if (plugin && plugin.auth) {
- const handled = await handlePluginAuth({ auth: plugin.auth }, provider)
- if (handled) return
- }
- if (provider === "other") {
- provider = await prompts.text({
- message: "Enter provider id",
- validate: (x) => (x && x.match(/^[0-9a-z-]+$/) ? undefined : "a-z, 0-9 and hyphens only"),
- })
- if (prompts.isCancel(provider)) throw new UI.CancelledError()
- provider = provider.replace(/^@ai-sdk\//, "")
- if (prompts.isCancel(provider)) throw new UI.CancelledError()
- // Check if a plugin provides auth for this custom provider
- const customPlugin = await Plugin.list().then((x) => x.find((x) => x.auth?.provider === provider))
- if (customPlugin && customPlugin.auth) {
- const handled = await handlePluginAuth({ auth: customPlugin.auth }, provider)
- if (handled) return
- }
- prompts.log.warn(
- `This only stores a credential for ${provider} - you will need configure it in opencode.json, check the docs for examples.`,
- )
- }
- if (provider === "amazon-bedrock") {
- prompts.log.info(
- "Amazon Bedrock authentication priority:\n" +
- " 1. Bearer token (AWS_BEARER_TOKEN_BEDROCK or /connect)\n" +
- " 2. AWS credential chain (profile, access keys, IAM roles)\n\n" +
- "Configure via opencode.json options (profile, region, endpoint) or\n" +
- "AWS environment variables (AWS_PROFILE, AWS_REGION, AWS_ACCESS_KEY_ID).",
- )
- }
- if (provider === "opencode") {
- prompts.log.info("Create an api key at https://opencode.ai/auth")
- }
- if (provider === "vercel") {
- prompts.log.info("You can create an api key at https://vercel.link/ai-gateway-token")
- }
- if (["cloudflare", "cloudflare-ai-gateway"].includes(provider)) {
- prompts.log.info(
- "Cloudflare AI Gateway can be configured with CLOUDFLARE_GATEWAY_ID, CLOUDFLARE_ACCOUNT_ID, and CLOUDFLARE_API_TOKEN environment variables. Read more: https://opencode.ai/docs/providers/#cloudflare-ai-gateway",
- )
- }
- const key = await prompts.password({
- message: "Enter your API key",
- validate: (x) => (x && x.length > 0 ? undefined : "Required"),
- })
- if (prompts.isCancel(key)) throw new UI.CancelledError()
- await Auth.set(provider, {
- type: "api",
- key,
- })
- prompts.outro("Done")
- },
- })
- },
- })
- export const AuthLogoutCommand = cmd({
- command: "logout",
- describe: "log out from a configured provider",
- async handler() {
- UI.empty()
- const credentials = await Auth.all().then((x) => Object.entries(x))
- prompts.intro("Remove credential")
- if (credentials.length === 0) {
- prompts.log.error("No credentials found")
- return
- }
- const database = await ModelsDev.get()
- const providerID = await prompts.select({
- message: "Select provider",
- options: credentials.map(([key, value]) => ({
- label: (database[key]?.name || key) + UI.Style.TEXT_DIM + " (" + value.type + ")",
- value: key,
- })),
- })
- if (prompts.isCancel(providerID)) throw new UI.CancelledError()
- await Auth.remove(providerID)
- prompts.outro("Logout successful")
- },
- })
|