Java学习手册——第七篇基础语法
- 1. 注释
- 2. 顺序语句
- 3. 条件语句
- 3.1 if语句
- 3.2 switch语句
- 4. 循环语句
- 4.1 for循环
- 4.2 while 语句
- 4.3 do...while语句
本篇为大家快速入门Java基础语法,了解一个语言的基础语法是必要的,
因为我们后期都是需要用这些基础语法汇聚成我们想要的功能和想法。
这些都是必知必会的,但是不需要十分掌握,需要用到时可知道哪里查询,
用多了就熟练了。
1. 注释
注释有:文档注释、多行注释、当行注释。
/**
* 文档注释
*/
public class HelloWorld {
/*
* 多行注释
*/
public static void main(String[] args) {
// 单行注释
System.out.println("Hello World");
}
}
2. 顺序语句
这里你写一句话就是一个语句,顺序一个一个的执行。
public static void main(String[] args) {
System.out.println("开始");
System.out.println("语句1");
System.out.println("语句2");
System.out.println("语句3");
System.out.println("结束");
}
3. 条件语句
这里的条件,就是用来判断(日常生活中我们经常用),如果为真就执行,否则就执行另一条语句。
就像是你做选择一样,碰到一个三岔路口,选择了要一直走下去。
3.1 if语句
int score = 88;
if (score < 0 || score > 100) {
System.out.println("成绩有问题");
} else if (score >= 90 && score <= 100) {
System.out.println("优秀");
} else if (score >= 80 && score < 90) {
System.out.println("良好");
} else if (score >= 70 && score < 80) {
System.out.println("良");
} else if (score >= 60 && score < 70) {
System.out.println("及格");
} else {
System.out.println("不及格");
}
3.2 switch语句
除了上面的if判断,还有switch语句(就像开关,匹配对了哪个就执行哪个)
这里的case会一直走下去,如果想到指定case停止需要用break语句。
int weekday = 7;
switch(weekday) {
case 1:
System.out.println("星期一");
break;
case 2:
System.out.println("星期二");
break;
case 3:
System.out.println("星期三");
break;
case 4:
System.out.println("星期四");
break;
case 5:
System.out.println("星期五");
break;
case 6:
System.out.println("星期六");
break;
case 7:
System.out.println("星期日");
break;
default:
System.out.println("你输入的数字有误");
break;
}
switch里面经常用到的有break语句,
记住它的主要用法即可:
跳出当前整个switch语句,立马进入下一条语句。
4. 循环语句
循环语句就是用来处理重复问题的,
比如我们想打印1~100的整数,如果用print一条一条的打印也可以,但是代码会很长。
这个时候我们使用循环,用条件判断就直接搞定了。
4.1 for循环
// 初始化语句;判断条件语句;控制条件语句
for(int x = 1; x <= 5; x++) {
System.out.println(x);
}
4.2 while 语句
int x=1;
while(x <= 10) {
System.out.println(x);
x++;
}
4.3 do…while语句
int x=1;
do {
System.out.println(x);
x++;
} while(x <= 10);
循环语句里面经常用的有continue、break语句。
break语句:跳出当前整个循环。
continue语句:跳出当前语句,进入下一次循环。
// break执行之后,后面的循环都不在执行了。
for(int x=1; x<=10; x++) {
if(x == 3) {
break;
}
System.out.println(x);
}
// continue执行后,当前的循环不执行,剩下的循环继续
for(int x=1; x<=10; x++) {
if(x == 3) {
continue;
}
System.out.println(x);
}
码云练习地址:https://gitee.com/jack0240/JavaSE.git