如何在C中使用printf以及我的代码应该打印出来的是什么?

时间:2010-02-18 05:43:31

标签: c printf

我是C的新手,我正在试图弄清楚printf方法的作用。我有这么一点代码,当我使用%x时我不断收到错误printf(“a) %x\n”, px); x%是十六进制,我只是在这里使用了错误的类型还是其他的东西?我下面的代码应该打印出来?

int x = 10;
int y = 20;

int *px = &x;
int *py = &y;

printf(“a) %x\n”, px);
printf(“b) %x\n”, py);

px = py;

printf(“c) %d\n”, *px);
printf(“d) %x\n”, &px);

x = 3;
y = 5;

printf(“e) %d\n”, *px);
printf(“f) %d\n”, *py);

3 个答案:

答案 0 :(得分:8)

使用整数格式(%x%d等)来打印指针是不可移植的。因此,对于任何指针(pxpy&px,而不是*px*py),您应该使用{{1而不是你的格式。

答案 1 :(得分:5)

它工作得很好,没有错误(除了错误的引号,即“”而不是“”但我想这就是你的浏览器所做的事情。)

以下是代码的示例输出:

a) 22ff74
b) 22ff70
c) 20
d) 22ff6c
e) 5
f) 5

这里是探索

int x = 10;
int y = 20;

int *px = &x;
int *py = &y;

// You're printing out the pointer values here, which are the memory addresses of the
// variables x and y, respectively. Thus this may print any reasonable number within
// the stack memory space.
printf("a) %x\n", px);
printf("b) %x\n", py);

// Both pointer now point to y...
px = py;

// ... so this will print the value of y...
printf("c) %d\n", *px);

// ...and this will print the address of px, which will probably but not necessarily
// be the (memory address of y - 4) because the stack grows down and the compiler
// allocates space for the variables one after another (first y, then px).
printf("d) %x\n", &px);

x = 3;
y = 5;

// Remember that both px and px point to y? That's why both *px and *py resolve to
// the value of y = 5.
printf("e) %d\n", *px);
printf("f) %d\n", *py);

但无论如何,对于指针,你通常应该使用“%p”格式说明符而不是“%x”,因为它是整数(可以是不同于指针的大小)。

答案 2 :(得分:2)

这是一个很好的printf参考资料。

http://www.cplusplus.com/reference/clibrary/cstdio/printf/