Skip to content

Commit 702d251

Browse files
Fix #16: Add support for private repository analysis
1 parent bc1991c commit 702d251

File tree

6 files changed

+173
-21
lines changed

6 files changed

+173
-21
lines changed

backend/app/routers/generate.py

+13-10
Original file line numberDiff line numberDiff line change
@@ -21,29 +21,32 @@
2121
router = APIRouter(prefix="/generate", tags=["Claude"])
2222

2323
# Initialize services
24-
github_service = GitHubService()
2524
# claude_service = ClaudeService()
2625
o3_service = OpenRouterO3Service()
2726

2827

29-
# cache github data for 5 minutes to avoid double API calls from cost and generate
28+
# cache github data to avoid double API calls from cost and generate
3029
@lru_cache(maxsize=100)
31-
def get_cached_github_data(username: str, repo: str):
32-
default_branch = github_service.get_default_branch(username, repo)
30+
def get_cached_github_data(username: str, repo: str, github_pat: str | None = None):
31+
# Create a new service instance for each call with the appropriate PAT
32+
current_github_service = GitHubService(pat=github_pat)
33+
34+
default_branch = current_github_service.get_default_branch(username, repo)
3335
if not default_branch:
3436
default_branch = "main" # fallback value
3537

36-
file_tree = github_service.get_github_file_paths_as_list(username, repo)
37-
readme = github_service.get_github_readme(username, repo)
38+
file_tree = current_github_service.get_github_file_paths_as_list(username, repo)
39+
readme = current_github_service.get_github_readme(username, repo)
3840

3941
return {"default_branch": default_branch, "file_tree": file_tree, "readme": readme}
4042

4143

4244
class ApiRequest(BaseModel):
4345
username: str
4446
repo: str
45-
instructions: str
47+
instructions: str = ""
4648
api_key: str | None = None
49+
github_pat: str | None = None
4750

4851

4952
@router.post("")
@@ -63,8 +66,8 @@ async def generate(request: Request, body: ApiRequest):
6366
]:
6467
return {"error": "Example repos cannot be regenerated"}
6568

66-
# Get cached github data
67-
github_data = get_cached_github_data(body.username, body.repo)
69+
# Get cached github data with PAT if provided
70+
github_data = get_cached_github_data(body.username, body.repo, body.github_pat)
6871

6972
# Get default branch first
7073
default_branch = github_data["default_branch"]
@@ -205,7 +208,7 @@ async def generate(request: Request, body: ApiRequest):
205208
async def get_generation_cost(request: Request, body: ApiRequest):
206209
try:
207210
# Get file tree and README content
208-
github_data = get_cached_github_data(body.username, body.repo)
211+
github_data = get_cached_github_data(body.username, body.repo, body.github_pat)
209212
file_tree = github_data["file_tree"]
210213
readme = github_data["readme"]
211214

backend/app/services/github_service.py

+3-3
Original file line numberDiff line numberDiff line change
@@ -9,14 +9,14 @@
99

1010

1111
class GitHubService:
12-
def __init__(self):
12+
def __init__(self, pat: str | None = None):
1313
# Try app authentication first
1414
self.client_id = os.getenv("GITHUB_CLIENT_ID")
1515
self.private_key = os.getenv("GITHUB_PRIVATE_KEY")
1616
self.installation_id = os.getenv("GITHUB_INSTALLATION_ID")
1717

18-
# Fallback to PAT if app credentials not found
19-
self.github_token = os.getenv("GITHUB_PAT")
18+
# Use provided PAT if available, otherwise fallback to env PAT
19+
self.github_token = pat or os.getenv("GITHUB_PAT")
2020

