web-dev-qa-db-ja.com

別のロケールで日付オブジェクトをstrftimeするにはどうすればよいですか?

pythonの日付オブジェクトがあり、%a(平日)および%b(月)コードを使用して、レガシーシステムのCロケールでタイムスタンプを生成する必要があります。ただし、他の部分はユーザーの現在のロケールを尊重する必要があるため、アプリケーションのロケールを変更したくない特定のロケールでstrftime()を呼び出す方法はありますか?

27
MagerValp

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ステートメントからの例外を処理して、元のロケールが常に復元されるようにします。

33
Daniel

いいえ、特定のロケールでstrftime()を呼び出す方法はありません。

アプリがマルチスレッドではない場合、既存のロケールを保存および復元し、strftimeを呼び出すときにロケールを'C'に設定します。

#! /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'))
14
Robᵩ