04-파이썬 기본 자료형
1. Boolean 자료형
Section titled “1. Boolean 자료형”1.1. 불과 비교연산자
Section titled “1.1. 불과 비교연산자”비교연산자불은 True, False 로 표현하는 참과 거짓을 뜻하는 값이다.
print(3>1) #3은 1보다 크므로 true 가 출력된다.print(10==10)print(10!=5)print("10"=="10")print("ab"=="Ab")print("ab"!="Ab")
10==10→ 10과 10은 같으므로 True10!=5→ 10과 5는 다르므로 True"10"=="10"→ 문자열 “10”과 “10”은 같으므로 True"ab"=="Ab"→ 대소문자가 다르므로 False"ab"!="Ab"→ 대소문자가 다르므로 True
print(10>10)print(10<5)print(10>=10)print(10<=10)
10>10→ 10은 10보다 크지 않으므로 False10<5→ 10은 5보다 작지 않으므로 False10>=10→ 10은 10보다 크거나 같으므로 True10<=10→ 10은 10보다 작거나 같으므로 True
1.2. 객체의 비교 [is]
Section titled “1.2. 객체의 비교 [is]”print(1==1.0) #Trueprint(1 is 1.0) #Falseprint(1 is not 1.0) #True1.3. 논리연산자
Section titled “1.3. 논리연산자”#andprint(True and True)print(False and True)print(True and False)print(False and False)
#orprint(True or True)print(False or True)print(True or False)print(False or False)
#notprint(not True)print(not True)- True (둘 다 참이어야 참)
- False (하나라도 거짓이면 거짓)
- False (하나라도 거짓이면 거짓)
- False (둘 다 거짓이면 거짓)
- True (하나라도 참이면 참)
- True (하나라도 참이면 참)
- True (하나라도 참이면 참)
- False (둘 다 거짓이면 거짓)
- False (참의 반대는 거짓)
- True (거짓의 반대는 참)
print(not True and False or not False)단계별 계산:
not True→ Falsenot False→ TrueFalse and False→ FalseFalse or True→ True
최종 결과: True
괄호로 우선순위를 명시하면:print(((not True) and False) or (not False))위 코드와 완전히 같음!
1.4. 논리연산자와 비교연산자
Section titled “1.4. 논리연산자와 비교연산자”print(10==10 and 10!=5) # t and t = tprint(10>5 or 10<3) # t or f = tprint(not 10>5) # t=fprint(not 1 is 1.0) # f=t1.5. 정수,실수,문자열을 불로 바꾸기
Section titled “1.5. 정수,실수,문자열을 불로 바꾸기”print(bool(1)) #Trueprint(bool(0)) #Falseprint(bool(1.5)) #Trueprint(bool('False')) #True (문자열이 있으므로)1.6. 단락평가
Section titled “1.6. 단락평가”# and 단락평가print(False and True) # False (두 번째는 확인 안 함)print(True and False) # False (첫 번째가 True라 두 번째까지 확인)print(False and False) # False (두 번째는 확인 안 함)
# or 단락평가print(True or True) # True (두 번째는 확인 안 함)print(False or True) # True (첫 번째가 False라 두 번째까지 확인)print(True or False) # True (두 번째는 확인 안 함)1.7. 문제
Section titled “1.7. 문제”표준 입력으로 국어,영어,수학,과학 점수가 입력됩니다.
국어는 90점 이상, 영어는 80점 초과, 수학은 80점 초과, 과학은 80점 이상일때 합격입니다.
한 과목 이라도 조건에 만족하지 않을시 불합격).
합격이면 True, 불합격 이면 False 가 출력되게 하세요.
input 에서 안내 문자열은 출력하지 않아도 됨.
테스트케이스 예제
표준입력
90 80 86 80표준출력
True테스트케이스 예제
표준입력
90 80 85 80표준출력
False🐨 Table of contents
kor,eng,math,sci=map(int,input().split(' '))print(kor >= 90 and eng > 80 and math > 80 and sci >= 80)
2. String 자료형
Section titled “2. String 자료형”2.1. 문자열의 사용
Section titled “2.1. 문자열의 사용”hello="안녕"print(hello)helloo="""아안녕"""print(helloo)hellooo='''아o안녕'''print(hellooo)2.1.1. 여러행 문자열 사용
Section titled “2.1.1. 여러행 문자열 사용”hellooo='''아o안녕뭐해'''print(hellooo)
2.1.2. 문자열내에 따옴표 넣기
Section titled “2.1.2. 문자열내에 따옴표 넣기”word='py"thon"'print(word)word1="th'pyon'"print(word1)word2="th\"pyon""print(word2)br="th\n"pyon""print(br)3. Number 자료형
Section titled “3. Number 자료형”print(273)print(52.273)print(type(273)) #<class 'int'>print(type(52.273)) #<class 'float'>