In JavaScript, you can add an object into an array using the push method. Let's take a look at how to do this.
First, create an array to which you want to add the object. For example:
```javascript
let myArray = [];
```
Next, create an object that you want to push into the array. For example:
```javascript
let myObject = { name: 'John', age: 30 };
```
Now, use the push method to add the object into the array:
```javascript
myArray.push(myObject);
```
After executing this code, the object `myObject` will be added to the end of the array `myArray`.
If you want to add multiple objects into the array, you can simply call the `push` method multiple times, passing each object as an argument. For example:
```javascript
let obj1 = { name: 'Alice', age: 25 };
let obj2 = { name: 'Bob', age: 40 };
myArray.push(obj1, obj2);
```
You can also create an array of objects and then merge it with the existing array using the `push` method. For example:
```javascript
let arrayOfObjects = [{ name: 'Anna', age: 28 }, { name: 'David', age: 35 }];
myArray.push(...arrayOfObjects);
```
Additionally, you can use the spread operator (`...`) to merge arrays, which allows you to concatenate two arrays. For example:
```javascript
let anotherArray = [1, 2, 3];
let newArray = [...myArray, ...anotherArray];
```
In conclusion, the `push` method in JavaScript allows you to easily add objects into an array. Whether you want to add a single object, multiple objects, or merge arrays, the `push` method provides a flexible way to manipulate arrays in JavaScript.