最适合网络开发者的网站
React 语言。W3Schools 英文版。初学者课程

尿素

React ES6 解构


解构

为了说明解构,我们将制作一个三明治。你会把冰箱里的所有东西都拿出来做三明治吗?不会,你只拿出你想用在三明治上的东西。

解构也是一样的。我们可能有一个正在处理的数组或对象,但我们只需要其中包含的一些项目。

通过解构可以轻松提取所需内容。


析构数组

以下是将数组项分配给变量的旧方法:

例子

前:

const vehicles = ['mustang', 'f-150', 'expedition'];

// old way
const car = vehicles[0];
const truck = vehicles[1];
const suv = vehicles[2];

以下是将数组项分配给变量的新方法:

例子

使用解构:

const vehicles = ['mustang', 'f-150', 'expedition'];

const [car, truck, suv] = vehicles;

当解构数组时,声明变量的顺序很重要。

如果我们只想要汽车和 suv,我们可以简单地省略卡车但保留逗号:

const vehicles = ['mustang', 'f-150', 'expedition'];

const [car,, suv] = vehicles;

当函数返回一个数组时,解构就派上用场了:

例子

function calculate(a, b) {
  const add = a + b;
  const subtract = a - b;
  const multiply = a * b;
  const divide = a / b;

  return [add, subtract, multiply, divide];
}

const [add, subtract, multiply, divide] = calculate(4, 7);

亲自尝试 »


解构对象

以下是在函数中使用对象的旧方法:

例子

前:

const vehicleOne = {
  brand: 'Ford',
  model: 'Mustang',
  type: 'car',
  year: 2021,
  color: 'red'
}

myVehicle(vehicleOne);

// old way
function myVehicle(vehicle) {
  const message = 'My ' + vehicle.type + ' is a ' + vehicle.color + ' ' + vehicle.brand + ' ' + vehicle.model + '.';
}

以下是在函数内部使用对象的新方法:

例子

使用解构:

const vehicleOne = {
  brand: 'Ford',
  model: 'Mustang',
  type: 'car',
  year: 2021,
  color: 'red'
}

myVehicle(vehicleOne);

function myVehicle({type, color, brand, model}) {
  const message = 'My ' + type + ' is a ' + color + ' ' + brand + ' ' + model + '.';
}

亲自尝试 »

请注意,对象属性不必按照特定的顺序声明。

我们甚至可以通过引用嵌套对象来解构深度嵌套的对象,然后使用冒号和花括号再次解构嵌套对象所需的项目:

例子

const vehicleOne = {
  brand: 'Ford',
  model: 'Mustang',
  type: 'car',
  year: 2021,
  color: 'red',
  registration: {
    city: 'Houston',
    state: 'Texas',
    country: 'USA'
  }
}

myVehicle(vehicleOne)

function myVehicle({ model, registration: { state } }) {
  const message = 'My ' + model + ' is registered in ' + state + '.';
}

亲自尝试 »


通过练习测试自己

锻炼:

使用解构从数组中仅提取第三项,放入名为 suv.

const vehicles = ['mustang', 'f-150', 'expedition'];

const [] = vehicles;