Files
freeCodeCamp/curriculum/challenges/japanese/02-javascript-algorithms-and-data-structures/es6/use-destructuring-assignment-to-assign-variables-from-objects.md
2022-01-20 20:30:18 +01:00

2.5 KiB

id, title, challengeType, forumTopicId, dashedName
id title challengeType forumTopicId dashedName
587d7b89367417b2b2512b49 分割代入を使用してオブジェクトから変数を代入する 1 301215 use-destructuring-assignment-to-assign-variables-from-objects

--description--

分割を使用すると、値を抽出する際に新しい変数名を割り当てることができます。 これを行うには、値を代入する際にコロンの後に新しい名前を指定します。

前の例と同じオブジェクトを使用します。

const user = { name: 'John Doe', age: 34 };

代入で新しい変数名を指定する方法を次に示します。

const { name: userName, age: userAge } = user;

user.name の値を抽出し、その値を userName という名前の新しい変数に代入する」と解釈することもできます。 userName の値は文字列 John Doe になり、userAgeの値は 34 になります。

--instructions--

2 つの代入を同等の分割代入に置き換えてください。 ここでも、HIGH_TEMPERATURES オブジェクトの todaytomorrow の値を変数 highTodayhighTomorrow に代入する必要があります。

--hints--

ES5 の代入構文を削除する必要があります。

assert(
  !code.match(/highToday = HIGH_TEMPERATURES\.today/g) &&
    !code.match(/highTomorrow = HIGH_TEMPERATURES\.tomorrow/g)
);

分割を使用して highToday 変数を作成する必要があります。

assert(
  code.match(
    /(var|const|let)\s*{\s*(today\s*:\s*highToday[^}]*|[^,]*,\s*today\s*:\s*highToday\s*)}\s*=\s*HIGH_TEMPERATURES(;|\s+|\/\/)/g
  )
);

分割を使用して highTomorrow 変数を作成する必要があります。

assert(
  code.match(
    /(var|const|let)\s*{\s*(tomorrow\s*:\s*highTomorrow[^}]*|[^,]*,\s*tomorrow\s*:\s*highTomorrow\s*)}\s*=\s*HIGH_TEMPERATURES(;|\s+|\/\/)/g
  )
);

highToday77 に等しくなり、highTomorrow80 に等しくなる必要があります。

assert(highToday === 77 && highTomorrow === 80);

--seed--

--seed-contents--

const HIGH_TEMPERATURES = {
  yesterday: 75,
  today: 77,
  tomorrow: 80
};

// Only change code below this line

const highToday = HIGH_TEMPERATURES.today;
const highTomorrow = HIGH_TEMPERATURES.tomorrow; 

// Only change code above this line

--solutions--

const HIGH_TEMPERATURES = {
  yesterday: 75,
  today: 77,
  tomorrow: 80
};

const { today: highToday, tomorrow: highTomorrow } = HIGH_TEMPERATURES;