Counting Duplicates ( 6 kyu )

문제

Count the number of Duplicates

Write a function that will return the count of distinct case-insensitive alphabetic characters and numeric digits that occur more than once in the input string. The input string can be assumed to contain only alphabets (both uppercase and lowercase) and numeric digits.

Example

"abcde" -> 0 # no characters repeats more than once
"aabbcde" -> 2 # 'a' and 'b'
"aabBcde" -> 2 # 'a' occurs twice and 'b' twice (bandB)
"indivisibility" -> 1 # 'i' occurs six times
"Indivisibilities" -> 2 # 'i' occurs seven times and 's' occurs twice
"aA11" -> 2 # 'a' and '1'
"ABBA" -> 2 # 'A' and 'B' each occur twice

중복되는 단어의 개수를 리턴하는 간단한 문제

풀이

function duplicateCount(text){
  let obj = {}, count = 0;
  text = text.toLowerCase();
  for ( let i = 0; i < text.length; i++ ) {
    if ( obj[text[i]] ) {
      obj[text[i]]++;
    } else {
      obj[text[i]] = 1;
    }
  }
  for ( let j in obj ) {
    if ( obj[j] > 1 ) count++
  }
  return count;
}

obj에 단어 개수를 담아놓고, 1보다 크면 count를 하나씩 추가해서 리턴

다른 사람의 풀이

function duplicateCount(text){
  return (text.toLowerCase().split('').sort().join('').match(/([^])\1+/g) || []).length;
}

한 줄로 푸는게 역시 제일 멋있어


'자료구조, 알고리즘 > Codewars 문제' 카테고리의 다른 글

Who likes it? ( 6 kyu )  (0) 2017.11.27
Unique In Order ( 6 kyu )  (0) 2017.11.26
Vasya - Clerk ( 6 kyu )  (0) 2017.11.26
Build a pile of Cubes ( 6 kyu )  (0) 2017.11.25
Take a Ten Minute Walk ( 6 kyu )  (0) 2017.11.24

Vasya - Clerk ( 6 kyu )

문제

The new “Avengers” movie has just been released! There are a lot of people at the cinema box office standing in a huge line. Each of them has a single 100, 50 or 25 dollars bill. A “Avengers” ticket costs 25 dollars.

Vasya is currently working as a clerk. He wants to sell a ticket to every single person in this line.

Can Vasya sell a ticket to each person and give the change if he initially has no money and sells the tickets strictly in the order people follow in the line?

Return YES, if Vasya can sell a ticket to each person and give the change. Otherwise return NO.

Examples:

// === JavaScript ==

tickets([25, 25, 50]) // => YES
tickets([25, 100])
        // => NO. Vasya will not have enough money to give change to 100 dollars

25달러짜리 티켓을 파는데 잔돈이 부족하면 NO, 가능하다면 YES를 리턴

풀이

function tickets(peopleInLine){
  let obj = { price: 0 };
  for ( let i of peopleInLine ) {
    if ( i === 25 ) {
      obj.price += 25
    } else if ( i === 50 ) {
      obj.price -= 25
      if ( obj.price < 0 ) return "NO";
      obj.price += 50
    } else if ( i === 100 ) {
      obj.price -= 75
      if ( obj.price < 0 ) return "NO";
    }
  }
  return "YES";
}

if문으로 쭉 엮어서 현재 보유한 금액이 거스름돈보다 적으면 NO 리턴, 포문 탈줄시 YES 리턴

생각하는데 그래도 시간이 조금 걸렸음.

다른 사람의 풀이

죄다 스위치 케이스로 해놨는데, 복잡해서 걍 안읽어봄 ㅎㅎㅎ


'자료구조, 알고리즘 > Codewars 문제' 카테고리의 다른 글

Unique In Order ( 6 kyu )  (0) 2017.11.26
Counting Duplicates ( 6 kyu )  (0) 2017.11.26
Build a pile of Cubes ( 6 kyu )  (0) 2017.11.25
Take a Ten Minute Walk ( 6 kyu )  (0) 2017.11.24
IQ Test ( 6 kyu )  (0) 2017.11.24

Build a pile of Cubes ( 6 kyu )

문제

