mirror of
https://github.com/meta-llama/llama-stack.git
synced 2025-06-28 02:53:30 +00:00
Merge a4d84f7805
into 40fdce79b3
This commit is contained in:
commit
5257fa6c41
22 changed files with 821 additions and 38 deletions
88
llama_stack/ui/app/api/auth/[...path]/route.ts
Normal file
88
llama_stack/ui/app/api/auth/[...path]/route.ts
Normal file
|
@ -0,0 +1,88 @@
|
||||||
|
import { NextRequest, NextResponse } from "next/server";
|
||||||
|
import { BACKEND_URL } from "@/lib/server-config";
|
||||||
|
|
||||||
|
async function proxyAuthRequest(request: NextRequest, method: string) {
|
||||||
|
try {
|
||||||
|
const url = new URL(request.url);
|
||||||
|
const pathSegments = url.pathname.split("/");
|
||||||
|
|
||||||
|
// Remove /api/auth from the path to get the actual auth path
|
||||||
|
// /api/auth/github/login -> /auth/github/login
|
||||||
|
const authPath = pathSegments.slice(3).join("/"); // Remove 'api' and 'auth' segments
|
||||||
|
const targetUrl = `${BACKEND_URL}/auth/${authPath}${url.search}`;
|
||||||
|
|
||||||
|
// Prepare headers (exclude host and other problematic headers)
|
||||||
|
const headers = new Headers();
|
||||||
|
request.headers.forEach((value, key) => {
|
||||||
|
// Skip headers that might cause issues in proxy
|
||||||
|
if (
|
||||||
|
!["host", "connection", "content-length"].includes(key.toLowerCase())
|
||||||
|
) {
|
||||||
|
headers.set(key, value);
|
||||||
|
}
|
||||||
|
});
|
||||||
|
|
||||||
|
const requestOptions: RequestInit = {
|
||||||
|
method,
|
||||||
|
headers,
|
||||||
|
// Don't follow redirects automatically - we need to handle them
|
||||||
|
redirect: "manual",
|
||||||
|
};
|
||||||
|
|
||||||
|
if (["POST", "PUT", "PATCH"].includes(method) && request.body) {
|
||||||
|
requestOptions.body = await request.text();
|
||||||
|
}
|
||||||
|
|
||||||
|
const response = await fetch(targetUrl, requestOptions);
|
||||||
|
|
||||||
|
// Handle redirects
|
||||||
|
if (response.status === 302 || response.status === 307) {
|
||||||
|
const location = response.headers.get("location");
|
||||||
|
if (location) {
|
||||||
|
// For external redirects (like GitHub OAuth), return the redirect
|
||||||
|
return NextResponse.redirect(location);
|
||||||
|
}
|
||||||
|
}
|
||||||
|
|
||||||
|
if (response.ok) {
|
||||||
|
const responseText = await response.text();
|
||||||
|
|
||||||
|
const proxyResponse = new NextResponse(responseText, {
|
||||||
|
status: response.status,
|
||||||
|
statusText: response.statusText,
|
||||||
|
});
|
||||||
|
|
||||||
|
response.headers.forEach((value, key) => {
|
||||||
|
if (!["connection", "transfer-encoding"].includes(key.toLowerCase())) {
|
||||||
|
proxyResponse.headers.set(key, value);
|
||||||
|
}
|
||||||
|
});
|
||||||
|
|
||||||
|
return proxyResponse;
|
||||||
|
}
|
||||||
|
|
||||||
|
const errorText = await response.text();
|
||||||
|
return new NextResponse(errorText, {
|
||||||
|
status: response.status,
|
||||||
|
statusText: response.statusText,
|
||||||
|
});
|
||||||
|
} catch (error) {
|
||||||
|
return NextResponse.json(
|
||||||
|
{
|
||||||
|
error: "Auth proxy request failed",
|
||||||
|
message: error instanceof Error ? error.message : "Unknown error",
|
||||||
|
backend_url: BACKEND_URL,
|
||||||
|
timestamp: new Date().toISOString(),
|
||||||
|
},
|
||||||
|
{ status: 500 },
|
||||||
|
);
|
||||||
|
}
|
||||||
|
}
|
||||||
|
|
||||||
|
export async function GET(request: NextRequest) {
|
||||||
|
return proxyAuthRequest(request, "GET");
|
||||||
|
}
|
||||||
|
|
||||||
|
export async function POST(request: NextRequest) {
|
||||||
|
return proxyAuthRequest(request, "POST");
|
||||||
|
}
|
|
@ -1,9 +1,5 @@
|
||||||
import { NextRequest, NextResponse } from "next/server";
|
import { NextRequest, NextResponse } from "next/server";
|
||||||
|
import { BACKEND_URL } from "@/lib/server-config";
|
||||||
// Get backend URL from environment variable or default to localhost for development
|
|
||||||
const BACKEND_URL =
|
|
||||||
process.env.LLAMA_STACK_BACKEND_URL ||
|
|
||||||
`http://localhost:${process.env.LLAMA_STACK_PORT || 8321}`;
|
|
||||||
|
|
||||||
async function proxyRequest(request: NextRequest, method: string) {
|
async function proxyRequest(request: NextRequest, method: string) {
|
||||||
try {
|
try {
|
||||||
|
@ -16,8 +12,6 @@ async function proxyRequest(request: NextRequest, method: string) {
|
||||||
const apiPath = pathSegments.slice(2).join("/"); // Remove 'api' segment
|
const apiPath = pathSegments.slice(2).join("/"); // Remove 'api' segment
|
||||||
const targetUrl = `${BACKEND_URL}/${apiPath}${url.search}`;
|
const targetUrl = `${BACKEND_URL}/${apiPath}${url.search}`;
|
||||||
|
|
||||||
console.log(`Proxying ${method} ${url.pathname} -> ${targetUrl}`);
|
|
||||||
|
|
||||||
// Prepare headers (exclude host and other problematic headers)
|
// Prepare headers (exclude host and other problematic headers)
|
||||||
const headers = new Headers();
|
const headers = new Headers();
|
||||||
request.headers.forEach((value, key) => {
|
request.headers.forEach((value, key) => {
|
||||||
|
@ -33,6 +27,7 @@ async function proxyRequest(request: NextRequest, method: string) {
|
||||||
const requestOptions: RequestInit = {
|
const requestOptions: RequestInit = {
|
||||||
method,
|
method,
|
||||||
headers,
|
headers,
|
||||||
|
redirect: apiPath.startsWith("auth/") ? "manual" : "follow",
|
||||||
};
|
};
|
||||||
|
|
||||||
// Add body for methods that support it
|
// Add body for methods that support it
|
||||||
|
@ -43,6 +38,18 @@ async function proxyRequest(request: NextRequest, method: string) {
|
||||||
// Make the request to FastAPI backend
|
// Make the request to FastAPI backend
|
||||||
const response = await fetch(targetUrl, requestOptions);
|
const response = await fetch(targetUrl, requestOptions);
|
||||||
|
|
||||||
|
// Handle redirects for auth routes
|
||||||
|
if (
|
||||||
|
response.type === "opaqueredirect" ||
|
||||||
|
response.status === 302 ||
|
||||||
|
response.status === 307
|
||||||
|
) {
|
||||||
|
const location = response.headers.get("location");
|
||||||
|
if (location) {
|
||||||
|
return NextResponse.redirect(location);
|
||||||
|
}
|
||||||
|
}
|
||||||
|
|
||||||
// Get response data
|
// Get response data
|
||||||
const responseText = await response.text();
|
const responseText = await response.text();
|
||||||
|
|
||||||
|
|
81
llama_stack/ui/app/auth/github/callback/page.tsx
Normal file
81
llama_stack/ui/app/auth/github/callback/page.tsx
Normal file
|
@ -0,0 +1,81 @@
|
||||||
|
"use client";
|
||||||
|
|
||||||
|
import { useEffect, useState } from "react";
|
||||||
|
import { useRouter, useSearchParams } from "next/navigation";
|
||||||
|
import { useAuth } from "@/contexts/auth-context";
|
||||||
|
import {
|
||||||
|
Card,
|
||||||
|
CardContent,
|
||||||
|
CardDescription,
|
||||||
|
CardHeader,
|
||||||
|
CardTitle,
|
||||||
|
} from "@/components/ui/card";
|
||||||
|
import { Button } from "@/components/ui/button";
|
||||||
|
|
||||||
|
export default function AuthCallbackPage() {
|
||||||
|
const router = useRouter();
|
||||||
|
const searchParams = useSearchParams();
|
||||||
|
const { login } = useAuth();
|
||||||
|
const [error, setError] = useState<string | null>(null);
|
||||||
|
const [isProcessing, setIsProcessing] = useState(true);
|
||||||
|
|
||||||
|
useEffect(() => {
|
||||||
|
const processCallback = async () => {
|
||||||
|
// Get token from URL fragment (hash)
|
||||||
|
const hash = window.location.hash.substring(1); // Remove the #
|
||||||
|
const params = new URLSearchParams(hash);
|
||||||
|
const token = params.get("token");
|
||||||
|
|
||||||
|
if (!token) {
|
||||||
|
setError("Missing authentication token");
|
||||||
|
setIsProcessing(false);
|
||||||
|
return;
|
||||||
|
}
|
||||||
|
|
||||||
|
try {
|
||||||
|
// Store the token and decode user info from JWT
|
||||||
|
await login(token);
|
||||||
|
setIsProcessing(false);
|
||||||
|
} catch (err) {
|
||||||
|
setError("Failed to complete authentication");
|
||||||
|
setIsProcessing(false);
|
||||||
|
}
|
||||||
|
};
|
||||||
|
|
||||||
|
processCallback();
|
||||||
|
}, [searchParams, login]);
|
||||||
|
|
||||||
|
if (error) {
|
||||||
|
return (
|
||||||
|
<div className="flex items-center justify-center min-h-screen">
|
||||||
|
<Card className="w-full max-w-md">
|
||||||
|
<CardHeader>
|
||||||
|
<CardTitle className="text-red-600">Authentication Error</CardTitle>
|
||||||
|
<CardDescription>{error}</CardDescription>
|
||||||
|
</CardHeader>
|
||||||
|
<CardContent>
|
||||||
|
<Button onClick={() => router.push("/login")} className="w-full">
|
||||||
|
Back to Login
|
||||||
|
</Button>
|
||||||
|
</CardContent>
|
||||||
|
</Card>
|
||||||
|
</div>
|
||||||
|
);
|
||||||
|
}
|
||||||
|
|
||||||
|
return (
|
||||||
|
<div className="flex items-center justify-center min-h-screen">
|
||||||
|
<Card className="w-full max-w-md">
|
||||||
|
<CardHeader>
|
||||||
|
<CardTitle>Authenticating...</CardTitle>
|
||||||
|
<CardDescription>
|
||||||
|
Please wait while we complete your login.
|
||||||
|
</CardDescription>
|
||||||
|
</CardHeader>
|
||||||
|
<CardContent className="flex justify-center">
|
||||||
|
<div className="animate-spin rounded-full h-8 w-8 border-b-2 border-primary"></div>
|
||||||
|
</CardContent>
|
||||||
|
</Card>
|
||||||
|
</div>
|
||||||
|
);
|
||||||
|
}
|
|
@ -2,6 +2,9 @@ import type { Metadata } from "next";
|
||||||
import { ThemeProvider } from "@/components/ui/theme-provider";
|
import { ThemeProvider } from "@/components/ui/theme-provider";
|
||||||
import { Geist, Geist_Mono } from "next/font/google";
|
import { Geist, Geist_Mono } from "next/font/google";
|
||||||
import { ModeToggle } from "@/components/ui/mode-toggle";
|
import { ModeToggle } from "@/components/ui/mode-toggle";
|
||||||
|
import { AuthProvider } from "@/contexts/auth-context";
|
||||||
|
import { UserMenu } from "@/components/auth/user-menu";
|
||||||
|
import { Toaster } from "@/components/ui/sonner";
|
||||||
import "./globals.css";
|
import "./globals.css";
|
||||||
|
|
||||||
const geistSans = Geist({
|
const geistSans = Geist({
|
||||||
|
@ -32,22 +35,26 @@ export default function Layout({ children }: { children: React.ReactNode }) {
|
||||||
enableSystem
|
enableSystem
|
||||||
disableTransitionOnChange
|
disableTransitionOnChange
|
||||||
>
|
>
|
||||||
<SidebarProvider>
|
<AuthProvider>
|
||||||
<AppSidebar />
|
<SidebarProvider>
|
||||||
<main className="flex flex-col flex-1">
|
<AppSidebar />
|
||||||
{/* Header with aligned elements */}
|
<main className="flex flex-col flex-1">
|
||||||
<div className="flex items-center p-4 border-b">
|
{/* Header with aligned elements */}
|
||||||
<div className="flex-none">
|
<div className="flex items-center p-4 border-b">
|
||||||
<SidebarTrigger />
|
<div className="flex-none">
|
||||||
|
<SidebarTrigger />
|
||||||
|
</div>
|
||||||
|
<div className="flex-1 text-center"></div>
|
||||||
|
<div className="flex-none flex items-center gap-2">
|
||||||
|
<ModeToggle />
|
||||||
|
<UserMenu />
|
||||||
|
</div>
|
||||||
</div>
|
</div>
|
||||||
<div className="flex-1 text-center"></div>
|
<div className="flex flex-col flex-1 p-4">{children}</div>
|
||||||
<div className="flex-none">
|
</main>
|
||||||
<ModeToggle />
|
</SidebarProvider>
|
||||||
</div>
|
</AuthProvider>
|
||||||
</div>
|
<Toaster />
|
||||||
<div className="flex flex-col flex-1 p-4">{children}</div>
|
|
||||||
</main>
|
|
||||||
</SidebarProvider>
|
|
||||||
</ThemeProvider>
|
</ThemeProvider>
|
||||||
</body>
|
</body>
|
||||||
</html>
|
</html>
|
||||||
|
|
6
llama_stack/ui/app/login/page.tsx
Normal file
6
llama_stack/ui/app/login/page.tsx
Normal file
|
@ -0,0 +1,6 @@
|
||||||
|
import { LoginPage } from "@/components/auth/login-page";
|
||||||
|
import { serverConfig } from "@/lib/server-config";
|
||||||
|
|
||||||
|
export default function LoginPageRoute() {
|
||||||
|
return <LoginPage backendUrl={serverConfig.backendUrl} />;
|
||||||
|
}
|
|
@ -4,7 +4,7 @@ import { useEffect, useState } from "react";
|
||||||
import { useParams } from "next/navigation";
|
import { useParams } from "next/navigation";
|
||||||
import { ChatCompletion } from "@/lib/types";
|
import { ChatCompletion } from "@/lib/types";
|
||||||
import { ChatCompletionDetailView } from "@/components/chat-completions/chat-completion-detail";
|
import { ChatCompletionDetailView } from "@/components/chat-completions/chat-completion-detail";
|
||||||
import { client } from "@/lib/client";
|
import { getClient } from "@/lib/client";
|
||||||
|
|
||||||
export default function ChatCompletionDetailPage() {
|
export default function ChatCompletionDetailPage() {
|
||||||
const params = useParams();
|
const params = useParams();
|
||||||
|
@ -27,7 +27,7 @@ export default function ChatCompletionDetailPage() {
|
||||||
setError(null);
|
setError(null);
|
||||||
setCompletionDetail(null);
|
setCompletionDetail(null);
|
||||||
try {
|
try {
|
||||||
const response = await client.chat.completions.retrieve(id);
|
const response = await getClient().chat.completions.retrieve(id);
|
||||||
setCompletionDetail(response as ChatCompletion);
|
setCompletionDetail(response as ChatCompletion);
|
||||||
} catch (err) {
|
} catch (err) {
|
||||||
console.error(
|
console.error(
|
||||||
|
|
|
@ -5,7 +5,7 @@ import { useParams } from "next/navigation";
|
||||||
import type { ResponseObject } from "llama-stack-client/resources/responses/responses";
|
import type { ResponseObject } from "llama-stack-client/resources/responses/responses";
|
||||||
import { OpenAIResponse, InputItemListResponse } from "@/lib/types";
|
import { OpenAIResponse, InputItemListResponse } from "@/lib/types";
|
||||||
import { ResponseDetailView } from "@/components/responses/responses-detail";
|
import { ResponseDetailView } from "@/components/responses/responses-detail";
|
||||||
import { client } from "@/lib/client";
|
import { getClient } from "@/lib/client";
|
||||||
|
|
||||||
export default function ResponseDetailPage() {
|
export default function ResponseDetailPage() {
|
||||||
const params = useParams();
|
const params = useParams();
|
||||||
|
@ -59,6 +59,8 @@ export default function ResponseDetailPage() {
|
||||||
setResponseDetail(null);
|
setResponseDetail(null);
|
||||||
setInputItems(null);
|
setInputItems(null);
|
||||||
|
|
||||||
|
const client = getClient();
|
||||||
|
|
||||||
try {
|
try {
|
||||||
const [responseResult, inputItemsResult] = await Promise.allSettled([
|
const [responseResult, inputItemsResult] = await Promise.allSettled([
|
||||||
client.responses.retrieve(id),
|
client.responses.retrieve(id),
|
||||||
|
|
40
llama_stack/ui/components/auth/login-button.tsx
Normal file
40
llama_stack/ui/components/auth/login-button.tsx
Normal file
|
@ -0,0 +1,40 @@
|
||||||
|
import React from "react";
|
||||||
|
import { Button } from "@/components/ui/button";
|
||||||
|
import { cn } from "@/lib/utils";
|
||||||
|
import { LucideIcon } from "lucide-react";
|
||||||
|
|
||||||
|
interface LoginButtonProps {
|
||||||
|
provider: {
|
||||||
|
id: string;
|
||||||
|
name: string;
|
||||||
|
icon: LucideIcon;
|
||||||
|
loginPath: string;
|
||||||
|
buttonColor?: string;
|
||||||
|
};
|
||||||
|
className?: string;
|
||||||
|
}
|
||||||
|
|
||||||
|
export function LoginButton({ provider, className }: LoginButtonProps) {
|
||||||
|
const handleLogin = async () => {
|
||||||
|
// Add redirect_url parameter to tell backend where to redirect after OAuth
|
||||||
|
const redirectUrl = `${window.location.origin}/auth/github/callback`;
|
||||||
|
const loginUrl = `${provider.loginPath}?redirect_url=${encodeURIComponent(redirectUrl)}`;
|
||||||
|
window.location.href = loginUrl;
|
||||||
|
};
|
||||||
|
|
||||||
|
const Icon = provider.icon;
|
||||||
|
|
||||||
|
return (
|
||||||
|
<Button
|
||||||
|
onClick={handleLogin}
|
||||||
|
className={cn(
|
||||||
|
"w-full flex items-center justify-center gap-3",
|
||||||
|
provider.buttonColor || "bg-gray-900 hover:bg-gray-800",
|
||||||
|
className,
|
||||||
|
)}
|
||||||
|
>
|
||||||
|
<Icon className="h-5 w-5" />
|
||||||
|
<span>Continue with {provider.name}</span>
|
||||||
|
</Button>
|
||||||
|
);
|
||||||
|
}
|
99
llama_stack/ui/components/auth/login-page.tsx
Normal file
99
llama_stack/ui/components/auth/login-page.tsx
Normal file
|
@ -0,0 +1,99 @@
|
||||||
|
"use client";
|
||||||
|
|
||||||
|
import React from "react";
|
||||||
|
import { useAuth } from "@/contexts/auth-context";
|
||||||
|
import { LoginButton } from "@/components/auth/login-button";
|
||||||
|
import { GitHubIcon } from "@/components/icons/github-icon";
|
||||||
|
import {
|
||||||
|
Card,
|
||||||
|
CardContent,
|
||||||
|
CardDescription,
|
||||||
|
CardHeader,
|
||||||
|
CardTitle,
|
||||||
|
} from "@/components/ui/card";
|
||||||
|
import { Separator } from "@/components/ui/separator";
|
||||||
|
import { LucideIcon } from "lucide-react";
|
||||||
|
import { useRouter, useSearchParams } from "next/navigation";
|
||||||
|
import { useEffect } from "react";
|
||||||
|
|
||||||
|
interface AuthProvider {
|
||||||
|
id: string;
|
||||||
|
name: string;
|
||||||
|
icon: LucideIcon;
|
||||||
|
loginPath: string;
|
||||||
|
buttonColor?: string;
|
||||||
|
}
|
||||||
|
|
||||||
|
interface LoginPageProps {
|
||||||
|
backendUrl: string;
|
||||||
|
}
|
||||||
|
|
||||||
|
export function LoginPage({ backendUrl }: LoginPageProps) {
|
||||||
|
const { isAuthenticated, isLoading } = useAuth();
|
||||||
|
const router = useRouter();
|
||||||
|
const searchParams = useSearchParams();
|
||||||
|
const error = searchParams.get("error");
|
||||||
|
|
||||||
|
// Define available auth providers
|
||||||
|
const authProviders: AuthProvider[] = [
|
||||||
|
{
|
||||||
|
id: "github",
|
||||||
|
name: "GitHub",
|
||||||
|
icon: GitHubIcon as LucideIcon,
|
||||||
|
loginPath: `${backendUrl}/auth/github/login`,
|
||||||
|
buttonColor: "bg-gray-900 hover:bg-gray-800 text-white",
|
||||||
|
},
|
||||||
|
// Future providers can be added here
|
||||||
|
];
|
||||||
|
|
||||||
|
useEffect(() => {
|
||||||
|
if (!isLoading && isAuthenticated) {
|
||||||
|
router.push("/");
|
||||||
|
}
|
||||||
|
}, [isAuthenticated, isLoading, router]);
|
||||||
|
|
||||||
|
if (isLoading) {
|
||||||
|
return (
|
||||||
|
<div className="flex items-center justify-center min-h-screen">
|
||||||
|
<div className="text-center">Loading...</div>
|
||||||
|
</div>
|
||||||
|
);
|
||||||
|
}
|
||||||
|
|
||||||
|
return (
|
||||||
|
<div className="flex items-center justify-center min-h-screen bg-gray-50 dark:bg-gray-900">
|
||||||
|
<Card className="w-full max-w-md">
|
||||||
|
<CardHeader className="space-y-1">
|
||||||
|
<CardTitle className="text-2xl font-bold text-center">
|
||||||
|
Welcome to Llama Stack
|
||||||
|
</CardTitle>
|
||||||
|
<CardDescription className="text-center">
|
||||||
|
{error === "auth_not_configured"
|
||||||
|
? "Authentication is not configured on this server"
|
||||||
|
: "Sign in to access your logs and resources"}
|
||||||
|
</CardDescription>
|
||||||
|
</CardHeader>
|
||||||
|
<CardContent className="space-y-4">
|
||||||
|
{error !== "auth_not_configured" && (
|
||||||
|
<>
|
||||||
|
{authProviders.length > 1 && (
|
||||||
|
<>
|
||||||
|
<div className="text-sm text-muted-foreground text-center">
|
||||||
|
Continue with
|
||||||
|
</div>
|
||||||
|
<Separator />
|
||||||
|
</>
|
||||||
|
)}
|
||||||
|
|
||||||
|
<div className="space-y-2">
|
||||||
|
{authProviders.map((provider) => (
|
||||||
|
<LoginButton key={provider.id} provider={provider} />
|
||||||
|
))}
|
||||||
|
</div>
|
||||||
|
</>
|
||||||
|
)}
|
||||||
|
</CardContent>
|
||||||
|
</Card>
|
||||||
|
</div>
|
||||||
|
);
|
||||||
|
}
|
156
llama_stack/ui/components/auth/user-menu.tsx
Normal file
156
llama_stack/ui/components/auth/user-menu.tsx
Normal file
|
@ -0,0 +1,156 @@
|
||||||
|
"use client";
|
||||||
|
|
||||||
|
import React from "react";
|
||||||
|
import { useAuth } from "@/contexts/auth-context";
|
||||||
|
import { useAuthConfig } from "@/hooks/use-auth-config";
|
||||||
|
import { Button } from "@/components/ui/button";
|
||||||
|
import {
|
||||||
|
DropdownMenu,
|
||||||
|
DropdownMenuContent,
|
||||||
|
DropdownMenuItem,
|
||||||
|
DropdownMenuLabel,
|
||||||
|
DropdownMenuSeparator,
|
||||||
|
DropdownMenuTrigger,
|
||||||
|
} from "@/components/ui/dropdown-menu";
|
||||||
|
import {
|
||||||
|
Tooltip,
|
||||||
|
TooltipContent,
|
||||||
|
TooltipTrigger,
|
||||||
|
} from "@/components/ui/tooltip";
|
||||||
|
import { User, LogOut, Key, Clock } from "lucide-react";
|
||||||
|
import { getAuthToken, isTokenExpired } from "@/lib/auth";
|
||||||
|
import { toast } from "sonner";
|
||||||
|
|
||||||
|
export function UserMenu() {
|
||||||
|
const { user, logout, isAuthenticated } = useAuth();
|
||||||
|
const { isAuthConfigured } = useAuthConfig();
|
||||||
|
|
||||||
|
const handleCopyToken = async () => {
|
||||||
|
const token = getAuthToken();
|
||||||
|
if (!token) {
|
||||||
|
toast.error("No authentication token found");
|
||||||
|
return;
|
||||||
|
}
|
||||||
|
|
||||||
|
try {
|
||||||
|
await navigator.clipboard.writeText(token);
|
||||||
|
toast.success("API token copied to clipboard");
|
||||||
|
} catch (error) {
|
||||||
|
toast.error("Failed to copy token to clipboard");
|
||||||
|
}
|
||||||
|
};
|
||||||
|
|
||||||
|
const getTokenExpiryInfo = () => {
|
||||||
|
const token = getAuthToken();
|
||||||
|
if (!token) return null;
|
||||||
|
|
||||||
|
try {
|
||||||
|
const payload = JSON.parse(atob(token.split(".")[1]));
|
||||||
|
const exp = payload.exp;
|
||||||
|
if (!exp) return null;
|
||||||
|
|
||||||
|
const expiryDate = new Date(exp * 1000);
|
||||||
|
const now = new Date();
|
||||||
|
const hoursRemaining = Math.max(
|
||||||
|
0,
|
||||||
|
(expiryDate.getTime() - now.getTime()) / (1000 * 60 * 60),
|
||||||
|
);
|
||||||
|
|
||||||
|
if (hoursRemaining < 1) {
|
||||||
|
return `Expires in ${Math.round(hoursRemaining * 60)} minutes`;
|
||||||
|
} else if (hoursRemaining < 24) {
|
||||||
|
return `Expires in ${Math.round(hoursRemaining)} hours`;
|
||||||
|
} else {
|
||||||
|
return `Expires in ${Math.round(hoursRemaining / 24)} days`;
|
||||||
|
}
|
||||||
|
} catch {
|
||||||
|
return null;
|
||||||
|
}
|
||||||
|
};
|
||||||
|
|
||||||
|
if (!isAuthenticated || !user) {
|
||||||
|
if (!isAuthConfigured) {
|
||||||
|
return (
|
||||||
|
<Tooltip>
|
||||||
|
<TooltipTrigger asChild>
|
||||||
|
<span className="inline-block">
|
||||||
|
<Button variant="outline" size="sm" disabled>
|
||||||
|
Sign In
|
||||||
|
</Button>
|
||||||
|
</span>
|
||||||
|
</TooltipTrigger>
|
||||||
|
<TooltipContent>
|
||||||
|
<p>Authentication is not configured on this server</p>
|
||||||
|
</TooltipContent>
|
||||||
|
</Tooltip>
|
||||||
|
);
|
||||||
|
}
|
||||||
|
|
||||||
|
return (
|
||||||
|
<Button variant="outline" size="sm" asChild>
|
||||||
|
<a href="/login">Sign In</a>
|
||||||
|
</Button>
|
||||||
|
);
|
||||||
|
}
|
||||||
|
|
||||||
|
return (
|
||||||
|
<DropdownMenu>
|
||||||
|
<DropdownMenuTrigger asChild>
|
||||||
|
<Button variant="outline" size="icon" className="rounded-full">
|
||||||
|
{user.avatar_url ? (
|
||||||
|
<img
|
||||||
|
src={user.avatar_url}
|
||||||
|
alt={user.name || user.username}
|
||||||
|
className="h-8 w-8 rounded-full"
|
||||||
|
/>
|
||||||
|
) : (
|
||||||
|
<User className="h-4 w-4" />
|
||||||
|
)}
|
||||||
|
</Button>
|
||||||
|
</DropdownMenuTrigger>
|
||||||
|
<DropdownMenuContent align="end" className="w-56">
|
||||||
|
<DropdownMenuLabel>
|
||||||
|
<div className="flex flex-col space-y-1">
|
||||||
|
<p className="text-sm font-medium leading-none">
|
||||||
|
{user.name || user.username}
|
||||||
|
</p>
|
||||||
|
{user.email && (
|
||||||
|
<p className="text-xs leading-none text-muted-foreground">
|
||||||
|
{user.email}
|
||||||
|
</p>
|
||||||
|
)}
|
||||||
|
</div>
|
||||||
|
</DropdownMenuLabel>
|
||||||
|
<DropdownMenuSeparator />
|
||||||
|
<DropdownMenuItem onClick={handleCopyToken} className="cursor-pointer">
|
||||||
|
<Key className="mr-2 h-4 w-4" />
|
||||||
|
<span>Copy API Token</span>
|
||||||
|
</DropdownMenuItem>
|
||||||
|
{getTokenExpiryInfo() && (
|
||||||
|
<DropdownMenuItem disabled className="text-xs text-muted-foreground">
|
||||||
|
<Clock className="mr-2 h-3 w-3" />
|
||||||
|
<span>{getTokenExpiryInfo()}</span>
|
||||||
|
</DropdownMenuItem>
|
||||||
|
)}
|
||||||
|
<DropdownMenuSeparator />
|
||||||
|
{user.organizations && user.organizations.length > 0 && (
|
||||||
|
<>
|
||||||
|
<DropdownMenuLabel className="text-xs text-muted-foreground">
|
||||||
|
Organizations
|
||||||
|
</DropdownMenuLabel>
|
||||||
|
{user.organizations.map((org) => (
|
||||||
|
<DropdownMenuItem key={org} className="text-sm">
|
||||||
|
{org}
|
||||||
|
</DropdownMenuItem>
|
||||||
|
))}
|
||||||
|
<DropdownMenuSeparator />
|
||||||
|
</>
|
||||||
|
)}
|
||||||
|
<DropdownMenuItem onClick={logout} className="cursor-pointer">
|
||||||
|
<LogOut className="mr-2 h-4 w-4" />
|
||||||
|
<span>Log out</span>
|
||||||
|
</DropdownMenuItem>
|
||||||
|
</DropdownMenuContent>
|
||||||
|
</DropdownMenu>
|
||||||
|
);
|
||||||
|
}
|
|
@ -11,7 +11,7 @@ import {
|
||||||
extractDisplayableText,
|
extractDisplayableText,
|
||||||
} from "@/lib/format-message-content";
|
} from "@/lib/format-message-content";
|
||||||
import { usePagination } from "@/hooks/usePagination";
|
import { usePagination } from "@/hooks/usePagination";
|
||||||
import { client } from "@/lib/client";
|
import { getClient } from "@/lib/client";
|
||||||
|
|
||||||
interface ChatCompletionsTableProps {
|
interface ChatCompletionsTableProps {
|
||||||
/** Optional pagination configuration */
|
/** Optional pagination configuration */
|
||||||
|
@ -38,7 +38,7 @@ export function ChatCompletionsTable({
|
||||||
model?: string;
|
model?: string;
|
||||||
order?: string;
|
order?: string;
|
||||||
}) => {
|
}) => {
|
||||||
const response = await client.chat.completions.list({
|
const response = await getClient().chat.completions.list({
|
||||||
after: params.after,
|
after: params.after,
|
||||||
limit: params.limit,
|
limit: params.limit,
|
||||||
...(params.model && { model: params.model }),
|
...(params.model && { model: params.model }),
|
||||||
|
|
10
llama_stack/ui/components/icons/github-icon.tsx
Normal file
10
llama_stack/ui/components/icons/github-icon.tsx
Normal file
|
@ -0,0 +1,10 @@
|
||||||
|
import React from "react";
|
||||||
|
import { LucideProps } from "lucide-react";
|
||||||
|
|
||||||
|
export function GitHubIcon(props: LucideProps) {
|
||||||
|
return (
|
||||||
|
<svg viewBox="0 0 24 24" fill="currentColor" {...props}>
|
||||||
|
<path d="M12 0c-6.626 0-12 5.373-12 12 0 5.302 3.438 9.8 8.207 11.387.599.111.793-.261.793-.577v-2.234c-3.338.726-4.033-1.416-4.033-1.416-.546-1.387-1.333-1.756-1.333-1.756-1.089-.745.083-.729.083-.729 1.205.084 1.839 1.237 1.839 1.237 1.07 1.834 2.807 1.304 3.492.997.107-.775.418-1.305.762-1.604-2.665-.305-5.467-1.334-5.467-5.931 0-1.311.469-2.381 1.236-3.221-.124-.303-.535-1.524.117-3.176 0 0 1.008-.322 3.301 1.23.957-.266 1.983-.399 3.003-.404 1.02.005 2.047.138 3.006.404 2.291-1.552 3.297-1.23 3.297-1.23.653 1.653.242 2.874.118 3.176.77.84 1.235 1.911 1.235 3.221 0 4.609-2.807 5.624-5.479 5.921.43.372.823 1.102.823 2.222v3.293c0 .319.192.694.801.576 4.765-1.589 8.199-6.086 8.199-11.386 0-6.627-5.373-12-12-12z" />
|
||||||
|
</svg>
|
||||||
|
);
|
||||||
|
}
|
|
@ -7,7 +7,7 @@ import {
|
||||||
} from "@/lib/types";
|
} from "@/lib/types";
|
||||||
import { LogsTable, LogTableRow } from "@/components/logs/logs-table";
|
import { LogsTable, LogTableRow } from "@/components/logs/logs-table";
|
||||||
import { usePagination } from "@/hooks/usePagination";
|
import { usePagination } from "@/hooks/usePagination";
|
||||||
import { client } from "@/lib/client";
|
import { getClient } from "@/lib/client";
|
||||||
import type { ResponseListResponse } from "llama-stack-client/resources/responses/responses";
|
import type { ResponseListResponse } from "llama-stack-client/resources/responses/responses";
|
||||||
import {
|
import {
|
||||||
isMessageInput,
|
isMessageInput,
|
||||||
|
@ -131,7 +131,7 @@ export function ResponsesTable({ paginationOptions }: ResponsesTableProps) {
|
||||||
model?: string;
|
model?: string;
|
||||||
order?: string;
|
order?: string;
|
||||||
}) => {
|
}) => {
|
||||||
const response = await client.responses.list({
|
const response = await getClient().responses.list({
|
||||||
after: params.after,
|
after: params.after,
|
||||||
limit: params.limit,
|
limit: params.limit,
|
||||||
...(params.model && { model: params.model }),
|
...(params.model && { model: params.model }),
|
||||||
|
|
25
llama_stack/ui/components/ui/sonner.tsx
Normal file
25
llama_stack/ui/components/ui/sonner.tsx
Normal file
|
@ -0,0 +1,25 @@
|
||||||
|
"use client";
|
||||||
|
|
||||||
|
import { useTheme } from "next-themes";
|
||||||
|
import { Toaster as Sonner, ToasterProps } from "sonner";
|
||||||
|
|
||||||
|
const Toaster = ({ ...props }: ToasterProps) => {
|
||||||
|
const { theme = "system" } = useTheme();
|
||||||
|
|
||||||
|
return (
|
||||||
|
<Sonner
|
||||||
|
theme={theme as ToasterProps["theme"]}
|
||||||
|
className="toaster group"
|
||||||
|
style={
|
||||||
|
{
|
||||||
|
"--normal-bg": "var(--popover)",
|
||||||
|
"--normal-text": "var(--popover-foreground)",
|
||||||
|
"--normal-border": "var(--border)",
|
||||||
|
} as React.CSSProperties
|
||||||
|
}
|
||||||
|
{...props}
|
||||||
|
/>
|
||||||
|
);
|
||||||
|
};
|
||||||
|
|
||||||
|
export { Toaster };
|
115
llama_stack/ui/contexts/auth-context.tsx
Normal file
115
llama_stack/ui/contexts/auth-context.tsx
Normal file
|
@ -0,0 +1,115 @@
|
||||||
|
"use client";
|
||||||
|
|
||||||
|
import React, {
|
||||||
|
createContext,
|
||||||
|
useContext,
|
||||||
|
useState,
|
||||||
|
useEffect,
|
||||||
|
useCallback,
|
||||||
|
} from "react";
|
||||||
|
import { useRouter } from "next/navigation";
|
||||||
|
import {
|
||||||
|
User,
|
||||||
|
getAuthToken,
|
||||||
|
setAuthToken,
|
||||||
|
getStoredUser,
|
||||||
|
setStoredUser,
|
||||||
|
clearAuth,
|
||||||
|
isTokenExpired,
|
||||||
|
} from "@/lib/auth";
|
||||||
|
|
||||||
|
interface AuthContextType {
|
||||||
|
user: User | null;
|
||||||
|
isLoading: boolean;
|
||||||
|
isAuthenticated: boolean;
|
||||||
|
login: (token: string) => Promise<void>;
|
||||||
|
logout: () => void;
|
||||||
|
checkAuth: () => void;
|
||||||
|
}
|
||||||
|
|
||||||
|
const AuthContext = createContext<AuthContextType | undefined>(undefined);
|
||||||
|
|
||||||
|
export function AuthProvider({ children }: { children: React.ReactNode }) {
|
||||||
|
const [user, setUser] = useState<User | null>(null);
|
||||||
|
const [isLoading, setIsLoading] = useState(true);
|
||||||
|
const router = useRouter();
|
||||||
|
|
||||||
|
const checkAuth = useCallback(() => {
|
||||||
|
const token = getAuthToken();
|
||||||
|
const storedUser = getStoredUser();
|
||||||
|
|
||||||
|
if (token && storedUser && !isTokenExpired(token)) {
|
||||||
|
setUser(storedUser);
|
||||||
|
} else {
|
||||||
|
clearAuth();
|
||||||
|
setUser(null);
|
||||||
|
}
|
||||||
|
setIsLoading(false);
|
||||||
|
}, []);
|
||||||
|
|
||||||
|
useEffect(() => {
|
||||||
|
checkAuth();
|
||||||
|
}, [checkAuth]);
|
||||||
|
|
||||||
|
const login = useCallback(
|
||||||
|
async (token: string) => {
|
||||||
|
try {
|
||||||
|
// Decode JWT to get user info
|
||||||
|
const base64Url = token.split(".")[1];
|
||||||
|
const base64 = base64Url.replace(/-/g, "+").replace(/_/g, "/");
|
||||||
|
const jsonPayload = decodeURIComponent(
|
||||||
|
atob(base64)
|
||||||
|
.split("")
|
||||||
|
.map((c) => "%" + ("00" + c.charCodeAt(0).toString(16)).slice(-2))
|
||||||
|
.join(""),
|
||||||
|
);
|
||||||
|
|
||||||
|
const claims = JSON.parse(jsonPayload);
|
||||||
|
|
||||||
|
// Extract user info from JWT claims
|
||||||
|
const userInfo: User = {
|
||||||
|
username: claims.github_username || claims.sub,
|
||||||
|
email: claims.email,
|
||||||
|
name: claims.name,
|
||||||
|
avatar_url: claims.avatar_url,
|
||||||
|
organizations: claims.github_orgs,
|
||||||
|
};
|
||||||
|
|
||||||
|
setAuthToken(token);
|
||||||
|
setStoredUser(userInfo);
|
||||||
|
setUser(userInfo);
|
||||||
|
router.push("/"); // Redirect to home after login
|
||||||
|
} catch (error) {
|
||||||
|
// Clear token if we can't decode it
|
||||||
|
clearAuth();
|
||||||
|
throw new Error("Failed to decode authentication token");
|
||||||
|
}
|
||||||
|
},
|
||||||
|
[router],
|
||||||
|
);
|
||||||
|
|
||||||
|
const logout = useCallback(() => {
|
||||||
|
clearAuth();
|
||||||
|
setUser(null);
|
||||||
|
router.push("/login");
|
||||||
|
}, [router]);
|
||||||
|
|
||||||
|
const value = {
|
||||||
|
user,
|
||||||
|
isLoading,
|
||||||
|
isAuthenticated: !!user,
|
||||||
|
login,
|
||||||
|
logout,
|
||||||
|
checkAuth,
|
||||||
|
};
|
||||||
|
|
||||||
|
return <AuthContext.Provider value={value}>{children}</AuthContext.Provider>;
|
||||||
|
}
|
||||||
|
|
||||||
|
export function useAuth() {
|
||||||
|
const context = useContext(AuthContext);
|
||||||
|
if (context === undefined) {
|
||||||
|
throw new Error("useAuth must be used within an AuthProvider");
|
||||||
|
}
|
||||||
|
return context;
|
||||||
|
}
|
28
llama_stack/ui/hooks/use-auth-config.ts
Normal file
28
llama_stack/ui/hooks/use-auth-config.ts
Normal file
|
@ -0,0 +1,28 @@
|
||||||
|
import { useState, useEffect } from "react";
|
||||||
|
|
||||||
|
export function useAuthConfig() {
|
||||||
|
const [isAuthConfigured, setIsAuthConfigured] = useState(true);
|
||||||
|
const [isChecking, setIsChecking] = useState(true);
|
||||||
|
|
||||||
|
useEffect(() => {
|
||||||
|
const checkAuthConfig = async () => {
|
||||||
|
try {
|
||||||
|
const response = await fetch("/api/auth/github/login", {
|
||||||
|
method: "HEAD",
|
||||||
|
redirect: "manual",
|
||||||
|
});
|
||||||
|
|
||||||
|
setIsAuthConfigured(response.status !== 404);
|
||||||
|
} catch (error) {
|
||||||
|
console.error("Auth config check error:", error);
|
||||||
|
setIsAuthConfigured(true);
|
||||||
|
} finally {
|
||||||
|
setIsChecking(false);
|
||||||
|
}
|
||||||
|
};
|
||||||
|
|
||||||
|
checkAuthConfig();
|
||||||
|
}, []);
|
||||||
|
|
||||||
|
return { isAuthConfigured, isChecking };
|
||||||
|
}
|
|
@ -2,6 +2,8 @@
|
||||||
|
|
||||||
import { useState, useCallback, useEffect, useRef } from "react";
|
import { useState, useCallback, useEffect, useRef } from "react";
|
||||||
import { PaginationStatus, UsePaginationOptions } from "@/lib/types";
|
import { PaginationStatus, UsePaginationOptions } from "@/lib/types";
|
||||||
|
import { useRouter } from "next/navigation";
|
||||||
|
import { AuthenticationError } from "llama-stack-client";
|
||||||
|
|
||||||
interface PaginationState<T> {
|
interface PaginationState<T> {
|
||||||
data: T[];
|
data: T[];
|
||||||
|
@ -51,6 +53,7 @@ export function usePagination<T>({
|
||||||
error: null,
|
error: null,
|
||||||
lastId: null,
|
lastId: null,
|
||||||
});
|
});
|
||||||
|
const router = useRouter();
|
||||||
|
|
||||||
// Use refs to avoid stale closures
|
// Use refs to avoid stale closures
|
||||||
const stateRef = useRef(state);
|
const stateRef = useRef(state);
|
||||||
|
@ -91,6 +94,12 @@ export function usePagination<T>({
|
||||||
status: "idle",
|
status: "idle",
|
||||||
}));
|
}));
|
||||||
} catch (err) {
|
} catch (err) {
|
||||||
|
// Handle authentication errors by redirecting to login
|
||||||
|
if (err instanceof AuthenticationError) {
|
||||||
|
router.push("/login");
|
||||||
|
return;
|
||||||
|
}
|
||||||
|
|
||||||
const errorMessage = isInitialLoad
|
const errorMessage = isInitialLoad
|
||||||
? `Failed to load ${errorMessagePrefix}. Please try refreshing the page.`
|
? `Failed to load ${errorMessagePrefix}. Please try refreshing the page.`
|
||||||
: `Failed to load more ${errorMessagePrefix}. Please try again.`;
|
: `Failed to load more ${errorMessagePrefix}. Please try again.`;
|
||||||
|
@ -107,7 +116,7 @@ export function usePagination<T>({
|
||||||
}));
|
}));
|
||||||
}
|
}
|
||||||
},
|
},
|
||||||
[limit, model, order, fetchFunction, errorMessagePrefix],
|
[limit, model, order, fetchFunction, errorMessagePrefix, router],
|
||||||
);
|
);
|
||||||
|
|
||||||
/**
|
/**
|
||||||
|
|
77
llama_stack/ui/lib/auth.ts
Normal file
77
llama_stack/ui/lib/auth.ts
Normal file
|
@ -0,0 +1,77 @@
|
||||||
|
export interface User {
|
||||||
|
username: string;
|
||||||
|
email?: string;
|
||||||
|
name?: string;
|
||||||
|
avatar_url?: string;
|
||||||
|
organizations?: string[];
|
||||||
|
}
|
||||||
|
|
||||||
|
export interface AuthResponse {
|
||||||
|
access_token: string;
|
||||||
|
token_type: string;
|
||||||
|
expires_in: number;
|
||||||
|
user_info: User;
|
||||||
|
}
|
||||||
|
|
||||||
|
const TOKEN_KEY = "llama_stack_token";
|
||||||
|
const USER_KEY = "llama_stack_user";
|
||||||
|
|
||||||
|
export function getAuthToken(): string | null {
|
||||||
|
if (typeof window === "undefined") return null;
|
||||||
|
return localStorage.getItem(TOKEN_KEY);
|
||||||
|
}
|
||||||
|
|
||||||
|
export function setAuthToken(token: string): void {
|
||||||
|
if (typeof window !== "undefined") {
|
||||||
|
localStorage.setItem(TOKEN_KEY, token);
|
||||||
|
}
|
||||||
|
}
|
||||||
|
|
||||||
|
export function removeAuthToken(): void {
|
||||||
|
if (typeof window !== "undefined") {
|
||||||
|
localStorage.removeItem(TOKEN_KEY);
|
||||||
|
}
|
||||||
|
}
|
||||||
|
|
||||||
|
export function getStoredUser(): User | null {
|
||||||
|
if (typeof window === "undefined") return null;
|
||||||
|
const userStr = localStorage.getItem(USER_KEY);
|
||||||
|
if (!userStr) return null;
|
||||||
|
try {
|
||||||
|
return JSON.parse(userStr);
|
||||||
|
} catch {
|
||||||
|
return null;
|
||||||
|
}
|
||||||
|
}
|
||||||
|
|
||||||
|
export function setStoredUser(user: User): void {
|
||||||
|
if (typeof window !== "undefined") {
|
||||||
|
localStorage.setItem(USER_KEY, JSON.stringify(user));
|
||||||
|
}
|
||||||
|
}
|
||||||
|
|
||||||
|
export function removeStoredUser(): void {
|
||||||
|
if (typeof window !== "undefined") {
|
||||||
|
localStorage.removeItem(USER_KEY);
|
||||||
|
}
|
||||||
|
}
|
||||||
|
|
||||||
|
export function clearAuth(): void {
|
||||||
|
removeAuthToken();
|
||||||
|
removeStoredUser();
|
||||||
|
}
|
||||||
|
|
||||||
|
export function isAuthenticated(): boolean {
|
||||||
|
return !!getAuthToken();
|
||||||
|
}
|
||||||
|
|
||||||
|
export function isTokenExpired(token: string): boolean {
|
||||||
|
try {
|
||||||
|
const payload = JSON.parse(atob(token.split(".")[1]));
|
||||||
|
const exp = payload.exp;
|
||||||
|
if (!exp) return false;
|
||||||
|
return Date.now() >= exp * 1000;
|
||||||
|
} catch {
|
||||||
|
return true;
|
||||||
|
}
|
||||||
|
}
|
|
@ -1,6 +1,12 @@
|
||||||
import LlamaStackClient from "llama-stack-client";
|
import LlamaStackClient from "llama-stack-client";
|
||||||
|
import { getAuthToken } from "./auth";
|
||||||
|
|
||||||
export const client = new LlamaStackClient({
|
export function getClient() {
|
||||||
baseURL:
|
const token = getAuthToken();
|
||||||
typeof window !== "undefined" ? `${window.location.origin}/api` : "/api",
|
|
||||||
});
|
return new LlamaStackClient({
|
||||||
|
baseURL:
|
||||||
|
typeof window !== "undefined" ? `${window.location.origin}/api` : "/api",
|
||||||
|
apiKey: token || undefined,
|
||||||
|
});
|
||||||
|
}
|
||||||
|
|
15
llama_stack/ui/lib/server-config.ts
Normal file
15
llama_stack/ui/lib/server-config.ts
Normal file
|
@ -0,0 +1,15 @@
|
||||||
|
/**
|
||||||
|
* Server-side configuration for the Llama Stack UI
|
||||||
|
* This file should only be imported in server components
|
||||||
|
*/
|
||||||
|
|
||||||
|
// Get backend URL from environment variable or default to localhost for development
|
||||||
|
export const BACKEND_URL =
|
||||||
|
process.env.LLAMA_STACK_BACKEND_URL ||
|
||||||
|
`http://localhost:${process.env.LLAMA_STACK_PORT || 8321}`;
|
||||||
|
|
||||||
|
export const serverConfig = {
|
||||||
|
backendUrl: BACKEND_URL,
|
||||||
|
} as const;
|
||||||
|
|
||||||
|
export default serverConfig;
|
19
llama_stack/ui/package-lock.json
generated
19
llama_stack/ui/package-lock.json
generated
|
@ -15,12 +15,13 @@
|
||||||
"@radix-ui/react-tooltip": "^1.2.6",
|
"@radix-ui/react-tooltip": "^1.2.6",
|
||||||
"class-variance-authority": "^0.7.1",
|
"class-variance-authority": "^0.7.1",
|
||||||
"clsx": "^2.1.1",
|
"clsx": "^2.1.1",
|
||||||
"llama-stack-client": "0.2.9",
|
"llama-stack-client": "0.2.12",
|
||||||
"lucide-react": "^0.510.0",
|
"lucide-react": "^0.510.0",
|
||||||
"next": "15.3.2",
|
"next": "15.3.2",
|
||||||
"next-themes": "^0.4.6",
|
"next-themes": "^0.4.6",
|
||||||
"react": "^19.0.0",
|
"react": "^19.0.0",
|
||||||
"react-dom": "^19.0.0",
|
"react-dom": "^19.0.0",
|
||||||
|
"sonner": "^2.0.5",
|
||||||
"tailwind-merge": "^3.3.0"
|
"tailwind-merge": "^3.3.0"
|
||||||
},
|
},
|
||||||
"devDependencies": {
|
"devDependencies": {
|
||||||
|
@ -9529,9 +9530,9 @@
|
||||||
"license": "MIT"
|
"license": "MIT"
|
||||||
},
|
},
|
||||||
"node_modules/llama-stack-client": {
|
"node_modules/llama-stack-client": {
|
||||||
"version": "0.2.9",
|
"version": "0.2.12",
|
||||||
"resolved": "https://registry.npmjs.org/llama-stack-client/-/llama-stack-client-0.2.9.tgz",
|
"resolved": "https://registry.npmjs.org/llama-stack-client/-/llama-stack-client-0.2.12.tgz",
|
||||||
"integrity": "sha512-7+2WuPYt2j/k/Twh5IGn8hd8q4W6lVEK+Ql4PpICGLj4N8YmooCfydI1UvdT2UlX7PNYKNeyeFqTifWT2MjWKg==",
|
"integrity": "sha512-egjjigck1ZnVdEkfbQ/U7whv9sqIT9iiDAnk6C6DV3g6v8wzIfT85mAKEr/RoYxJwzD/Ofltf9ovFLty5iF4QA==",
|
||||||
"license": "Apache-2.0",
|
"license": "Apache-2.0",
|
||||||
"dependencies": {
|
"dependencies": {
|
||||||
"@types/node": "^18.11.18",
|
"@types/node": "^18.11.18",
|
||||||
|
@ -11476,6 +11477,16 @@
|
||||||
"node": ">=8"
|
"node": ">=8"
|
||||||
}
|
}
|
||||||
},
|
},
|
||||||
|
"node_modules/sonner": {
|
||||||
|
"version": "2.0.5",
|
||||||
|
"resolved": "https://registry.npmjs.org/sonner/-/sonner-2.0.5.tgz",
|
||||||
|
"integrity": "sha512-YwbHQO6cSso3HBXlbCkgrgzDNIhws14r4MO87Ofy+cV2X7ES4pOoAK3+veSmVTvqNx1BWUxlhPmZzP00Crk2aQ==",
|
||||||
|
"license": "MIT",
|
||||||
|
"peerDependencies": {
|
||||||
|
"react": "^18.0.0 || ^19.0.0 || ^19.0.0-rc",
|
||||||
|
"react-dom": "^18.0.0 || ^19.0.0 || ^19.0.0-rc"
|
||||||
|
}
|
||||||
|
},
|
||||||
"node_modules/source-map": {
|
"node_modules/source-map": {
|
||||||
"version": "0.6.1",
|
"version": "0.6.1",
|
||||||
"resolved": "https://registry.npmjs.org/source-map/-/source-map-0.6.1.tgz",
|
"resolved": "https://registry.npmjs.org/source-map/-/source-map-0.6.1.tgz",
|
||||||
|
|
|
@ -26,6 +26,7 @@
|
||||||
"next-themes": "^0.4.6",
|
"next-themes": "^0.4.6",
|
||||||
"react": "^19.0.0",
|
"react": "^19.0.0",
|
||||||
"react-dom": "^19.0.0",
|
"react-dom": "^19.0.0",
|
||||||
|
"sonner": "^2.0.5",
|
||||||
"tailwind-merge": "^3.3.0"
|
"tailwind-merge": "^3.3.0"
|
||||||
},
|
},
|
||||||
"devDependencies": {
|
"devDependencies": {
|
||||||
|
|
Loading…
Add table
Add a link
Reference in a new issue