python时间计算_日期天数差计算(Python)

描述

从json文件中读取两个时间数据(数据格式例如:2019.01.01,数据类型是字符串),并计算结果,打印出两个时间间隔了多少天。

输入/输出描述

输入描述

json文件名称datetime.json,格式如下:

{

"day1": "1949.10.01",

"day2": "2019.04.25"

}

输出描述

控制台打印两个时间(day1和day2)间隔了多少天。

25408

解决思路

读取json文件中的数据后解析有用的部分,并做校验(检查格式是否正确)。在日期格式正确的情况下将日期转换为datetime.date,并做计算。最后输出结果。

代码

"""

时间差计算。

从json文件中读取两个时间数据,计算并打印两个时间间隔了多少天。

"""

import datetime

import json

import traceback

class TimeFormatError(Exception):

def __init__(self, message):

self.message = "TimeFormatError: " + message

def days_compute(times):

"""

Calculated date interval.

:param times: time dictionary

:return: date interval

"""

time1 = times["day1"]

time2 = times["day2"]

if time1.count(".") < 2:

raise TimeFormatError("Time format(yyyy.mm.dd) error. %s" % time1)

if time2.count(".") < 2:

raise TimeFormatError("Time format(yyyy.mm.dd) error. %s" % time2)

date1 = parse(time1)

date2 = parse(time2)

return (date2 - date1).days

def parse(time_str):

"""

Parse time format.

:param time_str: time string

:return: date

"""

time_list = time_str.split(".")

year = time_list[0]

month = time_list[1]

day = time_list[2]

return datetime.date(int(year), int(month), int(day))

def read_json_file(path):

"""

Read json file.

:param path: json file url

:return: json file data

"""

with open(path, "r") as json_file:

data = json.load(json_file)

json_file.close()

return data

# main method

url = "datetimes.json"

try:

base = read_json_file(url)

day = days_compute(base)

print(day)

except TimeFormatError as e:

print(str(e))

print("errmsg:\n%s" % traceback.format_exc())

except Exception as e:

print(str(e))

print("errmsg:\n%s" % traceback.format_exc())

代码走读

import datetime

import json

import traceback

# 自定义异常类型TimeFormatError, 用于在代码中校验错误时间格式时抛出

class TimeFormatError(Exception):

def __init__(self, message):

self.message = "TimeFormatError: " + message

# 定义计算日期差的函数

def days_compute(times):

"""

Calculated date interval.

:param times: time dictionary

:return: date interval

"""

# 从字典中获取两个时间日期

time1 = times["day1"]

time2 = times["day2"]

# 日期格式校验,如果日期格式错误(例如“2019.10”),抛出TimeFormatError

if time1.count(".") < 2:

raise TimeFormatError("Time format(yyyy.mm.dd) error. %s" % time1)

if time2.count(".") < 2:

raise TimeFormatError("Time format(yyyy.mm.dd) error. %s" % time2)

# 在这里调用自定义的parse函数,将两个日期时间格式由字符串转换为datetime.date格式

date1 = parse(time1)

date2 = parse(time2)

# 返回计算结果(整型)

return (date2 - date1).days

# 解析时间字符串,转换为datetime.date格式

def parse(time_str):

"""

Parse time format.

:param time_str: time string

:return: date

"""

# 使用split()函数将字符串转化为列表,并分解出年月日

time_list = time_str.split(".")

year = time_list[0]

month = time_list[1]

day = time_list[2]

# 将日期转换为datetime.date格式并返回

return datetime.date(int(year), int(month), int(day))

# 读取json文件的信息,将json文件转化为字典格式

def read_json_file(path):

"""

Read json file.

:param path: json file url

:return: json file data

"""

with open(path, "r") as json_file:

data = json.load(json_file)

json_file.close()

return data

# main method

# 代码开始执行的地方

# json文件的url

url = "datetimes.json"

try:

# 调用自定义的read_json_file函数获取json文件的内容

base = read_json_file(url)

# 计算结果,并打印输出

day = days_compute(base)

print(day)

# 捕获异常,打印错误信息和堆栈

except TimeFormatError as e:

print(str(e))

print("errmsg:\n%s" % traceback.format_exc())

except Exception as e:

print(str(e))

print("errmsg:\n%s" % traceback.format_exc())

传送门

1. count()函数

2. split()方法

3. int()函数

4. print()函数

5. str()函数

测试用例

1. json文件中日期格式正常:

json格式如下:

{

"day1": "1949.10.01",

"day2": "2019.04.25"

}

python脚本执行结果:

25408

即1949年10月1日与2019年4月25日间隔了25408天。

2. json文件中只有年和月,没有日(day)

json文件如下:

{

"day1": "1949.10",

"day2": "2019.04.25"

}

