-
Notifications
You must be signed in to change notification settings - Fork 2
/
Lezione5.java
65 lines (57 loc) · 2.66 KB
/
Lezione5.java
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
package esempi;
import java.util.Random;
public class Lezione5 {
public static void main(String[] args) {
// Metodo ricorsivo
System.out.println("---- METODI RICORSIVI ----");
int n = 5;
System.out.println("Chiamata ricorsiva: fattorialeRicorsivo(" + n + ")");
int nFattoriale = fattorialeRicorsivo(n);
System.out.println("Fattoriale di " + n + ": " + nFattoriale);
// Valori randomici
// Math.random()
System.out.println("---- VALORI RANDOMICI ----");
System.out.println("---- MATH.RANDOM() ----");
double doubleRandom = Math.random();
boolean boolRandom = (doubleRandom > 0.5);
System.out.println("Numero double randomico: " + doubleRandom);
doubleRandom *= 50;
System.out.println("Numero double randomico: " + doubleRandom);
int intRandom = (int) doubleRandom;
System.out.println("Numero int randomico: " + intRandom);
System.out.println("Valore booleano randomico: " + boolRandom);
// Classe Random
System.out.println("---- CLASSE RANDOM ----");
Random rand = new Random();
double doubleRandomNew = rand.nextDouble();
int intRandomNew = rand.nextInt(50);
boolean boolRandomNew = rand.nextBoolean();
System.out.println("Numero double randomico: " + doubleRandomNew);
System.out.println("Numero int randomico: " + intRandomNew);
System.out.println("Valore booleano randomico: " + boolRandomNew);
// Valori randomici in intervallo [min, max]
int min = 34;
int max = 41;
int randomValueInRange = min + rand.nextInt(max - min + 1);
System.out.println("Temperatura corporea randomica: " + randomValueInRange);
// Valori randomici con distribuzione gaussiana
int gaussianRandomInt = (int) (37 + rand.nextGaussian());
System.out.println("Temperatura corporea con distribuzione Gaussiana: " + gaussianRandomInt);
// Seed di Random
Random randBySeed = new Random(42);
int randomValue1 = randBySeed.nextInt();
int randomValue2 = randBySeed.nextInt();
System.out.println("Valore randomico 1 da Random partendo da seed 42: " + randomValue1);
System.out.println("Valore randomico 2 da Random partendo da seed 42: " + randomValue2);
}
public static int fattorialeRicorsivo(int n) {
// Caso base
if (n == 0) {
System.out.println("Caso base: return 1");
return 1;
}
// Chiamata ricorsiva
System.out.println("Chiamata ricorsiva: fattorialeRicorsivo(" + (n - 1) + ")");
return n * fattorialeRicorsivo(n - 1);
}
}