Heim > Web-Frontend > js-Tutorial > Hauptteil

Spread-and-Rest-Operator in Javascript mit BEISPIEL

PHPz
Freigeben: 2024-09-01 21:11:09
Original
331 Leute haben es durchsucht

Spread and Rest Operator in Javascript with EXAMPLE

Die Rest- und Spread-Operatoren sind leistungsstarke Funktionen in JavaScript, mit denen Sie effektiver mit Arrays, Objekten und Funktionsargumenten arbeiten können. Beide verwenden die gleiche Syntax (...), dienen aber unterschiedlichen Zwecken.

Ruheoperator (...)

Der Rest-Operator wird verwendet, um alle verbleibenden Elemente in einem Array zusammenzufassen. Es wird normalerweise in Funktionsparametern verwendet, um eine variable Anzahl von Argumenten zu verarbeiten.

Beispiel für einen Rest-Operator:


function sum(...numbers) {
    return numbers.reduce((acc, curr) => acc + curr, 0);
}

console.log(sum(1, 2, 3, 4)); // Output: 10


Nach dem Login kopieren

Hier sammelt ...numbers alle an die Summenfunktion übergebenen Argumente in einem Array namens „numbers“, das dann verarbeitet werden kann.

Spread-Operator (...)

Der Spread-Operator wird verwendet, um Elemente eines Arrays oder Objekts in einzelne Elemente oder Eigenschaften zu erweitern.

Beispiel für einen Spread-Operator:


const arr1 = [1, 2, 3];
const arr2 = [4, 5, 6];

const combinedArray = [...arr1, ...arr2];
console.log(combinedArray); // Output: [1, 2, 3, 4, 5, 6]


Nach dem Login kopieren

In diesem Beispiel erweitern ...arr1 und ...arr2 die Elemente von arr1 und arr2 in das neue CombinedArray.

Zusammenfassung

  • Rest-Operator: Sammelt alle verbleibenden Elemente in einem Array.
  • Spread-Operator: Erweitert Elemente eines Arrays oder Objekts in einzelne Elemente oder Eigenschaften.

Diese Operatoren sind sehr nützlich, um Arrays, Objekte und Funktionsargumente auf saubere und prägnante Weise zu verarbeiten.

.
.
.
.
.

Mehr zum Spread-and-Rest-Operator
.
.
.
.
.

Auf jeden Fall! Lassen Sie uns tiefer in die Rest- und Spread-Operatoren eintauchen und ihre Konzepte und verschiedenen Anwendungsfälle mit detaillierteren Erklärungen und Beispielen erkunden.

Ruheoperator (...)

Mit dem Rest-Operator können Sie mehrere Elemente sammeln und in einem Array bündeln. Es wird normalerweise in Funktionen verwendet, um eine variable Anzahl von Argumenten zu verarbeiten oder den „Rest“ der Elemente beim Destrukturieren von Arrays oder Objekten zu sammeln.

Anwendungsfälle

  1. Umgang mit mehreren Funktionsargumenten: Der Restoperator wird häufig verwendet, wenn Sie nicht im Voraus wissen, wie viele Argumente eine Funktion erhalten wird.
   function multiply(factor, ...numbers) {
       return numbers.map(number => number * factor);
   }

   console.log(multiply(2, 1, 2, 3, 4)); 
   // Output: [2, 4, 6, 8]
Nach dem Login kopieren

Erklärung:

  • Faktor ist das erste Argument.
  • ...numbers sammelt die verbleibenden Argumente in einem Array [1, 2, 3, 4].
  • Die Kartenfunktion multipliziert dann jede Zahl mit dem Faktor (2).
  1. Arrays zerstören: Mit dem Rest-Operator können Sie beim Destrukturieren eines Arrays die verbleibenden Elemente sammeln.
   const [first, second, ...rest] = [10, 20, 30, 40, 50];

   console.log(first);  // Output: 10
   console.log(second); // Output: 20
   console.log(rest);   // Output: [30, 40, 50]
Nach dem Login kopieren

Erklärung:

  • erhält zunächst den Wert 10.
  • Sekunde erhält den Wert 20.
  • ...rest sammelt die verbleibenden Elemente [30, 40, 50] in einem Array.
  1. Objekte zerstören: Ebenso kann der Rest-Operator verwendet werden, um verbleibende Eigenschaften in einem Objekt zu erfassen.
   const {a, b, ...rest} = {a: 1, b: 2, c: 3, d: 4};

   console.log(a);    // Output: 1
   console.log(b);    // Output: 2
   console.log(rest); // Output: {c: 3, d: 4}
