Bug in quicksort example (K&R C book)?
This quicksort is supposed to sort "v[left]...v[right] into increasing order"; copied (without comments) from The C Programming Language by K&R (Second Edition):
void qsort(int v[], int left, int right)
{
int i, last;
void swap(int v[], int i, int j);
if (left >= right)
return;
swap(v, left, (left + right) / 2);
last = left;
for (i = left+1; i <= right; i++)
if (v[i] < v[left])
swap(v, ++last, i);
swap(v, left, last);
qsort(v, left, last-1);
qsort(v, last+1, right);
}
I think there's a bug at
(left + right) / 2
Suppose l开发者_如何学编程eft = INT_MAX - 1 and right = INT_MAX. Wouldn't this result in undefined behavior due to integer overflow?
Yes, you're right. You can use left - (left - right) / 2
to avoid overflows.
You aren't imagining an array with INT_MAX
number of elements, are you?
Yes, you're right, although it's possibly just written that way for simplicity -- it's an example after all, not production code.
K&R was always a bit sloppy with their use of unsigned vs signed arguments. Side effect of working with a PDP that had only 16 kilobytes of memory I suppose. That's been fixed a while ago. The current definition of qsort is
void qsort(
void *base,
size_t num,
size_t width,
int (__cdecl *compare )(const void *, const void *)
);
Note the use of size_t instead of int. And of course void* base since you don't know what kind of type you are sorting.
精彩评论