Notice
Recent Posts
Recent Comments
Link
250x250
일 | 월 | 화 | 수 | 목 | 금 | 토 |
---|---|---|---|---|---|---|
1 | 2 | 3 | 4 | |||
5 | 6 | 7 | 8 | 9 | 10 | 11 |
12 | 13 | 14 | 15 | 16 | 17 | 18 |
19 | 20 | 21 | 22 | 23 | 24 | 25 |
26 | 27 | 28 | 29 | 30 | 31 |
Tags
- Algorithm
- HTML
- greedy
- JavaScript
- 프로그래머스
- math
- JS
- JavaSceipt
- computed
- SasS
- 자료형
- github
- 파이썬
- 변수
- array
- vue.js
- scss
- leetcode
- hash table
- 알고리즘
- string
- Python
- java
- 코딩테스트
- 컴포넌트
- 자료구조
- CSS
- sorting
- dynamic programming
- 백준
Archives
- Today
- Total
Posis
[프로그래머스] 2차원으로 만들기 본문
문제 링크
https://school.programmers.co.kr/learn/courses/30/lessons/120842
문제 설명
정수 배열 num_list와 정수 n이 매개변수로 주어집니다. num_list를 다음 설명과 같이 2차원 배열로 바꿔 return 하도록 solution 함수를 완성해주세요.
num_list가 [1, 2, 3, 4, 5, 6, 7, 8] 로 길이가 8이고 n이 2이므로 num_list를 2 * 4 배열로 다음과 같이 변경합니다. 2차원으로 바꿀 때에는 num_list의 원소들을 앞에서부터 n개씩 나눠 2차원 배열로 변경합니다.
num_list | n | result |
[1, 2, 3, 4, 5, 6, 7, 8] | 2 | [[1, 2], [3, 4], [5, 6], [7, 8]] |
제한 사항
- num_list의 길이는 n의 배 수개입니다.
- 0 ≤ num_list의 길이 ≤ 150
- 2 ≤ n < num_list의 길이
입출력 예
num_list | n | result |
[1, 2, 3, 4, 5, 6, 7, 8] | 2 | [[1, 2], [3, 4], [5, 6], [7, 8]] |
[100, 95, 2, 4, 5, 6, 18, 33, 948] | 3 | [[100, 95, 2], [4, 5, 6], [18, 33, 948]] |
입출력 예 설명
입출력 예 #1
- num_list가 [1, 2, 3, 4, 5, 6, 7, 8]로 길이가 8이고 n이 2이므로 2 * 4 배열로 변경한 [[1, 2], [3, 4], [5, 6], [7, 8]] 을 return 합니다.
입출력 예 #2
- num_list가 [100, 95, 2, 4, 5, 6, 18, 33, 948]로 길이가 9이고 n이 3이므로 3 * 3 배열로 변경한 [[100, 95, 2], [4, 5, 6], [18, 33, 948]] 을 return 합니다.
나의 풀이
Java
class Solution {
public int[][] solution(int[] num_list, int n) {
int[][] answer = new int[num_list.length/n][n];
int num = 0;
for(int i = 0; i < answer.length; i++) {
for(int j = 0; j < answer[i].length; j++) {
answer[i][j] = num_list[num];
num++;
}
}
return answer;
}
}
JavaScript
function solution(num_list, n) {
let answer = [];
let length = num_list.length/n;
for(let i = 0; i < length; i++) {
answer.push(num_list.splice(0, n));
}
return answer;
}
JavaScript의 splice 메서드를 실행하면 원본 배열에 변화가 생기므로 항상 0부터 n의 개수만큼 잘라서 넣어준다.
728x90
'알고리즘 > 프로그래머스' 카테고리의 다른 글
[프로그래머스] 진료순서 정하기 (0) | 2022.12.07 |
---|---|
[프로그래머스] 팩토리얼 (0) | 2022.12.07 |
[프로그래머스] A로 B만들기 (0) | 2022.12.06 |
[프로그래머스] 중복된 문자 제거 (0) | 2022.12.06 |
[프로그래머스] 합성수 찾기 (0) | 2022.12.05 |