<script>
let testArray = [ 1, 2, 3, 4, 5 ];
</script>
<script>
let testArray2 = new Array(5);
</script>
배열의 내용물은 다양하게 넣을 수 있다. (숫자, 문자, 배열 등)
<script>
let testArray3 = [ 1, '2', [ 3, 4, 5 ], 4, 5 ];
</script>
<script>
for( let i = 0; i < testArray.length; i++ ){
testArray[i];
}
</script>
<script>
testArray.forEach( function (number, index, arr) {
console.log("number : " + number + ", index : " + index + ", arr : " + arr)
console.log()
})
</script>
(1) for 문 : 특정조건을 성립하는 i를 출력할 때 유용함
(2) forEach 문 : 특정 조건 없이 전체를 출력할 때 유용함
<script>
testArray.push(30);
</script>
<script>
testArray.pop();
</script>
<script>
testArray.unshift(300);
</script>
<script>
testArray.shift();
</script>
unshift()와 shifr()는 배열의 전체를 이동시키기 때문에 push()나 pop()에 비해 느리다.
가급적 사용하지 않는 것을 권장한다.
<script>
let arryMultiple = testArray.map( x => x * 2);
</script>
<script>
const arr1 = [1, 2, [3, 4]];
arr1.flat();
// [1, 2, 3, 4]
const arr2 = [1, 2, [3, 4, [5, 6]]];
arr2.flat();
// [1, 2, 3, 4, [5, 6]]
const arr3 = [1, 2, [3, 4, [5, 6]]];
arr3.flat(2);
// [1, 2, 3, 4, 5, 6]
const arr4 = [1, 2, [3, 4, [5, 6, [7, 8, [9, 10]]]]];
arr4.flat(Infinity);
// [1, 2, 3, 4, 5, 6, 7, 8, 9, 10]
const arr5 = [1, 2, , 4, 5];
arr5.flat();
// [1, 2, 4, 5]
</script>