typescript 在Angular项目中使用lodash时的优化救助警告

vqlkdk9b  于 2023-04-22  发布在  TypeScript
关注(0)|答案(3)|浏览(137)

x组件依赖于'lodash'。CommonJS或AMD依赖项可能导致优化救助。有关更多信息,请参阅:https://angular.io/guide/build#configuring-commonjs-dependencies
这就是我在x组件中使用lodash的方式。ts

import * as _ from 'lodash';
....
....

foo(){
 this.myObject = _.mapValues(this.myObject , () => true);
}

如何摆脱此警告?

jv4diomz

jv4diomz1#

不使用lodash的CommonJS变体,您可以使用lodash-es(ES模块化)。

y4ekin9u

y4ekin9u2#

您也可以考虑根本不使用lodash。
1.Map、Filter、Reduce

  • 这些收集方法使数据转换变得轻而易举,并且几乎具有普遍支持。我们可以将它们与箭头函数配对,以帮助我们编写Lodash提供的实现的简洁替代方案:*
_.map([1, 2, 3], function(n) { return n * 3; });
// [3, 6, 9]
_.reduce([1, 2, 3], function(total, n) { return total + n; }, 0);
// 6
_.filter([1, 2, 3], function(n) { return n <= 2; });
// [1, 2]

// becomes

[1, 2, 3].map(n => n * 3);
[1, 2, 3].reduce((total, n) => total + n);
[1, 2, 3].filter(n => n <= 2);
  • 它还不止于此。如果我们使用现代浏览器,我们还可以使用findsomeeveryreduceRight。*

1.头和尾

  • 解构语法允许我们在没有效用函数的情况下获得列表的头部和尾部 *
_.head([1, 2, 3]);
// 1
_.tail([1, 2, 3]);
// [2, 3]

// becomes

const [head, ...tail] = [1, 2, 3];
  • 也可以通过类似的方式获取初始元素和最后一个元素:*
_.initial([1, 2, 3]);
// -> [1, 2]
_.last([1, 2, 3]);
// 3

// becomes

const [last, ...initial] = [1, 2, 3].reverse();
  • 如果你觉得reverse会改变数据结构很烦人,那么你可以在调用reverse之前使用spread运算符来克隆数组:*
const xs = [1, 2, 3];
const [last, ...initial] = [...xs].reverse();

1.休息和传播

  • restspread函数允许我们定义和调用接受可变数量参数的函数。ES6为这两个操作引入了专用语法:*
var say = _.rest(function(what, names) {
  var last = _.last(names);
  var initial = _.initial(names);
  var finalSeparator = (_.size(names) > 1 ? ', & ' : '');
  return what + ' ' + initial.join(', ') +
    finalSeparator + _.last(names);
});

say('hello', 'fred', 'barney', 'pebbles');
// "hello fred, barney, & pebbles"

// becomes

const say = (what, ...names) => {
  const [last, ...initial] = names.reverse();
  const finalSeparator = (names.length > 1 ? ', &' : '');
  return `${what} ${initial.join(', ')} ${finalSeparator} ${last}`;
};

say('hello', 'fred', 'barney', 'pebbles');
// "hello fred, barney, & pebbles"

1.咖喱

  • 没有[TypeScript][5][Flow][6]这样的高级语言,我们无法给予函数类型签名,这使得curry非常困难。当我们收到curry函数时,很难知道已经提供了多少参数,以及我们接下来需要提供哪些参数。使用箭头函数,我们可以显式定义curry函数,使其他程序员更容易理解它们:*
function add(a, b) {
  return a + b;
}
var curriedAdd = _.curry(add);
var add2 = curriedAdd(2);
add2(1);
// 3

// becomes

const add = a => b => a + b;
const add2 = add(2);
add2(1);
// 3
  • 这些显式柯里化的箭头函数对于调试特别重要:*
var lodashAdd = _.curry(function(a, b) {
  return a + b;
});
var add3 = lodashAdd(3);
console.log(add3.length)
// 0
console.log(add3);
// function (a, b) {
// /* [wrapped with _.curry & _.partial] */
//   return a + b;
// }

// becomes

const es6Add = a => b => a + b;
const add3 = es6Add(3);
console.log(add3.length);
// 1
console.log(add3);
// function b => a + b
  • 如果我们使用像lodash/fpramda这样的函数库,我们也可以使用箭头来消除对自动咖喱风格的需求:*
_.map(_.prop('name'))(people);

// becomes

people.map(person => person.name);

1.部分

  • 与currying一样,我们可以使用箭头函数来使部分应用变得简单和明确:*
var greet = function(greeting, name) {
  return greeting + ' ' + name;
};

var sayHelloTo = _.partial(greet, 'hello');
sayHelloTo('fred');
// "hello fred"

// becomes

