S
가 주어졌을 때, 짝지어 제거하기를 성공적으로 수행할 수 있는지 반환하는 함수를 완성해 주세요. 1
을, 아닐 경우 0
을 리턴해주면 됩니다.function solution(s){
if (s.length % 2 !== 0) {
return 0;
}
let strArr = s.split('');
const stack = [];
for (let i = 0; i < strArr.length; i++) {
if (strArr[i] === stack[stack.length -1]) {
stack.pop();
continue;
}
stack.push(strArr[i]);
if (stack.length > strArr.length - i) {
return 0;
}
}
return 1;
}
지도개발팀에서 근무하는 제이지는 지도에서 도시 이름을 검색하면 해당 도시와 관련된 맛집 게시물들을 데이터베이스에서 읽어 보여주는 서비스를 개발하고 있다.
이 프로그램의 테스팅 업무를 담당하고 있는 어피치는 서비스를 오픈하기 전 각 로직에 대한 성능 측정을 수행하였는데, 제이지가 작성한 부분 중 데이터베이스에서 게시물을 가져오는 부분의 실행시간이 너무 오래 걸린다는 것을 알게 되었다.
어피치는 제이지에게 해당 로직을 개선하라고 닦달하기 시작하였고, 제이지는 DB 캐시를 적용하여 성능 개선을 시도하고 있지만 캐시 크기를 얼마로 해야 효율적인지 몰라 난감한 상황이다.
어피치에게 시달리는 제이지를 도와, DB 캐시를 적용할 때 캐시 크기에 따른 실행시간 측정 프로그램을 작성하시오.
cacheSize
)와 도시이름 배열(cities
)을 입력받는다.cacheSize
는 정수이며, 범위는 0 ≦ cacheSize
≦ 30 이다.cities
는 도시 이름으로 이뤄진 문자열 배열로, 최대 도시 수는 100,000개이다.function solution(cacheSize, cities) {
const cache = [];
const answer = cities.map((city) => city.toUpperCase()).reduce((runtime, city) => {
if (cache.includes(city)) {
cache.splice(cache.indexOf(city), 1);
cache.push(city);
runtime += 1;
} else {
runtime += 5;
cache.push(city);
}
if (cache.length > cacheSize) {
cache.shift();
}
return runtime;
}, 0);
return answer;
}
You are given a 0-indexed array of strings details
. Each element of details
provides information about a given passenger compressed into a string of length 15. The system is such that:
Return the number of passengers who are strictly more than 60 years old.
details.length
<= 100details[i].length
== 15details[i]
consists of digits from '0' to '9'.details[i][10]
is either 'M' or 'F' or 'O'./**
* @param {string[]} details
* @return {number}
*/
var countSeniors = function(details) {
return details.map((str) => Number(str.substring(11, 13))).filter((age) => age > 60).length;
};
△△ 게임대회가 개최되었습니다.
이때, 처음 라운드에서 A번을 가진 참가자는 경쟁자로 생각하는 B번 참가자와 몇 번째 라운드에서 만나는지 궁금해졌습니다.
게임 참가자 수 N
, 참가자 번호 A
, 경쟁자 번호 B
가 함수 solution의 매개변수로 주어질 때, 처음 라운드에서 A번을 가진 참가자는 경쟁자로 생각하는 B번 참가자와 몇 번째 라운드에서 만나는지 return 하는 solution 함수를 완성해 주세요.
N
: 2^1 이상 2^20 이하인 자연수 (2의 지수 승으로 주어지므로 부전승은 발생하지 않습니다.)A
, B
: N
이하인 자연수 (단, A ≠ B
입니다.)function solution(n,a,b)
{
let answer = 0;
while (a !== b) {
a = Math.round(a/2);
b = Math.round(b/2);
answer++;
}
return answer;
}
예를 들어 프로세스 4개 [A, B, C, D]가 순서대로 실행 대기 큐에 들어있고, 우선순위가 [2, 1, 3, 2]라면 [C, D, A, B] 순으로 실행하게 됩니다.
현재 실행 대기 큐(Queue)에 있는 프로세스의 중요도가 순서대로 담긴 배열 priorities
와, 몇 번째로 실행되는지 알고싶은 프로세스의 위치를 알려주는 location
이 매개변수로 주어질 때, 해당 프로세스가 몇 번째로 실행되는지 return 하도록 solution 함수를 작성해주세요.
priorities
의 길이는 1 이상 100 이하입니다.priorities
의 원소는 1 이상 9 이하의 정수입니다.priorities
의 원소는 우선순위를 나타내며 숫자가 클 수록 우선순위가 높습니다.location
은 0 이상 (대기 큐에 있는 프로세스 수 - 1) 이하의 값을 가집니다.priorities
의 가장 앞에 있으면 0, 두 번째에 있으면 1 … 과 같이 표현합니다.function solution(priorities, location) {
let answer = 0;
let sortedQueue = [];
const queue = priorities.map((priority, index) => {
return {priority, index};
});
sortQueueByPriority(queue, sortedQueue);
for (let i = 0; i < sortedQueue.length; i++) {
if (sortedQueue[i].index === location) {
answer = i + 1;
break;
}
}
return answer;
}
function sortQueueByPriority(queue, sortedQueue) {
if (queue.length === 0) {
return sortedQueue;
}
const currProcess = queue.shift();
const higherPriorityCount = queue.filter(process => process.priority > currProcess.priority).length;
if (higherPriorityCount > 0) {
queue.push(currProcess);
} else {
sortedQueue.push(currProcess);
}
return sortQueueByPriority(queue, sortedQueue);
}