473,503 Members | 1,834 Online
Bytes | Software Development & Data Engineering Community
+ Post

Home Posts Topics Members FAQ

Algorithm

You're given an array containing both positive and negative integers
and required to find the sub-array with the largest sum (O(N) a la
KBL). Write a routine in C for the above

Any pointers on the above problem will help.
Wont sum of all positive numbers will be the largest sub-array?

Apr 22 '06 #1
7 14584
11******@gmail.com schrieb:
You're given an array containing both positive and negative integers
and required to find the sub-array with the largest sum (O(N) a la
KBL). Write a routine in C for the above

Any pointers on the above problem will help.
Wont sum of all positive numbers will be the largest sub-array?


This sounds more like a problem with terms. Let us rephrase it:

Given A, an array N of signed long, find one index pair (i1, i2)
such that
signed long subsum = 0;
size_t i;

for (i = i1; i < i2; i++)
sum += A[i];
yields the maximal subsum possible for 0<=i1<i2<=N.
Note: You may have to use another type for subsum if the sum
becomes too large.

I do not know what "KBL" is supposed to mean.
If you do not either, start with the following:
- write a function to maximise subsum for a given index pair by
only removing entries from the start and end of the subarray
that diminish the sum, that is: increase/decrease the indices
- think how you can increase the subsum by other analyses.
- how can "splitting" a subarray help.

For more algorithm questions, ask in comp.programming; for problems
when writing your programme, come here.
Be sure to read
http://clc-wiki.net/wiki/Introduction_to_comp.lang.c
first.
Cheers
Michael
--
E-Mail: Mine is an /at/ gmx /dot/ de address.
Apr 22 '06 #2
11******@gmail.com wrote:
You're given an array containing both positive and negative integers
and required to find the sub-array with the largest sum (O(N) a la
KBL). Write a routine in C for the above

Any pointers on the above problem will help.
Wont sum of all positive numbers will be the largest sub-array?


I assume a "sub-array" has to be contiguous.

3 3 -1 3

The sub-array with the largest sum is the entire array

--
Nick Keighley

Apr 22 '06 #3
On 2006-04-22 10:43:13 +0200, "Nick Keighley"
<ni******************@hotmail.com> said:
You're given an array containing both positive and negative integers
and required to find the sub-array with the largest sum (O(N) a la
KBL). Write a routine in C for the above

Any pointers on the above problem will help.
Wont sum of all positive numbers will be the largest sub-array?


I assume a "sub-array" has to be contiguous.

3 3 -1 3

The sub-array with the largest sum is the entire array


Not always (e.g. +3 +3 +3 +3 +3 -3 -3 -3 -3 -3), and this is OT,
nothing related to C.

--
Sensei <se******@mac.com>

The optimist thinks this is the best of all possible worlds.
The pessimist fears it is true. [J. Robert Oppenheimer]

Apr 22 '06 #4
[Followups set to comp.programming]

11******@gmail.com said:
You're given an array containing both positive and negative integers
and required to find the sub-array with the largest sum (O(N) a la
KBL). Write a routine in C for the above

Any pointers on the above problem will help.
Wont sum of all positive numbers will be the largest sub-array?


No, because they might not be contiguous.

Consider 1, -3, 2. The sub-arrays are:

1, -3, 2 : sum is 0
1, -3 : sum is -2
1 : sum is 1
-3, 2 : sum is -1
-3 : sum is -3
2 : sum is 2

So in this case, the largest sub-array does not include one of the positive
numbers.

Here's a possible approach to your problem which would be an O(N) solution -
comments welcomed.

You know that your array will consist of zero or more groups of one or more
positive (or rather, non-negative) numbers, and zero or more groups of one
or more negative numbers.