const sayHelloTo = name => greet('hello', name);
sayHelloTo('fred');
// "hello fred"
  • 也可以将rest参数与spread运算符一起使用,以部分应用变元函数:*
const sayHelloTo = (name, ...args) => greet('hello', name, ...args);
sayHelloTo('fred', 1, 2, 3);
// "hello fred"

1.操作员

  • Lodash附带了许多函数,这些函数将语法运算符重新实现为函数,以便它们可以传递给集合方法。
  • 在大多数情况下,箭头函数使它们足够简单和简短,我们可以将它们定义为内联:*
_.eq(3, 3);
// true
_.add(10, 1);
// 11
_.map([1, 2, 3], function(n) {
  return _.multiply(n, 10);
});
// [10, 20, 30]
_.reduce([1, 2, 3], _.add);
// 6

// becomes

3 === 3
10 + 1
[1, 2, 3].map(n => n * 10);
[1, 2, 3].reduce((total, n) => total + n);

1.路径

  • Lodash的许多函数都将路径作为字符串或数组。我们可以使用箭头函数来创建更多可重用的路径:*
var object = { 'a': [{ 'b': { 'c': 3 } }, 4] };

_.at(object, ['a[0].b.c', 'a[1]']);
// [3, 4]
_.at(['a', 'b', 'c'], 0, 2);
// ['a', 'c']

// becomes

[
  obj => obj.a[0].b.c,
  obj => obj.a[1]
].map(path => path(object));

[
  arr => arr[0],
  arr => arr[2]
].map(path => path(['a', 'b', 'c']));
  • 因为这些路径“只是函数”,我们也可以组合它们:*
const getFirstPerson = people => people[0];
const getPostCode = person => person.address.postcode;
const getFirstPostCode = people => getPostCode(getFirstPerson(people));
  • 我们甚至可以创建接受参数的高阶路径:*
const getFirstNPeople = n => people => people.slice(0, n);

const getFirst5People = getFirstNPeople(5);
const getFirst5PostCodes = people => getFirst5People(people).map(getPostCode);

1.选择

  • pick工具允许我们从目标对象中选择我们想要的属性。我们可以使用解构和简写对象文字来实现相同的结果:*
var object = { 'a': 1, 'b': '2', 'c': 3 };

return _.pick(object, ['a', 'c']);
// { a: 1, c: 3 }

// becomes

const { a, c } = { a: 1, b: 2, c: 3 };

return { a, c };

1.常量、恒等式、Noop

  • Lodash提供了一些实用程序,用于创建具有特定行为的简单函数:*
_.constant({ 'a': 1 })();
// { a: 1 }
_.identity({ user: 'fred' });
// { user: 'fred' }
_.noop();
// undefined
  • 我们可以使用箭头内联定义所有这些函数:*
const constant = x => () => x;
const identity = x => x;
const noop = () => undefined;
  • 或者我们可以将上面的例子重写如下:*
(() => ({ a: 1 }))();
// { a: 1 }
(x => x)({ user: 'fred' });
// { user: 'fred' }
(() => undefined)();
// undefined

1.链接和流

  • Lodash提供了一些函数来帮助我们编写链式语句。在很多情况下,内置的集合方法返回一个数组示例,可以直接链式,但在某些情况下,方法会改变集合,这是不可能的。*
  • 然而,我们可以将相同的转换定义为箭头函数数组:*
_([1, 2, 3])
 .tap(function(array) {
   // Mutate input array.
   array.pop();
 })
 .reverse()
 .value();
// [2, 1]

// becomes

const pipeline = [
  array => { array.pop(); return array; },
  array => array.reverse()
];

pipeline.reduce((xs, f) => f(xs), [1, 2, 3]);
This way, we don’t even have to think about the difference between tap and thru. Wrapping this reduction in a utility function makes a great general purpose tool:

const pipe = functions => data => {
  return functions.reduce(
    (value, func) => func(value),
    data
  );
};

const pipeline = pipe([
  x => x * 2,
  x => x / 3,
  x => x > 5,
  b => !b
]);

pipeline(5);
// true
pipeline(20);
// false

结论

Lodash仍然是一个很棒的库,本文只是提供了一个新的视角,说明JavaScript的进化版本如何让我们在以前依赖实用程序模块的情况下解决一些问题。
不要忽视它,相反,下次你要抽象的时候,想想一个简单的函数是否可以代替它!

pexxcrt2

pexxcrt23#

下面的解决方案为我工作:
步骤1:npm install --save lodash-es
第二步:白名单CommonJS依赖-angular.json

"architect": {
  "build": {
    "builder": "@angular-devkit/build-angular:browser",
    "options": {
      "allowedCommonJsDependencies": ["lodash"]
    }
  }
}

更多详情请点击这里:https://angular.io/guide/build#configuring-commonjs-dependencies

相关问题