1. openpyxl / xlrd / xlwt  => 操作Excel 文件(xlsx格式)

  => xlrd + xlwt : 只能操作xls文件,分别负责读写, 暂时不讨论

  => openpyxl : 只能用来处理Excel2007及以上的版本, .xlsx/.xlsm文件

  读xlsx文件

#coding=utf-8
from openpyxl import load_workbook
wb = load_workbook(filename=r'a.xlsx') #加载workbook,也就是一个Excel文件
sheets = wb.get_sheet_names() #获取所有worksheet的名字
print "sheets: ",sheets
sheet0 = sheets[0] #得到第一个sheet的名字
ws = wb.get_sheet_by_name(sheet0) #如果sheet不存在不会抛出异常,而是返回None
#获取所有的行和列
rows = ws.rows
columns = ws.columns
content = []
# 双重循环获取sheet0的内容
for row in rows:
line = [col.value for col in row]
content.append(line) print content
#通过坐标读取值, 注意编号是从1 开始
print ws.cell('B12').value #Excel内部索引, 使用ws['B12'],应该也能读取,方法有很多种
print ws.cell(row=12,column=2).value #数组索引

创建xlsx文件,创建sheet表单

#coding=utf-8
from openpyxl import Workbook
# 创建一个workbook对象
wb = Workbook()
# 获取当前活动的worksheet
ws = wb.active
# 通过赋值给单元格来写
ws['A1'] = "roger"
# 可以写一整行
ws.append([1,2,34])
# python 的类型将会自动转换
import datetime
ws['A2'] = datetime.datetime.now()
# 最后一定要保存文件, 当然也可以在其他地方保存(创建之后)
wb.save("b.xlsx")
# 创建一个新的sheet
wb.create_sheet(title='roger')
wb.save('b.xlsx')