Nach dem Login kopieren

Erklärung:

  • a und b werden direkt extrahiert.
  • ...rest erfasst die verbleibenden Eigenschaften (c: 3 und d: 4) in einem neuen Objekt.

Spread-Operator (...)

Der Spread-Operator wird verwendet, um Elemente eines Arrays, Objekts oder Iterables in einzelne Elemente oder Eigenschaften zu erweitern. Es ist das Gegenteil des Rest-Operators und sehr nützlich zum Zusammenführen, Kopieren und Übergeben von Elementen.

Anwendungsfälle

  1. Arrays kombinieren: Mit dem Spread-Operator können Arrays kombiniert oder verkettet werden.
   const arr1 = [1, 2];
   const arr2 = [3, 4];
   const arr3 = [5, 6];

   const combined = [...arr1, ...arr2, ...arr3];
   console.log(combined); 
   // Output: [1, 2, 3, 4, 5, 6]
Nach dem Login kopieren

Erklärung:

  • ...arr1, ...arr2 und ...arr3 verteilen ihre Elemente im kombinierten Array.
  1. Arrays kopieren: Mit dem Spread-Operator können Sie eine flache Kopie eines Arrays erstellen.
   const original = [1, 2, 3];
   const copy = [...original];

   console.log(copy);    // Output: [1, 2, 3]
   console.log(copy === original); // Output: false (different references)
Nach dem Login kopieren

Erklärung:

  • ...original verteilt die Elemente von original in die neue Array-Kopie und erstellt so eine flache Kopie.
  1. Objekte zusammenführen: Der Spread-Operator eignet sich zum Zusammenführen von Objekten oder zum Hinzufügen von Eigenschaften zu einem vorhandenen Objekt.
   const obj1 = {x: 1, y: 2};
   const obj2 = {y: 3, z: 4};

   const merged = {...obj1, ...obj2};

   console.log(merged); // Output: {x: 1, y: 3, z: 4}
Nach dem Login kopieren

Erklärung:

  • ...obj1 verteilt die Eigenschaften von obj1 auf das neue Objekt.
  • ...obj2 verteilt dann seine Eigenschaften auf das neue Objekt und überschreibt dabei die y-Eigenschaft von obj1.
  1. Funktionsargumente: Der Spread-Operator kann auch verwendet werden, um Elemente eines Arrays als einzelne Argumente an eine Funktion zu übergeben.
   function add(a, b, c) {
       return a + b + c;
   }

   const numbers = [1, 2, 3];

   console.log(add(...numbers)); // Output: 6
Nach dem Login kopieren

Erklärung:

  • ...Zahlen verteilt die Elemente des Zahlenarrays in einzelne Argumente (a, b, c).

Zusammenfassung

  • Rest-Operator (...):

    • Collects multiple elements into an array or object.
    • Often used in function parameters, array destructuring, or object destructuring.
  • Spread Operator (...):

    • Expands or spreads elements from an array, object, or iterable.
    • Useful for merging, copying, and passing elements in a concise manner.

Both operators enhance code readability and maintainability by reducing boilerplate code and providing more flexible ways to handle data structures.
.
.
.
.
.
.
Real world Example
.
.
.
.

Let's consider a real-world scenario where the rest and spread operators are particularly useful. Imagine you are building an e-commerce platform, and you need to manage a shopping cart and process user orders. Here's how you might use the rest and spread operators in this context:

Rest Operator: Managing a Shopping Cart

Suppose you have a function to add items to a user's shopping cart. The function should accept a required item and then any number of optional additional items. You can use the rest operator to handle this:

function addToCart(mainItem, ...additionalItems) {
    const cart = [mainItem, ...additionalItems];
    console.log(`Items in your cart: ${cart.join(', ')}`);
    return cart;
}

// User adds a laptop to the cart, followed by a mouse and keyboard
const userCart = addToCart('Laptop', 'Mouse', 'Keyboard');

// Output: Items in your cart: Laptop, Mouse, Keyboard
Nach dem Login kopieren

Explanation:

  • mainItem is a required parameter, which in this case is the 'Laptop'.
  • ...additionalItems collects the rest of the items passed to the function ('Mouse' and 'Keyboard') into an array.
  • The cart array then combines all these items, and they are logged and returned as the user's cart.

Spread Operator: Processing an Order

Now, let's say you want to process an order and send the user's cart items along with their shipping details to a function that finalizes the order. The spread operator can be used to merge the cart items with the shipping details into a single order object.

