How to resolve the algorithm Monte Carlo methods step by step in the Fantom programming language
How to resolve the algorithm Monte Carlo methods step by step in the Fantom programming language
Table of Contents
Problem Statement
A Monte Carlo Simulation is a way of approximating the value of a function where calculating the actual value is difficult or impossible. It uses random sampling to define constraints on the value and then makes a sort of "best guess." A simple Monte Carlo Simulation can be used to calculate the value for
π
{\displaystyle \pi }
. If you had a circle and a square where the length of a side of the square was the same as the diameter of the circle, the ratio of the area of the circle to the area of the square would be
π
/
4
{\displaystyle \pi /4}
. So, if you put this circle inside the square and select many random points inside the square, the number of points inside the circle divided by the number of points inside the square and the circle would be approximately
π
/
4
{\displaystyle \pi /4}
.
Write a function to run a simulation like this, with a variable number of random points to select. Also, show the results of a few different sample sizes. For software where the number
π
{\displaystyle \pi }
is not built-in, we give
π
{\displaystyle \pi }
as a number of digits:
Let's start with the solution:
Step by Step solution about How to resolve the algorithm Monte Carlo methods step by step in the Fantom programming language
Source code in the fantom programming language
class MontyCarlo
{
// assume square/circle of width 1 unit
static Float findPi (Int samples)
{
Int insideCircle := 0
samples.times
{
x := Float.random
y := Float.random
if ((x*x + y*y).sqrt <= 1.0f) insideCircle += 1
}
return insideCircle * 4.0f / samples
}
public static Void main ()
{
[100, 1000, 10000, 1000000, 10000000].each |sample|
{
echo ("Sample size $sample gives PI as ${findPi(sample)}")
}
}
}
You may also check:How to resolve the algorithm Rename a file step by step in the Scheme programming language
You may also check:How to resolve the algorithm Truncate a file step by step in the Tcl programming language
You may also check:How to resolve the algorithm Safe addition step by step in the Ada programming language
You may also check:How to resolve the algorithm Sorting algorithms/Quicksort step by step in the MUMPS programming language
You may also check:How to resolve the algorithm Greatest element of a list step by step in the C++ programming language