2.Queue

  是一个同步队列类,在线程安全的多线程环境中很适用。模块实现了所有required locking semantics,依赖于python对线程的支持!

  模块实现了3种类型的queue:

    FIFO: the first tasks added are the firsted retrieved.

    LIFO(like stack): the most recently added entry is the first retrieved.

    Priority queue: the entries are kept sorted (using the heapq mudule), the lowest valued entry is retrieved first.

  模块中定义的类和异常:

    Clssess:

      Queue.Queue (maxsize=0: mean infinite,下面的也都是)

      Queue.LifoQueue

      Queue.PriorityQueue

    Exceptions:

      Queue.Empty

      Queue.Full

  常用方法:

    Queue.qsize(): 返回queue的大小

    Queue.empty(),    Queue.full()

    Queue.put(item[,block[,timeout]]:  存放item,如果block 参数为true且timeout为None(default), block if necessary until a free slot is available.

    Queue.put_nowait(item) : 等同 Queue.put(item,False)

    Queue.get([block[,timeout]]): 删除并返回queue中对应的item。

    Queue.get_nowait(): 等同 Queue.get(False)

    Queue.task_done(): 指示以前的操作完成了,被Queue的消费者线程使用。对于每一个get()用来获取元素后,一个subsequent调用 task_done() 来告诉Queue任务处理完成。

    Queue.join(): Block until all items in the queue have been gotten and processed! 只有当调用task_done()之后未完成任务数才会减少,减少为0 的时候,join() unblocks.

伪代码

# 一段不能运行的sample
#coding=utf-8
from Queue import Queue
def worker():
while True:
item = q.get()
do_work(item)
q.task_done()
q = Queue() # 如果只使用 import Queue, 那么这行需要用 Queue.Queue
for i in range(num_worker_threads):
t = Thread(target=worker)
t.daemon = True
t.start() for item in source():
q.put(item) q.join() # block until all tasks are done

参考代码(参考原文链接)

#coding=utf-8
#
#FIFO
from Queue import Queue
q = Queue(0)
for i in range(10):
q.put(i)
while not q.empty():
print q.get() # LIFO
from Queue import LifoQueue
q = LifoQueue(maxsize=0)
for i in range(10,20):
q.put(i)
while not q.empty():
print q.get() # Priority Queue
from Queue import PriorityQueue
q = PriorityQueue() class work(object):
def __init__(self,priority,description):
self.priority = priority
self.description = description def __cmp__(self,other): #自定义比较函数
return cmp(self.priority, other.priority) q.put(work(4,"Middle range work"))
q.put(work(1,"Emergency work"))
q.put(work(7,"Low priority work")) while not q.empty():
wk = q.get()
print wk.priority,":",wk.description

3.Thread模块

  这个模块提供低级原语来使用多线程, 多线程共享他们的全局数据空间,从而实现同步, 提供简单的互斥锁。dummy_thread重复实现了这个模块,更适用,Threading是更高级的多线程实现。

  模块定义了如下常量和函数

  Exceptions:

    thread.error : Raised on thread-specific errors.

  Constants:

    thread.LockType: lock对象的类型

  Functions:

    thread.start_new_thread(function,args[,kwargs]): 开始一个新线程并返回他的 线程ID,这个线程执行函数 function,args是这个function的参数。

    thread.interrupt_main(): 在主线程中抛出一个keyboardInterrupt异常,一个子线程可以利用这个函数来中断主线程

    thread.exit(): 抛出一个SystemExit的异常, 如果不捕获的话就终止线程

    thread.allocate_lock() : 返回新的lock对象

    thread.get_ident(): 返回当前线程的id

    thread.stack_size([size]): 返回线程堆栈大小

    lock.acquire([waitflag]): 请求锁, 等待其他线程释放锁。

    lock.release()

    lock.locked(): 判断是否locked,返回True / False

    

import thread
a_lock = thread.allocate_lock()
with a_lock:
print "a_lock is locked while this executes"

Python 简单模块学习的更多相关文章

  1. python - argparse 模块学习

    python - argparse 模块学习 设置一个解析器 使用argparse的第一步就是创建一个解析器对象,并告诉它将会有些什么参数.那么当你的程序运行时,该解析器就可以用于处理命令行参数. 解 ...

  2. python paramiko模块学习分享

    python paramiko模块学习分享 paramiko是用python语言写的一个模块,遵循SSH2协议,支持以加密和认证的方式,进行远程服务器的连接.paramiko支持Linux, Sola ...

  3. Python logging 模块学习

    logging example Level When it's used Numeric value DEBUG Detailed information, typically of interest ...

  4. python logging模块学习(转)

    前言 日志是非常重要的,最近有接触到这个,所以系统的看一下Python这个模块的用法.本文即为Logging模块的用法简介,主要参考文章为Python官方文档,链接见参考列表. 另外,Python的H ...

  5. Python time模块学习

    Python time模块提供了一些用于管理时间和日期的C库函数,由于它绑定到底层C实现,因此一些细节会基于具体的平台. 一.壁挂钟时间 1.time() time模块的核心函数time(),它返回纪 ...

  6. python os模块学习

    一.os模块概述 Python os模块包含普遍的操作系统功能.如果你希望你的程序能够与平台无关的话,这个模块是尤为重要的. 二.常用方法 1.os.name 输出字符串指示正在使用的平台.如果是wi ...

  7. python atexit模块学习

    python atexit模块 只定义了一个register模块用于注册程序退出时的回调函数,我们可以在这个函数中做一下资源清理的操作 注:如果程序是非正常crash,或者通过os._exit()退出 ...

  8. Python 第二模块学习总结

    学习总结: 1.掌握对装饰器的用法 2.掌握生成器的用法 3.掌握迭代器的用法 4.熟悉Python内置函数 5.熟悉Python shutil/shelve/configparse/hashlib/ ...

  9. Python requests模块学习笔记

    目录 Requests模块说明 Requests模块安装 Requests模块简单入门 Requests示例 参考文档   1.Requests模块说明 Requests 是使用 Apache2 Li ...

随机推荐

  1. jq from表单 取值

    //获取表单参数 var DataDeal = { formToJson: function (id) { var data=$(id).serialize();//获取值 data = decode ...

  2. 【转】Jmeter入门:如何建立和使用Jmeter测试环境

    一.工具描述 apache jmeter是100%的java桌面应用程序,它被设计用来加载被测试软件功能特性.度量被测试软件的性能.设计jmeter的初衷是测试web应用, 后来又扩充了其它的功能.j ...

  3. 20165226 实验三 敏捷开发与XP实践

    实验三 敏捷开发与XP实践 实验目的 一.安装alibaba 插件,解决代码中的规范问题.在IDEA中使用工具(Code->Reformate Code)格式化代码,研究一下Code菜单,比较功 ...

  4. Java 判断某一天是这一年的第几天

    package Day8_06; import java.util.*; public class ClassTest { public static void main(String[] args) ...

  5. .NET System.Web.HttpContext.Current.Request报索引超出数组界限。

    移动端使用Dio发送 FormData, 请求类型 multipart/form-data, FormData内可以一个或多个包含文件时. 请求接口时获取上传的fomdata数据使用 System.W ...

  6. 【BZOJ】2809: [Apio2012]dispatching(左偏树)

    题目 传送门:QWQ 分析 显然是一个资瓷合并的堆 现学了一发左偏树:教程 然后就没了 代码 #include <bits/stdc++.h> #define lc son[x][0] # ...

  7. ghostscript 远程命令执行漏洞复现

    影响的版本 <= 9.23(全版本.全平台) Ubuntu 开启 ghostscript sch01ar@ubuntu:~$ gs -q -sDEVICE=ppmraw -dSAFER -s0u ...

  8. CentOS7.6安装PM2(Npm方式全局安装)

    安装前提: 1. node环境 2. npm 安装开始: 第一步:全局安装,npm install -g pm2 第二步: 保存当前进程状态,pm2 save 第三步: 生成开机自启动服务,pm2 s ...

  9. Form Data 和 Request Payload 区别

    Form Data 和 Request Payload 区别 如果请求头里设置Content-Type: application/x-www-form-urlencoded,那么这个请求被认为是表单请 ...

  10. python学习——练习题(11)

    """ 题目:古典问题:有一对兔子,从出生后第3个月起每个月都生一对兔子,小兔子长到第三个月后每个月又生一对兔子,假如兔子都不死,问每个月的兔子总数为多少? 1 1 2 ...