Esta es una cadena JSON:
'["Ford", "BMW", "Fiat"]'
Dentro de la cadena JSON hay un literal de matriz JSON:
["Ford", "BMW", "Fiat"]
Las matrices en JSON son casi iguales a las matrices en JavaScript.
En JSON, los valores de la matriz deben ser de tipo cadena, número, objeto, matriz, booleano. o nulo.
En JavaScript, los valores de una matriz pueden ser todos los anteriores, más cualquier otro valor válido. Expresión de JavaScript, incluidas funciones, fechas y indefinido.
Puede crear una matriz de JavaScript a partir de un literal
myArray = ["Ford", "BMW", "Fiat"];
Pruébelo usted mismo →
<!DOCTYPE html>
<html>
<body>
<h2>Creating an Array from a Literal</h2>
<p id="demo"></p>
<script>
const myArray = ["Ford", "BMW", "Fiat"];
document.getElementById("demo").innerHTML = myArray;
</script>
</body>
</html>
Puede crear una matriz de JavaScript analizando una cadena JSON
myJSON = '["Ford", "BMW", "Fiat"]';
myArray = JSON.parse(myJSON);
Pruébelo usted mismo →
<!DOCTYPE html>
<html>
<body>
<h2>Creating an Array from JSON</h2>
<p id="demo"></p>
<script>
const myJSON = '["Ford", "BMW", "Fiat"]';
const myArray = JSON.parse(myJSON);
document.getElementById("demo").innerHTML = myArray;
</script>
</body>
</html>
Accede a los valores de la matriz por índice:
myArray[0];
Pruébelo usted mismo →
<!DOCTYPE html>
<html>
<body>
<h1>Access an Array by Index</h1>
<p id="demo"></p>
<script>
const myJSON = '["Ford", "BMW", "Fiat"]';
const myArray = JSON.parse(myJSON);
document.getElementById("demo").innerHTML = myArray[0];
</script>
</body>
</html>
Los objetos pueden contener matrices:
{
"name":"John",
"age":30,
"cars":["Ford", "BMW", "Fiat"]
}
Accede a los valores de la matriz por índice:
myObj.cars[0];
Pruébelo usted mismo →
<!DOCTYPE html>
<html>
<body>
<h2>Access Array Values</h2>
<p id="demo"></p>
<script>
const myJSON = '{"name":"John", "age":30, "cars":["Ford", "BMW", "Fiat"]}';
const myObj = JSON.parse(myJSON);
document.getElementById("demo").innerHTML = myObj.cars[0];
</script>
</body>
</html>
Puede acceder a los valores de la matriz utilizando un bucle for in
:
for (let i in myObj.cars) {
x
+= myObj.cars[i];
}
Pruébelo usted mismo →
<!DOCTYPE html>
<html>
<body>
<h2>Looping an Array</h2>
<p id="demo"></p>
<script>
const myJSON = '{"name":"John", "age":30, "cars":["Ford", "BMW", "Fiat"]}';
const myObj = JSON.parse(myJSON);
let text = "";
for (let i in myObj.cars) {
text += myObj.cars[i] + ", ";
}
document.getElementById("demo").innerHTML = text;
</script>
</body>
</html>
O puedes usar un bucle for
:
for (let i
= 0; i < myObj.cars.length; i++) {
x
+= myObj.cars[i];
}
Pruébelo usted mismo →
<!DOCTYPE html>
<html>
<body>
<h2>Looping an Array</h2>
<p id="demo"></p>
<script>
const myJSON = '{"name":"John", "age":30, "cars":["Ford", "BMW", "Fiat"]}';
const myObj = JSON.parse(myJSON);
let text = "";
for (let i = 0; i < myObj.cars.length; i++) {
text += myObj.cars[i] + ", ";
}
document.getElementById("demo").innerHTML = text;
</script>
</body>
</html>