python pandas将索引转换为日期时间


77

如何将字符串的熊猫索引转换为日期时间格式

我的数据框“ df”是这样的

                     value          
2015-09-25 00:46    71.925000
2015-09-25 00:47    71.625000
2015-09-25 00:48    71.333333
2015-09-25 00:49    64.571429
2015-09-25 00:50    72.285714

但是索引是字符串类型,但是我需要它的日期时间格式,因为我得到了错误

'Index' object has no attribute 'hour'

使用时

 df['A'] = df.index.hour

5
df.index.to_datetime()df.index = pandas.to_datetime(df.index)(不推荐使用前者)。
AChampion '16

type(df.index [1])仍返回“ str”
Runner Bean

1
上面的数据datetime没有问题- type(df.index[1]) == pandas.tslib.Timestamp。在数据框的其余部分中是否有不良数据?
AChampion '16

1
您还可以指定格式和错误kwag。的文档pandas.to_datetime将解释其余内容。
Kartik

Answers:


103

它应该按预期工作。尝试运行以下示例。

import pandas as pd
import io

data = """value          
"2015-09-25 00:46"    71.925000
"2015-09-25 00:47"    71.625000
"2015-09-25 00:48"    71.333333
"2015-09-25 00:49"    64.571429
"2015-09-25 00:50"    72.285714"""

df = pd.read_table(io.StringIO(data), delim_whitespace=True)

# Converting the index as date
df.index = pd.to_datetime(df.index)

# Extracting hour & minute
df['A'] = df.index.hour
df['B'] = df.index.minute
df

#                          value  A   B
# 2015-09-25 00:46:00  71.925000  0  46
# 2015-09-25 00:47:00  71.625000  0  47
# 2015-09-25 00:48:00  71.333333  0  48
# 2015-09-25 00:49:00  64.571429  0  49
# 2015-09-25 00:50:00  72.285714  0  50

3

您可以在初始化数据框时显式创建一个DatetimeIndex。假设您的数据是字符串格式

data = [
    ('2015-09-25 00:46', '71.925000'),
    ('2015-09-25 00:47', '71.625000'),
    ('2015-09-25 00:48', '71.333333'),
    ('2015-09-25 00:49', '64.571429'),
    ('2015-09-25 00:50', '72.285714'),
]

index, values = zip(*data)

frame = pd.DataFrame({
    'values': values
}, index=pd.DatetimeIndex(index))

print(frame.index.minute)

针对Python3的FYI,您需要index, values = zip(*data.items())
Addison Klinke

2

我只是为这个问题提供其他选择-您需要在代码中使用“ .dt”:

import pandas as pd

df.index = pd.to_datetime(df.index)

#for get year
df.index.dt.year

#for get month
df.index.dt.month

#for get day
df.index.dt.day

#for get hour
df.index.dt.hour

#for get minute
df.index.dt.minute

By using our site, you acknowledge that you have read and understand our Cookie Policy and Privacy Policy.
Licensed under cc by-sa 3.0 with attribution required.