0

这是代码。

#include <stdio.h>
#define N 3
#define COPY(a, i) (a[(i)]) = (a[((i)+1)])

enum course {BTP300 = 1, OOP244, OOP344, OOP444, BTP400 = 8, BTP500};
typedef enum course Course;

void display(void* a, int n) {
    int i;
    unsigned char* c = (unsigned char*)a;

    for (i = 0; i < n; i++)
        printf("%d ", c[i]);
    printf("\n");
}

void process(void *c, int n, int s) {
    int i, j;
    unsigned char* a = (unsigned char*)c;

    for (i = 0; i < s * n; i++) {
        unsigned char x = a[i];
        for (j = 1; j < s - 1; j++, i++)
            COPY(a, i);
        a[++i] = x;
    }
}

int main() {
    Course array[2][N] = {BTP300, BTP400, BTP500, OOP244, OOP344, OOP444};

    display(array[1], sizeof(Course)*N);
    display(array[0], sizeof(Course)*N);
    process(array[0], N, sizeof(Course));
    process(array[1], N, sizeof(Course));
    display(array[1], sizeof(Course)*N);
    display(array[0], sizeof(Course)*N);
    return 0;
}

输出是:

2 0 0 0 3 0 0 0 4 0 0 0
1 0 0 0 8 0 0 0 9 0 0 0
0 0 0 2 0 0 0 3 0 0 0 4
0 0 0 1 0 0 0 8 0 0 0 9

现在,当指针大小开始起作用时,它看起来像什么。我最初认为虽然创建了内存,但在数组中你只是跳过。所以我仍然会得到 234。但没有。我得到 1byte 字符。

0 2
1 0
2 0
3 0

这也会被打印出来。

这是怎么回事?

4

1 回答 1

0

枚举值是intC中的类型,int在大多数平台上通常是四个字节(32 位)。因此,尝试访问这些值char不会给您预期的结果。

对于display不需要与 相乘的函数sizeof(Course),条目的数量就是N您应该提供给函数的大小:

display(array[1], N);

当然,您应该使用int单独的值或Course.

您还需要重新考虑您的process功能。

于 2013-10-29T06:34:57.277 回答