英文:
Java Random Percentage Chance
问题
import java.util.Random;
public class Main {
public static void main(String[] args) {
int a = new Random().nextInt(10);
if (a >= 6) {
// 60% 的机会
System.out.println(a);
System.out.println("你获得了被动能力");
} else if (a >= 3) {
// 30% 的机会
System.out.println(a);
System.out.println("你获得了主动能力");
} else if (a >= 1) {
// 10% 的机会
System.out.println(a);
System.out.println("你获得了终极能力");
} else {
// 小于 10% 的机会(可能)
System.out.println(a);
System.out.println("你被赋予了所有能力。");
}
}
}
英文:
Someone can u help me to show how to make a probability / chance with percentage ?
import java.util.Random;
public class Main {
public static void main(String[] args) {
int a = new Random().nextInt(10);
if (a >= 6) {
// 60% chance
System.out.println(a);
System.out.println("You got a passive power");
} else if (a >= 3) {
// 30% chance
System.out.println(a);
System.out.println("You got an active power");
} else if (a >= 1) {
// 10% chance
System.out.println(a);
System.out.println("You got an ultimate power");
} else {
// <10% chance (maybe)
System.out.println(a);
System.out.println("You blessed with all powers.");
}
}
}
Is my program correct ?
Ty
答案1
得分: 4
不,你的程序不正确。
当你调用 nextInt(10)
时,你会得到一个范围在 0 到 9(包括0和9)之间的数字。然后你将其分割成你想要的概率范围,而不重用一个数字:
0 1 2 3 4 5 6 7 8 9
└──────────────┘ └─────┘ ╵
6 / 10 = 60% 30% 10%
这意味着代码应该是:
int a = new Random().nextInt(10);
if (a < 6) {
// 60% 的概率
} else if (a < 9) {
// 30% 的概率
} else {
// 10% 的概率
}
或者你可以采取另一种方式:
// 0 1 2 3 4 5 6 7 8 9
// ╵ └─────┘ └──────────────┘
// 10% 30% 60%
int a = new Random().nextInt(10);
if (a >= 4) {
// 60% 的概率
} else if (a >= 1) {
// 30% 的概率
} else {
// 10% 的概率
}
英文:
No, your program is not correct.
When you call nextInt(10)
, you get a number in range 0 to 9, inclusive. You then segment that into the probability ranges you want, without reusing a number:
0 1 2 3 4 5 6 7 8 9
└──────────────┘ └─────┘ ╵
6 / 10 = 60% 30% 10%
Which means the code should be:
int a = new Random().nextInt(10);
if (a < 6) {
// 60% chance
} else if (a < 9) {
// 30% chance
} else {
// 10% chance
}
Or you could go the other way:
// 0 1 2 3 4 5 6 7 8 9
// ╵ └─────┘ └──────────────┘
// 10% 30% 60%
int a = new Random().nextInt(10);
if (a >= 4) {
// 60% chance
} else if (a >= 1) {
// 30% chance
} else {
// 10% chance
}
通过集体智慧和协作来改善编程学习和解决问题的方式。致力于成为全球开发者共同参与的知识库,让每个人都能够通过互相帮助和分享经验来进步。
评论