Random概述和使用

  1. package com.demo02;
  2. import java.util.Random;
  3. /*
  4. Random类用来生成随机数字,使用起来也是三个步骤:
  5. 1.导包
  6. import java.util.Random
  7. 2.创建
  8. Random r=new Random(); //小括号当中留空即可
  9. 3.使用
  10. 获取一个随机的int数字,int所有范围(正负两种);int num = r.nextInt();
  11. 获取一个随机的int数字,int所有范围(参数代表了范围,左闭右开区间);int num = r.nextInt(3);
  12. 实际上代表含义:[0-3), 0,1,2
  13. */
  14. public class Demo01Random {
  15. public static void main(String[] args) {
  16. Random r=new Random();
  17. //r.nextInt()
  18. int num = r.nextInt();
  19. System.out.println(num);
  20. //r.nextInt(int n)
  21. for (int i=0;i<100;i++){
  22. int ran=r.nextInt(10); //范围实际上是0-9
  23. System.out.println(ran);
  24. }
  25. }
  26. }

练习

题目一:根据int变量n的值来获取随机数字,范围是[1-n],可以取到1也可以取到n

  1. package com.demo02;
  2. import java.util.Random;
  3. import java.util.Scanner;
  4. public class Demo03Random {
  5. public static void main(String[] args) {
  6. Scanner sc = new Scanner(System.in);
  7. System.out.println("请输入一个数字作为随机范围:");
  8. int n = sc.nextInt();
  9. Random r = new Random();
  10. int num =r.nextInt(n)+1; //范围是[1-n] 需要整体加一
  11. System.out.println("随机数字是:"+num);
  12. }
  13. }

题目二:用代码模拟猜数字的小游戏

  1. package com.demo02;
  2. import java.util.Random;
  3. import java.util.Scanner;
  4. public class Demo04Random {
  5. public static void main(String[] args) {
  6. Random r =new Random();
  7. int num1=r.nextInt(100);
  8. Scanner sc = new Scanner(System.in);
  9. while (true){
  10. System.out.println("请输入猜测的数字:");
  11. int num2=sc.nextInt();
  12. if (num2>num1){
  13. System.out.println("你的猜测大于实际数字,请重试");
  14. }else if(num2<num1){
  15. System.out.println("你的猜测小于实际数字,请重试");
  16. }else{
  17. System.out.println("恭喜你猜对了");
  18. break;
  19. }
  20. }
  21. System.out.println("游戏结束");
  22. }
  23. }