programing

날짜를 일반 형식으로 인쇄하려면 어떻게 해야 합니까?

firstcheck 2022. 10. 29. 14:37
반응형

날짜를 일반 형식으로 인쇄하려면 어떻게 해야 합니까?

코드는 다음과 같습니다.

import datetime
today = datetime.date.today()
print(today)

다음의 출력이 있습니다.2008-11-22그게 바로 내가 원하는 거야

그런데 제가 첨부할 목록이 있는데 갑자기 모든 게 "이상하다"고 하네요.코드는 다음과 같습니다.

import datetime
mylist = []
today = datetime.date.today()
mylist.append(today)
print(mylist)

다음과 같이 인쇄됩니다.

[datetime.date(2008, 11, 22)]

간단한 수 요?2008-11-22

이유: 날짜는 객체입니다.

Python에서 날짜는 객체입니다.따라서 이러한 개체를 조작할 때는 문자열이나 타임스탬프가 아닌 개체를 조작합니다.

Python의 모든 개체에는 다음 두 가지 문자열이 있습니다.

  • 에서 printstr()대부분의 경우 사람이 읽을 수 있는 가장 일반적인 형식이며 디스플레이를 쉽게 하기 위해 사용됩니다. ★★★★★★★★★★★★★★★★★.str(datetime.datetime(2008, 11, 22, 19, 53, 42)) 주다'2008-11-22 19:53:42'.

  • (데이터로서) 오브젝트 특성을 나타내는 데 사용되는 대체 표현. 해서 수 요.repr()기능하며 개발 또는 디버깅 중에 어떤 종류의 데이터를 조작하는지 알 수 있습니다. repr(datetime.datetime(2008, 11, 22, 19, 53, 42)) 주다'datetime.datetime(2008, 11, 22, 19, 53, 42)'.

무슨 일이 있었냐면, 당신이 날짜를 인쇄했을 때print , , 을 했습니다.str()진진 、 데트트트스스 을을을을을 。 ★★★★★★★★★★★★★★★★★★★★★★★★★★★★★★★★★★mylist은 Python을 하여 데이터repr().

방법: 이것으로 무엇을 하고 싶습니까?

날짜를 조작할 때는 계속 날짜 오브젝트를 사용합니다.그들은 수천 개의 유용한 메서드를 얻었고 대부분의 Python API 예상 날짜는 객체가 될 것입니다.

그것들을 표시하려면 , 다음의 순서를 사용해 주세요.str()Python에서는 모든 것을 명시적으로 캐스팅하는 것이 좋습니다.이면 ' 표시'를 사용해서 .str(date).

지지마 때, 짜짜인인,,,,,,, when when,mylist날짜를 인쇄하려면 컨테이너(목록)가 아닌 날짜 개체를 인쇄해야 합니다.

예: 목록에 있는 모든 날짜를 인쇄하려고 합니다.

for date in mylist :
    print str(date)

특정의 경우는, 생략할 수도 있습니다.str()인쇄가 당신을 위해 그것을 사용할 것이기 때문입니다.는 안 는 것은 아니다:-)

실제 사례, 코드 사용

import datetime
mylist = []
today = datetime.date.today()
mylist.append(today)
print mylist[0] # print the date object, not the container ;-)
2008-11-22

# It's better to always use str() because :

print "This is a new day : ", mylist[0] # will work
>>> This is a new day : 2008-11-22

print "This is a new day : " + mylist[0] # will crash
>>> cannot concatenate 'str' and 'datetime.date' objects

print "This is a new day : " + str(mylist[0]) 
>>> This is a new day : 2008-11-22

고급 날짜 형식

날짜는 기본적으로 표시되지만 특정 형식으로 인쇄할 수도 있습니다. 스트링 표현은 커스텀 스트링 표현으로 사용할 수 있습니다.strftime()★★★★★★ 。

strftime()에는 날짜 형식을 지정하는 방법을 설명하는 문자열 패턴이 필요합니다.

예:

print today.strftime('We are the %d, %b %Y')
>>> 'We are the 22, Nov 2008'

