23

我正在使用标准库中的Python日历模块。基本上我需要一个月中所有日子的列表,如下所示:

>>> import calendar
>>> calobject = calendar.monthcalendar(2012, 10)
>>> print calobject
[[1, 2, 3, 4, 5, 6, 7], [8, 9, 10, 11, 12, 13, 14], [15, 16, 17, 18, 19, 20, 21], [22, 23, 24, 25, 26, 27, 28], [29, 30, 31, 0, 0, 0, 0]]

现在我还需要特定语言环境中月份和日期的名称。我没有找到从calobject本身获取这些的方法 - 但我能够像这样得到它们:

>>> import calendar
>>> calobject = calendar.LocaleTextCalendar(calendar.MONDAY, 'de_DE')
>>> calobject.formatmonth(2012, 10)
'    Oktober 2012\nMo Di Mi Do Fr Sa So\n 1  2  3  4  5  6  7\n 8  9 10 11 12 13 14\n15 16 17 18 19 20 21\n22 23 24 25 26 27 28\n29 30 31\n'

十月Oktober的名字也是如此。de_DE美好的。信息必须在那里。我想知道我是否可以在普通calendar对象而不是calendar.LocaleTextCalendar对象上以某种方式访问​​该月份名称。第一个示例(带有列表)确实是我需要的,我不喜欢创建两个日历对象来获取本地化名称的想法。

有人有聪明的主意吗?

4

3 回答 3

44

哈!找到了一种获取本地化日/月名称的简单方法:

>>> import locale
>>> locale.setlocale(locale.LC_ALL, 'de_DE')
'de_DE'
>>> import calendar
>>> calendar.month_name[10]
'Oktober'
>>> calendar.day_name[1]
'Dienstag'
于 2012-10-23T19:31:07.073 回答
24

这是来自calendar模块的源代码:

def formatmonthname(self, theyear, themonth, width, withyear=True):
    with TimeEncoding(self.locale) as encoding:
        s = month_name[themonth]
        if encoding is not None:
            s = s.decode(encoding)
        if withyear:
            s = "%s %r" % (s, theyear)
        return s.center(width)

TimeEncoding并且month_name可以从calendar模块中导入。这给出了以下方法:

from calendar import TimeEncoding, month_name

def get_month_name(month_no, locale):
    with TimeEncoding(locale) as encoding:
        s = month_name[month_no]
        if encoding is not None:
            s = s.decode(encoding)
        return s

print get_month_name(3, "nb_NO.UTF-8")

对我来说,不需要解码步骤,只需month_name[3]TimeEncoding上下文中打印即可打印“mars”,这是挪威语中“march”的意思。

day_name对于工作日,使用and day_abbrdicts有类似的方法:

from calendar import TimeEncoding, day_name, day_abbr

def get_day_name(day_no, locale, short=False):
    with TimeEncoding(locale) as encoding:
        if short:
            s = day_abbr[day_no]
        else:
            s = day_name[day_no]
        if encoding is not None:
            s = s.decode(encoding)
        return s
于 2012-10-23T19:05:37.417 回答
4

这是针对 Python 3 更新的 Lauritz 答案的月份部分:

from calendar import month_name, different_locale
def get_month_name(month_no, locale):
    with different_locale(locale):
        return month_name[month_no]
于 2018-06-04T10:55:21.287 回答