c语言用指针实现数组循环移动
时间: 2023-10-20 11:19:11 浏览: 373
可以使用以下代码来实现c语言中用指针实现数组循环移动:
```c
#include <stdio.h>
#define N 6 // 数组大小
void move(int *arr, int n, int k) {
int *p = arr; // 定义指针p指向数组首地址
int temp[N]; // 定义一个临时数组
for (int i = 0; i < n; i++) {
*(temp + i) = *(p + i); // 将原数组中的元素复制到临时数组中
}
for (int i = 0; i < n; i++) {
*(p + (i + k) % n) = *(temp + i); // 将临时数组中的元素移动到原数组中
}
}
int main() {
int arr[N] = {1, 2, 3, 4, 5, 6};
int k = 2; // 移动的位数
move(arr, N, k);
for (int i = 0; i < N; i++) {
printf("%d ", *(arr + i)); // 输出移动后的数组
}
return 0;
}
```
在上述代码中,我们首先定义了一个指针p指向数组的首地址,然后使用一个临时数组temp将原数组中的元素复制到其中。接着,我们使用循环将临时数组中的元素移动到原数组中,移动的位置是`(i + k) % n`,其中i表示当前循环的下标,k表示移动的位数,n表示数组的大小。最后,我们在主函数中调用move函数,并输出移动后的数组。
阅读全文