递归没有完全遍历具有嵌套对象的对象
Recursion not fully traversing object with nested objects
我打算编写一个模块,可以使用默认配置实例化,然后在初始化时使用自定义配置覆盖。配置对象有嵌套对象,所以如果自定义配置中包含这些嵌套对象,我需要遍历这些嵌套对象。我试图通过递归调用 customize
来做到这一点。这适用于第一个嵌套对象,但遍历在该对象之后结束。为什么会这样,我该怎么做才能完全遍历包含嵌套对象的对象?
function Config(options) {
function customize(conf) {
if (conf && conf.constructor === Object) {
for (var prop in conf) {
if(conf[prop].constructor === Object) {
return customize.call(this[prop], conf[prop]);
} else {
if (this.hasOwnProperty(prop)){
this[prop] = conf[prop];
}
}
}
} else {
console.error('The first argument must be an object.');
return;
}
}
//Default config values
this.foo = 'default';
this.bar = {
foo: 'default'
};
this.baz = {
foo: 'default'
};
//Overide default config with custom config
if (options && options.constructor === Object) {
customize.call(this, options);
}
}
function TestModule(){
this.init = function(options){
this.config = (options && options.constructor === Object) ? new Config(options) : new Config();
return this;
};
}
console.log(
new TestModule().init({
foo: 'custom',
bar: {foo: 'custom'},
baz: {foo: 'custom'}
}).config
);
//RESULT
// {
// foo: 'custom',
// bar: {foo: 'custom'},
// baz: {foo: 'default'}
// }
这一行:
return customize.call(this[prop], conf[prop]);
发生在 for 循环内,因此您 return 在迭代每个项目之前进行。您的 return 语句应该在循环之外。
我打算编写一个模块,可以使用默认配置实例化,然后在初始化时使用自定义配置覆盖。配置对象有嵌套对象,所以如果自定义配置中包含这些嵌套对象,我需要遍历这些嵌套对象。我试图通过递归调用 customize
来做到这一点。这适用于第一个嵌套对象,但遍历在该对象之后结束。为什么会这样,我该怎么做才能完全遍历包含嵌套对象的对象?
function Config(options) {
function customize(conf) {
if (conf && conf.constructor === Object) {
for (var prop in conf) {
if(conf[prop].constructor === Object) {
return customize.call(this[prop], conf[prop]);
} else {
if (this.hasOwnProperty(prop)){
this[prop] = conf[prop];
}
}
}
} else {
console.error('The first argument must be an object.');
return;
}
}
//Default config values
this.foo = 'default';
this.bar = {
foo: 'default'
};
this.baz = {
foo: 'default'
};
//Overide default config with custom config
if (options && options.constructor === Object) {
customize.call(this, options);
}
}
function TestModule(){
this.init = function(options){
this.config = (options && options.constructor === Object) ? new Config(options) : new Config();
return this;
};
}
console.log(
new TestModule().init({
foo: 'custom',
bar: {foo: 'custom'},
baz: {foo: 'custom'}
}).config
);
//RESULT
// {
// foo: 'custom',
// bar: {foo: 'custom'},
// baz: {foo: 'default'}
// }
这一行:
return customize.call(this[prop], conf[prop]);
发生在 for 循环内,因此您 return 在迭代每个项目之前进行。您的 return 语句应该在循环之外。