URL : https://codeup.kr/problemsetsol.php?psid=23
// 3개의 정수 입력받아 짝 수 출력하기
// input : 1 2 4
// output : 2
// 4
#include <iostream>
using namespace std;
int main()
{
int n[3];
for (int i = 0; i < 3; i++)
{
cin >> n[i];
if (n[i] % 2 == 0)
cout << n[i] << endl;
}
return 0;
}
URL : https://codeup.kr/problemsetsol.php?psid=23
// 3개의 정수 입력받아 작은 수 출력하기
// 단 조건문을 사용하지 않고 삼항 연산자 사용
// input : 1 2 3
// output : 1
#include <iostream>
using namespace std;
int main()
{
int n1, n2, n3;
cin >> n1 >> n2 >> n3;
cout << (n1 < n2 && n1 < n3 ? n1 : (n2 < n3) ? n2 : n3);
return 0;
}
URL : https://codeup.kr/problemsetsol.php?psid=23
// 2개의 정수 입력받아 큰 수 출력하기
// input : 2 5
// output : 5
#include <iostream>
using namespace std;
int main()
{
int n1, n2;
cin >> n1 >> n2;
cout << (n1 >= n2 ? n1 : n2);
return 0;
}
URL : https://codeup.kr/problemsetsol.php?psid=23
// 비트단위로 or 출력
// input : 3 5
// output : 7
// 설명 : 2개의 정수를 비트단위로 or 계산한 10진수 결과
#include <iostream>
using namespace std;
int main()
{
int n1, n2;
cin >> n1 >> n2;
cout << (n1 | n2);
return 0;
}
URL : https://codeup.kr/problemsetsol.php?psid=23
// 비트단위로 xor 출력
// input : 3 5
// output : 6
// 설명 : 2개의 정수를 비트단위로 xor 계산한 10진수 결과
#include <iostream>
using namespace std;
int main()
{
int n1, n2;
cin >> n1 >> n2;
cout << (n1 ^ n2);
return 0;
}
URL : https://codeup.kr/problemsetsol.php?psid=23
// 비트단위로 and 출력
// input : 3 5
// output : 1
// 설명 : 2개의 정수를 비트단위로 and 계산한 10진수 결과
#include <iostream>
using namespace std;
int main()
{
int n1, n2;
cin >> n1 >> n2;
cout << (n1 & n2);
return 0;
}