for循环示例:

/*

* A:循环结构的分类

* for,while,do...while 

* B:循环结构for语句的格式:

for(初始化表达式;条件表达式;循环后的操作表达式) {

循环体;

}

* C执行流程:

* a:执行初始化语句

* b:执行判断条件语句,看其返回值是true还是false

* 如果是true,就继续执行

* 如果是false,就结束循环

* c:执行循环体语句;

* d:执行循环后的操作表达式

* e:回到B继续。

* D:案例演示

* 在控制台输出10次"helloworld"

*/

class Demo1_For {

public static void main(String[] args) {

//在控制输出10次helloworld,这样做不推荐,因为复用性太差

System.out.println("helloworld");

System.out.println("helloworld");

System.out.println("helloworld");

System.out.println("helloworld");

System.out.println("helloworld");

System.out.println("helloworld");

System.out.println("helloworld");

System.out.println("helloworld");

System.out.println("helloworld");

System.out.println("helloworld");

for (int i = 1;i <= 10 ;i++ ) {

System.out.println("helloworld");

}

}

}


while循环示例:

/*

* A:循环结构while语句的格式:

while循环的基本格式:

while(判断条件语句) {

循环体语句;

}

完整格式:

初始化语句;

    while(判断条件语句) {

 循环体语句;

 控制条件语句;

}

* B:执行流程:

* a:执行初始化语句

* b:执行判断条件语句,看其返回值是true还是false

* 如果是true,就继续执行

* 如果是false,就结束循环

* c:执行循环体语句;

* d:执行控制条件语句

* e:回到B继续。

* C:案例演示

* 需求:请在控制台输出数据1-10

*/

class Demo1_While {

public static void main(String[] args) {

int x = 1;

while (x <= 10) {

System.out.println("x = " +  x);

x++;

}

}

}


do  while循环示例:

/*

* A:循环结构do...while语句的格式:

do {

循环体语句;

}while(判断条件语句);

完整格式;

初始化语句;

do {

循环体语句;

控制条件语句;

}while(判断条件语句);

* B:执行流程:

* a:执行初始化语句

* b:执行循环体语句;

* c:执行控制条件语句

* d:执行判断条件语句,看其返回值是true还是false

* 如果是true,就继续执行

* 如果是false,就结束循环

* e:回到b继续。

* C:案例演示

* 需求:请在控制台输出数据1-10

*/

class Demo1_DoWhile {

public static void main(String[] args) {

//while 和do while的区别

/*int i = 11;

do {

System.out.println("i = " + i);

i++;

}while (i <= 10);

===========================

int j = 11;

while (j <= 10) {

System.out.println("j = " + j);

j++;

}*/

}

}


嵌套循环for for示例:

/*

* A:案例演示

* 需求:请输出一个4行5列的星星(*)图案。

如图:

*****

*****

*****

*****

注意:

System.out.println("*");和System.out.print("*");的区别

* B:结论:

* 外循环控制行数,内循环控制列数

*/

class Demo1_ForFor {

public static void main(String[] args) {

/*for (int i = 1;i <= 3 ;i++ ) { //外循环

System.out.println("i = " + i);

for (int j = 1;j <= 3 ;j++ ) { //内循环

System.out.println("j = " + j);

}

}*/

for (int i = 1;i <= 4 ;i++ ) { //外循环决定的是行数

for (int j = 1;j <= 5 ;j++ ) { //内循环决定的是列数

System.out.print("*");

}

System.out.println();

}

}

}

/*

*****

*****

*****

*****

*/


方法的声明格式示例:

class Demo1_Method {

public static void main(String[] args) {

}

/*

  * C:方法的格式

修饰符 返回值类型 方法名(参数类型 参数名1,参数类型 参数名2...) {

方法体语句;

return 返回值; 

* D:方法的格式说明

* 修饰符:目前就用 public static。后面我们再详细的讲解其他的修饰符。

* 返回值类型:就是功能结果的数据类型。

* 方法名:符合命名规则即可。方便我们的调用。

* 参数:

* 实际参数:就是实际参与运算的。

* 形式参数;就是方法定义上的,用于接收实际参数的。

* 参数类型:就是参数的数据类型

* 参数名:就是变量名

* 方法体语句:就是完成功能的代码。

* return:结束方法的。

* 返回值:就是功能的结果,由return带给调用者。 

*/

}

Java基础第四天学习笔记_java