2022-11-15 11:12:45 +00:00
|
|
|
const { format, parse } = require('url');
|
|
|
|
|
|
|
|
/**
|
|
|
|
* URL encode a string in a flexible way
|
|
|
|
* @param str string to encode
|
|
|
|
* @param ignore characters to ignore
|
|
|
|
*/
|
|
|
|
const flexibleEncodeComponent = (str = '', ignore = '') => {
|
|
|
|
// Sometimes spaces screw things up because of url.parse
|
|
|
|
str = str.replace(/%20/g, ' ');
|
|
|
|
|
|
|
|
// Handle all already-encoded characters so we don't touch them
|
|
|
|
str = str.replace(/%([0-9a-fA-F]{2})/g, '__ENC__$1');
|
|
|
|
|
|
|
|
// Do a special encode of ignored chars, so they aren't touched.
|
|
|
|
// This first pass, surrounds them with a special tag (anything unique
|
|
|
|
// will work), so it can change them back later
|
|
|
|
// Example: will replace %40 with __LEAVE_40_LEAVE__, and we'll change
|
|
|
|
// it back to %40 at the end.
|
|
|
|
for (const c of ignore) {
|
|
|
|
const code = encodeURIComponent(c).replace('%', '');
|
|
|
|
const escaped = c.replace(ESCAPE_REGEX_MATCH, '\\$&');
|
|
|
|
const re2 = new RegExp(escaped, 'g');
|
|
|
|
str = str.replace(re2, `__RAW__${code}`);
|
|
|
|
}
|
|
|
|
|
|
|
|
// Encode it
|
|
|
|
str = encodeURIComponent(str);
|
|
|
|
|
|
|
|
// Put back the raw version of the ignored chars
|
|
|
|
for (const match of str.match(/__RAW__([0-9a-fA-F]{2})/g) || []) {
|
|
|
|
const code = match.replace('__RAW__', '');
|
|
|
|
str = str.replace(match, decodeURIComponent(`%${code}`));
|
|
|
|
}
|
|
|
|
|
|
|
|
// Put back the encoded version of the ignored chars
|
|
|
|
for (const match of str.match(/__ENC__([0-9a-fA-F]{2})/g) || []) {
|
|
|
|
const code = match.replace('__ENC__', '');
|
|
|
|
str = str.replace(match, `%${code}`);
|
|
|
|
}
|
|
|
|
|
|
|
|
return str;
|
|
|
|
};
|
|
|
|
/**
|
|
|
|
* Build a querystring parameter from a param object
|
|
|
|
*/
|
|
|
|
const buildQueryParameter = (
|
|
|
|
param,
|
|
|
|
|
|
|
|
/** allow empty names and values */
|
|
|
|
strict,
|
|
|
|
) => {
|
|
|
|
strict = strict === undefined ? true : strict;
|
|
|
|
|
|
|
|
// Skip non-name ones in strict mode
|
|
|
|
if (strict && !param.name) {
|
|
|
|
return '';
|
|
|
|
}
|
|
|
|
|
|
|
|
// Cast number values to strings
|
|
|
|
if (typeof param.value === 'number') {
|
|
|
|
param.value = String(param.value);
|
|
|
|
}
|
|
|
|
|
|
|
|
if (!strict || param.value) {
|
|
|
|
// Don't encode ',' in values
|
|
|
|
const value = flexibleEncodeComponent(param.value || '').replace(/%2C/gi, ',');
|
|
|
|
const name = flexibleEncodeComponent(param.name || '');
|
|
|
|
|
|
|
|
return `${name}=${value}`;
|
|
|
|
} else {
|
|
|
|
return flexibleEncodeComponent(param.name);
|
|
|
|
}
|
|
|
|
};
|
|
|
|
/**
|
|
|
|
* Build a querystring from a list of name/value pairs
|
|
|
|
*/
|
|
|
|
const buildQueryStringFromParams = (
|
|
|
|
parameters,
|
|
|
|
/** allow empty names and values */
|
|
|
|
strict,
|
|
|
|
) => {
|
|
|
|
strict = strict === undefined ? true : strict;
|
|
|
|
const items = [];
|
|
|
|
for (const param of parameters) {
|
|
|
|
const built = buildQueryParameter(param, strict);
|
|
|
|
if (!built) {
|
|
|
|
continue;
|
|
|
|
}
|
|
|
|
items.push(built);
|
|
|
|
}
|
|
|
|
return items.join('&');
|
|
|
|
};
|
|
|
|
const getJoiner = (url) => {
|
|
|
|
url = url || '';
|
|
|
|
return url.indexOf('?') === -1 ? '?' : '&';
|
|
|
|
};
|
|
|
|
const joinUrlAndQueryString = (url, qs) => {
|
|
|
|
if (!qs) {
|
|
|
|
return url;
|
|
|
|
}
|
|
|
|
if (!url) {
|
|
|
|
return qs;
|
|
|
|
}
|
|
|
|
const [base, ...hashes] = url.split('#');
|
|
|
|
// TODO: Make this work with URLs that have a #hash component
|
|
|
|
const baseUrl = base || '';
|
|
|
|
const joiner = getJoiner(base);
|
|
|
|
const hash = hashes.length ? `#${hashes.join('#')}` : '';
|
|
|
|
return `${baseUrl}${joiner}${qs}${hash}`;
|
|
|
|
};
|
|
|
|
const setDefaultProtocol = (url, defaultProto) => {
|
|
|
|
const trimmedUrl = url.trim();
|
|
|
|
defaultProto = defaultProto || 'http:';
|
|
|
|
|
|
|
|
// If no url, don't bother returning anything
|
|
|
|
if (!trimmedUrl) {
|
|
|
|
return '';
|
|
|
|
}
|
|
|
|
|
|
|
|
// Default the proto if it doesn't exist
|
|
|
|
if (trimmedUrl.indexOf('://') === -1) {
|
|
|
|
return `${defaultProto}//${trimmedUrl}`;
|
|
|
|
}
|
|
|
|
|
|
|
|
return trimmedUrl;
|
|
|
|
};
|
|
|
|
/**
|
|
|
|
* Deconstruct a querystring to name/value pairs
|
|
|
|
* @param [qs] {string}
|
|
|
|
* @param [strict=true] {boolean} - allow empty names and values
|
|
|
|
* @returns {{name: string, value: string}[]}
|
|
|
|
*/
|
|
|
|
const deconstructQueryStringToParams = (
|
|
|
|
qs,
|
|
|
|
|
|
|
|
/** allow empty names and values */
|
|
|
|
strict,
|
|
|
|
) => {
|
|
|
|
strict = strict === undefined ? true : strict;
|
|
|
|
const pairs = [];
|
|
|
|
|
|
|
|
if (!qs) {
|
|
|
|
return pairs;
|
|
|
|
}
|
|
|
|
|
|
|
|
const stringPairs = qs.split('&');
|
|
|
|
|
|
|
|
for (const stringPair of stringPairs) {
|
|
|
|
// NOTE: This only splits on first equals sign. '1=2=3' --> ['1', '2=3']
|
|
|
|
const [encodedName, ...encodedValues] = stringPair.split('=');
|
|
|
|
const encodedValue = encodedValues.join('=');
|
|
|
|
|
|
|
|
let name = '';
|
|
|
|
try {
|
|
|
|
name = decodeURIComponent(encodedName || '');
|
|
|
|
} catch (error) {
|
|
|
|
// Just leave it
|
|
|
|
name = encodedName;
|
|
|
|
}
|
|
|
|
|
|
|
|
let value = '';
|
|
|
|
try {
|
|
|
|
value = decodeURIComponent(encodedValue || '');
|
|
|
|
} catch (error) {
|
|
|
|
// Just leave it
|
|
|
|
value = encodedValue;
|
|
|
|
}
|
|
|
|
|
|
|
|
if (strict && !name) {
|
|
|
|
continue;
|
|
|
|
}
|
|
|
|
|
|
|
|
pairs.push({ name, value });
|
|
|
|
}
|
|
|
|
|
|
|
|
return pairs;
|
|
|
|
};
|
|
|
|
const ESCAPE_REGEX_MATCH = /[-[\]/{}()*+?.\\^$|]/g;
|
|
|
|
/** see list of allowed characters https://datatracker.ietf.org/doc/html/rfc3986#section-2.2 */
|
|
|
|
const RFC_3986_GENERAL_DELIMITERS = ':@'; // (unintentionally?) missing: /?#[]
|
|
|
|
/** see list of allowed characters https://datatracker.ietf.org/doc/html/rfc3986#section-2.2 */
|
|
|
|
const RFC_3986_SUB_DELIMITERS = '$+,;='; // (unintentionally?) missing: !&'()*
|
|
|
|
/** see list of allowed characters https://datatracker.ietf.org/doc/html/rfc3986#section-2.2 */
|
|
|
|
const URL_PATH_CHARACTER_WHITELIST = `${RFC_3986_GENERAL_DELIMITERS}${RFC_3986_SUB_DELIMITERS}`;
|
|
|
|
/**
|
|
|
|
* Automatically encode the path and querystring components
|
|
|
|
* @param url url to encode
|
|
|
|
* @param encode enable encoding
|
|
|
|
*/
|
|
|
|
const smartEncodeUrl = (url, encode) => {
|
|
|
|
// Default autoEncode = true if not passed
|
|
|
|
encode = encode === undefined ? true : encode;
|
|
|
|
const urlWithProto = setDefaultProtocol(url);
|
|
|
|
if (!encode) {
|
|
|
|
return urlWithProto;
|
|
|
|
} else {
|
|
|
|
// Parse the URL into components
|
|
|
|
const parsedUrl = parse(urlWithProto);
|
|
|
|
// ~~~~~~~~~~~ //
|
|
|
|
// 1. Pathname //
|
|
|
|
// ~~~~~~~~~~~ //
|
|
|
|
if (parsedUrl.pathname) {
|
|
|
|
const segments = parsedUrl.pathname.split('/');
|
|
|
|
parsedUrl.pathname = segments
|
|
|
|
.map(s => flexibleEncodeComponent(s, URL_PATH_CHARACTER_WHITELIST))
|
|
|
|
.join('/');
|
|
|
|
}
|
|
|
|
// ~~~~~~~~~~~~~~ //
|
|
|
|
// 2. Querystring //
|
|
|
|
// ~~~~~~~~~~~~~~ //
|
|
|
|
if (parsedUrl.query) {
|
|
|
|
const qsParams = deconstructQueryStringToParams(parsedUrl.query);
|
|
|
|
const encodedQsParams = [];
|
|
|
|
for (const { name, value } of qsParams) {
|
|
|
|
encodedQsParams.push({
|
|
|
|
name: flexibleEncodeComponent(name),
|
|
|
|
value: flexibleEncodeComponent(value),
|
|
|
|
});
|
|
|
|
}
|
|
|
|
parsedUrl.query = buildQueryStringFromParams(encodedQsParams);
|
|
|
|
parsedUrl.search = `?${parsedUrl.query}`;
|
|
|
|
}
|
|
|
|
return format(parsedUrl);
|
|
|
|
}
|
|
|
|
};
|
2018-06-25 17:42:50 +00:00
|
|
|
|
|
|
|
module.exports.templateTags = [
|
|
|
|
{
|
|
|
|
name: 'request',
|
|
|
|
displayName: 'Request',
|
|
|
|
description: 'reference value from current request',
|
|
|
|
args: [
|
|
|
|
{
|
|
|
|
displayName: 'Attribute',
|
|
|
|
type: 'enum',
|
|
|
|
options: [
|
|
|
|
{
|
|
|
|
displayName: 'Name',
|
|
|
|
value: 'name',
|
2018-12-12 17:36:11 +00:00
|
|
|
description: 'name of request',
|
2018-06-25 17:42:50 +00:00
|
|
|
},
|
|
|
|
{
|
|
|
|
displayName: 'Folder',
|
|
|
|
value: 'folder',
|
2018-12-12 17:36:11 +00:00
|
|
|
description: 'name of parent folder (or workspace)',
|
2018-06-25 17:42:50 +00:00
|
|
|
},
|
|
|
|
{
|
|
|
|
displayName: 'URL',
|
|
|
|
value: 'url',
|
2018-12-12 17:36:11 +00:00
|
|
|
description: 'fully qualified URL',
|
2018-06-25 17:42:50 +00:00
|
|
|
},
|
|
|
|
{
|
2019-03-31 00:47:14 +00:00
|
|
|
displayName: 'Query Parameter',
|
2018-12-12 15:34:28 +00:00
|
|
|
value: 'parameter',
|
2018-12-12 17:36:11 +00:00
|
|
|
description: 'query parameter by name',
|
2018-06-25 17:42:50 +00:00
|
|
|
},
|
|
|
|
{
|
|
|
|
displayName: 'Header',
|
|
|
|
value: 'header',
|
2018-12-12 17:36:11 +00:00
|
|
|
description: 'header value by name',
|
2018-06-25 17:42:50 +00:00
|
|
|
},
|
2018-12-12 15:34:28 +00:00
|
|
|
{
|
|
|
|
displayName: 'Cookie',
|
|
|
|
value: 'cookie',
|
2018-12-12 17:36:11 +00:00
|
|
|
description: 'cookie value by name',
|
2018-12-12 15:34:28 +00:00
|
|
|
},
|
2018-06-25 17:42:50 +00:00
|
|
|
{
|
2021-04-05 17:03:34 +00:00
|
|
|
displayName: 'OAuth 2.0 Access Token',
|
2018-06-25 17:42:50 +00:00
|
|
|
value: 'oauth2',
|
2022-11-15 11:12:45 +00:00
|
|
|
/*
|
2021-04-05 17:03:34 +00:00
|
|
|
This value is left as is and not renamed to 'oauth2-access' so as to not
|
|
|
|
break the current release's usage of `oauth2`.
|
|
|
|
*/
|
|
|
|
},
|
|
|
|
{
|
|
|
|
displayName: 'OAuth 2.0 Identity Token',
|
|
|
|
value: 'oauth2-identity',
|
|
|
|
},
|
|
|
|
{
|
|
|
|
displayName: 'OAuth 2.0 Refresh Token',
|
|
|
|
value: 'oauth2-refresh',
|
2018-12-12 17:36:11 +00:00
|
|
|
},
|
|
|
|
],
|
2018-06-25 17:42:50 +00:00
|
|
|
},
|
|
|
|
{
|
|
|
|
type: 'string',
|
2021-04-05 17:03:34 +00:00
|
|
|
hide: args =>
|
|
|
|
['url', 'oauth2', 'oauth2-identity', 'oauth2-refresh', 'name', 'folder'].includes(
|
|
|
|
args[0].value,
|
|
|
|
),
|
2018-06-25 17:42:50 +00:00
|
|
|
displayName: args => {
|
|
|
|
switch (args[0].value) {
|
|
|
|
case 'cookie':
|
|
|
|
return 'Cookie Name';
|
2018-12-12 15:32:30 +00:00
|
|
|
case 'parameter':
|
|
|
|
return 'Query Parameter Name';
|
2018-06-25 17:42:50 +00:00
|
|
|
case 'header':
|
|
|
|
return 'Header Name';
|
|
|
|
default:
|
|
|
|
return 'Name';
|
|
|
|
}
|
2018-12-12 17:36:11 +00:00
|
|
|
},
|
2018-06-26 21:26:44 +00:00
|
|
|
},
|
|
|
|
{
|
|
|
|
hide: args => args[0].value !== 'folder',
|
|
|
|
displayName: 'Parent Index',
|
2018-10-17 16:42:33 +00:00
|
|
|
help: 'Specify an index (Starting at 0) for how high up the folder tree to look',
|
2018-12-12 17:36:11 +00:00
|
|
|
type: 'number',
|
|
|
|
},
|
2018-06-25 17:42:50 +00:00
|
|
|
],
|
2017-06-09 01:10:12 +00:00
|
|
|
|
2018-06-26 21:26:44 +00:00
|
|
|
async run(context, attribute, name, folderIndex) {
|
2018-06-25 17:42:50 +00:00
|
|
|
const { meta } = context;
|
2017-06-09 01:10:12 +00:00
|
|
|
|
2018-06-25 17:42:50 +00:00
|
|
|
if (!meta.requestId || !meta.workspaceId) {
|
|
|
|
return null;
|
|
|
|
}
|
2017-06-09 01:10:12 +00:00
|
|
|
|
2018-06-25 17:42:50 +00:00
|
|
|
const request = await context.util.models.request.getById(meta.requestId);
|
2018-10-17 16:42:33 +00:00
|
|
|
const workspace = await context.util.models.workspace.getById(meta.workspaceId);
|
2017-06-09 01:10:12 +00:00
|
|
|
|
2018-06-25 17:42:50 +00:00
|
|
|
if (!request) {
|
|
|
|
throw new Error(`Request not found for ${meta.requestId}`);
|
|
|
|
}
|
2017-06-09 01:10:12 +00:00
|
|
|
|
2018-06-25 17:42:50 +00:00
|
|
|
if (!workspace) {
|
|
|
|
throw new Error(`Workspace not found for ${meta.workspaceId}`);
|
|
|
|
}
|
2017-06-09 01:10:12 +00:00
|
|
|
|
2018-06-25 17:42:50 +00:00
|
|
|
switch (attribute) {
|
|
|
|
case 'url':
|
|
|
|
return getRequestUrl(context, request);
|
|
|
|
case 'cookie':
|
|
|
|
if (!name) {
|
|
|
|
throw new Error('No cookie specified');
|
|
|
|
}
|
2017-10-10 14:46:32 +00:00
|
|
|
|
2018-10-17 16:42:33 +00:00
|
|
|
const cookieJar = await context.util.models.cookieJar.getOrCreateForWorkspace(workspace);
|
2018-06-25 17:42:50 +00:00
|
|
|
const url = await getRequestUrl(context, request);
|
|
|
|
return getCookieValue(cookieJar, url, name);
|
2018-12-12 15:32:30 +00:00
|
|
|
case 'parameter':
|
|
|
|
if (!name) {
|
|
|
|
throw new Error('No query parameter specified');
|
|
|
|
}
|
|
|
|
|
|
|
|
const parameterNames = [];
|
|
|
|
|
|
|
|
if (request.parameters.length === 0) {
|
2020-04-09 17:32:19 +00:00
|
|
|
throw new Error('No query parameters available');
|
2018-12-12 15:32:30 +00:00
|
|
|
}
|
|
|
|
|
|
|
|
for (const queryParameter of request.parameters) {
|
|
|
|
const queryParameterName = await context.util.render(queryParameter.name);
|
|
|
|
parameterNames.push(queryParameterName);
|
|
|
|
if (queryParameterName.toLowerCase() === name.toLowerCase()) {
|
|
|
|
return context.util.render(queryParameter.value);
|
|
|
|
}
|
|
|
|
}
|
|
|
|
|
|
|
|
const parameterNamesStr = parameterNames.map(n => `"${n}"`).join(',\n\t');
|
|
|
|
throw new Error(
|
2018-12-12 17:36:11 +00:00
|
|
|
`No query parameter with name "${name}".\nChoices are [\n\t${parameterNamesStr}\n]`,
|
2018-12-12 15:32:30 +00:00
|
|
|
);
|
2018-06-25 17:42:50 +00:00
|
|
|
case 'header':
|
|
|
|
if (!name) {
|
|
|
|
throw new Error('No header specified');
|
|
|
|
}
|
2017-10-10 14:46:32 +00:00
|
|
|
|
2018-12-12 15:32:30 +00:00
|
|
|
const headerNames = [];
|
2017-10-10 14:46:32 +00:00
|
|
|
|
2018-06-25 17:42:50 +00:00
|
|
|
if (request.headers.length === 0) {
|
2020-04-09 17:32:19 +00:00
|
|
|
throw new Error('No headers available');
|
2018-06-25 17:42:50 +00:00
|
|
|
}
|
2017-10-10 14:46:32 +00:00
|
|
|
|
2018-06-25 17:42:50 +00:00
|
|
|
for (const header of request.headers) {
|
|
|
|
const headerName = await context.util.render(header.name);
|
2018-12-12 15:32:30 +00:00
|
|
|
headerNames.push(headerName);
|
2018-06-25 17:42:50 +00:00
|
|
|
if (headerName.toLowerCase() === name.toLowerCase()) {
|
|
|
|
return context.util.render(header.value);
|
|
|
|
}
|
2017-06-09 01:10:12 +00:00
|
|
|
}
|
2017-10-10 14:46:32 +00:00
|
|
|
|
2018-12-12 15:32:30 +00:00
|
|
|
const headerNamesStr = headerNames.map(n => `"${n}"`).join(',\n\t');
|
|
|
|
throw new Error(`No header with name "${name}".\nChoices are [\n\t${headerNamesStr}\n]`);
|
2018-06-25 17:42:50 +00:00
|
|
|
case 'oauth2':
|
2021-04-05 17:03:34 +00:00
|
|
|
const access = await context.util.models.oAuth2Token.getByRequestId(request._id);
|
|
|
|
if (!access || !access.accessToken) {
|
|
|
|
throw new Error('No OAuth 2.0 access tokens found for request');
|
|
|
|
}
|
|
|
|
return access.accessToken;
|
|
|
|
case 'oauth2-identity':
|
|
|
|
const identity = await context.util.models.oAuth2Token.getByRequestId(request._id);
|
|
|
|
if (!identity || !identity.identityToken) {
|
|
|
|
throw new Error('No OAuth 2.0 identity tokens found for request');
|
|
|
|
}
|
|
|
|
return identity.identityToken;
|
|
|
|
case 'oauth2-refresh':
|
|
|
|
const refresh = await context.util.models.oAuth2Token.getByRequestId(request._id);
|
|
|
|
if (!refresh || !refresh.refreshToken) {
|
|
|
|
throw new Error('No OAuth 2.0 refresh tokens found for request');
|
2018-06-25 17:42:50 +00:00
|
|
|
}
|
2021-04-05 17:03:34 +00:00
|
|
|
return refresh.refreshToken;
|
2018-06-25 17:42:50 +00:00
|
|
|
case 'name':
|
|
|
|
return request.name;
|
|
|
|
case 'folder':
|
2018-10-17 16:42:33 +00:00
|
|
|
const ancestors = await context.util.models.request.getAncestors(request);
|
2018-06-26 21:26:44 +00:00
|
|
|
const doc = ancestors[folderIndex || 0];
|
|
|
|
if (!doc) {
|
|
|
|
throw new Error(
|
2018-06-27 05:16:57 +00:00
|
|
|
`Could not get folder by index ${folderIndex}. Must be between 0-${ancestors.length -
|
2022-11-15 11:12:45 +00:00
|
|
|
1}`,
|
2018-06-26 21:26:44 +00:00
|
|
|
);
|
|
|
|
}
|
|
|
|
return doc ? doc.name : null;
|
2018-06-25 17:42:50 +00:00
|
|
|
}
|
2017-06-09 01:10:12 +00:00
|
|
|
|
2018-06-25 17:42:50 +00:00
|
|
|
return null;
|
2018-12-12 17:36:11 +00:00
|
|
|
},
|
|
|
|
},
|
2018-06-25 17:42:50 +00:00
|
|
|
];
|
2017-06-09 01:10:12 +00:00
|
|
|
|
2018-06-25 17:42:50 +00:00
|
|
|
async function getRequestUrl(context, request) {
|
2017-06-09 01:10:12 +00:00
|
|
|
const url = await context.util.render(request.url);
|
|
|
|
const parameters = [];
|
|
|
|
for (const p of request.parameters) {
|
|
|
|
parameters.push({
|
|
|
|
name: await context.util.render(p.name),
|
2018-12-12 17:36:11 +00:00
|
|
|
value: await context.util.render(p.value),
|
2017-06-09 01:10:12 +00:00
|
|
|
});
|
|
|
|
}
|
|
|
|
|
2017-11-26 20:45:40 +00:00
|
|
|
const qs = buildQueryStringFromParams(parameters);
|
|
|
|
const finalUrl = joinUrlAndQueryString(url, qs);
|
2017-06-09 01:10:12 +00:00
|
|
|
|
2017-11-26 20:45:40 +00:00
|
|
|
return smartEncodeUrl(finalUrl, request.settingEncodeUrl);
|
2017-06-09 01:10:12 +00:00
|
|
|
}
|
2022-11-15 11:12:45 +00:00
|
|
|
const { CookieJar } = require('tough-cookie');
|
|
|
|
/**
|
|
|
|
* Get a request.jar() from a list of cookie objects
|
|
|
|
*/
|
|
|
|
const jarFromCookies = (cookies) => {
|
|
|
|
let jar;
|
|
|
|
try {
|
|
|
|
// For some reason, fromJSON modifies `cookies`.
|
|
|
|
// Create a copy first just to be sure.
|
|
|
|
const copy = JSON.stringify({ cookies });
|
|
|
|
jar = CookieJar.fromJSON(copy);
|
|
|
|
} catch (error) {
|
|
|
|
console.log('[cookies] Failed to initialize cookie jar', error);
|
|
|
|
jar = new CookieJar();
|
|
|
|
}
|
|
|
|
jar.rejectPublicSuffixes = false;
|
|
|
|
jar.looseMode = true;
|
|
|
|
return jar;
|
|
|
|
};
|
2018-06-25 17:42:50 +00:00
|
|
|
function getCookieValue(cookieJar, url, name) {
|
2017-06-09 01:10:12 +00:00
|
|
|
return new Promise((resolve, reject) => {
|
|
|
|
const jar = jarFromCookies(cookieJar.cookies);
|
|
|
|
|
|
|
|
jar.getCookies(url, {}, (err, cookies) => {
|
|
|
|
if (err) {
|
|
|
|
console.warn(`Failed to find cookie for ${url}`, err);
|
|
|
|
}
|
|
|
|
|
2017-10-10 14:46:32 +00:00
|
|
|
if (!cookies || cookies.length === 0) {
|
2018-07-12 18:29:03 +00:00
|
|
|
reject(new Error(`No cookies in store for url "${url}"`));
|
2017-10-10 14:46:32 +00:00
|
|
|
}
|
|
|
|
|
2017-06-09 01:10:12 +00:00
|
|
|
const cookie = cookies.find(cookie => cookie.key === name);
|
|
|
|
if (!cookie) {
|
2017-10-10 14:46:32 +00:00
|
|
|
const names = cookies.map(c => `"${c.key}"`).join(',\n\t');
|
2018-06-25 17:42:50 +00:00
|
|
|
throw new Error(
|
2018-12-12 17:36:11 +00:00
|
|
|
`No cookie with name "${name}".\nChoices are [\n\t${names}\n] for url "${url}"`,
|
2018-06-25 17:42:50 +00:00
|
|
|
);
|
2017-06-09 01:10:12 +00:00
|
|
|
} else {
|
|
|
|
resolve(cookie ? cookie.value : null);
|
|
|
|
}
|
|
|
|
});
|
|
|
|
});
|
|
|
|
}
|