문제
문자열 S를 입력받은 후에, 각 문자를 R번 반복해 새 문자열 P를 만든 후 출력하는 프로그램을 작성하시오. 즉, 첫 번째 문자를 R번 반복하고, 두 번째 문자를 R번 반복하는 식으로 P를 만들면 된다. S에는 QR Code "alphanumeric" 문자만 들어있다.
QR Code "alphanumeric" 문자는 0123456789ABCDEFGHIJKLMNOPQRSTUVWXYZ\$%*+-./: 이다.
입력
첫째 줄에 테스트 케이스의 개수 T(1 ≤ T ≤ 1,000)가 주어진다. 각 테스트 케이스는 반복 횟수 R(1 ≤ R ≤ 8), 문자열 S가 공백으로 구분되어 주어진다. S의 길이는 적어도 1이며, 20글자를 넘지 않는다.
출력
각 테스트 케이스에 대해 P를 출력한다.
풀이 과정
입력으로 들어온 문자열 S의 문자 하나하나를 R 만큼 반복하여 출력한다.
C
#include <stdio.h>
#include <string.h>
int main(void) {
int t; scanf("%d", &t);
while (t--) {
int r; char s[21];
scanf("%d %s", &r, s);
for (int i = 0; i < strlen(s); i++) {
for (int j = 0; j < r; j++) printf("%c", s[i]);
}
printf("\n");
}
return 0;
}
C++
#include <iostream>
#include <string>
using namespace std;
int main(void) {
int t; cin >> t;
while (t--) {
int r; string s;
cin >> r >> s;
for (int i = 0; i < s.length(); i++) {
for (int j = 0; j < r; j++) cout << s.at(i);
}
cout << endl;
}
return 0;
}
Python
import sys
input = sys.stdin.readline
t = int(input().rstrip())
for _ in range(t):
r, s = input().rstrip().split()
for i in s: print(i*int(r), end='')
print()
Java
import java.util.*;
public class Main {
public static void main(String[] args) {
Scanner sc = new Scanner(System.in);
int t = sc.nextInt();
for (int idx = 0; idx < t; idx++) {
int r = sc.nextInt();
String s = sc.nextLine();
for (int i = 1; i < s.length(); i++) {
for (int j = 0; j < r; j++) System.out.print(s.charAt(i));
}
System.out.println();
}
}
}
'-- 예전 기록 > BOJ' 카테고리의 다른 글
[ BOJ ] 11943 : 파일 옮기기 ( BRONZE 4 ) / C, Python (0) | 2023.09.28 |
---|---|
[ BOJ ] 28295 : 체육은 코딩과목 입니다 ( BRONZE 4 ) / C, Python (0) | 2023.09.28 |
[ BOJ ] 10809 : 알파벳 찾기 ( BRONZE 2 ) / C, C++, Python, Java (0) | 2023.09.26 |
[ BOJ ] 25628 : 햄버거 만들기 ( BRONZE 4 ) / C, Python (0) | 2023.09.26 |
[ BOJ ] 13752 : 히스토그램 ( BRONZE 4 ) / C, Python (0) | 2023.09.26 |