JavaScript how to make an array
Learn how to create an array in Javascript with an example. See how to use the array constructor and array literal syntax to create and initialize arrays for your program.
Creating an Array in JavaScript
An array is a special type of variable in JavaScript that allows you to store multiple values in a single variable. Arrays are useful for storing lists of data such as names, emails, and phone numbers. Here's an example of how to create an array in JavaScript:
var myArray = ["John", "Paul", "Ringo", "George"];
In the example above, we've created an array called myArray
that contains four strings: "John", "Paul", "Ringo", and "George". Each of these strings is called an "element" of the array. We can access any of these elements by using the array's index. For example, to access the first element in our array, we can use the following syntax:
myArray[0]; // returns "John"
We can also add more elements to an array. To add an element to the end of an array, we can use the push()
method:
myArray.push("Pete"); // adds "Pete" to the end of the array
To add an element to the beginning of an array, we can use the unshift()
method:
myArray.unshift("Stuart"); // adds "Stuart" to the beginning of the array
We can also remove elements from an array. To remove an element from the end of an array, we can use the pop()
method:
myArray.pop(); // removes the last element from the array
To remove an element from the beginning of an array, we can use the shift()
method:
myArray.shift(); // removes the first element from the array
We can also use the splice()
method to remove an element from any position in the array:
myArray.splice(1, 1); // removes the second element from the array
In summary, arrays are a powerful tool for storing and manipulating data in JavaScript. With the methods above, you can easily create, add, and remove elements from an array.