1

如何使用Java 类生成6位整数?SecureRandom

我正在尝试以下代码来生成随机数:

SecureRandom secureRandom = new SecureRandom();
int secureNumber = secureRandom.nextInt();

它正在生成任何长度的随机数,包括负数。我在课堂上找不到任何方法SecureRandom来提供一系列数字。我想生成一个6位数的随机数

4

5 回答 5

2

简单地用一个数组完成

int[] arr = new int[6];
Random rand = new SecureRandom();
for(int i= 0; i< 6 ; i++){
    // 0 to 9
    arr[i] = rand.nextInt(10);   
}

不知道你是否需要其他类型(如果你想要 int 看这里:How to convert int array to int?

于 2017-07-21T21:03:22.290 回答
1

这将创建一个由6 个随机数字组成的字符串。

SecureRandom test = new SecureRandom();
int result = test.nextInt(1000000);
String resultStr = result + "";
if (resultStr.length() != 6) 
    for (int x = resultStr.length(); x < 6; x++) resultStr = "0" + resultStr;
System.out.println(resultStr); // prints the 6 digit number

应该工作得很好。经过测试,当最初选择的随机数小于100,000时,它会吐出1000 个数字,所有数字都是6位数,包括前导零。

于 2017-07-21T21:03:42.303 回答
1

你可以这样做:

static String generate(int len){
   SecureRandom sr = new SecureRandom();
   String result = (sr.nextInt(9)+1) +"";
   for(int i=0; i<len-2; i++) result += sr.nextInt(10);
   result += (sr.nextInt(9)+1);
   return result;
}

测试:

public static void main(String[] argv){
   for(int i=3; i<25; i++) System.out.println(generate(i));
}

输出:

639
1617
84489
440757
9982141
28220183
734679206
1501896787
29547455245
417101844095
9997440470982
24273208689568
235051176494856
9515304245005008
73519153118911442
665598930463570609
9030671114119582966
96572353350467673335
450430466373510518561
9664395407658562145827
26651025927755496179441
421157180102739403860678
于 2017-07-21T22:31:20.030 回答
0

这对我有用。

new SecureRandom().nextBytes(values);
int number = Math.abs(ByteBuffer.wrap(values).getInt());
while (number >= 1000000) {
     number /= 10;
}
于 2017-07-23T01:52:34.630 回答
0

这就是使用 Java IntStream 的方式

private final SecureRandom secureRandom = new SecureRandom();

public String generateCode() {
    return IntStream.iterate(0, i -> secureRandom.nextInt(10))
            .limit(6)
            .collect(StringBuilder::new, StringBuilder::append, StringBuilder::append).toString();
}
于 2021-11-16T23:43:06.230 回答