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
- JS
- math
- HTML
- greedy
- 프로그래머스
- string
- JavaScript
- Python
- 파이썬
- hash table
- 백준
- 컴포넌트
- 알고리즘
- 코딩테스트
- array
- 자료구조
- CSS
- Algorithm
- dynamic programming
- SasS
- leetcode
- sorting
- vue.js
- scss
- 변수
- 자료형
- JavaSceipt
- java
- github
- computed
Archives
- Today
- Total
Posis
[프로그래머스] n의 배수 고르기 본문
문제 링크
https://school.programmers.co.kr/learn/courses/30/lessons/120905
문제 설명
정수 n과 정수 배열 numlist가 매개변수로 주어질 때, numlist에서 n의 배수가 아닌 수들을 제거한 배열을 return하도록 solution 함수를 완성해주세요.
제한사항
- 1 ≤ n ≤ 10,000
- 1 ≤ numlist의 크기 ≤ 100
- 1 ≤ numlist의 원소 ≤ 100,000
입출력 예
n | numlist | result |
3 | [4, 5, 6, 7, 8, 9, 10, 11, 12] | [6, 9, 12] |
5 | [1, 9, 3, 10, 13, 5] | [10, 5] |
12 | [2, 100, 120, 600, 12, 12] | [120, 600, 12, 12] |
입출력 예 설명
입출력 예 #1
- numlist에서 3의 배수만을 남긴 [6, 9, 12]를 return합니다.
입출력 예 #2
- numlist에서 5의 배수만을 남긴 [10, 5]를 return합니다.
입출력 예 #3
- numlist에서 12의 배수만을 남긴 [120, 600, 12, 12]를 return합니다.
나의 풀이
Java
import java.util.ArrayList;
class Solution {
public int[] solution(int n, int[] numlist) {
ArrayList<Integer> multiple = new ArrayList<>();
int count = 0;
for(int i = 0, j = 0; i < numlist.length; i++) {
if(numlist[i]%n == 0) {
multiple.add(numlist[i]);
count++;
}
}
int[] answer = new int[count];
for(int i = 0; i < answer.length; i++) {
answer[i] = multiple.get(i);
}
return multiple;
}
}
JavaScript
function solution(n, numlist) {
return numlist.filter((value) => value%n === 0);
}
728x90
'알고리즘 > 프로그래머스' 카테고리의 다른 글
[프로그래머스] 주사위의 개수 (0) | 2022.12.05 |
---|---|
[프로그래머스] 약수 구하기 (0) | 2022.12.05 |
[프로그래머스] 가장 큰 수 찾기 (0) | 2022.12.05 |
[프로그래머스] 대문자와 소문자 (0) | 2022.12.05 |
[프로그래머스] 가위 바위 보 (0) | 2022.12.05 |