const array = [1, 3, 5, 7];
array.forEach((number, index) => {
console.log(number, index);
// 1 0
// 3 1
// 5 2
// 7 3
});
const array = [1, 3, 5, 7];
const newArray = array.map((number, index) => {
console.log(number, index);
return number + 1;
});
console.log(array); // [1, 3, 5, 7]
console.log(newArray); // [2, 4, 6, 8]
<html>
<head>
<meta charset="utf-8">
<title>숫자야구</title>
</head>
<body>
<form id="form">
<input type="text" id="input">
<button>확인</button>
</form>
<div id="logs"></div>
<script>
const $input = document.querySelector('#input');
const $form = document.querySelector('#form');
const $logs = document.querySelector('#logs');
const numbers = [];
for (let n = 0; n < 9; n++) {
numbers.push(n + 1); // 0~9까지 숫자 담아놓음
}
const answer = [];
for (let n = 0; n < 4; n++) {
const index = Math.floor(Math.random() * numbers.length)
answer.push(numbers[index]);
numbers.splice(index, 1); // 해당 인덱스를 없앰 , 땡겨짐
}
console.log(answer);
const tries = [];
function checkInput(input) { //검사하는 코드
if (input.length !== 4) { // 길이는 4가 아닌가
return alert('4자리 숫자를 입력해 주세요.'); //undefined반환
}
if (new Set(input).size !== 4) { // 중복된 숫자가 있는가
return alert('중복되지 않게 입력해 주세요.');
}
if (tries.includes(input)) { // 이미 시도한 값은 아닌가
return alert('이미 시도한 값입니다.');
}
return true;
}
$form.addEventListener('submit', (event) => {
event.preventDefault();
const value = $input.value; // 입력값
$input.value = ''; // input창 지워줌
const valid = checkInput(value);
if (!valid) return;
//입력값 문제 없음
if (answer.join('') === value) { // (ex) [3,1,4,6]-> '3146'
$logs.textContent = '홈런!';
return;
}
if (tries.length >= 9) {
const message = document.createTextNode(`패배! 정답은 ${answer.join('')}`);
$logs.appendChild(message);
return;
}
// 몇 스트라이크 몇 볼인지 검사
let strike = 0;
let ball = 0;
for (let i = 0; i < answer.length; i++) { //answer = [3,1,4,6] , value = 1234
const index = value.indexOf(answer[i]); // 정답의 숫자를 입력값에 가지고 있으면 해당 인덱스 아니면 -1
if (index > -1) { // 일치하는 숫자 발견
if (index === i) { // 자릿수도 같음
strike += 1;
} else { // 숫자만 같음
ball += 1;
}
}
}
$logs.append(`${value}: ${strike} 스트라이크 ${ball} 볼`, document.createElement('br'));
tries.push(value);
});
</script>
</body>
</html>