const shippingDetails = {
    name: 'John Doe',
    address: '1234 Elm Street',
    city: 'Metropolis',
    postalCode: '12345'
};

function finalizeOrder(cart, shipping) {
    const order = {
        items: [...cart],
        ...shipping,
        orderDate: new Date().toISOString()
    };
    console.log('Order details:', order);
    return order;
}

// Finalizing the order with the user's cart and shipping details
const userOrder = finalizeOrder(userCart, shippingDetails);

// Output: 
// Order details: {
//     items: ['Laptop', 'Mouse', 'Keyboard'],
//     name: 'John Doe',
//     address: '1234 Elm Street',
//     city: 'Metropolis',
//     postalCode: '12345',
//     orderDate: '2024-09-01T12:00:00.000Z'
// }
Nach dem Login kopieren

Explanation:

  • ...cart spreads the items in the cart array into the items array inside the order object.
  • ...shipping spreads the properties of the shippingDetails object into the order object.
  • The orderDate property is added to capture when the order was finalized.

Combining Both Operators

Let's say you want to add a feature where the user can add multiple items to the cart, and the first item is considered a "featured" item with a discount. The rest operator can handle the additional items, and the spread operator can be used to create a new cart with the updated featured item:

function addItemsWithDiscount(featuredItem, ...otherItems) {
    const discountedItem = { ...featuredItem, price: featuredItem.price * 0.9 }; // 10% discount
    return [discountedItem, ...otherItems];
}

const laptop = { name: 'Laptop', price: 1000 };
const mouse = { name: 'Mouse', price: 50 };
const keyboard = { name: 'Keyboard', price: 70 };

const updatedCart = addItemsWithDiscount(laptop, mouse, keyboard);

console.log(updatedCart);
// Output: 
// [
//     { name: 'Laptop', price: 900 }, 
//     { name: 'Mouse', price: 50 }, 
//     { name: 'Keyboard', price: 70 }
// ]
Nach dem Login kopieren

Explanation:

  • The featuredItem (the laptop) receives a 10% discount by creating a new object using the spread operator, which copies all properties and then modifies the price.
  • ...otherItems collects the additional items (mouse and keyboard) into an array.
  • The final updatedCart array combines the discounted featured item with the other items using the spread operator.

Real-World Summary

  • Rest Operator: Used to manage dynamic input like adding multiple items to a shopping cart. It gathers remaining arguments or properties into an array or object.
  • Spread Operator: Useful for processing and transforming data, such as merging arrays, copying objects, and finalizing orders by combining item details with user information.

These examples demonstrate how the rest and spread operators can simplify code and improve readability in real-world scenarios like managing shopping carts and processing e-commerce orders.

Here's a breakdown of what's happening in your code:

const [first, second, third, ...rest] = [10, 20, 30, 40, 50];

console.log(first);  // Output: 10
console.log(second); // Output: 20
console.log(third);  // Output: 30
console.log(rest);   // Output: [40, 50]
Nach dem Login kopieren

Explanation:

  • Destructuring:

    • first is assigned the first element of the array (10).
    • second is assigned the second element of the array (20).
    • third is assigned the third element of the array (30).
  • Rest Operator:

    • ...rest collects all the remaining elements of the array after the third element into a new array [40, 50].

Output:

  • first: 10
  • second: 20
  • third: 30
  • rest: [40, 50]

This code correctly logs the individual elements first, second, and third, and also captures the remaining elements into the rest array, which contains [40, 50].

Let me know if you have any further questions or if there's anything else you'd like to explore!

Das obige ist der detaillierte Inhalt vonSpread-and-Rest-Operator in Javascript mit BEISPIEL. Für weitere Informationen folgen Sie bitte anderen verwandten Artikeln auf der PHP chinesischen Website!

Quelle:dev.to
Erklärung dieser Website
Der Inhalt dieses Artikels wird freiwillig von Internetnutzern beigesteuert und das Urheberrecht liegt beim ursprünglichen Autor. Diese Website übernimmt keine entsprechende rechtliche Verantwortung. Wenn Sie Inhalte finden, bei denen der Verdacht eines Plagiats oder einer Rechtsverletzung besteht, wenden Sie sich bitte an admin@php.cn
Beliebte Tutorials
Mehr>
Neueste Downloads
Mehr>
Web-Effekte
Quellcode der Website
Website-Materialien
Frontend-Vorlage
Über uns Haftungsausschluss Sitemap
Chinesische PHP-Website:Online-PHP-Schulung für das Gemeinwohl,Helfen Sie PHP-Lernenden, sich schnell weiterzuentwickeln!