Skip to content
Snippets Groups Projects
index.js 7.57 MiB
Newer Older
Hugo SUBTIL's avatar
Hugo SUBTIL committed
    response.responseUrl = this._currentUrl;
    response.redirects = this._redirects;
    this.emit("response", response);
Hugo NOUTS's avatar
Hugo NOUTS committed

Hugo SUBTIL's avatar
Hugo SUBTIL committed
    // Clean up
    this._requestBodyBuffers = [];
    return;
  }
Hugo NOUTS's avatar
Hugo NOUTS committed

Hugo SUBTIL's avatar
Hugo SUBTIL committed
  // The response is a redirect, so abort the current request
  abortRequest(this._currentRequest);
  // Discard the remainder of the response to avoid waiting for data
  response.destroy();
Hugo NOUTS's avatar
Hugo NOUTS committed

Hugo SUBTIL's avatar
Hugo SUBTIL committed
  // RFC7231§6.4: A client SHOULD detect and intervene
  // in cyclical redirections (i.e., "infinite" redirection loops).
  if (++this._redirectCount > this._options.maxRedirects) {
    this.emit("error", new TooManyRedirectsError());
    return;
  }
Hugo NOUTS's avatar
Hugo NOUTS committed

Hugo SUBTIL's avatar
Hugo SUBTIL committed
  // Store the request headers if applicable
  var requestHeaders;
  var beforeRedirect = this._options.beforeRedirect;
  if (beforeRedirect) {
    requestHeaders = Object.assign({
      // The Host header was set by nativeProtocol.request
      Host: response.req.getHeader("host"),
    }, this._options.headers);
Hugo SUBTIL's avatar
Hugo SUBTIL committed
  // RFC7231§6.4: Automatic redirection needs to done with
  // care for methods not known to be safe, […]
  // RFC7231§6.4.2–3: For historical reasons, a user agent MAY change
  // the request method from POST to GET for the subsequent request.
  var method = this._options.method;
  if ((statusCode === 301 || statusCode === 302) && this._options.method === "POST" ||
      // RFC7231§6.4.4: The 303 (See Other) status code indicates that
      // the server is redirecting the user agent to a different resource […]
      // A user agent can perform a retrieval request targeting that URI
      // (a GET or HEAD request if using HTTP) […]
      (statusCode === 303) && !/^(?:GET|HEAD)$/.test(this._options.method)) {
    this._options.method = "GET";
    // Drop a possible entity and headers related to it
    this._requestBodyBuffers = [];
    removeMatchingHeaders(/^content-/i, this._options.headers);
  }
Hugo NOUTS's avatar
Hugo NOUTS committed

Hugo SUBTIL's avatar
Hugo SUBTIL committed
  // Drop the Host header, as the redirect might lead to a different host
  var currentHostHeader = removeMatchingHeaders(/^host$/i, this._options.headers);
Hugo NOUTS's avatar
Hugo NOUTS committed

Hugo SUBTIL's avatar
Hugo SUBTIL committed
  // If the redirect is relative, carry over the host of the last request
  var currentUrlParts = url.parse(this._currentUrl);
  var currentHost = currentHostHeader || currentUrlParts.host;
  var currentUrl = /^\w+:/.test(location) ? this._currentUrl :
    url.format(Object.assign(currentUrlParts, { host: currentHost }));

  // Determine the URL of the redirection
  var redirectUrl;
  try {
    redirectUrl = url.resolve(currentUrl, location);
  }
  catch (cause) {
    this.emit("error", new RedirectionError(cause));
    return;
Hugo SUBTIL's avatar
Hugo SUBTIL committed
  // Create the redirected request
  debug("redirecting to", redirectUrl);
  this._isRedirect = true;
  var redirectUrlParts = url.parse(redirectUrl);
  Object.assign(this._options, redirectUrlParts);

  // Drop confidential headers when redirecting to a less secure protocol
  // or to a different domain that is not a superdomain
  if (redirectUrlParts.protocol !== currentUrlParts.protocol &&
     redirectUrlParts.protocol !== "https:" ||
     redirectUrlParts.host !== currentHost &&
     !isSubdomain(redirectUrlParts.host, currentHost)) {
    removeMatchingHeaders(/^(?:authorization|cookie)$/i, this._options.headers);
Hugo SUBTIL's avatar
Hugo SUBTIL committed
  // Evaluate the beforeRedirect callback
  if (typeof beforeRedirect === "function") {
    var responseDetails = {
      headers: response.headers,
      statusCode: statusCode,
    };
    var requestDetails = {
      url: currentUrl,
      method: method,
      headers: requestHeaders,
    };
    try {
      beforeRedirect(this._options, responseDetails, requestDetails);
    }
    catch (err) {
      this.emit("error", err);
      return;
Hugo NOUTS's avatar
Hugo NOUTS committed
    }
Hugo SUBTIL's avatar
Hugo SUBTIL committed
    this._sanitizeOptions(this._options);
  }
Hugo NOUTS's avatar
Hugo NOUTS committed

Hugo SUBTIL's avatar
Hugo SUBTIL committed
  // Perform the redirected request
  try {
    this._performRequest();
  }
  catch (cause) {
    this.emit("error", new RedirectionError(cause));
Hugo NOUTS's avatar
Hugo NOUTS committed
  }
Hugo SUBTIL's avatar
Hugo SUBTIL committed
};
Hugo NOUTS's avatar
Hugo NOUTS committed

Hugo SUBTIL's avatar
Hugo SUBTIL committed
// Wraps the key/value object of protocols with redirect functionality
function wrap(protocols) {
  // Default settings
  var exports = {
    maxRedirects: 21,
    maxBodyLength: 10 * 1024 * 1024,
  };
Hugo NOUTS's avatar
Hugo NOUTS committed

Hugo SUBTIL's avatar
Hugo SUBTIL committed
  // Wrap each protocol
  var nativeProtocols = {};
  Object.keys(protocols).forEach(function (scheme) {
    var protocol = scheme + ":";
    var nativeProtocol = nativeProtocols[protocol] = protocols[scheme];
    var wrappedProtocol = exports[scheme] = Object.create(nativeProtocol);
Hugo NOUTS's avatar
Hugo NOUTS committed

Hugo SUBTIL's avatar
Hugo SUBTIL committed
    // Executes a request, following redirects
    function request(input, options, callback) {
      // Parse parameters
      if (typeof input === "string") {
        var urlStr = input;
        try {
          input = urlToOptions(new URL(urlStr));
        }
        catch (err) {
          /* istanbul ignore next */
          input = url.parse(urlStr);
        }
      }
      else if (URL && (input instanceof URL)) {
        input = urlToOptions(input);
      }
      else {
        callback = options;
        options = input;
        input = { protocol: protocol };
      }
      if (typeof options === "function") {
        callback = options;
        options = null;
      }
Hugo NOUTS's avatar
Hugo NOUTS committed

Hugo SUBTIL's avatar
Hugo SUBTIL committed
      // Set defaults
      options = Object.assign({
        maxRedirects: exports.maxRedirects,
        maxBodyLength: exports.maxBodyLength,
      }, input, options);
      options.nativeProtocols = nativeProtocols;
Hugo NOUTS's avatar
Hugo NOUTS committed

Hugo SUBTIL's avatar
Hugo SUBTIL committed
      assert.equal(options.protocol, protocol, "protocol mismatch");
      debug("options", options);
      return new RedirectableRequest(options, callback);
    }
Hugo NOUTS's avatar
Hugo NOUTS committed

Hugo SUBTIL's avatar
Hugo SUBTIL committed
    // Executes a GET request, following redirects
    function get(input, options, callback) {
      var wrappedRequest = wrappedProtocol.request(input, options, callback);
      wrappedRequest.end();
      return wrappedRequest;
    }
Hugo NOUTS's avatar
Hugo NOUTS committed

Hugo SUBTIL's avatar
Hugo SUBTIL committed
    // Expose the properties on the wrapped protocol
    Object.defineProperties(wrappedProtocol, {
      request: { value: request, configurable: true, enumerable: true, writable: true },
      get: { value: get, configurable: true, enumerable: true, writable: true },
    });
  });
  return exports;
}
Hugo NOUTS's avatar
Hugo NOUTS committed

Hugo SUBTIL's avatar
Hugo SUBTIL committed
/* istanbul ignore next */
function noop() { /* empty */ }

// from https://github.com/nodejs/node/blob/master/lib/internal/url.js
function urlToOptions(urlObject) {
  var options = {
    protocol: urlObject.protocol,
    hostname: urlObject.hostname.startsWith("[") ?
      /* istanbul ignore next */
      urlObject.hostname.slice(1, -1) :
      urlObject.hostname,
    hash: urlObject.hash,
    search: urlObject.search,
    pathname: urlObject.pathname,
    path: urlObject.pathname + urlObject.search,
    href: urlObject.href,
  };
  if (urlObject.port !== "") {
    options.port = Number(urlObject.port);
Hugo NOUTS's avatar
Hugo NOUTS committed
  }
Hugo SUBTIL's avatar
Hugo SUBTIL committed
  return options;
}
Hugo NOUTS's avatar
Hugo NOUTS committed

Hugo SUBTIL's avatar
Hugo SUBTIL committed
function removeMatchingHeaders(regex, headers) {
  var lastValue;
  for (var header in headers) {
    if (regex.test(header)) {
      lastValue = headers[header];
      delete headers[header];
    }
Hugo NOUTS's avatar
Hugo NOUTS committed
  }
Hugo SUBTIL's avatar
Hugo SUBTIL committed
  return (lastValue === null || typeof lastValue === "undefined") ?
    undefined : String(lastValue).trim();
}
Hugo NOUTS's avatar
Hugo NOUTS committed

Hugo SUBTIL's avatar
Hugo SUBTIL committed
function createErrorType(code, defaultMessage) {
  function CustomError(cause) {
    Error.captureStackTrace(this, this.constructor);
    if (!cause) {
      this.message = defaultMessage;
    }
    else {
      this.message = defaultMessage + ": " + cause.message;
      this.cause = cause;
    }
Hugo NOUTS's avatar
Hugo NOUTS committed
  }
Hugo SUBTIL's avatar
Hugo SUBTIL committed
  CustomError.prototype = new Error();
  CustomError.prototype.constructor = CustomError;
  CustomError.prototype.name = "Error [" + code + "]";
  CustomError.prototype.code = code;
  return CustomError;
}
Hugo NOUTS's avatar
Hugo NOUTS committed

Hugo SUBTIL's avatar
Hugo SUBTIL committed
function abortRequest(request) {
  for (var event of events) {
    request.removeListener(event, eventHandlers[event]);
Hugo NOUTS's avatar
Hugo NOUTS committed
  }
Hugo SUBTIL's avatar
Hugo SUBTIL committed
  request.on("error", noop);
  request.abort();
}
Hugo NOUTS's avatar
Hugo NOUTS committed

Hugo SUBTIL's avatar
Hugo SUBTIL committed
function isSubdomain(subdomain, domain) {
  const dot = subdomain.length - domain.length - 1;
  return dot > 0 && subdomain[dot] === "." && subdomain.endsWith(domain);
}

// Exports
module.exports = wrap({ http: http, https: https });
module.exports.wrap = wrap;


/***/ }),
/* 1590 */
Hugo SUBTIL's avatar
Hugo SUBTIL committed
/***/ ((module, __unused_webpack_exports, __webpack_require__) => {

var debug;

module.exports = function () {
  if (!debug) {
    try {
      /* eslint global-require: off */
      debug = __webpack_require__(1364)("follow-redirects");
Hugo SUBTIL's avatar
Hugo SUBTIL committed
    }
    catch (error) { /* */ }
    if (typeof debug !== "function") {
      debug = function () { /* */ };
    }
Hugo NOUTS's avatar
Hugo NOUTS committed
  }
Hugo SUBTIL's avatar
Hugo SUBTIL committed
  debug.apply(null, arguments);
};


/***/ }),
/* 1591 */
Hugo SUBTIL's avatar
Hugo SUBTIL committed
/***/ ((module) => {
Hugo NOUTS's avatar
Hugo NOUTS committed

Hugo SUBTIL's avatar
Hugo SUBTIL committed
module.exports = {
  "version": "0.27.2"
};
Hugo NOUTS's avatar
Hugo NOUTS committed

Hugo SUBTIL's avatar
Hugo SUBTIL committed
/***/ }),
/* 1592 */
Hugo SUBTIL's avatar
Hugo SUBTIL committed
/***/ ((module, __unused_webpack_exports, __webpack_require__) => {
Hugo NOUTS's avatar
Hugo NOUTS committed

Hugo SUBTIL's avatar
Hugo SUBTIL committed
// eslint-disable-next-line strict
module.exports = __webpack_require__(1593);
Hugo SUBTIL's avatar
Hugo SUBTIL committed
/***/ }),
/* 1593 */
Hugo SUBTIL's avatar
Hugo SUBTIL committed
/***/ ((module, __unused_webpack_exports, __webpack_require__) => {
Hugo NOUTS's avatar
Hugo NOUTS committed

Hugo SUBTIL's avatar
Hugo SUBTIL committed
var CombinedStream = __webpack_require__(147);
var util = __webpack_require__(64);
var path = __webpack_require__(142);
var http = __webpack_require__(80);
var https = __webpack_require__(81);
var parseUrl = (__webpack_require__(63).parse);
var fs = __webpack_require__(149);
var Stream = (__webpack_require__(82).Stream);
var mime = __webpack_require__(139);
var asynckit = __webpack_require__(150);
var populate = __webpack_require__(1594);
Hugo SUBTIL's avatar
Hugo SUBTIL committed

// Public API
module.exports = FormData;

// make it a Stream
util.inherits(FormData, CombinedStream);

/**
 * Create readable "multipart/form-data" streams.
 * Can be used to submit forms
 * and file uploads to other web applications.
 *
 * @constructor
 * @param {Object} options - Properties to be added/overriden for FormData and CombinedStream
 */
function FormData(options) {
  if (!(this instanceof FormData)) {
    return new FormData(options);
Hugo SUBTIL's avatar
Hugo SUBTIL committed
  this._overheadLength = 0;
  this._valueLength = 0;
  this._valuesToMeasure = [];

  CombinedStream.call(this);

  options = options || {};
  for (var option in options) {
    this[option] = options[option];
Hugo NOUTS's avatar
Hugo NOUTS committed
  }
Hugo SUBTIL's avatar
Hugo SUBTIL committed
}
Hugo NOUTS's avatar
Hugo NOUTS committed

Hugo SUBTIL's avatar
Hugo SUBTIL committed
FormData.LINE_BREAK = '\r\n';
FormData.DEFAULT_CONTENT_TYPE = 'application/octet-stream';

FormData.prototype.append = function(field, value, options) {

  options = options || {};

  // allow filename as single option
  if (typeof options == 'string') {
    options = {filename: options};
Hugo SUBTIL's avatar
Hugo SUBTIL committed
  var append = CombinedStream.prototype.append.bind(this);

  // all that streamy business can't handle numbers
  if (typeof value == 'number') {
    value = '' + value;
Hugo SUBTIL's avatar
Hugo SUBTIL committed
  // https://github.com/felixge/node-form-data/issues/38
  if (util.isArray(value)) {
    // Please convert your array into string
    // the way web server expects it
    this._error(new Error('Arrays are not supported.'));
    return;
Hugo SUBTIL's avatar
Hugo SUBTIL committed
  var header = this._multiPartHeader(field, value, options);
  var footer = this._multiPartFooter();
Hugo NOUTS's avatar
Hugo NOUTS committed

Hugo SUBTIL's avatar
Hugo SUBTIL committed
  append(header);
  append(value);
  append(footer);
Hugo NOUTS's avatar
Hugo NOUTS committed

Hugo SUBTIL's avatar
Hugo SUBTIL committed
  // pass along options.knownLength
  this._trackLength(header, value, options);
};
Hugo NOUTS's avatar
Hugo NOUTS committed

Hugo SUBTIL's avatar
Hugo SUBTIL committed
FormData.prototype._trackLength = function(header, value, options) {
  var valueLength = 0;
Hugo NOUTS's avatar
Hugo NOUTS committed

Hugo SUBTIL's avatar
Hugo SUBTIL committed
  // used w/ getLengthSync(), when length is known.
  // e.g. for streaming directly from a remote server,
  // w/ a known file a size, and not wanting to wait for
  // incoming file to finish to get its size.
  if (options.knownLength != null) {
    valueLength += +options.knownLength;
  } else if (Buffer.isBuffer(value)) {
    valueLength = value.length;
  } else if (typeof value === 'string') {
    valueLength = Buffer.byteLength(value);
Hugo SUBTIL's avatar
Hugo SUBTIL committed
  this._valueLength += valueLength;
Hugo NOUTS's avatar
Hugo NOUTS committed

Hugo SUBTIL's avatar
Hugo SUBTIL committed
  // @check why add CRLF? does this account for custom/multiple CRLFs?
  this._overheadLength +=
    Buffer.byteLength(header) +
    FormData.LINE_BREAK.length;
Hugo NOUTS's avatar
Hugo NOUTS committed

Hugo SUBTIL's avatar
Hugo SUBTIL committed
  // empty or either doesn't have path or not an http response or not a stream
  if (!value || ( !value.path && !(value.readable && value.hasOwnProperty('httpVersion')) && !(value instanceof Stream))) {
    return;
  }
Hugo NOUTS's avatar
Hugo NOUTS committed

Hugo SUBTIL's avatar
Hugo SUBTIL committed
  // no need to bother with the length
  if (!options.knownLength) {
    this._valuesToMeasure.push(value);
  }
};
Hugo NOUTS's avatar
Hugo NOUTS committed

Hugo SUBTIL's avatar
Hugo SUBTIL committed
FormData.prototype._lengthRetriever = function(value, callback) {
Hugo NOUTS's avatar
Hugo NOUTS committed

Hugo SUBTIL's avatar
Hugo SUBTIL committed
  if (value.hasOwnProperty('fd')) {
Hugo NOUTS's avatar
Hugo NOUTS committed

Hugo SUBTIL's avatar
Hugo SUBTIL committed
    // take read range into a account
    // `end` = Infinity –> read file till the end
    //
    // TODO: Looks like there is bug in Node fs.createReadStream
    // it doesn't respect `end` options without `start` options
    // Fix it when node fixes it.
    // https://github.com/joyent/node/issues/7819
    if (value.end != undefined && value.end != Infinity && value.start != undefined) {
Hugo NOUTS's avatar
Hugo NOUTS committed

Hugo SUBTIL's avatar
Hugo SUBTIL committed
      // when end specified
      // no need to calculate range
      // inclusive, starts with 0
      callback(null, value.end + 1 - (value.start ? value.start : 0));
Hugo NOUTS's avatar
Hugo NOUTS committed

Hugo SUBTIL's avatar
Hugo SUBTIL committed
    // not that fast snoopy
    } else {
      // still need to fetch file size from fs
      fs.stat(value.path, function(err, stat) {
Hugo NOUTS's avatar
Hugo NOUTS committed

Hugo SUBTIL's avatar
Hugo SUBTIL committed
        var fileSize;
Hugo NOUTS's avatar
Hugo NOUTS committed

Hugo SUBTIL's avatar
Hugo SUBTIL committed
        if (err) {
          callback(err);
          return;
Hugo SUBTIL's avatar
Hugo SUBTIL committed
        // update final size based on the range options
        fileSize = stat.size - (value.start ? value.start : 0);
        callback(null, fileSize);
      });
Hugo SUBTIL's avatar
Hugo SUBTIL committed
  // or http response
  } else if (value.hasOwnProperty('httpVersion')) {
    callback(null, +value.headers['content-length']);
Hugo NOUTS's avatar
Hugo NOUTS committed

Hugo SUBTIL's avatar
Hugo SUBTIL committed
  // or request stream http://github.com/mikeal/request
  } else if (value.hasOwnProperty('httpModule')) {
    // wait till response come back
    value.on('response', function(response) {
      value.pause();
      callback(null, +response.headers['content-length']);
    });
    value.resume();

  // something else
  } else {
    callback('Unknown stream');
Hugo NOUTS's avatar
Hugo NOUTS committed
  }
Hugo SUBTIL's avatar
Hugo SUBTIL committed
};
Hugo NOUTS's avatar
Hugo NOUTS committed

Hugo SUBTIL's avatar
Hugo SUBTIL committed
FormData.prototype._multiPartHeader = function(field, value, options) {
  // custom header specified (as string)?
  // it becomes responsible for boundary
  // (e.g. to handle extra CRLFs on .NET servers)
  if (typeof options.header == 'string') {
    return options.header;
  }
Hugo NOUTS's avatar
Hugo NOUTS committed

Hugo SUBTIL's avatar
Hugo SUBTIL committed
  var contentDisposition = this._getContentDisposition(value, options);
  var contentType = this._getContentType(value, options);
Hugo NOUTS's avatar
Hugo NOUTS committed

Hugo SUBTIL's avatar
Hugo SUBTIL committed
  var contents = '';
  var headers  = {
    // add custom disposition as third element or keep it two elements if not
    'Content-Disposition': ['form-data', 'name="' + field + '"'].concat(contentDisposition || []),
    // if no content type. allow it to be empty array
    'Content-Type': [].concat(contentType || [])
  };
Hugo NOUTS's avatar
Hugo NOUTS committed

Hugo SUBTIL's avatar
Hugo SUBTIL committed
  // allow custom headers.
  if (typeof options.header == 'object') {
    populate(headers, options.header);
  }

  var header;
  for (var prop in headers) {
    if (!headers.hasOwnProperty(prop)) continue;
    header = headers[prop];

    // skip nullish headers.
    if (header == null) {
      continue;
Hugo SUBTIL's avatar
Hugo SUBTIL committed
    // convert all headers to arrays.
    if (!Array.isArray(header)) {
      header = [header];
    }
Hugo NOUTS's avatar
Hugo NOUTS committed

Hugo SUBTIL's avatar
Hugo SUBTIL committed
    // add non-empty headers.
    if (header.length) {
      contents += prop + ': ' + header.join('; ') + FormData.LINE_BREAK;
Hugo SUBTIL's avatar
Hugo SUBTIL committed
  return '--' + this.getBoundary() + FormData.LINE_BREAK + contents + FormData.LINE_BREAK;
};
Hugo NOUTS's avatar
Hugo NOUTS committed

Hugo SUBTIL's avatar
Hugo SUBTIL committed
FormData.prototype._getContentDisposition = function(value, options) {
Hugo NOUTS's avatar
Hugo NOUTS committed

Hugo SUBTIL's avatar
Hugo SUBTIL committed
  var filename
    , contentDisposition
    ;
Hugo NOUTS's avatar
Hugo NOUTS committed

Hugo SUBTIL's avatar
Hugo SUBTIL committed
  if (typeof options.filepath === 'string') {
    // custom filepath for relative paths
    filename = path.normalize(options.filepath).replace(/\\/g, '/');
  } else if (options.filename || value.name || value.path) {
    // custom filename take precedence
    // formidable and the browser add a name property
    // fs- and request- streams have path property
    filename = path.basename(options.filename || value.name || value.path);
  } else if (value.readable && value.hasOwnProperty('httpVersion')) {
    // or try http response
    filename = path.basename(value.client._httpMessage.path || '');
Hugo SUBTIL's avatar
Hugo SUBTIL committed
  if (filename) {
    contentDisposition = 'filename="' + filename + '"';
Hugo SUBTIL's avatar
Hugo SUBTIL committed
  return contentDisposition;
};
Hugo NOUTS's avatar
Hugo NOUTS committed

Hugo SUBTIL's avatar
Hugo SUBTIL committed
FormData.prototype._getContentType = function(value, options) {
Hugo NOUTS's avatar
Hugo NOUTS committed

Hugo SUBTIL's avatar
Hugo SUBTIL committed
  // use custom content-type above all
  var contentType = options.contentType;
Hugo NOUTS's avatar
Hugo NOUTS committed

Hugo SUBTIL's avatar
Hugo SUBTIL committed
  // or try `name` from formidable, browser
  if (!contentType && value.name) {
    contentType = mime.lookup(value.name);
  }
Hugo NOUTS's avatar
Hugo NOUTS committed

Hugo SUBTIL's avatar
Hugo SUBTIL committed
  // or try `path` from fs-, request- streams
  if (!contentType && value.path) {
    contentType = mime.lookup(value.path);
  }
Hugo NOUTS's avatar
Hugo NOUTS committed

Hugo SUBTIL's avatar
Hugo SUBTIL committed
  // or if it's http-reponse
  if (!contentType && value.readable && value.hasOwnProperty('httpVersion')) {
    contentType = value.headers['content-type'];
  }
Hugo NOUTS's avatar
Hugo NOUTS committed

Hugo SUBTIL's avatar
Hugo SUBTIL committed
  // or guess it from the filepath or filename
  if (!contentType && (options.filepath || options.filename)) {
    contentType = mime.lookup(options.filepath || options.filename);
  }
Hugo NOUTS's avatar
Hugo NOUTS committed

Hugo SUBTIL's avatar
Hugo SUBTIL committed
  // fallback to the default content type if `value` is not simple value
  if (!contentType && typeof value == 'object') {
    contentType = FormData.DEFAULT_CONTENT_TYPE;
  }
Hugo NOUTS's avatar
Hugo NOUTS committed

Hugo SUBTIL's avatar
Hugo SUBTIL committed
  return contentType;
};
Hugo NOUTS's avatar
Hugo NOUTS committed

Hugo SUBTIL's avatar
Hugo SUBTIL committed
FormData.prototype._multiPartFooter = function() {
  return function(next) {
    var footer = FormData.LINE_BREAK;
Hugo NOUTS's avatar
Hugo NOUTS committed

Hugo SUBTIL's avatar
Hugo SUBTIL committed
    var lastPart = (this._streams.length === 0);
    if (lastPart) {
      footer += this._lastBoundary();
    }
Hugo NOUTS's avatar
Hugo NOUTS committed

Hugo SUBTIL's avatar
Hugo SUBTIL committed
    next(footer);
  }.bind(this);
};
Hugo NOUTS's avatar
Hugo NOUTS committed

Hugo SUBTIL's avatar
Hugo SUBTIL committed
FormData.prototype._lastBoundary = function() {
  return '--' + this.getBoundary() + '--' + FormData.LINE_BREAK;
};
Hugo NOUTS's avatar
Hugo NOUTS committed

Hugo SUBTIL's avatar
Hugo SUBTIL committed
FormData.prototype.getHeaders = function(userHeaders) {
  var header;
  var formHeaders = {
    'content-type': 'multipart/form-data; boundary=' + this.getBoundary()
  };
Hugo NOUTS's avatar
Hugo NOUTS committed

Hugo SUBTIL's avatar
Hugo SUBTIL committed
  for (header in userHeaders) {
    if (userHeaders.hasOwnProperty(header)) {
      formHeaders[header.toLowerCase()] = userHeaders[header];
    }
  }
Hugo NOUTS's avatar
Hugo NOUTS committed

Hugo SUBTIL's avatar
Hugo SUBTIL committed
  return formHeaders;
};
Hugo NOUTS's avatar
Hugo NOUTS committed

Hugo SUBTIL's avatar
Hugo SUBTIL committed
FormData.prototype.setBoundary = function(boundary) {
  this._boundary = boundary;
};
Hugo NOUTS's avatar
Hugo NOUTS committed

Hugo SUBTIL's avatar
Hugo SUBTIL committed
FormData.prototype.getBoundary = function() {
  if (!this._boundary) {
    this._generateBoundary();
  }
Hugo NOUTS's avatar
Hugo NOUTS committed

Hugo SUBTIL's avatar
Hugo SUBTIL committed
  return this._boundary;
};
Hugo NOUTS's avatar
Hugo NOUTS committed

Hugo SUBTIL's avatar
Hugo SUBTIL committed
FormData.prototype.getBuffer = function() {
  var dataBuffer = new Buffer.alloc( 0 );
  var boundary = this.getBoundary();
Hugo NOUTS's avatar
Hugo NOUTS committed

Hugo SUBTIL's avatar
Hugo SUBTIL committed
  // Create the form content. Add Line breaks to the end of data.
  for (var i = 0, len = this._streams.length; i < len; i++) {
    if (typeof this._streams[i] !== 'function') {
Hugo NOUTS's avatar
Hugo NOUTS committed

Hugo SUBTIL's avatar
Hugo SUBTIL committed
      // Add content to the buffer.
      if(Buffer.isBuffer(this._streams[i])) {
        dataBuffer = Buffer.concat( [dataBuffer, this._streams[i]]);
      }else {
        dataBuffer = Buffer.concat( [dataBuffer, Buffer.from(this._streams[i])]);
      }
Hugo NOUTS's avatar
Hugo NOUTS committed

Hugo SUBTIL's avatar
Hugo SUBTIL committed
      // Add break after content.
      if (typeof this._streams[i] !== 'string' || this._streams[i].substring( 2, boundary.length + 2 ) !== boundary) {
        dataBuffer = Buffer.concat( [dataBuffer, Buffer.from(FormData.LINE_BREAK)] );
      }
    }
  }
Hugo NOUTS's avatar
Hugo NOUTS committed

Hugo SUBTIL's avatar
Hugo SUBTIL committed
  // Add the footer and return the Buffer object.
  return Buffer.concat( [dataBuffer, Buffer.from(this._lastBoundary())] );
};
Hugo NOUTS's avatar
Hugo NOUTS committed

Hugo SUBTIL's avatar
Hugo SUBTIL committed
FormData.prototype._generateBoundary = function() {
  // This generates a 50 character boundary similar to those used by Firefox.
  // They are optimized for boyer-moore parsing.
  var boundary = '--------------------------';
  for (var i = 0; i < 24; i++) {
    boundary += Math.floor(Math.random() * 10).toString(16);
  }
Hugo NOUTS's avatar
Hugo NOUTS committed

Hugo SUBTIL's avatar
Hugo SUBTIL committed
  this._boundary = boundary;
};
Hugo NOUTS's avatar
Hugo NOUTS committed

Hugo SUBTIL's avatar
Hugo SUBTIL committed
// Note: getLengthSync DOESN'T calculate streams length
// As workaround one can calculate file size manually
// and add it as knownLength option
FormData.prototype.getLengthSync = function() {
  var knownLength = this._overheadLength + this._valueLength;
Hugo NOUTS's avatar
Hugo NOUTS committed

Hugo SUBTIL's avatar
Hugo SUBTIL committed
  // Don't get confused, there are 3 "internal" streams for each keyval pair
  // so it basically checks if there is any value added to the form
  if (this._streams.length) {
    knownLength += this._lastBoundary().length;
  }
Hugo NOUTS's avatar
Hugo NOUTS committed

Hugo SUBTIL's avatar
Hugo SUBTIL committed
  // https://github.com/form-data/form-data/issues/40
  if (!this.hasKnownLength()) {
    // Some async length retrievers are present
    // therefore synchronous length calculation is false.
    // Please use getLength(callback) to get proper length
    this._error(new Error('Cannot calculate proper length in synchronous way.'));
  }
Hugo NOUTS's avatar
Hugo NOUTS committed

Hugo SUBTIL's avatar
Hugo SUBTIL committed
  return knownLength;
};
Hugo NOUTS's avatar
Hugo NOUTS committed

Hugo SUBTIL's avatar
Hugo SUBTIL committed
// Public API to check if length of added values is known
// https://github.com/form-data/form-data/issues/196
// https://github.com/form-data/form-data/issues/262
FormData.prototype.hasKnownLength = function() {
  var hasKnownLength = true;
Hugo NOUTS's avatar
Hugo NOUTS committed

Hugo SUBTIL's avatar
Hugo SUBTIL committed
  if (this._valuesToMeasure.length) {
    hasKnownLength = false;
  }
Hugo NOUTS's avatar
Hugo NOUTS committed

Hugo SUBTIL's avatar
Hugo SUBTIL committed
  return hasKnownLength;
};

FormData.prototype.getLength = function(cb) {
  var knownLength = this._overheadLength + this._valueLength;

  if (this._streams.length) {
    knownLength += this._lastBoundary().length;
  }
Hugo NOUTS's avatar
Hugo NOUTS committed

Hugo SUBTIL's avatar
Hugo SUBTIL committed
  if (!this._valuesToMeasure.length) {
    process.nextTick(cb.bind(this, null, knownLength));
    return;
  }
Hugo NOUTS's avatar
Hugo NOUTS committed

Hugo SUBTIL's avatar
Hugo SUBTIL committed
  asynckit.parallel(this._valuesToMeasure, this._lengthRetriever, function(err, values) {
    if (err) {
      cb(err);
      return;
    }
Hugo NOUTS's avatar
Hugo NOUTS committed

Hugo SUBTIL's avatar
Hugo SUBTIL committed
    values.forEach(function(length) {
      knownLength += length;
    });
Hugo NOUTS's avatar
Hugo NOUTS committed

Hugo SUBTIL's avatar
Hugo SUBTIL committed
    cb(null, knownLength);
  });
};
Hugo NOUTS's avatar
Hugo NOUTS committed

Hugo SUBTIL's avatar
Hugo SUBTIL committed
FormData.prototype.submit = function(params, cb) {
  var request
    , options
    , defaults = {method: 'post'}
    ;
Hugo NOUTS's avatar
Hugo NOUTS committed

Hugo SUBTIL's avatar
Hugo SUBTIL committed
  // parse provided url if it's string
  // or treat it as options object
  if (typeof params == 'string') {
Hugo NOUTS's avatar
Hugo NOUTS committed

Hugo SUBTIL's avatar
Hugo SUBTIL committed
    params = parseUrl(params);
    options = populate({
      port: params.port,
      path: params.pathname,
      host: params.hostname,
      protocol: params.protocol
    }, defaults);
Hugo NOUTS's avatar
Hugo NOUTS committed

Hugo SUBTIL's avatar
Hugo SUBTIL committed
  // use custom params
  } else {
Hugo NOUTS's avatar
Hugo NOUTS committed

Hugo SUBTIL's avatar
Hugo SUBTIL committed
    options = populate(params, defaults);
    // if no port provided use default one
    if (!options.port) {
      options.port = options.protocol == 'https:' ? 443 : 80;
Hugo SUBTIL's avatar
Hugo SUBTIL committed
  // put that good code in getHeaders to some use
  options.headers = this.getHeaders(params.headers);
Hugo NOUTS's avatar
Hugo NOUTS committed

Hugo SUBTIL's avatar
Hugo SUBTIL committed
  // https if specified, fallback to http in any other case
  if (options.protocol == 'https:') {
    request = https.request(options);
  } else {
    request = http.request(options);
  }
Hugo NOUTS's avatar
Hugo NOUTS committed

Hugo SUBTIL's avatar
Hugo SUBTIL committed
  // get content length and fire away
  this.getLength(function(err, length) {
    if (err && err !== 'Unknown stream') {
      this._error(err);
      return;
    }
Hugo NOUTS's avatar
Hugo NOUTS committed

Hugo SUBTIL's avatar
Hugo SUBTIL committed
    // add content length
    if (length) {
      request.setHeader('Content-Length', length);
Hugo SUBTIL's avatar
Hugo SUBTIL committed
    this.pipe(request);
    if (cb) {
      var onResponse;
Hugo NOUTS's avatar
Hugo NOUTS committed

Hugo SUBTIL's avatar
Hugo SUBTIL committed
      var callback = function (error, responce) {
        request.removeListener('error', callback);
        request.removeListener('response', onResponse);
Hugo NOUTS's avatar
Hugo NOUTS committed

Hugo SUBTIL's avatar
Hugo SUBTIL committed
        return cb.call(this, error, responce);
      };
Hugo NOUTS's avatar
Hugo NOUTS committed

Hugo SUBTIL's avatar
Hugo SUBTIL committed
      onResponse = callback.bind(this, null);
Hugo NOUTS's avatar
Hugo NOUTS committed

Hugo SUBTIL's avatar
Hugo SUBTIL committed
      request.on('error', callback);
      request.on('response', onResponse);
    }
  }.bind(this));
Hugo NOUTS's avatar
Hugo NOUTS committed

Hugo SUBTIL's avatar
Hugo SUBTIL committed
  return request;
};
Hugo NOUTS's avatar
Hugo NOUTS committed

Hugo SUBTIL's avatar
Hugo SUBTIL committed
FormData.prototype._error = function(err) {
  if (!this.error) {
    this.error = err;
    this.pause();
    this.emit('error', err);
  }
};
Hugo NOUTS's avatar
Hugo NOUTS committed

Hugo SUBTIL's avatar
Hugo SUBTIL committed
FormData.prototype.toString = function () {
  return '[object FormData]';
};
Hugo SUBTIL's avatar
Hugo SUBTIL committed
/***/ }),
/* 1594 */
Hugo SUBTIL's avatar
Hugo SUBTIL committed
/***/ ((module) => {
Hugo NOUTS's avatar
Hugo NOUTS committed

Hugo SUBTIL's avatar
Hugo SUBTIL committed
// populates missing values
module.exports = function(dst, src) {

  Object.keys(src).forEach(function(prop)
  {
    dst[prop] = dst[prop] || src[prop];
  });

  return dst;
};
/* 1595 */
Hugo NOUTS's avatar
Hugo NOUTS committed
/***/ ((module) => {

"use strict";
Hugo SUBTIL's avatar
Hugo SUBTIL committed


module.exports = function isCancel(value) {
  return !!(value && value.__CANCEL__);
};

Hugo NOUTS's avatar
Hugo NOUTS committed

/***/ }),
/* 1596 */
Hugo NOUTS's avatar
Hugo NOUTS committed
/***/ ((module, __unused_webpack_exports, __webpack_require__) => {

var utils = __webpack_require__(1566);
Hugo SUBTIL's avatar
Hugo SUBTIL committed
 * Config-specific merge-function which creates a new config-object
 * by merging two configuration objects together.
 *
 * @param {Object} config1
 * @param {Object} config2
 * @returns {Object} New object resulting from merging config2 to config1
Hugo NOUTS's avatar
Hugo NOUTS committed
 */
Hugo SUBTIL's avatar
Hugo SUBTIL committed
module.exports = function mergeConfig(config1, config2) {
  // eslint-disable-next-line no-param-reassign
  config2 = config2 || {};
  var config = {};

  function getMergedValue(target, source) {
    if (utils.isPlainObject(target) && utils.isPlainObject(source)) {
      return utils.merge(target, source);
    } else if (utils.isPlainObject(source)) {
      return utils.merge({}, source);
    } else if (utils.isArray(source)) {
      return source.slice();
    }
    return source;
Hugo SUBTIL's avatar
Hugo SUBTIL committed
  // eslint-disable-next-line consistent-return
  function mergeDeepProperties(prop) {
    if (!utils.isUndefined(config2[prop])) {
      return getMergedValue(config1[prop], config2[prop]);
    } else if (!utils.isUndefined(config1[prop])) {
      return getMergedValue(undefined, config1[prop]);
    }
Hugo NOUTS's avatar
Hugo NOUTS committed
  }
Hugo SUBTIL's avatar
Hugo SUBTIL committed

  // eslint-disable-next-line consistent-return
  function valueFromConfig2(prop) {
    if (!utils.isUndefined(config2[prop])) {
      return getMergedValue(undefined, config2[prop]);
    }
Hugo NOUTS's avatar
Hugo NOUTS committed
  }
Hugo SUBTIL's avatar
Hugo SUBTIL committed

  // eslint-disable-next-line consistent-return
  function defaultToConfig2(prop) {
    if (!utils.isUndefined(config2[prop])) {
      return getMergedValue(undefined, config2[prop]);
    } else if (!utils.isUndefined(config1[prop])) {
      return getMergedValue(undefined, config1[prop]);
    }
  }

  // eslint-disable-next-line consistent-return
  function mergeDirectKeys(prop) {
    if (prop in config2) {
      return getMergedValue(config1[prop], config2[prop]);
    } else if (prop in config1) {
      return getMergedValue(undefined, config1[prop]);
    }
  }

  var mergeMap = {
    'url': valueFromConfig2,
    'method': valueFromConfig2,
    'data': valueFromConfig2,
    'baseURL': defaultToConfig2,
    'transformRequest': defaultToConfig2,
    'transformResponse': defaultToConfig2,
    'paramsSerializer': defaultToConfig2,
    'timeout': defaultToConfig2,
    'timeoutMessage': defaultToConfig2,
    'withCredentials': defaultToConfig2,
    'adapter': defaultToConfig2,
    'responseType': defaultToConfig2,
    'xsrfCookieName': defaultToConfig2,
    'xsrfHeaderName': defaultToConfig2,
    'onUploadProgress': defaultToConfig2,
    'onDownloadProgress': defaultToConfig2,
    'decompress': defaultToConfig2,
    'maxContentLength': defaultToConfig2,
    'maxBodyLength': defaultToConfig2,
    'beforeRedirect': defaultToConfig2,
    'transport': defaultToConfig2,
    'httpAgent': defaultToConfig2,
    'httpsAgent': defaultToConfig2,
    'cancelToken': defaultToConfig2,
    'socketPath': defaultToConfig2,
    'responseEncoding': defaultToConfig2,
    'validateStatus': mergeDirectKeys
  };

  utils.forEach(Object.keys(config1).concat(Object.keys(config2)), function computeConfigValue(prop) {
    var merge = mergeMap[prop] || mergeDeepProperties;
    var configValue = merge(prop);
    (utils.isUndefined(configValue) && merge !== mergeDirectKeys) || (config[prop] = configValue);
  });

  return config;
};


/***/ }),
/* 1597 */
Hugo SUBTIL's avatar
Hugo SUBTIL committed
/***/ ((module, __unused_webpack_exports, __webpack_require__) => {

"use strict";


var VERSION = (__webpack_require__(1591).version);
var AxiosError = __webpack_require__(1575);
Hugo SUBTIL's avatar
Hugo SUBTIL committed

var validators = {};

// eslint-disable-next-line func-names
['object', 'boolean', 'number', 'function', 'string', 'symbol'].forEach(function(type, i) {
  validators[type] = function validator(thing) {
    return typeof thing === type || 'a' + (i < 1 ? 'n ' : ' ') + type;
  };
});

var deprecatedWarnings = {};
Hugo SUBTIL's avatar
Hugo SUBTIL committed
 * Transitional option validator
 * @param {function|boolean?} validator - set to false if the transitional option has been removed
 * @param {string?} version - deprecated version / removed since version
 * @param {string?} message - some message with additional info
 * @returns {function}
Hugo NOUTS's avatar
Hugo NOUTS committed
 */
Hugo SUBTIL's avatar
Hugo SUBTIL committed
validators.transitional = function transitional(validator, version, message) {
  function formatMessage(opt, desc) {
    return '[Axios v' + VERSION + '] Transitional option \'' + opt + '\'' + desc + (message ? '. ' + message : '');
  }

  // eslint-disable-next-line func-names
  return function(value, opt, opts) {
    if (validator === false) {
      throw new AxiosError(
        formatMessage(opt, ' has been removed' + (version ? ' in ' + version : '')),
        AxiosError.ERR_DEPRECATED
      );
    }

    if (version && !deprecatedWarnings[opt]) {
      deprecatedWarnings[opt] = true;
      // eslint-disable-next-line no-console
      console.warn(
        formatMessage(
          opt,
          ' has been deprecated since v' + version + ' and will be removed in the near future'
Hugo NOUTS's avatar
Hugo NOUTS committed
        )
Hugo SUBTIL's avatar
Hugo SUBTIL committed
      );
Hugo NOUTS's avatar
Hugo NOUTS committed
    }
Hugo SUBTIL's avatar
Hugo SUBTIL committed

    return validator ? validator(value, opt, opts) : true;
  };
};

/**
 * Assert object's properties type
 * @param {object} options
 * @param {object} schema
 * @param {boolean?} allowUnknown
 */

function assertOptions(options, schema, allowUnknown) {
  if (typeof options !== 'object') {
    throw new AxiosError('options must be an object', AxiosError.ERR_BAD_OPTION_VALUE);
  }
  var keys = Object.keys(options);