JavaScript Greater-than or Equal-to (>=)
JavaScript Greater-than or Equal-to (<=) Comparison Operator is used to check if the first operand is greater than or equal to the second operand. Greater-than or Equal-to operator returns a boolean value. The return value is true if the first value is greater than or equal to the second, else, the return vale is false.
Greater-than or Equal-to Operator Symbol
The symbol used for Greater-than or Equal-to Operator is >=
.
Syntax
The syntax to use Greater-than or Equal-to Operator with operands is
operand1 >= operand2
Each operand can be a value or a variable.
Since Greater-than or Equal-to operator returns a boolean value, the above expression can be used as a condition in If-statement.
if (operand1 >= operand2) {
//code
}
Examples
In the following example, we take two values in variables: x
and y
; and check if the value in x
is greater than or equal to that of in y
.
index.html
<!DOCTYPE html>
<html lang="en">
<body>
<pre id="output"></pre>
<script>
var x = 17;
var y = 5;
var result = x >= y;
document.getElementById('output').innerHTML += 'x greater than or equal to y ? ' + result;
</script>
</body>
</html>
Let us take same value in both x and y, and check the output.
index.html
<!DOCTYPE html>
<html lang="en">
<body>
<pre id="output"></pre>
<script>
var x = 5;
var y = 5;
var result = x >= y;
document.getElementById('output').innerHTML += 'x greater than or equal to y ? ' + result;
</script>
</body>
</html>
In the following example, let us use Greater-than or Equal-to operator as a condition in the If statement’s condition.
index.html
<!DOCTYPE html>
<html lang="en">
<body>
<pre id="output"></pre>
<script>
var x = 'apple';
var y = 'banana';
if (x >= y) {
displayOutput = 'x is greater than or equal to y.';
} else {
displayOutput = 'x is not greater than or equal to y.';
}
document.getElementById('output').innerHTML = displayOutput;
</script>
</body>
</html>
Conclusion
In this JavaScript Tutorial, we learned about Greater-than or Equal-to Comparison Operator, its syntax, and usage with examples.