-
Notifications
You must be signed in to change notification settings - Fork 21
Commit
This commit does not belong to any branch on this repository, and may belong to a fork outside of the repository.
- Loading branch information
Showing
2 changed files
with
203 additions
and
109 deletions.
There are no files selected for viewing
This file contains bidirectional Unicode text that may be interpreted or compiled differently than what appears below. To review, open the file in an editor that reveals hidden Unicode characters.
Learn more about bidirectional Unicode characters
Original file line number | Diff line number | Diff line change |
---|---|---|
@@ -1,122 +1,216 @@ | ||
import type { Settings } from './index.ts' | ||
|
||
export interface TicketPickerItem { | ||
export interface SearchResults { | ||
subject: string | ||
tickets: Ticket[] | ||
} | ||
|
||
export interface SearchResponse { | ||
results: SearchResult[] | ||
} | ||
|
||
interface SearchResult { | ||
id: number | ||
subject: string | ||
url: string | ||
created_at: string | ||
} | ||
|
||
export interface Ticket { | ||
id: number | ||
url: string | ||
subject: string | ||
description: string | ||
tags: string[] | ||
status: string | ||
priority: string | ||
created_at: string | ||
updated_at: string | ||
comments: TicketComment[] | ||
summary?: string | ||
summaries: Summary[] | ||
} | ||
|
||
export interface Summary { | ||
id: number | ||
summary?: string | ||
subject: string | ||
} | ||
|
||
export interface TicketComment { | ||
id: number | ||
type: string | ||
author_id: number | ||
body: string | ||
html_body: string | ||
plain_body: string | ||
public: boolean | ||
created_at: string | ||
} | ||
|
||
export interface ChatCompletionRequest { | ||
messages: Array<{ role: string; content: string }> | ||
model: string | ||
max_tokens: number | ||
stream: boolean | ||
} | ||
|
||
export interface ChatCompletionResponse { | ||
message: string | ||
choices: Array<{ | ||
message: { | ||
content: string | ||
} | ||
}> | ||
} | ||
|
||
const authHeaders = (settings: Settings) => ({ | ||
Authorization: `Basic ${Buffer.from(`${settings.email}/token:${settings.apiToken}`).toString('base64')}`, | ||
}) | ||
|
||
const sgTokenHeaders = (settings: Settings) => ({ | ||
Authorization: `token ${settings.sgToken}`, | ||
}) | ||
|
||
const buildUrl = (settings: Settings, path: string, searchParams: Record<string, string> = {}) => { | ||
const url = new URL(`https://${settings.subdomain}.zendesk.com/api/v2${path}`) | ||
url.search = new URLSearchParams(searchParams).toString() | ||
return url | ||
} | ||
|
||
/** | ||
* Searches Zendesk tickets based on a query string and returns matching tickets with their details. | ||
* @param query - The search query string to filter tickets | ||
* @param settings - Zendesk API settings including subdomain, email, and API token | ||
* @returns Promise resolving to SearchResults containing matched tickets and their subjects | ||
*/ | ||
|
||
export const searchTickets = async ( | ||
query: string | undefined, | ||
settings: Settings, | ||
): Promise<TicketPickerItem[]> => { | ||
): Promise<SearchResults> => { | ||
const searchResponse = await fetch( | ||
buildUrl(settings, '/search.json', { | ||
query: `type:ticket ${query || ''}`, | ||
// Add search parameters here | ||
query: `${query} order_by:created sort:desc` || '', | ||
}), | ||
{ | ||
method: 'GET', | ||
headers: authHeaders(settings), | ||
}, | ||
} | ||
) | ||
if (!searchResponse.ok) { | ||
throw new Error( | ||
`Error searching Zendesk tickets (${searchResponse.status} ${ | ||
searchResponse.statusText | ||
`Error searching Zendesk tickets (${searchResponse.status} ${searchResponse.statusText | ||
}): ${await searchResponse.text()}`, | ||
) | ||
} | ||
|
||
const searchJSON = (await searchResponse.json()) as { | ||
results: { | ||
id: number | ||
subject: string | ||
url: string | ||
}[] | ||
const result = (await searchResponse.json()) as SearchResponse | ||
|
||
const searchResults: SearchResults = { | ||
subject: '', | ||
tickets: [] | ||
} | ||
|
||
return searchJSON.results.map(ticket => ({ | ||
id: ticket.id, | ||
subject: ticket.subject, | ||
url: ticket.url, | ||
})) | ||
for (const item of result.results) { | ||
searchResults.subject += `${item.id.toString()} ${item.subject}, ` | ||
searchResults.tickets.push({ | ||
id: item.id, | ||
subject: item.subject, | ||
created_at: item.created_at, | ||
comments: [], | ||
summaries: [] | ||
}) | ||
// This is to limit the number of tickets. | ||
if (searchResults.tickets.length === 5) { | ||
break | ||
} | ||
} | ||
return searchResults | ||
} | ||
|
||
export const fetchTicket = async (ticketId: number, settings: Settings): Promise<Ticket | null> => { | ||
const ticketResponse = await fetch( | ||
buildUrl(settings, `/tickets/${ticketId}.json`), | ||
/** | ||
* Fetches comments for a given Zendesk ticket | ||
* @param ticket - The ticket object to fetch comments for | ||
* @param settings - Zendesk API settings including subdomain, email, and API token | ||
* @returns Promise resolving to Ticket object with comments field populated | ||
*/ | ||
export const fetchComments = async (ticket: Ticket, settings: Settings): Promise<Ticket> => { | ||
const commentsResponse = await fetch( | ||
buildUrl(settings, `/tickets/${ticket.id}/comments.json`), | ||
{ | ||
method: 'GET', | ||
headers: authHeaders(settings), | ||
} | ||
) | ||
if (!ticketResponse.ok) { | ||
if (!commentsResponse.ok) { | ||
throw new Error( | ||
`Error fetching Zendesk ticket (${ticketResponse.status} ${ | ||
ticketResponse.statusText | ||
}): ${await ticketResponse.text()}` | ||
`Error fetching Zendesk ticket comments (${commentsResponse.status} ${commentsResponse.statusText | ||
}): ${await commentsResponse.text()}` | ||
) | ||
} | ||
|
||
const responseJSON = (await ticketResponse.json()) as { ticket: Ticket } | ||
const ticket = responseJSON.ticket | ||
const commentsJSON = (await commentsResponse.json() as { comments: TicketComment[] }).comments | ||
// Extract only necessary fields from comments | ||
const comments: TicketComment[] = commentsJSON.map(comment => ({ | ||
id: comment.id, | ||
author_id: comment.author_id, | ||
plain_body: comment.plain_body, | ||
created_at: comment.created_at, | ||
})) | ||
|
||
return { ...ticket, comments } | ||
} | ||
|
||
/** | ||
* Fetches a chat completion from the Sourcegraph API to generate a summary for a Zendesk ticket | ||
* @param settings - Sourcegraph API settings | ||
* @param ticket - The ticket object to generate a summary for | ||
* @returns Promise resolving to Ticket object with summary field populated | ||
*/ | ||
export const fetchChatCompletion = async ( | ||
settings: Settings, | ||
ticket: Ticket | ||
): Promise<Ticket> => { | ||
|
||
if (!ticket) { | ||
return null | ||
const formatComments = (comments: TicketComment[]): string => { | ||
return comments.map(comment => { | ||
return `Comment ID: ${comment.id}\nAuthor ID: ${comment.author_id}\nContent: ${comment.plain_body}\nCreated At: ${comment.created_at}\n` | ||
}).join('\n') | ||
} | ||
|
||
// Fetch comments for the ticket | ||
const commentsResponse = await fetch( | ||
buildUrl(settings, `/tickets/${ticketId}/comments.json`), | ||
{ | ||
method: 'GET', | ||
headers: authHeaders(settings), | ||
} | ||
) | ||
if (!commentsResponse.ok) { | ||
throw new Error( | ||
`Error fetching Zendesk ticket comments (${commentsResponse.status} ${ | ||
commentsResponse.statusText | ||
}): ${await commentsResponse.text()}` | ||
) | ||
const ticketContent = ` | ||
Ticket ID: ${ticket.id} | ||
Subject: ${ticket.subject || 'N/A'} | ||
Created At: ${ticket.created_at || 'N/A'} | ||
Comments: ${formatComments(ticket.comments)} | ||
` | ||
const requestData: ChatCompletionRequest = { | ||
messages: [ | ||
{ | ||
role: 'user', | ||
content: `${settings.prompt} ${ticketContent}` | ||
} | ||
], | ||
model: `${settings.model}`, | ||
max_tokens: 1000, | ||
stream: false | ||
} | ||
|
||
const commentsJSON = (await commentsResponse.json()) as { comments: TicketComment[] } | ||
ticket.comments = commentsJSON.comments | ||
const response = await fetch(`${settings.sgDomain}`, { | ||
method: 'POST', | ||
headers: { | ||
'Accept': 'application/json', | ||
'Content-Type': 'application/json', | ||
'X-Requested-With': 'cody-api v1', | ||
...sgTokenHeaders(settings), | ||
}, | ||
body: JSON.stringify(requestData), | ||
}) | ||
|
||
if (!response.ok) { | ||
throw new Error(`Error fetching chat completion (${response.status} ${response.statusText}): ${await response.text()}`) | ||
} | ||
|
||
return ticket | ||
const summary = (await response.json() as ChatCompletionResponse).choices[0].message.content | ||
|
||
return { ...ticket, summary } | ||
} | ||
|
||
|
||
export const fetchSummary = async (ticket: Ticket, settings: Settings): Promise<Ticket> => { | ||
const ticketWithComments = await fetchComments(ticket, settings) | ||
const ticketWithSummary = await fetchChatCompletion(settings, ticketWithComments) | ||
// Return the ticket with the summary | ||
return ticketWithSummary | ||
} |
Oops, something went wrong.