https://swexpertacademy.com/main/code/problem/problemDetail.do?contestProbId=AV14tDX6AFgCFAYD&categoryId=AV14tDX6AFgCFAYD&categoryType=CODE&problemTitle=1224&orderBy=FIRST_REG_DATETIME&selectCodeLang=ALL&select-1=&pageSize=10&pageIndex=1 

 

SW Expert Academy

SW 프로그래밍 역량 강화에 도움이 되는 다양한 학습 컨텐츠를 확인하세요!

swexpertacademy.com

<풀이>

1. 계산식을 입력받는다.

2. 계산식을 후위표기식으로 바꾼 후에 계산하고 출력한다.

 

중위표기식을 후위표기식으로 바꾸는 방법과 후위표기식 계산방법은 설명하지 않겠습니다. 다른 자료를 참고해주세요. 정확한 구현을 요한 문제입니다.

 

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
36
37
38
39
40
41
42
43
44
45
46
47
48
49
50
51
52
53
54
55
56
57
58
59
60
61
62
63
64
65
66
67
68
69
70
71
72
73
74
75
76
77
78
79
80
81
82
83
84
85
86
87
88
89
90
91
92
93
94
95
96
97
98
99
100
101
102
103
104
105
106
107
108
109
110
111
112
113
114
115
116
117
118
119
120
121
122
123
#include <iostream>
#include <stack>
 
using namespace std;
 
int length;
string str;
int answer;
 
