Dice Rolling Simulation Program in Bash






Dice Rolling Simulation


Dice Rolling Simulation in Bash

This HTML document explains the structure and functionality of a Bash script that simulates the rolling of a dice. The script generates a random number between 1 and 6, mimicking the roll of a standard six-sided dice.

Bash Script


#!/bin/bash

# Function to simulate rolling a dice
roll_dice() {
    # Generate a random number between 1 and 6
    result=$(( RANDOM % 6 + 1 ))

    # Output the result
    echo "You rolled a $result"
}

# Main script execution
roll_dice

Program Structure and Explanation

1. Shebang Line

The script starts with the shebang line:

#!/bin/bash

This line tells the system to use the Bash shell to interpret the script.

2. Function Definition

The roll_dice function is defined to simulate the dice roll. This function contains the core logic of the script:


roll_dice() {
    # Generate a random number between 1 and 6
    result=$(( RANDOM % 6 + 1 ))

    # Output the result
    echo "You rolled a $result"
}

Inside the function:

  • Generating a Random Number: The RANDOM variable in Bash generates a random number. The expression $(( RANDOM % 6 + 1 )) takes the random number, reduces it to a value between 0 and 5 using the modulus operator, and then adds 1 to shift the range to 1-6.
  • Output the Result: The echo command prints the result of the dice roll to the terminal.

3. Main Script Execution

Finally, the script calls the roll_dice function to execute the dice roll:

roll_dice

This line initiates the function, and the script prints the result of the dice roll.

Conclusion

This simple Bash script effectively simulates the rolling of a dice by generating a random number between 1 and 6 and printing the result. The script demonstrates basic concepts such as function definition, random number generation, and output in Bash.


Leave a Reply

Your email address will not be published. Required fields are marked *