字节跳动2018校招大数据方向(第一批)编程题2

字节跳动2018校招大数据方向(第一批)编程题2

题目描述

给定一个数组序列, 需要求选出一个区间, 使得该区间是所有区间中经过如下计算的值最大的一个:
区间中的最小数 * 区间所有数的和最后程序输出经过计算后的最大值即可,不需要输出具体的区间。如给定序列 [6 2 1]则根据上述公式, 可得到所有可以选定各个区间的计算值:

[6] = 6 * 6 = 36;

[2] = 2 * 2 = 4;

[1] = 1 * 1 = 1;

[6,2] = 2 * 8 = 16;

[2,1] = 1 * 3 = 3;

[6, 2, 1] = 1 * 9 = 9;

从上述计算可见选定区间 [6] ,计算值为 36, 则程序输出为 36。
区间内的所有数字都在[0, 100]的范围内;

输入描述:
第一行输入数组序列长度n,第二行输入数组序列。
对于 50%的数据, 1 <= n <= 10000;
对于 100%的数据, 1 <= n <= 500000;

输出描述:
输出数组经过计算后的最大值。

输入例子1:
3
6 2 1

输出例子1:
36

题解分析

  1. 题目要求是某个连续的区间,所以可以假设当前元素时最小值,分别确定左右两边大于当前数的区间。
  2. 答案取最大值。

代码实现

import java.util.*;
public class Main{
    public static void main(String[] args){
        Scanner cin = new Scanner(System.in);
        int n = cin.nextInt();
        int[] nums = new int[n+1];
        int max = 0;
        for(int i=0; i<n; i++){
            nums[i] = cin.nextInt();
        }
        for(int i=0; i<n; i++){
            int now = nums[i];
            int sum = 0;
            for(int j=i; j>=0; j--){
                if(nums[j] >= now)
                    sum += nums[j];
                else break;
            }
            for(int j=i+1; j<n; j++){
                if(nums[j] >= now)
                    sum += nums[j];
                else break;
            }
            max = Math.max(max, now * sum);
        }
        System.out.println(max);
    }
}
posted @ 2021-03-13 21:05  Garrett_Wale  阅读(139)  评论(0编辑  收藏  举报