Files
freeCodeCamp/curriculum/challenges/japanese/02-javascript-algorithms-and-data-structures/es6/write-concise-object-literal-declarations-using-object-property-shorthand.md
2022-01-20 20:30:18 +01:00

2.0 KiB

id, title, challengeType, forumTopicId, dashedName
id title challengeType forumTopicId dashedName
587d7b8a367417b2b2512b4f オブジェクトプロパティの省略形を使用して簡潔なオブジェクトリテラル宣言を記述する 1 301225 write-concise-object-literal-declarations-using-object-property-shorthand

--description--

ES6 では、オブジェクトリテラルを簡単に定義できるように、便利なサポートが提供されるようになりました。

次のコードを考えてみましょう。

const getMousePosition = (x, y) => ({
  x: x,
  y: y
});

getMousePosition は、2 つのプロパティを含むオブジェクトを返すシンプルな関数です。 ES6 では、x: x を記述するという冗長さをなくすために、構文糖が導入されました。 x を一度書けば、あとは自動的に x: x (または同等のコード) に変換されます。 新しい構文を使用して書き換えた上記と同じ関数は次のようになります。

const getMousePosition = (x, y) => ({ x, y });

--instructions--

オブジェクトプロパティの省略形とオブジェクトリテラルを使用して、nameagegender の各プロパティを持つオブジェクトを作成して返してください。

--hints--

createPerson("Zodiac Hasbro", 56, "male"){name: "Zodiac Hasbro", age: 56, gender: "male"} を返す必要があります。

assert.deepEqual(
  { name: 'Zodiac Hasbro', age: 56, gender: 'male' },
  createPerson('Zodiac Hasbro', 56, 'male')
);

コードでは key:value の形式を使用しないでください。

(getUserInput) => assert(!getUserInput('index').match(/:/g));

--seed--

--seed-contents--

const createPerson = (name, age, gender) => {
  // Only change code below this line
  return {
    name: name,
    age: age,
    gender: gender
  };
  // Only change code above this line
};

--solutions--

const createPerson = (name, age, gender) => {
  return {
    name,
    age,
    gender
  };
};