Counting Bits
class Solution {
public int[] countBits(int n) {
// n+1 길이의 배열 ans 생성
int[] ans = new int[n+1];
// for 문을 0부터 n+1 직전까지 돌아야 함
for (int i = 0; i < n+1; i++) {
// count 변수를 사용해서 2진수에서 1의 개수를 찾아야 함
int count = 0;
// toBinaryString() 메소드 활용해서 2진수로 바꿈
String binary = Integer.toBinaryString(i);
// 2진수를 돌면서 1의 개수가 있는 만큼 count 변수 증가
for (char ch : binary.toCharArray()) {
if (ch == '1') {
count++;
}
}
// count 변수를 ans에 넣음
ans[i] = count;
}
return ans;
}
}
class Solution {
public int[] countBits(int n) {
int[] result = new int[n + 1];
for (int i = 1; i <= n; i++) {
result[i] = result[i >> 1] + (i & 1);
}
return result;
}
}
#99클럽 #코딩테스트 준비 #개발자 취업 #항해99 #TIL