반응형
Notice
Recent Posts
Recent Comments
Link
일 | 월 | 화 | 수 | 목 | 금 | 토 |
---|---|---|---|---|---|---|
1 | 2 | |||||
3 | 4 | 5 | 6 | 7 | 8 | 9 |
10 | 11 | 12 | 13 | 14 | 15 | 16 |
17 | 18 | 19 | 20 | 21 | 22 | 23 |
24 | 25 | 26 | 27 | 28 | 29 | 30 |
Tags
- 오늘의 보안동향
- C 프로그래밍
- 악성코드
- c언어
- 보안동향
- codeup
- 정보보안기사
- 오늘의 보안
- 오늘의 영어
- DEFCON
- ctf
- 코드업
- 설치
- 다운로드
- defcon.mem
- 리버싱 핵심원리
- C language
- sql
- Memory Forensics
- C
- 랜섬웨어
- Code Up
- Defcon DFIR CTF 2019
- SQLD
- Volatility
- 코딩
- 멀웨어
- cmd
- 보안
- 리버싱
Archives
- Today
- Total
오브의 빛나는 별
Code Up(코드업) 1053번~1055번(C언어) 본문
반응형
[1053] 참 거짓 바꾸기
<문제>
1(true, 참) 또는 0(false, 거짓) 이 입력되었을 때
반대로 출력하는 프로그램을 작성해보자.
<정답>
#include <stdio.h>
int main(void)
{
int a;
scanf("%d", &a);
if(a==0)
printf("1");
else if(a==1)
printf("0");
return 0;
}
#include <stdio.h>
int main()
{
int a;
scanf("%d", &a);
printf("%d\n", !a);
return 0;
}
※ NOT 연산: '!'. 참 또는 거짓의 논리값의 역(반대)
※ 거짓의 논리값(boolean value)인 논리연산자: !(not), &&(and), ||(or)
[1054] 둘 다 참일 경우만 참 출력하기
<문제>
두 개의 참(1) 또는 거짓(0)이 입력될 때,
모두 참일 때에만 참을 출력하는 프로그램을 작성해보자.
<정답>
#include <stdio.h>
int main(void)
{
int a, b;
scanf("%d %d", &a, &b);
if(a&&b)
printf("1");
else
printf("0");
return 0;
}
#include <stdio.h>
int main()
{
int a, b;
scanf("%d%d", &a, &b);
printf("%d\n", a&&b);
return 0;
}
※ AND 연산: '&&'
[1055] 하나라도 참이면 참 출력하기
<문제>
두 개의 참(1) 또는 거짓(0)이 입력될 때,
하나라도 참이면 참을 출력하는 프로그램을 작성해보자.
<정답>
#include <stdio.h>
int main(void)
{
int a, b;
scanf("%d %d", &a, &b);
if(a||b)
printf("1");
else
printf("0");
return 0;
}
#include <stdio.h>
int main()
{
int a, b;
scanf("%d%d", &a, &b);
printf("%d\n", a||b);
return 0;
}
※ OR 연산: '|'
반응형