python脚本执行如下:可以看出程序抛出并捕获了自定义异常TimeFormatError,并将其错误堆栈打出。

Time format(yyyy.mm.dd) error. 1949.10

errmsg:

Traceback (most recent call last):

File "/Users/Desktop/Python Apps/untitled_test/day_compute.py", line 67, in

day = days_compute(base)

File "/Users/Desktop/Python Apps/untitled_test/day_compute.py", line 25, in days_compute

raise TimeFormatError("Time format(yyyy.mm.dd) error. %s" % time1)

TimeFormatError: Time format(yyyy.mm.dd) error. 1949.10

3. 日期错误。

日期错误。例如输入的是1000年13月1日(当然不存在这个日期)。

json文件如下:

{

"day1": "1000.13.1",

"day2": "2019.04.25"

}

python执行结果如下:

month must be in 1..12

errmsg:

Traceback (most recent call last):

File "/Users/Desktop/Python Apps/untitled_test/day_compute.py", line 67, in

day = days_compute(base)

File "/Users/Desktop/Python Apps/untitled_test/day_compute.py", line 29, in days_compute

date1 = parse(time1)

File "/Users/Desktop/Python Apps/untitled_test/day_compute.py", line 46, in parse

return datetime.date(int(year), int(month), int(day))

ValueError: month must be in 1..12

代码捕获到python内置异常ValueError(46行的parse函数内所抛出),指出日期有误。

标签:return,Python,天数,json,日期,file,time,day,TimeFormatError

来源: https://blog.csdn.net/TCatTime/article/details/89838237

本文来自互联网用户投稿,该文观点仅代表作者本人,不代表本站立场。本站仅提供信息存储空间服务,不拥有所有权,不承担相关法律责任。如若转载,请注明出处:http://www.mzph.cn/news/394753.shtml

如若内容造成侵权/违法违规/事实不符,请联系多彩编程网进行投诉反馈email:809451989@qq.com,一经查实,立即删除!

相关文章

c语言编常见算法,5个常见C语言算法

5个常见C语言算法十进制转换为二进制的递归程序字符串逆置的递归程序整数数位反序&#xff0c;例如12345->54321四舍五入程序(考虑正负数)二分法查找的递归函数#include#include#include//十进制转换为二进制的递归程序voidDecimalToBinary(int n){if(n<0){printf("…

利用Kinect将投影变得可直接用手操控

Finally 总算是到了这一天了&#xff01;假期里算法想不出来&#xff0c;或者被BUG折磨得死去活来的时候&#xff0c;总是YY着什么时候能心情愉快地坐在电脑前写一篇项目总结&#xff0c;今天总算是抽出时间来总结一下这神奇的几个月。 现在回过头来看&#xff0c;上学期退出AC…

my-medium.cnf_您的手机如何打开medium.com-我将让门卫和图书管理员解释。

my-medium.cnfby Andrea Zanin由Andrea Zanin 您的手机如何打开medium.com-我将让门卫和图书管理员解释。 (How your phone opens medium.com — I’ll let a doorman and a librarian explain.) Hey did you notice what just happened? You clicked a link, and now here y…

springboot自动配置的原理_SpringBoot自动配置原理

SpringBoot的启动入口就是一个非常简单的run方法&#xff0c;这个run方法会加载一个应用所需要的所有资源和配置&#xff0c;最后启动应用。通过查看run方法的源码&#xff0c;我们发现&#xff0c;run方法首先启动了一个监听器&#xff0c;然后创建了一个应用上下文Configurab…

Django first lesson 环境搭建

pycharm ide集成开发环境 &#xff08;提高开发效率&#xff09; 解释器/编译器编辑器调试环境虚拟机连接 设置VirtualBox端口 操作1 操作2 点击号添加&#xff0c;名称为SSH&#xff0c;其中主机端口为物理机的端口&#xff0c;这里设置为1234&#xff0c;子系统端口为虚拟机的…

《Drupal实战》——3.3 使用Views创建列表

3.3 使用Views创建列表 我们接着讲解Views的设置&#xff0c;首先做一个简单的实例。 3.3.1 添加内容类型“站内公告” 添加一个内容类型“站内公告”&#xff0c;属性配置如表3-1所示。 为该内容类型设置Pathauto的模式news/[node:nid]&#xff0c;并且我们在这里将节点类型…

c语言函数编正切余切运算,浅谈正切函数与余切函数的应用

九年义务教育三年制初级中学“数学”课本中&#xff0c;对正切函数和余切函数的定义是这样下的&#xff1a;在&#xff32;&#xff54;&#xff21;&#xff22;&#xff23;中&#xff0c;∠&#xff23;&#xff1d;&#xff19;&#xff10;&#xff0c;&#xff41;&#…

wget命令下载文件

