2017-07-24 276 views
0

我对Python编码很新颖。我试图获取一个月的开始和结束日期,然后将它与同一个Excel中的另一个日期列进行比较。如何将strftime或字符串格式转换为python中的timestamp/Date?

我只需要mm/dd/yy格式的日期,但不需要时间。 的final_month_end_date基本上是一个字符串格式,我与实际日期比较,但它给了我一个错误说

"TypeError: Cannot compare type 'Timestamp' with type 'str'"

我也曾尝试.timestamp()功能,但没有用的。 我该如何解决这个问题?

import datetime as dt 
import strftime 

now1 = dt.datetime.now() 
current_month= now1.month 
current_year= now1.year 
month_start_date= dt.datetime.today().strftime("%Y/%m/01") 
month_end_date= calendar.monthrange(current_year,current_month)[1] 
final_month_end_date= dt.datetime.today().strftime("%Y/%m/"+month_end_date) 

回答

0

要将字符串转换为DateTime对象,请使用datetime.strptime。获得日期时间对象后,使用time.mktime将其转换为unix时间戳。

import time 
import datetime as dt 
from time import mktime 
from datetime import datetime 

now1 = dt.datetime.now() 
current_month= now1.month 
current_year= now1.year 
month_start_date= dt.datetime.today().strftime("%Y/%m/01") 
month_end_date= "30" 
final_month_end_date= dt.datetime.today().strftime("%Y/%m/"+month_end_date) 

# Use datetime.strptime to convert from string to datetime 
month_start = datetime.strptime(month_start_date, "%Y/%m/%d") 
month_end = datetime.strptime(final_month_end_date, "%Y/%m/%d") 

# Use time.mktime to convert datetime to timestamp 
timestamp_start = time.mktime(month_start.timetuple()) 
timestamp_end = time.mktime(month_end.timetuple()) 

# Let's print the time stamps 
print "Start timestamp: {0}".format(timestamp_start) 
print "End timestamp: {0}".format(timestamp_end) 
相关问题