Your task is to construct a building which will be a pile of n cubes. The cube at the bottom will have a volume of n^3, the cube above will have volume of (n-1)^3 and so on until the top which will have a volume of 1^3.

You are given the total volume m of the building. Being given m can you find the number n of cubes you will have to build?

The parameter of the function findNb (find_nb, find-nb, findNb) will be an integer m and you have to return the integer n such as n^3 + (n-1)^3 + … + 1^3 = m if such a n exists or -1 if there is no such n.

Examples:

findNb(1071225) --> 45
findNb(91716553919377) --> -1

1부터 결과값까지 세제곱의 합이 인자값이 되는 경우를 찾아 리턴, 없다면 -1 리턴

풀이

function findNb(m) {
  let sum = 0, i = 1;
  while ( sum < m ) {
    sum += Math.pow(i, 3);
    if ( sum === m ) {
      return i
    }
    i++
  }
  return -1;
}

sum에 1부터 세제곱의 합을 담고, sum이 m 보다 커질때까지 while문을 돌려 만약 m과 같은 값이 있다면 i를 리턴, 아니라면 -1을 리턴

다른 사람의 풀이

function findNb(m) {
  var n = 0
  while (m > 0) m -= ++n**3
  return m ? -1 : n
}

똑같지만 간결해보임.


'자료구조, 알고리즘 > Codewars 문제' 카테고리의 다른 글

Counting Duplicates ( 6 kyu )  (0) 2017.11.26
Vasya - Clerk ( 6 kyu )  (0) 2017.11.26
Take a Ten Minute Walk ( 6 kyu )  (0) 2017.11.24
IQ Test ( 6 kyu )  (0) 2017.11.24
Duplicate Encoder ( 6 kyu )  (0) 2017.11.23

Take a Ten Minute Walk ( 6 kyu )

문제

You live in the city of Cartesia where all roads are laid out in a perfect grid. You arrived ten minutes too early to an appointment, so you decided to take the opportunity to go for a short walk. The city provides its citizens with a Walk Generating App on their phones — everytime you press the button it sends you an array of one-letter strings representing directions to walk (eg. [‘n’, ‘s’, ‘w’, ‘e’]). You know it takes you one minute to traverse one city block, so create a function that will return true if the walk the app gives you will take you exactly ten minutes (you don’t want to be early or late!) and will, of course, return you to your starting point. Return false otherwise.

Note: you will always receive a valid array containing a random assortment of direction letters (‘n’, ‘s’, ‘e’, or ‘w’ only). It will never give you an empty array (that’s not a walk, that’s standing still!).

동서남북으로 걸어서 출발점으로 돌아올 수 있는지 확인하는 문제, 걸음이 너무 짧거나 길면 false를 리턴

풀이

function isValidWalk(walk) {
  if ( walk.length > 10 || walk.length < 3 ) return false;
  let obj = { 'e': 0, 'w': 0, 's': 0, 'n': 0 };
  for ( let i in walk ) {
    obj[walk[i]]++
  }
  return obj['e'] === obj['w'] && obj['s'] === obj['n'] ? true : false;
}

우선 예외처리를 가장 윗줄에서 해주고

obj 객체로 동서남북을 카운트해서 동,서의 개수와 남,북의 개수가 같으면 true 리턴

다른 사람의 풀이

function isValidWalk(walk) {
  var dx = 0
  var dy = 0
  var dt = walk.length

  for (var i = 0; i < walk.length; i++) {
    switch (walk[i]) {
      case 'n': dy--; break
      case 's': dy++; break
      case 'w': dx--; break
      case 'e': dx++; break
    }
  }

  return dt === 10 && dx === 0 && dy === 0
}

스위치문으로 신기하게 풀어서 가져옴. 접근법은 크게 다르지 않은 듯 하다


'자료구조, 알고리즘 > Codewars 문제' 카테고리의 다른 글

Vasya - Clerk ( 6 kyu )  (0) 2017.11.26
Build a pile of Cubes ( 6 kyu )  (0) 2017.11.25
IQ Test ( 6 kyu )  (0) 2017.11.24
Duplicate Encoder ( 6 kyu )  (0) 2017.11.23
Stop gninnipS My sdroW! ( 6 kyu )  (0) 2017.11.22

