【python时间字符串输出为某年某月某日】

Python时间字符串输出为某年某月某日

  • 时间格式转换:将时间字符串xx-x-x格式转成xx年x月x日

# 数据中的时间字符串格式为‘2012-12-30’
data = pd.DataFrame(['2022-12-30','2022-12-20','2022-11-30'],columns=['时间'])
data

时间格式转换:将时间字符串xx-x-x格式转成xx年x月x日

  1. 错误情况
# data['时间'].apply(lambda x:time.strftime("%Y年%m月%d日",time.strptime(x,'%Y-%m-%d'))) 
# 会出现以下报错
#  'locale' codec can't encode character '\u5e74' in position 2: encoding error
# strptime或者strftime格式化参数里有一些是跟locale相关的,默认的格式化编码为单字节编码,导致不能对多字节进行编码
  1. 成功转换
import locale
import time
locale.setlocale(locale.LC_CTYPE, 'chinese') # 添加编码格式
data['时间'] = data['时间'].apply(lambda x:time.strftime("%Y年%m月%d日",time.strptime(x,'%Y-%m-%d')))
# 先使用【strptime】将时间字符串解析成时间元组struct_time,再使用【strftime】将时间格式化成指定格式的字符串
data
  1. 还可以使用strftime的format方法
data['时间'].apply(lambda x:time.strftime("%Y{y}%m{m}%d{d}",time.strptime(x,'%Y-%m-%d')).format(y='年',m='月',d='日'))

你可能感兴趣的:(python,开发语言)