짱아의 개발 기록장

[실력체크 level 1] 문자열을 숫자로! 본문

Algorithm/Programmers

[실력체크 level 1] 문자열을 숫자로!

jungahshin 2021. 2. 20. 22:19
반응형

40분 시간을 주고 2문제를 푸는 실력 체크 level 1을 풀었다.

생각보다 쉬워서 20분? 정도만에 2문제 모두 풀 수 있었다.

 

첫 번째 문제는 문자열을 숫자로 변환해주는 문제였다.

예를 들어, -1234 => -1234로, +1234 => 1234로, 1234 => 1234로 변환해주면 된다.

맨 앞에 부호(-, +)가 있을 수도 없을 수도 있다는 가정하에 풀어야 한다.

 

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
32
33
34
35
#include <string>
#include <vector>
 
using namespace std;
 
int solution(string s) {
    int answer = 0;
    bool isMinus = false;
    bool isPlus = false;
 
    if(s[0]=='-'){
        isMinus = true;
    }else if(s[0]=='+'){
        isPlus = true;
    }
 
    int temp = 1;
    if(isMinus==true || isPlus==true){
        for(int i=s.size()-1; i>=1; i--){
            answer += (temp*(s[i]-'0'));
            temp *= 10;
        }
    }else{
        for(int i=s.size()-1; i>=0; i--){
            answer += (temp*(s[i]-'0'));
            temp *= 10;
        }
    }
 
    if(isMinus==true){
        answer = -answer;
    }
 
    return answer;
}
cs
반응형
Comments