web-dev-qa-db-ja.com

日付文字列を解析して形式を変更する

「Mon Feb 15 2010」という形式の日付文字列があります。フォーマットを「15/02/2010」に変更したい。これどうやってするの?

94
Nimmy

datetime モジュールはそれであなたを助けることができます:

datetime.datetime.strptime(date_string, format1).strftime(format2)

特定の例については、あなたが行うことができます

>>> datetime.datetime.strptime('Mon Feb 15 2010', '%a %b %d %Y').strftime('%d/%m/%Y')
'15/02/2010'
>>>
123
SilentGhost

dateutil ライブラリをインストールできます。その parse 関数は、datetime.strptimeで行うような形式を指定することなく、文字列がどの形式であるかを把握できます。

from dateutil.parser import parse
dt = parse('Mon Feb 15 2010')
print(dt)
# datetime.datetime(2010, 2, 15, 0, 0)
print(dt.strftime('%d/%m/%Y'))
# 15/02/2010
50
llazzaro
>>> from_date="Mon Feb 15 2010"
>>> import time                
>>> conv=time.strptime(from_date,"%a %b %d %Y")
>>> time.strftime("%d/%m/%Y",conv)
'15/02/2010'
23
ghostdog74

文字列を日時オブジェクトに変換する

from datetime import datetime
s = "2016-03-26T09:25:55.000Z"
f = "%Y-%m-%dT%H:%M:%S.%fZ"
out = datetime.strptime(s, f)
print(out)
output:
2016-03-26 09:25:55
17

この質問が頻繁に来るので、ここに簡単な説明があります。

datetimeまたはtimeモジュールには2つの重要な機能があります。

  • strftime-日時オブジェクトまたは時刻オブジェクトから日付または時刻の文字列表現を作成します。
  • strptime-文字列から日時または時刻オブジェクトを作成します。

どちらの場合も、フォーマット文字列が必要です。これは、日付または時刻が文字列でどのようにフォーマットされているかを示す表現です。

日付オブジェクトがあると仮定しましょう。

>>> from datetime import datetime
>>> d = datetime(2010, 2, 15)
>>> d
datetime.datetime(2010, 2, 15, 0, 0)

この日付から'Mon Feb 15 2010'形式の文字列を作成する場合

>>> s = d.strftime('%a %b %d %y')
>>> print s
Mon Feb 15 10

このsを再びdatetimeオブジェクトに変換したいとします。

>>> new_date = datetime.strptime(s, '%a %b %d %y')
>>> print new_date
2010-02-15 00:00:00

This を参照して、日時に関するすべてのフォーマットディレクティブを文書化します。

11
thavan

完了のためだけに:strptime()を使用して日付を解析し、日付にnameの日、月などが含まれている場合、ロケールを考慮する必要があることに注意してください。

docs でも脚注として言及されています。

例として:

import locale
print(locale.getlocale())

>> ('nl_BE', 'ISO8859-1')

from datetime import datetime
datetime.strptime('6-Mar-2016', '%d-%b-%Y').strftime('%Y-%m-%d')

>> ValueError: time data '6-Mar-2016' does not match format '%d-%b-%Y'

locale.setlocale(locale.LC_ALL, 'en_US')
datetime.strptime('6-Mar-2016', '%d-%b-%Y').strftime('%Y-%m-%d')

>> '2016-03-06'
2
ƘɌỈSƬƠƑ

@codelingおよび@ user1767754:次の2行が機能します。質問された問題の完全な解決策を誰も投稿していないのを見ました。うまくいけば、これで十分な説明になります。

import datetime

x = datetime.datetime.strptime("Mon Feb 15 2010", "%a %b %d %Y").strftime("%d/%m/%Y")
print(x)

出力:

15/02/2010
0
Gobryas

日時ライブラリの使用 http://docs.python.org/library/datetime.html 9.1.7を参照してください。 especiall strptime()strftime()動作¶例 http://pleac.sourceforge.net/pleac_python/datesandtimes.html

0