Skip to content
Merged
Show file tree
Hide file tree
Changes from all commits
Commits
File filter

Filter by extension

Filter by extension

Conversations
Failed to load comments.
Loading
Jump to
Jump to file
Failed to load files.
Loading
Diff view
Diff view
1 change: 1 addition & 0 deletions src/config.ts
Original file line number Diff line number Diff line change
Expand Up @@ -42,6 +42,7 @@ let config = {
gitlab: {
token: '',
apiUrl: '',
graphqlApiUrl: '',
},
google: {
map: {
Expand Down
76 changes: 76 additions & 0 deletions src/cron/tasks/updateGitlabRepoData/getClient.ts
Original file line number Diff line number Diff line change
@@ -0,0 +1,76 @@
import getConfig from '../../../config';
import { request } from 'https';
import { URL } from 'url';

/**
* GitLab GraphQL client type
*/
export type GraphqlClient = (query: string, variables?: any) => Promise<any>;

/**
* Get GitLab GraphQL client with token
* GitLab GraphQL API endpoint is typically: ${apiUrl}/api/graphql
*/
export const getGraphqlClient = async (token: string): Promise<GraphqlClient> => {
const config = await getConfig();
const graphqlUrl = config.gitlab.graphqlApiUrl;

if (!token || !graphqlUrl || token === '' || graphqlUrl === '') {
throw new Error('GitLab token or API URL is not set');
}

return async (query: string, variables?: any) => {
return new Promise((resolve, reject) => {
const url = new URL(graphqlUrl);
const postData = JSON.stringify({
query,
variables,
});

const path = url.pathname + (url.search || '');

const options = {
hostname: url.hostname,
port: url.port || (url.protocol === 'https:' ? 443 : 80),
path: path,
method: 'POST',
headers: {
'Content-Type': 'application/json',
'Authorization': `Bearer ${token}`,
'Content-Length': Buffer.byteLength(postData),
'User-Agent': 'opendigger-bot',
},
};

const req = request(options, (res) => {
let data = '';
res.on('data', (chunk) => {
data += chunk;
});
res.on('end', () => {
try {
if (res.statusCode !== 200) {
reject(new Error(`GitLab GraphQL API error: ${res.statusCode} ${res.statusMessage} - ${data}`));
return;
}
const result = JSON.parse(data);
if (result.errors) {
reject(new Error(`GitLab GraphQL errors: ${JSON.stringify(result.errors)}`));
return;
}
resolve(result.data);
} catch (e: any) {
reject(new Error(`Error parsing GitLab GraphQL response: ${e.message} - ${data}`));
}
});
});

req.on('error', (e) => {
reject(new Error(`GitLab GraphQL API request error: ${e.message}`));
});

req.write(postData);
req.end();
});
};
};
210 changes: 210 additions & 0 deletions src/cron/tasks/updateGitlabRepoData/getIssues.ts
Original file line number Diff line number Diff line change
@@ -0,0 +1,210 @@
import { formatDate, getLogger } from "../../../utils";
import { InsertRecord, processActor, extractIdFromGid } from "./utils";
import { GraphqlClient } from "./getClient";

// since query will recursively get comments and events for every issue
// need to limit the number of issues to query at once to a small number to avoid rate limit error in a single query
const batchCount = 30;
const logger = getLogger('UpdateGitlabRepoDataTask[GetIssues]');

const getMoreNotes = async (client: GraphqlClient, projectPath: string, issueIid: string, after?: string): Promise<any[]> => {
if (!after) return [];
const q = `
query getMoreNotes($projectPath: ID!, $issueIid: String!, $count: Int!, $after: String!) {
project(fullPath: $projectPath) {
issue(iid: $issueIid) {
notes(first: $count, after: $after) {
pageInfo {
hasNextPage
endCursor
}
nodes {
id
createdAt
body
author {
id
username
name
}
}
}
}
}
}
`;

const result = await client(q, { projectPath, issueIid, after, count: batchCount });
const notes = result.project?.issue?.notes?.nodes || [];
if (result.project?.issue?.notes?.pageInfo?.hasNextPage) {
notes.push(...await getMoreNotes(client, projectPath, issueIid, result.project.issue.notes.pageInfo.endCursor));
}
return notes;
};

const getIssuesBatch = async (client: GraphqlClient, projectPath: string, projectId: number, namespaceId: number, namespaceName: string, after?: string): Promise<{ events: InsertRecord[], hasNextPage: boolean, endCursor?: string }> => {
const q = `
query getIssues($projectPath: ID!, $after: String, $count: Int!) {
project(fullPath: $projectPath) {
id
issues(first: $count, after: $after, sort: UPDATED_ASC) {
pageInfo {
hasNextPage
endCursor
}
nodes {
id
iid
title
description
createdAt
closedAt
state
labels(first: 10) {
nodes {
id
title
color
description
}
}
author {
id
username
name
}
notes(first: $count) {
pageInfo {
hasNextPage
endCursor
}
nodes {
id
createdAt
body
author {
id
username
name
}
}
}
}
}
}
}
`;

const result = await client(q, { projectPath, after, count: batchCount });
const events: InsertRecord[] = [];

if (!result.project || !result.project.issues) {
return { events, hasNextPage: false };
}

const issues = result.project.issues.nodes || [];

for (const issue of issues) {
if (!issue.author) {
continue;
}

const issueAuthor = processActor(issue.author);
const issueId = extractIdFromGid(issue.id);
const issueNumber = parseInt(issue.iid);

const baseIssueItem: InsertRecord = {
platform: 'GitLab',
repo_id: projectId,
repo_name: projectPath,
org_id: namespaceId,
org_login: namespaceName,
actor_id: 0,
actor_login: '',
type: '',
action: '',
issue_id: issueId,
issue_number: issueNumber,
issue_title: issue.title,
issue_author_id: issueAuthor.actor_id,
issue_author_login: issueAuthor.actor_login,
body: issue.description,
issue_created_at: formatDate(issue.createdAt),
issue_closed_at: issue.closedAt ? formatDate(issue.closedAt) : undefined,
"issue_labels.name": issue.labels?.nodes?.map((l: any) => l.title) || [],
"issue_labels.color": issue.labels?.nodes?.map((l: any) => l.color) || [],
"issue_labels.default": issue.labels?.nodes?.map(() => 0) || [],
"issue_labels.description": issue.labels?.nodes?.map((l: any) => l.description || '') || [],
};

// Issue opened event
events.push({
...baseIssueItem,
...issueAuthor,
type: 'IssuesEvent',
action: 'opened',
created_at: formatDate(issue.createdAt),
});

// Issue closed event
if (issue.state === 'closed' && issue.closedAt) {
events.push({
...baseIssueItem,
...issueAuthor,
type: 'IssuesEvent',
action: 'closed',
created_at: formatDate(issue.closedAt),
});
}

// Issue notes (comments)
let notes = issue.notes?.nodes || [];
if (issue.notes?.pageInfo?.hasNextPage) {
notes.push(...await getMoreNotes(client, projectPath, issue.iid, issue.notes.pageInfo.endCursor));
}

for (const note of notes) {
if (!note.author) {
continue;
}
events.push({
...baseIssueItem,
...processActor(note.author),
type: 'IssueCommentEvent',
action: 'created',
issue_comment_id: extractIdFromGid(note.id),
body: note.body,
created_at: formatDate(note.createdAt),
});
}
}

return {
events,
hasNextPage: result.project.issues.pageInfo.hasNextPage,
endCursor: result.project.issues.pageInfo.endCursor,
};
};

export const getIssues = async (client: GraphqlClient, projectPath: string, projectId: number, namespaceId: number, namespaceName: string, after?: string): Promise<{ events: InsertRecord[], endCursor?: string, finished: boolean }> => {
const allEvents: InsertRecord[] = [];
let currentAfter = after;
let hasNextPage = true;
let finished = true;

while (hasNextPage) {
try {
const batch = await getIssuesBatch(client, projectPath, projectId, namespaceId, namespaceName, currentAfter);
allEvents.push(...batch.events);
hasNextPage = batch.hasNextPage;
currentAfter = batch.endCursor;
}
catch (error: any) {
logger.error(`Error getting issues: projectPath=${projectPath}, projectId=${projectId}, currentAfter=${currentAfter}, error=${error.message || error}`);
finished = false;
break;
}
}

return { events: allEvents, endCursor: currentAfter, finished };
};
Loading