1 datetime
datetime是Python处理日期和时间的标准库
1.1 datetime.datetime
datetime.datetime.now() 返回当前日期和时间
from datetime import datetime
now=datetime.now()
print(now)
print(type(now))
'''
2017-05-02 10:51:01.382384
<class 'datetime.datetime'>
'''
dt=datetime.datetime(2015,10,21,16,29,0) 构造指定时间的datetime
print(dt)
print(dt.year,dt.month,dt.day,dt.hour,dt.minute,dt.second) datetime的属性
#2015-10-21 16:29:00
#2015 10 21 16 29 0
print(datetime.datetime.fromtimestamp(1000000))
print(datetime.datetime.fromtimestamp(time.time()))
#1970-01-12 21:46:40
#2017-07-24 10:42:14.359746
* timestamp 与时间戳的转换
datetime.datetime.timestamp() datetime类型转换为时间戳time类型
print(dt.timestamp())
#1429417200.0
datetime.fromtimestamp() timestamp转换为当前操作系统设定的时区datetime
print(datetime.datetime.fromtimestamp(1000000))
print(datetime.datetime.fromtimestamp(time.time()))
#1970-01-12 21:46:40
#2017-07-24 10:42:14.359746
print(datetime.utcfromtimestamp(1000000)) timestamp转换到UTC标准时区datetime
timestamp是一个浮点数,小数位表示毫秒数 。timestamp的值与时区毫无关系,全球各地的计算机在任意时刻的timestamp都是完全相同的(假定时间已校准)
而datetime是有时区的。
#例如北京时区是东8区,则本地时间 2015-04-19 12:20:00 实际上就是UTC+8:00,而此刻的格林威治标准时间与北京时间差了8个小时,也就是UTC+0:00时区的
#时间应该是 2015-04-19 04:20:00 UTC +0:00
在计算机中,时间实际上是用数字表示的。我们把1970年1月1日00:00:00 UTC+00:00时区的时刻称为epoch time,记为 0 (1970年以前的时间timestamp为负数),
timestamp就是相对于epoch time 的秒数
#你可以认为:
#timestamp=0= 1970-1-1 00:00:00 UTC+0:00
#对应的北京时间是:
#timestamp=0=1970-1-1 08:00:00 UTC+8:00
* 时间格式输出
#datetime.datetime类型的时间对象可以通过方法strftime()按指定格式输出字符型时间string format time
'''
%Y 带世纪的年份,例’2014‘ %y 不带世纪的年份,’00‘到’99‘(1970到2069)
%m 月份数字,例’01‘到’12‘ %B 月份全拼,例’November‘
%b 月份简写,例’Nov‘ %d 一个月的天数,’01‘到’31‘
%j 一年的天数,’001‘到’366‘ %w 一周的天数,’0‘(Sunday)到’6‘(Saturday)
%A 周几的全拼,例‘Monday’ %a 周几的简称,例‘Mon’
%H 24小时数,‘00‘到’23‘ %I 12小时数,’01‘到’12‘
%M 分钟数,’00‘到’59‘ %S 秒数,’00‘到’59‘
%p ’AM‘或’PM‘ %% 百分号%
'''
#通过strptime()函数可以将字符串类型的时间数据转换成datetime.datetime()类型的时间数据,格式化符号的含义同strftime()
c=datetime.datetime.strptime('October 21, 2015','%B %d, %Y')
print(c)
#2015-10-21 00:00:00
datetime.datetime.strptime("November of '63","%B of '%y")
#2063-11-01 00:00:00
datetime.strptime() str 转换为datetime
cday=datetime.strptime('2015-6-1 18:19:59','%Y-%m-%d %H:%M:%S')
print(cday)
#2015-06-01 18:19:59
#字符串 '%Y-%m-%d %H:%M:%S' 规定了日期和时间部分的格式,转换后的datetime是没有时区信息的。
print(now.strftime('%a,%b %d %H:%M')) datetime转化为str
#Tue,May 02 11:37
* datetime.timedelta 加减
timedelta类型的数据表示的是一段时间
delta=datetime.timedelta(days=11,hours=10,minutes=9,seconds=8)
print(delta.days,delta.seconds,delta.microseconds) #delta.seconds返回的是10小时9分8秒以秒表示的数值
print(delta.total_seconds()) #total_seconds()返回的是11天10小时9分8秒以秒表示的数值
print(str(delta))
#11 36548 0
#986948.0
#11 days, 10:09:08
#timedelta的关键字参数:weeks,days,hours,minutes,seconds,milliseconds,microseconds.没有月和年入参。1秒=1000ms,1毫秒=1000ms(微秒),1秒=1000000微秒
from datetime import timedelta
'''
>>> now=datetime.datetime.now()
>>> now
datetime.datetime(2017, 5, 2, 13, 18, 8, 233263)
>>> now+timedelta(hours=10)
datetime.datetime(2017, 5, 2, 23, 18, 8, 233263)
>>> now-timedelta(days=1)
datetime.datetime(2017, 5, 1, 13, 18, 8, 233263)
>>> now+timedelta(days=2,hours=12)
datetime.datetime(2017, 5, 5, 1, 18, 8, 233263)
'''
* 时区
datetime类型时区属性tzinfo 默认为None 强制 设置时区
#本地时间是指系统设定时区的时间,例如北京时间是UTC+8:00时区的时间,而UTC时间指UTC+0:00的时间
from datetime.datetime import timezone
tz_utc_8=timezone(timedelta(hours=8)) #创建时区UTC+8:00
now=datetime.datetime.now()
print(now)
dt=now.replace(tzinfo=tz_utc_8)#强制设置为UTC+8:00
print(dt)
'''
2017-05-02 13:34:48.967090
2017-05-02 13:34:48.967090+08:00
'''
#如果系统时区恰好是UTC+8:00,那么上述代码就是正确的,否则,不能强制设置为UTC+8:00时区
datetime.datetime.utcnow() 获取系统当前时区
#拿到UTC时间,并强制设置时区为UTC+0:00
utc_dt=datetime.datetime.utcnow().replace(tzinfo=timezone.utc)
print(utc_dt)
#2017-05-02 05:40:48.798942+00:00
astimezone() 转换时区
bj_dt=utc_dt.astimezone(timezone(timedelta(hours=8)))
print(bj_dt)
#2017-05-02 13:43:23.739443+08:00
#astimezone()将转换时区为东京时间:
tokyo_dt=utc_dt.astimezone(timezone(timedelta(hours=9)))
print(tokyo_dt)
#2017-05-02 14:47:54.280292+09:00
#astimezone()将bj_dt转换时区为东京时间:
tokyo_dt2=bj_dt.astimezone(timezone(timedelta(hours=9)))
print(tokyo_dt2)
#2017-05-02 14:50:23.860372+09:00
#时区转换的关键在于,拿到一个datetime时,要获知其正确的时区,然后强制设置时区,作为基准时间。
#利用带时区的datetime,通过astimezone()方法,可以转换到任意时区。
#不是必须从UTC+0:00时区转换到 其他时区,任何带时区的datetime都可以正确转换,例如上述bj_dt到tokyo_dt的转换。
#datetime表示的时间需要时区信息才能确定一个特定的时间,否则只能视为本地时间。
#如果要存储datetime,最佳方法是将其转换为timestamp再存储,因为timestamp的值与时区完全无关。
1.2 datetime.date
class datetime.date(year,month,day)
datetime.date.today() 返回当前本地时间,等同于 date.fromtimestamp(time.time())
datetime.date.fromtimestamp(timestamp) 将时间戳类型转换为datetime.date类型
date类型也可以和timedelta相加减,互相比较大小
date2=date1+timedelta
date2=date1-timedelta
timedelta=date1-date2
date1<date2
date.replace(year=self.year,month=self.month,day=self.day) 单独更改某个参数(year,month,orday 的值),其他值保持不变
date.weekday() 返回日期所在的星期数,0表示星期一,6表示星期七
date.isoweekday() 返回日期所在的星期数,1表示星期一,7表示星期七
date.striftime(format) 同datetime.datetime.strftime()
2 time
time模块返回的是系统的时间点。
Unix时间戳是 1970-01-01 00:00 UTC开始,至现在的秒数,不考虑闰秒。通过time.time()返回。
import time
time.time() 返回当前时间戳
#1500859433.6619675
time.sleep() 使程序休眠
#time.sleep(1)会使程序暂停1秒,这一秒程序什么都不会做。
#假使在运行time.sleep(30)时,我们按了退出键CTRL-C,程序不会停止,直到30后才会抛出KeyboardInterrupt 错误。
#通常我们会设置一个循环30次,每次暂停1秒,当你按下CTRL-C时,程序就会立刻抛出KeyboardInterrupt 错误。
for i in range(5):
time.sleep(1)
#觉得小数点位太多的话,可以用round()函数对时间戳四舍五入
now=time.time()
#保留两位小数
print(round(now,2))
#计时程序
import time
print('Press ENTER to begin . AfterWaards,press ENTER to "click" to the stopWatch . Press CTRL-C to quit.')
input() #press Enter to begin
print('Started.')
startTime=time.time() #get the first lap's start time
lastTime=startTime
lapNum=1
try:
while True:
input()
lapTime=round(time.time()-lastTime,2)
totalTime=round(time.time()-startTime,2)
print('Lap #%s: %s (%s)' %(lapNum,totalTime,lapTime),end='')
lapNum += 1
lastTime=time.time() #reset the last lap time
except EOFError:
#Handle the CTRL-C exception to keep its error message from displaying.
print('\nDone.')
#记录每个周期的时间数,和总时间数,通过Ctrl-C结束。
#print()中关键字参数end=''用于避免出现多余的空行
import threading,time
print('Start of program')
def takeANap():
time.sleep(5)
print('Wake up!')
threadObj=threading.Thread(target=takeANap)
threadObj.start()
print('End of program.')
'''
Start of program
End of program.
Wake up!
'''
#这种顺序是由于新增了一个线程,主程序运行到threadObj=..时就创建了一个新线程,主程序继续运行,新线程也开始运行。主程序结束并不影响其子线程的运行。
#新建线程通过函数threading.Thread()进行创建,通过参数target=print传入方法名,args=[]传入方法的固定入参,kwargs={}传入方法的关键字参数。
threadObjt=threading.Thread(target=print,args=['Cats','Dogs','Frogs'],kwargs={'sep':'&'})
threadObjt.start()
#Cats&Dogs&Frogs
#多线程运行可能会造成并发问题,及多个线程同时修改同一个变量的值。
#假使主线程中有一些代码需要在所有线程运行结束后再继续执行,可以使用join()方法,阻塞主线程。对于装满的线程的list变量downloadThreads,
#for downloadThread in downloadThreads:
# dowloaThread.join()
#print('Done.')
* 定时打开其他程序
#通过Popen()打开其他的程序(the P in the name of the Popen() function stands for process)
#每一个打开的程序都是单独的进程,进程之间互不影响。
import subprocess
calcProc=subprocess.Popen('D:\\Program Files (x86)\\Notepad++\\notepad++.exe')
#Popen()有poll()和wait()两种方法。poll()方法用于返回该进程是否完成的状态,如果该线程仍在持续运行,将返回None,如果该进程已经结束,就会返回进程的
#状态码。状态码用来表示该进程是正常结束的还是遇到错误结束的。
print(calcProc.poll()==None )
#wait()方法用于主进程等待该进程完成,然后继续执行代码。阻塞主进程,直到该进程结束。wait()返回的是进程结束的状态码
#Popen()可以传入一个列表,(进程函数需要的入参都可以放入列表中)打开一个新进程,例,下面这个会打开文件indx0009.txt
nm=['D:\\Program Files (x86)\\Notepad++\\notepad++.exe','e:\\indx0009.txt']
s=subprocess.Popen(nm)
#打开浏览器使用的是webbrowser.open(),而不是用Popen().
#每个操作系统都有一个程序对应的是鼠标双击某个文件打开它的功能。在windows上关键字是start,在windows上还需要传入参数shell=True.
#使用默认程序打开文件
subprocess.Popen(['start','e:\\indx0009.txt'],shell=True)
#Unix理论是说一个软件的设计原理越小越好,尽可能的调用其他程序的功能。小的程序功能比较好理解。不冗余。比如说一个外卖软件,需要显示某店的位置时
#不需要自己编一个地图模块,可以直接调用手机里有的地图软件。
#编写一个简单的提醒闹铃软件
import time,subprocess
timeLeft=30
while timeLeft >0:
print(timeLeft,end='')
time.sleep(1)
timeLeft-=1
subprocess.Popen(['start','e:\\top_image.jpg'],shell=True)
#30秒后打开图片
- Python中的多进程与多线程(一)
一.背景 最近在Azkaban的测试工作中,需要在测试环境下模拟线上的调度场景进行稳定性测试.故而重操python旧业,通过python编写脚本来构造类似线上的调度场景.在脚本编写过程中,碰到这样一个 ...
- Python高手之路【六】python基础之字符串格式化
Python的字符串格式化有两种方式: 百分号方式.format方式 百分号的方式相对来说比较老,而format方式则是比较先进的方式,企图替换古老的方式,目前两者并存.[PEP-3101] This ...
- Python 小而美的函数
python提供了一些有趣且实用的函数,如any all zip,这些函数能够大幅简化我们得代码,可以更优雅的处理可迭代的对象,同时使用的时候也得注意一些情况 any any(iterable) ...
- JavaScript之父Brendan Eich,Clojure 创建者Rich Hickey,Python创建者Van Rossum等编程大牛对程序员的职业建议
软件开发是现时很火的职业.据美国劳动局发布的一项统计数据显示,从2014年至2024年,美国就业市场对开发人员的需求量将增长17%,而这个增长率比起所有职业的平均需求量高出了7%.很多人年轻人会选择编 ...
- 可爱的豆子——使用Beans思想让Python代码更易维护
title: 可爱的豆子--使用Beans思想让Python代码更易维护 toc: false comments: true date: 2016-06-19 21:43:33 tags: [Pyth ...
- 使用Python保存屏幕截图(不使用PIL)
起因 在极客学院讲授<使用Python编写远程控制程序>的课程中,涉及到查看被控制电脑屏幕截图的功能. 如果使用PIL,这个需求只需要三行代码: from PIL import Image ...
- Python编码记录
字节流和字符串 当使用Python定义一个字符串时,实际会存储一个字节串: "abc"--[97][98][99] python2.x默认会把所有的字符串当做ASCII码来对待,但 ...
- Apache执行Python脚本
由于经常需要到服务器上执行些命令,有些命令懒得敲,就准备写点脚本直接浏览器调用就好了,比如这样: 因为线上有现成的Apache,就直接放它里面了,当然访问安全要设置,我似乎别的随笔里写了安全问题,这里 ...
- python开发编译器
引言 最近刚刚用python写完了一个解析protobuf文件的简单编译器,深感ply实现词法分析和语法分析的简洁方便.乘着余热未过,头脑清醒,记下一点总结和心得,方便各位pythoner参考使用. ...
- 关于解决python线上问题的几种有效技术
工作后好久没上博客园了,虽然不是很忙,但也没学生时代闲了.今天上博客园,发现好多的文章都是年终总结,想想是不是自己也应该总结下,不过现在还没想好,等想好了再写吧.今天写写自己在工作后用到的技术干货,争 ...
随机推荐
- MySQL timespan设置 sql_mode设置
Timespan设置: 在MySQL5.7版本中创建表 CREATE TABLE `investor_seat` ( `id` int(11) NOT NULL AUTO_INCREMENT , `i ...
- C Looooops(扩展欧几里得)题解
A Compiler Mystery: We are given a C-language style for loop of type for (variable = A; variable != ...
- [Shiro] - Shiro之进阶
上一个知识点ssm, 哪里需要权限,哪里写注解@RequirePermission就行. 但是,真正项目开发的时候, 这种方式就很有局限性了, 当权限配置关系发生变化, 每次都要修改代码, 编译打包重 ...
- 【转载】非Lumia 950/XL机型 强行开启continuum教程
听说Windows 10 Mobile 的 Continuum 特性很长时间了,但是由于我自己的 Lumia 930 不在支持之列,一直没能体验到这个功能.今天在酷七看到了这篇文章,按文章所述的步骤进 ...
- wc的使用
统计文件个数 ls -l |grep "^-"|wc -l 统计目录的个数 ls -l|grep "^d"|wc -l 统计文件个数(包括子文件夹) ls -l ...
- ubuntu 14.04 server(amd64) 安装ros indigo
1.添加软件源(添加了正确的软件源,操作系统就知道去哪里下载程序,并根据命令自动安装软件) sudo sh -c 'echo "deb http://packages.ros.org/ros ...
- 聊一聊 Cloud Native 与12-Factor
12-Factor(twelve-factor),也称为“十二要素”,是一套流行的应用程序开发原则.Cloud Native架构中使用12-Factor作为设计准则. 12-Factor 的目标在于: ...
- jq 命名空间
$('ul').on("click",function(){console.log('all');});$('ul').on("click.a",functio ...
- Codeforces 899E - Segments Removal
899E - Segments Removal 思路:priority_queue+pair 代码: #include<bits/stdc++.h> using namespace std ...
- 一个简单可参考的API网关架构设计
网关一词较早出现在网络设备里面,比如两个相互独立的局域网段之间通过路由器或者桥接设备进行通信, 这中间的路由或者桥接设备我们称之为网关. 相应的 API 网关将各系统对外暴露的服务聚合起来,所有要调用 ...