[伯俊]1950号:A+B-3(JAVA)


質問する
2つの整数AとBを入力し、A+Bを出力するプログラムを作成します.
入力
第1行は、試験例の個数Tを与える.
各テストボックスは1行で構成され、各行にはAとBがあります.(0 < A, B < 10)
しゅつりょく
各テストボックスはA+Bを出力します.
入力例1
5
1 1
2 3
3 4
9 8
5 2
サンプル出力1
2
5
7
17
7
ソースコード
  • 第1の方法:for文
  • import java.util.*;
    public class Main {
    	public static void main(String[] args) {
    		Scanner sc = new Scanner(System.in);
    		int t = sc.nextInt();
    		for (int i = 0; i < t; i++) {
    			int a = sc.nextInt();
    			int b = sc.nextInt();
    			System.out.println(a + b);
    		} sc.close();
    	}
    }
  • 第2の方法:while文
  • import java.util.*;
    public class Main {
    	public static void main(String[] args) {
    		Scanner sc = new Scanner(System.in);
    		int t = sc.nextInt();
    		int i = 0;
    		while (i < t) {
    			int a = sc.nextInt();
    			int b = sc.nextInt();
    			System.out.println(a + b);
    			i++;
    		} sc.close();
    	}
    }
  • 第3の方法:do-while文
  • import java.util.*;
    public class Main {
    	public static void main(String[] args) {
    		Scanner sc = new Scanner(System.in);
    		int t = sc.nextInt();
    		int i = 0;
    		do {
    			int a = sc.nextInt();
    			int b = sc.nextInt();
    			System.out.println(a + b);
    			i++;
    		} while (i < t);
    		sc.close();
    	}
    }
    [往路]1950号:A+B-3