에 모든 "%"

  • %d 번호(에 따라이 붙는다)입니다.
  • %m)입니다.
  • %b줄임말
  • %B완전한 월 이름(문자)입니다.
  • %y 두 ()라고 하는 해는 2자리입니다.
  • %Y네 가지.

기타.

공식 문서를 보세요. 아니면 McCutchen의 빠른 참조를 통해 모든 것을 알 수는 없습니다.

PEP3101 이후 모든 오브젝트는 임의의 문자열의 메서드 포맷에 의해 자동으로 사용되는 독자적인 포맷을 가질 수 있습니다.datetime의 경우 strftime에서 사용되는 형식과 동일합니다.위와 같이 할 수 있습니다.

print "We are the {:%d, %b %Y}".format(today)
>>> 'We are the 22, Nov 2008'

이 폼의 장점은 다른 오브젝트도 동시에 변환할 수 있다는 것입니다.
포맷된 문자열 리터럴(Python 3.6, 2016-12-23)의 도입으로 다음과 같이 기술할 수 있습니다.

import datetime
f"{datetime.datetime.now():%Y-%m-%d}"
>>> '2017-06-15'

현지화

날짜를 올바르게 사용하면 현지 언어와 문화에 자동으로 적응할 수 있지만, 조금 복잡합니다.SO(Stack Overflow)에 대한 다른 질문이 있을 수 있습니다;-)

import datetime
print datetime.datetime.now().strftime("%Y-%m-%d %H:%M")

편집:

Cees의 제안 이후, 저도 시간을 사용하기 시작했습니다.

import time
print time.strftime("%Y-%m-%d %H:%M")

date,datetime , , , , 입니다.time되고 있습니다.strftime(format)문자열의 하에 .

다음은 형식 코드 목록과 그 지시 및 의미를 나타냅니다.

%a  Locale’s abbreviated weekday name.
%A  Locale’s full weekday name.      
%b  Locale’s abbreviated month name.     
%B  Locale’s full month name.
%c  Locale’s appropriate date and time representation.   
%d  Day of the month as a decimal number [01,31].    
%f  Microsecond as a decimal number [0,999999], zero-padded on the left
%H  Hour (24-hour clock) as a decimal number [00,23].    
%I  Hour (12-hour clock) as a decimal number [01,12].    
%j  Day of the year as a decimal number [001,366].   
%m  Month as a decimal number [01,12].   
%M  Minute as a decimal number [00,59].      
%p  Locale’s equivalent of either AM or PM.
%S  Second as a decimal number [00,61].
%U  Week number of the year (Sunday as the first day of the week)
%w  Weekday as a decimal number [0(Sunday),6].   
%W  Week number of the year (Monday as the first day of the week)
%x  Locale’s appropriate date representation.    
%X  Locale’s appropriate time representation.    
%y  Year without century as a decimal number [00,99].    
%Y  Year with century as a decimal number.   
%z  UTC offset in the form +HHMM or -HHMM.
%Z  Time zone name (empty string if the object is naive).    
%%  A literal '%' character.

이것이 Python의 dat-time 및 time 모듈로 할 수 있는 것입니다.

import time
import datetime

print "Time in seconds since the epoch: %s" %time.time()
print "Current date and time: ", datetime.datetime.now()
print "Or like this: ", datetime.datetime.now().strftime("%y-%m-%d-%H-%M")

print "Current year: ", datetime.date.today().strftime("%Y")
print "Month of year: ", datetime.date.today().strftime("%B")
print "Week number of the year: ", datetime.date.today().strftime("%W")
print "Weekday of the week: ", datetime.date.today().strftime("%w")
print "Day of year: ", datetime.date.today().strftime("%j")
print "Day of the month : ", datetime.date.today().strftime("%d")
print "Day of week: ", datetime.date.today().strftime("%A")

다음과 같이 출력됩니다.

Time in seconds since the epoch:    1349271346.46
Current date and time:              2012-10-03 15:35:46.461491
Or like this:                       12-10-03-15-35
Current year:                       2012
Month of year:                      October
Week number of the year:            40
Weekday of the week:                3
Day of year:                        277
Day of the month :                  03
Day of week:                        Wednesday

