以下是使用Python解析crontab时间格式的一个类, 同时minute和hour支持了 + 的操作. 记录一下备忘.

其中的line参数是字符串分拆后的格式, 包含了 "week", "month", "day", "hour", "minute".

#!/usr/bin/env python3
# -*-coding:utf-8-*- """
支持crontab表达式的分解, 判断是否符合条件.
@author Felix Zhang
@contact cnscud@gmail.com
@since 2018.1.11
""" from datetime import datetime class MatchTimeExp(object):
TIMEUNIT_FORMAT = {"minute": "%M", "hour": "%H", "day": "%d", "month": "%m", "year": "%Y", "week": "%w"}
TIMEUNIT_SCALE = {"minute": 60, "hour": 24} @staticmethod
def fire(line, cur_time):
holders = ["week", "month", "day", "hour", "minute"]
for h in holders:
if line[h] is not None and line[h] != "":
ret = MatchTimeExp.matchtime(line[h], h, cur_time)
if ret != 0:
return ret return 0 @staticmethod
def matchtime(exp, timeunit, thetime):
"""支持的格式: * 5 */5 */5+2 1,2,3 5-22 5-8,11-15
@:type thetime datetime
@:return match=0 , not match =1 , error = -1
"""
assert isinstance(thetime, datetime) exp = exp.replace(" ", "") digit_exp = exp.replace(",", "").replace("-", "").replace("/", "").replace("*", "").replace("+", "")
if digit_exp != "" and not digit_exp.isdigit():
return -1 # 分解逗号
nodes = exp.split(",")
if len(nodes) > 1:
for node in nodes:
if node != "" and MatchTimeExp.__matchtime_one(node, timeunit, thetime) == 0:
return 0
return 1
else:
return MatchTimeExp.__matchtime_one(exp, timeunit, thetime) @staticmethod
def __check_plusexp(step, timeunit, curtimenode):
""" 支持+ 的特殊语法""" # 仅支持
if timeunit not in ("minute", "hour"):
return -1 parts = step.strip().split("+")
if len(parts) == 2 and parts[0].strip().isdigit() and parts[1].strip().isdigit():
mystep = int(parts[0])
plusvalue = int(parts[1])
if plusvalue >= mystep:
return -1 timenode = curtimenode - plusvalue
if timenode < 0:
timenode += MatchTimeExp.TIMEUNIT_SCALE.get(timeunit) if timenode % mystep == 0:
return 0
else:
return -1 return 1 @staticmethod
def __matchtime_one(exp, timeunit, thetime):
if exp == "*":
return 0 if exp == "" or exp is None:
return 1 curtimenode = int(thetime.strftime(MatchTimeExp.TIMEUNIT_FORMAT.get(timeunit))) if exp == str(curtimenode):
return 0 patternfind = False items = exp.split('/')
if len(items) == 2 and items[0] == "*":
patternfind = True
step = items[1]
if step.isdigit():
if curtimenode % int(step) == 0:
return 0
else:
return MatchTimeExp.__check_plusexp(step, timeunit, curtimenode)
elif len(items) > 1:
return -1 # # 逗号
# nodes = exp.split(",")
# if len(nodes) > 0:
# for node in nodes:
# if node.strip() == str(curtimenode):
# return 0 # 减号:表示范围
nodes = exp.split("-")
if len(nodes) > 1:
patternfind = True
if len(nodes) == 2 and nodes[0].strip().isdigit() and nodes[1].strip().isdigit():
if int(nodes[0].strip()) <= curtimenode <= int(nodes[1].strip()):
return 0
else:
return -1 if not patternfind and not exp.isdigit():
return -1 return 1 def main():
thetime = datetime.now()
thetime = thetime.replace(minute=5) # 测试分钟
test("*", thetime, 0)
test("*/5", thetime, 0)
test("*/3", thetime, 1)
test("5", thetime, 0)
test("6", thetime, 1)
test("5,10,15", thetime, 0)
test("2,4,6", thetime, 1)
test("2-6", thetime, 0)
test("12-25", thetime, 1) test("2-6,9-12", thetime, 0)
test("12-15, 20-23", thetime, 1) thetime = datetime.now()
thetime = thetime.replace(minute=15)
test("*/5", thetime, 0)
test("*/3", thetime, 0)
test("*/7", thetime, 1)
test("6", thetime, 1)
test("5,10,15", thetime, 0)
test("2-6", thetime, 1)
test("12-25", thetime, 0)
test("2-6,9-12", thetime, 1)
test("12-15, 20-23", thetime, 0) thetime = datetime.now()
thetime = thetime.replace(minute=5)
test("*/7+6", thetime, 1)
test("*/7+5", thetime, 0)
test("*/7+2", thetime, 1) thetime = datetime.now()
thetime = thetime.replace(minute=1)
test("*/7+6", thetime, 1)
test("*/7+5", thetime, 0)
test("*/7+2", thetime, 1) thetime = datetime.now()
thetime = thetime.replace(minute=12)
test("*/7+5", thetime, 0)
test("*/7+1", thetime, 1)
test("*/7+9", thetime, -1) # wrong exp
test("a-b", thetime, -1)
test("a,2", thetime, -1)
test("*/b", thetime, -1)
test("*/7+a", thetime, -1)
test("*/a+b", thetime, -1) # , + - / * thetime = datetime.now()
thetime = thetime.replace(minute=12) test("12,", thetime, 0)
test("11,", thetime, 1)
test(",2", thetime, 1) test("3-5-8", thetime, -1)
test("3-", thetime, -1)
test("-3", thetime, -1)
test("5+2", thetime, -1)
test("/2", thetime, -1)
test("2/", thetime, -1)
test("*5", thetime, -1) thetime = datetime.now()
thetime = thetime.replace(hour=8) test("*/3+2", thetime, 0, "hour")
test("*/3+1", thetime, 1, "hour")
test("*/3+5", thetime, -1, "hour") thetime = thetime.replace(hour=1) test("*/3+2", thetime, 1, "hour")
test("*/3+1", thetime, 0, "hour") thetime = thetime.replace(day=5) test("*/4", thetime, 1, "day")
test("*/5", thetime, 0, "day")
test("*/3+2", thetime, -1, "day") thetime = datetime.now()
thetime = thetime.replace(minute=6) test_all({"week": "*", "month": "*", "day": "*", "hour": "*", "minute": "*/3"}, thetime, 0)
test_all({"week": "*", "month": "*", "day": "*", "hour": "*", "minute": "*/4"}, thetime, 1) def test_all(line, curtime, okresult):
timeprint = curtime.strftime("%Y-%m-%d %H:%M:%S")
# minute hour day month week
lineprint = " ".join([line["minute"], line["hour"], line["day"], line["month"], line["week"]])
if MatchTimeExp.fire(line, curtime) == okresult:
print("pass: matchtime %s check: (%s) is %i in %s" % ("all", lineprint, okresult, timeprint))
else:
print("not pass: matchtime %s check (%s) is %i in %s" % ("all", lineprint, okresult, timeprint)) def test(exp, curtime, okresult, unit="minute"):
timeprint = curtime.strftime("%Y-%m-%d %H:%M:%S")
if MatchTimeExp.matchtime(exp, unit, curtime) == okresult:
print("pass: matchtime %s check %s is in %s" % (unit, exp, timeprint))
else:
print("not pass: matchtime %s check %s is in %s" % (unit, exp, timeprint)) if __name__ == '__main__':
main()

Python: 解析crontab正则,增加+操作的更多相关文章

  1. Python学习-列表的转换和增加操作

    列表的转换和增加操作 列表的转换操作:可以将一个元组,字符串等转换成列表. str = "liuwenhao"; print(list(str)); // ['l', 'i', ' ...

  2. python 解析json loads dumps

    认识 引用模块 重要函数 案例 排序 缩进参数 压缩 参考 认识 JSON(JavaScript Object Notation) 是一种轻量级的数据交换格式.它基于JavaScript(Standa ...

  3. Python解析器源码加密系列之(二):一次使用标准c的FILE*访问内存块的尝试

    摘要:由于近期打算修改Python解释器以实现pyc文件的加密/解密,出于保密的要求,解密之后的数据只能放在内存中,不能写入到文件中.但是后续的解析pyc文件的代码又只能接受FILE*作为入参,所以就 ...

  4. python 解析json

    一.概念 序列化(Serialization):将对象的状态信息转换为可以存储或可以通过网络传输的过程,传输的格式可以是JSON.XML等.反序列化就是从存储区域(JSON,XML)读取反序列化对象的 ...

  5. python解析xml之lxml

    虽然python解析xml的库很多,但是,由于lxml在底层是用C语言实现的,所以lxml在速度上有明显优势.除了速度上的优势,lxml在使用方面,易用性也非常好.这里将以下面的xml数据为例,介绍l ...

  6. dom4j解析XML的CURD操作

    在开发JavaWeb项目中通常是利用XML配置文件来提高应用程序的访问效率,而在配置XML的同时,更多时候是对XML进行解析. 一.解析XML配置文件有两种机制: DOM和SAX的机制: DOM是将整 ...

  7. python 解析Excel

    python 解析Excel 公司背景:好吧LZ太懒了.略... 原由起因:公司老板发话要导出公司数据库中符合条件的数据,源数据有400万,符合条件的大概有70万左右吧. 最终目的:符合条件的数据并生 ...

  8. Python 解析构建数据大杂烩 -- csv、xml、json、excel

    Python 可以通过各种库去解析我们常见的数据.其中 csv 文件以纯文本形式存储表格数据,以某字符作为分隔值,通常为逗号:xml 可拓展标记语言,很像超文本标记语言 Html ,但主要对文档和数据 ...

  9. python入门学习:3.操作列表

    python入门学习:3.操作列表 关键点:列表 3.1 遍历整个列表3.2 创建数值列表3.3 使用列表3.4 元组 3.1 遍历整个列表   循环这种概念很重要,因为它是计算机自动完成重复工作的常 ...

随机推荐

  1. Netty 框架学习 —— 基于 Netty 的 HTTP/HTTPS 应用程序

    通过 SSL/TLS 保护应用程序 SSL 和 TLS 安全协议层叠在其他协议之上,用以实现数据安全.为了支持 SSL/TLS,Java 提供了 javax.net.ssl 包,它的 SSLConte ...

  2. Docker启动PostgreSQL时创建多个数据库

    1 前言 在文章<Docker启动PostgreSQL并推荐几款连接工具>中我们介绍如何通过Docker来启动PostgreSQL,但只有一个数据库,如果想要创建多个数据库在同一个Dock ...

  3. R语言--读取文件(数据输入)

    1 数据的输入 1.1 键盘输入 首先新建一张空表: dat<-data.frame(age=numeric(0),gender=character(0),weight=numeric(0)) ...

  4. 番外篇:使用nssm工具将ES、Kibana、Logstash或者其他.bat文件部署为Windows后台服务的方法

    使用NSSM工具安装bat文件为Windows服务 nssm是一个可以把bat批处理文件部署为Windows服务的小工具.例如很多.net项目可能还是在Windows服务器上面跑的,但是很多组件只提供 ...

  5. 五、JavaSE语言基础之流程控制

    流程控制的简单概念 流程控制:指通过关键字控制代码的执行流程; 一.顺序结构:执行顺序从左到右从上到下; 顺序结构无关键字,一般而言大多数代码都是顺序结构; 二.选择结构:根据条件判断是否执行 选择结 ...

  6. Linux-ELK日志收集

    1.ELK简介 ELK是三个开源软件的缩写,分别表示:Elasticsearch , Logstash, Kibana , 它们都是开源软件.新增了一个FileBeat,它是一个轻量级的日志收集处理工 ...

  7. 12.QT项目中启用c++11语法支持

    greater Than(QT_MAJOR_VERSION, 4): CONFIG += c++11 less Than(QT_MAJOR_VERSION, 5): QMAKE_CXXFLAGS += ...

  8. 3、mysql的多实例配置(1)

    3.1.什么是mysql多实例: 3.2.mysql多实例的作用和问题: 3.3.mysql多实例生产应用的场景: 1.资金紧张的公司: 2.并发访问并不是很大的业务: 3.门户网站应用mysql多实 ...

  9. js jquey 笔记

    1.使用insertAfter 如果插入在tr后添加多行数据,数据会倒过来注意组字符串需要倒着循环 1).html方法,给元素添加html代码或者清空html代码(参数为空字符串): 2).appen ...

  10. SpringMVC(12)完结篇 基于Hibernate+Spring+Spring MVC+Bootstrap的管理系统实现

    到这里已经写到第12篇了,前11篇基本上把Spring MVC主要的内容都讲了,现在就直接上一个项目吧,希望能对有需要的朋友有一些帮助. 一.首先看一下项目结构: InfrastructureProj ...