Generate 0 and 1 with 25% and 75% probability - GeeksforGeeks
Given a function rand50() that returns 0 or 1 with equal probability, write a function that returns 1 with 75% probability and 0 with 25% probability using rand50() only. Minimize the number of calls to rand50() method. Also, use of any other library function and floating point arithmetic are not allowed.
Read full article from Generate 0 and 1 with 25% and 75% probability - GeeksforGeeks
Given a function rand50() that returns 0 or 1 with equal probability, write a function that returns 1 with 75% probability and 0 with 25% probability using rand50() only. Minimize the number of calls to rand50() method. Also, use of any other library function and floating point arithmetic are not allowed.
The idea is to use Bitwise OR. A bitwise OR takes two bits and returns 0 if both bits are 0, while otherwise the result is 1. So it has 75% probability that it will return 1.
// Random Function to that returns 0 or 1 with// equal probabilityint rand50(){ // rand() function will generate odd or even // number with equal probability. If rand() // generates odd number, the function will // return 1 else it will return 0. return rand() & 1;}// Random Function to that returns 1 with 75%// probability and 0 with 25% probability using// Bitwise ORbool rand75(){ return rand50() | rand50();}
On similar lines, we can also use Bitwise AND. Since it returns 0 with 75% probability, we have to invert the result.
// Random Function to that returns 1 with 75%
// probability and 0 with 25% probability using
// Bitwise AND
bool rand75()
{
return !(rand50() & rand50());
}
We can replace Bitwise OR and Bitwise AND operator by OR and AND operators as well –
// Random Function to that returns 1 with 75%
// probability and 0 with 25% probability using
// OR or AND operator
int rand75()
{
return !(rand50() && rand50());
// return rand50() || rand50()
}
We can also achieve the result using left shift operator and Bitwise XOR –
// Random Function to that returns 1 with 75%// probability and 0 with 25% probability using// left shift and Bitwise XORint rand75(){ // x is one of {0, 1} int x = rand50(); x = x << 1; // x is now one of {00, 10} x = x ^ rand50(); // x is now one of {00, 01, 10, 11} return (x > 0) ? 1 : 0;}// Driver code to test above functionsint main(){ // Intialize random number generator srand(time(NULL)); for (int i = 0; i < 50; i++) cout << rand75(); return 0;}