Click here to Skip to main content
15,860,972 members
Articles / Programming Languages / C#
Article

.NET random number generators and distributions

Rate me:
Please Sign up or sign in to vote.
4.89/5 (118 votes)
29 May 200720 min read 413.7K   29.1K   235   88
Presents a fully managed class library providing various random number generators and distributions

Contents

Introduction

The idea for this article was born 2004 when I was working on my bachelor thesis, which included the implementation of a simulation and test environment for a flow control algorithm. For various reasons, I chose to implement it as a managed application developed with C#. The only time I regretted this choice was when I started implementing the simulation of data traffic, which requires distributed random variables. Unfortunately, I couldn't find any free-available managed implementations of random number distributions in either the .NET Framework Class Library or any other resource. So, I implemented the needed random number distributions myself. Since then, I've had the idea to create a class library on the basis of these few implementations and publish it here on CodeProject, but I've never really had the time to realize it. Until now.

Random class library

The Random Class Library contains abstract base classes for random number generators and random number distributions, as well as various concrete classes that are derived from both. Before I start to describe these classes, I have to mention that all algorithms which generate the (distributed) random numbers aren't my intellectual work, as I'm no brilliant mathematician. Thereforee this article, as well as the source code, contain references to the respective knowledge resources.

Random number generators

Abstract base class "Generator"

The Generator type declares common functionality for all random number generators. This includes the one provided by the System.Random type, plus some extensions. So, the class additionally declares two overloads for the NextDouble method, a NextBoolean method and the possibility to reset the random number generator. This can be very useful when using pseudo-random number generators. The following table lists all abstract members, together with a brief description.

Abstract MemberDescription
bool CanReset { get; } Gets a value indicating whether the random number generator can be reset, so that it produces the same random number sequence again.
bool Reset(); Resets the random number generator, so that it produces the same random number sequence again.
Returns true, if the random number generator was reset; otherwise, false.
int Next(); Returns a nonnegative random number less than Int32.MaxValue; that is, the range of return values includes 0 but not Int32.MaxValue.
int Next(<br />int maxValue); Returns a nonnegative random number less than the specified maximum; that is, the range of return values includes 0 but not maxValue.
maxValue must be greater than or equal to 0.
int Next(<br />int minValue,<br />int maxValue); Returns a random number within the specified range; that is, the range of return values includes minValue but not maxValue.
maxValue must be greater than or equal to minValue.
double NextDouble(); Returns a nonnegative floating point random number less than 1.0; that is, the range of return values includes 0.0 but not 1.0.
double NextDouble(<br />double maxValue); Returns a nonnegative floating point random number less than the specified maximum; that is, the range of return values includes 0.0 but not maxValue.
maxValue must be greater than or equal to 0.0.
double NextDouble(<br />double minValue,<br />double maxValue); Returns a floating point random number within the specified range; that is, the range of return values includes minValue but not maxValue.
maxValue must be greater than or equal to minValue. The distance between minValue and maxValue must be less than or equal to Double.MaxValue.
bool NextBoolean(); Returns a random Boolean value.
void NextBytes(<br />byte[] buffer); Fills the elements of a specified array of bytes with random numbers.
Each element of the array of bytes is set to a random number greater than or equal to 0, and less than or equal to Byte.MaxValue.

Classes derived from "Generator"

Currently, the library provides four classes derived from Generator. These are listed in the following table, together with a short description and links for further reading.

