我想为 32 位和 64 位系统编译以下C程序。
#include <stdio.h>
#include <stdlib.h>
#include <stddef.h>
int main(int argc, char** argv) {
size_t size = atoi(argv[1]);
int *array;
array = malloc(size * sizeof(int));
if (array == NULL) {
fprintf(stderr, "could not allocate memory\n");
exit(1);
}
fprintf(stdout, "memory allocated on heap: %u bytes\n", sizeof(int)*size);
fprintf(stdout, "press Return to quit\n");
getchar();
fprintf(stdout, "freeing memory\n");
free(array);
exit(0);
}
我一直在做的Makefile
是传递-m32
并-64
制作特定于位的二进制文件:
CFLAGS=-ansi -pedantic -Wall -O3
32BIT_ARCH=-m32
64BIT_ARCH=-m64
32_CFLAGS=${32BIT_ARCH} ${CFLAGS}
64_CFLAGS=${64BIT_ARCH} ${CFLAGS}
CC=gcc
ARRAY_32BIT_BINARY_NAME=arrayTest32
ARRAY_64BIT_BINARY_NAME=arrayTest64
all: ${ARRAY_32BIT_BINARY_NAME} ${ARRAY_64BIT_BINARY_NAME}
arrayTest32: main32_array.o
${CC} ${32_CFLAGS} main32_array.o -o ${ARRAY_32BIT_BINARY_NAME}
arrayTest64: main64_array.o
${CC} ${64_CFLAGS} main64_array.o -o ${ARRAY_64BIT_BINARY_NAME}
main32_array.o: main.c
${CC} ${32_CFLAGS} -c main.c -o main32_array.o
main64_array.o: main.c
${CC} ${64_CFLAGS} -c main.c -o main64_array.o
clean:
-rm *.o *~ ${ARRAY_32BIT_BINARY_NAME} ${ARRAY_64BIT_BINARY_NAME}
install:
cp ${ARRAY_32BIT_BINARY_NAME} ${ARRAY_64BIT_BINARY_NAME} ../bin
这很好用,但是我在编译时遇到了警告:
$ make
gcc -m32 -ansi -pedantic -Wall -O3 -c main.c -o main32_array.o
gcc -m32 -ansi -pedantic -Wall -O3 main32_array.o -o arrayTest32
gcc -m64 -ansi -pedantic -Wall -O3 -c main.c -o main64_array.o
main.c: In function ‘main’:
main.c:14: warning: format ‘%u’ expects type ‘unsigned int’, but argument 3 has type ‘long unsigned int’
gcc -m64 -ansi -pedantic -Wall -O3 main64_array.o -o arrayTest64
我想做的是在没有两个 main.c 文件用于两个“位”目标的情况下修复此警告。
是否有一个#ifndef
或其他预处理器条件可以添加到第 14 行main.c
来处理这种差异?
或者有没有更好的方法来处理这个问题?
编辑:我使用了以下解决方案:
#if defined(__LP64__)
fprintf(stdout, "memory allocated on heap: %lu bytes\n", sizeof(int)*size);
#else
fprintf(stdout, "memory allocated on heap: %u bytes\n", sizeof(int)*size);
#endif