c语言生成1000 9999随机数,python生成四位随机数

有些时候需要发送短信给用户生成四位随机数字,这里在python中我们可以根据python自带的标准库random和string来实现。

random下有三个可以随机取数的函数,分别是choice,choices,sample

# random.choice

def choice(self, seq):

"""Choose a random element from a non-empty sequence."""

try:

i = self._randbelow(len(seq))

except ValueError:

raise IndexError('Cannot choose from an empty sequence') from None

return seq[i]

# random.choices

def choices(self, population, weights=None, *, cum_weights=None, k=1):

"""Return a k sized list of population elements chosen with replacement.

If the relative weights or cumulative weights are not specified,

the selections are made with equal probability.

"""

random = self.random

if cum_weights is None:

if weights is None:

_int = int

total = len(population)

return [population[_int(random() * total)] for i in range(k)]

cum_weights = list(_itertools.accumulate(weights))

elif weights is not None:

raise TypeError('Cannot specify both weights and cumulative weights')

if len(cum_weights) != len(population):

raise ValueError('The number of weights does not match the population')

bisect = _bisect.bisect

total = cum_weights[-1]

hi = len(cum_weights) - 1

return [population[bisect(cum_weights, random() * total, 0, hi)]

for i in range(k)]

# random.sample

def sample(self, population, k):

"""Chooses k unique random elements from a population sequence or set.

Returns a new list containing elements from the population while

leaving the original population unchanged. The resulting list is

in selection order so that all sub-slices will also be valid random

samples. This allows raffle winners (the sample) to be partitioned

into grand prize and second place winners (the subslices).

Members of the population need not be hashable or unique. If the

population contains repeats, then each occurrence is a possible

selection in the sample.

To choose a sample in a range of integers, use range as an argument.

This is especially fast and space efficient for sampling from a

large population: sample(range(10000000), 60)

"""

# Sampling without replacement entails tracking either potential

# selections (the pool) in a list or previous selections in a set.

# When the number of selections is small compared to the

# population, then tracking selections is efficient, requiring

# only a small set and an occasional reselection. For

# a larger number of selections, the pool tracking method is

# preferred since the list takes less space than the

# set and it doesn't suffer from frequent reselections.

if isinstance(population, _Set):

population = tuple(population)

if not isinstance(population, _Sequence):

raise TypeError("Population must be a sequence or set. For dicts, use list(d).")

randbelow = self._randbelow

n = len(population)

if not 0 <= k <= n:

raise ValueError("Sample larger than population or is negative")

result = [None] * k

setsize = 21 # size of a small set minus size of an empty list

if k > 5:

setsize += 4 ** _ceil(_log(k * 3, 4)) # table size for big sets

if n <= setsize:

# An n-length list is smaller than a k-length set

pool = list(population)

for i in range(k): # invariant: non-selected at [0,n-i)

j = randbelow(n-i)

result[i] = pool[j]

pool[j] = pool[n-i-1] # move non-selected item into vacancy

else:

selected = set()

selected_add = selected.add

for i in range(k):

j = randbelow(n)

while j in selected:

j = randbelow(n)

selected_add(j)

result[i] = population[j]

return result

从上面这三个函数看来,都可以在给定的一个数字集内随机产生四位数字。三种方法如下:

import string

import random

# 方法一

seeds = string.digits

random_str = []

for i in range(4):

random_str.append(random.choice(seeds))

print("".join(random_str))

# 方法二

seeds = string.digits

random_str = random.choices(seeds, k=4)

print("".join(random_str))

# 方法三

seeds = string.digits

random_str = random.sample(seeds, k=4)

print("".join(random_str))

说明一下:string.digits是一个定义好的数字字符串,就是从"0123456789"。

"""

whitespace -- a string containing all ASCII whitespace

ascii_lowercase -- a string containing all ASCII lowercase letters

ascii_uppercase -- a string containing all ASCII uppercase letters

ascii_letters -- a string containing all ASCII letters

digits -- a string containing all ASCII decimal digits

hexdigits -- a string containing all ASCII hexadecimal digits

octdigits -- a string containing all ASCII octal digits

punctuation -- a string containing all ASCII punctuation characters

printable -- a string containing all ASCII characters considered printable

"""

# Some strings for ctype-style character classification

whitespace = ' \t\n\r\v\f'

ascii_lowercase = 'abcdefghijklmnopqrstuvwxyz'

ascii_uppercase = 'ABCDEFGHIJKLMNOPQRSTUVWXYZ'

ascii_letters = ascii_lowercase + ascii_uppercase

digits = ''

hexdigits = digits + 'abcdef' + 'ABCDEF'

octdigits = ''

punctuation = r"""!"#$%&'()*+,-./:;<=>?@[\]^_`{|}~"""

printable = digits + ascii_letters + punctuation + whitespace

上述三种方式虽说都可以生成随机数,但是choice和choices随机取得数字是可重复的,而sample方法的随机数是不会重复的。这个是他们之间的区别之一。

生成四位随机数的PHP代码

纯数字的四位随机数 rand(1000,9999) 数字和字符混搭的四位随机字符串: function GetRandStr($len) { $chars = array( "a" ...

js生成四位随机数的简便方法

do out = Math.floor(Math.random()*10000); while( out < 1000 ) alert( out );

java生成四位随机数,包含数字和字母 区分大小写,特别适合做验证码,android开发

private String generateWord() { String[] beforeShuffle = new String[] { "2", "3" ...

【python】【转】Python生成随机数的方法

如果你对在Python生成随机数与random模块中最常用的几个函数的关系与不懂之处,下面的文章就是对Python生成随机数与random模块中最常用的几个函数的关系,希望你会有所收获,以下就是这篇文 ...

Python生成随机数的方法

这篇文章主要介绍了Python生成随机数的方法,有需要的朋友可以参考一下 如果你对在Python生成随机数与random模块中最常用的几个函数的关系与不懂之处,下面的文章就是对Python生成随机数与 ...

python生成随机数、随机字符串

python生成随机数.随机字符串 import randomimport string # 随机整数:print random.randint(1,50) # 随机选取0到100间的偶数:print ...

&lbrack; Python入门教程 &rsqb; Python生成随机数模块&lpar;random&rpar;使用方法

1.使用randint(a,b)生成指定范围内的随机整数.randint(a,b)表示从序列range([a,b])中获取一个随机数,包括b. >>> random.randint( ...

Python下探究随机数的产生原理和算法

资源下载 #本文PDF版下载 Python下探究随机数的产生原理和算法(或者单击我博客园右上角的github小标,找到lab102的W7目录下即可) #本文代码下载 几种随机数算法集合(和下文出现过的 ...

利用Python生成随机密码

#coding:utf-8 #利用python生成一个随机10位的字符串 import string import random import re list = list(string.lowerc ...

随机推荐

redis中setbit的用法

  • 0
    点赞
  • 0
    收藏
    觉得还不错? 一键收藏
  • 0
    评论

“相关推荐”对你有帮助么?

  • 非常没帮助
  • 没帮助
  • 一般
  • 有帮助
  • 非常有帮助
提交
评论
添加红包

请填写红包祝福语或标题

红包个数最小为10个

红包金额最低5元

当前余额3.43前往充值 >
需支付:10.00
成就一亿技术人!
领取后你会自动成为博主和红包主的粉丝 规则
hope_wisdom
发出的红包
实付
使用余额支付
点击重新获取
扫码支付
钱包余额 0

抵扣说明:

1.余额是钱包充值的虚拟货币,按照1:1的比例进行支付金额的抵扣。
2.余额无法直接购买下载,可以购买VIP、付费专栏及课程。

余额充值