python里面的一些小记(方便自己查询)
python相当方便,有问题可以直接查Doc,但是Doc略有繁琐,所以在词记下常用的一些技巧以及bug解决方案^_^
判断字符串的一些东西
当然下面的判断完全可以自己使用正则表达式来些,但是有一句话是
杀鸡焉用牛刀
,下面的api使用起来就会非常便捷
s
为字符串
s.isalnum()
所有字符都是数字或者字母s.isalpha()
所有字符都是字母s.isdigit()
所有字符都是数字s.islower()
所有字符都是小写s.isupper()
所有字符都是大写s.istitle()
所有单词都是首字母大写,像标题s.isspace()
所有字符都是空白字符、\t
、\n
、\r
自带的排序函数
python
中有两种排序方式:
list.sort(func=None, key=None, reverse=False)
:这种排序会改变list
自身的数据sorted(list,func=None, key=None, reverse=False)
:这种会重新生成一个新的list
最简单的栗子:1
2
3list=[1,3,4,2,4,7]
list.sort()
print list
会输出
[1, 2, 3, 4, 4, 7]
反向排序1
2
3list=[1,3,4,2,4,7]
list.sort(reverse=True)
print list
会输出
[7, 4, 4, 3, 2, 1]
对指定关键字进行排序:
list=[('a',100),('b',10),('c',50),('d',1000),('e',3)]
list.sort(key=lambda x:x[1])
print list
可以看到结果:
[('e', 3), ('b', 10), ('c', 50), ('a', 100), ('d', 1000)]
若不指定,貌似是按第一个关键词排序
还有两种方式均可以完成指定关键词方式:
1 | list.sort(lambda x,y:cmp(x[1],y[1])) |
1 | import operator |
按多关键字排序1
2
3list=[('a',100),('b',10),('c',100),('d',1000),('e',100)]
list.sort(key=lambda x:(x[1],x[0]))
print list
1 | import operator |
[('b', 10), ('a', 100), ('c', 100), ('e', 100), ('d', 1000)]
sorted
传参一样,只是会返回一个新的实例而已
异常处理
语法结构1
2
3
4
5
6try:
block
except [Exception as e]:
do...
finally:
do...
for Example:1
2
3
4
5
6
7try:
1/0
except Exception as e:
print 'err'
raise e
finally:
print 'end'
动态载入库
有时候需要载入的库是动态的,类似Java的反射
const_en.py
1
name="xiaoming"
const_ch.py
1
2
3#! -*- coding=utf-8 -*-
name="小明"
test.py
1
2
3
4
5
6
7
8#! -*- coding=utf-8 -*-
import sys
const = __import__('const_en')
print const.name
const = __import__('const_ch')
print const.name
可以看到输出结果:
xiaoming
小明
参数中*和**的使用
在Python
函数的入参列表中经常会看到*和**,他们其实并不是代表指针或者引擎,其中*
表示传递任意个无名字参数,放置在一个元组中,比如1
2
3
4
5def array_para_test(a,b,*c):
print a,b
print c
array_para_test(1,2,3,4,5)
它的最终输出将会是
1 2
(3, 4, 5)
**
表示任意个有名字的参数,用于存放在字典中进行访问,比如1
2
3
4
5def dict_para_test(a,b,**c):
print a,b
print c
dict_para_test(1,2,name="tome",age=23)
他的最终输出是
1 2
{'age': 23, 'name': 'tome'}