Search code examples
matlabrandomdistributionprobability

Generating a triangular distribution in Matlab


I have attempted to generate a triangular probability distribution in Matlab, but was not successful. I used the formula at http://en.wikipedia.org/wiki/Triangular_distribution.

n = 10000000;

a = 0.2;
b = 0.7;
c = 0.5;

u = sqrt(rand(n, 1));

x = zeros(n, 1);
for i = 1:n
    U = u(i);
    if U < (c-a)/(b-a)
        X = a + sqrt(U*(b-a)*(c-a));
    else
        X = b - sqrt((1-U)*(b-a)*(b-c));        
    end
    x(i) = X;
end

hist(x, 100);

The histogram looks like so:

enter image description here

Doesn't look like much of a triangle to me. What's the problem? Am I abusing rand(n)?


Solution

  • you can add up two uniform distributions, the distribution graphs convolve, and you get a triangular distribution.

    easy-to-understand example: rolling two dice, each action has uniform distribution to result in a number from 1-6, combined action has triangular distribution to result in a number 2-12

    edit: minimal working example:

    a=randint(10000,1,10);
    b=randint(10000,1,10);
    
    c=a+b;
    
    hist(c,max(c)-min(c)+1)
    

    edit2: looked in your script again. It's working but you've made one mistake:

    u = sqrt(rand(n, 1));
    

    should be

    u = rand(n, 1);
    

    edit3: optimized code

    n = 10000000;
    
    a = 0.2;
    b = 0.7;
    c = 0.5;
    
    u = rand(n, 1);
    x = zeros(n, 1);
    
    idx = find(u < (c-a)/(b-a));
    x(idx) = a + sqrt(u(idx)*(b-a)*(c-a));
    idx =setdiff(1:n,idx);
    x(idx) = b - sqrt((1-u(idx))*(b-a)*(b-c));
    hist(x, 100);