前两篇我们讲讲那些常用的数学处理函数, 我们接着展示一下随机数相关的函数!
随机数
做程序,有时候我们需要随机数。 比如在抽奖或者随机抽样进行数据分析的时候,随机函数就很重要了。
相应的python提供了内置的random库,它给了开发者丰富的选择
这里我们可以分为下面几个类:
随机生成毫无规律的随机数(比如函数random)
给定范围或者值域内选取数值来作为随机数(比如函数choice, uniform)
使用一个随机算法来生成随机数(比如seed与random结合的随机数生成)
代码展示
学委准备了下面4个循环,展示了上述几种随机数生成的过程。
可以直接复制保存为randnumber.py 来运行:
#!/usr/bin/env python # -*- coding: utf-8 -*- # @Time : 2021/10/26 10:29 下午 # @Author : LeiXueWei # @CSDN/Juejin/Wechat: 雷学委 # @XueWeiTag: CodingDemo # @File : randnumber.py # @Project : hello from random import choice, randrange, seed, random, uniform for i in range(5): print("round [%s] get a choice : %s" % (i, choice([1, 2, 3, 4, 5]))) # 给定参数list内选择随机一个 print("*" * 16) for i in range(5): print( "round [%s] randrange value %s" % (i, randrange(1, 10, 3))) # 生成随机范围内数字,这里为1到10内取数字,步长为3,也就是类似与choice([1,4,7]) print("*" * 16) for i in range(2): print("round [%s] seed value %s" % (i, seed(i))) # seed 函数不产生任何结果,seed函数影响随机函数 print("rand value %s " % random()) print("rand value %s " % random()) print("round [%s] seed value %s" % (i, seed(f"hello{i}"))) # seed 函数不产生任何结果,seed函数影响随机函数 print("next rand value %s " % random()) print("*" * 16) for i in range(2): print("round [%s] uniform %s" % (i, uniform(2, 10))) # 生成2 到10内的随机数(浮点数)
下面是运行效果:
指定范围内一个一个依次取值,还有其他选择吗?
这个过程类似洗牌,我们除了可以用choice函数来做到。也可以使用shuffle函数。
它的参数也是一个list类型。非常简单,我们看看代码:
#!/usr/bin/env python # -*- coding: utf-8 -*- # @Time : 2021/10/26 10:29 下午 # @Author : LeiXueWei # @CSDN/Juejin/Wechat: 雷学委 # @XueWeiTag: CodingDemo # @File : randnumber2.py # @Project : hello from random import shuffle print("*" * 16) for i in range(2): list = [1, 2, 3, 4, 5] print("round [%s] shuffle value %s" % (i, shuffle(list))) # 随机洗牌函数,像我们打扑克,打完一句进行洗牌 print("list = %s" % list)
下面是运行效果,我们进行了两次洗牌,每次结果不一样(因为出现一样的概率非常低)。