ImplementationCanResetDescription / Links
ALFGeneratortrueRepresents an Additive Lagged Fibonacci pseudo-random number generator with some additional Next methods.
This type is based upon the implementation in the Boost Random Number Library. It uses the modulus 232 and, by default the, "lags" 418 and 1279. This can be adjusted through the associated ShortLag and LongLag properties. Some popular pairs are presented on Wikipedia - Lagged Fibonacci generator.
MT19937GeneratortrueRepresents a Mersenne Twister pseudo-random number generator with period 219937-1 and some additional Next methods.
This type is based upon information and the implementation presented on the Mersenne Twister Home Page.
StandardGeneratortrueRepresents a simple pseudo-random number generator.
This type internally uses an instance of the System.Random type to generate pseudo-random numbers.
XorShift128GeneratortrueRepresents a xorshift pseudo-random number generator with period 2128-1 and some additional Next methods.
This type is based upon the implementation presented in the CP article " A fast equivalent for System.Random" and the theoretical background on xorshift random number generators published by George Marsaglia in the paper "Xorshift RNGs".

Random number distributions

Abstract base class "Distribution"

The Distribution class declares common functionality for all random number distributions. Its abstract members which have to be implemented by inheritors are some properties providing information on distribution characteristics and the NextDouble method. The following table lists all abstract members together with a brief description.

Abstract MemberDescription
double Minimum { get; } Gets the minimum possible value of distributed random numbers.
double Maximum { get; } Gets the maximum possible value of distributed random numbers.
double Mean { get; } Gets the mean of distributed random numbers.
If the mean can't be computed, the Double.NaN constant will be returned.
double Median { get; } Gets the median of distributed random numbers.
If the median can't be computed, the Double.NaN constant will be returned.
double Variance { get; } Gets the variance of distributed random numbers.
If the variance can't be computed, the Double.NaN constant will be returned.
double[] Mode { get; } Gets the mode of distributed random numbers.
If the mode can't be computed, an empty array will be returned.
double NextDouble(); Returns a distributed floating point random number.

In addition to its abstract members, the Distribution type provides some implementation details common to all random number distributions. As the computation of distributed random numbers necessarily requires a random number generator, the generator field stores an instance of the Generator class. This instance is accessible to inheritors through its respective property. Furthermore, two protected constructors are defined: one takes a user-defined Generator object and the other is a standard constructor that applies an instance of the StandardGenerator type. The Distribution type also offers the same reset functionality as the Generator class. In fact, it simply forwards the results of the stored Generator instance, as a random number distribution can only be reset if its underlying random number generator is resettable.

C#
public abstract class Distribution
{
    protected Generator Generator
    {
        get { return this.generator; }
        set { this.generator = value; }
    }
    
    private Generator generator;

    protected Distribution() : this(new StandardGenerator())
    {
    }

    protected Distribution(Generator generator)
    {
        if (generator == null)
        {
            string message = string.Format(null, 
                ExceptionMessages.ArgumentNull, "generator");
            throw new ArgumentNullException("generator", message);
        }
        this.generator = generator;
    }

    public bool CanReset
    {
        get { return this.generator.CanReset; }
    }

    public virtual bool Reset()
    {
        return this.generator.Reset();
    }
    
    ...
}

Classes derived from "Distribution"

The Random Class Library currently provides Distribution inheritors for various continuous and discrete distributions. They are listed in the following tables, together with a short description, links for further reading and information on the range and specific distribution parameters.