IQ Test ( 6 kyu )

문제

Bob is preparing to pass IQ test. The most frequent task in this test is to find out which one of the given numbers differs from the others. Bob observed that one number usually differs from the others in evenness. Help Bob — to check his answers, he needs a program that among the given numbers finds one that is different in evenness, and return a position of this number.

! Keep in mind that your task is to help Bob solve a real IQ test, which means indexes of the elements start from 1 (not 0)

For example:

iqTest("2 4 7 8 10") => 3 // Third number is odd, while the rest of the numbers are even

iqTest("1 2 1 1") => 2 // Second number is even, while the rest of the numbers are odd

해당 배열에 홀수나 짝수 값이 1개만 있으면 해당 값이 몇 번째에 있는지 리턴하는 문제

풀이

function iqTest(numbers){
  let arr = numbers.split(' ').map(a => a%2);
  return arr.indexOf(0) === arr.lastIndexOf(0) ? arr.indexOf(0)+1 : arr.indexOf(1)+1;
}

arr에 기존 문자열을 배열로 쪼개 각 인자를 2로 나눈 나머지만 넣어주고

indexOf와 lastIndexOf를 비교해 한개만 있는 값의 인덱스 +1을 리턴

6 kyu 문제만 계속해서 포스팅 하는데 올리기에는 너무 쉬운 내용인 것 같기도 하지만 다른 사람들의 풀이를 보기 위해 올림..

다른 사람의 풀이

function iqTest(numbers){
  numbers = numbers.split(" ").map(function(el){return parseInt(el)});

  var odd = numbers.filter(function(el){ return el % 2 === 1});
  var even = numbers.filter(function(el){ return el % 2 === 0});

  return odd.length < even.length ? (numbers.indexOf(odd[0]) + 1) : (numbers.indexOf(even[0]) + 1);
}

풀고 보니까 저번에 푼 문제랑 똑같았다..하놔

필터쓰면 간단하게 풀 수 있는 문젠데, 또! 생각조차 못했음..

filter.. 메모..


Duplicate Encoder ( 6 kyu )

문제

The goal of this exercise is to convert a string to a new string where each character in the new string is ‘(‘ if that character appears only once in the original string, or ‘)’ if that character appears more than once in the original string. Ignore capitalization when determining if a character is a duplicate.

Examples:

"din" => "((("

"recede" => "()()()"

"Success" => ")())())"

"(( @" => "))(("

