1번 새싹
문제
아래 예제와 같이 새싹을 출력하시오.
입력
입력은 없다.
출력
새싹을 출력한다.
,r'"7
r`-_ ,' ,/
\. ". L_r'
`~\/
|
|
예제 출력의 모양대로 출력을 한다.
C++
#include <iostream>
using namespace std;
int main(){
cout << " ,r\'\"7" << "\n";
cout << "r`-_ ,\' ,/" << "\n";
cout << " \\. \". L_r\'" << "\n";
cout << " `~\\/" << "\n";
cout << " |" << "\n";
cout << " |" << "\n";
return 0;
}
C#
using System;
class Program{
static void Main(string[] args){
Console.WriteLine(" ,r\'\"7");
Console.WriteLine("r`-_ ,\' ,/");
Console.WriteLine(" \\. \". L_r\'");
Console.WriteLine(" `~\\/");
Console.WriteLine(" |");
Console.WriteLine(" |");
}
}
Python
print(" ,r\'\"7")
print("r`-_ ,\' ,/")
print(" \\. \". L_r\'")
print(" `~\\/")
print(" |")
print(" |")
Node.js
console.log(" ,r\'\"7");
console.log("r`-_ ,\' ,/");
console.log(" \\. \". L_r\'");
console.log(" `~\\/");
console.log(" |");
console.log(" |");
2번 킹, 퀸, 룩, 비숍, 나이트, 폰
문제
동혁이는 오래된 창고를 뒤지다가 낡은 체스판과 피스를 발견했다.
체스판의 먼지를 털어내고 걸레로 닦으니 그럭저럭 쓸만한 체스판이 되었다. 하지만, 검은색 피스는 모두 있었으나, 흰색 피스는 개수가 올바르지 않았다.
체스는 총 16개의 피스를 사용하며, 킹 1개, 퀸 1개, 룩 2개, 비숍 2개, 나이트 2개, 폰 8개로 구성되어 있다.
동혁이가 발견한 흰색 피스의 개수가 주어졌을 때, 몇 개를 더하거나 빼야 올바른 세트가 되는지 구하는 프로그램을 작성하시오.
입력
첫째 줄에 동혁이가 찾은 흰색 킹, 퀸, 룩, 비숍, 나이트, 폰의 개수가 주어진다. 이 값은 0보다 크거나 같고 10보다 작거나 같은 정수이다.
출력
첫째 줄에 입력에서 주어진 순서대로 몇 개의 피스를 더하거나 빼야 되는지를 출력한다. 만약 수가 양수라면 동혁이는 그 개수만큼 피스를 더해야 하는 것이고, 음수라면 제거해야 하는 것이다.
입력된 체스말의 개수가 한 세트가 될 수 있도록 개수를 맞춘다.
C++
#include <iostream>
using namespace std;
int main(){
int chess_set[] = {1, 1, 2, 2, 2, 8 };
int need_val[6];
int count;
for (int i = 0; i < 6; i++){
cin >> count;
need_val[i] = chess_set[i] - count;
}
for (int i : need_val){
cout << i << " ";
}
return 0;
}
C#
using System;
class Program{
static void Main(string[] args){
int[] chess_set = { 1, 1, 2, 2, 2, 8 };
string[] input_arr = Console.ReadLine().Split();
for (int i = 0; i < 6; i++){
int val = int.Parse(input_arr[i]);
int need_val = chess_set[i] - val;
Console.Write($"{need_val} ");
}
}
}
Python
chess_set = [1, 1, 2, 2, 2, 8]
input_set = list(map(int, input().split()))
for i in range(6):
val = chess_set[i] - input_set[i]
print(f'{val} ', end='')
Node.js
const fs = require('fs');
const input_set = fs.readFileSync('/dev/stdin','utf8').split(' ').map(Number);
const chess_set = [1, 1, 2, 2, 2, 8]
for (let i = 0; i < 6; i++){
const val = chess_set[i] - input_set[i];
process.stdout.write(`${val} `);
}
3번 별 찍기 - 7
문제
예제를 보고 규칙을 유추한 뒤에 별을 찍어 보세요.
입력
첫째 줄에 N(1 ≤ N ≤ 100)이 주어진다.
출력
첫째 줄부터 2 ×N-1번째 줄까지 차례대로 별을 출력한다.
*
***
*****
*******
*********
*******
*****
***
*
입력된 숫자와 규칙을 적용해서 별을 찍는 문제이다. 입력된 N을 사용해서 2N -1줄에 별을 찍는다.
각 줄에는 시행 횟수 i의 2i - 1 개의 별을 찍고 i가 N보다 클 때부터 2i - N 개의 별을 찍는다.
공백도 필요한데 공백은 N - i, i가 N보다 커지면 i - N 이 된다.
C++
#include <iostream>
#include <string>
using namespace std;
int main(){
cin.tie(NULL);
ios_base::sync_with_stdio(false);
int n;
cin >> n;
for (int i = 1; i <= 2 * n - 1; i++){
int space_count = n - i;
int star_count = 2 * i - 1;
if (i > n){
space_count = i - n;
star_count = 2 * (2 * n - i) - 1;
}
string space(space_count, ' ');
string star(star_count, '*');
cout << space << star << "\n";
}
return 0;
}
C#
using System;
class Program{
static void Main(string[] args){
int n = int.Parse(Console.ReadLine());
int line = 2 * n;
for (int i = 1; i < line; i++){
int space_cnt = n - i;
int star_cnt = 2 * i - 1;
if (i > n){
space_cnt = i - n;
star_cnt = 2 * (line - i) - 1;
}
string space = new string(' ', space_cnt);
string star = new string('*', star_cnt);
Console.WriteLine($"{space}{star}");
}
}
}
Python
n = int(input())
line = 2 * n
for i in range(1, line):
if i > n:
space_cnt = i - n
star_cnt = 2 * (line - i) - 1
else:
space_cnt = n - i
star_cnt = 2 * i - 1
space = ' ' * space_cnt
star = '*' * star_cnt
print(f"{space}{star}")
Node.js
const fs = require('fs');
const n = parseInt(fs.readFileSync('/dev/stdin','utf8'));
const line = 2 * n;
for (let i = 1; i < line; i++){
let space_cnt;
let star_cnt;
if (i > n){
space_cnt = i - n;
star_cnt = 2 * (line - i) - 1;
}
else{
space_cnt = n - i;
star_cnt = 2 * i - 1;
}
const space = ' '.repeat(space_cnt);
const star = '*'.repeat(star_cnt);
console.log(`${space}${star}`);
}
4번 팰린드롬인지 확인하기
문제
알파벳 소문자로만 이루어진 단어가 주어진다. 이때, 이 단어가 팰린드롬인지 아닌지 확인하는 프로그램을 작성하시오.
팰린드롬이란 앞으로 읽을 때와 거꾸로 읽을 때 똑같은 단어를 말한다.
level, noon은 팰린드롬이고, baekjoon, online, judge는 팰린드롬이 아니다.
입력
첫째 줄에 단어가 주어진다. 단어의 길이는 1보다 크거나 같고, 100보다 작거나 같으며, 알파벳 소문자로만 이루어져 있다.
출력
첫째 줄에 팰린드롬이면 1, 아니면 0을 출력한다.
팰린드롬이란 기러기, 역삼역, 스위스 같은 건가 보다.
입력된 문자열을 뒤집었을 때와 비교해서 동일하면 1, 아니면 0을 출력한다.
C++
#include <iostream>
#include <string>
#include <algorithm>
using namespace std;
int main(){
string str;
cin >> str;
string rev_str = str;
reverse(str.begin(), str.end());
int result = 0;
if (str == rev_str)
result = 1;
else
result = 0;
cout << result;
return 0;
}
reverse는 값을 반환하지 않기 때문에 rev_str에 str을 할당 후에 이 문자열을 뒤집어 준다.
C#
using System;
class Program{
static void Main(string[] args){
string str = Console.ReadLine();
char[] rev_str_arr = str.ToCharArray();
Array.Reverse(rev_str_arr);
string rev_str = new string(rev_str_arr);
int result = 0;
if (str == rev_str)
result = 1;
else
result = 0;
Console.Write(result);
}
}
Python
input_str = input()
rev_str = input_str[::-1]
result = 0
if input_str == rev_str:
result = 1
else:
result = 0
print(result)
Node.js
const fs = require('fs');
const input = fs.readFileSync('/dev/stdin','utf8').trim();
const rev_input = input.split('').reverse().join('');
let result = 0;
if (input === rev_input)
result = 1;
else
result = 0;
console.log(result);
5번 단어 공부
문제
알파벳 대소문자로 된 단어가 주어지면, 이 단어에서 가장 많이 사용된 알파벳이 무엇인지 알아내는 프로그램을 작성하시오. 단, 대문자와 소문자를 구분하지 않는다.
입력
첫째 줄에 알파벳 대소문자로 이루어진 단어가 주어진다. 주어지는 단어의 길이는 1,000,000을 넘지 않는다.
출력
첫째 줄에 이 단어에서 가장 많이 사용된 알파벳을 대문자로 출력한다. 단, 가장 많이 사용된 알파벳이 여러 개 존재하는 경우에는 ?를 출력한다.
알파벳 개수만큼 배열을 선언하고 해당 알파벳이 나올 때 인덱스에 값을 증가시키면 될 듯하다.
C++
#include <iostream>
#include <string>
#include <algorithm>
#include <cctype>
using namespace std;
int main(){
int str_count[26] = {0};
string str;
cin >> str;
transform(str.begin(), str.end(), str.begin(), ::toupper);
for (char c : str){
int idx = c - 'A';
str_count[idx]++;
}
int* max_iter = max_element(str_count, str_count + 26);
int max_index = distance(str_count, max_iter);
int max_count = *max_iter;
char max_char = max_index + 'A';
int duplicate_count = 0;
for (int i : str_count){
if (i == max_count){
duplicate_count++;
if (duplicate_count > 1)
break;
}
}
if (duplicate_count > 1)
cout << "?";
else
cout << max_char;
return 0;
}
입력에 대소문자가 모두 들어오기 때문에 문자열을 소문자 또는 대문자로 통일시킨 다음 비교를 진행한다.
대문자로 변환시키기 위해서 algorithm의 transform과 cctype의 ::toupper를 사용한다. 소문자는 ::tolower
각 문자의 등장 횟수 중 가장 큰 수를 구한 다음 해당 횟수가 또 존재하는지 검사하여 ? 또는 해당 문자의 대문자를 출력한다.
C#
using System;
using System.Linq;
class Program{
static void Main(string[] args){
string str = Console.ReadLine().ToUpper();
int[] char_count = new int[26];
foreach(char c in str){
char_count[c - 'A']++;
}
int max_count = char_count.Max();
int max_count_index = Array.IndexOf(char_count, max_count);
int duplicate_count = char_count.Count(x => x == max_count);
if (duplicate_count > 1){
Console.WriteLine("?");
}
else{
Console.WriteLine((char)(max_count_index + 'A'));
}
}
}
Python
s = input().upper()
str_cnt = [0] * 26
for c in s:
idx = ord(c) - ord('A')
str_cnt[idx] += 1
max_cnt = max(str_cnt)
max_idx = 0
duplicate_cnt = 0
for i in range(26):
if str_cnt[i] == max_cnt:
duplicate_cnt += 1
max_idx = i
if duplicate_cnt > 1:
break
if duplicate_cnt > 1:
print("?")
else:
print(chr(max_idx + ord('A')))
Node.js
const fs = require('fs');
const input = fs.readFileSync('/dev/stdin', 'utf8').toUpperCase();
const str_cnt = new Array(26).fill(0);
for (const c of input){
const i = c.charCodeAt(0) - 'A'.charCodeAt(0);
str_cnt[i]++;
}
const max = Math.max(...str_cnt);
let max_idx = 0;
let duplicate_cnt = 0;
for (let i = 0; i < 26; i++){
if (str_cnt[i] === max){
duplicate_cnt++;
max_idx = i;
if (duplicate_cnt > 1)
break;
}
}
if (duplicate_cnt > 1)
console.log("?");
else
console.log(String.fromCharCode(max_idx + 'A'.charCodeAt(0)));