笔试编程题输入输出模板备忘

 
  
A+B Problem
描述

Given two integers a and b, calculate their sum a + b.

输入

The input contains several test cases. Each contains a line of two integers, a and b.

输出

For each test case output a+b on a seperate line.

样例输入
1 2
3 4
5 6
样例输出
3
7
11
语言 样例程序
C
#include 
	
int main(void) {
    int a, b;
    while(scanf("%d%d", &a, &b) != EOF) {
    	printf("%d\n", a + b);
    }
    return 0;
}
C++
#include 
	
using namespace std;

int main(void) {
    int a, b;
    while(cin >> a >> b) {
    	cout << a + b << endl;
    }
    return 0;
}
Java
import java.util.Scanner;
	
public class Main {
    public static void main(String[] args) {
        Scanner in = new Scanner(System.in);
        while(in.hasNext()) {
        	int a = in.nextInt();
        	int b = in.nextInt();
        	System.out.println(a + b);
        }
    }
}
C#
using System;

public class AplusB
{
    private static void Main()
    {
        string line;
        while((line = Console.ReadLine()) != null)
        {
            string[] tokens = line.Split(' ');
            Console.WriteLine(int.Parse(tokens[0]) + int.Parse(tokens[1]));
        }
    }
}
Python2
while True:
    try:
        (x, y) = (int(x) for x in raw_input().split())
        print x + y
    except EOFError:
        break

你可能感兴趣的:(笔试面试)