작성일 :

문제 링크

27219번 - Робинзон Крузо

설명

로빈슨 크루소가 n 번째 날에 벽에 그리는 눈금을 출력한다는 컨셉의 문제입니다.

입력으로 받은 n 을 기준으로, 벽에 그릴 V 의 개수를 계산하고, 마찬가지로 벽에 그릴 I 의 개수를 계산합니다.

이후, VI 를 이어서 출력합니다.


Code

[ C# ]

1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
namespace Solution {
  class Program {
    static void Main(string[] args) {

      var n = int.Parse(Console.ReadLine()!);

      var cntV = n / 5;
      var cntI = n % 5;

      for (int i = 0; i < cntV; i++)
        Console.Write("V");
      for (int i = 0; i < cntI; i++)
        Console.Write("I");
      Console.WriteLine();

    }
  }
}



[ C++ ]

1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
#include <bits/stdc++.h>

using namespace std;

int main() {
  ios::sync_with_stdio(false);
  cin.tie(nullptr);

  int n; cin >> n;

  int cntV = n / 5, cntI = n % 5;

  for (int i = 0; i < cntV; i++)
    cout << "V";
  for (int i = 0; i < cntI; i++)
    cout << "I";
  cout << "\n";

  return 0;
}