Array-Prototyp – JavaScript-Herausforderungen
Sie finden den gesamten Code in diesem Beitrag im Repo Github.
Herausforderungen im Zusammenhang mit Array-Prototypen
Array.prototype.at()
/** * @param {number} index * @return {any | undefiend} */ Array.prototype.myAt = function (index) { const len = this.length; if (index < -len || index >= len) { return; } return this[(index + len) % len]; }; // Usage example console.log([1, 2, 3, 4].myAt(2)); // => 3 console.log([1, 2, 3, 4].myAt(-1)); // => 4 console.log([1, 2, 3, 4].myAt(5)); // => undefined
Array.prototype.concat()
/** * @template T * @param {...(T | Array<T>)} itemes * @return {Array<T>} */ Array.prototype.myConcat = function (...items) { const newArray = [...this]; for (const item of items) { if (Array.isArray(item)) { newArray.push(...item); } else { newArray.push(item); } } return newArray; }; // Usage example console.log([1, 2, 3].myConcat([])); // => [1, 2, 3]; console.log([1, 2, 3].myConcat([4, 5, 6, [2]])); // => [1, 2, 3, 4, 5, 6, [2]];
Array.prototype.every()
/** * @template T * @param { (value: T, index: number, array: Array<T>) => boolean } callbackFn * @param {any} [thisArg] * @return {boolean} */ Array.prototype.myEvery = function (callbackFn, thisArg) { const len = this.length; let flag = true; for (let i = 0; i < len; i += 1) { if (Object.hasOwn(this, i) && !callbackFn.call(thisArg, this[i], i, this)) { flag = false; break; } } return flag; }; // Usage example console.log([1, 2, 3].myEvery((item) => item > 2)); // => false console.log([1, 2, 3].myEvery((item) => item > 0)); // => true
Array.prototype.filter()
/** * @template T, U * @param { (value: T, index: number, array: Array<T>) => boolean } callbackFn * @param { any } [thisArg] * @return {Array<T>} */ Array.prototype.myFilter = function (callbackFn, thisArg) { const newArray = []; for (let i = 0; i < this.length; i += 1) { if (Object.hasOwn(this, i) && callbackFn.call(thisArg, this[i], i, this)) { newArray.push(this[i]); } } return newArray; }; // Usage example console.log([1, 2, 3, 4].myFilter((value) => value % 2 == 0)); // => [2, 4] console.log([1, 2, 3, 4].myFilter((value) => value < 3)); // => [1, 2]
Array.prototype.flat()
/** * @param { Array } arr * @param { number } depth * @returns { Array } */ function flatten(arr, depth = 1) { const newArray = []; for (let i = 0; i < arr.length; i += 1) { if (Array.isArray(arr[i]) && depth !== 0) { newArray.push(...flatten(arr[i], depth - 1)); } else { newArray.push(arr[i]); } } return newArray; } // Usage example const words = ["spray", "elite", "exuberant", "destruction", "present"]; const result = words.filter((word) => word.length > 6); console.log(result); // => ["exuberant", "destruction", "present"]
Array.prototype.forEach()
/** * @template T, U * @param { (value: T, index: number, array: Array<T>) => U } callbackFn * @param {any} [thisArg] * @return {Array<U>} */ Array.prototype.myForEach = function (callbackFn, thisArg) { if (this == null) { throw new TypeError("this is null or not defined"); } if (typeof callbackFn !== "function") { throw new TypeError(callbackFn + " is not a function"); } const O = Object(this); // Zero-fill Right Shift to ensure that the result if always non-negative. const len = O.length >>> 0; for (let i = 0; i < len; i += 1) { if (Object.hasOwn(O, i)) { callbackFn.call(thisArg, O[i], i, O); } } }; // Usage example console.log( [1, 2, 3].myForEach((el) => el * el), null ); // => [1, 4, 9];
Array.prototype.indexOf()
/** * @param {any} searchElement * @param {number} fromIndex * @return {number} */ Array.prototype.myIndexOf = function (searchElement, fromIndex = 0) { const len = this.length; if (fromIndex < 0) { fromIndex = Math.max(0, fromIndex + this.length); } for (let i = fromIndex; i < len; i += 1) { if (this[i] === searchElement) { return i; } } return -1; } // Usage example console.log([1, 2, 3, 4, 5].myIndexOf(3)); // => 2 console.log([1, 2, 3, 4, 5].myIndexOf(6)); // => -1 console.log([1, 2, 3, 4, 5].myIndexOf(1)); // => 0 console.log(['a', 'b', 'c'].myIndexOf('b')); // => 1 console.log([NaN].myIndexOf(NaN)); // => -1 (since NaN !== NaN)
Array.prototype.last()
/** * @return {null|boolean|number|string|Array|Object} */ Array.prototype.myLast = function () { return this.length ? this.at(-1) : -1; }; // Usage example console.log([].myLast()); // => -1; console.log([1].myLast()); // => 1 console.log([1, 2].myLast()); // => 2
Array.prototype.map()
/** * @template T, U * @param { (value: T, index: number, array: Array<T>) => U } callbackFn * @param {any} [thisArg] * @return {Array<U>} */ Array.prototype.myMap = function (callbackFn, thisArg) { const len = this.length; const newArray = Array.from({ length: len }); for (let i = 0; i < len; i += 1) { if (Object.hasOwn(this, i)) { newArray[i] = callbackFn.call(thisArg, this[i], i, this); } } return newArray; }; // Usage example console.log([1, 2, 3, 4].myMap((i) => i)); // => [1, 2, 3, 4] console.log([1, 2, 3, 4].myMap((i) => i * i)); // => [1, 4, 9, 16])
Array.prototype.reduce()
/** * @template T, U * @param { (previousValue: U, currentValue: T, currentIndex: number, array: Array<T>) => U } callbackFn * @param {U} [initialValue] * @return {U} */ Array.prototype.myReduce = function (callbackFn, initialValue) { const hasInitialValue = initialValue !== undefined; const len = this.length; if (!hasInitialValue && !len) { throw new Error("Reduce of empty array with no initial value"); } let accumulator = hasInitialValue ? initialValue : this[0]; let startingIndex = hasInitialValue ? 0 : 1; for (let i = startingIndex; i < len; i += 1) { if (Object.hasOwn(this, i)) { accumulator = callbackFn(accumulator, this[i], i, this); } } return accumulator; }; // Usage example const numbers = [1, 2, 3, 4, 5]; const sum = numbers.myReduce((acc, num) => acc + num, 0); console.log(sum); // => 15 const products = numbers.myReduce((acc, num) => acc * num, 1);
Array.prototype.some()
/** * @template T * @param { (value: T, index: number, array: Array<T>) => boolean } callbackFn * @param {any} [thisArg] * @return {boolean} */ Array.prototype.mySome = function (callbackFn, thisArg) { const len = this.length; let flag = false; for (let i = 0; i < len; i += 1) { if (Object.hasOwn(this, i) && callbackFn.call(thisArg, this[i], i, this)) { flag = true; break; } } return flag; }; // Usage example console.log([1, 2, 3].mySome((item) => item > 2)); // => true console.log([1, 2, 3].mySome((item) => item < 0)); // => false
Array.prototype.square()
/** * @return {Array<number>} */ Array.prototype.mySquare = function () { const len = this.length; const newArray = Array.from({ length: len }); for (let i = 0; i < len; i += 1) { newArray[i] = this[i] * this[i]; } return newArray; }; // Usage example console.log([1, 2, 3].mySquare()); // => [1, 4, 9]; console.log([].mySquare()); // => [];
Referenz
- GreatFrontEnd
- Array.prototype.at() - MDN
- Array.prototype.concat() – MDN
- Array.prototype.every() – MDN
- Array.prototype.filter() – MDN
- Array.prototype.flat() – MDN
- Array.prototype.forEach() – MDN
- Array.prototype.indexOf() - MDN
- Array.prototype.map() – MDN
- Array.prototype.reduce() – MDN
- Array.prototype.some() – MDN
- 2635. Wenden Sie die Transformation auf jedes Element im Array an – LeetCode
- 2634. Elemente aus Array filtern – LeetCode
- 2626. Transformation zur Array-Reduzierung – LeetCode
- 2619. Array-Prototyp zuletzt – LeetCode
- 2625. Tief verschachteltes Array reduzieren – LeetCode
- 3. Implementieren Sie Array.prototype.flat() - BFE.dev
- 151. Implementieren Sie Array.prototype.map() - BFE.dev
- 146. Implementieren Sie Array.prototype.reduce() - BFE.dev
Das obige ist der detaillierte Inhalt vonArray-Prototyp – JavaScript-Herausforderungen. Für weitere Informationen folgen Sie bitte anderen verwandten Artikeln auf der PHP chinesischen Website!

Heiße KI -Werkzeuge

Undresser.AI Undress
KI-gestützte App zum Erstellen realistischer Aktfotos

AI Clothes Remover
Online-KI-Tool zum Entfernen von Kleidung aus Fotos.

Undress AI Tool
Ausziehbilder kostenlos

Clothoff.io
KI-Kleiderentferner

AI Hentai Generator
Erstellen Sie kostenlos Ai Hentai.

Heißer Artikel

Heiße Werkzeuge

Notepad++7.3.1
Einfach zu bedienender und kostenloser Code-Editor

SublimeText3 chinesische Version
Chinesische Version, sehr einfach zu bedienen

Senden Sie Studio 13.0.1
Leistungsstarke integrierte PHP-Entwicklungsumgebung

Dreamweaver CS6
Visuelle Webentwicklungstools

SublimeText3 Mac-Version
Codebearbeitungssoftware auf Gottesniveau (SublimeText3)

Heiße Themen



In Artikel werden JavaScript -Bibliotheken erstellt, veröffentlicht und aufrechterhalten und konzentriert sich auf Planung, Entwicklung, Testen, Dokumentation und Werbestrategien.

In dem Artikel werden Strategien zur Optimierung der JavaScript -Leistung in Browsern erörtert, wobei der Schwerpunkt auf die Reduzierung der Ausführungszeit und die Minimierung der Auswirkungen auf die Lastgeschwindigkeit der Seite wird.

Häufig gestellte Fragen und Lösungen für das Ticket-Ticket-Ticket-Ticket in Front-End im Front-End-Entwicklungsdruck ist der Ticketdruck eine häufige Voraussetzung. Viele Entwickler implementieren jedoch ...

In dem Artikel werden effektives JavaScript -Debuggen mithilfe von Browser -Entwickler -Tools, der Schwerpunkt auf dem Festlegen von Haltepunkten, der Konsole und der Analyse der Leistung erörtert.

Es gibt kein absolutes Gehalt für Python- und JavaScript -Entwickler, je nach Fähigkeiten und Branchenbedürfnissen. 1. Python kann mehr in Datenwissenschaft und maschinellem Lernen bezahlt werden. 2. JavaScript hat eine große Nachfrage in der Entwicklung von Front-End- und Full-Stack-Entwicklung, und sein Gehalt ist auch beträchtlich. 3. Einflussfaktoren umfassen Erfahrung, geografische Standort, Unternehmensgröße und spezifische Fähigkeiten.

In dem Artikel wird erläutert, wie Quellkarten zum Debuggen von JavaScript verwendet werden, indem er auf den ursprünglichen Code zurückgegeben wird. Es wird erläutert, dass Quellenkarten aktiviert, Breakpoints eingestellt und Tools wie Chrome Devtools und WebPack verwendet werden.

Wie fusioniere ich Array -Elemente mit derselben ID in ein Objekt in JavaScript? Bei der Verarbeitung von Daten begegnen wir häufig die Notwendigkeit, dieselbe ID zu haben ...

Eingehende Diskussion der Ursachen des Unterschieds in der Konsole.log-Ausgabe. In diesem Artikel wird die Unterschiede in den Ausgabeergebnissen der Konsolenfunktion in einem Code analysiert und die Gründe dafür erläutert. � ...
