Python标准库中的random函数,可以生成随机浮点数、整数、字符串,甚至帮助你随机选择列表序列中的一个元素,打乱一组数据等。
import random
a = random.choice([1, 2, 3, 4])
print(a)
1. random.random()函数是这个模块中最常用的方法了,它会生成一个随机的浮点数,范围是在0.0~1.0之间。
2. random.uniform()正好弥补了上面函数的不足,它可以设定浮点数的范围,一个是上限,一个是下限。
3. random.randint()随机生一个整数int类型,可以指定这个整数的范围,同样有上限和下限值。
4. random.choice()可以从任何序列,比如list列表中,选取一个随机的元素返回,可以用于字符串、列表、元组等。
5. random.shuffle()如果你想将一个序列中的元素,随机打乱的话可以用这个函数方法。
6. random.sample()可以从指定的序列中,随机的截取指定长度的片断,不作原地修改。
1 import random
2
3 print(random.random()) #[0,1)----float 大于等于0且小于1之间的小数
4
5 print(random.randint(1,3)) #[1,3] 大于等于1且小于等于3之间的整数
6
7 print(random.randrange(1,3)) #[1,3) 大于等于1且小于3之间的整数(左开右闭)可指定步长
8
9 print(random.choice([1,'23',[4,5]])) #1或者23或者[4,5]
10
11 print(random.sample([1,'23',[4,5]],2)) #列表元素任意2个组合
12
13 print(random.uniform(1,3)) #大于等于1小于等于3的小数,如1.927109612082716
14
15
16 item=[1,3,5,7,9]
17 random.shuffle(item) #打乱item的顺序,相当于"洗牌"
18 print(item)
random.random() # 0.9752905638627016
random.uniform(1, 10) # 3.8365190920120598
random.randint(10, 100) # 15
# 随机选取0到100间的偶数:
import random
random.randrange(0, 101, 2) # 56
random.choice('abcdefg%^*f') #随机字符
'd'
random.choice ( ['apple', 'pear', 'peach', 'orange', 'lemon'] ) #随机选取字符串:
'lemon'
p = ["Python", "is", "powerful", "simple", "and so on..."]
random.shuffle(p)
print p
#结果(因为随机,所以你的结果可能不一样。)
#['powerful', 'simple', 'is', 'Python', 'and so on...']
p = ["Python", "is", "powerful", "simple", "and so on..."]
print(random.sample([111, 'aaa', 'ccc','ddd'],2)) # 列表元素任意2个组合 # ['ccc', 'ddd']
print(random.choices(['1',2,'abc','c'], k=2)) # [2, 'abc']
方式一、生成指定位的数字验证码
def get_code(size=4): # size为验证码长度
s = '9'
for i in range(size-1):
s += '9'
s = f'%0{size}d' % random.randint(0, int(s))
return s
code = get_code(6)
print(code)
方式二
import string
def get_code(size=4): # size为验证码长度
code = random.sample(string.hexdigits, k=size)
return ''.join(code)
code = get_code(6)
print(code) # 3fAd7b
方式三
def make_code(size=4):
res = ''
for i in range(size):
s1 = chr(random.randint(65, 90)) # ord('A') ==65, chr(65)=='A'
s2 = str(random.randint(0, 9))
s3 = chr(random.randint(97, 122)) # ord('a') == 97
res += random.choice([s1, s2, s3])
return res
print(make_code(6)) # V3Mlcg