1

我根本不明白为什么下面的代码不起作用。交换操作不起作用的可能原因是什么?

#include <iostream>

using namespace std;

void rotateK(int* arr, int start, int finish) {
    int temp;
    for(int i=0;i<=finish;i++) {
        temp=arr[i];
        arr[i]=arr[finish-i];
        arr[finish-i]=temp;
    }
    for(int i=0;i<=finish;i++)
        cout<<arr[i]<<" ";
    cout<<endl;
}


int main(){
    int arr[5]={1,2,3,4,5};
    rotateK(arr,0,4);
    return 0;

}
4

2 回答 2

9

它确实有效(尽管不是您希望它的工作方式)。但是交换元素两次,这就是处理后的数组与原始数组相同的原因。

你可能想要:

for(int i=0 ; i<=finish/2 ; i++)

甚至

for(int i=start;i<=(finish-start)/2 + start;i++)

以便您实际使用start.

于 2012-06-22T13:19:02.300 回答
3

You're swapping elements twice. You can consider this idea of flipping a segment of an array.

int i = start;
int j = finish;
while( i < j ) {
    temp=arr[i];
    arr[i]=arr[j];
    arr[j]=temp;
    ++i; --j;
}

It's difficult to make a mistake if you write it like this.

于 2012-06-22T13:27:02.123 回答