Continuous Distributions
ImplementationParameter / RangeDescription / Links
BetaDistribution
0 < α < ∞
0 < β < ∞
0 ≤ X ≤ 1
Provides generation of beta distributed random numbers.
This type is based upon information presented on Wikipedia - Beta distribution and Xycoon - Beta Distribution.
BetaPrimeDistribution
1 < α < ∞
1 < β < ∞
0 ≤ X < ∞
Provides generation of beta-prime distributed random numbers.
This type is based upon information presented on Xycoon - Inverted Beta Distribution.
CauchyDistribution
-∞ < α < ∞
0 < γ < ∞
-∞ < X < ∞
Provides generation of Cauchy distributed random numbers.
This type is based upon information presented on Wikipedia - Cauchy distribution and Xycoon - Cauchy Distribution.
ChiDistribution
α ∈ {1,2,...}
0 ≤ X < ∞
Provides generation of chi distributed random numbers.
This type is based upon information presented on Wikipedia - Chi distribution.
ChiSquareDistribution
α ∈ {1,2,...}
0 ≤ X < ∞
Provides generation of chi-square distributed random numbers.
This type is based upon information presented on Wikipedia - Chi-square distribution.
ContinuousUniformDistribution
α ≤ β < ∞
-∞ < α ≤ β
α ≤ X < β
Provides generation of continuous uniformly distributed random numbers.
This type is based upon information presented on Wikipedia - Uniform distribution (continuous).
ErlangDistribution
0 < α < ∞
λ ∈ {1,2,...}
0 ≤ X < ∞
Provides generation of Erlang distributed random numbers.
This type is based upon information presented on Wikipedia - Erlang distribution and Xycoon - Erlang Distribution.
ExponentialDistribution
0 < λ < ∞
0 ≤ X < ∞
Provides generation of exponential distributed random numbers.
This type is based upon information presented on Wikipedia - Exponential distribution.
FisherSnedecorDistribution
α ∈ {1,2,...}
β ∈ {1,2,...}
0 ≤ X < ∞
Provides generation of Fisher-Snedecor distributed random numbers.
This type is based upon information presented on Wikipedia - F-distribution.
FisherTippettDistribution
0 < α < ∞
-∞ < μ < ∞
-∞ < X < ∞
Provides generation of Fisher-Tippett distributed random numbers.
This type is based upon information presented on Wikipedia - Fisher-Tippett distribution.
GammaDistribution
0 < α < ∞
0 < θ < ∞
0 ≤ X < ∞
Provides generation of gamma distributed random numbers.
This type is based upon information presented on Wikipedia - Gamma distribution.
LaplaceDistribution
0 < α < ∞
-∞ < μ < ∞
-∞ < X < ∞
Provides generation of Laplace distributed random numbers.
This type is based upon information presented on Wikipedia - Laplace distribution.
LognormalDistribution
-∞ < μ < ∞
0 ≤ σ < ∞
0 ≤ X < ∞
Provides generation of lognormal distributed random numbers.
This type is based upon information presented on Wikipedia - Lognormal Distribution and the implementation in the Boost Random Number Library.
NormalDistribution
-∞ < μ < ∞
0 < σ < ∞
-∞ < X < ∞
Provides generation of normal distributed random numbers.
This type is based upon information presented on Wikipedia - Normal distribution and the implementation in the Communication Networks Class Library.
ParetoDistribution
0 < α < ∞
0 < β < ∞
α ≤ X < ∞
Provides generation of Pareto distributed random numbers.
This type is based upon information presented on Wikipedia - Pareto distribution and Xycoon - Pareto Distribution.
PowerDistribution
0 < α < ∞
0 < β < ∞
0 ≤ X ≤ 1/β
Provides generation of power distributed random numbers.
This type is based upon information presented on Xycoon - Power Distribution.
RayleighDistribution
0 < σ < ∞
0 ≤ X < ∞
Provides generation of Rayleigh distributed random numbers.
This type is based upon information presented on Wikipedia - Rayleigh Distribution.
StudentsTDistribution
ν ∈ {1,2,...}
-∞ < X < ∞
Provides generation of t-distributed random numbers.
This type is based upon information presented on Wikipedia - Student's t-distribution and Xycoon - Student t Distribution.
TriangularDistribution
-∞ < α < β
α < β < ∞
α ≤ γ ≤ β
α ≤ X ≤ β
Provides generation of triangular distributed random numbers.
This type is based upon information presented on Wikipedia - Triangular distribution and the implementation in the Boost Random Number Library.
WeibullDistribution
0 < α < ∞
0 < λ < ∞
0 ≤ X < ∞
Provides generation of Weibull distributed random numbers.
This type is based upon information presented on Wikipedia - Weibull distribution.

