Scala IF ELSE语句
本章将带您了解Scala编程中的条件构造语句。以下是大多数编程语言中常见的典型的决策制定IF…ELSE结构的一般形式。
流程图
下面是条件语句的流程图示意图。
if语句
‘if’语句由一个布尔表达式后跟一个或多个语句组成。
语法
‘if’语句的语法如下所示。
if(Boolean_expression) {
// Statements will execute if the Boolean expression is true
}
如果布尔表达式评估为true,则将执行“if”表达式内的代码块。如果不是,则将执行“if”表达式结束后的第一组代码(在右大括号之后)。 尝试以下示例程序,了解Scala编程语言中的条件表达式(“if”表达式)。
示例
object Demo {
def main(args: Array[String]) {
var x = 10;
if( x < 20 ){
println("This is if statement");
}
}
}
将上述程序保存在 Demo.scala 中。以下命令用于编译和执行该程序。
命令
>scalac Demo.scala
\>scala Demo
输出
This is if statement
if-else语句
An ‘if’语句后面可以跟一个可选的else语句,在布尔表达式为false时执行。
语法
if…else的语法如下所示:
if(Boolean_expression){
//Executes when the Boolean expression is true
} else{
//Executes when the Boolean expression is false
}
尝试一下以下示例程序,以了解Scala编程语言中的条件语句(if-else语句)。
示例
object Demo {
def main(args: Array[String]) {
var x = 30;
if( x < 20 ){
println("This is if statement");
} else {
println("This is else statement");
}
}
}
将上述程序保存在 Demo.scala 中。以下命令用于编译和执行此程序。
命令
>scalac Demo.scala
\>scala Demo
输出
This is else statement
if-elseif-else语句
一个“if”语句后面可以跟一个可选的“elseif…else”的语句,使用单个“if…elseif”语句来测试各种条件非常有用。
使用if、elseif、else语句时,有几点需要记住:
- 一个“if”可以有零或一个“else”,并且它必须在任何“elseif”之后。
-
一个“if”可以有零到多个“elseif”,它们必须在“else”之前。
-
一旦“elseif”成功,剩余的“elseif”和“else”将不会被测试。
语法
“if-elseif-else”的语法如下:
if(Boolean_expression 1){
//Executes when the Boolean expression 1 is true
} else if(Boolean_expression 2){
//Executes when the Boolean expression 2 is true
} else if(Boolean_expression 3){
//Executes when the Boolean expression 3 is true
} else {
//Executes when the none of the above condition is true.
}
尝试下面的示例程序,以了解Scala编程语言中的条件语句(if- else- if- else语句)。
示例
object Demo {
def main(args: Array[String]) {
var x = 30;
if( x == 10 ){
println("Value of X is 10");
} else if( x == 20 ){
println("Value of X is 20");
} else if( x == 30 ){
println("Value of X is 30");
} else{
println("This is else statement");
}
}
}
将上面的程序保存在 Demo.scala 中。以下命令用于编译和运行此程序。
命令
>scalac Demo.scala
\>scala Demo
输出
Value of X is 30
嵌套的if-else语句
嵌套 if-else 语句总是合法的,这意味着你可以在一个 if 或 else-if 语句内部使用另一个 if 或 else-if 语句。
语法
嵌套if-else的语法如下所示−
if(Boolean_expression 1){
//Executes when the Boolean expression 1 is true
if(Boolean_expression 2){
//Executes when the Boolean expression 2 is true
}
}
尝试以下示例程序以理解Scala编程语言中的条件语句(嵌套if语句)。
示例
object Demo {
def main(args: Array[String]) {
var x = 30;
var y = 10;
if( x == 30 ){
if( y == 10 ){
println("X = 30 and Y = 10");
}
}
}
}
请保存以上程序为 Demo.scala 。以下命令用于编译和执行此程序。
命令
>scalac Demo.scala
\>scala Demo
输出
X = 30 and Y = 10