int priority(char c) {
    if (c == '(' || c == ')'return 0//스택 안에 있는 괄호는 우선순위가 가장 낮음
    else if (c == '+' || c == '-'return 1;
    else if (c == '*' || c == '/'return 2;
}
 
//중위표기식 -> 후위표기식
string convert() {
    string output = "";
    stack<char> s;
    for (int i = 0; i < length; i++) {
        char c = str[i];
 
        //숫자
        if (0 <= 'c' && c >= '9') {
            output += c;
        }
        //그 외
        else {
            //괄호
            if (c == '(' || c == ')') {
                if (c == '(') s.push('(');
                else {
                    while (!s.empty() && s.top() != '(') {
                        output += s.top();
                        s.pop();
                    }
                    s.pop();
                }
            }
            //비괄호
            else {
                while (!s.empty() && priority(s.top()) >= priority(c)) {
                    output += s.top();
                    s.pop();
                }
                s.push(c);
            }
        }
    }
 
    while (!s.empty()) {
        output += s.top();
        s.pop();
    }
 
    return output;
}
 
//후위표기식 계산
int calculate(string str) {
    int output = 0;
    stack<int> num;
    for (int i = 0; i < str.length(); i++) {
        char c = str[i];
 
        if ('0' <= c && c <= '9') num.push(c - '0');
        else {
            int num1 = num.top();
            num.pop();
            int num2 = num.top();
            num.pop();
            switch (c) {
            case '+':
                num.push(num1 + num2);
                break;
            case '-':
                num.push(num1 - num2);
                break;
            case '*':
                num.push(num1 * num2);
                break;
            case '/':
                num.push(num1 / num2);
                break;
            }
        }
    }
 
    output = num.top();
    return output;
}
 
void solution() {
    string convertStr = convert();
    answer = calculate(convertStr);
}
 
int main() {
    int test_case;
    int T;
 
    T = 10;
 
    for (test_case = 1; test_case <= T; test_case++) {
 
        //초기화
        length = 0;
        str = "";
        answer = 0;
 
        //입력
        cin >> length >> str;
 
        //해법
        solution();
 
        //출력
        cout << "#" << test_case << " " << answer << "\n";
    }
 
    //종료
    return 0;
}

 

자료구조 스택과 구현에 대해 알아볼 수 있는 문제였습니다.

'알고리즘 문제풀이 > SWEA' 카테고리의 다른 글

[C++] SWEA 5650 - 핀볼 게임(2)  (0) 2022.12.23
[C++] SWEA 1226 - 미로1  (0) 2022.12.21
[C++] SWEA 1219 - 길찾기(2)  (0) 2022.12.21
[C++] SWEA 1218 - 괄호 짝짓기  (0) 2022.12.21
[C++] SWEA 2117 - 홈 방범 서비스(2)  (1) 2022.12.21

두 번째 풀이입니다. 예전과는 어떻게 얼마나 달라졌는지 궁금해서 한번 더 풀어보았습니다.

https://swexpertacademy.com/main/code/problem/problemDetail.do?contestProbId=AV14geLqABQCFAYD&categoryId=AV14geLqABQCFAYD&categoryType=CODE&problemTitle=1219&orderBy=FIRST_REG_DATETIME&selectCodeLang=ALL&select-1=&pageSize=10&pageIndex=1 

 

SW Expert Academy

SW 프로그래밍 역량 강화에 도움이 되는 다양한 학습 컨텐츠를 확인하세요!

swexpertacademy.com

<풀이>

1. 길 정보가 주어진다.

2. 출발점(0)에서 도착점(99)로 갈 수 있는지 출력한다.

 

<해법>

1. 알고리즘 선택하기

=> 길찾기 알고리즘으로 DFS(스택, 재귀함수), BFS(큐)가 있습니다. 모든 방법으로 풀이가 가능합니다(모든 방법으로 풀어보았습니다). 저는 DFS(재귀함수)를 이용한 코드를 올리겠습니다.

 

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
36
37
38
39
40
41
42
43
44
45
46
47
48
49
50
51
52
53
54
55
56
57
58
59
60
61
62
63
#include <iostream>
#include <string.h>
 
using namespace std;
 
int trash;
int cnt;
int map[100][2];
bool visited[100];
bool answer;
 
bool canGo(int node) {
    if (node == 99return true;
 
    bool ret = false;
    visited[node] = true;
    for (int i = 0; i < 2; i++) {
        int nxt = map[node][i];
        if (nxt != -1 && !visited[nxt]) {
            ret |= canGo(nxt);
        }
    }
    return ret;
}
 
void solution() {
    answer = canGo(0);
}
 
int main() {
    int test_case;
    int T;
 
    T = 10;
 
    for (test_case = 1; test_case <= T; test_case++) {
 
        //초기화
        trash = 0;
        cnt = 0;
        memset(map, -1sizeof(map));
        memset(visited, falsesizeof(visited));
        answer = false;
 
        //입력
        cin >> trash >> cnt;
        for (int i = 0; i < cnt; i++) {
            int from = 0, to = 0;
            cin >> from >> to;
            if (map[from][0== -1) map[from][0= to;
            else map[from][1= to;
        }
 
        //해법
        solution();
 
        //출력
        cout << "#" << test_case << " " << answer << "\n";
    }
 
    //종료
    return 0;
}

 

DFS, BFS에 대해 알아볼 수 있는 문제였습니다.

'알고리즘 문제풀이 > SWEA' 카테고리의 다른 글

[C++] SWEA 1226 - 미로1  (0) 2022.12.21
[C++] SWEA 1224 - 계산기3  (0) 2022.12.21
[C++] SWEA 1218 - 괄호 짝짓기  (0) 2022.12.21
[C++] SWEA 2117 - 홈 방범 서비스(2)  (1) 2022.12.21
[C++] SWEA 1217 - 거듭 제곱  (0) 2022.12.21

https://swexpertacademy.com/main/code/problem/problemDetail.do?contestProbId=AV14eWb6AAkCFAYD&categoryId=AV14eWb6AAkCFAYD&categoryType=CODE&problemTitle=1218&orderBy=FIRST_REG_DATETIME&selectCodeLang=ALL&select-1=&pageSize=10&pageIndex=1 

 

SW Expert Academy

SW 프로그래밍 역량 강화에 도움이 되는 다양한 학습 컨텐츠를 확인하세요!

swexpertacademy.com

<풀이>

1. 괄호 문자열을 입력받는다.

2. 괄호들의 짝이 모두 맞는지 출력한다.

 

<해법>

1. 괄호들이 짝이 맞는지 판단하는 방법

=> 스택을 사용합니다. '({[' 이렇게 나왔다면, 뒤에는 ']})' 이렇게 나와야합니다. 따라서, 스택의 연산(push, pop)으로 자연스럽게 괄호의 짝을 알아볼 수 있습니다.

 

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
36
37
38
39
40
41
42
43
44
45
46
47
48
49
50
51
52
53
54
55
56
57
58
59
60
61
62
63
#include <iostream>
#include <stack>
 
using namespace std;
 
int length;
string str;
bool answer;
 
bool isPair(char left, char right) {
    if (left == '(' && right == ')'return true;
    else if (left == '[' && right == ']'return true;
    else if (left == '{' && right == '}'return true;
    else if (left == '<' && right == '>'return true;
    return false;
}
 
bool isValid(string str) {
    stack<char> s;
    for (int i = 0; i < length; i++) {
        char c = str[i];
        if (c == '(' || c == '[' || c == '{' || c == '<') {
            s.push(c);
        }
        else {
            if (isPair(s.top(), c)) s.pop();
            else return false;
        }
    }
    if (!s.empty()) return false;
    return true;
}
 
void solution() {
    answer = isValid(str);
}
 
int main() {
    int test_case;
    int T;
 
    T = 10;
 
    for (test_case = 1; test_case <= T; test_case++) {
 
        //초기화
        length = 0;
        str = "";
        answer = false;
 
        //입력
        cin >> length >> str;
 
        //해법
        solution();
 
        //출력
        cout << "#" << test_case << " " << answer << "\n";
    }
 
    //종료
    return 0;
}

 

자료구조 스택에 대해 알아볼 수 있는 문제였습니다.

'알고리즘 문제풀이 > SWEA' 카테고리의 다른 글

[C++] SWEA 1224 - 계산기3  (0) 2022.12.21
[C++] SWEA 1219 - 길찾기(2)  (0) 2022.12.21
[C++] SWEA 2117 - 홈 방범 서비스(2)  (1) 2022.12.21
[C++] SWEA 1217 - 거듭 제곱  (0) 2022.12.21
[C++] SWEA 1216 - 회문2  (0) 2022.12.15

두 번째 풀이입니다. 예전과는 어떻게 얼마나 달라졌는지 궁금해서 한번 더 풀어보았습니다.

https://swexpertacademy.com/main/code/problem/problemDetail.do?contestProbId=AV5V61LqAf8DFAWu&categoryId=AV5V61LqAf8DFAWu&categoryType=CODE&problemTitle=2117&orderBy=FIRST_REG_DATETIME&selectCodeLang=ALL&select-1=&pageSize=10&pageIndex=1 

 

SW Expert Academy

SW 프로그래밍 역량 강화에 도움이 되는 다양한 학습 컨텐츠를 확인하세요!

swexpertacademy.com

<풀이>

1. 도시 정보를 입력받는다.

2. 손해를 보지 않으면서 가장 많은 집들에게 서비스를 제공할 수 있는 영역을 찾고, 그 때 서비스를 받는 집들의 수를 출력한다.

 

<해법>

1. 마름모 서비스 영역을 찾는 방법

=> 저는 마름모 모양으로 커지는 모습이 BFS가 탐색하는 모습과 유사하다고 생각하여서, BFS를 이용하여 단계별로 탐색하였습니다.

 

2. 어떻게 탐색해야할까?

=> 그리디한 해법이나, 최적화 할 수 있는 방법이 없다고 생각합니다. 따라서, 모든 경우를 다 해보아야합니다. 저는 도시의 모든 지점을 탐색하였고, 지점마다 도시가 전부 덮힐때까지 마름모를 넓혀나갔습니다.

 

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
36
37
38
39
40
41
42
43
44
45
46
47
48
49
50
51
52
53
54
55
56
57
58
59
60
61
62
63
64
65
66
67
68
69
70
71
72
73
74
75
76
77
78
79
80
81
82
83
84
85
86
87
88
89
90
91
92
93
94
95
96
97
98
99
100
101
102
#include <iostream>
#include <string.h>
#include <algorithm>
#include <queue>
 
using namespace std;
 
struct pos {
    int x, y;
};
 
int dx[] = { -1,0,1,0 };
int dy[] = { 0,1,0,-1 };
 
int N, M;
int map[20][20];
bool visited[20][20];
int answer;
 
bool isInner(pos p) {
    if (p.x < 0 || p.y < 0 || p.x >= N || p.y >= N) return false;
    return true;
}
 
int findServiceArea(pos p) {
    queue<pos> q;
    bool visited[20][20];
    memset(visited, falsesizeof(visited));
 
    q.push(p);
    visited[p.x][p.y] = true;
    int k = 1;
    int people = 0;
    int output = 0;
 
    while (!q.empty()) {
        int qsize = q.size();
        while (qsize--) {
            pos cur = q.front();
            q.pop();
 
            if (map[cur.x][cur.y] == 1) people++;
 
            for (int i = 0; i < 4; i++) {
                pos nxt = cur;
                nxt.x += dx[i];
                nxt.y += dy[i];
 
                if (!isInner(nxt) || visited[nxt.x][nxt.y]) continue;
 
                q.push(nxt);
                visited[nxt.x][nxt.y] = true;
            }
        }
 
        int cost = k * k + (k - 1* (k - 1);
        if (people * M >= cost) output = people;
        k++;
    }
 
    return output;
}
 
void solution() {
    for (int i = 0; i < N; i++) {
        for (int j = 0; j < N; j++) {
            answer = max(answer, findServiceArea({ i, j }));
        }
    }
}
 
int main() {
    int test_case;
    int T;
 
    cin >> T;
 
    for (test_case = 1; test_case <= T; test_case++) {
 
        //초기화
        N = 0, M = 0;
        memset(map, 0sizeof(map));
        answer = 0;
 
        //입력
        cin >> N >> M;
        for (int i = 0; i < N; i++) {
            for (int j = 0; j < N; j++) {
                cin >> map[i][j];
            }
        }
 
        //해법
        solution();
 
        //출력
        cout << "#" << test_case << " " << answer << "\n";
    }
 
    //종료
    return 0;
}

 

BFS에 대해 알아볼 수 있는 문제였습니다.

'알고리즘 문제풀이 > SWEA' 카테고리의 다른 글

[C++] SWEA 1219 - 길찾기(2)  (0) 2022.12.21
[C++] SWEA 1218 - 괄호 짝짓기  (0) 2022.12.21
[C++] SWEA 1217 - 거듭 제곱  (0) 2022.12.21
[C++] SWEA 1216 - 회문2  (0) 2022.12.15
[C++] SWEA 1215 - 회문1(2)  (0) 2022.12.15

https://swexpertacademy.com/main/code/problem/problemDetail.do?contestProbId=AV14dUIaAAUCFAYD&categoryId=AV14dUIaAAUCFAYD&categoryType=CODE&problemTitle=1217&orderBy=FIRST_REG_DATETIME&selectCodeLang=ALL&select-1=&pageSize=10&pageIndex=1 

 

SW Expert Academy

SW 프로그래밍 역량 강화에 도움이 되는 다양한 학습 컨텐츠를 확인하세요!

swexpertacademy.com

<풀이>

1. 두 개의 숫자 N, M을 입력받는다.

2. N의 M 제곱을 출력한다.

 

<해법>

1. 재귀함수 구현 전 생각

=> f(N, M) = N * f(N, M-1)의 점화식을 떠올렸습니다. 이 후, 재귀함수 탈출 조건은 M = 0일 때, 1을 반환하는 방식을 선택하였고, 이를 재귀함수로 구현하였습니다.

 

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
36
37
38
39
40
41
42
43
#include <iostream>
 
using namespace std;
 
int trash;
int N, M;
int answer;
 
int involution(int n, int m) {
    if (m == 0return 1;
    return n * involution(n, m - 1);
}
 
void solution() {
    answer = involution(N, M);
}
 
int main() {
    int test_case;
    int T;
 
    T = 10;
 
    for (test_case = 1; test_case <= T; test_case++) {
 
        //초기화
        trash = 0;
        N = 0, M = 0;
        answer = 0;
 
        //입력
        cin >> trash >> N >> M;
 
        //해법
        solution();
 
        //출력
        cout << "#" << test_case << " " << answer << "\n";
    }
 
    //종료
    return 0;
}

 

재귀함수에 대해 알아볼 수 있는 문제였습니다.

'알고리즘 문제풀이 > SWEA' 카테고리의 다른 글

[C++] SWEA 1218 - 괄호 짝짓기  (0) 2022.12.21
[C++] SWEA 2117 - 홈 방범 서비스(2)  (1) 2022.12.21
[C++] SWEA 1216 - 회문2  (0) 2022.12.15
[C++] SWEA 1215 - 회문1(2)  (0) 2022.12.15
[C++] SWEA 1213 - String  (0) 2022.12.15

https://swexpertacademy.com/main/code/problem/problemDetail.do?contestProbId=AV14Rq5aABUCFAYi&categoryId=AV14Rq5aABUCFAYi&categoryType=CODE&problemTitle=1216&orderBy=FIRST_REG_DATETIME&selectCodeLang=ALL&select-1=&pageSize=10&pageIndex=1 

 

SW Expert Academy

SW 프로그래밍 역량 강화에 도움이 되는 다양한 학습 컨텐츠를 확인하세요!

swexpertacademy.com

<풀이>

1. 글자판을 입력받는다.

2. 해당 글자판에서 만들 수 있는 회문 중, 가장 긴 회문을 찾고 그 길이를 출력한다.

 

<해법>

1. 회문인지 판별하는 방법

=> https://algosu.tistory.com/124 회문1 문제 풀이입니다. 이 링크와 코드의 isPalindrome함수를 참조해주시면 됩니다.

 

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
36
37
38
39
40
41
42
43
44
45
46
47
48
49
50
51
52
53
54
55
56
57
58
59
60
61
62
63
64
65
66
67
68
69
70
71
72
73
74
75
76
#include <iostream>
#include <string.h>
#include <algorithm>
 
using namespace std;
 
int trash;
char map[100][100];
int answer;
 
bool isPalindrome(string str) {
    int start = 0end = str.length() - 1;
    for (int i = 0; i < str.length() / 2; i++) {
        if (str[start + i] != str[end - i]) return false;
    }
    return true;
}
 
void solution() {
    string str = "";
    for (int i = 0; i < 100; i++) {
        for (int j = 0; j < 100; j++) {
            str = "";
            for (int k = 0; k < 100; k++) {
                if (j + k > 100break;
                str += map[i][j + k];
                if (isPalindrome(str)) {
                    answer = max(answer, k + 1);
                }
            }
            
            str = "";
            for (int k = 0; k < 100; k++) {
                if (i + k > 100break;
                str += map[i + k][j];
                if (isPalindrome(str)) {
                    answer = max(answer, k + 1);
                }
            }
        }
    }
}
 
int main() {
    int test_case;
    int T;
 
    T = 10;
 
    for (test_case = 1; test_case <= T; test_case++) {
 
        //초기화
        trash = 0;
        memset(map, '0'sizeof(map));
        answer = 0;
 
        //입력
        cin >> trash;
        for (int i = 0; i < 100; i++) {
            string str = "";
            cin >> str;
            for (int j = 0; j < 100; j++) {
                map[i][j] = str[j];
            }
        }
 
        //해법
        solution();
 
        //출력
        cout << "#" << test_case << " " << answer << "\n";
    }
 
    //종료
    return 0;
}

 

문자열과 구현에 대해 알아볼 수 있는 문제였습니다.

'알고리즘 문제풀이 > SWEA' 카테고리의 다른 글

[C++] SWEA 2117 - 홈 방범 서비스(2)  (1) 2022.12.21
[C++] SWEA 1217 - 거듭 제곱  (0) 2022.12.21
[C++] SWEA 1215 - 회문1(2)  (0) 2022.12.15
[C++] SWEA 1213 - String  (0) 2022.12.15
[C++] SWEA 1953 - 탈주범 검거(2)  (0) 2022.12.15

두 번째 풀이입니다. 예전과는 어떻게 얼마나 달라졌는지 궁금해서 한번 더 풀어보았습니다.

https://swexpertacademy.com/main/code/problem/problemDetail.do?contestProbId=AV14QpAaAAwCFAYi 

 

SW Expert Academy

SW 프로그래밍 역량 강화에 도움이 되는 다양한 학습 컨텐츠를 확인하세요!

swexpertacademy.com

<풀이>

1. 글자판을 입력받는다.

2. 글자판에서 주어진 길이의 회문 개수를 출력한다.

 

<해법>

1. 회문인지 판별하는 방법

=> 그림으로 대체 하겠습니다. 구현은 코드의 isPalindrome을 참조해 주시면 됩니다.

 

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
36
37
38
39
40
41
42
43
44
45
46
47
48
49
50
51
52
53
54
55
56
57
58
59
60
61
62
63
64
65
66
67
68
69
70
71
72
73
#include <iostream>
#include <string.h>
 
using namespace std;
 
int pLength;
char map[8][8];
int answer;
 
bool isPalindrome(string str) {
    int start = 0;
    int end = str.length() - 1;
    for (int i = 0; i < str.length() / 2; i++) {
        if (str[start + i] != str[end - i]) return false;
    }
    return true;
}
 
void solution() {
 
    string str = "";
    for (int i = 0; i < 8; i++) {
        for (int j = 0; j < 8; j++) {
            if (j + pLength <= 8) {
                str = "";
                for (int k = 0; k < pLength; k++) {
                    str += map[i][j + k];
                }
                if (isPalindrome(str)) answer++;
            }
 
            if (i + pLength <= 8) {
                str = "";
                for (int k = 0; k < pLength; k++) {
                    str += map[i + k][j];
                }
                if (isPalindrome(str)) answer++;
            }
        }
    }
}
 
int main() {
    int test_case;
    int T;
 
    T = 10;
 
    for (test_case = 1; test_case <= T; test_case++) {
 
        //초기화
        pLength = 0;
        memset(map, '0'sizeof(map));
        answer = 0;
 
        //입력
        cin >> pLength;
        for (int i = 0; i < 8; i++) {
            for (int j = 0; j < 8; j++) {
                cin >> map[i][j];
            }
        }
 
        //해법
        solution();
        
        //출력
        cout << "#" << test_case << " " << answer << "\n";
    }
 
    //종료
    return 0;
}

 

문자열과 구현에 대해 알아볼 수 있는 문제였습니다.

'알고리즘 문제풀이 > SWEA' 카테고리의 다른 글

[C++] SWEA 1217 - 거듭 제곱  (0) 2022.12.21
[C++] SWEA 1216 - 회문2  (0) 2022.12.15
[C++] SWEA 1213 - String  (0) 2022.12.15
[C++] SWEA 1953 - 탈주범 검거(2)  (0) 2022.12.15
[C++] SWEA 1949 - 등산로 조정  (0) 2022.12.15

https://swexpertacademy.com/main/code/problem/problemDetail.do?contestProbId=AV14P0c6AAUCFAYi&categoryId=AV14P0c6AAUCFAYi&categoryType=CODE&problemTitle=1213&orderBy=FIRST_REG_DATETIME&selectCodeLang=ALL&select-1=&pageSize=10&pageIndex=1 

 

SW Expert Academy

SW 프로그래밍 역량 강화에 도움이 되는 다양한 학습 컨텐츠를 확인하세요!

swexpertacademy.com

<풀이>

1. pattern과 text를 입력받는다.

2. text내에 있는 pattern의 개수를 출력한다.

 

<해법>

1. 문제를 해결하는 흐름

=>

(1) 문자열에서 가장 빨리 나타나는 pattern을 찾습니다.

(2) 문자열을 pattern 뒤부터로 갱신합니다.

예를 들어, text가 "abcde..."이고 pattern이 "bc"라고 하겠습니다. text내에서 가장빨리 나타나는 패턴을 찾으면 a[bc]de... 입니다. 이후, text를 d...로 교체합니다.

 

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
36
37
38
39
40
41
42
43
44
45
46
47
48
49
50
51
#include <iostream>
#include <string>
 
using namespace std;
 
int trash;
string text;
string pattern;
int answer;
 
void solution() {
    int index = 0;
    while (true) {
        index = text.find(pattern, index);
 
        if (index == string::npos) {
            break;
        }
 
        index += pattern.length();
        answer++;
    }
}
 
int main() {
    int test_case;
    int T;
 
    T = 10;
 
    for (test_case = 1; test_case <= T; test_case++) {
 
        //초기화
        trash = 0;
        text = "";
        pattern = "";
        answer = 0;
 
        //입력
        cin >> trash >> pattern >> text;
 
        //해법
        solution();
 
        //출력
        cout << "#" << test_case << " " << answer << "\n";
    }
 
    //종료
    return 0;
}

 

문자열에 대해 알아볼 수 있는 문제였습니다.

'알고리즘 문제풀이 > SWEA' 카테고리의 다른 글

[C++] SWEA 1216 - 회문2  (0) 2022.12.15
[C++] SWEA 1215 - 회문1(2)  (0) 2022.12.15
[C++] SWEA 1953 - 탈주범 검거(2)  (0) 2022.12.15
[C++] SWEA 1949 - 등산로 조정  (0) 2022.12.15
[C++] SWEA 4311 - 오래된 스마트폰  (0) 2022.12.07

+ Recent posts