更改对象的嵌套 属性

changing a nested property of an object

型号:

function model() {
    return {
        title: { 
            "content": undefined,
            "validation": {
                "type": "string",
                "required": true,
                "minLength": 1,
                "maxLength": 3,
                validationErrorMessage: "Your title must be a valid string between 1 and 35 characters"
            }
        },

        email: {
            content: undefined,
            validation: {
                type: "email",
                required: true,
                minLength: 1,
                maxLength: 60,
                validationErrorMessage: "Your email must be between 1 and 50 characters"
            }
        },


        link: {
            content: undefined,
            validation: {
                type: "url",
                required: true,
                minLength: 1,
                maxLength: 500,
                validationErrorMessage: "Your link name must be a valid email between 1 and 50 characters"
            }
        },

        description: {
            content: undefined
        }
    }
}

Ramda 代码:

 let test = R.map( x => console.log(x.validation), model)
 console.log(test)

正确的日志结果:

{ type: 'string',
  required: true,
  minLength: 1,
  maxLength: 3,
  validationErrorMessage: 'Your title must be a valid string between 1 and 35 characters' }
{ type: 'email',
  required: true,
  minLength: 1,
  maxLength: 60,
  validationErrorMessage: 'Your email must be between 1 and 50 characters' }
{ type: 'url',
  required: true,
  minLength: 1,
  maxLength: 500,
  validationErrorMessage: 'Your link name must be a valid email between 1 and 50 characters' }
undefined
{ title: undefined,
  email: undefined,
  link: undefined,
  description: undefined }

那为什么:

   let test = R.map( x => x.validation = "replacement test", model)
   console.log(test)

日志:

{ title: 'replacement test',
  email: 'replacement test',
  link: 'replacement test',
  description: 'replacement test' }

我原以为 x.validation 内容会被替换,而不是整个 x 值。我不明白。

那么,让我们看看你的替代品 lambda。

x => x.validation = "replacement test"

您将 x.validation = "replacement test" 映射到 x。如果你这样做

x => 1

然后该数组中的每个值都变为 1。

当你使用地图时,它改变了原来的数组。在这种情况下,x 变为 x.validation 至极变为 "replacement test".

在这种情况下使用 forEach

R.foreach(x => x.validation = "replacement test");

您在每次迭代中都应用了一些内容,因此您分配给 x.validation 的事实无关紧要。

重要的是每次返回什么以及它发生了什么。本质上,您只是返回字符串并每次都分配它,因此得到结果。

map,就像所有 Ramda 函数一样,旨在以不可变的方式使用。它 return 是一个列表,其中包含您从函数中 return 编辑的元素。但是你不(故意)return 从你的函数中得到任何东西,只是调整原始值。 Javascript 正在从你的赋值表达式中生成一个 return,不过,这是 ES6 箭头函数的一个很好的特性。

如果您想保持对象完好无损,但更新 'validation' 属性,这可能会:

R.map(R.assoc('validation', 'replacement text'), model());

assoc 对您的对象进行浅表克隆,用给定值覆盖指定的 属性。