나이를 계산하는 프로그램 작성:
from datetime import datetime dob = input("Enter your Date of Birth (yyyy-mm-dd): ") dob_date = datetime.strptime(dob, "%Y-%m-%d") print(dob_date) current_date = datetime.now() age = current_date.year - dob_date.year print(f"Your age is {age}")
datetime.now()-datetime.now()는 마이크로초를 포함한 현재 현지 날짜와 시간을 datetime 객체로 반환하는 Python datetime 모듈의 함수입니다.
strptime() - Python의 strptime() 메서드는 날짜 및/또는 시간을 나타내는 문자열을 날짜/시간 객체로 구문 분석(변환)하는 데 사용됩니다. datetime 모듈의 일부입니다.
Enter your Date of Birth (yyyy-mm-dd): 1993-03-26 1993-03-26 00:00:00 Your age is 31
또 다른 방법:
음수 결과가 나오면 이 방법을 사용하세요
from datetime import date birth_year = 1993 birth_month = 3 birth_day = 26 today = date.today() year = today.year - birth_year month = today.month - birth_month days = today.day - birth_day if month<0: year = year - 1 month = 12+month if days<0: month=month-1 days = 30 + days print (f"You are {year} Years {month} Months {days} Days Old")
You are 31 Years 7 Months 29 Days Old
relativedelta를 사용하는 대체 방법:
from datetime import datetime from dateutil.relativedelta import relativedelta dob = input("Enter date of birth in yyyy-mm-dd format: ") dob_date = datetime.strptime(dob, "%Y-%m-%d") today = datetime.now() difference = relativedelta(today, dob_date) print(difference.years, " Years ", difference.months, " Months ", difference.days, " days")
relativedelta는 Python의 dateutil 모듈의 일부로, 표준 라이브러리의 timedelta보다 더 강력한 날짜 및 시간 조작 작업을 제공합니다. 이를 통해 timedelta가 직접 처리할 수 없는 월, 연도 더하기 또는 빼기와 같은 작업을 수행할 수 있습니다.
Enter date of birth in yyyy-mm-dd format: 1993-03-26 31 Years 7 Months 30 days
while 루프에 대한 몇 가지 예:
no = 1 while no<=5: print(no, end=' ') no+=1
1 1 1 1 1
no = 1 while no<=10: print(no, end=' ') no+=1
1 2 3 4 5 6 7 8 9 10
no = 10 while no>=1: print(no, end=' ') no-=1
10 9 8 7 6 5 4 3 2 1
no = 1 while no<=10: print(no, end=' ') no+=2
1 3 5 7 9
no=2 while no<=10: print(no, end=' ') no+=2
2 4 6 8 10
no = 3 while no<=10: print(no, end=' ') no+=3
3 6 9
no = 1 total = 0 while no<=5: total = total + no no+=1 print(total)
15
no = 1 while no<=5: print(no*3, end=' ') no+=1
3 6 9 12 15
no = 1 while no<=10: print(no,"*5=",no*5, end='\n') no+=1
1 *5= 5 2 *5= 10 3 *5= 15 4 *5= 20 5 *5= 25 6 *5= 30 7 *5= 35 8 *5= 40 9 *5= 45 10 *5= 50
no = 1 while no<=10: print(no, end = ' ') if no==9: no = 0 no+=2
1 3 5 7 9 2 4 6 8 10
위 내용은 일 - 루핑의 상세 내용입니다. 자세한 내용은 PHP 중국어 웹사이트의 기타 관련 기사를 참조하세요!