Discrete Distributions
(All of them additionally implement a Next method, which returns a distributed random number, i.e. 32-bit signed integer.)
ImplementationParameter / RangeDescription
BernoulliDistribution
0 ≤ α ≤ 1
X ∈ {0,1}
Provides generation of Bernoulli distributed random numbers.
This type is based upon information presented on Wikipedia - Bernoulli distribution.
BinomialDistribution
0 ≤ α ≤ 1
β ∈ {0,1,...}
X ∈ {0,1,...,β}
Provides generation of binomial distributed random numbers.
This type is based upon information presented on Wikipedia - Binomial distribution.
DiscreteUniformDistribution
α ∈ {...,β-1,β}
β ∈ {α,α+1,...}
X ∈ {α,α+1,...,β-1,β}
Provides generation of discrete uniformly distributed random numbers.
This type is based upon information presented on Wikipedia - Uniform distribution (discrete).
GeometricDistribution
0 < α ≤ 1
X ∈ {1,2,...}
Provides generation of geometric distributed random numbers.
This type is based upon information presented on Wikipedia - Geometric distribution and the implementation in the Communication Networks Class Library.
PoissonDistribution
0 < λ < ∞
X ∈ {0,1,...}
Provides generation of Poisson distributed random numbers.
This type is based upon information presented on Wikipedia - Poisson distribution and the implementation in the Communication Networks Class Library.

Besides the inherited members, all classes derived from Distribution share some more similarities. Firstly, all distributions offer two constructors: one that takes a user-defined Generator object as an underlying random number generator and another as a standard constructor that uses an instance of StandardGenerator type for this purpose.

Secondly, each distribution provides methods that allow you to determine whether a value is valid for one of its specific parameters and thereforee can be assigned through the belonging property. These methods follow the naming scheme "IsValid{parameter}" and, to be consistent, are also available for parameters whose range of values isn't restricted.

Also, the classes derived from Distribution make use of helper variables to speed up the random number generation, if possible. These helpers store intermediate results that only depend on distribution parameters and therefore don't need to be recalculated in successive executions of NextDouble. The computation of the helper variables is encapsulated inside the UpdateHelperVariables method, which gets called during construction and whenever a distribution parameter involved in the helper's calculation changes. The following code snippet is taken from the PoissonDistribution type and should illustrate the preceding explanations.

C#
public class PoissonDistribution : Distribution
{
    public double lambda;
    private double helper1;

    public double Lambda
    {
        get { return this.lambda; }
        set
        {
            if (this.IsValidLambda(value))
            {
                this.lambda = value;
                this.UpdateHelpers();
            }
        }
    }

    public PoissonDistribution() : this(new StandardGenerator())
    {
    }

    public PoissonDistribution(Generator generator) : base(generator)
    {
        this.lambda = 1.0;
        this.UpdateHelpers();
    }

    public bool IsValidLambda(double value)
    {
        return value > 0.0;
    }

    private void UpdateHelpers()
    {
        this.helper1 = Math.Exp(-1.0 * this.lambda);
    }

    public double NextDouble()
    {
        double count = 0;
        for (double product = 
            this.generator.NextDouble(); product >= this.helper1; 
            product *= this.generator.NextDouble())
        {
            count++;
        }

        return count;
    }
    
