Compare commits
5 Commits
v7.0.6
...
bump-octok
Author | SHA1 | Date | |
---|---|---|---|
3775125a50 | |||
c52b9e2028 | |||
ae3093d7e8 | |||
8606317131 | |||
a302671c1f |
406
dist/index.js
vendored
406
dist/index.js
vendored
@ -31754,6 +31754,184 @@ function parseParams (str) {
|
|||||||
module.exports = parseParams
|
module.exports = parseParams
|
||||||
|
|
||||||
|
|
||||||
|
/***/ }),
|
||||||
|
|
||||||
|
/***/ 8739:
|
||||||
|
/***/ ((module) => {
|
||||||
|
|
||||||
|
"use strict";
|
||||||
|
var __webpack_unused_export__;
|
||||||
|
|
||||||
|
|
||||||
|
const NullObject = function NullObject () { }
|
||||||
|
NullObject.prototype = Object.create(null)
|
||||||
|
|
||||||
|
/**
|
||||||
|
* RegExp to match *( ";" parameter ) in RFC 7231 sec 3.1.1.1
|
||||||
|
*
|
||||||
|
* parameter = token "=" ( token / quoted-string )
|
||||||
|
* token = 1*tchar
|
||||||
|
* tchar = "!" / "#" / "$" / "%" / "&" / "'" / "*"
|
||||||
|
* / "+" / "-" / "." / "^" / "_" / "`" / "|" / "~"
|
||||||
|
* / DIGIT / ALPHA
|
||||||
|
* ; any VCHAR, except delimiters
|
||||||
|
* quoted-string = DQUOTE *( qdtext / quoted-pair ) DQUOTE
|
||||||
|
* qdtext = HTAB / SP / %x21 / %x23-5B / %x5D-7E / obs-text
|
||||||
|
* obs-text = %x80-FF
|
||||||
|
* quoted-pair = "\" ( HTAB / SP / VCHAR / obs-text )
|
||||||
|
*/
|
||||||
|
const paramRE = /; *([!#$%&'*+.^\w`|~-]+)=("(?:[\v\u0020\u0021\u0023-\u005b\u005d-\u007e\u0080-\u00ff]|\\[\v\u0020-\u00ff])*"|[!#$%&'*+.^\w`|~-]+) */gu
|
||||||
|
|
||||||
|
/**
|
||||||
|
* RegExp to match quoted-pair in RFC 7230 sec 3.2.6
|
||||||
|
*
|
||||||
|
* quoted-pair = "\" ( HTAB / SP / VCHAR / obs-text )
|
||||||
|
* obs-text = %x80-FF
|
||||||
|
*/
|
||||||
|
const quotedPairRE = /\\([\v\u0020-\u00ff])/gu
|
||||||
|
|
||||||
|
/**
|
||||||
|
* RegExp to match type in RFC 7231 sec 3.1.1.1
|
||||||
|
*
|
||||||
|
* media-type = type "/" subtype
|
||||||
|
* type = token
|
||||||
|
* subtype = token
|
||||||
|
*/
|
||||||
|
const mediaTypeRE = /^[!#$%&'*+.^\w|~-]+\/[!#$%&'*+.^\w|~-]+$/u
|
||||||
|
|
||||||
|
// default ContentType to prevent repeated object creation
|
||||||
|
const defaultContentType = { type: '', parameters: new NullObject() }
|
||||||
|
Object.freeze(defaultContentType.parameters)
|
||||||
|
Object.freeze(defaultContentType)
|
||||||
|
|
||||||
|
/**
|
||||||
|
* Parse media type to object.
|
||||||
|
*
|
||||||
|
* @param {string|object} header
|
||||||
|
* @return {Object}
|
||||||
|
* @public
|
||||||
|
*/
|
||||||
|
|
||||||
|
function parse (header) {
|
||||||
|
if (typeof header !== 'string') {
|
||||||
|
throw new TypeError('argument header is required and must be a string')
|
||||||
|
}
|
||||||
|
|
||||||
|
let index = header.indexOf(';')
|
||||||
|
const type = index !== -1
|
||||||
|
? header.slice(0, index).trim()
|
||||||
|
: header.trim()
|
||||||
|
|
||||||
|
if (mediaTypeRE.test(type) === false) {
|
||||||
|
throw new TypeError('invalid media type')
|
||||||
|
}
|
||||||
|
|
||||||
|
const result = {
|
||||||
|
type: type.toLowerCase(),
|
||||||
|
parameters: new NullObject()
|
||||||
|
}
|
||||||
|
|
||||||
|
// parse parameters
|
||||||
|
if (index === -1) {
|
||||||
|
return result
|
||||||
|
}
|
||||||
|
|
||||||
|
let key
|
||||||
|
let match
|
||||||
|
let value
|
||||||
|
|
||||||
|
paramRE.lastIndex = index
|
||||||
|
|
||||||
|
while ((match = paramRE.exec(header))) {
|
||||||
|
if (match.index !== index) {
|
||||||
|
throw new TypeError('invalid parameter format')
|
||||||
|
}
|
||||||
|
|
||||||
|
index += match[0].length
|
||||||
|
key = match[1].toLowerCase()
|
||||||
|
value = match[2]
|
||||||
|
|
||||||
|
if (value[0] === '"') {
|
||||||
|
// remove quotes and escapes
|
||||||
|
value = value
|
||||||
|
.slice(1, value.length - 1)
|
||||||
|
|
||||||
|
quotedPairRE.test(value) && (value = value.replace(quotedPairRE, '$1'))
|
||||||
|
}
|
||||||
|
|
||||||
|
result.parameters[key] = value
|
||||||
|
}
|
||||||
|
|
||||||
|
if (index !== header.length) {
|
||||||
|
throw new TypeError('invalid parameter format')
|
||||||
|
}
|
||||||
|
|
||||||
|
return result
|
||||||
|
}
|
||||||
|
|
||||||
|
function safeParse (header) {
|
||||||
|
if (typeof header !== 'string') {
|
||||||
|
return defaultContentType
|
||||||
|
}
|
||||||
|
|
||||||
|
let index = header.indexOf(';')
|
||||||
|
const type = index !== -1
|
||||||
|
? header.slice(0, index).trim()
|
||||||
|
: header.trim()
|
||||||
|
|
||||||
|
if (mediaTypeRE.test(type) === false) {
|
||||||
|
return defaultContentType
|
||||||
|
}
|
||||||
|
|
||||||
|
const result = {
|
||||||
|
type: type.toLowerCase(),
|
||||||
|
parameters: new NullObject()
|
||||||
|
}
|
||||||
|
|
||||||
|
// parse parameters
|
||||||
|
if (index === -1) {
|
||||||
|
return result
|
||||||
|
}
|
||||||
|
|
||||||
|
let key
|
||||||
|
let match
|
||||||
|
let value
|
||||||
|
|
||||||
|
paramRE.lastIndex = index
|
||||||
|
|
||||||
|
while ((match = paramRE.exec(header))) {
|
||||||
|
if (match.index !== index) {
|
||||||
|
return defaultContentType
|
||||||
|
}
|
||||||
|
|
||||||
|
index += match[0].length
|
||||||
|
key = match[1].toLowerCase()
|
||||||
|
value = match[2]
|
||||||
|
|
||||||
|
if (value[0] === '"') {
|
||||||
|
// remove quotes and escapes
|
||||||
|
value = value
|
||||||
|
.slice(1, value.length - 1)
|
||||||
|
|
||||||
|
quotedPairRE.test(value) && (value = value.replace(quotedPairRE, '$1'))
|
||||||
|
}
|
||||||
|
|
||||||
|
result.parameters[key] = value
|
||||||
|
}
|
||||||
|
|
||||||
|
if (index !== header.length) {
|
||||||
|
return defaultContentType
|
||||||
|
}
|
||||||
|
|
||||||
|
return result
|
||||||
|
}
|
||||||
|
|
||||||
|
__webpack_unused_export__ = { parse, safeParse }
|
||||||
|
__webpack_unused_export__ = parse
|
||||||
|
module.exports.xL = safeParse
|
||||||
|
__webpack_unused_export__ = defaultContentType
|
||||||
|
|
||||||
|
|
||||||
/***/ }),
|
/***/ }),
|
||||||
|
|
||||||
/***/ 3247:
|
/***/ 3247:
|
||||||
@ -32087,13 +32265,10 @@ function lowercaseKeys(object) {
|
|||||||
|
|
||||||
// pkg/dist-src/util/is-plain-object.js
|
// pkg/dist-src/util/is-plain-object.js
|
||||||
function isPlainObject(value) {
|
function isPlainObject(value) {
|
||||||
if (typeof value !== "object" || value === null)
|
if (typeof value !== "object" || value === null) return false;
|
||||||
return false;
|
if (Object.prototype.toString.call(value) !== "[object Object]") return false;
|
||||||
if (Object.prototype.toString.call(value) !== "[object Object]")
|
|
||||||
return false;
|
|
||||||
const proto = Object.getPrototypeOf(value);
|
const proto = Object.getPrototypeOf(value);
|
||||||
if (proto === null)
|
if (proto === null) return true;
|
||||||
return true;
|
|
||||||
const Ctor = Object.prototype.hasOwnProperty.call(proto, "constructor") && proto.constructor;
|
const Ctor = Object.prototype.hasOwnProperty.call(proto, "constructor") && proto.constructor;
|
||||||
return typeof Ctor === "function" && Ctor instanceof Ctor && Function.prototype.call(Ctor) === Function.prototype.call(value);
|
return typeof Ctor === "function" && Ctor instanceof Ctor && Function.prototype.call(Ctor) === Function.prototype.call(value);
|
||||||
}
|
}
|
||||||
@ -32103,10 +32278,8 @@ function mergeDeep(defaults, options) {
|
|||||||
const result = Object.assign({}, defaults);
|
const result = Object.assign({}, defaults);
|
||||||
Object.keys(options).forEach((key) => {
|
Object.keys(options).forEach((key) => {
|
||||||
if (isPlainObject(options[key])) {
|
if (isPlainObject(options[key])) {
|
||||||
if (!(key in defaults))
|
if (!(key in defaults)) Object.assign(result, { [key]: options[key] });
|
||||||
Object.assign(result, { [key]: options[key] });
|
else result[key] = mergeDeep(defaults[key], options[key]);
|
||||||
else
|
|
||||||
result[key] = mergeDeep(defaults[key], options[key]);
|
|
||||||
} else {
|
} else {
|
||||||
Object.assign(result, { [key]: options[key] });
|
Object.assign(result, { [key]: options[key] });
|
||||||
}
|
}
|
||||||
@ -32404,6 +32577,8 @@ function withDefaults(oldDefaults, newDefaults) {
|
|||||||
var endpoint = withDefaults(null, DEFAULTS);
|
var endpoint = withDefaults(null, DEFAULTS);
|
||||||
|
|
||||||
|
|
||||||
|
// EXTERNAL MODULE: ./node_modules/fast-content-type-parse/index.js
|
||||||
|
var fast_content_type_parse = __nccwpck_require__(8739);
|
||||||
;// CONCATENATED MODULE: ./node_modules/@octokit/request-error/dist-src/index.js
|
;// CONCATENATED MODULE: ./node_modules/@octokit/request-error/dist-src/index.js
|
||||||
class RequestError extends Error {
|
class RequestError extends Error {
|
||||||
name;
|
name;
|
||||||
@ -32461,6 +32636,9 @@ var defaults_default = {
|
|||||||
}
|
}
|
||||||
};
|
};
|
||||||
|
|
||||||
|
// pkg/dist-src/fetch-wrapper.js
|
||||||
|
|
||||||
|
|
||||||
// pkg/dist-src/is-plain-object.js
|
// pkg/dist-src/is-plain-object.js
|
||||||
function dist_bundle_isPlainObject(value) {
|
function dist_bundle_isPlainObject(value) {
|
||||||
if (typeof value !== "object" || value === null) return false;
|
if (typeof value !== "object" || value === null) return false;
|
||||||
@ -32573,13 +32751,23 @@ async function fetchWrapper(requestOptions) {
|
|||||||
}
|
}
|
||||||
async function getResponseData(response) {
|
async function getResponseData(response) {
|
||||||
const contentType = response.headers.get("content-type");
|
const contentType = response.headers.get("content-type");
|
||||||
if (/application\/json/.test(contentType)) {
|
if (!contentType) {
|
||||||
return response.json().catch(() => response.text()).catch(() => "");
|
return response.text().catch(() => "");
|
||||||
}
|
}
|
||||||
if (!contentType || /^text\/|charset=utf-8$/.test(contentType)) {
|
const mimetype = (0,fast_content_type_parse/* safeParse */.xL)(contentType);
|
||||||
return response.text();
|
if (mimetype.type === "application/json") {
|
||||||
|
let text = "";
|
||||||
|
try {
|
||||||
|
text = await response.text();
|
||||||
|
return JSON.parse(text);
|
||||||
|
} catch (err) {
|
||||||
|
return text;
|
||||||
|
}
|
||||||
|
} else if (mimetype.type.startsWith("text/") || mimetype.parameters.charset?.toLowerCase() === "utf-8") {
|
||||||
|
return response.text().catch(() => "");
|
||||||
|
} else {
|
||||||
|
return response.arrayBuffer().catch(() => new ArrayBuffer(0));
|
||||||
}
|
}
|
||||||
return response.arrayBuffer();
|
|
||||||
}
|
}
|
||||||
function toErrorMessage(data) {
|
function toErrorMessage(data) {
|
||||||
if (typeof data === "string") {
|
if (typeof data === "string") {
|
||||||
@ -32680,8 +32868,7 @@ function graphql(request2, query, options) {
|
|||||||
);
|
);
|
||||||
}
|
}
|
||||||
for (const key in options) {
|
for (const key in options) {
|
||||||
if (!FORBIDDEN_VARIABLE_OPTIONS.includes(key))
|
if (!FORBIDDEN_VARIABLE_OPTIONS.includes(key)) continue;
|
||||||
continue;
|
|
||||||
return Promise.reject(
|
return Promise.reject(
|
||||||
new Error(
|
new Error(
|
||||||
`[@octokit/graphql] "${key}" cannot be used as variable name`
|
`[@octokit/graphql] "${key}" cannot be used as variable name`
|
||||||
@ -32804,7 +32991,7 @@ var createTokenAuth = function createTokenAuth2(token) {
|
|||||||
|
|
||||||
|
|
||||||
;// CONCATENATED MODULE: ./node_modules/@octokit/core/dist-src/version.js
|
;// CONCATENATED MODULE: ./node_modules/@octokit/core/dist-src/version.js
|
||||||
const version_VERSION = "6.1.2";
|
const version_VERSION = "6.1.3";
|
||||||
|
|
||||||
|
|
||||||
;// CONCATENATED MODULE: ./node_modules/@octokit/core/dist-src/index.js
|
;// CONCATENATED MODULE: ./node_modules/@octokit/core/dist-src/index.js
|
||||||
@ -33067,7 +33254,8 @@ var paginatingEndpoints = [
|
|||||||
"GET /assignments/{assignment_id}/accepted_assignments",
|
"GET /assignments/{assignment_id}/accepted_assignments",
|
||||||
"GET /classrooms",
|
"GET /classrooms",
|
||||||
"GET /classrooms/{classroom_id}/assignments",
|
"GET /classrooms/{classroom_id}/assignments",
|
||||||
"GET /enterprises/{enterprise}/copilot/usage",
|
"GET /enterprises/{enterprise}/code-security/configurations",
|
||||||
|
"GET /enterprises/{enterprise}/code-security/configurations/{configuration_id}/repositories",
|
||||||
"GET /enterprises/{enterprise}/dependabot/alerts",
|
"GET /enterprises/{enterprise}/dependabot/alerts",
|
||||||
"GET /enterprises/{enterprise}/secret-scanning/alerts",
|
"GET /enterprises/{enterprise}/secret-scanning/alerts",
|
||||||
"GET /events",
|
"GET /events",
|
||||||
@ -33089,17 +33277,24 @@ var paginatingEndpoints = [
|
|||||||
"GET /organizations",
|
"GET /organizations",
|
||||||
"GET /orgs/{org}/actions/cache/usage-by-repository",
|
"GET /orgs/{org}/actions/cache/usage-by-repository",
|
||||||
"GET /orgs/{org}/actions/permissions/repositories",
|
"GET /orgs/{org}/actions/permissions/repositories",
|
||||||
|
"GET /orgs/{org}/actions/runner-groups",
|
||||||
|
"GET /orgs/{org}/actions/runner-groups/{runner_group_id}/repositories",
|
||||||
|
"GET /orgs/{org}/actions/runner-groups/{runner_group_id}/runners",
|
||||||
"GET /orgs/{org}/actions/runners",
|
"GET /orgs/{org}/actions/runners",
|
||||||
"GET /orgs/{org}/actions/secrets",
|
"GET /orgs/{org}/actions/secrets",
|
||||||
"GET /orgs/{org}/actions/secrets/{secret_name}/repositories",
|
"GET /orgs/{org}/actions/secrets/{secret_name}/repositories",
|
||||||
"GET /orgs/{org}/actions/variables",
|
"GET /orgs/{org}/actions/variables",
|
||||||
"GET /orgs/{org}/actions/variables/{name}/repositories",
|
"GET /orgs/{org}/actions/variables/{name}/repositories",
|
||||||
|
"GET /orgs/{org}/attestations/{subject_digest}",
|
||||||
"GET /orgs/{org}/blocks",
|
"GET /orgs/{org}/blocks",
|
||||||
"GET /orgs/{org}/code-scanning/alerts",
|
"GET /orgs/{org}/code-scanning/alerts",
|
||||||
|
"GET /orgs/{org}/code-security/configurations",
|
||||||
|
"GET /orgs/{org}/code-security/configurations/{configuration_id}/repositories",
|
||||||
"GET /orgs/{org}/codespaces",
|
"GET /orgs/{org}/codespaces",
|
||||||
"GET /orgs/{org}/codespaces/secrets",
|
"GET /orgs/{org}/codespaces/secrets",
|
||||||
"GET /orgs/{org}/codespaces/secrets/{secret_name}/repositories",
|
"GET /orgs/{org}/codespaces/secrets/{secret_name}/repositories",
|
||||||
"GET /orgs/{org}/copilot/billing/seats",
|
"GET /orgs/{org}/copilot/billing/seats",
|
||||||
|
"GET /orgs/{org}/copilot/metrics",
|
||||||
"GET /orgs/{org}/copilot/usage",
|
"GET /orgs/{org}/copilot/usage",
|
||||||
"GET /orgs/{org}/dependabot/alerts",
|
"GET /orgs/{org}/dependabot/alerts",
|
||||||
"GET /orgs/{org}/dependabot/secrets",
|
"GET /orgs/{org}/dependabot/secrets",
|
||||||
@ -33108,6 +33303,9 @@ var paginatingEndpoints = [
|
|||||||
"GET /orgs/{org}/failed_invitations",
|
"GET /orgs/{org}/failed_invitations",
|
||||||
"GET /orgs/{org}/hooks",
|
"GET /orgs/{org}/hooks",
|
||||||
"GET /orgs/{org}/hooks/{hook_id}/deliveries",
|
"GET /orgs/{org}/hooks/{hook_id}/deliveries",
|
||||||
|
"GET /orgs/{org}/insights/api/route-stats/{actor_type}/{actor_id}",
|
||||||
|
"GET /orgs/{org}/insights/api/subject-stats",
|
||||||
|
"GET /orgs/{org}/insights/api/user-stats/{user_id}",
|
||||||
"GET /orgs/{org}/installations",
|
"GET /orgs/{org}/installations",
|
||||||
"GET /orgs/{org}/invitations",
|
"GET /orgs/{org}/invitations",
|
||||||
"GET /orgs/{org}/invitations/{invitation_id}/teams",
|
"GET /orgs/{org}/invitations/{invitation_id}/teams",
|
||||||
@ -33125,6 +33323,7 @@ var paginatingEndpoints = [
|
|||||||
"GET /orgs/{org}/personal-access-token-requests/{pat_request_id}/repositories",
|
"GET /orgs/{org}/personal-access-token-requests/{pat_request_id}/repositories",
|
||||||
"GET /orgs/{org}/personal-access-tokens",
|
"GET /orgs/{org}/personal-access-tokens",
|
||||||
"GET /orgs/{org}/personal-access-tokens/{pat_id}/repositories",
|
"GET /orgs/{org}/personal-access-tokens/{pat_id}/repositories",
|
||||||
|
"GET /orgs/{org}/private-registries",
|
||||||
"GET /orgs/{org}/projects",
|
"GET /orgs/{org}/projects",
|
||||||
"GET /orgs/{org}/properties/values",
|
"GET /orgs/{org}/properties/values",
|
||||||
"GET /orgs/{org}/public_members",
|
"GET /orgs/{org}/public_members",
|
||||||
@ -33133,6 +33332,7 @@ var paginatingEndpoints = [
|
|||||||
"GET /orgs/{org}/rulesets/rule-suites",
|
"GET /orgs/{org}/rulesets/rule-suites",
|
||||||
"GET /orgs/{org}/secret-scanning/alerts",
|
"GET /orgs/{org}/secret-scanning/alerts",
|
||||||
"GET /orgs/{org}/security-advisories",
|
"GET /orgs/{org}/security-advisories",
|
||||||
|
"GET /orgs/{org}/team/{team_slug}/copilot/metrics",
|
||||||
"GET /orgs/{org}/team/{team_slug}/copilot/usage",
|
"GET /orgs/{org}/team/{team_slug}/copilot/usage",
|
||||||
"GET /orgs/{org}/teams",
|
"GET /orgs/{org}/teams",
|
||||||
"GET /orgs/{org}/teams/{team_slug}/discussions",
|
"GET /orgs/{org}/teams/{team_slug}/discussions",
|
||||||
@ -33162,6 +33362,7 @@ var paginatingEndpoints = [
|
|||||||
"GET /repos/{owner}/{repo}/actions/workflows/{workflow_id}/runs",
|
"GET /repos/{owner}/{repo}/actions/workflows/{workflow_id}/runs",
|
||||||
"GET /repos/{owner}/{repo}/activity",
|
"GET /repos/{owner}/{repo}/activity",
|
||||||
"GET /repos/{owner}/{repo}/assignees",
|
"GET /repos/{owner}/{repo}/assignees",
|
||||||
|
"GET /repos/{owner}/{repo}/attestations/{subject_digest}",
|
||||||
"GET /repos/{owner}/{repo}/branches",
|
"GET /repos/{owner}/{repo}/branches",
|
||||||
"GET /repos/{owner}/{repo}/check-runs/{check_run_id}/annotations",
|
"GET /repos/{owner}/{repo}/check-runs/{check_run_id}/annotations",
|
||||||
"GET /repos/{owner}/{repo}/check-suites/{check_suite_id}/check-runs",
|
"GET /repos/{owner}/{repo}/check-suites/{check_suite_id}/check-runs",
|
||||||
@ -33204,6 +33405,7 @@ var paginatingEndpoints = [
|
|||||||
"GET /repos/{owner}/{repo}/issues/{issue_number}/events",
|
"GET /repos/{owner}/{repo}/issues/{issue_number}/events",
|
||||||
"GET /repos/{owner}/{repo}/issues/{issue_number}/labels",
|
"GET /repos/{owner}/{repo}/issues/{issue_number}/labels",
|
||||||
"GET /repos/{owner}/{repo}/issues/{issue_number}/reactions",
|
"GET /repos/{owner}/{repo}/issues/{issue_number}/reactions",
|
||||||
|
"GET /repos/{owner}/{repo}/issues/{issue_number}/sub_issues",
|
||||||
"GET /repos/{owner}/{repo}/issues/{issue_number}/timeline",
|
"GET /repos/{owner}/{repo}/issues/{issue_number}/timeline",
|
||||||
"GET /repos/{owner}/{repo}/keys",
|
"GET /repos/{owner}/{repo}/keys",
|
||||||
"GET /repos/{owner}/{repo}/labels",
|
"GET /repos/{owner}/{repo}/labels",
|
||||||
@ -33279,6 +33481,7 @@ var paginatingEndpoints = [
|
|||||||
"GET /user/subscriptions",
|
"GET /user/subscriptions",
|
||||||
"GET /user/teams",
|
"GET /user/teams",
|
||||||
"GET /users",
|
"GET /users",
|
||||||
|
"GET /users/{username}/attestations/{subject_digest}",
|
||||||
"GET /users/{username}/events",
|
"GET /users/{username}/events",
|
||||||
"GET /users/{username}/events/orgs/{org}",
|
"GET /users/{username}/events/orgs/{org}",
|
||||||
"GET /users/{username}/events/public",
|
"GET /users/{username}/events/public",
|
||||||
@ -33336,7 +33539,7 @@ __nccwpck_require__.d(__webpack_exports__, {
|
|||||||
});
|
});
|
||||||
|
|
||||||
;// CONCATENATED MODULE: ./node_modules/@octokit/plugin-rest-endpoint-methods/dist-src/version.js
|
;// CONCATENATED MODULE: ./node_modules/@octokit/plugin-rest-endpoint-methods/dist-src/version.js
|
||||||
const VERSION = "13.2.6";
|
const VERSION = "13.3.0";
|
||||||
|
|
||||||
//# sourceMappingURL=version.js.map
|
//# sourceMappingURL=version.js.map
|
||||||
|
|
||||||
@ -33349,6 +33552,9 @@ const Endpoints = {
|
|||||||
addCustomLabelsToSelfHostedRunnerForRepo: [
|
addCustomLabelsToSelfHostedRunnerForRepo: [
|
||||||
"POST /repos/{owner}/{repo}/actions/runners/{runner_id}/labels"
|
"POST /repos/{owner}/{repo}/actions/runners/{runner_id}/labels"
|
||||||
],
|
],
|
||||||
|
addRepoAccessToSelfHostedRunnerGroupInOrg: [
|
||||||
|
"PUT /orgs/{org}/actions/runner-groups/{runner_group_id}/repositories/{repository_id}"
|
||||||
|
],
|
||||||
addSelectedRepoToOrgSecret: [
|
addSelectedRepoToOrgSecret: [
|
||||||
"PUT /orgs/{org}/actions/secrets/{secret_name}/repositories/{repository_id}"
|
"PUT /orgs/{org}/actions/secrets/{secret_name}/repositories/{repository_id}"
|
||||||
],
|
],
|
||||||
@ -33777,6 +33983,9 @@ const Endpoints = {
|
|||||||
getGithubActionsBillingUser: [
|
getGithubActionsBillingUser: [
|
||||||
"GET /users/{username}/settings/billing/actions"
|
"GET /users/{username}/settings/billing/actions"
|
||||||
],
|
],
|
||||||
|
getGithubBillingUsageReportOrg: [
|
||||||
|
"GET /organizations/{org}/settings/billing/usage"
|
||||||
|
],
|
||||||
getGithubPackagesBillingOrg: ["GET /orgs/{org}/settings/billing/packages"],
|
getGithubPackagesBillingOrg: ["GET /orgs/{org}/settings/billing/packages"],
|
||||||
getGithubPackagesBillingUser: [
|
getGithubPackagesBillingUser: [
|
||||||
"GET /users/{username}/settings/billing/packages"
|
"GET /users/{username}/settings/billing/packages"
|
||||||
@ -33813,9 +34022,21 @@ const Endpoints = {
|
|||||||
update: ["PATCH /repos/{owner}/{repo}/check-runs/{check_run_id}"]
|
update: ["PATCH /repos/{owner}/{repo}/check-runs/{check_run_id}"]
|
||||||
},
|
},
|
||||||
codeScanning: {
|
codeScanning: {
|
||||||
|
commitAutofix: [
|
||||||
|
"POST /repos/{owner}/{repo}/code-scanning/alerts/{alert_number}/autofix/commits"
|
||||||
|
],
|
||||||
|
createAutofix: [
|
||||||
|
"POST /repos/{owner}/{repo}/code-scanning/alerts/{alert_number}/autofix"
|
||||||
|
],
|
||||||
|
createVariantAnalysis: [
|
||||||
|
"POST /repos/{owner}/{repo}/code-scanning/codeql/variant-analyses"
|
||||||
|
],
|
||||||
deleteAnalysis: [
|
deleteAnalysis: [
|
||||||
"DELETE /repos/{owner}/{repo}/code-scanning/analyses/{analysis_id}{?confirm_delete}"
|
"DELETE /repos/{owner}/{repo}/code-scanning/analyses/{analysis_id}{?confirm_delete}"
|
||||||
],
|
],
|
||||||
|
deleteCodeqlDatabase: [
|
||||||
|
"DELETE /repos/{owner}/{repo}/code-scanning/codeql/databases/{language}"
|
||||||
|
],
|
||||||
getAlert: [
|
getAlert: [
|
||||||
"GET /repos/{owner}/{repo}/code-scanning/alerts/{alert_number}",
|
"GET /repos/{owner}/{repo}/code-scanning/alerts/{alert_number}",
|
||||||
{},
|
{},
|
||||||
@ -33824,11 +34045,20 @@ const Endpoints = {
|
|||||||
getAnalysis: [
|
getAnalysis: [
|
||||||
"GET /repos/{owner}/{repo}/code-scanning/analyses/{analysis_id}"
|
"GET /repos/{owner}/{repo}/code-scanning/analyses/{analysis_id}"
|
||||||
],
|
],
|
||||||
|
getAutofix: [
|
||||||
|
"GET /repos/{owner}/{repo}/code-scanning/alerts/{alert_number}/autofix"
|
||||||
|
],
|
||||||
getCodeqlDatabase: [
|
getCodeqlDatabase: [
|
||||||
"GET /repos/{owner}/{repo}/code-scanning/codeql/databases/{language}"
|
"GET /repos/{owner}/{repo}/code-scanning/codeql/databases/{language}"
|
||||||
],
|
],
|
||||||
getDefaultSetup: ["GET /repos/{owner}/{repo}/code-scanning/default-setup"],
|
getDefaultSetup: ["GET /repos/{owner}/{repo}/code-scanning/default-setup"],
|
||||||
getSarif: ["GET /repos/{owner}/{repo}/code-scanning/sarifs/{sarif_id}"],
|
getSarif: ["GET /repos/{owner}/{repo}/code-scanning/sarifs/{sarif_id}"],
|
||||||
|
getVariantAnalysis: [
|
||||||
|
"GET /repos/{owner}/{repo}/code-scanning/codeql/variant-analyses/{codeql_variant_analysis_id}"
|
||||||
|
],
|
||||||
|
getVariantAnalysisRepoTask: [
|
||||||
|
"GET /repos/{owner}/{repo}/code-scanning/codeql/variant-analyses/{codeql_variant_analysis_id}/repos/{repo_owner}/{repo_name}"
|
||||||
|
],
|
||||||
listAlertInstances: [
|
listAlertInstances: [
|
||||||
"GET /repos/{owner}/{repo}/code-scanning/alerts/{alert_number}/instances"
|
"GET /repos/{owner}/{repo}/code-scanning/alerts/{alert_number}/instances"
|
||||||
],
|
],
|
||||||
@ -33851,6 +34081,64 @@ const Endpoints = {
|
|||||||
],
|
],
|
||||||
uploadSarif: ["POST /repos/{owner}/{repo}/code-scanning/sarifs"]
|
uploadSarif: ["POST /repos/{owner}/{repo}/code-scanning/sarifs"]
|
||||||
},
|
},
|
||||||
|
codeSecurity: {
|
||||||
|
attachConfiguration: [
|
||||||
|
"POST /orgs/{org}/code-security/configurations/{configuration_id}/attach"
|
||||||
|
],
|
||||||
|
attachEnterpriseConfiguration: [
|
||||||
|
"POST /enterprises/{enterprise}/code-security/configurations/{configuration_id}/attach"
|
||||||
|
],
|
||||||
|
createConfiguration: ["POST /orgs/{org}/code-security/configurations"],
|
||||||
|
createConfigurationForEnterprise: [
|
||||||
|
"POST /enterprises/{enterprise}/code-security/configurations"
|
||||||
|
],
|
||||||
|
deleteConfiguration: [
|
||||||
|
"DELETE /orgs/{org}/code-security/configurations/{configuration_id}"
|
||||||
|
],
|
||||||
|
deleteConfigurationForEnterprise: [
|
||||||
|
"DELETE /enterprises/{enterprise}/code-security/configurations/{configuration_id}"
|
||||||
|
],
|
||||||
|
detachConfiguration: [
|
||||||
|
"DELETE /orgs/{org}/code-security/configurations/detach"
|
||||||
|
],
|
||||||
|
getConfiguration: [
|
||||||
|
"GET /orgs/{org}/code-security/configurations/{configuration_id}"
|
||||||
|
],
|
||||||
|
getConfigurationForRepository: [
|
||||||
|
"GET /repos/{owner}/{repo}/code-security-configuration"
|
||||||
|
],
|
||||||
|
getConfigurationsForEnterprise: [
|
||||||
|
"GET /enterprises/{enterprise}/code-security/configurations"
|
||||||
|
],
|
||||||
|
getConfigurationsForOrg: ["GET /orgs/{org}/code-security/configurations"],
|
||||||
|
getDefaultConfigurations: [
|
||||||
|
"GET /orgs/{org}/code-security/configurations/defaults"
|
||||||
|
],
|
||||||
|
getDefaultConfigurationsForEnterprise: [
|
||||||
|
"GET /enterprises/{enterprise}/code-security/configurations/defaults"
|
||||||
|
],
|
||||||
|
getRepositoriesForConfiguration: [
|
||||||
|
"GET /orgs/{org}/code-security/configurations/{configuration_id}/repositories"
|
||||||
|
],
|
||||||
|
getRepositoriesForEnterpriseConfiguration: [
|
||||||
|
"GET /enterprises/{enterprise}/code-security/configurations/{configuration_id}/repositories"
|
||||||
|
],
|
||||||
|
getSingleConfigurationForEnterprise: [
|
||||||
|
"GET /enterprises/{enterprise}/code-security/configurations/{configuration_id}"
|
||||||
|
],
|
||||||
|
setConfigurationAsDefault: [
|
||||||
|
"PUT /orgs/{org}/code-security/configurations/{configuration_id}/defaults"
|
||||||
|
],
|
||||||
|
setConfigurationAsDefaultForEnterprise: [
|
||||||
|
"PUT /enterprises/{enterprise}/code-security/configurations/{configuration_id}/defaults"
|
||||||
|
],
|
||||||
|
updateConfiguration: [
|
||||||
|
"PATCH /orgs/{org}/code-security/configurations/{configuration_id}"
|
||||||
|
],
|
||||||
|
updateEnterpriseConfiguration: [
|
||||||
|
"PATCH /enterprises/{enterprise}/code-security/configurations/{configuration_id}"
|
||||||
|
]
|
||||||
|
},
|
||||||
codesOfConduct: {
|
codesOfConduct: {
|
||||||
getAllCodesOfConduct: ["GET /codes_of_conduct"],
|
getAllCodesOfConduct: ["GET /codes_of_conduct"],
|
||||||
getConductCode: ["GET /codes_of_conduct/{key}"]
|
getConductCode: ["GET /codes_of_conduct/{key}"]
|
||||||
@ -33981,12 +34269,13 @@ const Endpoints = {
|
|||||||
cancelCopilotSeatAssignmentForUsers: [
|
cancelCopilotSeatAssignmentForUsers: [
|
||||||
"DELETE /orgs/{org}/copilot/billing/selected_users"
|
"DELETE /orgs/{org}/copilot/billing/selected_users"
|
||||||
],
|
],
|
||||||
|
copilotMetricsForOrganization: ["GET /orgs/{org}/copilot/metrics"],
|
||||||
|
copilotMetricsForTeam: ["GET /orgs/{org}/team/{team_slug}/copilot/metrics"],
|
||||||
getCopilotOrganizationDetails: ["GET /orgs/{org}/copilot/billing"],
|
getCopilotOrganizationDetails: ["GET /orgs/{org}/copilot/billing"],
|
||||||
getCopilotSeatDetailsForUser: [
|
getCopilotSeatDetailsForUser: [
|
||||||
"GET /orgs/{org}/members/{username}/copilot"
|
"GET /orgs/{org}/members/{username}/copilot"
|
||||||
],
|
],
|
||||||
listCopilotSeats: ["GET /orgs/{org}/copilot/billing/seats"],
|
listCopilotSeats: ["GET /orgs/{org}/copilot/billing/seats"],
|
||||||
usageMetricsForEnterprise: ["GET /enterprises/{enterprise}/copilot/usage"],
|
|
||||||
usageMetricsForOrg: ["GET /orgs/{org}/copilot/usage"],
|
usageMetricsForOrg: ["GET /orgs/{org}/copilot/usage"],
|
||||||
usageMetricsForTeam: ["GET /orgs/{org}/team/{team_slug}/copilot/usage"]
|
usageMetricsForTeam: ["GET /orgs/{org}/team/{team_slug}/copilot/usage"]
|
||||||
},
|
},
|
||||||
@ -34117,6 +34406,9 @@ const Endpoints = {
|
|||||||
"POST /repos/{owner}/{repo}/issues/{issue_number}/assignees"
|
"POST /repos/{owner}/{repo}/issues/{issue_number}/assignees"
|
||||||
],
|
],
|
||||||
addLabels: ["POST /repos/{owner}/{repo}/issues/{issue_number}/labels"],
|
addLabels: ["POST /repos/{owner}/{repo}/issues/{issue_number}/labels"],
|
||||||
|
addSubIssue: [
|
||||||
|
"POST /repos/{owner}/{repo}/issues/{issue_number}/sub_issues"
|
||||||
|
],
|
||||||
checkUserCanBeAssigned: ["GET /repos/{owner}/{repo}/assignees/{assignee}"],
|
checkUserCanBeAssigned: ["GET /repos/{owner}/{repo}/assignees/{assignee}"],
|
||||||
checkUserCanBeAssignedToIssue: [
|
checkUserCanBeAssignedToIssue: [
|
||||||
"GET /repos/{owner}/{repo}/issues/{issue_number}/assignees/{assignee}"
|
"GET /repos/{owner}/{repo}/issues/{issue_number}/assignees/{assignee}"
|
||||||
@ -34159,6 +34451,9 @@ const Endpoints = {
|
|||||||
"GET /repos/{owner}/{repo}/issues/{issue_number}/labels"
|
"GET /repos/{owner}/{repo}/issues/{issue_number}/labels"
|
||||||
],
|
],
|
||||||
listMilestones: ["GET /repos/{owner}/{repo}/milestones"],
|
listMilestones: ["GET /repos/{owner}/{repo}/milestones"],
|
||||||
|
listSubIssues: [
|
||||||
|
"GET /repos/{owner}/{repo}/issues/{issue_number}/sub_issues"
|
||||||
|
],
|
||||||
lock: ["PUT /repos/{owner}/{repo}/issues/{issue_number}/lock"],
|
lock: ["PUT /repos/{owner}/{repo}/issues/{issue_number}/lock"],
|
||||||
removeAllLabels: [
|
removeAllLabels: [
|
||||||
"DELETE /repos/{owner}/{repo}/issues/{issue_number}/labels"
|
"DELETE /repos/{owner}/{repo}/issues/{issue_number}/labels"
|
||||||
@ -34169,6 +34464,12 @@ const Endpoints = {
|
|||||||
removeLabel: [
|
removeLabel: [
|
||||||
"DELETE /repos/{owner}/{repo}/issues/{issue_number}/labels/{name}"
|
"DELETE /repos/{owner}/{repo}/issues/{issue_number}/labels/{name}"
|
||||||
],
|
],
|
||||||
|
removeSubIssue: [
|
||||||
|
"DELETE /repos/{owner}/{repo}/issues/{issue_number}/sub_issue"
|
||||||
|
],
|
||||||
|
reprioritizeSubIssue: [
|
||||||
|
"PATCH /repos/{owner}/{repo}/issues/{issue_number}/sub_issues/priority"
|
||||||
|
],
|
||||||
setLabels: ["PUT /repos/{owner}/{repo}/issues/{issue_number}/labels"],
|
setLabels: ["PUT /repos/{owner}/{repo}/issues/{issue_number}/labels"],
|
||||||
unlock: ["DELETE /repos/{owner}/{repo}/issues/{issue_number}/lock"],
|
unlock: ["DELETE /repos/{owner}/{repo}/issues/{issue_number}/lock"],
|
||||||
update: ["PATCH /repos/{owner}/{repo}/issues/{issue_number}"],
|
update: ["PATCH /repos/{owner}/{repo}/issues/{issue_number}"],
|
||||||
@ -34242,7 +34543,11 @@ const Endpoints = {
|
|||||||
},
|
},
|
||||||
orgs: {
|
orgs: {
|
||||||
addSecurityManagerTeam: [
|
addSecurityManagerTeam: [
|
||||||
"PUT /orgs/{org}/security-managers/teams/{team_slug}"
|
"PUT /orgs/{org}/security-managers/teams/{team_slug}",
|
||||||
|
{},
|
||||||
|
{
|
||||||
|
deprecated: "octokit.rest.orgs.addSecurityManagerTeam() is deprecated, see https://docs.github.com/rest/orgs/security-managers#add-a-security-manager-team"
|
||||||
|
}
|
||||||
],
|
],
|
||||||
assignTeamToOrgRole: [
|
assignTeamToOrgRole: [
|
||||||
"PUT /orgs/{org}/organization-roles/teams/{team_slug}/{role_id}"
|
"PUT /orgs/{org}/organization-roles/teams/{team_slug}/{role_id}"
|
||||||
@ -34258,7 +34563,6 @@ const Endpoints = {
|
|||||||
convertMemberToOutsideCollaborator: [
|
convertMemberToOutsideCollaborator: [
|
||||||
"PUT /orgs/{org}/outside_collaborators/{username}"
|
"PUT /orgs/{org}/outside_collaborators/{username}"
|
||||||
],
|
],
|
||||||
createCustomOrganizationRole: ["POST /orgs/{org}/organization-roles"],
|
|
||||||
createInvitation: ["POST /orgs/{org}/invitations"],
|
createInvitation: ["POST /orgs/{org}/invitations"],
|
||||||
createOrUpdateCustomProperties: ["PATCH /orgs/{org}/properties/schema"],
|
createOrUpdateCustomProperties: ["PATCH /orgs/{org}/properties/schema"],
|
||||||
createOrUpdateCustomPropertiesValuesForRepos: [
|
createOrUpdateCustomPropertiesValuesForRepos: [
|
||||||
@ -34269,12 +34573,13 @@ const Endpoints = {
|
|||||||
],
|
],
|
||||||
createWebhook: ["POST /orgs/{org}/hooks"],
|
createWebhook: ["POST /orgs/{org}/hooks"],
|
||||||
delete: ["DELETE /orgs/{org}"],
|
delete: ["DELETE /orgs/{org}"],
|
||||||
deleteCustomOrganizationRole: [
|
|
||||||
"DELETE /orgs/{org}/organization-roles/{role_id}"
|
|
||||||
],
|
|
||||||
deleteWebhook: ["DELETE /orgs/{org}/hooks/{hook_id}"],
|
deleteWebhook: ["DELETE /orgs/{org}/hooks/{hook_id}"],
|
||||||
enableOrDisableSecurityProductOnAllOrgRepos: [
|
enableOrDisableSecurityProductOnAllOrgRepos: [
|
||||||
"POST /orgs/{org}/{security_product}/{enablement}"
|
"POST /orgs/{org}/{security_product}/{enablement}",
|
||||||
|
{},
|
||||||
|
{
|
||||||
|
deprecated: "octokit.rest.orgs.enableOrDisableSecurityProductOnAllOrgRepos() is deprecated, see https://docs.github.com/rest/orgs/orgs#enable-or-disable-a-security-feature-for-an-organization"
|
||||||
|
}
|
||||||
],
|
],
|
||||||
get: ["GET /orgs/{org}"],
|
get: ["GET /orgs/{org}"],
|
||||||
getAllCustomProperties: ["GET /orgs/{org}/properties/schema"],
|
getAllCustomProperties: ["GET /orgs/{org}/properties/schema"],
|
||||||
@ -34291,6 +34596,7 @@ const Endpoints = {
|
|||||||
],
|
],
|
||||||
list: ["GET /organizations"],
|
list: ["GET /organizations"],
|
||||||
listAppInstallations: ["GET /orgs/{org}/installations"],
|
listAppInstallations: ["GET /orgs/{org}/installations"],
|
||||||
|
listAttestations: ["GET /orgs/{org}/attestations/{subject_digest}"],
|
||||||
listBlockedUsers: ["GET /orgs/{org}/blocks"],
|
listBlockedUsers: ["GET /orgs/{org}/blocks"],
|
||||||
listCustomPropertiesValuesForRepos: ["GET /orgs/{org}/properties/values"],
|
listCustomPropertiesValuesForRepos: ["GET /orgs/{org}/properties/values"],
|
||||||
listFailedInvitations: ["GET /orgs/{org}/failed_invitations"],
|
listFailedInvitations: ["GET /orgs/{org}/failed_invitations"],
|
||||||
@ -34316,12 +34622,15 @@ const Endpoints = {
|
|||||||
listPatGrants: ["GET /orgs/{org}/personal-access-tokens"],
|
listPatGrants: ["GET /orgs/{org}/personal-access-tokens"],
|
||||||
listPendingInvitations: ["GET /orgs/{org}/invitations"],
|
listPendingInvitations: ["GET /orgs/{org}/invitations"],
|
||||||
listPublicMembers: ["GET /orgs/{org}/public_members"],
|
listPublicMembers: ["GET /orgs/{org}/public_members"],
|
||||||
listSecurityManagerTeams: ["GET /orgs/{org}/security-managers"],
|
listSecurityManagerTeams: [
|
||||||
|
"GET /orgs/{org}/security-managers",
|
||||||
|
{},
|
||||||
|
{
|
||||||
|
deprecated: "octokit.rest.orgs.listSecurityManagerTeams() is deprecated, see https://docs.github.com/rest/orgs/security-managers#list-security-manager-teams"
|
||||||
|
}
|
||||||
|
],
|
||||||
listWebhookDeliveries: ["GET /orgs/{org}/hooks/{hook_id}/deliveries"],
|
listWebhookDeliveries: ["GET /orgs/{org}/hooks/{hook_id}/deliveries"],
|
||||||
listWebhooks: ["GET /orgs/{org}/hooks"],
|
listWebhooks: ["GET /orgs/{org}/hooks"],
|
||||||
patchCustomOrganizationRole: [
|
|
||||||
"PATCH /orgs/{org}/organization-roles/{role_id}"
|
|
||||||
],
|
|
||||||
pingWebhook: ["POST /orgs/{org}/hooks/{hook_id}/pings"],
|
pingWebhook: ["POST /orgs/{org}/hooks/{hook_id}/pings"],
|
||||||
redeliverWebhookDelivery: [
|
redeliverWebhookDelivery: [
|
||||||
"POST /orgs/{org}/hooks/{hook_id}/deliveries/{delivery_id}/attempts"
|
"POST /orgs/{org}/hooks/{hook_id}/deliveries/{delivery_id}/attempts"
|
||||||
@ -34338,7 +34647,11 @@ const Endpoints = {
|
|||||||
"DELETE /orgs/{org}/public_members/{username}"
|
"DELETE /orgs/{org}/public_members/{username}"
|
||||||
],
|
],
|
||||||
removeSecurityManagerTeam: [
|
removeSecurityManagerTeam: [
|
||||||
"DELETE /orgs/{org}/security-managers/teams/{team_slug}"
|
"DELETE /orgs/{org}/security-managers/teams/{team_slug}",
|
||||||
|
{},
|
||||||
|
{
|
||||||
|
deprecated: "octokit.rest.orgs.removeSecurityManagerTeam() is deprecated, see https://docs.github.com/rest/orgs/security-managers#remove-a-security-manager-team"
|
||||||
|
}
|
||||||
],
|
],
|
||||||
reviewPatGrantRequest: [
|
reviewPatGrantRequest: [
|
||||||
"POST /orgs/{org}/personal-access-token-requests/{pat_request_id}"
|
"POST /orgs/{org}/personal-access-token-requests/{pat_request_id}"
|
||||||
@ -34464,6 +34777,18 @@ const Endpoints = {
|
|||||||
"POST /users/{username}/packages/{package_type}/{package_name}/versions/{package_version_id}/restore"
|
"POST /users/{username}/packages/{package_type}/{package_name}/versions/{package_version_id}/restore"
|
||||||
]
|
]
|
||||||
},
|
},
|
||||||
|
privateRegistries: {
|
||||||
|
createOrgPrivateRegistry: ["POST /orgs/{org}/private-registries"],
|
||||||
|
deleteOrgPrivateRegistry: [
|
||||||
|
"DELETE /orgs/{org}/private-registries/{secret_name}"
|
||||||
|
],
|
||||||
|
getOrgPrivateRegistry: ["GET /orgs/{org}/private-registries/{secret_name}"],
|
||||||
|
getOrgPublicKey: ["GET /orgs/{org}/private-registries/public-key"],
|
||||||
|
listOrgPrivateRegistries: ["GET /orgs/{org}/private-registries"],
|
||||||
|
updateOrgPrivateRegistry: [
|
||||||
|
"PATCH /orgs/{org}/private-registries/{secret_name}"
|
||||||
|
]
|
||||||
|
},
|
||||||
projects: {
|
projects: {
|
||||||
addCollaborator: ["PUT /projects/{project_id}/collaborators/{username}"],
|
addCollaborator: ["PUT /projects/{project_id}/collaborators/{username}"],
|
||||||
createCard: ["POST /projects/columns/{column_id}/cards"],
|
createCard: ["POST /projects/columns/{column_id}/cards"],
|
||||||
@ -34666,6 +34991,7 @@ const Endpoints = {
|
|||||||
compareCommitsWithBasehead: [
|
compareCommitsWithBasehead: [
|
||||||
"GET /repos/{owner}/{repo}/compare/{basehead}"
|
"GET /repos/{owner}/{repo}/compare/{basehead}"
|
||||||
],
|
],
|
||||||
|
createAttestation: ["POST /repos/{owner}/{repo}/attestations"],
|
||||||
createAutolink: ["POST /repos/{owner}/{repo}/autolinks"],
|
createAutolink: ["POST /repos/{owner}/{repo}/autolinks"],
|
||||||
createCommitComment: [
|
createCommitComment: [
|
||||||
"POST /repos/{owner}/{repo}/commits/{commit_sha}/comments"
|
"POST /repos/{owner}/{repo}/commits/{commit_sha}/comments"
|
||||||
@ -34701,7 +35027,6 @@ const Endpoints = {
|
|||||||
createPagesSite: ["POST /repos/{owner}/{repo}/pages"],
|
createPagesSite: ["POST /repos/{owner}/{repo}/pages"],
|
||||||
createRelease: ["POST /repos/{owner}/{repo}/releases"],
|
createRelease: ["POST /repos/{owner}/{repo}/releases"],
|
||||||
createRepoRuleset: ["POST /repos/{owner}/{repo}/rulesets"],
|
createRepoRuleset: ["POST /repos/{owner}/{repo}/rulesets"],
|
||||||
createTagProtection: ["POST /repos/{owner}/{repo}/tags/protection"],
|
|
||||||
createUsingTemplate: [
|
createUsingTemplate: [
|
||||||
"POST /repos/{template_owner}/{template_repo}/generate"
|
"POST /repos/{template_owner}/{template_repo}/generate"
|
||||||
],
|
],
|
||||||
@ -34753,9 +35078,6 @@ const Endpoints = {
|
|||||||
"DELETE /repos/{owner}/{repo}/releases/assets/{asset_id}"
|
"DELETE /repos/{owner}/{repo}/releases/assets/{asset_id}"
|
||||||
],
|
],
|
||||||
deleteRepoRuleset: ["DELETE /repos/{owner}/{repo}/rulesets/{ruleset_id}"],
|
deleteRepoRuleset: ["DELETE /repos/{owner}/{repo}/rulesets/{ruleset_id}"],
|
||||||
deleteTagProtection: [
|
|
||||||
"DELETE /repos/{owner}/{repo}/tags/protection/{tag_protection_id}"
|
|
||||||
],
|
|
||||||
deleteWebhook: ["DELETE /repos/{owner}/{repo}/hooks/{hook_id}"],
|
deleteWebhook: ["DELETE /repos/{owner}/{repo}/hooks/{hook_id}"],
|
||||||
disableAutomatedSecurityFixes: [
|
disableAutomatedSecurityFixes: [
|
||||||
"DELETE /repos/{owner}/{repo}/automated-security-fixes"
|
"DELETE /repos/{owner}/{repo}/automated-security-fixes"
|
||||||
@ -34890,6 +35212,9 @@ const Endpoints = {
|
|||||||
"GET /repos/{owner}/{repo}/hooks/{hook_id}/deliveries/{delivery_id}"
|
"GET /repos/{owner}/{repo}/hooks/{hook_id}/deliveries/{delivery_id}"
|
||||||
],
|
],
|
||||||
listActivities: ["GET /repos/{owner}/{repo}/activity"],
|
listActivities: ["GET /repos/{owner}/{repo}/activity"],
|
||||||
|
listAttestations: [
|
||||||
|
"GET /repos/{owner}/{repo}/attestations/{subject_digest}"
|
||||||
|
],
|
||||||
listAutolinks: ["GET /repos/{owner}/{repo}/autolinks"],
|
listAutolinks: ["GET /repos/{owner}/{repo}/autolinks"],
|
||||||
listBranches: ["GET /repos/{owner}/{repo}/branches"],
|
listBranches: ["GET /repos/{owner}/{repo}/branches"],
|
||||||
listBranchesForHeadCommit: [
|
listBranchesForHeadCommit: [
|
||||||
@ -34932,7 +35257,6 @@ const Endpoints = {
|
|||||||
"GET /repos/{owner}/{repo}/releases/{release_id}/assets"
|
"GET /repos/{owner}/{repo}/releases/{release_id}/assets"
|
||||||
],
|
],
|
||||||
listReleases: ["GET /repos/{owner}/{repo}/releases"],
|
listReleases: ["GET /repos/{owner}/{repo}/releases"],
|
||||||
listTagProtection: ["GET /repos/{owner}/{repo}/tags/protection"],
|
|
||||||
listTags: ["GET /repos/{owner}/{repo}/tags"],
|
listTags: ["GET /repos/{owner}/{repo}/tags"],
|
||||||
listTeams: ["GET /repos/{owner}/{repo}/teams"],
|
listTeams: ["GET /repos/{owner}/{repo}/teams"],
|
||||||
listWebhookDeliveries: [
|
listWebhookDeliveries: [
|
||||||
@ -35047,9 +35371,13 @@ const Endpoints = {
|
|||||||
users: ["GET /search/users"]
|
users: ["GET /search/users"]
|
||||||
},
|
},
|
||||||
secretScanning: {
|
secretScanning: {
|
||||||
|
createPushProtectionBypass: [
|
||||||
|
"POST /repos/{owner}/{repo}/secret-scanning/push-protection-bypasses"
|
||||||
|
],
|
||||||
getAlert: [
|
getAlert: [
|
||||||
"GET /repos/{owner}/{repo}/secret-scanning/alerts/{alert_number}"
|
"GET /repos/{owner}/{repo}/secret-scanning/alerts/{alert_number}"
|
||||||
],
|
],
|
||||||
|
getScanHistory: ["GET /repos/{owner}/{repo}/secret-scanning/scan-history"],
|
||||||
listAlertsForEnterprise: [
|
listAlertsForEnterprise: [
|
||||||
"GET /enterprises/{enterprise}/secret-scanning/alerts"
|
"GET /enterprises/{enterprise}/secret-scanning/alerts"
|
||||||
],
|
],
|
||||||
@ -35203,6 +35531,7 @@ const Endpoints = {
|
|||||||
],
|
],
|
||||||
follow: ["PUT /user/following/{username}"],
|
follow: ["PUT /user/following/{username}"],
|
||||||
getAuthenticated: ["GET /user"],
|
getAuthenticated: ["GET /user"],
|
||||||
|
getById: ["GET /user/{account_id}"],
|
||||||
getByUsername: ["GET /users/{username}"],
|
getByUsername: ["GET /users/{username}"],
|
||||||
getContextForUser: ["GET /users/{username}/hovercard"],
|
getContextForUser: ["GET /users/{username}/hovercard"],
|
||||||
getGpgKeyForAuthenticated: [
|
getGpgKeyForAuthenticated: [
|
||||||
@ -35221,6 +35550,7 @@ const Endpoints = {
|
|||||||
"GET /user/ssh_signing_keys/{ssh_signing_key_id}"
|
"GET /user/ssh_signing_keys/{ssh_signing_key_id}"
|
||||||
],
|
],
|
||||||
list: ["GET /users"],
|
list: ["GET /users"],
|
||||||
|
listAttestations: ["GET /users/{username}/attestations/{subject_digest}"],
|
||||||
listBlockedByAuthenticated: [
|
listBlockedByAuthenticated: [
|
||||||
"GET /user/blocks",
|
"GET /user/blocks",
|
||||||
{},
|
{},
|
||||||
@ -35496,6 +35826,8 @@ var triggers_notification_paths_default = [
|
|||||||
"/repos/{owner}/{repo}/commits/{commit_sha}/comments",
|
"/repos/{owner}/{repo}/commits/{commit_sha}/comments",
|
||||||
"/repos/{owner}/{repo}/issues",
|
"/repos/{owner}/{repo}/issues",
|
||||||
"/repos/{owner}/{repo}/issues/{issue_number}/comments",
|
"/repos/{owner}/{repo}/issues/{issue_number}/comments",
|
||||||
|
"/repos/{owner}/{repo}/issues/{issue_number}/sub_issue",
|
||||||
|
"/repos/{owner}/{repo}/issues/{issue_number}/sub_issues/priority",
|
||||||
"/repos/{owner}/{repo}/pulls",
|
"/repos/{owner}/{repo}/pulls",
|
||||||
"/repos/{owner}/{repo}/pulls/{pull_number}/comments",
|
"/repos/{owner}/{repo}/pulls/{pull_number}/comments",
|
||||||
"/repos/{owner}/{repo}/pulls/{pull_number}/comments/{comment_id}/replies",
|
"/repos/{owner}/{repo}/pulls/{pull_number}/comments/{comment_id}/replies",
|
||||||
|
133
package-lock.json
generated
133
package-lock.json
generated
@ -11,17 +11,17 @@
|
|||||||
"dependencies": {
|
"dependencies": {
|
||||||
"@actions/core": "^1.11.1",
|
"@actions/core": "^1.11.1",
|
||||||
"@actions/exec": "^1.1.1",
|
"@actions/exec": "^1.1.1",
|
||||||
"@octokit/core": "^6.1.2",
|
"@octokit/core": "^6.1.3",
|
||||||
"@octokit/plugin-paginate-rest": "^11.3.6",
|
"@octokit/plugin-paginate-rest": "^11.4.0",
|
||||||
"@octokit/plugin-rest-endpoint-methods": "^13.2.6",
|
"@octokit/plugin-rest-endpoint-methods": "^13.3.0",
|
||||||
"@octokit/plugin-throttling": "^9.3.2",
|
"@octokit/plugin-throttling": "^9.4.0",
|
||||||
"node-fetch-native": "^1.6.4",
|
"node-fetch-native": "^1.6.4",
|
||||||
"p-limit": "^6.2.0",
|
"p-limit": "^6.2.0",
|
||||||
"uuid": "^9.0.1"
|
"uuid": "^9.0.1"
|
||||||
},
|
},
|
||||||
"devDependencies": {
|
"devDependencies": {
|
||||||
"@types/jest": "^29.5.14",
|
"@types/jest": "^29.5.14",
|
||||||
"@types/node": "^18.19.68",
|
"@types/node": "^18.19.70",
|
||||||
"@typescript-eslint/eslint-plugin": "^7.18.0",
|
"@typescript-eslint/eslint-plugin": "^7.18.0",
|
||||||
"@typescript-eslint/parser": "^7.18.0",
|
"@typescript-eslint/parser": "^7.18.0",
|
||||||
"@vercel/ncc": "^0.38.3",
|
"@vercel/ncc": "^0.38.3",
|
||||||
@ -37,7 +37,7 @@
|
|||||||
"js-yaml": "^4.1.0",
|
"js-yaml": "^4.1.0",
|
||||||
"prettier": "^3.4.2",
|
"prettier": "^3.4.2",
|
||||||
"ts-jest": "^29.2.5",
|
"ts-jest": "^29.2.5",
|
||||||
"typescript": "^5.7.2",
|
"typescript": "^5.7.3",
|
||||||
"undici": "^6.21.0"
|
"undici": "^6.21.0"
|
||||||
}
|
}
|
||||||
},
|
},
|
||||||
@ -1271,15 +1271,15 @@
|
|||||||
}
|
}
|
||||||
},
|
},
|
||||||
"node_modules/@octokit/core": {
|
"node_modules/@octokit/core": {
|
||||||
"version": "6.1.2",
|
"version": "6.1.3",
|
||||||
"resolved": "https://registry.npmjs.org/@octokit/core/-/core-6.1.2.tgz",
|
"resolved": "https://registry.npmjs.org/@octokit/core/-/core-6.1.3.tgz",
|
||||||
"integrity": "sha512-hEb7Ma4cGJGEUNOAVmyfdB/3WirWMg5hDuNFVejGEDFqupeOysLc2sG6HJxY2etBp5YQu5Wtxwi020jS9xlUwg==",
|
"integrity": "sha512-z+j7DixNnfpdToYsOutStDgeRzJSMnbj8T1C/oQjB6Aa+kRfNjs/Fn7W6c8bmlt6mfy3FkgeKBRnDjxQow5dow==",
|
||||||
"dependencies": {
|
"dependencies": {
|
||||||
"@octokit/auth-token": "^5.0.0",
|
"@octokit/auth-token": "^5.0.0",
|
||||||
"@octokit/graphql": "^8.0.0",
|
"@octokit/graphql": "^8.1.2",
|
||||||
"@octokit/request": "^9.0.0",
|
"@octokit/request": "^9.1.4",
|
||||||
"@octokit/request-error": "^6.0.1",
|
"@octokit/request-error": "^6.1.6",
|
||||||
"@octokit/types": "^13.0.0",
|
"@octokit/types": "^13.6.2",
|
||||||
"before-after-hook": "^3.0.2",
|
"before-after-hook": "^3.0.2",
|
||||||
"universal-user-agent": "^7.0.0"
|
"universal-user-agent": "^7.0.0"
|
||||||
},
|
},
|
||||||
@ -1288,11 +1288,11 @@
|
|||||||
}
|
}
|
||||||
},
|
},
|
||||||
"node_modules/@octokit/endpoint": {
|
"node_modules/@octokit/endpoint": {
|
||||||
"version": "10.1.1",
|
"version": "10.1.2",
|
||||||
"resolved": "https://registry.npmjs.org/@octokit/endpoint/-/endpoint-10.1.1.tgz",
|
"resolved": "https://registry.npmjs.org/@octokit/endpoint/-/endpoint-10.1.2.tgz",
|
||||||
"integrity": "sha512-JYjh5rMOwXMJyUpj028cu0Gbp7qe/ihxfJMLc8VZBMMqSwLgOxDI1911gV4Enl1QSavAQNJcwmwBF9M0VvLh6Q==",
|
"integrity": "sha512-XybpFv9Ms4hX5OCHMZqyODYqGTZ3H6K6Vva+M9LR7ib/xr1y1ZnlChYv9H680y77Vd/i/k+thXApeRASBQkzhA==",
|
||||||
"dependencies": {
|
"dependencies": {
|
||||||
"@octokit/types": "^13.0.0",
|
"@octokit/types": "^13.6.2",
|
||||||
"universal-user-agent": "^7.0.2"
|
"universal-user-agent": "^7.0.2"
|
||||||
},
|
},
|
||||||
"engines": {
|
"engines": {
|
||||||
@ -1300,12 +1300,12 @@
|
|||||||
}
|
}
|
||||||
},
|
},
|
||||||
"node_modules/@octokit/graphql": {
|
"node_modules/@octokit/graphql": {
|
||||||
"version": "8.1.1",
|
"version": "8.1.2",
|
||||||
"resolved": "https://registry.npmjs.org/@octokit/graphql/-/graphql-8.1.1.tgz",
|
"resolved": "https://registry.npmjs.org/@octokit/graphql/-/graphql-8.1.2.tgz",
|
||||||
"integrity": "sha512-ukiRmuHTi6ebQx/HFRCXKbDlOh/7xEV6QUXaE7MJEKGNAncGI/STSbOkl12qVXZrfZdpXctx5O9X1AIaebiDBg==",
|
"integrity": "sha512-bdlj/CJVjpaz06NBpfHhp4kGJaRZfz7AzC+6EwUImRtrwIw8dIgJ63Xg0OzV9pRn3rIzrt5c2sa++BL0JJ8GLw==",
|
||||||
"dependencies": {
|
"dependencies": {
|
||||||
"@octokit/request": "^9.0.0",
|
"@octokit/request": "^9.1.4",
|
||||||
"@octokit/types": "^13.0.0",
|
"@octokit/types": "^13.6.2",
|
||||||
"universal-user-agent": "^7.0.0"
|
"universal-user-agent": "^7.0.0"
|
||||||
},
|
},
|
||||||
"engines": {
|
"engines": {
|
||||||
@ -1313,16 +1313,18 @@
|
|||||||
}
|
}
|
||||||
},
|
},
|
||||||
"node_modules/@octokit/openapi-types": {
|
"node_modules/@octokit/openapi-types": {
|
||||||
"version": "22.2.0",
|
"version": "23.0.1",
|
||||||
"resolved": "https://registry.npmjs.org/@octokit/openapi-types/-/openapi-types-22.2.0.tgz",
|
"resolved": "https://registry.npmjs.org/@octokit/openapi-types/-/openapi-types-23.0.1.tgz",
|
||||||
"integrity": "sha512-QBhVjcUa9W7Wwhm6DBFu6ZZ+1/t/oYxqc2tp81Pi41YNuJinbFRx8B133qVOrAaBbF7D/m0Et6f9/pZt9Rc+tg=="
|
"integrity": "sha512-izFjMJ1sir0jn0ldEKhZ7xegCTj/ObmEDlEfpFrx4k/JyZSMRHbO3/rBwgE7f3m2DHt+RrNGIVw4wSmwnm3t/g==",
|
||||||
|
"license": "MIT"
|
||||||
},
|
},
|
||||||
"node_modules/@octokit/plugin-paginate-rest": {
|
"node_modules/@octokit/plugin-paginate-rest": {
|
||||||
"version": "11.3.6",
|
"version": "11.4.0",
|
||||||
"resolved": "https://registry.npmjs.org/@octokit/plugin-paginate-rest/-/plugin-paginate-rest-11.3.6.tgz",
|
"resolved": "https://registry.npmjs.org/@octokit/plugin-paginate-rest/-/plugin-paginate-rest-11.4.0.tgz",
|
||||||
"integrity": "sha512-zcvqqf/+TicbTCa/Z+3w4eBJcAxCFymtc0UAIsR3dEVoNilWld4oXdscQ3laXamTszUZdusw97K8+DrbFiOwjw==",
|
"integrity": "sha512-ttpGck5AYWkwMkMazNCZMqxKqIq1fJBNxBfsFwwfyYKTf914jKkLF0POMS3YkPBwp5g1c2Y4L79gDz01GhSr1g==",
|
||||||
|
"license": "MIT",
|
||||||
"dependencies": {
|
"dependencies": {
|
||||||
"@octokit/types": "^13.6.2"
|
"@octokit/types": "^13.7.0"
|
||||||
},
|
},
|
||||||
"engines": {
|
"engines": {
|
||||||
"node": ">= 18"
|
"node": ">= 18"
|
||||||
@ -1332,11 +1334,12 @@
|
|||||||
}
|
}
|
||||||
},
|
},
|
||||||
"node_modules/@octokit/plugin-rest-endpoint-methods": {
|
"node_modules/@octokit/plugin-rest-endpoint-methods": {
|
||||||
"version": "13.2.6",
|
"version": "13.3.0",
|
||||||
"resolved": "https://registry.npmjs.org/@octokit/plugin-rest-endpoint-methods/-/plugin-rest-endpoint-methods-13.2.6.tgz",
|
"resolved": "https://registry.npmjs.org/@octokit/plugin-rest-endpoint-methods/-/plugin-rest-endpoint-methods-13.3.0.tgz",
|
||||||
"integrity": "sha512-wMsdyHMjSfKjGINkdGKki06VEkgdEldIGstIEyGX0wbYHGByOwN/KiM+hAAlUwAtPkP3gvXtVQA9L3ITdV2tVw==",
|
"integrity": "sha512-LUm44shlmkp/6VC+qQgHl3W5vzUP99ZM54zH6BuqkJK4DqfFLhegANd+fM4YRLapTvPm4049iG7F3haANKMYvQ==",
|
||||||
|
"license": "MIT",
|
||||||
"dependencies": {
|
"dependencies": {
|
||||||
"@octokit/types": "^13.6.1"
|
"@octokit/types": "^13.7.0"
|
||||||
},
|
},
|
||||||
"engines": {
|
"engines": {
|
||||||
"node": ">= 18"
|
"node": ">= 18"
|
||||||
@ -1346,28 +1349,30 @@
|
|||||||
}
|
}
|
||||||
},
|
},
|
||||||
"node_modules/@octokit/plugin-throttling": {
|
"node_modules/@octokit/plugin-throttling": {
|
||||||
"version": "9.3.2",
|
"version": "9.4.0",
|
||||||
"resolved": "https://registry.npmjs.org/@octokit/plugin-throttling/-/plugin-throttling-9.3.2.tgz",
|
"resolved": "https://registry.npmjs.org/@octokit/plugin-throttling/-/plugin-throttling-9.4.0.tgz",
|
||||||
"integrity": "sha512-FqpvcTpIWFpMMwIeSoypoJXysSAQ3R+ALJhXXSG1HTP3YZOIeLmcNcimKaXxTcws+Sh6yoRl13SJ5r8sXc1Fhw==",
|
"integrity": "sha512-IOlXxXhZA4Z3m0EEYtrrACkuHiArHLZ3CvqWwOez/pURNqRuwfoFlTPbN5Muf28pzFuztxPyiUiNwz8KctdZaQ==",
|
||||||
|
"license": "MIT",
|
||||||
"dependencies": {
|
"dependencies": {
|
||||||
"@octokit/types": "^13.0.0",
|
"@octokit/types": "^13.7.0",
|
||||||
"bottleneck": "^2.15.3"
|
"bottleneck": "^2.15.3"
|
||||||
},
|
},
|
||||||
"engines": {
|
"engines": {
|
||||||
"node": ">= 18"
|
"node": ">= 18"
|
||||||
},
|
},
|
||||||
"peerDependencies": {
|
"peerDependencies": {
|
||||||
"@octokit/core": "^6.0.0"
|
"@octokit/core": "^6.1.3"
|
||||||
}
|
}
|
||||||
},
|
},
|
||||||
"node_modules/@octokit/request": {
|
"node_modules/@octokit/request": {
|
||||||
"version": "9.1.3",
|
"version": "9.1.4",
|
||||||
"resolved": "https://registry.npmjs.org/@octokit/request/-/request-9.1.3.tgz",
|
"resolved": "https://registry.npmjs.org/@octokit/request/-/request-9.1.4.tgz",
|
||||||
"integrity": "sha512-V+TFhu5fdF3K58rs1pGUJIDH5RZLbZm5BI+MNF+6o/ssFNT4vWlCh/tVpF3NxGtP15HUxTTMUbsG5llAuU2CZA==",
|
"integrity": "sha512-tMbOwGm6wDII6vygP3wUVqFTw3Aoo0FnVQyhihh8vVq12uO3P+vQZeo2CKMpWtPSogpACD0yyZAlVlQnjW71DA==",
|
||||||
"dependencies": {
|
"dependencies": {
|
||||||
"@octokit/endpoint": "^10.0.0",
|
"@octokit/endpoint": "^10.0.0",
|
||||||
"@octokit/request-error": "^6.0.1",
|
"@octokit/request-error": "^6.0.1",
|
||||||
"@octokit/types": "^13.1.0",
|
"@octokit/types": "^13.6.2",
|
||||||
|
"fast-content-type-parse": "^2.0.0",
|
||||||
"universal-user-agent": "^7.0.2"
|
"universal-user-agent": "^7.0.2"
|
||||||
},
|
},
|
||||||
"engines": {
|
"engines": {
|
||||||
@ -1375,22 +1380,23 @@
|
|||||||
}
|
}
|
||||||
},
|
},
|
||||||
"node_modules/@octokit/request-error": {
|
"node_modules/@octokit/request-error": {
|
||||||
"version": "6.1.4",
|
"version": "6.1.6",
|
||||||
"resolved": "https://registry.npmjs.org/@octokit/request-error/-/request-error-6.1.4.tgz",
|
"resolved": "https://registry.npmjs.org/@octokit/request-error/-/request-error-6.1.6.tgz",
|
||||||
"integrity": "sha512-VpAhIUxwhWZQImo/dWAN/NpPqqojR6PSLgLYAituLM6U+ddx9hCioFGwBr5Mi+oi5CLeJkcAs3gJ0PYYzU6wUg==",
|
"integrity": "sha512-pqnVKYo/at0NuOjinrgcQYpEbv4snvP3bKMRqHaD9kIsk9u1LCpb2smHZi8/qJfgeNqLo5hNW4Z7FezNdEo0xg==",
|
||||||
"dependencies": {
|
"dependencies": {
|
||||||
"@octokit/types": "^13.0.0"
|
"@octokit/types": "^13.6.2"
|
||||||
},
|
},
|
||||||
"engines": {
|
"engines": {
|
||||||
"node": ">= 18"
|
"node": ">= 18"
|
||||||
}
|
}
|
||||||
},
|
},
|
||||||
"node_modules/@octokit/types": {
|
"node_modules/@octokit/types": {
|
||||||
"version": "13.6.2",
|
"version": "13.7.0",
|
||||||
"resolved": "https://registry.npmjs.org/@octokit/types/-/types-13.6.2.tgz",
|
"resolved": "https://registry.npmjs.org/@octokit/types/-/types-13.7.0.tgz",
|
||||||
"integrity": "sha512-WpbZfZUcZU77DrSW4wbsSgTPfKcp286q3ItaIgvSbBpZJlu6mnYXAkjZz6LVZPXkEvLIM8McanyZejKTYUHipA==",
|
"integrity": "sha512-BXfRP+3P3IN6fd4uF3SniaHKOO4UXWBfkdR3vA8mIvaoO/wLjGN5qivUtW0QRitBHHMcfC41SLhNVYIZZE+wkA==",
|
||||||
|
"license": "MIT",
|
||||||
"dependencies": {
|
"dependencies": {
|
||||||
"@octokit/openapi-types": "^22.2.0"
|
"@octokit/openapi-types": "^23.0.1"
|
||||||
}
|
}
|
||||||
},
|
},
|
||||||
"node_modules/@pkgr/core": {
|
"node_modules/@pkgr/core": {
|
||||||
@ -1552,9 +1558,9 @@
|
|||||||
"dev": true
|
"dev": true
|
||||||
},
|
},
|
||||||
"node_modules/@types/node": {
|
"node_modules/@types/node": {
|
||||||
"version": "18.19.68",
|
"version": "18.19.70",
|
||||||
"resolved": "https://registry.npmjs.org/@types/node/-/node-18.19.68.tgz",
|
"resolved": "https://registry.npmjs.org/@types/node/-/node-18.19.70.tgz",
|
||||||
"integrity": "sha512-QGtpFH1vB99ZmTa63K4/FU8twThj4fuVSBkGddTp7uIL/cuoLWIUSL2RcOaigBhfR+hg5pgGkBnkoOxrTVBMKw==",
|
"integrity": "sha512-RE+K0+KZoEpDUbGGctnGdkrLFwi1eYKTlIHNl2Um98mUkGsm1u2Ff6Ltd0e8DktTtC98uy7rSj+hO8t/QuLoVQ==",
|
||||||
"dev": true,
|
"dev": true,
|
||||||
"dependencies": {
|
"dependencies": {
|
||||||
"undici-types": "~5.26.4"
|
"undici-types": "~5.26.4"
|
||||||
@ -4058,6 +4064,21 @@
|
|||||||
"node": "^14.15.0 || ^16.10.0 || >=18.0.0"
|
"node": "^14.15.0 || ^16.10.0 || >=18.0.0"
|
||||||
}
|
}
|
||||||
},
|
},
|
||||||
|
"node_modules/fast-content-type-parse": {
|
||||||
|
"version": "2.0.1",
|
||||||
|
"resolved": "https://registry.npmjs.org/fast-content-type-parse/-/fast-content-type-parse-2.0.1.tgz",
|
||||||
|
"integrity": "sha512-nGqtvLrj5w0naR6tDPfB4cUmYCqouzyQiz6C5y/LtcDllJdrcc6WaWW6iXyIIOErTa/XRybj28aasdn4LkVk6Q==",
|
||||||
|
"funding": [
|
||||||
|
{
|
||||||
|
"type": "github",
|
||||||
|
"url": "https://github.com/sponsors/fastify"
|
||||||
|
},
|
||||||
|
{
|
||||||
|
"type": "opencollective",
|
||||||
|
"url": "https://opencollective.com/fastify"
|
||||||
|
}
|
||||||
|
]
|
||||||
|
},
|
||||||
"node_modules/fast-deep-equal": {
|
"node_modules/fast-deep-equal": {
|
||||||
"version": "3.1.3",
|
"version": "3.1.3",
|
||||||
"resolved": "https://registry.npmjs.org/fast-deep-equal/-/fast-deep-equal-3.1.3.tgz",
|
"resolved": "https://registry.npmjs.org/fast-deep-equal/-/fast-deep-equal-3.1.3.tgz",
|
||||||
@ -7756,9 +7777,9 @@
|
|||||||
}
|
}
|
||||||
},
|
},
|
||||||
"node_modules/typescript": {
|
"node_modules/typescript": {
|
||||||
"version": "5.7.2",
|
"version": "5.7.3",
|
||||||
"resolved": "https://registry.npmjs.org/typescript/-/typescript-5.7.2.tgz",
|
"resolved": "https://registry.npmjs.org/typescript/-/typescript-5.7.3.tgz",
|
||||||
"integrity": "sha512-i5t66RHxDvVN40HfDd1PsEThGNnlMCMT3jMUuoh9/0TaqWevNontacunWyN02LA9/fIbEWlcHZcgTKb9QoaLfg==",
|
"integrity": "sha512-84MVSjMEHP+FQRPy3pX9sTVV/INIex71s9TL2Gm5FG/WG1SqXeKyZ0k7/blY/4FdOzI12CBy1vGc4og/eus0fw==",
|
||||||
"dev": true,
|
"dev": true,
|
||||||
"bin": {
|
"bin": {
|
||||||
"tsc": "bin/tsc",
|
"tsc": "bin/tsc",
|
||||||
|
12
package.json
12
package.json
@ -31,17 +31,17 @@
|
|||||||
"dependencies": {
|
"dependencies": {
|
||||||
"@actions/core": "^1.11.1",
|
"@actions/core": "^1.11.1",
|
||||||
"@actions/exec": "^1.1.1",
|
"@actions/exec": "^1.1.1",
|
||||||
"@octokit/core": "^6.1.2",
|
"@octokit/core": "^6.1.3",
|
||||||
"@octokit/plugin-paginate-rest": "^11.3.6",
|
"@octokit/plugin-paginate-rest": "^11.4.0",
|
||||||
"@octokit/plugin-rest-endpoint-methods": "^13.2.6",
|
"@octokit/plugin-rest-endpoint-methods": "^13.3.0",
|
||||||
"@octokit/plugin-throttling": "^9.3.2",
|
"@octokit/plugin-throttling": "^9.4.0",
|
||||||
"node-fetch-native": "^1.6.4",
|
"node-fetch-native": "^1.6.4",
|
||||||
"p-limit": "^6.2.0",
|
"p-limit": "^6.2.0",
|
||||||
"uuid": "^9.0.1"
|
"uuid": "^9.0.1"
|
||||||
},
|
},
|
||||||
"devDependencies": {
|
"devDependencies": {
|
||||||
"@types/jest": "^29.5.14",
|
"@types/jest": "^29.5.14",
|
||||||
"@types/node": "^18.19.68",
|
"@types/node": "^18.19.70",
|
||||||
"@typescript-eslint/eslint-plugin": "^7.18.0",
|
"@typescript-eslint/eslint-plugin": "^7.18.0",
|
||||||
"@typescript-eslint/parser": "^7.18.0",
|
"@typescript-eslint/parser": "^7.18.0",
|
||||||
"@vercel/ncc": "^0.38.3",
|
"@vercel/ncc": "^0.38.3",
|
||||||
@ -57,7 +57,7 @@
|
|||||||
"js-yaml": "^4.1.0",
|
"js-yaml": "^4.1.0",
|
||||||
"prettier": "^3.4.2",
|
"prettier": "^3.4.2",
|
||||||
"ts-jest": "^29.2.5",
|
"ts-jest": "^29.2.5",
|
||||||
"typescript": "^5.7.2",
|
"typescript": "^5.7.3",
|
||||||
"undici": "^6.21.0"
|
"undici": "^6.21.0"
|
||||||
}
|
}
|
||||||
}
|
}
|
||||||
|
Reference in New Issue
Block a user