forked from algorithmzuo/algorithm-primary
-
Notifications
You must be signed in to change notification settings - Fork 0
Expand file tree
/
Copy pathCode03_EqualProbabilityRandom.java
More file actions
67 lines (55 loc) · 1.37 KB
/
Code03_EqualProbabilityRandom.java
File metadata and controls
67 lines (55 loc) · 1.37 KB
1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
26
27
28
29
30
31
32
33
34
35
36
37
38
39
40
41
42
43
44
45
46
47
48
49
50
51
52
53
54
55
56
57
58
59
60
61
62
63
64
65
66
67
package class02;
public class Code03_EqualProbabilityRandom {
// 内部内容不可见
public static int f() {
return Math.random() < 0.8 ? 0 : 1;
}
// 等概率返回0和1
public static int g() {
int first = 0;
do {
first = f(); // 0 1
} while (first == f());
return first;
}
// 这个结构是唯一的随机机制
// 你只能初始化并使用,不可修改
public static class RandomBox {
private final double p;
// 初始化时请一定满足:0 < zeroP < 1
public RandomBox(double zeroP) {
p = zeroP;
}
public int random() {
return Math.random() < p ? 0 : 1;
}
}
// 底层依赖一个以p概率返回0,以1-p概率返回1的随机函数rand01p
// 如何加工出等概率返回0和1的函数
public static int rand01(RandomBox randomBox) {
int num;
do {
num = randomBox.random();
} while (num == randomBox.random());
return num;
}
public static void main(String[] args) {
int[] count = new int[2];// 0 1
for (int i = 0; i < 1000000; i++) {
int ans = g();
count[ans]++;
}
System.out.println(count[0] + " , " + count[1]);
// double zeroP = 0.88;
// RandomBox randomBox = new RandomBox(zeroP);
//
// int testTime = 10000000;
// int count = 0;
// for (int i = 0; i < testTime; i++) {
// if (rand01(randomBox) == 0) {
// count++;
// }
// }
// System.out.println((double) count / (double) testTime);
}
}