[백준 32306] Basketball Score (C#, C++) - soo:bak
작성일 :
문제 링크
설명
두 팀의 1, 2, 3점 슛 개수로 총점을 계산해 승패를 출력하는 문제입니다.
접근법
각 팀의 총점은 1점 슛 개수에 1을, 2점 슛 개수에 2를, 3점 슛 개수에 3을 곱해 모두 더하면 됩니다.
이후 총점이 더 큰 팀 번호를 출력하고, 같으면 0을 출력합니다.
Code
C#
1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
using System;
class Program {
static void Main() {
var a = Console.ReadLine()!.Split();
var b = Console.ReadLine()!.Split();
var s1 = int.Parse(a[0]) + 2 * int.Parse(a[1]) + 3 * int.Parse(a[2]);
var s2 = int.Parse(b[0]) + 2 * int.Parse(b[1]) + 3 * int.Parse(b[2]);
if (s1 > s2) Console.WriteLine(1);
else if (s2 > s1) Console.WriteLine(2);
else Console.WriteLine(0);
}
}
C++
1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
#include <bits/stdc++.h>
using namespace std;
int main() {
ios::sync_with_stdio(false);
cin.tie(nullptr);
int a1, a2, a3; cin >> a1 >> a2 >> a3;
int b1, b2, b3; cin >> b1 >> b2 >> b3;
int s1 = a1 + 2 * a2 + 3 * a3;
int s2 = b1 + 2 * b2 + 3 * b3;
if (s1 > s2) cout << 1 << "\n";
else if (s2 > s1) cout << 2 << "\n";
else cout << 0 << "\n";
return 0;
}