    ...

Version history

1.4
  • Changed the Distribution.Reset method to be virtual, so it can be overridden in derived classes
  • Overridden the Reset method in the NormalDistribution: The override discards an already computed random number to be returned next -- the underlying generation algorithm always computes two random numbers at a time -- so the distribution is always properly reset
  • Overridden the Reset method in the BetaDistribution, BetaPrimeDistribution, ChiDistribution, ChiSquareDistribution, FisherSnedecorDistribution, LogNormalDistribution, RayleighDistribution and StudentsTDistribution: The override explicitly resets the respective underlying distribution(s), which in most cases is the NormalDistribution, so the listed distributions are always properly reset
1.3
  • Fixed bug in NormalDistribution: Changes to the parameters μ and σ now discard an already computed random number to be returned next -- the underlying generation algorithm always computes two random numbers at a time -- so in any case changes to the parameters reflect in generated random number beginning with the first one
1.2
  • Changed the access modifier of field Distribution.generator from protected to private and made it accessible through the new protected property Distribution.Generator
    Adapted all inheritors of Distribution to the above change
    Follow the link for further explanation: Visual Studio Team System - Do not declare visible instance fields
  • Moved reinitialization code of ALFGenerator, MT19937Generator, StandardGenerator and XorShift128Generator types from their virtual Reset methods to new private ResetGenerator methods, so it can be safely called from their constructors (and Reset too)
    Follow the link for further explanation: Visual Studio Team System - Do not call overridable methods in constructors
  • Adjusted NextBytes method of ALFGenerator, MT19937Generator and XorShiftGenerator type so they check whether the passed buffer is a null reference and throw an ArgumentNullException if needed
  • All exceptions are instantiated with localized messages; currently available are English, German, Spanish and French translations
1.1
  • Added Bernoulli, Beta-prime, Binomial, Chi, Chi-square, Erlang, Fisher-Snedecor, Fisher-Tippett, Laplace, Rayleigh, Student's t and Weibull random distribution
  • Added Additive Lagged Fibonacci pseudo-random number generator
  • Renamed property for the parameter μ of LognormalDistribution and NormalDistribution from My to Mu to consistently use English names
  • Fixed bug in PowerDistribution: Changes to parameter α now reflect in generated random numbers
  • Adjusted ExponentialDistribution.NextDouble so that Math.Log(0.0) is avoided
  • Improved performance of MT19937Generator.Next and XorShift128Generator.Next with specified range for range > Int32.MaxValue
1.0
  • Initial Release

Copyright notice

Random Class Library is free software. You can redistribute it and/or modify it under the terms of the GNU Lesser General Public License as published by the Free Software Foundation, either version 2.1 of the License, or (at your option) any later version. This library is distributed in the hope that it will be useful, but WITHOUT ANY WARRANTY, without even the implied warranty of MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the GNU Lesser General Public License for more details. You should have received a copy of the GNU Lesser General Public License along with this library. If not, write to the Free Software Foundation, Inc., 51 Franklin Street, Fifth Floor, Boston, MA 02110-1301 USA.

RandomTester application

I'd begun developing the RandomTester application when I implemented the first random number distributions for my bachelor thesis. At the time, its only purpose was to visualize the distribution of generated random numbers and the effects of the specific distribution parameters upon it. During the work on the Random Class Library, I refined this visualization and added performance tests for random number generators and distributions.

Test random number generators

The RandomTester application allows you to test and compare random number generators with respect to their performance. The following picture shows the user interface of this test after running it.

Test Random Number Generators

All classes derived from Generator are listed at the left edge. They can be selected/deselected either one-by-one through clicking them on the respective list entry or all at once by using the "Select all" or "Deselect all" buttons. Beneath those buttons you can specify how many samples have to be generated by each generator to benchmark their performance. Finally, one has to choose which Next methods -- declared by the Generator type and implemented in the derived classes -- should be tested. The performance of random number generators is measured in calls per second. The results are displayed in a datagrid that contains a row for each random number generator and a column for each tested Next method.

Test random number distributions

Random number distributions can be tested in two ways. Firstly, a performance test is available that is similar to the one provided for the random number generators. Secondly, the distribution of generated random numbers and the effects of the specific distribution parameters upon it can be visualized. The user interface of those tests is shown by the below image.

Test Random Number Distributions

As mentioned, the performance test is similar to the random number generator benchmark. At the left edge, all classes derived from Distribution are listed and can be selected/deselected either one by one through clicking on the respective list entry or all at once by using the "Select all" or "Deselect all" buttons. Furthermore the number of samples each distribution has to generate during the benchmark can be specified, as well as an underlying random number generator. The latter adjustment offers to use a class derived from Generator or the distribution default. In case an inheritor of Generator gets selected, the tested distributions are instantiated using their constructor when taking such an object. Otherwise, the standard constructor is used. The performance of the selected random number distributions is expressed as the time it takes to generate the specified number of samples. The results are shown in ascending order inside the textbox.

In contrast to both performance tests, the main focus of the visualization test isn't performance but rather the testing of a single random number distribution. Therefore it employs a ZedGraphControl to show a histogram of the distribution of generated random numbers, i.e. how often distinct values occur or, more precisely, how likely it is for them to occur (probability density function).

In case of discrete distributions, this can be done easily by counting the occurrences of discrete values and dividing by the overall number of generated samples. Unfortunately, most random number distributions are continuous and have a quite large range. Thus, the probability of a given value being generated more than once is fairly low, even if many numbers are generated. That's why the visualization test divides the domain of generated samples into a specified number of sections and then shows how likely it is for the values inside these sections to occur. Such a histogram is also used for discrete random number distributions, since it provides the same results as long as the number of sections is equal to or greater than the number of discrete values. In this case, the complicated distinction between distribution types becomes redundant.

At the top left corner, a dropdown list lets you select the distribution to be visualized from all classes derived from Distribution. Beneath that list, a groupbox displays the current characteristics of the selected distribution. A second groupbox allows you to adjust the specific parameters. Depending on the selected distribution, the change of a parameter also causes one or more of its characteristics to change. The final adjustment directly related to the distribution is the selection of an underlying random number generator that allows you to choose either the distribution default or a class derived from Generator.

Any further settings are related to the visualization of the random number distribution. You can specify how many samples and sections are used to create the histogram, whether the histogram curves should be smoothed and whether specific bounds are used, i.e. any generated random number lying outside will be ignored.
As shown by the above image, multiple histograms can be displayed at the same time. This allows you to examine the effects of the parameters on the distribution of random numbers or even compare different distributions. Each newly generated histogram is drawn as a separate curve. The name and parameter values of the tested distribution are added to the legend. In addition to the histogram, the bottom left textbox shows how much time was needed to generate the random numbers, as well as their minimum, maximum, mean and variance.

Version history

1.2
  • Adjusted distribution visualization so that the last interval of histograms is displayed correctly
    Until now, the histogram graphs consisted of points representing the minimum bounds of histogram intervals, so the last interval wasn't really drawn. Therefore graphs now contain an additional point for the maximum bound of the last interval which, of course, has the same y-value as the corresponding minimum bound.
1.1
  • Display unit "samples/s" in generator test
  • Use byte[64] for testing Generator.NextBytes method so the test is less time consuming
1.0
  • Initial Release

Copyright notice

RandomTester is free software. You can redistribute it and/or modify it under the terms of the GNU General Public License as published by the Free Software Foundation, either version 2 of the License, or any later version. This program is distributed in the hope that it will be useful, but WITHOUT ANY WARRANTY, without even the implied warranty of MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the GNU General Public License for more details. You should receive a copy of the GNU General Public License along with this program; if not, write to the Free Software Foundation, Inc., 59 Temple Place, Suite 330, Boston, MA 02111-1307 USA.

References

