문제 설명
0 또는 양의 정수가 주어졌을 때, 정수를 이어 붙여 만들 수 있는 가장 큰 수를 알아내 주세요.
예를 들어, 주어진 정수가 [6, 10, 2]라면 [6102, 6210, 1062, 1026, 2610, 2106]를 만들 수 있고, 이중 가장 큰 수는 6210입니다.
0 또는 양의 정수가 담긴 배열 numbers가 매개변수로 주어질 때, 순서를 재배치하여 만들 수 있는 가장 큰 수를 문자열로 바꾸어 return 하도록 solution 함수를 작성해주세요.
제한 사항
- numbers의 길이는 1 이상 100,000 이하입니다.
- numbers의 원소는 0 이상 1,000 이하입니다.
- 정답이 너무 클 수 있으니 문자열로 바꾸어 return 합니다.
입출력 예
numbers | return |
[6, 10, 2] | "6210" |
[3, 30, 34, 5, 9] | "9534330" |
나의 코드
#include <string>
#include <vector>
#include <algorithm>
using namespace std;
bool mysort(int n1, int n2) {
string s1, s2;
s1 = to_string(n1);
s2 = to_string(n2);
return (stoi(s1 + s2) > stoi(s2 + s1));
}
string solution(vector<int> numbers) {
string answer = "";
sort(numbers.begin(), numbers.end(), mysort);
for (int n : numbers) {
answer += to_string(n);
}
if (answer[0] == '0') return "0";
return answer;
}
주석 버전
#include <string>
#include <vector>
#include <algorithm>
using namespace std;
bool mysort(int n1, int n2) { //나의 정렬 코드
string s1, s2;
s1 = to_string(n1); //n1을 string으로 변환한것
s2 = to_string(n2); //n2을 string으로 변환한것
return (stoi(s1 + s2) > stoi(s2 + s1));
}
string solution(vector<int> numbers) {
string answer = "";
sort(numbers.begin(), numbers.end(), mysort); //정렬
for (int n : numbers) { //string에 붙이기
answer += to_string(n);
}
if (answer[0] == '0') return "0"; //숫자가 0이면 0 return
return answer;
}
다른 코드
#include <algorithm>
#include <string>
#include <vector>
using namespace std;
bool compare(const string &a, const string &b)
{
if (b + a < a + b)
return true;
return false;
}
string solution(vector<int> numbers) {
string answer = "";
vector<string> strings;
for (int i : numbers)
strings.push_back(to_string(i));
sort(strings.begin(), strings.end(), compare);
for (auto iter = strings.begin(); iter < strings.end(); ++iter)
answer += *iter;
if (answer[0] == '0')
answer = "0";
return answer;
}
sterilizedmilk , 고재혁 , SangJin Jeon , 류기보 , 홍성욱 외 8 명의 코드입니다.
이 코드를 사용하면 기존에는 2번씩 int를 string으로 변경했는데 이를 한번으로 끝낼 수 있다는 장점이 있다.
2021.11.01 나의 풀이
#include <string>
#include <vector>
#include <algorithm>
using namespace std;
bool compare(int a, int b) {
string a_s = to_string(a);
string b_s = to_string(b);
return a_s + b_s > b_s + a_s;
}
string solution(vector<int> numbers) {
string answer = "";
sort(numbers.begin(), numbers.end(), compare);
for (int num : numbers) {
answer += to_string(num);
}
if (answer[0] == '0') return "0";
return answer;
}
나의 느낀점
좀 더 참을성을 키워야겠다..
이번 문제는 생각보다 간단하였는데 원리를 생각하다가 너무 복잡하게 생각해 버렸다.
앞으로는 복잡하게 생각하지 말고 문제대로 푸는 연습을 해야할것 같다.
'전공공부 > 코딩테스트' 카테고리의 다른 글
프로그래머스 완전탐색 모의고사 (0) | 2021.05.10 |
---|---|
프로그래머스 정렬 H-Index (0) | 2021.05.09 |
프로그래머스 정렬 K번째수 (0) | 2021.05.06 |
프로그래머스 힙 이중우선순위큐 (0) | 2021.05.05 |
프로그래머스 힙 디스크 컨트롤러 (0) | 2021.05.04 |