Skip to content

Commit 8071d41

Browse files
v1.0.422
[Bot] push changes from Files.com
1 parent 0ac2175 commit 8071d41

File tree

185 files changed

+8346
-940
lines changed

Some content is hidden

Large Commits have some content hidden by default. Use the searchbox below for content that may be hidden.

185 files changed

+8346
-940
lines changed

.eslintrc.js

+179
Original file line numberDiff line numberDiff line change
@@ -0,0 +1,179 @@
1+
/** We extend a variety of already-configured ESLint rules (see `extends` in the exported ESLint
2+
* config below). Note that plugins (see `plugins`) simply give us access to rules. We can extend
3+
* rules from those plugins, if an exported configuration is available, or we can customize
4+
* individual rules ourselves (see `customRules`). We can also extend rules and then override some
5+
* of them (see `airbnbOverrides`). To inspect a configured rule that we're extending, simply go to
6+
* the package repository and search for the rule name (e.g. https://github.com/airbnb/javascript/search?q=arrow-parens).
7+
*/
8+
9+
// Rules that override the airbnb configuration that we extend.
10+
const airbnbOverrides = {
11+
// Files.com: Brevity.
12+
// Airbnb: Consistency. Diff churn. Inconvenience of adding/removing parens as code changes.
13+
'arrow-parens': ['error', 'as-needed'],
14+
15+
// Files.com: Consistency. Diff churn. Inconvenience of adding/removing braces as code changes.
16+
// Airbnb: Brevity (only require curly braces for multi-line statements, allowing for single-line
17+
// `if` statements with no braces, for example).
18+
curly: ['error', 'all'],
19+
20+
// Airbnb: Enforces strict equality with the exception of loose equality checks on null (which is
21+
// an easy way to check for either null or undefined). See
22+
// https://github.com/airbnb/javascript/issues/1473#issuecomment-312178468.
23+
// Files.com: No exceptions to strict equality. For a check of either null or undefined, prefer
24+
// isNil() from lodash which does a loose equality check under the hood, but demonstrates explicit
25+
// intent when used in our codebase.
26+
eqeqeq: ['error', 'always'],
27+
28+
// Function names allow for a better debugging experience (i.e. eliminates anonymous function
29+
// exceptions). Airbnb has this set to warn, and they recommend always naming functions (in order
30+
// to eliminate any assumptions made about the Error's call stack). However, in our case, the name
31+
// is inferred from the containing variable (modern browsers already handle this, as do compilers
32+
// such as Babel, which we use). Therefore, we can use the 'as-needed' option and only require a
33+
// name when it isn't assigned automatically per the ECMAScript specification.
34+
'func-names': ['error', 'as-needed'],
35+
36+
// Enforced by Airbnb style guide, but not yet enforced via Airbnb's lint rules. This is on
37+
// Airbnb's TODO list, but we'll go ahead and enforce it now. We can remove override after they
38+
// enforce expression with an error.
39+
'func-style': ['error', 'expression'],
40+
41+
// Airbnb: warn
42+
'no-console': 'error',
43+
44+
// Airbnb: off
45+
'padding-line-between-statements': [
46+
'error',
47+
{
48+
blankLine: 'always',
49+
next: '*',
50+
prev: [
51+
'block',
52+
'block-like',
53+
'multiline-block-like',
54+
'multiline-const',
55+
'multiline-expression',
56+
'multiline-let',
57+
],
58+
},
59+
],
60+
61+
// Files.com: Brevity.
62+
// Airbnb: Rare code-safety concerns that may grow with new editions of ECMAScript.
63+
semi: ['error', 'never'],
64+
65+
// Airbnb has this configured, but disabled. We enable it with their configuration, given that
66+
// Files.com prefers alphabetization. Also see the 'react/jsx-sort-props' and
67+
// sort-destructure-keys rules.
68+
'sort-keys': ['error', 'asc', { caseSensitive: false, natural: true }],
69+
}
70+
71+
// Temporary overrides of our extended configurations, until we've either cleaned up all errors or
72+
// make a decision to permanently override a rule. To clean up, remove rule (allowing the extended
73+
// style guide to take over), run lint, and fix errors.
74+
const temporaryOverrides = {
75+
camelcase: ['warn', { ignoreDestructuring: false, properties: 'never' }],
76+
'consistent-return': 'warn',
77+
'global-require': 'off',
78+
'guard-for-in': 'warn',
79+
'implicit-arrow-linebreak': 'off',
80+
'import/no-dynamic-require': 'warn',
81+
'import/no-import-module-exports': 'off',
82+
'import/no-named-as-default': 'warn',
83+
'import/prefer-default-export': 'warn',
84+
'jest/no-conditional-expect': 'warn',
85+
'jsx-a11y/label-has-associated-control': ['warn', {
86+
assert: 'either',
87+
controlComponents: ['Input', 'Field'],
88+
depth: 25,
89+
labelAttributes: [],
90+
labelComponents: [],
91+
}],
92+
'jsx-a11y/no-autofocus': ['warn', { ignoreNonDOM: true }],
93+
'max-len': "off",
94+
'no-await-in-loop': 'warn',
95+
'no-confusing-arrow': ['warn', { allowParens: true }],
96+
'no-continue': 'warn',
97+
'no-empty-function': ['warn', {
98+
allow: [
99+
'arrowFunctions',
100+
'functions',
101+
'methods',
102+
],
103+
}],
104+
'no-nested-ternary': 'off',
105+
'no-param-reassign': 'off',
106+
'no-plusplus': 'off',
107+
'no-promise-executor-return': 'warn',
108+
'no-restricted-exports': ['warn', { restrictedNamedExports: ['default', 'then'] }],
109+
'no-restricted-syntax': [
110+
'warn',
111+
{
112+
message: 'for..in loops iterate over the entire prototype chain, which is virtually never what you want. Use Object.{keys,values,entries}, and iterate over the resulting array.',
113+
selector: 'ForInStatement',
114+
},
115+
{
116+
message: 'iterators/generators require regenerator-runtime, which is too heavyweight for this guide to allow them. Separately, loops should be avoided in favor of array iterations.',
117+
selector: 'ForOfStatement',
118+
},
119+
{
120+
message: 'Labels are a form of GOTO; using them makes code confusing and hard to maintain and understand.',
121+
selector: 'LabeledStatement',
122+
},
123+
{
124+
message: '`with` is disallowed in strict mode because it makes code impossible to predict and optimize.',
125+
selector: 'WithStatement',
126+
},
127+
],
128+
'no-return-await': 'warn',
129+
'no-shadow': 'warn',
130+
'no-underscore-dangle': 'off',
131+
'import/extensions': 'off',
132+
radix: 'warn',
133+
}
134+
135+
module.exports = {
136+
env: {
137+
browser: true,
138+
es2021: true,
139+
node: true,
140+
},
141+
extends: [
142+
// Rule names without prefixes (standard ESLint rules), and those prefixed with jsx-a11y/,
143+
// react/, and import/
144+
'airbnb',
145+
146+
// Rule names prefixed with react-hooks/
147+
'airbnb/hooks',
148+
149+
// Rule names prefixed with jest/
150+
'plugin:jest/recommended',
151+
],
152+
overrides: [
153+
{
154+
files: ['*_spec.js'], // cypress specs
155+
rules: {
156+
'jest/expect-expect': 'off',
157+
},
158+
},
159+
],
160+
parser: '@babel/eslint-parser',
161+
parserOptions: {
162+
ecmaFeatures: {
163+
jsx: true,
164+
},
165+
sourceType: 'module',
166+
},
167+
plugins: ['jest'],
168+
rules: {
169+
...airbnbOverrides,
170+
...temporaryOverrides,
171+
},
172+
settings: {
173+
'import/resolver': {
174+
node: {
175+
paths: ['src'],
176+
},
177+
},
178+
},
179+
}