  1. Wikipedia - Random number generator
  2. Mersenne Twister Home Page
  3. A fast equivalent for System.Random
  4. Paper "Xorshift RNGs" by George Marsaglia
  5. Wikipedia - Probability distribution
  6. MathWorld - Statistical Distribution
  7. Xycoon - Statistical Distributions
  8. Boost Random Number Library
  9. Communication Networks Class Library
  10. A flexible charting library for .NET

Article history

  • 29 May, 2007 - Article edited and posted to the main CodeProject.com article base

License

This article has no explicit license attached to it but may contain usage terms in the article text or the download files themselves. If in doubt please contact the author via the discussion board below.

A list of licenses authors might use can be found here


Written By
Software Developer
Germany Germany
This member has not yet provided a Biography. Assume it's interesting and varied, and probably something to do with programming.

Comments and Discussions

 
GeneralMy vote of 5 Pin
Member 1282461631-Oct-16 1:18
Member 1282461631-Oct-16 1:18 
QuestionUrgent! Setting Minimum and Maximum value of a Distribution Pin
AhmedMasum30-Oct-15 4:31
AhmedMasum30-Oct-15 4:31 
QuestionNuget package? Pin
jose barrameda25-Feb-15 13:41
jose barrameda25-Feb-15 13:41 
AnswerRe: Nuget package? Pin
jose barrameda25-Feb-15 13:52
jose barrameda25-Feb-15 13:52 
QuestionNeed little help with syntax Pin
Member 1088602424-Jun-14 13:55
Member 1088602424-Jun-14 13:55 
GeneralExcelent Project Pin
Marlon_Eduardo_PL11-Jun-14 18:52
Marlon_Eduardo_PL11-Jun-14 18:52 
QuestionDownloaded But Not Working !!! Pin
Unpalis19-Jan-14 1:56
Unpalis19-Jan-14 1:56 
AnswerRe: Downloaded But Not Working !!! Pin
Member 102974707-Feb-14 9:33
Member 102974707-Feb-14 9:33 
Questiongreate! Pin
abbaspirmoradi16-Dec-13 7:32
professionalabbaspirmoradi16-Dec-13 7:32 
QuestionUse NormalRandom Class Library in VB.NET Pin
restlessmano7-Oct-13 22:25
restlessmano7-Oct-13 22:25 
QuestionCustomized Normal Distribution Pin
Hamman Samuel20-Apr-13 2:56
Hamman Samuel20-Apr-13 2:56 
GeneralMy vote of 5 Pin
akamuza15-Apr-13 2:37
akamuza15-Apr-13 2:37 
GeneralMy vote of 5 Pin
arda194016-Jan-12 9:38
arda194016-Jan-12 9:38 
QuestionPossible fault in the XorShift128Generator Pin
JaapK21-Dec-11 10:38
JaapK21-Dec-11 10:38 
GeneralMy vote of 5 Pin
fredatcodeproject30-Nov-11 6:43
professionalfredatcodeproject30-Nov-11 6:43 
GeneralMy vote of 5 Pin
liuchao30512-Jul-10 22:58
liuchao30512-Jul-10 22:58 
GeneralTriangular Distribution bug Pin
tosa.yasunari1-Jun-10 10:41
tosa.yasunari1-Jun-10 10:41 
GeneralA question on Troschuetz.Random Class Library for C# Pin
chophe22-Jan-10 18:31
chophe22-Jan-10 18:31 
GeneralSpeedy Simulation Pin
AchalkShah7-Jun-09 7:32
AchalkShah7-Jun-09 7:32 
GeneralRe: Speedy Simulation Pin
Hardy Wang8-Jan-10 9:04
Hardy Wang8-Jan-10 9:04 
GeneralRandom number from a limited range Pin
Lutosław30-Apr-09 6:41
Lutosław30-Apr-09 6:41 
GeneralI made a Silverlight version Pin
dcuccia1-Feb-09 13:38
dcuccia1-Feb-09 13:38 
GeneralErlang Distribution Pin
johnjavan20-Sep-08 15:39
johnjavan20-Sep-08 15:39 
GeneralRe: Erlang Distribution Pin
Stefan Troschuetz2-Oct-08 23:26
Stefan Troschuetz2-Oct-08 23:26 
GeneralVery interesting and well done stuff. Pin
Salvatore Previti25-Jul-08 20:23
Salvatore Previti25-Jul-08 20:23 

General General    News News    Suggestion Suggestion    Question Question    Bug Bug    Answer Answer    Joke Joke    Praise Praise    Rant Rant    Admin Admin   

Use Ctrl+Left/Right to switch messages, Ctrl+Up/Down to switch threads, Ctrl+Shift+Left/Right to switch pages.