wget -r -N -l -k http://192.168.99.81:8000/solrhome/ 命令格式&#xff1a; wget [参数列表] [目标软件、网页的网址] -V,–version 显示软件版本号然后退出&#xff1b; -h,–help显示软件帮助信息&#xff1b; -e,–executeCOMMAND 执行一个 “.wgetrc”命令 -o,–output…

idea mybatis generator插件_SpringBoot+MyBatis+Druid整合demo

最近自己写了一个SpringBootMybatis(generator)druid的demo1. mybatisgenerator逆向工程生成代码1. pom文件pom文件添加如下内容&#xff0c;引入generator插件org.mybatis.generator mybatis-generator-maven-plugin 1.3.5 mysql …

vr格式视频价格_如何以100美元的价格打造自己的VR耳机

vr格式视频价格by Maxime Coutte马克西姆库特(Maxime Coutte) 如何以100美元的价格打造自己的VR耳机 (How you can build your own VR headset for $100) My name is Maxime Peroumal. I’m 16 and I built my own VR headset with my best friends, Jonas Ceccon and Gabriel…

python_装饰器

# 装饰器形成的过程 : 最简单的装饰器 有返回值得 有一个参数 万能参数# 装饰器的作用# 原则 &#xff1a;开放封闭原则# 语法糖&#xff1a;装饰函数名# 装饰器的固定模式 import time # time.time() # 获取当前时间 # time.sleep() # 等待 # 装饰带参数的装饰器 def timer…

欧洲的数据中心与美国的数据中心如何区分?

人会想到这意味着&#xff0c;在欧洲和北美的数据中心的设计基本上不会有大的差异。不过&#xff0c;一些小的差异是确实存在的。您可能想知道为什么你需要了解欧洲和北美的数据中心之间的差异&#xff0c;这对你的公司有帮助吗?一个设计团队往往能从另一个设计团队那里学到东…

老农过河

java老农过河问题解决 http://www.52pojie.cn/thread-550328-1-1.html http://bbs.itheima.com/thread-141470-1-1.html http://touch-2011.iteye.com/blog/1104628 转载于:https://www.cnblogs.com/wangjunwei/p/6032602.html

python isalnum函数_探究Python中isalnum()方法的使用

探究Python中isalnum()方法的使用 isalnum()方法检查判断字符串是否包含字母数字字符。 语法 以下是isalnum()方法的语法&#xff1a; str.isa1num() 参数 NA 返回值 如果字符串中的所有字符字母数字和至少有一个字符此方法返回 true&#xff0c;否则返回false。 例子 下面的例…

docker快速入门_Docker标签快速入门

docker快速入门by Shubheksha通过Shubheksha Docker标签快速入门 (A quick introduction to Docker tags) If you’ve worked with Docker even for a little while, I bet you’ve come across tags. They often look like “my_image_name:1” where the part after the col…

动态规划算法——最长上升子序列

今天我们要讲的是最长上升子序列&#xff08;LIS&#xff09;。【题目描述】给定N个数&#xff0c;求这N个数的最长上升子序列的长度。【样例输入】      【样例输出】7        42 5 3 4 1 7 6那么什么是最长上升子序列呢&#xff1f; 就是给你一个序列…

如何快速掌握一门新技术/语言/框架

IT行业中的企业特点是都属于知识密集型企业。这种企业的核心竞争力与员工的知识和技能密切相关。而如果你在企业中扮演的是工程师的角色的话&#xff0c;那么 你的核心竞争力就是IT相关的知识与技能的储备情况。而众所周知&#xff0c;IT行业是一个大量产生新知识的地方&#x…

c语言今天星期几问题,C语言输入今天星期几

满意答案迷茫03222015.07.24采纳率&#xff1a;55% 等级&#xff1a;9已帮助&#xff1a;665人123456789101112131415161718192021#include<stdio.h>int main(void){ enum weekday{ sun, mon, tue, wed, thu, fri, sat }; int n; printf("输入星期数(0-…

备忘录模式 详解

定义 在不破坏封装性的前提下&#xff0c;捕获一个对象的内部状态&#xff0c;并在该对象之外保存这个状态&#xff1b; 行为型模式 角色 发起人角色&#xff08;Originator&#xff09;&#xff1a;记录当前时刻的内部状态&#xff0c;负责定义哪些属于备份范围的状态&#xf…

dll oem证书导入工具_技术干货 | 恶意代码分析之反射型DLL注入

欢迎各位添加微信号&#xff1a;qinchang_198231 加入安全 交流群 和大佬们一起交流安全技术01技术概要这是一种允许攻击者从内存而非磁盘向指定进程注入DLL的技术&#xff0c;该技术比常规的DLL注入更为隐蔽&#xff0c;因为除了不需要磁盘上的实际DLL文件之外&#xff0c;它…