-
Notifications
You must be signed in to change notification settings - Fork 0
/
Copy pathBayesianInferenceSimulation.java
51 lines (41 loc) · 2.3 KB
/
BayesianInferenceSimulation.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
public class BayesianInferenceSimulation {
public static void main(String[] args) {
// Prior probabilities
double pW = 0.5; // Prior probability of grass being wet
double pR = 0.2; // Prior probability of rain
double pS = 0.3; // Prior probability of sprinkler
// Conditional probabilities
double pWGivenR = 0.9; // P(W|R): Probability of wet grass given rain
double pWGivenNR = 0.2; // P(W|¬R): Probability of wet grass given no rain
double pWGivenS = 0.8; // P(W|S): Probability of wet grass given sprinkler
double pWGivenNS = 0.1; // P(W|¬S): Probability of wet grass given no sprinkler
// Observation: It rained and the sprinkler was on
boolean r = true;
boolean s = true;
// Update beliefs using Bayesian inference
double pWPosterior = calculatePosteriorProbability(pW, pR, pS,
pWGivenR, pWGivenNR, pWGivenS, pWGivenNS,
r, s);
// Output the final posterior probability
System.out.println("Final posterior probability of grass being wet: " + pWPosterior);
}
// Function to calculate the posterior probability using Bayesian inference
private static double calculatePosteriorProbability(double pW, double pR, double pS,
double pWGivenR, double pWGivenNR, double pWGivenS, double pWGivenNS,
boolean r, boolean s) {
// Calculate the joint probability of wet grass, rain, and sprinkler
double jointP = pW * (r ? pR : (1 - pR)) * (s ? pS : (1 - pS));
// Calculate the marginal probability of rain and sprinkler
double marginalP = (r ? pR : (1 - pR)) * (s ? pS : (1 - pS));
// Calculate the conditional probability of wet grass given rain and sprinkler
@SuppressWarnings("unused")
double condP = (pWGivenR * pWGivenS);
// Calculate the conditional probability of wet grass given no rain and
// sprinkler
double condPNS = (pWGivenNR * pWGivenS);
// Calculate the posterior probability of wet grass using the joint and marginal
// probabilities
double pWPosterior = (jointP / marginalP) / ((jointP / marginalP) + (condPNS * (1 - jointP / marginalP)));
return pWPosterior;
}
}