JAVA算法:求给定数组中连续子数组的最小和

JAVA算法:求给定数组中连续子数组的最小和

求给定数组中连续子数组的最小和。

package com.bean.algorithm.basic;

public class SmallestSumContiguousSubarray {

	static int smallestSumSubarr(int arr[], int n) {

		int min_ending_here = 2147483647;

		// to store the minimum value encountered
		// so far
		int min_so_far = 2147483647;

		for (int i = 0; i < n; i++) {

			// if min_ending_here > 0, then it could
			// not possibly contribute to the
			// minimum sum further
			if (min_ending_here > 0)
				min_ending_here = arr[i];

			// else add the value arr[i] to
			// min_ending_here
			else
				min_ending_here += arr[i];

			// update min_so_far
			min_so_far = Math.min(min_so_far, min_ending_here);
		}

		return min_so_far;
	}


	public static void main(String[] args) {

		int arr[] = { 3, -4, 2, -3, -1, 7, -5 };
		int n = arr.length;

		System.out.print("Smallest sum: " + smallestSumSubarr(arr, n));
	}
}

程序运行结果:

Smallest sum: -6

 

你可能感兴趣的:(算法分析与设计,算法分析与设计,JAVA算法设计,连续子数组的最小和)