This is a very famous problem from programming peals
Given an array of integers, return the maximum
subsequence sum of the array, if the maximus sum
less than 0, return 0
Example
1, 2, -6, 3, -2, 4, -1, 3, 2, -4
return 9
3 + -2 + 4 + -1 + 3 + 2 = 9

Code
1 // This is a DP problem
2 public int Sum(int[] a)
3 {
4 int curSum = 0;
5 int maxSum = 0;
6 for (int i = 0; i < a.Length; i++)
7 {
8 if (curSum + a[i] < 0)
9 curSum = 0;
10 else
11 {
12 curSum += a[i];
13 maxSum = maxSum > curSum ? maxSum : curSum;
14 }
15 }
16 return maxSum;
17 }
18
or more concise

Code
1 public int Sum(int[] a)
2 {
3 int curSum = 0;
4 int maxSum = 0;
5 for (int i = 0; i < a.Length; i++)
6 {
7 if (curSum + a[i] < 0)
8 curSum = 0;
9 else
10 maxSum = Math.Max(maxSum, curSum += a[i]);
11 }
12 return maxSum;
13 }
14