可能重复:
Python:日期顺序输出?
在 Python 中 time.strftime 可以很容易地产生像“Thursday May 05”这样的输出,但我想生成一个像“Thursday May 5th”这样的字符串(注意日期上的附加“th”)。做这个的最好方式是什么?
可能重复:
Python:日期顺序输出?
在 Python 中 time.strftime 可以很容易地产生像“Thursday May 05”这样的输出,但我想生成一个像“Thursday May 5th”这样的字符串(注意日期上的附加“th”)。做这个的最好方式是什么?
strftime
不允许您使用后缀格式化日期。
这是获得正确后缀的一种方法:
if 4 <= day <= 20 or 24 <= day <= 30:
suffix = "th"
else:
suffix = ["st", "nd", "rd"][day % 10 - 1]
将基于 Jochen 的评论的更紧凑的解决方案与gsteff 的答案相结合:
from datetime import datetime as dt
def suffix(d):
return 'th' if 11<=d<=13 else {1:'st',2:'nd',3:'rd'}.get(d%10, 'th')
def custom_strftime(format, t):
return t.strftime(format).replace('{S}', str(t.day) + suffix(t.day))
print custom_strftime('%B {S}, %Y', dt.now())
给出:
May 5th, 2011
这似乎添加了适当的后缀,并删除了天数中丑陋的前导零:
#!/usr/bin/python
import time
day_endings = {
1: 'st',
2: 'nd',
3: 'rd',
21: 'st',
22: 'nd',
23: 'rd',
31: 'st'
}
def custom_strftime(format, t):
return time.strftime(format, t).replace('{TH}', str(t[2]) + day_endings.get(t[2], 'th'))
print custom_strftime('%B {TH}, %Y', time.localtime())
"%s%s"%(day, 'trnshddt'[0xc0006c000000006c>>2*day&3::4])
但说真的,这是特定于语言环境的,所以你应该在国际化期间这样做
from time import strftime
print strftime('%A %B %dth')
看到大师的答案后更正:
from time import strftime
def special_strftime(dic = {'01':'st','21':'st','31':'st',
'02':'nd','22':'nd',
'03':'rd','23':'rd'}):
x = strftime('%A %B %d')
return x + dic.get(x[-2:],'th')
print special_strftime()
.
还:
from time import strftime
def special_strftime(dic = {'1':'st','2':'nd','3':'rd'}):
x = strftime('%A %B %d')
return x + ('th' if x[-2:] in ('11','12','13')
else dic.get(x[-1],'th')
print special_strftime()
.
最后,可以简化:
from time import strftime
def special_strftime(dic = {'1':'st','2':'nd','3':'rd'}):
x = strftime('%A %B %d')
return x + ('th' if x[-2]=='1' else dic.get(x[-1],'th')
print special_strftime()
你不能。time.strftime
函数和datetime.datetime.strftime
方法都(通常)使用平台 C 库的函数strftime
,并且它(通常)不提供那种格式。您需要使用第三方库,例如dateutil。