Source: util/config.ts

  1. /**
  2. * @fileoverview Configuration Object
  3. */
  4. import assert = require('assert');
  5. import * as https from 'https';
  6. import * as url from 'url';
  7. import { Readable } from 'stream';
  8. // ------------------------------------------------------------------------------
  9. // Requirements
  10. // ------------------------------------------------------------------------------
  11. const merge = require('merge-options'),
  12. sdkVersion = require('../../package.json').version;
  13. // ------------------------------------------------------------------------------
  14. // Private
  15. // ------------------------------------------------------------------------------
  16. const nodeVersion = process.version;
  17. /**
  18. * Configuration for App Auth
  19. * @typedef {Object} AppAuthConfig
  20. * @property {string} keyID The ID of the public key used for app auth
  21. * @property {string|Buffer} privateKey The private key used for app auth
  22. * @property {string} passphrase The passphrase associated with the private key
  23. * @property {string} [algorithm=RS256] The signing algorithm to use, "RS256", "RS384", or "RS512"
  24. * @property {int} [expirationTime=30] Number of seconds the JWT should live for
  25. * @property {boolean} [verifyTimestamp=false] Whether the timestamp when the auth token is created should be validated
  26. */
  27. type AppAuthConfig = {
  28. keyID: string;
  29. privateKey: string | Buffer;
  30. passphrase: string;
  31. algorithm: 'RS256' | 'RS384' | 'RS512';
  32. expirationTime: number;
  33. verifyTimestamp: boolean;
  34. };
  35. /**
  36. * Configuration settings used to initialize and customize the SDK
  37. *
  38. * @typedef {Object} UserConfigurationOptions
  39. * @property {string} clientID Client ID of your Box Application
  40. * @property {string} clientSecret Client secret of your Box Application
  41. * @property {string} [apiRootURL] The root URL to Box [Default: 'https://api.box.com']
  42. * @property {string} [uploadAPIRootURL] The root URL to Box for uploads [Default: 'https://upload.box.com/api']
  43. * @property {string} [authorizeRootURL] The root URL for the authorization screen [Default: 'https://account.box.com/api']
  44. * @property {int} [uploadRequestTimeoutMS] Timeout after which an upload request is aborted [Default: 60000]
  45. * @property {int} [retryIntervalMS] Time between auto-retries of the API call on a temp failure [Default: 2000]
  46. * @property {int} [numMaxRetries] Max # of times a temporarily-failed request should be retried before propagating a permanent failure [Default: 5]
  47. * @property {int} [expiredBufferMS] Time before expiration, in milliseconds, when we begin to treat tokens as expired [Default: 3 min.]
  48. * @property {Object} [request] Request options
  49. * @property {boolean} [request.strictSSL] Set to false to disable strict SSL checking, which allows using Dev APIs [Default: true]
  50. * @property {?AppAuthConfig} appAuth Optional configuration for App Auth
  51. */
  52. type UserConfigurationOptions = {
  53. clientID: string;
  54. clientSecret: string;
  55. apiRootURL: string;
  56. uploadAPIRootURL: string;
  57. authorizeRootURL: string;
  58. uploadRequestTimeoutMS: number;
  59. retryIntervalMS: number;
  60. numMaxRetries: number;
  61. expiredBufferMS: number;
  62. request: {
  63. agentClass: any /* FIXME */;
  64. agentOptions: any /* FIXME */;
  65. strictSSL: boolean;
  66. };
  67. appAuth?: AppAuthConfig;
  68. proxy?: {
  69. url: string;
  70. username: string;
  71. password: string;
  72. };
  73. };
  74. var defaults = {
  75. clientID: null,
  76. clientSecret: null,
  77. apiRootURL: 'https://api.box.com',
  78. uploadAPIRootURL: 'https://upload.box.com/api',
  79. authorizeRootURL: 'https://account.box.com/api',
  80. apiVersion: '2.0',
  81. uploadRequestTimeoutMS: 60000,
  82. retryIntervalMS: 2000,
  83. numMaxRetries: 5,
  84. retryStrategy: null,
  85. expiredBufferMS: 180000,
  86. appAuth: undefined,
  87. iterators: false,
  88. enterpriseID: undefined,
  89. analyticsClient: null,
  90. disableStreamPassThrough: false,
  91. proxy: {
  92. url: null,
  93. username: null,
  94. password: null,
  95. },
  96. request: {
  97. // By default, require API SSL cert to be valid
  98. strictSSL: true,
  99. // Use an agent with keep-alive enabled to avoid performing SSL handshake per connection
  100. agentClass: https.Agent,
  101. agentOptions: {
  102. keepAlive: true,
  103. },
  104. // Encode requests as JSON. Encode the response as well if JSON is returned.
  105. json: true,
  106. // Do not encode the response as a string, since the response could be a file. return Buffers instead.
  107. encoding: null,
  108. // A redirect is usually information we want to handle, so don't automatically follow
  109. followRedirect: false,
  110. // By default, we attach a version-specific user-agent string to SDK requests
  111. headers: {
  112. 'User-Agent': `Box Node.js SDK v${sdkVersion} (Node ${nodeVersion})`,
  113. },
  114. },
  115. };
  116. var appAuthDefaults = {
  117. algorithm: 'RS256',
  118. expirationTime: 30,
  119. verifyTimestamp: false,
  120. };
  121. /**
  122. * Validate the basic Config values needed for the SDK to function
  123. * @param {UserConfigurationOptions} params The user-supplied config values
  124. * @returns {void}
  125. * @throws {AssertionError}
  126. * @private
  127. */
  128. function validateBasicParams(params: UserConfigurationOptions) {
  129. // Assert that the given params valid, and that required values are present
  130. assert(
  131. typeof params.clientID === 'string',
  132. '"clientID" must be set via init() before using the SDK.'
  133. );
  134. assert(
  135. typeof params.clientSecret === 'string',
  136. '"clientSecret" must be set via init() before using the SDK.'
  137. );
  138. }
  139. /**
  140. * Validate app auth-specific Config values
  141. * @param {Object} appAuth The user-supplied app auth values
  142. * @returns {void}
  143. * @throws {AssertionError}
  144. * @private
  145. */
  146. function validateAppAuthParams(appAuth: AppAuthConfig) {
  147. assert(
  148. typeof appAuth.keyID === 'string',
  149. 'Key ID must be provided in app auth params'
  150. );
  151. assert(
  152. typeof appAuth.privateKey === 'string' ||
  153. appAuth.privateKey instanceof Buffer,
  154. 'Private key must be provided in app auth params'
  155. );
  156. assert(
  157. typeof appAuth.passphrase === 'string' && appAuth.passphrase.length > 0,
  158. 'Passphrase must be provided in app auth params'
  159. );
  160. var validAlgorithms = ['RS256', 'RS384', 'RS512'];
  161. if (typeof appAuth.algorithm !== 'undefined') {
  162. assert(
  163. validAlgorithms.indexOf(appAuth.algorithm) > -1,
  164. `Algorithm in app auth params must be one of: ${validAlgorithms.join(
  165. ', '
  166. )}`
  167. );
  168. }
  169. if (typeof appAuth.expirationTime !== 'undefined') {
  170. assert(
  171. Number.isInteger(appAuth.expirationTime) &&
  172. appAuth.expirationTime > 0 &&
  173. appAuth.expirationTime <= 60,
  174. 'Valid token expiration time (0 - 60) must be provided in app auth params'
  175. );
  176. }
  177. }
  178. /**
  179. * Update the agentClass based on the proxy config values passed in by the user
  180. * @param {UserConfigurationOptions} params The current Config values
  181. * @returns {void}
  182. * @private
  183. */
  184. function updateRequestAgent(
  185. params: UserConfigurationOptions &
  186. Required<Pick<UserConfigurationOptions, 'proxy'>>
  187. ) {
  188. if (params.proxy.url) {
  189. let proxyUrl = params.proxy.url;
  190. if (params.proxy.username && params.proxy.password) {
  191. proxyUrl = proxyUrl.replace('://', `://${params.proxy.username}:${params.proxy.password}@`);
  192. }
  193. const ProxyAgent = require('proxy-agent').ProxyAgent;
  194. params.request.agentClass = ProxyAgent;
  195. params.request.agentOptions = Object.assign({},
  196. params.request.agentOptions,
  197. {
  198. getProxyForUrl: (url: string) => proxyUrl
  199. }
  200. );
  201. }
  202. }
  203. /**
  204. * Deep freeze an object and all nested objects within it. It doesn't go deep on
  205. * Buffers and Readable streams so can be used on objects containing requests.
  206. * @param {Object} obj The object to freeze
  207. * @returns {Object} The frozen object
  208. */
  209. function deepFreezeWithRequest(obj: any) {
  210. Object.freeze(obj);
  211. Object.getOwnPropertyNames(obj).forEach(function (name) {
  212. const prop = obj[name];
  213. if (
  214. prop !== null &&
  215. typeof prop === 'object' &&
  216. obj.hasOwnProperty(name) &&
  217. !Object.isFrozen(prop) &&
  218. !(prop instanceof Buffer) &&
  219. !(prop instanceof Readable)
  220. ) {
  221. deepFreezeWithRequest(obj[name]);
  222. }
  223. });
  224. return obj;
  225. }
  226. // ------------------------------------------------------------------------------
  227. // Public
  228. // ------------------------------------------------------------------------------
  229. /**
  230. * A Config Object holds the configuration options of the current setup. These are all
  231. * customizable by the user, and will default if no value is specified in the given params
  232. * object. The object is frozen on initialization, so that no values can be changed after
  233. * setup.
  234. *
  235. * @param {UserConfigurationOptions} params - The config options set by the user
  236. * @constructor
  237. */
  238. class Config {
  239. _params: Required<UserConfigurationOptions>;
  240. [key: string]: any;
  241. constructor(params: UserConfigurationOptions) {
  242. validateBasicParams(params);
  243. if (typeof params.appAuth === 'object') {
  244. validateAppAuthParams(params.appAuth);
  245. params.appAuth = merge({}, appAuthDefaults, params.appAuth);
  246. }
  247. // Ensure that we don't accidentally assign over Config methods
  248. assert(
  249. !params.hasOwnProperty('extend'),
  250. 'Config params may not override Config methods'
  251. );
  252. assert(
  253. !params.hasOwnProperty('_params'),
  254. 'Config params may not override Config methods'
  255. );
  256. // Set the given params or default value if params property is missing
  257. this._params = merge(defaults, params);
  258. updateRequestAgent(this._params);
  259. Object.assign(this, this._params);
  260. // Freeze the object so that configuration options cannot be modified
  261. deepFreezeWithRequest(this);
  262. }
  263. /**
  264. * Extend the current config into a new config with new params overriding old ones
  265. * @param {UserConfigurationOptions} params The override options
  266. * @returns {Config} The extended configuration
  267. */
  268. extend(params: UserConfigurationOptions) {
  269. var newParams = merge({}, this._params, params);
  270. delete newParams.extend;
  271. delete newParams._params;
  272. return new Config(newParams);
  273. }
  274. }
  275. /**
  276. * @module box-node-sdk/lib/util/config
  277. * @see {@Link Config}
  278. */
  279. export = Config;