[백준 24196] Gömda ord (C#, C++) - soo:bak
작성일 :
문제 링크
설명
암호의 복호화라는 주제의 간단한 구현 문제입니다.
우선 입력으로 주어진 문자열에서 첫 번째 문자를 출력 문자열에 추가합니다.
이후, 해당 문자를 입력으로 주어진 문자열에서 탐색하여 다음 인덱스를 계산합니다.
인덱스가 마지막 문자를 가리키기 전 까지 탐색 과정을 반복합니다.
반복이 종료된 후에는 마지막 문자를 출력 문자열이 추가한 후, 출력 문자열을 출력합니다.
Code
[ C# ]
1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
namespace Solution {
class Program {
static void Main(string[] args) {
var encrt = Console.ReadLine();
string ans = "";
int idx = 0;
while (true) {
if (idx == encrt!.Length - 1) break ;
ans += encrt[idx];
idx += encrt[idx] - 'A' + 1;
}
ans += encrt[encrt.Length - 1];
Console.WriteLine($"{ans}");
}
}
}
[ C++ ]
1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
#include <bits/stdc++.h>
using namespace std;
int main() {
ios::sync_with_stdio(false);
cin.tie(nullptr);
string encrt; cin >> encrt;
string ans = "";
int idx = 0;
while (true) {
if ((size_t)idx == encrt.size() - 1) break ;
ans += encrt[idx];
idx += encrt[idx] - 'A' + 1;
}
ans += encrt[encrt.size() - 1];
cout << ans << "\n";
return 0;
}