자연수 n을 뒤집어 각 자리 숫자를 원소로 가지는 배열 형태로 리턴해주세요.
예를들어 n이 12345이면 [5,4,3,2,1]을 리턴합니다.
n | return |
---|---|
12345 | [5, 4, 3, 2, 1] |
#include <string>
#include <vector>
using namespace std;
vector<int> solution(long long n) {
vector<int> answer;
int temp;
while(n != 0) {
temp = n % 10;
answer.push_back(temp);
n /= 10;
}
return answer;
}