728x90
반응형
프로그래머스 : JavaScript 알고리즘 100일 챌린지 19일차
- 프로그래머스 : https://school.programmers.co.kr/learn/challenges/training?order=acceptance_desc
- 유트브 참고 : https://www.youtube.com/watch?v=RMmOU2u-_as&list=PLkfUwwo13dlWZxOdbvMhkzhAowaiEjuGS
코딩테스트 입문 Day19
1. 7의 개수 : 머쓱이는 행운의 숫자 7을 가장 좋아합니다. 정수 배열 array가 매개변수로 주어질 때, 7이 총 몇 개 있는지 return 하도록 solution 함수를 완성해보세요.
function solution(array) {
var answer = 0;
return answer;
}
길라잡이
- 데이터를 수정해서 답을 구해보세요.
- 예시
array | result |
[7, 77, 17] | 4 |
[10, 29] | 0 |
답 확인하기
function solution(array) {
let cnt = 0;
for(let i=0; i<array.length; i++){
const item = String(array[i]);
for(let j=0; j<item.length; j++){
const v = item[j];
if(v === '7'){
cnt++;
}
}
}
return cnt;
}
2. 잘라서 배열로 저장하기 : 문자열 my_str과 n이 매개변수로 주어질 때, my_str을 길이 n씩 잘라서 저장한 배열을 return하도록 solution 함수를 완성해주세요.
function solution(my_str, n) {
var answer = [];
return answer;
}
길라잡이
- 데이터를 수정해서 답을 구해보세요.
- 예시
my_str | n | result |
"abc1Addfggg4556b" | 6 | ["abc1Ad", "dfggg4", "556b"] |
"abcdef123" | 3 | ["abc", "def", "123"] |
답 확인하기
function solution(my_str, n) {
const answer = [];
let tempStr = '';
for(let i=0; i<my_str.length; i++){
const item = my_str[i];
tempStr += item;
if(i % n === n-1){
answer.push(tempStr);
tempStr = '';
}
}
if(tempStr.length > 0){
answer.push(tempStr);
}
return answer;
}
3. 중복된 숫자 개수 : 정수가 담긴 배열 array와 정수 n이 매개변수로 주어질 때, array에 n이 몇 개 있는 지를 return 하도록 solution 함수를 완성해보세요.
function solution(array, n) {
var answer = 0;
return answer;
}
길라잡이
- 데이터를 수정해서 답을 구해보세요.
- 예시
array | n | result |
[1, 1, 2, 3, 4, 5] | 1 | 2 |
[0, 2, 3, 4] | 1 | 0 |
답 확인하기
function solution(array, n) {
let cnt = 0;
for(let i=0; i<array.length; i++){
const item = array[i];
if(item === n){
cnt++;
}
}
return cnt;
}
4. 머쓱이보다 키 큰 사람 : 머쓱이는 학교에서 키 순으로 줄을 설 때 몇 번째로 서야 하는지 궁금해졌습니다. 머쓱이네 반 친구들의 키가 담긴 정수 배열 array와 머쓱이의 키 height가 매개변수로 주어질 때, 머쓱이보다 키 큰 사람 수를 return 하도록 solution 함수를 완성해보세요.
function solution(array, height) {
var answer = 0;
return answer;
}
길라잡이
- 데이터를 수정해서 답을 구해보세요.
- 예시
array | height | result |
[149, 180, 192, 170] | 167 | 3 |
[180, 120, 140] | 190 | 0 |
답 확인하기
function solution(array, height) {
let cnt = 0;
for(let i=0; i<array.length; i++){
const item = array[i];
if(item > height){
cnt++;
}
}
return cnt;
}
728x90
반응형