我在python中有一个日期对象,我需要使用%a(工作日)和%b(月)代码在旧版系统的C语言环境中生成时间戳。但是我不想更改应用程序的语言环境,因为其他部分需要尊重用户的当前语言环境。有没有办法用某个语言环境调用strftime()?
答案 0 :(得分:30)
Rob给出的例子很棒,但不是线程安全的。这是一个适用于线程的版本:
import locale
import threading
from datetime import datetime
from contextlib import contextmanager
LOCALE_LOCK = threading.Lock()
@contextmanager
def setlocale(name):
with LOCALE_LOCK:
saved = locale.setlocale(locale.LC_ALL)
try:
yield locale.setlocale(locale.LC_ALL, name)
finally:
locale.setlocale(locale.LC_ALL, saved)
# Let's set a non-US locale
locale.setlocale(locale.LC_ALL, 'de_DE.UTF-8')
# Example to write a formatted English date
with setlocale('C'):
print(datetime.now().strftime('%a, %b')) # e.g. => "Thu, Jun"
# Example to read a formatted English date
with setlocale('C'):
mydate = datetime.strptime('Thu, Jun', '%a, %b')
它使用全局锁创建线程安全上下文管理器,并允许您使用LOCALE_LOCK让多个线程运行与语言环境相关的代码。它还处理yield语句中的异常,以确保始终恢复原始语言环境。
答案 1 :(得分:13)
不,无法使用特定区域设置调用strftime()
。
假设您的应用不是多线程的,请保存并恢复现有的区域设置,并在调用'C'
时将区域设置设置为strftime
。
#! /usr/bin/python3
import time
import locale
def get_c_locale_abbrev():
lc = locale.setlocale(locale.LC_TIME)
try:
locale.setlocale(locale.LC_TIME, "C")
return time.strftime("%a-%b")
finally:
locale.setlocale(locale.LC_TIME, lc)
# Let's suppose that we're french
locale.setlocale(locale.LC_ALL, 'fr_FR.utf8')
# Should print french, english, then french
print(time.strftime('%a-%b'))
print(get_c_locale_abbrev())
print(time.strftime('%a-%b'))
如果您更喜欢with:
到try:
- finally:
,则可以启动上下文管理器:
#! /usr/bin/python3
import time
import locale
import contextlib
@contextlib.contextmanager
def setlocale(*args, **kw):
saved = locale.setlocale(locale.LC_ALL)
yield locale.setlocale(*args, **kw)
locale.setlocale(locale.LC_ALL, saved)
def get_c_locale_abbrev():
with setlocale(locale.LC_TIME, "C"):
return time.strftime("%a-%b")
# Let's suppose that we're french
locale.setlocale(locale.LC_ALL, 'fr_FR.utf8')
# Should print french, english, then french
print(time.strftime('%a-%b'))
print(get_c_locale_abbrev())
print(time.strftime('%a-%b'))
答案 2 :(得分:-3)
你可以像这样使用
import pytz
UTC = pytz.timezone('UTC') # utc
fr = pytz.timezone('Europe/Paris') #your local
from datetime import datetime
date = datetime.now(fr)
dateUTC = date.astimezone(UTC)
strftime将在指定的时区内呈现
用于在语言环境中使用月份名称calendar,例如:
import calendar
print calendar.month_name[dateUTC.month] #will print in the locale
更深入地检查日历以获取更多信息