date.strftime 을 사용합니다.형식 지정 인수는 매뉴얼에 설명되어 있습니다.

이게 네가 원했던 거야

some_date.strftime('%Y-%m-%d')

이것은 로케일을 고려합니다.(이것을 실행한다)

some_date.strftime('%c')

이것은 더 짧습니다.

>>> import time
>>> time.strftime("%Y-%m-%d %H:%M")
'2013-11-19 09:38'
# convert date time to regular format.

d_date = datetime.datetime.now()
reg_format_date = d_date.strftime("%Y-%m-%d %I:%M:%S %p")
print(reg_format_date)

# some other date formats.
reg_format_date = d_date.strftime("%d %B %Y %I:%M:%S %p")
print(reg_format_date)
reg_format_date = d_date.strftime("%Y-%m-%d %H:%M:%S")
print(reg_format_date)

산출량

2016-10-06 01:21:34 PM
06 October 2016 01:21:34 PM
2016-10-06 13:21:34

아니면 심지어

from datetime import datetime, date

"{:%d.%m.%Y}".format(datetime.now())

송신: '2013년 12월 25일'

또는

"{} - {:%d.%m.%Y}".format("Today", datetime.now())

출력: '오늘 - 2013년 12월 25일'

"{:%A}".format(date.today())

출력: '수요일'

'{}__{:%Y.%m.%d__%H-%M}.log'.format(__name__, datetime.now())

출력: '_main__2014.06.09__16-56.log'

간단한 답변 -

datetime.date.today().isoformat()

형식 지정된 문자열 리터럴에 유형별 문자열 형식 지정(를 사용한 nk9의 답변 참조)을 사용하는 경우(Python 3.6, 2016-12-23 이후):

>>> import datetime
>>> f"{datetime.datetime.now():%Y-%m-%d}"
'2017-06-15'

날짜/시간 형식 지시어는 형식 문자열 구문의 일부로 문서화되어 있지 않고, 에 기재되어 있습니다.date,datetime , , , , 입니다.time의 매뉴얼입니다.는 1989 C 표준을 기반으로 하지만 Python 3.6 이후의 일부 ISO 8601 지침을 포함합니다.

편의상 모듈을 너무 많이 수입하는 것은 싫다.할 수 있는 로 작업하는 이 좋습니다.datetime하는 것이 time.

>>> a = datetime.datetime(2015, 04, 01, 11, 23, 22)
>>> a.strftime('%Y-%m-%d %H:%M')
'2015-04-01 11:23'

요.datetimestr.

다음의 코드가 유효했습니다.

import datetime

collection = []
dateTimeString = str(datetime.date.today())
collection.append(dateTimeString)
    
print(collection)

도움이 더 필요하시면 말씀하세요.

에서는 Python datetime 을 형식을 할 수 .strftime()date,time ★★★★★★★★★★★★★★★★★」datetimedatetime★★★★★★ 。

의 경우는, 「」을 .date에서 수업하다.datetime 하여 .을 할 수 .today 합니다.yyyy-MM-dd:

import datetime

today = datetime.date.today()
print("formatted datetime: %s" % today.strftime("%Y-%m-%d"))

다음 예에서는 보다 완전한 예를 제시하겠습니다.

import datetime
today = datetime.date.today()

# datetime in d/m/Y H:M:S format
date_time = today.strftime("%d/%m/%Y, %H:%M:%S")
print("datetime: %s" % date_time)

# datetime in Y-m-d H:M:S format
date_time = today.strftime("%Y-%m-%d, %H:%M:%S")
print("datetime: %s" % date_time)

# format date
date = today.strftime("%d/%m/%Y")
print("date: %s" % time)

# format time
time = today.strftime("%H:%M:%S")
print("time: %s" % time)

# day
day = today.strftime("%d")
print("day: %s" % day)

# month
month = today.strftime("%m")
print("month: %s" % month)

# year
year = today.strftime("%Y")
print("year: %s" % year)

기타 지시사항:

Python strftime 명령 1989 C 표준

출처:

다음 작업을 수행할 수 있습니다.

mylist.append(str(today))

