web-dev-qa-db-fra.com

Comment définir la propriété d'objet (de la propriété d'objet de ..) étant donné son nom de chaîne en JavaScript?

Supposons que nous ne recevions que

var obj = {};
var propName = "foo.bar.foobar";

Comment pouvons-nous définir la propriété obj.foo.bar.foobar à une certaine valeur (disons "hello world")?

obj.foo.bar.foobar = "hello world";
42
Chiel ten Brinke
function assign(obj, prop, value) {
    if (typeof prop === "string")
        prop = prop.split(".");

    if (prop.length > 1) {
        var e = prop.shift();
        assign(obj[e] =
                 Object.prototype.toString.call(obj[e]) === "[object Object]"
                 ? obj[e]
                 : {},
               prop,
               value);
    } else
        obj[prop[0]] = value;
}

var obj = {},
    propName = "foo.bar.foobar";

assign(obj, propName, "Value");
70
VisioN

Comme il semble y avoir des réponses incorrectes à cette question, je me référerai à la bonne réponse de une question similaire

function setDeepValue(obj, value, path) {
    if (typeof path === "string") {
        var path = path.split('.');
    }

    if(path.length > 1){
        var p=path.shift();
        if(obj[p]==null || typeof obj[p]!== 'object'){
             obj[p] = {};
        }
        setDeepValue(obj[p], value, path);
    }else{
        obj[path[0]] = value;
    }
}

Utilisation:

var obj = {};
setDeepValue(obj, 'Hello World', 'foo.bar.foobar');
12
Cerbrus

edit: J'ai créé un jsPerf.com testcase pour comparer la réponse acceptée avec ma version . Il se trouve que ma version est plus rapide, surtout lorsque vous allez très loin.

http://jsfiddle.net/9YMm8/

var nestedObjectAssignmentFor = function(obj, propString, value) {
    var propNames = propString.split('.'),
        propLength = propNames.length-1,
        tmpObj = obj;

    for (var i = 0; i <= propLength ; i++) {
        tmpObj = tmpObj[propNames[i]] = i !== propLength ?  {} : value;  
    }
    return obj;
}

var obj = nestedObjectAssignment({},"foo.bar.foobar","hello world");

Le plus grand centre commercial

Le plus grand centre commercial

4
Stephan Bönnemann

Je sais que c'est un vieux, mais je ne vois que des fonctions personnalisées dans les réponses.
Si vous n’êtes pas dérangé par l’utilisation d’une bibliothèque, regardez lodash_.set et _.get function.

3

Toutes les solutions dépassant les données d'origine lors de la configuration, j'ai donc modifié le texte suivant en un objet unique:

 var obj = {}
 nestObject.set(obj, "a.b", "foo"); 
 nestObject.get(obj, "a.b"); // returns foo     

 var nestedObject = {
     set: function(obj, propString, value) {
         var propNames = propString.split('.'),
             propLength = propNames.length-1,
             tmpObj = obj;
         for (var i = 0; i <= propLength ; i++) {
             if (i === propLength){
                 if(tmpObj[propNames[i]]){
                     tmpObj[propNames[i]] = value;
                 }else{
                     tmpObj[propNames[i]] = value;
                 }
             }else{
                 if(tmpObj[propNames[i]]){
                     tmpObj = tmpObj[propNames[i]];
                 }else{
                     tmpObj = tmpObj[propNames[i]] = {};
                 }
             }
         }
         return obj;
     },
     get: function(obj, propString){
         var propNames = propString.split('.'),
             propLength = propNames.length-1,
             tmpObj = obj;
         for (var i = 0; i <= propLength ; i++) {
             if(tmpObj[propNames[i]]){
                 tmpObj = tmpObj[propNames[i]];
             }else{
                 break;
             }
         }
         return tmpObj;
     }
 };

Peut également changer les fonctions pour qu’elles soient une méthode Oject.prototype transformant obj param en ceci:

Object.prototype = { setNested = function(){ ... }, getNested = function(){ ... } } 

{}.setNested('a.c','foo') 
3
Labithiotis

Voici une fonction simple pour le faire en utilisant référence.

    function setValueByPath (obj, path, value) {
        var ref = obj;

        path.split('.').forEach(function (key, index, arr) {
            ref = ref[key] = index === arr.length - 1 ? value : {};
        });

        return obj;
    }