2121
# If no credentials are provided, warn about rate limits
2222
if (

src/components/header.tsx

+31-4
Original file line numberDiff line numberDiff line change
@@ -1,19 +1,34 @@
1-
import React from "react";
1+
"use client";
2+
3+
import React, { useState, useEffect } from "react";
24
import Link from "next/link";
35
import { FaGithub } from "react-icons/fa";
46
import { getStarCount } from "~/app/_actions/github";
7+
import { PrivateReposDialog } from "./private-repos-dialog";
8+
9+
export function Header() {
10+
const [isPrivateReposDialogOpen, setIsPrivateReposDialogOpen] =
11+
useState(false);
12+
const [starCount, setStarCount] = useState<number | null>(null);
513

6-
export async function Header() {
7-
const starCount = await getStarCount();
14+
useEffect(() => {
15+
void getStarCount().then(setStarCount);
16+
}, []);
817

918
const formatStarCount = (count: number | null) => {
10-
if (!count) return "0";
19+
if (!count) return "2.0k"; // Default to 2.0k if count is null (it can only go up from here)
1120
if (count >= 1000) {
1221
return `${(count / 1000).toFixed(1)}k`;
1322
}
1423
return count.toString();
1524
};
1625

26+
const handlePrivateReposSubmit = (pat: string) => {
27+
// Store the PAT in localStorage
28+
localStorage.setItem("github_pat", pat);
29+
setIsPrivateReposDialogOpen(false);
30+
};
31+
1732
return (
1833
<header className="border-b-[3px] border-black">
1934
<div className="mx-auto flex h-16 max-w-4xl items-center justify-between px-8">
@@ -34,6 +49,12 @@ export async function Header() {
3449
>
3550
API
3651
</Link>
52+
<span
53+
onClick={() => setIsPrivateReposDialogOpen(true)}
54+
className="cursor-pointer text-sm font-medium text-black transition-transform hover:translate-y-[-2px] hover:text-purple-600"
55+
>
56+
Private Repos
57+
</span>
3758
<Link
3859
href="https://github.com/ahmedkhaleel2004/gitdiagram"
3960
className="flex items-center gap-2 text-sm font-medium text-black transition-transform hover:translate-y-[-2px] hover:text-purple-600"
@@ -46,6 +67,12 @@ export async function Header() {
4667
{formatStarCount(starCount)}
4768
</span>
4869
</nav>
70+
71+
<PrivateReposDialog
72+
isOpen={isPrivateReposDialogOpen}
73+
onClose={() => setIsPrivateReposDialogOpen(false)}
74+
onSubmit={handlePrivateReposSubmit}
75+
/>
4976
</div>
5077
</header>
5178
);
+100
Original file line numberDiff line numberDiff line change
@@ -0,0 +1,100 @@
1+
import { Dialog, DialogContent, DialogHeader, DialogTitle } from "./ui/dialog";
2+
import { Input } from "./ui/input";
3+
import { Button } from "./ui/button";
4+
import { useState } from "react";
5+
import Link from "next/link";
6+
7+
interface PrivateReposDialogProps {
8+
isOpen: boolean;
9+
onClose: () => void;
10+
onSubmit: (pat: string) => void;
11+
}
12+
13+
export function PrivateReposDialog({
14+
isOpen,
15+
onClose,
16+
onSubmit,
17+
}: PrivateReposDialogProps) {
18+
const [pat, setPat] = useState(() => {
19+
// Initialize from localStorage if available
20+
if (typeof window !== "undefined") {
21+
return localStorage.getItem("github_pat") ?? "";
22+
}
23+
return "";
24+
});
25+
26+
const handleSubmit = (e: React.FormEvent) => {
27+
e.preventDefault();
28+
onSubmit(pat);
29+
setPat("");
30+
};
31+
32+
return (
33+
<Dialog open={isOpen} onOpenChange={onClose}>
34+
<DialogContent className="border-[3px] border-black bg-purple-200 p-6 shadow-[8px_8px_0_0_#000000] sm:max-w-md">
35+
<DialogHeader>
36+
<DialogTitle className="text-xl font-bold text-black">
37+
Enter GitHub Personal Access Token
38+
</DialogTitle>
39+
</DialogHeader>
40+
<form onSubmit={handleSubmit} className="space-y-4">
41+
<div className="text-sm">
42+
To enable private repositories, you&apos;ll need to provide a GitHub
43+
Personal Access Token with repo scope. The token will be stored
44+
locally in your browser. Find out how{" "}
45+
<Link
46+
href="https://docs.github.com/en/authentication/keeping-your-account-and-data-secure/managing-your-personal-access-tokens"
47+
className="text-purple-600 transition-colors duration-200 hover:text-purple-500"
48+
>
49+
here
50+
</Link>
51+
.
52+
</div>
53+
<details className="group text-sm [&>summary:focus-visible]:outline-none">
54+
<summary className="cursor-pointer font-medium text-purple-700 hover:text-purple-600">
55+
Data storage disclaimer
56+
</summary>
57+
<div className="animate-accordion-down mt-2 space-y-2 overflow-hidden pl-2">
58+
<p>
59+
Take note that the diagram data will be stored in my database
60+
(not that I would use it for anything anyways). You can also
61+
self-host this app by following the instructions in the{" "}
62+
<Link
63+
href="https://github.com/ahmedkhaleel2004/gitdiagram"
64+
className="text-purple-600 transition-colors duration-200 hover:text-purple-500"
65+
>
66+
README
67+
</Link>
68+
.
69+
</p>
70+
</div>
71+
</details>
72+
<Input
73+
type="password"
74+
placeholder="ghp_..."
75+
value={pat}
76+
onChange={(e) => setPat(e.target.value)}
77+
className="flex-1 rounded-md border-[3px] border-black px-3 py-2 text-base font-bold shadow-[4px_4px_0_0_#000000] placeholder:text-base placeholder:font-normal placeholder:text-gray-700"
78+
required
79+
/>
80+
<div className="flex justify-end gap-3">
81+
<Button
82+
type="button"
83+
onClick={onClose}
84+
className="border-[3px] border-black bg-gray-200 px-4 py-2 text-black shadow-[4px_4px_0_0_#000000] transition-transform hover:-translate-x-0.5 hover:-translate-y-0.5 hover:bg-gray-300"
85+
>
86+
Cancel
87+
</Button>
88+
<Button
89+
type="submit"
90+
disabled={!pat.startsWith("ghp_")}
91+
className="border-[3px] border-black bg-purple-400 px-4 py-2 text-black shadow-[4px_4px_0_0_#000000] transition-transform hover:-translate-x-0.5 hover:-translate-y-0.5 hover:bg-purple-300 disabled:opacity-50"
92+
>
93+
Save Token
94+
</Button>
95+
</div>
96+
</form>
97+
</DialogContent>
98+
</Dialog>
99+
);
100+
}

src/hooks/useDiagram.ts

+22-4
Original file line numberDiff line numberDiff line change
@@ -25,13 +25,19 @@ export function useDiagram(username: string, repo: string) {
2525
setIsRegenerating(true);
2626
try {
2727
const cached = await getCachedDiagram(username, repo);
28+
const github_pat = localStorage.getItem("github_pat");
2829

2930
if (cached) {
3031
setDiagram(cached);
3132
const date = await getLastGeneratedDate(username, repo);
3233
setLastGenerated(date ?? undefined);
3334
} else {
34-
const costEstimate = await getCostOfGeneration(username, repo, ""); // empty instructions so lru cache is used
35+
const costEstimate = await getCostOfGeneration(
36+
username,
37+
repo,
38+
"",
39+
github_pat ?? undefined,
40+
); // empty instructions so lru cache is used
3541

3642
if (costEstimate.error) {
3743
console.error("Cost estimation failed:", costEstimate.error);
@@ -40,7 +46,11 @@ export function useDiagram(username: string, repo: string) {
4046

4147
setCost(costEstimate.cost ?? "");
4248

43-
const result = await generateAndCacheDiagram(username, repo);
49+
const result = await generateAndCacheDiagram(
50+
username,
51+
repo,
52+
github_pat ?? undefined,
53+
);
4454

4555
if (result.error) {
4656
console.error("Diagram generation failed:", result.error);
@@ -110,6 +120,7 @@ export function useDiagram(username: string, repo: string) {
110120
setCost("");
111121
setIsRegenerating(true);
112122
try {
123+
const github_pat = localStorage.getItem("github_pat");
113124
const costEstimate = await getCostOfGeneration(username, repo, "");
114125

115126
if (costEstimate.error) {
@@ -122,6 +133,7 @@ export function useDiagram(username: string, repo: string) {
122133
const result = await generateAndCacheDiagram(
123134
username,
124135
repo,
136+
github_pat ?? undefined,
125137
instructions,
126138
);
127139
if (result.error) {
@@ -198,9 +210,15 @@ export function useDiagram(username: string, repo: string) {
198210
setShowApiKeyDialog(false);
199211
setLoading(true);
200212
setError("");
201-
213+
const github_pat = localStorage.getItem("github_pat");
202214
try {
203-
const result = await generateAndCacheDiagram(username, repo, "", apiKey);
215+
const result = await generateAndCacheDiagram(
216+
username,
217+
repo,
218+
github_pat ?? undefined,
219+
"",
220+
apiKey,
221+
);
204222
if (result.error) {
205223
setError(result.error);
206224
} else if (result.diagram) {

src/lib/fetch-backend.ts

+4
Original file line numberDiff line numberDiff line change
@@ -25,6 +25,7 @@ interface CostApiResponse {
2525
export async function generateAndCacheDiagram(
2626
username: string,
2727
repo: string,
28+
github_pat?: string,
2829
instructions?: string,
2930
api_key?: string,
3031
): Promise<GenerateApiResponse> {
@@ -43,6 +44,7 @@ export async function generateAndCacheDiagram(
4344
repo,
4445
instructions: instructions ?? "",
4546
api_key: api_key,
47+
github_pat: github_pat,
4648
}),
4749
});
4850

@@ -130,6 +132,7 @@ export async function getCostOfGeneration(
130132
username: string,
131133
repo: string,
132134
instructions: string,
135+
github_pat?: string,
133136
): Promise<CostApiResponse> {
134137
try {
135138
const baseUrl =
@@ -144,6 +147,7 @@ export async function getCostOfGeneration(
144147
body: JSON.stringify({
145148
username,
146149
repo,
150+
github_pat: github_pat,
147151
instructions: instructions ?? "",
148152
}),
149153
});

0 commit comments

Comments
 (0)