-
Notifications
You must be signed in to change notification settings - Fork 0
/
Copy pathindex.js
298 lines (263 loc) · 8.87 KB
/
index.js
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
293
294
295
296
297
298
const { GraphQLClient } = require("graphql-request");
const fs = require("fs");
const argv = require("minimist")(process.argv.slice(2));
const fileName = argv.filename || "results";
const csv = require("csv-writer").createObjectCsvWriter;
// Add as many tokens as needed, considering the amount of data
const tokens = [
"PERSONAL_ACCESS_TOKEN_1",
"PERSONAL_ACCESS_TOKEN_2",
"PERSONAL_ACCESS_TOKEN_3",
"PERSONAL_ACCESS_TOKEN_..."
];
let tokenIndex = 0;
// Rotate through the available tokens and prevent rate limits or other restrictions that may be imposed on a single token.
function getNextToken() {
const token = tokens[tokenIndex];
tokenIndex = (tokenIndex + 1) % tokens.length;
return token;
}
const batchSize = 50; // Set the desired batch size. Maximum is 100
// Fecth a batch of results based on the provided search query, current date, cursor (pagination), and previous results.
async function fetchResultsBatch(searchQuery, currentDate, cursor = null, results = []) {
try {
const client = new GraphQLClient("https://api.github.com/graphql", {
headers: {
Authorization: `Bearer ${getNextToken()}`
}
});
const data = await client.request(query, {
searchQuery,
first: batchSize,
after: cursor
});
const { nodes, pageInfo } = data.search;
results.push(...nodes);
if (currentDate!==undefined){
console.log(`\nExtracted ${results.length} results for ${currentDate}...`);
}else{
console.log(`\nExtracted ${results.length} results so far...`);
}
const rateLimitData = await client.request(rateLimitQuery);
const rateLimit = rateLimitData.rateLimit;
console.log("Rate Limit:", rateLimit);
console.log("hasNextPage:", pageInfo.hasNextPage);
console.log("endCursor:", pageInfo.endCursor);
if (pageInfo.hasNextPage) {
// Delay between batches to avoid rate limits
await new Promise((resolve) => setTimeout(resolve, 1000)); // Adjust the delay time as needed
return fetchResultsBatch(searchQuery, currentDate, pageInfo.endCursor, results);
} else {
return results;
}
} catch (error) {
console.error(error);
}
}
// Determine whether to fetch all results in a single batch or in multiple batches based on total results and dates.
async function fetchAllResults() {
try {
const client = new GraphQLClient("https://api.github.com/graphql", {
headers: {
Authorization: `Bearer ${getNextToken()}`
}
});
const data = await client.request(countQuery, { completeSearchQuery });
const { repositoryCount } = data.search;
console.log(`Total results: ${repositoryCount}`);
if (repositoryCount <= 1000) {
return fetchResultsBatch(completeSearchQuery);
} else {
const startDateObj = new Date(startDate);
const endDateObj = new Date(endDate);
const dayInMilliseconds = 24 * 60 * 60 * 1000;
const dayCount = Math.ceil((endDateObj - startDateObj) / dayInMilliseconds);
// console.log(dayCount);
let results = [];
for (let i = 0; i < dayCount+1; i++) {
const currentDate = new Date(startDateObj.getTime() + i * dayInMilliseconds).toISOString().split("T")[0];
const currentSearchQuery = `${searchQuery} ${dateType}:${currentDate}`;
const result = await fetchResultsBatch(currentSearchQuery, currentDate);
results.push(...result);
}
return results;
}
} catch (error) {
console.error(error);
}
}
// Write formatted data in JSON and CSV files
function writeFiles(json) {
const formattedResults = json.map((result) => {
// Modify according to the desired format and extraction fields
const data = {
name: result.nameWithOwner.split("/")[1],
owner: result.nameWithOwner.split("/")[0],
description: result.description ? result.description : "",
url: result.url,
createdAt: result.createdAt.split("T")[0],
users: result.assignableUsers.totalCount,
watchers: result.watchers.totalCount,
stars: result.stargazerCount,
forks: result.forkCount,
projects: result.projects.totalCount,
issues: result.issues.totalCount,
pullRequests: result.pullRequests.totalCount,
diskUsage: result.diskUsage,
license: result.licenseInfo ? result.licenseInfo.spdxId : "",
languages: result.languages.edges.map((edge) => edge.node.name),
primaryLanguage: result.primaryLanguage ? result.primaryLanguage.name : "",
environments: result.environments.edges.map((edge) => edge.node.name),
submodules: result.submodules.edges.map((edge) => edge.node.name),
topics: result.repositoryTopics.edges.map((edge) => edge.node.topic.name),
};
// Check if the dictionary file exists
if (fs.existsSync("dictionary.json")) {
// Read the dictionary file
const dictionary = require("./dictionary.json");
// Escape special characters in the tag for regular expression
const escapeRegExp = (string) => {
return string.replace(/[.*+?^${}()|[\]\\]/g, "\\$&");
};
// Check if any word in the name or description matches the tag from the dictionary
const isTagInNameOrDescription = (tag) => {
const regexString = `\\b${escapeRegExp(tag)}\\b`;
const regex = new RegExp(regexString, "i");
// Check if the tag is found as a whole word in the name or description
return regex.test(data.name) || regex.test(data.description);
};
// Filter the dictionary tags based on word matching
const nameAndDescTags = dictionary.filter((currentTag) => isTagInNameOrDescription(currentTag.tag));
// Check if the tags are already in the topics field, and if not, add them to the 'extra' column
const extraTags = nameAndDescTags.filter((currentTag) => {
return !data.topics.includes(currentTag.tag);
});
data.extra = extraTags.map((currentTag) => currentTag.tag);
}
return data;
});
// Save as JSON
fs.writeFile(`${fileName}.json`, JSON.stringify(formattedResults, null, 2), function (err) {
if (err) throw err;
console.log(`${fileName}.json file saved`);
});
// Save as CSV
const csvWriter = csv({
path: `${fileName}.csv`,
header: Object.keys(formattedResults[0]).map((key) => ({ id: key, title: key })),
});
csvWriter
.writeRecords(formattedResults)
.then(() => console.log(`${fileName}.csv file saved`))
.catch((err) => console.error(err));
}
// Write JSON file without any format or dictionary
// function writeJsonFile(json) {
// fs.writeFile(`${fileName}.json`, JSON.stringify(json, null, 2), function (err) {
// if (err) throw err;
// console.log(`${fileName} file saved`);
// });
// }
// Set query, count its totals and check rate limits
const query = `query ($searchQuery: String!, $first: Int, $after: String) {
search(query: $searchQuery, type: REPOSITORY, first: $first, after: $after) {
nodes {
... on Repository {
nameWithOwner
description
url
createdAt
assignableUsers {
totalCount
}
watchers {
totalCount
}
stargazerCount
forkCount
projects {
totalCount
}
issues {
totalCount
}
pullRequests {
totalCount
}
diskUsage
licenseInfo {
spdxId
}
languages(first: 5) {
edges {
node {
name
}
}
}
primaryLanguage {
name
}
environments(first: 5) {
edges {
node {
name
}
}
}
submodules(first: 5) {
edges {
node {
name
}
}
}
repositoryTopics(first: 5) {
edges {
node {
topic {
name
}
}
}
}
}
}
pageInfo {
endCursor
hasNextPage
}
}
}`;
const countQuery = `query ($completeSearchQuery: String!) {
search(query: $completeSearchQuery, type: REPOSITORY, first: 1) {
repositoryCount
}
}`;
const rateLimitQuery = `query {
rateLimit {
limit
cost
remaining
used
resetAt
nodeCount
}
}`;
// Create arguments and set defaults
const now = new Date().toISOString().split("T")[0];
const searchQuery = argv.query || "mobile AND (android OR ios)";
const startDate = argv.start || "2013-01-01";
const endDate = argv.end || now;
const dateType= argv.date || "created";
// Construct the search query with the date range
const completeSearchQuery = `${searchQuery} ${dateType}:${startDate}..${endDate}`;
console.log("Search Query:", completeSearchQuery);
// Run and write the extraction
fetchAllResults()
.then((data) => {
writeFiles(data);
//writeJsonFile(data);
console.log(`Fetched ${data.length} results.`);
})
.catch((error) => console.error(error));