.npmrc

-1
This file was deleted.

_VERSION

+1-1
Original file line numberDiff line numberDiff line change
@@ -1 +1 @@
1-
1.0.421
1+
1.0.422

lib/Api.js

+14-13
Original file line numberDiff line numberDiff line change
@@ -24,7 +24,7 @@ function _getRequireWildcardCache(e) { if ("function" != typeof WeakMap) return
2424
function _interopRequireWildcard(e, r) { if (!r && e && e.__esModule) return e; if (null === e || "object" != _typeof(e) && "function" != typeof e) return { default: e }; var t = _getRequireWildcardCache(r); if (t && t.has(e)) return t.get(e); var n = { __proto__: null }, a = Object.defineProperty && Object.getOwnPropertyDescriptor; for (var u in e) if ("default" !== u && Object.prototype.hasOwnProperty.call(e, u)) { var i = a ? Object.getOwnPropertyDescriptor(e, u) : null; i && (i.get || i.set) ? Object.defineProperty(n, u, i) : n[u] = e[u]; } return n.default = e, t && t.set(e, n), n; }
2525
function ownKeys(e, r) { var t = Object.keys(e); if (Object.getOwnPropertySymbols) { var o = Object.getOwnPropertySymbols(e); r && (o = o.filter(function (r) { return Object.getOwnPropertyDescriptor(e, r).enumerable; })), t.push.apply(t, o); } return t; }
2626
function _objectSpread(e) { for (var r = 1; r < arguments.length; r++) { var t = null != arguments[r] ? arguments[r] : {}; r % 2 ? ownKeys(Object(t), !0).forEach(function (r) { (0, _defineProperty2.default)(e, r, t[r]); }) : Object.getOwnPropertyDescriptors ? Object.defineProperties(e, Object.getOwnPropertyDescriptors(t)) : ownKeys(Object(t)).forEach(function (r) { Object.defineProperty(e, r, Object.getOwnPropertyDescriptor(t, r)); }); } return e; }
27-
var _fetchWithTimeout = function _fetchWithTimeout(url) {
27+
var fetchWithTimeout = function fetchWithTimeout(url) {
2828
var _ref = arguments.length > 1 && arguments[1] !== undefined ? arguments[1] : {},
2929
timeoutSecs = _ref.timeoutSecs,
3030
options = (0, _objectWithoutProperties2.default)(_ref, _excluded);
@@ -55,7 +55,7 @@ var fetchWithRetry = /*#__PURE__*/function () {
5555
maxRetryDelaySecs = _Files.default.getMaxNetworkRetryDelay();
5656
_context.prev = 4;
5757
_context.next = 7;
58-
return _fetchWithTimeout(url, options);
58+
return fetchWithTimeout(url, options);
5959
case 7:
6060
return _context.abrupt("return", _context.sent);
6161
case 10:
@@ -73,7 +73,7 @@ var fetchWithRetry = /*#__PURE__*/function () {
7373
delaySecs = Math.min(minRetryDelaySecs * Math.pow(2, retries), maxRetryDelaySecs); // exponential backoff
7474
_context.next = 22;
7575
return new Promise(function (resolve) {
76-
return setTimeout(resolve, delaySecs * 1000);
76+
setTimeout(resolve, delaySecs * 1000);
7777
});
7878
case 22:
7979
return _context.abrupt("return", fetchWithRetry(url, options, nextRetries));
@@ -177,10 +177,10 @@ _class = Api;
177177
data = response.body;
178178
case 40:
179179
normalizedResponse = {
180-
status: response.status,
181-
reason: response.statusText,
180+
data: data,
182181
headers: headers,
183-
data: data
182+
reason: response.statusText,
183+
status: response.status
184184
};
185185
if (response.ok) {
186186
_context2.next = 43;
@@ -195,7 +195,8 @@ _class = Api;
195195
_context2.prev = 46;
196196
_context2.t0 = _context2["catch"](8);
197197
errors.handleErrorResponse(_context2.t0);
198-
case 49:
198+
return _context2.abrupt("return", null);
199+
case 50:
199200
case "end":
200201
return _context2.stop();
201202
}
@@ -220,13 +221,13 @@ _class = Api;
220221
while (1) switch (_context3.prev = _context3.next) {
221222
case 0:
222223
if (!((_options$autoPaginate = options.autoPaginate) !== null && _options$autoPaginate !== void 0 ? _options$autoPaginate : _Files.default.getAutoPaginate())) {
223-
_context3.next = 12;
224+
_context3.next = 10;
224225
break;
225226
}
226227
nextCursor = response === null || response === void 0 || (_response$headers = response.headers) === null || _response$headers === void 0 ? void 0 : _response$headers['x-files-cursor'];
227228
_ref6 = metadata || {}, autoPaginateCount = _ref6.autoPaginateCount, previousAutoPaginateData = _ref6.previousAutoPaginateData;
228229
if (!nextCursor) {
229-
_context3.next = 10;
230+
_context3.next = 8;
230231
break;
231232
}
232233
nextPage = (Number(params === null || params === void 0 ? void 0 : params.page) || 1) + 1;
@@ -239,18 +240,18 @@ _class = Api;
239240
previousAutoPaginateData: [].concat((0, _toConsumableArray2.default)(previousAutoPaginateData || []), (0, _toConsumableArray2.default)((response === null || response === void 0 ? void 0 : response.data) || []))
240241
};
241242
return _context3.abrupt("return", _class.sendRequest(path, verb, nextParams, options, nextMetadata));
242-
case 10:
243+
case 8:
243244
if (!previousAutoPaginateData) {
244-
_context3.next = 12;
245+
_context3.next = 10;
245246
break;
246247
}
247248
return _context3.abrupt("return", _objectSpread(_objectSpread({}, response), {}, {
248249
autoPaginateRequests: autoPaginateCount,
249250
data: [].concat((0, _toConsumableArray2.default)(previousAutoPaginateData), (0, _toConsumableArray2.default)((response === null || response === void 0 ? void 0 : response.data) || []))
250251
}));
251-
case 12:
252+
case 10:
252253
return _context3.abrupt("return", response);
253-
case 13:
254+
case 11:
254255
case "end":
255256
return _context3.stop();
256257
}

lib/Errors.js

+4-2
Original file line numberDiff line numberDiff line change
@@ -13,7 +13,7 @@ var _getPrototypeOf2 = _interopRequireDefault(require("@babel/runtime/helpers/ge
1313
var _wrapNativeSuper2 = _interopRequireDefault(require("@babel/runtime/helpers/wrapNativeSuper"));
1414
var _Logger = _interopRequireDefault(require("./Logger"));
1515
function _createSuper(Derived) { var hasNativeReflectConstruct = _isNativeReflectConstruct(); return function _createSuperInternal() { var Super = (0, _getPrototypeOf2.default)(Derived), result; if (hasNativeReflectConstruct) { var NewTarget = (0, _getPrototypeOf2.default)(this).constructor; result = Reflect.construct(Super, arguments, NewTarget); } else { result = Super.apply(this, arguments); } return (0, _possibleConstructorReturn2.default)(this, result); }; }
16-
function _isNativeReflectConstruct() { if (typeof Reflect === "undefined" || !Reflect.construct) return false; if (Reflect.construct.sham) return false; if (typeof Proxy === "function") return true; try { Boolean.prototype.valueOf.call(Reflect.construct(Boolean, [], function () {})); return true; } catch (e) { return false; } }
16+
function _isNativeReflectConstruct() { if (typeof Reflect === "undefined" || !Reflect.construct) return false; if (Reflect.construct.sham) return false; if (typeof Proxy === "function") return true; try { Boolean.prototype.valueOf.call(Reflect.construct(Boolean, [], function () {})); return true; } catch (e) { return false; } } /* eslint-disable camelcase, max-classes-per-file */
1717
var FilesError = exports.FilesError = /*#__PURE__*/function (_Error) {
1818
(0, _inherits2.default)(FilesError, _Error);
1919
var _super = _createSuper(FilesError);
@@ -58,7 +58,9 @@ var handleErrorResponse = exports.handleErrorResponse = function handleErrorResp
5858
throw new FilesApiError(message, code);
5959
}
6060
if (Array.isArray(errorData)) {
61-
errorData = errorData[0];
61+
var _errorData3 = errorData;
62+
var _errorData4 = (0, _slicedToArray2.default)(_errorData3, 1);
63+
errorData = _errorData4[0];
6264
}
6365
if (!errorData.type) {
6466
_Logger.default.error('FilesApiError Exception:', code, message);

lib/Files.js

+6-6
Original file line numberDiff line numberDiff line change
@@ -11,7 +11,7 @@ var endpointPrefix = '/api/rest/v1';
1111
var apiKey;
1212
var baseUrl = 'https://app.files.com';
1313
var sessionId = null;
14-
var version = "1.0.421";
14+
var version = '1.0';
1515
var userAgent = "Files.com JavaScript SDK v".concat(version);
1616
var logLevel = _Logger.LogLevel.INFO;
1717
var debugRequest = false;
@@ -25,25 +25,25 @@ var Files = /*#__PURE__*/(0, _createClass2.default)(function Files() {
2525
(0, _classCallCheck2.default)(this, Files);
2626
});
2727
(0, _defineProperty2.default)(Files, "setUserAgent", function (value) {
28-
return userAgent = value;
28+
userAgent = value;
2929
});
3030
(0, _defineProperty2.default)(Files, "getUserAgent", function () {
3131
return userAgent;
3232
});
3333
(0, _defineProperty2.default)(Files, "setApiKey", function (value) {
34-
return apiKey = value;
34+
apiKey = value;
3535
});
3636
(0, _defineProperty2.default)(Files, "getApiKey", function () {
3737
return apiKey;
3838
});
3939
(0, _defineProperty2.default)(Files, "setBaseUrl", function (value) {
40-
return baseUrl = value;
40+
baseUrl = value;
4141
});
4242
(0, _defineProperty2.default)(Files, "getBaseUrl", function () {
4343
return baseUrl;
4444
});
4545
(0, _defineProperty2.default)(Files, "setSessionId", function (value) {
46-
return sessionId = value;
46+
sessionId = value;
4747
});
4848
(0, _defineProperty2.default)(Files, "getSessionId", function () {
4949
return sessionId;
@@ -52,7 +52,7 @@ var Files = /*#__PURE__*/(0, _createClass2.default)(function Files() {
5252
return endpointPrefix;
5353
});
5454
(0, _defineProperty2.default)(Files, "setLogLevel", function (value) {
55-
return logLevel = value;
55+
logLevel = value;
5656
});
5757
(0, _defineProperty2.default)(Files, "getLogLevel", function () {
5858
return logLevel;

0 commit comments

Comments
 (0)