2
Thiago Kroger

En voici un qui retourne l'objet mis à jour

function deepUpdate(value, path, tree, branch = tree) {
  const last = path.length === 1;
  branch[path[0]] = last ? value : branch[path[0]];
  return last ? tree : deepUpdate(value, path.slice(1), tree, branch[path[0]]);
}

const path = 'cat.dog';
const updated = deepUpdate('a', path.split('.'), {cat: {dog: null}})
// => { cat: {dog: 'a'} }
2
Daniel Lizik

Voici une fonction get and set que je viens de compiler à partir de quelques threads + du code personnalisé.

Il créera également des clés qui n'existent pas sur le plateau.

function setValue(object, path, value) {
    var a = path.split('.');
    var o = object;
    for (var i = 0; i < a.length - 1; i++) {
        var n = a[i];
        if (n in o) {
            o = o[n];
        } else {
            o[n] = {};
            o = o[n];
        }
    }
    o[a[a.length - 1]] = value;
}

function getValue(object, path) {
    var o = object;
    path = path.replace(/\[(\w+)\]/g, '.$1');
    path = path.replace(/^\./, '');
    var a = path.split('.');
    while (a.length) {
        var n = a.shift();
        if (n in o) {
            o = o[n];
        } else {
            return;
        }
    }
    return o;
}
1
Dieter Gribnitz

Un très simple.

Pas de récursion ni de rappel au dessus de la tête .

function setDeepVal(obj, path, val) {
  var props = path.split('.');
  for (var i = 0, n = props.length - 1; i < n; ++i) {
    obj = obj[props[i]] = obj[props[i]] || {};
  }
  obj[props[i]] = val;
  return obj;
}



// TEST
var obj = { hello : 'world' };
setDeepVal(obj, 'foo.bar.baz', 1);
setDeepVal(obj, 'foo.bar2.baz2', 2);
console.log(obj);

1
Vitim.us

Je cherchais une réponse qui/ n’écrase pas les valeurs existantes et qui est facilement lisible et a été capable de le présenter. Laisser ceci ici au cas où cela aiderait d'autres personnes ayant les mêmes besoins

function setValueAtObjectPath(obj, pathString, newValue) {
  // create an array (pathComponents) of the period-separated path components from pathString
  var pathComponents = pathString.split('.');
  // create a object (tmpObj) that references the memory of obj
  var tmpObj = obj;

  for (var i = 0; i < pathComponents.length; i++) {
    // if not on the last path component, then set the tmpObj as the value at this pathComponent
    if (i !== pathComponents.length-1) {
      // set tmpObj[pathComponents[i]] equal to an object of it's own value
      tmpObj[pathComponents[i]] = {...tmpObj[pathComponents[i]]}
      // set tmpObj to reference tmpObj[pathComponents[i]]
      tmpObj = tmpObj[pathComponents[i]]
    // else (IS the last path component), then set the value at this pathComponent equal to newValue 
    } else {
      // set tmpObj[pathComponents[i]] equal to newValue
      tmpObj[pathComponents[i]] = newValue
    }
  }
  // return your object
  return obj
}
0
Rbar

Vous pouvez diviser le chemin et vérifier si l'élément suivant existe. Sinon, affectez un objet à la nouvelle propriété.

Renvoie ensuite la valeur de la propriété.

À la fin, attribuez la valeur.

function setValue(object, path, value) {
    var fullPath = path.split('.'),
        way = fullPath.slice(),
        last = way.pop();

    way.reduce(function (r, a) {
        return r[a] = r[a] || {};
    }, object)[last] = value;
}

var object = {},
    propName = 'foo.bar.foobar',
    value = 'hello world';

setValue(object, propName, value);
console.log(object);

0
Nina Scholz

Identique aux réponses de Rbar, très utile lorsque vous travaillez avec réducteurs redux . J'utilise lodash clone au lieu d'opérateur spread pour prendre en charge les tableaux également:

export function cloneAndPatch(obj, path, newValue, separator='.') {
    let stack = Array.isArray(path) ? path : path.split(separator);
    let newObj = _.clone(obj);

    obj = newObj;

    while (stack.length > 1) {
        let property = stack.shift();
        let sub = _.clone(obj[property]);

        obj[property] = sub;
        obj = sub;
    }

    obj[stack.shift()] = newValue;

    return newObj;
}
0
makeroo