import java.util.Scanner;
class Bissextile
{
public static void main(String[] args)
{
System.out.print("请输入年份");
int year; //定义输入的年份名字为“year”
Scanner scanner = new Scanner(System.in);
year = scanner.nextInt();
if (year<0||year>3000)
{
System.out.println("年份有误,程序退出!");
System.exit(0);
}
if ((year%4==0)&&(year%100!=0)||(year%400==0))
System.out.println(year+" is bissextile");
else
System.out.println(year+" is not bissextile ");
}
}
4:编写程序求 1+3+5+7+……+99 的和值。
class he
{
public static void main(String[] args)
{
int number = 1; //初始值1,以后再+2递增上去
int sum = 0;
for ( ; number <100; number+=2 ) { sum += number; }
System.out.println("1+3+5+7+……+99= " +sum);
}
}
5:利用for循环打印 9*9 表?
1*1=1
1*2=2 2*2=4
1*3=3 2*3=6 3*3=9
1*4=4 2*4=8 3*4=12 4*4=16
1*5=5 2*5=10 3*5=15 4*5=20 5*5=25
1*6=6 2*6=12 3*6=18 4*6=24 5*6=30 6*6=36
1*7=7 2*7=14 3*7=21 4*7=28 5*7=35 6*7=42 7*7=49
1*8=8 2*8=16 3*8=24 4*8=32 5*8=40 6*8=48 7*8=56 8*8=64
1*9=9 2*9=18 3*9=27 4*9=36 5*9=45 6*9=54 7*9=63 8*9=72 9*9=81
//循环嵌套,打印九九乘法表
public class NineNine
{
public static void main(String[]args)
{
System.out.println();
for (int j=1;j<10;j++)
{
for(int k=1;k<10;k++)
{
//老师的做法,判断语句里的 k<=j,省去下列的if语句。
if (k>j) break; //此处用 continue也可以,只是效率低一点
System.out.print(" "+k+"X"+j+"="+j*k);
}
System.out.println();
}
}
}
*分析以上几个小例子可知:很多程序是想通的,我们要从中学会找到其中的规律,不能死记代码(但得多敲)。
三两个特殊语句:break,continue
import java.util.Scanner;
class Multinomial
{
public static void main(String[] args)
{
int a; //定义输入的 a
int howMany; //定义最后的一项有多少个数字
Scanner scanner = new Scanner(System.in);
System.out.println("请输入一个 1~9 的 a 值");
a = scanner.nextInt();
System.out.println("请问要相加多少项?");
howMany = scanner.nextInt();
int sum=0;
int a1=a; // 用来保存 a 的初始值
for (int i=1; i<=howMany; i++)
{
sum+= a;
a = 10*a +a1; // 这表示a 的下一项
// 每次 a 的下一项都等于前一项*10,再加上刚输入时的 a ;注意,这时的 a 已经变化了。
}
System.out.println("sum="+sum);
}
}