#include <stdio.h>
#include <stdlib.h>
#include <fcntl.h>
#include <unistd.h>
#include <sys/types.h>
#include <sys/mman.h>
#include <sys/stat.h>
#include <errno.h>
int main(int argc, char *argv[])
{
int fd, offset;
char *data;
struct stat sbuf;
int counter;
if (argc != 2) {
fprintf(stderr, "usage: mmapdemo offset\n");
exit(1);
}
if ((fd = open("mmapdemo.c", O_RDONLY)) == -1) {
perror("open");
exit(1);
}
if (stat("mmapdemo.c", &sbuf) == -1) {
perror("stat");
exit(1);
}
offset = atoi(argv[1]);
if (offset < 0 || offset > sbuf.st_size-1) {
fprintf(stderr, "mmapdemo: offset must be in the range 0-%ld\n",sbuf.st_size-1);
exit(1);
}
data = mmap((caddr_t)0, sbuf.st_size, PROT_READ, MAP_SHARED, fd, 0);
if (data == (caddr_t)(-1)) {
perror("mmap");
exit(1);
}
// print the while file byte by byte
while(counter<=sbuf.st_size)
printf("%c", data++);
return 0;
}
这给我的错误如下:
gcc mmapdemo.c -o mmapdemo
mmapdemo.c: In function 'main':
mmapdemo.c:48: warning: format '%c' expects type 'int', but argument 2 has type 'char *'
请帮我解决问题。
答案 0 :(得分:4)
printf("%c", *data++);
data
是char *
。 %c
格式说明符告诉printf
预期char
。要从char
获取char *
,您需要使用*
运算符取消引用指针。
也就是说,您的程序仍然无法正常工作,因为您没有在打印循环中递增counter
,也没有初始化它。我会选择:
for (size_t i = 0; i < sbuf.st_size; ++i) {
printf("%c", data[i]);
}
代替。我没有检查你的其余程序,但鉴于我看到的三行中有三个严重错误,我怀疑其余的是没有错误的。
答案 1 :(得分:2)
逐字节打印出来,需要使用
printf("%c ", *data++)
或打印出十六进制值:
printf("%02X", *data++);