- random模块中函数
- 随机生成验证码(由数字和字母组成)
一,random模块中的函数
random()函数,从[0,1)中随机生成一个浮点数,然后作为返回值。
def random() -> float
random() -> x in the interval [0, 1).
randint()函数,从[a,b]中随机生成一个整数,包括a,b。返回值为一个整数。
def randint(a: int,b: int) -> int
Return random integer in range [a, b], including both end points.
randrange()函数,从[start,stop)中随机生成一个整数,返回值为一个整数。
def randrange(start: int,stop: int | None = None,step: int = 1) -> int
Choose a random item from range(stop) or range(start, stop[, step]).
choice()函数,从一个非空序列中随机选取一个值,作为返回值返回。非空序列可以是列表,元组。不可以是字典,传字典的化会报错。
def choice(seq: SupportsLenAndGetItem[_T@choice]) -> _T@choice
Choose a random element from a non-empty sequence.
sample()函数,随机从非空序列中选择k个值,将k个值放在一个列表中,然后返回这个列表。
def sample(population: Sequence[_T@sample], k: int, *,counts: Iterable[int] | None = None
) -> list[_T@sample]
Chooses k unique random elements from a population sequence.
uniform()函数,从(a,b)中随机生成一个浮点数作为返回值返回。
def uniform(a: float,b: float) -> float
Get a random number in the range [a, b) or [a, b] depending on rounding.
shuffle() 函数,对一个列表X中的元素进行随机打乱"洗牌",但是没有返回值。
shuffle(x: MutableSequence[Any]) -> None
Shuffle list x in place, and return None.
基本上random模块中通用的函数是讲完了,当然还有好奇心的话就自己慢慢的敲出来看看返回值是什么,个人认为敲出来,然后看结果才能留下印象。
下面上代码:
import randomprint(random.random()) # 随机生成(0~1)的浮点数print(random.randint(1,10)) # 随机生成[1,10] 范围内的整数
print(random.randrange(1,10)) # 随机生成[1,10) 范围内的整数
print(random.choice(['111','abcd',['666','zhangsan']])) # 从一个非空序列中选择一个值 返回值为字符串print(random.sample(['111','abcd',['666','zhangsan']],2)) # 从非空序列中选择k个值,然后返回一个列表print(random.uniform(1,3)) # 在(1,3)中返回一个随机的浮点数
item = ['111','abcd',['666','zhangsan']]
random.shuffle(item)
print(item) # 对item 序列进行打乱"洗牌"
0.3362076517821051
3
7
abcd
['abcd', ['666', 'zhangsan']]
1.224731057539452
['111', 'abcd', ['666', 'zhangsan']]
请按任意键继续. . .
二,随机生成验证码实例
随机生成验证码应该存在三步:1,随机生成一个0~9的数字;2,随机生成一个大写的英文字母;3,将随机生成的数字或者字母拼接在一起然后返回。
随机生成的数字 = random.rangint(0,9)
随机生成的字母 = chr(random.randrange(65,91)
通过choic()函数,随机从生成的数字和字母中的选择一个作为拼接的字符串。循环几次的话就可以拼接一个随机生成的验证码了
那么讲解完了就上代码吧
def mark_code(size = 5):res = ''for long in range(size):number = str(random.randint(0,9)) # 随机生成[0,9]之间的整数character = chr(random.randrange(65,91))s = random.choice([number,character])res += sreturn resmark = mark_code()
print(mark)
E9B8N
请按任意键继续. . .