Firstly, we can ignore leftmost and rightmost negative values (unless the
entire array is filled with negative values, in which case the solution is
the single least negative value. For simplicity, that solution can easily
be determined in a single separate pass. (Remember that we can have as many
passes as we like and still retain O(N) behaviour, provided that the number
of passes does not depend on any variable, such as N).

sum = INT_MIN; /* or LONG_MIN, or whatever you're using */
nonneg = 0;
for(i = 0; !nonneg && i < lim; i++)
{
if(arr[i] >= 0)
{
nonneg = 1;
}
else if(nonneg > sum)
{
sum = nonneg;
left = i;
right = i;
}
}

If the array is filled with non-negative values, the solution is the whole
array. Again, this can be determined in a single pass:

sum = 0;
neg = 0;
for(i = 0; !neg && i < lim; i++)
{
if(arr[i] < 0)
{
neg = 1;
}
else
{
sum += arr[i]; /* beware overflow, obviously */
}
}

if(!neg)
{
left = 0;
right = lim - 1;
}

So setting those aside as solved problems, we tackle the case where we have
at least one non-negative value. (I may slip, and say "positive" when I
mean "non-negative" - clearly, a 0 value can be added to any sub-array
without diminishing its value, so for the rest of this thread I will allow
myself to be a little sloppy with the term "positive".)

As I said above, we can ignore all the negative values on the left and right
of the array, so let's pretend they're not there.

We now have a setup like this:

A - B + C - D + E - F + (...)

where A, B, etc represent the magnitudes of contiguous positive and negative
number groups, alternately. At the beginning of the loop, these values are
not known.

We start off by summing A (and carefully recording its limiting indices).

Our tentative solution is [A] (by which I mean the subarray consisting
entirely of the A subarray).

We then sum B, again carefully recording its limits.

If B > A, then A - B will be negative, so there is no advantage to retaining
A (unless it is the only positive group, in which case it is, of course,
the solution); A and B between them effectively form a leftmost negative
group, so they can be discarded, and we simply go round again.

If A >= B, though, then the whole subarray that includes A and B contributes
to (or at least does not detract from) a solution. So we can now accumulate
A, B, and C into a single subarray which we know will have a positive
value. That is, our tentative solution is now [A - B + C] - D + E - F +
(...)

Because [A - B + C] is effectively a single subarray, we are now in the same
position as before, i.e. alternating positive and negative subarrays, so we
simply go round again until we run out of data.

This method starts off by identifying and evaluating two subarrays, and then
identifies and evaluates each subsequent subarray in turn, either accreting
it or rejecting all the results so far, so it can be done in one linear
pass.

Writing the C code is left as a fairly trivial exercise. (The only mildly
tricky bit is making sure you don't overflow.)

--
Richard Heathfield
"Usenet is a strange place" - dmr 29/7/1999
http://www.cpax.org.uk
email: rjh at above domain (but drop the www, obviously)
Apr 22 '06 #5

Sensei wrote:
On 2006-04-22 10:43:13 +0200, "Nick Keighley"
<ni******************@hotmail.com> said:
You're given an array containing both positive and negative integers
and required to find the sub-array with the largest sum (O(N) a la
KBL). Write a routine in C for the above

Any pointers on the above problem will help.
Wont sum of all positive numbers will be the largest sub-array?
I assume a "sub-array" has to be contiguous.

3 3 -1 3

The sub-array with the largest sum is the entire array


Not always (e.g. +3 +3 +3 +3 +3 -3 -3 -3 -3 -3),


I meant "in this particular case". I was giving a counter example to
the
OPs claim.

and this is OT, nothing related to C.


yup

--
Nick Keighley

Apr 22 '06 #6
11******@gmail.com wrote:
You're given an array containing both positive and negative integers
and required to find the sub-array with the largest sum (O(N) a la
KBL). Write a routine in C for the above

Any pointers on the above problem will help.
Wont sum of all positive numbers will be the largest sub-array?


This problem is straight out of "Programming Pearls" or "More
Programming Pearls". Any serious programmer should own these.

--
Julian V. Noble
Professor Emeritus of Physics
University of Virginia
Apr 22 '06 #7
"11******@gmail.com" wrote:

You're given an array containing both positive and negative integers
and required to find the sub-array with the largest sum (O(N) a la
KBL). Write a routine in C for the above

Any pointers on the above problem will help.
Wont sum of all positive numbers will be the largest sub-array?


Strictly speaking this is OT for c.l.c, but it came up in another
newsgroup a while ago, and I published this solution. I believe it
to be accurate, but have not proven so. Have at it. :-)

/* How to find the maximum sum of at least L consecutive
integers given a sequence of N integers. */

/* Public Domain by CB Falconer, 2006-03-06 */

#include <stdio.h>
#include <stdlib.h>
#include <limits.h>

#define MAXRUN 100
typedef int (*instream)(void); /* how to get values */

/* -------------- */

void help(void)
{
fprintf(stderr, "Usage: maxsum <n> <l> [any]\n"
"where n < %d and l < n\n"
"Finds maximum sum of at least l consecutive\n"
"integers in a sequence of n integers\n"
"\n[any] entry enables debug display\n",
MAXRUN);
exit(EXIT_FAILURE);
} /* help */

/* -------------- */

int getint(char *s)
{
long test;
char *endptr;

test = strtol(s, &endptr, 10);
if ((test > MAXRUN) || (test <= 0)) help(); /* and exit */
return test;
} /* getint */

/* -------------- */

int column;

/* setting column < 0 inhibits all display */
void showitem(int item, int itemcnt)
{
if (column >= 0) {
if (!itemcnt) column += printf("%10d ", item);
else column += printf("%10d,%-2d", item, itemcnt);
if (column > 64) {
column = 0; putchar('\n');
}
}
} /* showitem */

/* -------------- */

size_t maxcount;
#define initnext(count) maxcount = count

/* get the next integer from the input stream */
int next(void)
{
int value;

if (!maxcount) return EOF;
else maxcount--;
do {
value = (rand() % 65) - 32; /* symettric about 0 */
} while (EOF == value);
return value;
} /* next */

/* -------------- */

/* A list of these items holds the pertinent input history */
struct sofar {
int sumtohere;
struct sofar *next;
};

/* -------------- */

struct sofar *discard(struct sofar *trail)
{
struct sofar *t;

t = trail->next;
free(trail);
return t;
} /* discard */

/* -------------- */

struct sofar *newitem(int value)
{
struct sofar *item;

if (!(item = malloc(sizeof *item))) {
fprintf(stderr, "Out of memory, halting\n");
exit(EXIT_FAILURE);
}
item->sumtohere = value;
item->next = NULL;
return item;
} /* newitem */

/* -------------- */

/* solve the real problem */
int solve(instream getnext, int l)
{
int v, items;
int sum, maxsum;
struct sofar *trail, *current, *temp;

/* initialize detection */
current = trail = newitem(0);
sum = maxsum = items = 0;

while (EOF != (v = getnext())) {
/* process v into the system */
items++;

temp = newitem(v + current->sumtohere);
current->next = temp;
current = temp;

while (trail->next->sumtohere <= trail->sumtohere
&& items > l) {
/* oldest input value is negative or zero so */
/* the sum can only be imcreased by discard */
trail = discard(trail);
items--;
}

sum = current->sumtohere - trail->sumtohere;
while ((sum <= 0) && (items > l)) {
/* The only purpose of the older entries is */
/* to enable inclusion of a future series */
/* without demanding the item count start */
/* from this current point. This may drive */
/* the sum more negative. The preceding */
/* while loop will eventually handle that */
trail = discard(trail);
items--;
sum = current->sumtohere - trail->sumtohere;
}

showitem(v, 0);
if ((sum >= maxsum) && (items >= l)) {
maxsum = sum;
showitem(sum, items);
}
}
return maxsum;
} /* solve */

/* -------------- */

int main(int argc, char **argv)
{
int n, l;
int ans;

if (argc < 3) help();
else {
if (3 == argc) column = -1; /* inhibit debug */
n = getint(argv[1]);
l = getint(argv[2]);
if (l > n) help();
initnext(n);

ans = solve(next, l);

if (column > 0) putchar('\n');
printf("Max. sum is %d\n", ans);
}
return 0;
} /* main */

--
"If you want to post a followup via groups.google.com, don't use
the broken "Reply" link at the bottom of the article. Click on
"show options" at the top of the article, then click on the
"Reply" at the bottom of the article headers." - Keith Thompson
More details at: <http://cfaj.freeshell.org/google/>
Also see <http://www.safalra.com/special/googlegroupsreply/>

Apr 22 '06 #8

This thread has been closed and replies have been disabled. Please start a new discussion.

Similar topics

6
8863
by: Jack Smith | last post by:
Hello, any help appreciated with following problem. I figured out the algorithm (I think), just having trouble proving it is optimal. Suppose we are given n tasks each of which takes 1 unit...
16
2636
by: cody | last post by:
I have to write an algorithm with must ensure that objects are put in buckets (which are always 4 in size). The objects have two properties: A and B. It is not allowed that in a bucket are objects...
10
4955
by: bpontius | last post by:
The GES Algorithm A Surprisingly Simple Algorithm for Parallel Pattern Matching "Partially because the best algorithms presented in the literature are difficult to understand and to implement,...
32
76370
by: Cmorriskuerten | last post by:
HI, is this is this solution to test if a number is a prime number or not: /* * Is n a prime number? * Return TRUE (1): n is a prime number * Return FALSE (0): n is a *not* a prime number...
2
2091
by: ben | last post by:
hello, i'm following an algorithm book and am stuck on an early excersise in it, not because of the c programming side of it or even the algorithm side of it, i don't think, but because of maths....
113
12184
by: Bonj | last post by:
I was in need of an encryption algorithm to the following requirements: 1) Must be capable of encrypting strings to a byte array, and decyrpting back again to the same string 2) Must have the same...
4
4269
by: FBM | last post by:
Hi, I am working on a program that simulates one of the elements of ATM. The simulation stores events which occurs every some milliseconds for a certain amount of time. Every time that an event...
2
7259
by: Julio C. Hernandez Castro | last post by:
Dear all, We have just developped a new block cipher called Raiden, following a Feistel Network structure by means of genetic programming. Our intention now consists on getting as much feedback...
0
2946
by: aruna | last post by:
hey guys i earlier had very valuable responses from you all for base64 encoding algorithm.so thank for that. so now i need your assistance to do a float encoding algorithm. you may wonder why i'm...
1
3098
by: almurph | last post by:
Hi everyone, Concerning the Needleman-Wunsch algorithm (cf. http://en.wikipedia.org/wiki/Needleman-Wunsch_algorithm) I have noticed a possible loop. Inside the algorithm there is an...
0
7076
by: Hystou | last post by:
Most computers default to English, but sometimes we require a different language, especially when relocating. Forgot to request a specific language before your computer shipped? No problem! You can...
0
7323
jinu1996
by: jinu1996 | last post by:
In today's digital age, having a compelling online presence is paramount for businesses aiming to thrive in a competitive landscape. At the heart of this digital strategy lies an intricately woven...
1
6984
by: Hystou | last post by:
Overview: Windows 11 and 10 have less user interface control over operating system update behaviour than previous versions of Windows. In Windows 11 and 10, there is no way to turn off the Windows...
0
7453
tracyyun
by: tracyyun | last post by:
Dear forum friends, With the development of smart home technology, a variety of wireless communication protocols have appeared on the market, such as Zigbee, Z-Wave, Wi-Fi, Bluetooth, etc. Each...
0
5576
agi2029
by: agi2029 | last post by:
Let's talk about the concept of autonomous AI software engineers and no-code agents. These AIs are designed to manage the entire lifecycle of a software development project—planning, coding, testing,...
1
5005
isladogs
by: isladogs | last post by:
The next Access Europe User Group meeting will be on Wednesday 1 May 2024 starting at 18:00 UK time (6PM UTC+1) and finishing by 19:30 (7.30PM). In this session, we are pleased to welcome a new...
0
3162
by: TSSRALBI | last post by:
Hello I'm a network technician in training and I need your help. I am currently learning how to create and manage the different types of VPNs and I have a question about LAN-to-LAN VPNs. The...
1
732
muto222
by: muto222 | last post by:
How can i add a mobile payment intergratation into php mysql website.
0
377
bsmnconsultancy
by: bsmnconsultancy | last post by:
In today's digital era, a well-designed website is crucial for businesses looking to succeed. Whether you're a small business owner or a large corporation in Toronto, having a strong online presence...

By using Bytes.com and it's services, you agree to our Privacy Policy and Terms of Use.

To disable or enable advertisements and analytics tracking please visit the manage ads & tracking page.