Este articulo necesita una revisión editorial. Cómo puedes ayudar.
Resumen
El método map()
crea un nuevo array con los resultados de la llamada a la función indicada aplicados a cada uno de sus elementos.
Sintaxis
arr.map(callback[, thisArg])
Parámetros
callback
- Función que producirá un elemento del nuevo array, recibe tres argumentos:
currentValue
- El elemento actual del array que se está procesando.
index
- El índice del elemento actual dentro del array.
array
- El array sobre el que se llama
map.
thisArg
- Opcional. Valor a usar como
this
al ejecutarcallback
.
Descripción
map
llama a la función callback
provista una vez por elemento de un array, en orden, y construye un nuevo array con los resultados. callback
se invoca sólo para los índices del array que tienen valores asignados; no se invoca en los índices que han sido borrados o a los que no se ha asignado valor.
callback
es llamada con tres argumentos: el valor del elemento, el índice del elemento, y el objeto array que se está recorriendo.
Si se indica un parámetro thisArg
a un map
, se usará como valor de this
en la función callback
. En otro caso, se pasará undefined
como su valor this
. El valor de this
observable por el callback
se determina de acuerdo a las reglas habituales para determinar el valor this visto por una función.
map
no modifica el array original en el que es llamado (aunque callback
, si es llamada puede modificarlo).
El rango de elementos procesado por map
, es establecido antes de la primer invocacion de el callback
.Elementos que sean agregados al arreglo despues de que la llamada a map
comience no seran visitados por el callback
.Si elementos existentes del arreglo son modificados, o eliminados, su valor pasado al callback
sera el valor en el momento que el map
lo visita; elementos que son eliminados no son visitados.
Ejemplos
Ejemplo : Procesar un array de números aplicandoles la raíz cuadrada
El siguiente código itera un array de números, aplicandoles la raíz cuadrada a cada uno de sus elementos, produciendo un nuevo array a partir del inicial.
var numeros= [1, 4, 9]; var raices = numeros.map(Math.sqrt); // raices tiene [1, 2, 3], numeros todavía tiene [1, 4, 9]
Ejemplo : Usando map para dar un nuevo formato a los objetos de un array
El siguiente código toma un array de objetos y crea un nuevo arrary que contiene los nuevos objetos con su nuevo formato.
var kvArray = [{clave:1, valor:10}, {clave:2, valor:20}, {clave:3, valor: 30}]; var reformattedArray = kvArray.map(function(obj){ var rObj = {}; rObj[obj.clave] = obj.valor; return rObj; }); // reformattedArray es ahora [{1:10}, {2:20}, {3:30}], // kvArray sigue siendo [{clave:1, valor:10}, {clave:2, valor:20}, {clave:3, valor: 30}]
Ejemplo: Mapear un arreglo de numeros usando una función con un argumento
El siguiente código muestra como trabaja map
cuando se utiliza una función que requiere un argumento. El argumento será asignado automáticamente a cada elemento del arreglo conforme map
itera el arreglo original.
var numeros = [1, 4, 9]; var dobles = numeros.map(function(num) { return num * 2; }); // dobles es ahora [2, 8, 18]. numeros sigue siendo [1, 4, 9]
Ejemplo: usando map
de forma genérica
Este ejemplo muestra como usar map
en String
para obtener un arreglo de bytes en codifcación ASCII representando el valor de los caracteres.:
var map = Array.prototype.map; var valores = map.call('Hello World', function(char) { return char.charCodeAt(0); }); // valores ahora tiene [72, 101, 108, 108, 111, 32, 87, 111, 114, 108, 100]
Ejemplo: usando map
genérico con querySelectorAll
Este ejemplo muestra como iterar sobre una colección de objetos obtenidos por querySelectorAll
. En este caso obtenemos todas las opciones seleccionadas en pantalla y se imprimen en la consola:
var elems = document.querySelectorAll('select option:checked'); var values = [].map.call(elems, function(obj) { return obj.value; });
Ejemplo: Usando map
para invertir una cadena
var str = '12345'; [].map.call(str, function(x) { return x; }).reverse().join(''); // Salida: '54321' // Bonus: usa'===' para probar si la cadena original era un palindromo
Ejemplo: Caso de uso engañoso
Es comun utilizar el callback con un argumento (el elemento siendo pasado). Ciertas funciones son también usadas comunmente con un argumento, aún cuando toman argumentos adicionales opcionales. Estos habitos pueden llevar a comportamientos confusos.
// Considera: ['1', '2', '3'].map(parseInt); // Mientras uno esperaría [1, 2, 3] // El resultado actual es [1, NaN, NaN] // parseInt se usa comunmente con un argumento, pero toma dos. // El primero es una expresion y el segundo el radix. // a la funcion callback, Array.prototype.map pasa 3 argumentos: // El elemento, el indice y el arreglo // El tercer argumento es ignorado por parseInt, pero no el segundo, // de ahí la posible confusión. Véase el articulo del blog para mas detalles function returnInt(element) { return parseInt(element, 10); } ['1', '2', '3'].map(returnInt); // [1, 2, 3] // El resultado actual es un arreglo de numeros (como se esperaba) // Un modo mas simple de lograr lo de arriba, mientras de evita el "gotcha": ['1', '2', '3'].map(Number); // [1, 2, 3]
Polyfill
map
fue agregado al estandar ECMA-262 en la 5th edición; por lo tanto podria no estar presente en todas la implementaciones del estandar. Puedes sobrepasar esto insertando el siguiente codigo el comienzo de tus scripts, permitiendo el uso de map
en implementaciones que no lo soportan de forma nativa. Este algoritmo es exactamente el mismo especificado en ECMA-262, 5th edición, asumiendo Object
, TypeError
, y Array
tienen sus valores originales y que el callback.call
evalua el valor original de
.Function.prototype.call
// Production steps of ECMA-262, Edition 5, 15.4.4.19 // Reference: https://es5.github.io/#x15.4.4.19 if (!Array.prototype.map) { Array.prototype.map = function(callback, thisArg) { var T, A, k; if (this == null) { throw new TypeError(' this is null or not defined'); } // 1. Let O be the result of calling ToObject passing the |this| // value as the argument. var O = Object(this); // 2. Let lenValue be the result of calling the Get internal // method of O with the argument "length". // 3. Let len be ToUint32(lenValue). var len = O.length >>> 0; // 4. If IsCallable(callback) is false, throw a TypeError exception. // See: https://es5.github.com/#x9.11 if (typeof callback !== 'function') { throw new TypeError(callback + ' is not a function'); } // 5. If thisArg was supplied, let T be thisArg; else let T be undefined. if (arguments.length > 1) { T = thisArg; } // 6. Let A be a new array created as if by the expression new Array(len) // where Array is the standard built-in constructor with that name and // len is the value of len. A = new Array(len); // 7. Let k be 0 k = 0; // 8. Repeat, while k < len while (k < len) { var kValue, mappedValue; // a. Let Pk be ToString(k). // This is implicit for LHS operands of the in operator // b. Let kPresent be the result of calling the HasProperty internal // method of O with argument Pk. // This step can be combined with c // c. If kPresent is true, then if (k in O) { // i. Let kValue be the result of calling the Get internal // method of O with argument Pk. kValue = O[k]; // ii. Let mappedValue be the result of calling the Call internal // method of callback with T as the this value and argument // list containing kValue, k, and O. mappedValue = callback.call(T, kValue, k, O); // iii. Call the DefineOwnProperty internal method of A with arguments // Pk, Property Descriptor // { Value: mappedValue, // Writable: true, // Enumerable: true, // Configurable: true }, // and false. // In browsers that support Object.defineProperty, use the following: // Object.defineProperty(A, k, { // value: mappedValue, // writable: true, // enumerable: true, // configurable: true // }); // For best browser support, use the following: A[k] = mappedValue; } // d. Increase k by 1. k++; } // 9. return A return A; }; }
Especificaciones
Especificación | Estado | Comentario |
---|---|---|
ECMAScript 5.1 (ECMA-262) The definition of 'Array.prototype.map' in that specification. |
Standard | Definición inicial. Implementado en JavaScript 1.6. |
ECMAScript 2015 (6th Edition, ECMA-262) The definition of 'Array.prototype.map' in that specification. |
Standard |
Compatibilidad de navegadores
característica | Chrome | Firefox (Gecko) | Internet Explorer | Opera | Safari |
---|---|---|---|---|---|
Soporte basico | (Yes) | 1.5 (1.8) | 9 | (Yes) | (Yes) |
característica | Android | Chrome para Android | Firefox Mobile (Gecko) | IE Mobile | Opera Mobile | Safari Mobile |
---|---|---|---|---|---|---|
Soporte basico | (Yes) | (Yes) | 1.0 (1.8) | (Yes) | (Yes) | (Yes) |