코린이의 소소한 공부노트

[LeetCode/Easy] 2553. Separate the Digits in an Array 본문

코딩테스트 풀이/JAVA

[LeetCode/Easy] 2553. Separate the Digits in an Array

무지맘 2023. 3. 8. 15:19

1. Input

1) int[] nums

 

2. Output

1) nums의 모든 요소를 각 자리수로 쪼갠 후, 순서를 유지한 채로 그 숫자들을 담은 int[] 반환

- 요소가 321이라면 배열에 [3,2,1]이 담겨야 한다.

 

3. Constraint

1) 1 <= nums.length <= 1000

2) 1 <= nums[i] <= 10^5

 

4. Example

Input: nums = [13,25,83,77] -> Output: [1,3,2,5,8,3,7,7]

 

5. Code

1) 첫 코드(2023/03/08)

ArrayList<Integer> list = new ArrayList<Integer>();
for(int i : nums){
    String s = String.valueOf(i);
    for(int j=0 ; j<s.length() ; j++)
        list.add(s.charAt(j)-'0');
}
int[] answer = new int[list.size()];
for(int i=0 ; i<list.size() ; i++)
    answer[i] = list.get(i);
return answer;