중복이 되는 단어면 ), 중복되지 않으면 (로 치환해 출력하는 문제, 대소문자는 구분하지 않는다.

풀이

function duplicateEncode(word){
  let obj = {}, result = '';
  word = word.toLowerCase();
  for ( let i = 0; i < word.length; i++ ) {
    if ( obj[word[i]] ) {
      obj[word[i]] += 1;
    } else {
      obj[word[i]] = 1;
    }
  }
  for ( let j = 0; j < word.length; j++ ) {
    if ( obj[word[j]] === 1 ) {
      result += '(';
    } else {
      result += ')';
    }
  }
  return result;
}

우선 대소문자를 구별하지 않기 때문에, 전부 소문자로 치환해주고,

첫 번째 포문에서는 obj에 갯수를 저장해 놓고

두 번째 포문에서는 문자열을 돌면서 obj에서 개수를 확인해 if문으로 result에 ( 또는 )를 추가하고 리턴

다른 사람의 풀이

function duplicateEncode(word){
  return word
    .toLowerCase()
    .split('')
    .map( function (a, i, w) {
      return w.indexOf(a) == w.lastIndexOf(a) ? '(' : ')'
    })
    .join('');
}

다른 문제에서 접근한 방법인 indexOf와 lastIndexOf를 비교하는 방법으로 map 으로 사용한 것!

왜 map에 인자를 세개나 주었을까 찾아보니, 순서대로 배열에서 현재 처리되는 요소, 인덱스, 배열을 나타낸 것이다.

익혀두면 좋을 것 같다.

'자료구조, 알고리즘 > Codewars 문제' 카테고리의 다른 글

Take a Ten Minute Walk ( 6 kyu )  (0) 2017.11.24
IQ Test ( 6 kyu )  (0) 2017.11.24
Stop gninnipS My sdroW! ( 6 kyu )  (0) 2017.11.22
Find The Parity Outlier ( 6 kyu )  (0) 2017.11.22
Persistent Bugger. ( 6 kyu )  (0) 2017.11.22

Stop gninnipS My sdroW! ( 6 kyu )

문제

Write a function that takes in a string of one or more words, and returns the same string, but with all five or more letter words reversed (Just like the name of this Kata). Strings passed in will consist of only letters and spaces. Spaces will be included only when more than one word is present.

For example:
spinWords( "Hey fellow warriors" ) => returns “Hey wollef sroirraw”
spinWords( "This is a test") => returns “This is a test”
spinWords( "This is another test" )=> returns “This is rehtona test”

단어가 5글자 이상일 때 단어를 거꾸로 배치하는 문제

풀이

function spinWords(str){
  let arr = str.split(' ');
  for ( let i = 0; i < arr.length; i++ ) {
    if ( arr[i].length >= 5 ) {
      arr[i] = arr[i].split('').reverse().join('');
    }
  }
  return arr.join(' ');
}

단어 별로 쪼개서 배열에 넣고 길이가 5이상이면 뒤집어주고 join해서 리턴.

매우 간단한 문제고 이게 왜 6 kyu인지 모르겟다.

다른 사람의 풀이

function spinWords(string){
  return string.replace(/\w{5,}/g, function(w) { return w.split('').reverse().join('') })
}

정규식 멋있게 써서 가져왔고, 익혀놔야겠다.

'자료구조, 알고리즘 > Codewars 문제' 카테고리의 다른 글

Take a Ten Minute Walk ( 6 kyu )  (0) 2017.11.24
IQ Test ( 6 kyu )  (0) 2017.11.24
Duplicate Encoder ( 6 kyu )  (0) 2017.11.23
Find The Parity Outlier ( 6 kyu )  (0) 2017.11.22
Persistent Bugger. ( 6 kyu )  (0) 2017.11.22

Find The Parity Outlier ( 6 kyu )

문제

You are given an array (which will have a length of at least 3, but could be very large) containing integers. The array is either entirely comprised of odd integers or entirely comprised of even integers except for a single integer N. Write a method that takes the array as an argument and returns this “outlier” N.

For example:

[2, 4, 0, 100, 4, 11, 2602, 36]
Should return: 11 (the only odd number)

[160, 3, 1719, 19, 11, 13, -21]
Should return: 160 (the only even number)

해당 배열에 홀수 값이 1개만 있으면 그 값을 리턴, 짝수 값이 1개만 있으면 그 값을 리턴하는 문제

풀이

function findOutlier(integers){
  let arr = [];
  for ( let i = 0; i < integers.length; i++ ) {
    arr.push(Math.abs(integers[i]%2));
  }
  return arr.indexOf(1) === arr.lastIndexOf(1) ? integers[arr.indexOf(1)] : integers[arr.indexOf(0)]
}

새로운 배열에 2로나눈 절댓값을 넣어서

만약 홀수가 한개면 배열 안에 1이 한개가 있을 것이고,

짝수가 한개면 배열 안에 0이 한개 있을 것이다.

여기서 indexOf와 lastIndexOf가 같으면 그 값이 한개만 존재한다는 뜻이 삼항연산자로 해당 값을 리턴.

쓰레기같은 발상이였다..

다른 사람의 풀이

function findOutlier(int){
  var even = int.filter(a=>a%2==0);
  var odd = int.filter(a=>a%2!==0);
  return even.length==1? even[0] : odd[0];
}

필터쓰면 간단하게 풀 수 있는 문젠데, 생각조차 못했음..

filter.. 메모..


'자료구조, 알고리즘 > Codewars 문제' 카테고리의 다른 글

Take a Ten Minute Walk ( 6 kyu )  (0) 2017.11.24
IQ Test ( 6 kyu )  (0) 2017.11.24
Duplicate Encoder ( 6 kyu )  (0) 2017.11.23
Stop gninnipS My sdroW! ( 6 kyu )  (0) 2017.11.22
Persistent Bugger. ( 6 kyu )  (0) 2017.11.22

+ Recent posts