最新消息:雨落星辰是一个专注网站SEO优化、网站SEO诊断、搜索引擎研究、网络营销推广、网站策划运营及站长类的自媒体原创博客

Pure JavaScript replacement for Lodash'es `omit()` - Stack Overflow

programmeradmin1浏览0评论

I have been looking for a replacement for Lodash omit() using only JavaScript. This is what I want to achieve:

function omit(obj, attr) {
  // @obj: original object
  // @attr: string, attribute I want to omit
  // return a new object, do not modify the original object
}

So far, I have found this solution:

let { attr, ...newObj } = obj;

But it only works if attr is known. I want attr to be dynamic, so attr should be a string. How can I do it?

I have been looking for a replacement for Lodash omit() using only JavaScript. This is what I want to achieve:

function omit(obj, attr) {
  // @obj: original object
  // @attr: string, attribute I want to omit
  // return a new object, do not modify the original object
}

So far, I have found this solution:

let { attr, ...newObj } = obj;

But it only works if attr is known. I want attr to be dynamic, so attr should be a string. How can I do it?

Share Improve this question edited Nov 23, 2021 at 3:28 Tera Mind asked Nov 10, 2019 at 7:30 Tera MindTera Mind 2635 silver badges18 bronze badges
Add a ment  | 

2 Answers 2

Reset to default 9

The _.omit() function supports excluding multiple keys. The function accepts a list of parameters, an array of keys, or a bination of a parameters and arrays. To preserve that functionality, you can use rest parameters, flatten them to a Set, convert the object to an array of entries via Object.entries(), filter it, and then convert back to an object using Object.fromEntries().

function omit(obj, ...keys) {
  const keysToRemove = new Set(keys.flat()); // flatten the props, and convert to a Set
  
  return Object.fromEntries( // convert the entries back to object
    Object.entries(obj) // convert the object to entries
      .filter(([k]) => !keysToRemove.has(k)) // remove entries with keys that exist in the Set
  );
}

console.log(omit({ foo: 'foo', bar: 'bar', baz: 'baz' }, 'bar'));
console.log(omit({ foo: 'foo', bar: 'bar', baz: 'baz' }, 'bar', 'baz'));
console.log(omit({ foo: 'foo', bar: 'bar', baz: 'baz' }, ['bar', 'baz']));
console.log(omit({ foo: 'foo', bar: 'bar', baz: 'baz' }, 'bar', ['baz']));

Use a puted property name to "extract" the property you want to remove while destructuring:

function omit(obj, attr) {
  const { [attr]: _, ...newObj } = obj;
  return newObj;
}

console.log(omit({ foo: 'foo', bar: 'bar', baz: 'baz' }, 'bar'));

发布评论

评论列表(0)

  1. 暂无评论