📅  最后修改于: 2020-11-02 04:43:37             🧑  作者: Mango
本章将引导您完成Scala编程中的条件构造语句。以下是大多数编程语言中常见的IF … ELSE决策结构的一般形式。
以下是条件语句的流程图。
“ if”语句由一个布尔表达式和一个或多个语句组成。
“ if”语句的语法如下。
if(Boolean_expression) {
// Statements will execute if the Boolean expression is true
}
如果布尔表达式的计算结果为true,则将执行“ if”表达式中的代码块。如果不是,则将执行“ if”表达式结尾之后的第一组代码(在大括号后)。
尝试使用以下示例程序来了解Scala编程语言中的条件表达式(如果是表达式)。
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语句,该语句在布尔表达式为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’语句后可以是可选的’ else if … else ‘语句,这对于使用单个if … else if语句测试各种条件非常有用。
使用if,else if,else语句时,要牢记几点。
“ if”可以有零个或另一个,并且必须在其他if之后。
一个“ if”可以有零到多个其他if,并且它们必须排在else之前。
如果其他条件成功,则将不会测试其余任何其他条件。
以下是’if … else if … 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语句,你可以使用一个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