Node.js - 从JSON对象中删除null元素

时间:2012-08-08 23:30:23

标签: javascript json node.js

我试图从JSON对象中删除null / empty元素,类似于python webutil / util.py的功能 - > trim_nulls方法。是否有我可以使用的内置于Node的内容,或者它是一种自定义方法。

示例:

var foo = {a: "val", b: null, c: { a: "child val", b: "sample", c: {}, d: 123 } };

预期结果:

foo = {a: "val", c: { a: "child val", b: "sample", d: 123 } };

6 个答案:

答案 0 :(得分:5)

我不知道为什么人们会对我的原始答案提出异议,这是错误的(猜测他们看起来太快了,就像我做的那样)。无论如何,我不熟悉节点,所以我不知道它是否包含了这个内容,但我认为你需要这样的东西直接用JS来实现:

var remove_empty = function ( target ) {

  Object.keys( target ).map( function ( key ) {

    if ( target[ key ] instanceof Object ) {

      if ( ! Object.keys( target[ key ] ).length && typeof target[ key ].getMonth !== 'function') {

        delete target[ key ];

      }

      else {

        remove_empty( target[ key ] );

      }

    }

    else if ( target[ key ] === null ) {

      delete target[ key ];

    }

  } );


  return target;

};

remove_empty( foo );

我没有尝试使用foo中的数组 - 可能需要额外的逻辑来处理不同的事情。

答案 1 :(得分:2)

感谢所有的帮助..我使用与foo一起使用的所有评论中的反馈拼凑了以下代码。

function trim_nulls(data) {
  var y;
  for (var x in data) {
    y = data[x];
    if (y==="null" || y===null || y==="" || typeof y === "undefined" || (y instanceof Object && Object.keys(y).length == 0)) {
      delete data[x];
    }
    if (y instanceof Object) y = trim_nulls(y);
  }
  return data;
}

答案 2 :(得分:2)

我发现这是最优雅的方式。另外我相信JS引擎已经针对它进行了大量优化。

  

使用内置的JSON.stringify(value[, replacer[, space]])功能。文档为here

示例是在从外部API检索某些数据,相应地定义某个模型,得到无法定义或不需要的所有内容的结果和印章的上下文中:

function chop (obj, cb) {
  const valueBlacklist = [''];
  const keyBlacklist = ['_id', '__v'];

  let res = JSON.stringify(obj, function chopChop (key, value) {
    if (keyBlacklist.indexOf(key) > -1) {
      return undefined;
    }

    // this here checks against the array, but also for undefined
    // and empty array as value
    if (value === null || value === undefined || value.length < 0 || valueBlacklist.indexOf(value) > -1) {
      return undefined;
    }
    return value;
 })
 return cb(res);
}

在您的实施中。

// within your route handling you get the raw object `result`
chop(user, function (result) {
   var body = result || '';
   res.writeHead(200, {
      'Content-Length': Buffer.byteLength(body),
      'Content-Type': 'application/json'
   });
   res.write(body);
   // bang! finsihed.
   return res.end();
});

// end of route handling

答案 3 :(得分:2)

你可以使用这个:

let fooText = JSON.stringify(foo);
    
let filteredFoo = JSON.parse(objectLogText, (key, value) => {if(value !== null) return value});

JSON.parse() docs

答案 4 :(得分:1)

您只需使用for循环进行过滤并输出到新的干净对象:

var cleanFoo = {};
for (var i in foo) {
  if (foo[i] !== null) {
    cleanFoo[i] = foo[i];
  }
}

如果您还需要处理子对象,则需要递归。

答案 5 :(得分:1)

您可以这样使用:

Object.keys(foo).forEach(index => (!foo[index] && foo[index] !== undefined) && delete foo[index]);