36

在javascript中考虑这个对象,

var obj = { a : { b: 1, c: 2 } };

给定字符串“obj.ab”,我如何获取 this 引用的对象,以便我可以更改它的值?即我希望能够做类似的事情

obj.a.b = 5;
obj.a.c = 10;

其中“obj.ab”和“obj.ac”是字符串(不是 obj 引用)。我遇到了这篇文章,在那里我可以获得点符号字符串引用 obj 的值,但我需要的是一种可以获取对象本身的方法?

对象的嵌套可能比这更深。即也许

var obj = { a: { b: 1, c : { d : 3, e : 4}, f: 5 } }
4

6 回答 6

76

要获得该值,请考虑:

function ref(obj, str) {
    str = str.split(".");
    for (var i = 0; i < str.length; i++)
        obj = obj[str[i]];
    return obj;
}

var obj = { a: { b: 1, c : { d : 3, e : 4}, f: 5 } }
str = 'a.c.d'
ref(obj, str) // 3

或者以更奇特的方式,使用reduce

function ref(obj, str) {
    return str.split(".").reduce(function(o, x) { return o[x] }, obj);
}

在 javascript 中无法返回对对象成员的可分配引用,您必须使用如下函数:

function set(obj, str, val) {
    str = str.split(".");
    while (str.length > 1)
        obj = obj[str.shift()];
    return obj[str.shift()] = val;
}

var obj = { a: { b: 1, c : { d : 3, e : 4}, f: 5 } }
str = 'a.c.d'
set(obj, str, 99)
console.log(obj.a.c.d) // 99

或使用ref上面给出的来获取对包含对象的引用,然后将[]运算符应用于它:

parts = str.split(/\.(?=[^.]+$)/)  // Split "foo.bar.baz" into ["foo.bar", "baz"]
ref(obj, parts[0])[parts[1]] = 99
于 2012-06-07T15:29:05.240 回答
9

类似于 thg435 的答案,但带有参数检查并支持其中一个祖先级别尚未定义或不是对象的嵌套级别。

setObjByString = function(obj, str, val) {
    var keys, key;
    //make sure str is a string with length
    if (!str || !str.length || Object.prototype.toString.call(str) !== "[object String]") {
        return false;
    }
    if (obj !== Object(obj)) {
        //if it's not an object, make it one
        obj = {};
    }
    keys = str.split(".");
    while (keys.length > 1) {
        key = keys.shift();
        if (obj !== Object(obj)) {
            //if it's not an object, make it one
            obj = {};
        }
        if (!(key in obj)) {
            //if obj doesn't contain the key, add it and set it to an empty object
            obj[key] = {};
        }
        obj = obj[key];
    }
    return obj[keys[0]] = val;
};

用法:

var obj;
setObjByString(obj, "a.b.c.d.e.f", "hello");
于 2013-06-07T16:30:57.727 回答
1

If this javascript runs in a browser then you can access the object like this:

window['obj']['a']['b'] = 5

So given the string "obj.a.b" you have to split the it by .:

var s = "obj.a.b"
var e = s.split(".")
window[e[0]][e[1]][e[2]] = 5
于 2012-06-07T15:21:15.460 回答
0

在 javascript 中无法返回对对象成员的可分配引用。您可以使用像这样的单行代码通过点符号为深层对象成员赋值。

new Function('_', 'val', '_.' + path + ' = val')(obj, value);

在你的情况下:

var obj = { a : { b: 1, c: 2 } };

new Function('_', 'val', '_.a.b' + ' = val')(obj, 5); // Now obj.a.b will be equal to 5
于 2015-04-11T09:55:38.960 回答
0
var obj = { a : { b: 1, c: 2 } };
walkObject(obj,"a.b"); // 1

function walkObject( obj, path ){
  var parts = path.split("."), i=0, part;
  while (obj && (part=parts[i++])) obj=obj[part];
  return obj;
}

或者,如果您喜欢简洁的代码:

function walkObject( o, path ){
  for (var a,p=path.split('.'),i=0; o&&(a=p[i++]); o=o[a]);
  return o;
}
于 2012-06-07T15:29:34.770 回答
0

下面是一个简单的类包装器dict

class Dots(dict):
    def __init__(self, *args, **kargs):
            super(Dots, self).__init__(*args, **kargs)

    def __getitem__(self, key):
            try:
                    item = super(Dots, self).__getitem__(key)
            except KeyError:
                    item = Dots()
                    self.__setitem__(key, item)

            return Dots(item) if type(item) == dict else item

    def __setitem__(self, key, value):
            if type(value) == dict: value = Dots(value)
            super(Dots, self).__setitem__(key, value)

    __getattr__ = __getitem__
    __setattr__ = __setitem__

例子:

>>> a = Dots()
>>> a.b.c = 123
>>> a.b.c
123
>>> a.b
{'c': 123}
>>> a
{'b': {'c': 123}}

缺少的密钥会即时创建为空Dots()

>>> if a.Missing: print "Exists"
...
>>> a
{'Missing': {}, 'b': {'c': 123}}
于 2015-11-16T15:03:46.343 回答