4
 var updateIconPathRecorsive = function (item) {
          if (item.iconSrc) {
              item.iconSrcFullpath = 'some value..';
          }

          _.each(item.items, updateIconPathRecorsive);
      };

      updateIconPathRecorsive(json);

有没有更好的方法不使用函数?我不想将函数从调用中移开,因为它就像一个复杂的 for。我可能希望能够写出以下内容:

   _.recursive(json, {children: 'items'}, function (item) {
      if (item.iconSrc) {
          item.iconSrcFullpath = 'some value..';
      }
   }); 
4

1 回答 1

6

您可以使用立即调用的命名函数表达式:

(function updateIconPathRecorsive(item) {
    if (item.iconSrc) {
        item.iconSrcFullpath = 'some value..';
    }
    _.each(item.items, updateIconPathRecorsive);
})(json);

但是您的代码段也很好,不会在 IE 中引起问题

下划线没有递归包装函数,也没有提供Y 组合器。但是,如果您愿意,您当然可以轻松地自己创建一个

_.mixin({
    recursive: function(obj, opt, iterator) {
        function recurse(obj) {
            iterator(obj);
            _.each(obj[opt.children], recurse);
        }
        recurse(obj);
    }
});
于 2013-08-13T16:24:47.833 回答