File size: 9,729 Bytes
e1d8498
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
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
209
210
211
212
213
214
215
216
217
218
219
220
221
222
223
224
225
226
227
228
229
230
231
232
233
234
235
236
237
238
239
240
241
242
243
244
245
246
247
248
249
250
251
252
253
254
255
256
257
258
259
260
261
262
263
264
265
266
267
268
269
270
271
272
273
274
275
276
277
278
279
280
281
282
283
284
285
286
287
288
289
290
291
292
import { useState } from "react";
import { Copy, Check, ExternalLink } from "lucide-react";

export default function DocsView() {
  const [copied, setCopied] = useState(null);
  const [active, setActive] = useState("overview");
  // BUG FIX #7: Removed unused `codeTab` / `setCodeTab` state that was
  // declared but never referenced in JSX, creating dead React state on every
  // render and confusing future developers.

  const BASE = window.location.origin;

  const copy = (text, key) => {
    navigator.clipboard.writeText(text);
    setCopied(key);
    setTimeout(() => setCopied(null), 1500);
  };

  const sections = [
    {
      id: "overview",
      title: "Overview",
      content: (
        <div className="space-y-3 text-text-secondary text-sm leading-relaxed">
          <p>
            AI Gateway Hub proxies any AI provider through a single{" "}
            <span className="badge badge-green font-mono text-xs">OpenAI-compatible</span>{" "}
            API endpoint. Add any model via the UI, then call it using the standard OpenAI SDK
            from any language.
          </p>
          <div className="grid grid-cols-1 sm:grid-cols-3 gap-3 mt-4">
            {[
              { label: "Base URL", value: `${BASE}/v1`, badge: "green" },
              { label: "Auth", value: "Any bearer token (passthrough)", badge: "cyan" },
              { label: "Protocol", value: "OpenAI API v1", badge: "purple" },
            ].map(({ label, value, badge }) => (
              <div key={label} className="card p-3">
                <div className={`badge badge-${badge} mb-2`}>{label}</div>
                <p className="font-mono text-xs text-text-primary">{value}</p>
              </div>
            ))}
          </div>
        </div>
      ),
    },
    {
      id: "python",
      title: "Python (openai SDK)",
      lang: "python",
      code: `from openai import OpenAI

# Point the official OpenAI SDK at your gateway
client = OpenAI(
    base_url="${BASE}/v1",
    api_key="any-string",   # No real key needed for keyless providers
)

# Chat completions
response = client.chat.completions.create(
    model="anthropic-claude-3-5-sonnet-20241022",  # Your registered alias
    messages=[
        {"role": "system", "content": "You are a helpful assistant."},
        {"role": "user", "content": "Explain quantum entanglement simply."},
    ],
    temperature=0.7,
)
print(response.choices[0].message.content)

# Streaming
stream = client.chat.completions.create(
    model="ollama-llama3",
    messages=[{"role": "user", "content": "Write a haiku."}],
    stream=True,
)
for chunk in stream:
    print(chunk.choices[0].delta.content or "", end="", flush=True)

# Embeddings
embedding = client.embeddings.create(
    model="openai-text-embedding-3-small",
    input="Hello world",
)
print(embedding.data[0].embedding[:5])`,
    },
    {
      id: "nodejs",
      title: "Node.js / TypeScript",
      lang: "javascript",
      code: `import OpenAI from "openai";

const client = new OpenAI({
  baseURL: "${BASE}/v1",
  apiKey: "any-string",
});

// Chat completions
const response = await client.chat.completions.create({
  model: "anthropic-claude-3-5-sonnet-20241022",
  messages: [
    { role: "system", content: "You are a helpful assistant." },
    { role: "user",   content: "What is the capital of France?" },
  ],
});
console.log(response.choices[0].message.content);

// Streaming
const stream = await client.chat.completions.create({
  model: "ollama-llama3",
  messages: [{ role: "user", content: "Count to 10." }],
  stream: true,
});
for await (const chunk of stream) {
  process.stdout.write(chunk.choices[0]?.delta?.content ?? "");
}`,
    },
    {
      id: "curl",
      title: "cURL",
      lang: "bash",
      code: `# Chat completion
curl ${BASE}/v1/chat/completions \\
  -H "Content-Type: application/json" \\
  -H "Authorization: Bearer any-key" \\
  -d '{
    "model": "anthropic-claude-3-5-sonnet-20241022",
    "messages": [
      {"role": "user", "content": "Hello, who are you?"}
    ]
  }'

# List available models
curl ${BASE}/v1/models \\
  -H "Authorization: Bearer any-key"

# Embeddings
curl ${BASE}/v1/embeddings \\
  -H "Content-Type: application/json" \\
  -H "Authorization: Bearer any-key" \\
  -d '{
    "model": "openai-text-embedding-3-small",
    "input": "The food was delicious."
  }'`,
    },
    {
      id: "langchain",
      title: "LangChain",
      lang: "python",
      code: `from langchain_openai import ChatOpenAI, OpenAIEmbeddings

# Drop-in replacement — just change base_url
llm = ChatOpenAI(
    base_url="${BASE}/v1",
    api_key="any-key",
    model="anthropic-claude-3-5-sonnet-20241022",
    temperature=0,
)

result = llm.invoke("What are the benefits of LangChain?")
print(result.content)

# Embeddings
embeddings = OpenAIEmbeddings(
    base_url="${BASE}/v1",
    api_key="any-key",
    model="openai-text-embedding-3-small",
)
vector = embeddings.embed_query("Hello world")`,
    },
    {
      id: "litellm_sdk",
      title: "LiteLLM SDK",
      lang: "python",
      code: `import litellm

# Call via gateway
response = litellm.completion(
    model="openai/anthropic-claude-3-5-sonnet-20241022",
    api_base="${BASE}/v1",
    api_key="any-key",
    messages=[{"role": "user", "content": "Hello!"}],
)
print(response.choices[0].message.content)`,
    },
    {
      id: "endpoints",
      title: "Supported Endpoints",
      content: (
        <div className="space-y-2">
          {[
            { method: "POST", path: "/v1/chat/completions",    desc: "Chat completions (streaming supported)" },
            { method: "POST", path: "/v1/completions",         desc: "Text completions" },
            { method: "POST", path: "/v1/embeddings",          desc: "Text embeddings" },
            { method: "POST", path: "/v1/images/generations",  desc: "Image generation (DALL-E / Stable Diffusion)" },
            { method: "POST", path: "/v1/audio/speech",        desc: "Text-to-speech" },
            { method: "POST", path: "/v1/audio/transcriptions",desc: "Speech-to-text (Whisper)" },
            { method: "GET",  path: "/v1/models",              desc: "List all registered models" },
          ].map(({ method, path, desc }) => (
            <div key={path} className="flex items-center gap-3 text-sm py-2 border-b border-white/5 last:border-0">
              <span className={`badge flex-shrink-0 ${
                method === "GET" ? "badge-cyan" : "badge-green"
              }`}>{method}</span>
              <span className="font-mono text-text-primary text-xs flex-shrink-0">{path}</span>
              <span className="text-text-muted text-xs">{desc}</span>
            </div>
          ))}
        </div>
      ),
    },
  ];

  return (
    <div className="animate-fade-in">
      <div className="mb-6">
        <h1 className="font-display text-xl font-semibold text-text-primary">Integration Docs</h1>
        <p className="text-text-secondary text-sm mt-0.5">
          Use any OpenAI-compatible client to connect to your registered models.
        </p>
      </div>

      <div className="flex gap-6">
        {/* Sidebar */}
        <nav className="hidden lg:block w-44 flex-shrink-0 space-y-0.5">
          {sections.map(s => (
            <button
              key={s.id}
              onClick={() => setActive(s.id)}
              className={`w-full text-left px-3 py-2 rounded text-xs font-medium transition-colors ${
                active === s.id
                  ? "bg-accent-green/10 text-accent-green"
                  : "text-text-secondary hover:text-text-primary hover:bg-surface-2"
              }`}
            >
              {s.title}
            </button>
          ))}
          <div className="pt-3 border-t border-white/5 mt-3">
            <a
              href="https://docs.litellm.ai/docs/providers"
              target="_blank" rel="noreferrer"
              className="flex items-center gap-1.5 px-3 py-2 text-xs text-text-muted hover:text-accent-cyan"
            >
              <ExternalLink size={10} />
              LiteLLM Providers
            </a>
          </div>
        </nav>

        {/* Content */}
        <div className="flex-1 min-w-0 space-y-4">
          {/* Mobile tab strip */}
          <div className="lg:hidden flex gap-1 flex-wrap mb-4">
            {sections.map(s => (
              <button
                key={s.id}
                onClick={() => setActive(s.id)}
                className={`badge cursor-pointer ${active === s.id ? "badge-green" : "badge-gray"}`}
              >
                {s.title}
              </button>
            ))}
          </div>

          {sections
            .filter(s => s.id === active)
            .map(s => (
              <div key={s.id} className="card p-5 animate-slide-in">
                <h2 className="font-display font-semibold text-text-primary mb-4">{s.title}</h2>
                {s.content && s.content}
                {s.code && (
                  <div className="relative">
                    <button
                      onClick={() => copy(s.code, s.id)}
                      className="absolute top-3 right-3 text-text-muted hover:text-text-primary transition-colors z-10"
                    >
                      {copied === s.id
                        ? <Check size={13} className="text-accent-green" />
                        : <Copy size={13} />
                      }
                    </button>
                    <div className="code-block text-text-secondary text-[0.75rem] leading-relaxed">
                      {s.code}
                    </div>
                  </div>
                )}
              </div>
            ))}
        </div>
      </div>
    </div>
  );
}