获取上个数组变量的值
#include <stdio.h>
#include <string.h>enum { GG, DD };
int main() {int bi[] = {0, 0};int bi_s1[] = {0, 0};for (int i = 0; i < 5; i++) {memcpy(bi_s1, bi, sizeof(bi));bi[GG] = i * 3;bi[DD] = i * 2;printf("bigg = %d, bigg_s1 = %d\n", bi[GG], bi_s1[GG]);}return 0;
}
如果不想用memcpy进行拷贝赋值,可以使用一个额外的变量来存储上一次迭代的数组的索引,利用这个索引交替访问两个数组。
#include <stdio.h>enum { GG, DD };
int main() {int bi[2][2] = {{0, 0}, {0, 0}};int current = 0; // 当前正在使用的数组索引for (int i = 0; i < 5; i++) {int previous = (current + 1) % 2; // 计算上一个数组的索引// 更新当前数组的值bi[current][GG] = i * 3;bi[current][DD] = i * 2;// 输出当前数组和上一个数组的内容printf("bigg = %d, bigg_s1 = %d\n", bi[current][GG], bi[previous][GG]);// 切换到下一个数组current = previous;}return 0;
}
在这个实现中,我们使用了一个二维数组bi[2][2]
,其中bi[0]
和bi[1]
分别表示两个数组。current
变量用于指示当前正在使用的数组的索引,而previous
变量则计算上一个数组的索引,以便在打印时使用。
输出结果将显示每次迭代中当前数组的值和上一次迭代中的数组的值,效果类似于使用memcpy
复制数组的情况,但避免了内存复制的开销。
这种方法更高效,因为它只使用了一个额外的整数变量来存储索引,而不需要进行数组内容的复制。
经测试,性能可以快5倍左右。
如果还要获取更前面的值,可以这样写:
#include <stdio.h>enum { GG, DD };
int main() {int bi[4][2] = {{0, 0}, {0, 0}, {0, 0}, {0, 0}};int current = 0;int s1, s2, s3;for (int i = 1; i <= 10; i++) {s1 = (current + 1) % 4; // 上个值的索引 索引%元素数量 实现循环索引s2 = (current + 2) % 4; // 上上个值的索引s3 = (current + 3) % 4; // 上上上个值的索引bi[current][GG] = i * 3;bi[current][DD] = i * 2;printf("%d %d %d %d \n", current, s1, s2, s3);printf("s = %d, s1 = %d, s2 = %d s3 = %d \n\n", bi[current][GG], bi[s1][GG], bi[s2][GG], bi[s3][GG]);current = s3; // 把最后一个赋值给current}return 0;
}