日常——前缀和

134 阅读1分钟

题目描述

输入一个长度为n的整数序列。

接下来再输入m个询问,每个询问输入一对l, r。

对于每个询问,输出原序列中从第l个数到第r个数的和。

输入格式

第一行包含两个整数n和m。

第二行包含n个整数,表示整数数列。

接下来m行,每行包含两个整数l和r,表示一个询问的区间范围。

输出格式

共m行,每行输出一个询问的结果。

数据范围

1lrn1 \le l \le r \le n 1n,m1000001 \le n,m \le 100000 1000数列中值1000-1000 \le 数列中值 \le 1000

输入样例:

5 3
2 1 3 6 4
1 2
1 3
2 4

输出样例:

3
6
10

Solution

package cn.zxy.test;

import java.io.BufferedReader;
import java.io.IOException;
import java.io.InputStreamReader;

/**
 * 前缀和
 * 5 3
 * 2 1 3 6 4
 * 1 2
 * 1 3
 * 2 4
 *
 * 3
 * 6
 * 10
 */
public class prefixSum{

    public static void main(String[] args) throws IOException {
        BufferedReader in = new BufferedReader(new InputStreamReader(System.in));
        String[] s = in.readLine().split(" ");
        int n = Integer.parseInt(s[0]);
        int m = Integer.parseInt(s[1]);
        s = in.readLine().split(" ");
        int[] a = new int[n];
        int[] p = new int[n + 1];
        // 计算前缀和:前i个元素的前缀和
        // 下标领先一个数组小标,为了表示出前 0 个前缀和为 0
        for(int i = 0; i < n; i++){
            a[i] = Integer.parseInt(s[i]);
            p[i + 1] = p[i] + a[i];
        }
        while(m>0){
            m--;
            s = in.readLine().split(" ");
            int l = Integer.parseInt(s[0]);
            int r = Integer.parseInt(s[1]);
            System.out.println(p[r] - p[l - 1]);
        }
    }
}