문제 설명
정수를 저장한 배열, arr에서 가장 작은 수를 제거한 배열을 리턴하는 함수, solution을 완성해주세요. 단, 리턴하려는 배열이 빈 배열인 경우엔 배열에 -1을 채워 리턴하세요. 예를 들어 arr이 [4,3,2,1]인 경우는 [4,3,2]를 리턴하고, [10] 면 [-1]을 리턴합니다.
제한 조건- arr은 길이 1 이상인 배열입니다.
- 인덱스 i, j에 대해 i ≠ j이면 arr[i] ≠ arr[j] 입니다.
arr | return |
[4,3,2,1] | [4,3,2] |
[10] | [-1] |
Solution
#include <algorithm>
#include <string>
#include <vector>
using namespace std;
vector<int> solution(vector<int> arr) {
vector<int> answer(arr);
int min = answer.at(0);
int at = 0;
for (int i = 0; i < answer.size(); i++) {
if (answer.at(i) < min) {
min = answer.at(i);
at = i;
}
}
answer.erase(answer.begin() + at);
if (answer.empty() == true) answer.push_back(-1);
return answer;
}
남의 코드
#include <string>
#include <vector>
#include <algorithm>
using namespace std;
vector<int> solution(vector<int> arr) {
vector<int> answer = arr;
int nMin = *min_element(arr.begin(), arr.end());
int pos = find(answer.begin(), answer.end(), nMin) - answer.begin();
answer.erase(answer.begin() + pos);
return answer.empty() ? vector<int>(1, -1) : answer;
}
후기
#include <algorithm>에 min_element라는 게 있는 줄 이제 알았다. 앞으로는 최솟값을 구해야 할 시 이걸 사용하면 되겠다. 남의 코드에서는 삼항 연산자까지 깔끔하게 정리를 딱 해놓았네? 나도 저렇게 해야겠다 앞으로는
(url: https://programmers.co.kr/learn/courses/30/lessons/12935)
728x90
'연습장' 카테고리의 다른 글
연습문제 > 정수 내림차순으로 배치하기 (0) | 2021.11.27 |
---|---|
연습문제 > 정수 제곱근 판별 (0) | 2021.11.27 |
연습문제 > 짝수와 홀수 (0) | 2021.11.27 |
연습문제 > 최대공약수와 최소공배수 (0) | 2021.11.27 |
연습문제 > 콜라츠 추측 (0) | 2021.11.27 |