UNPKG

ibm-cloud-sdk-core

Version:

Core functionality to support SDKs generated with IBM's OpenAPI SDK Generator.

306 lines (305 loc) 11.9 kB
/** * (C) Copyright IBM Corp. 2014, 2023. * * Licensed under the Apache License, Version 2.0 (the "License"); * you may not use this file except in compliance with the License. * You may obtain a copy of the License at * * http://www.apache.org/licenses/LICENSE-2.0 * * Unless required by applicable law or agreed to in writing, software * distributed under the License is distributed on an "AS IS" BASIS, * WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. * See the License for the specific language governing permissions and * limitations under the License. */ var __awaiter = (this && this.__awaiter) || function (thisArg, _arguments, P, generator) { function adopt(value) { return value instanceof P ? value : new P(function (resolve) { resolve(value); }); } return new (P || (P = Promise))(function (resolve, reject) { function fulfilled(value) { try { step(generator.next(value)); } catch (e) { reject(e); } } function rejected(value) { try { step(generator["throw"](value)); } catch (e) { reject(e); } } function step(result) { result.done ? resolve(result.value) : adopt(result.value).then(fulfilled, rejected); } step((generator = generator.apply(thisArg, _arguments || [])).next()); }); }; import { isReadable } from 'isstream'; import { lookup } from 'mime-types'; import { basename } from 'path'; import logger from './logger'; const FileType = require('file-type'); // custom type guards function isFileObject(obj) { return Boolean(obj && obj.value); } function isFileStream(obj) { return Boolean(obj && isReadable(obj) && obj.path); } export function isFileWithMetadata(obj) { return Boolean(obj && obj.data && isFileData(obj.data)); } export function isFileData(obj) { return Boolean(obj && (isReadable(obj) || Buffer.isBuffer(obj))); } export function isEmptyObject(obj) { return Boolean(obj && Object.keys(obj).length === 0 && obj.constructor === Object); } /** * This function retrieves the content type of the input. * @param inputData - The data to retrieve content type for. * @returns the content type of the input. */ export function getContentType(inputData) { return __awaiter(this, void 0, void 0, function* () { let contentType = null; if (isFileStream(inputData)) { // if the inputData is a NodeJS.ReadableStream const mimeType = lookup(inputData.path); // TODO: cleue quick hack, per type definition path could also be a Buffer contentType = { mime: mimeType || null }; } else if (Buffer.isBuffer(inputData)) { // if the inputData is a Buffer contentType = yield FileType.fromBuffer(inputData); } return contentType ? contentType.mime : null; }); } /** * Strips trailing slashes from "url", if present. * @param url - the url string * @returns the url with any trailing slashes removed */ export function stripTrailingSlash(url) { // Match a forward slash / at the end of the string ($) return url.replace(/\/$/, ''); } /** * Return a query parameter value from a URL * * @param urlStr - the url string. * @param param - the name of the query parameter whose value should be returned * @returns the value of the "param" query parameter */ export function getQueryParam(urlStr, param) { // The base URL is a dummy value just so we can process relative URLs const url = new URL(urlStr, 'https://foo.bar'); return url.searchParams.get(param); } /** * Validates that all required params are provided * @param params - the method parameters. * @param requires - the required parameter names. * @returns null if no errors found, otherwise an Error instance */ export function getMissingParams(params, requires) { let missing; if (!requires) { return null; } else if (!params) { missing = requires; } else { missing = []; requires.forEach((require) => { if (isMissing(params[require])) { missing.push(require); } }); } return missing.length > 0 ? new Error(`Missing required parameters: ${missing.join(', ')}`) : null; } /** * Validates that "params" contains a value for each key listed in "requiredParams", * and that each key contained in "params" is a valid key listed in "allParams". * In essence, we want params to contain only valid keys and we want params * to contain at least the required keys. * * @param params - the "params" object passed into an operation containing method parameters. * @param requiredParams - the names of required parameters. * If null, then the "required params" check is bypassed. * @param allParams - the names of all valid parameters. * If null, then the "valid params" check is bypassed. * @returns null if no errors found, otherwise an Error instance */ export function validateParams(params, requiredParams, allParams) { let missing = []; const invalid = []; // If there are any required fields, then make sure they are present in "params". if (requiredParams) { if (!params) { missing = requiredParams; } else { requiredParams.forEach((require) => { if (isMissing(params[require])) { missing.push(require); } }); } } // Make sure that each field specified in "params" is a valid param. if (allParams && params) { Object.keys(params).forEach((key) => { if (!allParams.includes(key)) { invalid.push(key); } }); } // If no errors found, then bail now. if (missing.length === 0 && invalid.length === 0) { return null; } // Return an Error object identifying the errors we found. let errorMsg = 'Parameter validation errors:'; if (missing.length > 0) { errorMsg += `\n Missing required parameters: ${missing.join(', ')}`; } if (invalid.length > 0) { errorMsg += `\n Found invalid parameters: ${invalid.join(', ')}`; } return new Error(errorMsg); } /** * Returns true if value is determined to be "missing". Currently defining "missing" * as `undefined`, `null`, or the empty string. * * @param value - the parameter value * @returns true if "value" is either undefined, null or "" (empty string) */ function isMissing(value) { return value === undefined || value === null || value === ''; } /** * Return true if 'text' is html * @param text - The 'text' to analyze * @returns true if 'text' has html tags */ export function isHTML(text) { logger.debug(`Determining if the text ${text} is HTML.`); return /<[a-z][\s\S]*>/i.test(text); } /** * Returns the first match from formats that is key the params map * otherwise null * @param params - The parameters. * @param requires - The keys we want to check */ export function getFormat(params, formats) { if (!formats || !params) { logger.debug(`No formats to parse in getFormat. Returning null`); return null; } const validFormats = formats.filter((item) => item in params); if (validFormats.length) return validFormats[0]; logger.debug(`No formats to parse in getFormat. Returning null`); return null; } /** * This function builds a `form-data` object for each file parameter. * @param fileParam - The FileWithMetadata instance that contains the file information * @returns the FileObject instance */ export function buildRequestFileObject(fileParam) { return __awaiter(this, void 0, void 0, function* () { let fileObj; if (isFileObject(fileParam.data)) { // For backward compatibility, we allow the data to be a FileObject. fileObj = { value: fileParam.data.value, options: {} }; if (fileParam.data.options) { fileObj.options = { filename: fileParam.filename || fileParam.data.options.filename, contentType: fileParam.contentType || fileParam.data.options.contentType, }; } } else { fileObj = { value: fileParam.data, options: { filename: fileParam.filename, contentType: fileParam.contentType, }, }; } // Also for backward compatibility, we allow data to be a string if (typeof fileObj.value === 'string') { fileObj.value = Buffer.from(fileObj.value); } // build filename // eslint-disable-next-line prefer-destructuring let filename = fileObj.options.filename; if (!filename && isFileStream(fileObj.value)) { // if readable stream with path property filename = fileObj.value.path; } // toString handles the case when path is a buffer fileObj.options.filename = filename ? basename(filename.toString()) : '_'; // build contentType if (!fileObj.options.contentType && isFileData(fileObj.value)) { fileObj.options.contentType = (yield getContentType(fileObj.value)) || 'application/octet-stream'; } return fileObj; }); } /** * This function converts an object's keys to lower case. * note: does not convert nested keys * @param obj - The object to convert the keys of. * @returns the object with keys folded to lowercase */ export function toLowerKeys(obj) { let lowerCaseObj = {}; if (obj) { lowerCaseObj = Object.assign({}, ...Object.keys(obj).map((key) => ({ [key.toLowerCase()]: obj[key], }))); } return lowerCaseObj; } /** * Constructs a service URL by formatting a parameterized URL. * * @param parameterizedUrl - a URL that contains variable placeholders, e.g. '\{scheme\}://ibm.com'. * @param defaultUrlVariables - a Map of variable names to default values. * Each variable in the parameterized URL must have a default value specified in this map. * @param providedUrlVariables - a Map of variable names to desired values. * If a variable is not provided in this map, the default variable value will be used instead. * @returns the formatted URL with all variable placeholders replaced by values. */ export function constructServiceUrl(parameterizedUrl, defaultUrlVariables, providedUrlVariables) { // If null was passed, we set the variables to an empty map. // This results in all default variable values being used. if (providedUrlVariables === null) { providedUrlVariables = new Map(); } // Verify the provided variable names. providedUrlVariables.forEach((_, name) => { if (!defaultUrlVariables.has(name)) { throw new Error(`'${name}' is an invalid variable name. Valid variable names: [${Array.from(defaultUrlVariables.keys()).sort()}].`); } }); // Format the URL with provided or default variable values. let formattedUrl = parameterizedUrl; defaultUrlVariables.forEach((defaultValue, name) => { // Use the default variable value if none was provided. const providedValue = providedUrlVariables.get(name); const formatValue = providedValue !== undefined ? providedValue : defaultValue; formattedUrl = formattedUrl.replace(`{${name}}`, formatValue); }); return formattedUrl; } /** * Returns true if and only if "mimeType" is a "JSON-like" mime type * (e.g. "application/json; charset=utf-8"). * @param mimeType - the mimeType string * @returns true if "mimeType" represents a JSON media type and false otherwise */ export function isJsonMimeType(mimeType) { logger.debug(`Determining if the mime type '${mimeType}' specifies JSON content.`); return !!mimeType && /^application\/json(\s*;.*)?$/i.test(mimeType); }