당신이 원하는 것을 하기 위해 간단한 것을 요구했다는 사실을 고려하면, 당신은 다음과 같이 할 수 있습니다.

import datetime
str(datetime.date.today())

시간을 포함하지 않고 로케일 기반 날짜를 원하는 경우 다음을 사용합니다.

>>> some_date.strftime('%x')
07/11/2019

★★★★★★★★★★★★★★★★★.print today 것을 오브젝트는 입니다.이것은 오늘 오브젝트의__str__이치노

하면 요.mylist.append(today.__str__())뿐만 아니라.

from datetime import date

def today_in_str_format():
    return str(date.today())

print (today_in_str_format())

인쇄가 됩니다.2018-06-23 경우 if if if) :)

문자열로 추가할 수 있습니다.

import datetime

mylist = []
today = str(datetime.date.today())
mylist.append(today)

print(mylist)

easy_date를 사용하여 쉽게 만들 수 있습니다.

import date_converter
my_date = date_converter.date_to_string(today, '%Y-%m-%d')

답변에 대한 간단한 면책사항 - Python을 배운 지 2주 정도밖에 되지 않았기 때문에 전문가가 아니기 때문에 설명이 적절하지 않을 수도 있고 잘못된 용어를 사용할 수도 있습니다.어쨌든, 갑니다.

의 코드에서 당신이 했을 때 .today = datetime.date.today()기본 제공 함수의 이름으로 변수 이름을 지정했습니다.

의 될 때mylist.append(today)했습니다.datetime.date.today()todayvariable을 「」를 부가하는 것이 아니라, 를 부가합니다.today()

간단한 해결책은 대부분의 코더가 datetime 모듈을 사용할 때는 사용하지 않을 수 있지만 변수의 이름을 변경하는 것입니다.

제가 시도한 것은 다음과 같습니다.

import datetime
mylist = []
present = datetime.date.today()
mylist.append(present)
print present

그것은 인쇄하다yyyy-mm-dd.

날짜를 (년/월/일)로 표시하는 방법은 다음과 같습니다.

from datetime import datetime
now = datetime.now()

print '%s/%s/%s' % (now.year, now.month, now.day)
import datetime
import time

months = ["Unknown","January","Febuary","Marchh","April","May","June","July","August","September","October","November","December"]
datetimeWrite = (time.strftime("%d-%m-%Y "))
date = time.strftime("%d")
month= time.strftime("%m")
choices = {'01': 'Jan', '02':'Feb','03':'Mar','04':'Apr','05':'May','06': 'Jun','07':'Jul','08':'Aug','09':'Sep','10':'Oct','11':'Nov','12':'Dec'}
result = choices.get(month, 'default')
year = time.strftime("%Y")
Date = date+"-"+result+"-"+year
print Date

이렇게 하면 날짜 형식을 다음과 같이 지정할 수 있습니다.2017년 6월 22일

완전히 이해는 할 수 없지만,pandas올바른 형식으로 시간을 가져옵니다.

>>> import pandas as pd
>>> pd.to_datetime('now')
Timestamp('2018-10-07 06:03:30')
>>> print(pd.to_datetime('now'))
2018-10-07 06:03:47
>>> pd.to_datetime('now').date()
datetime.date(2018, 10, 7)
>>> print(pd.to_datetime('now').date())
2018-10-07
>>> 

그리고:

>>> l=[]
>>> l.append(pd.to_datetime('now').date())
>>> l
[datetime.date(2018, 10, 7)]
>>> map(str,l)
<map object at 0x0000005F67CCDF98>
>>> list(map(str,l))
['2018-10-07']

그러나 문자열을 저장하지만 변환이 용이합니다.

>>> l=list(map(str,l))
>>> list(map(pd.to_datetime,l))
[Timestamp('2018-10-07 00:00:00')]

판다를 위해서.타임스탬프, strftime()은 다음과 같이 사용할 수 있습니다.

utc_now = datetime.now()

iso format의 경우:

utc_now.isoformat()

예를 들어, 모든 형식:

utc_now.strftime("%m/%d/%Y, %H:%M:%S")

언급URL : https://stackoverflow.com/questions/311627/how-to-print-a-date-in-a-regular-format

반응형