Computer >> 컴퓨터 >  >> 프로그램 작성 >> MySQL

Python을 사용하여 MySQL 데이터베이스에 날짜를 저장하고 검색하는 방법은 무엇입니까?

<시간/>

MySQL 데이터베이스에 날짜를 삽입하려면 테이블에 날짜 또는 날짜/시간 유형의 열이 있어야 합니다. 일단 가지고 있으면 데이터베이스에 삽입하기 전에 날짜를 문자열 형식으로 변환해야 합니다. 이렇게 하려면 datetime 모듈의 strftime 형식 지정 기능을 사용하면 됩니다.

from datetime import datetime
now = datetime.now()
id = 1
formatted_date = now.strftime('%Y-%m-%d %H:%M:%S')
# Assuming you have a cursor named cursor you want to execute this query on:
cursor.execute('insert into table(id, date_created) values(%s, %s)', (id, formatted_date))

이것을 실행하면 테이블에 튜플(id, date)을 삽입하려고 합니다.

선택 쿼리를 사용하여 데이터베이스에서 날짜를 가져올 때 strptime과 같은 함수를 사용하여 datetime 객체로 다시 구문 분석해야 합니다.

from datetime import datetime
# Assuming you have a cursor named cursor you want to execute this query on:
cursor.execute('select id, date_created from table where id=1')
# if you inserted the row above, you can get it back like this
id, date_str = cursor.fetchone()
# date is returned as a string in format we sent it as. So parse it using strptime
created_date = datetime.strptime(date_created, '%Y-%m-%d %H:%M:%S')
을(를) 사용하여 구문 분석합니다.

이렇게 하면 생성된 날짜를 가져와 datetime 개체로 구문 분석합니다.