- 论坛徽章:
- 0
|
本帖最后由 uusky_cu 于 2011-08-29 06:18 编辑
To All:
我想这个问题,最后还是用宏定义解决是正解,至少是比较合理,可以移植。看一下Bob Plantz给我回复邮件的部分:
By the way, it is my personal programming philosophy that one should NOT do arithmetic operations during variable initialization.
Also, I like to use symbolic names and #defines. Again, it helps the maintenance programmer. (I have found that this is often me, a few weeks later.) So the above code might become something like (depending on what the numbers actually represent):
- #define nCats 1
- #define nDogs 2
- #define nBirds 3
- #define nWinged nBirds
- #define nFourLegged nCats+nDogs
- #include <stdio.h>
- int main()
- {
- int myCreatures[5]={nCats, nDogs, nBirds, nWinged, nFourLegged};
- int i;
- for (i=0; i<5; i++) {
- printf("\t%d\n", myCreatures[i]);
- }
- return 0;
- }
复制代码 呵呵,跟Bob plantz之间讨论,感觉他是一位非常热心和友善的IEEE专家,大家有啥问题,也可以发邮件给他试试。他的建议还是宏定义,他修改我的代码,如上。我的原始代码是下面这样:
- #include <stdio.h>
- int main()
- {
- int a[5]={1, 2, 3, a[2], a[0]+a[1]};
- int i=0;
- for (i=0; i<5; i++) {
- printf("\t%d", a[i]);
- }
- return 0;
- }
复制代码 我分析了生成的汇编,他在我分析的汇编上加了他的注释:
- subl $48, %esp # allocate space for array on stack
- movl 32(%esp), %eax # fetch value in a[2] (which has not yet been initialized)
- movl 24(%esp), %ecx # fetch value in a[0] (which has not yet been initialized)
- movl 28(%esp), %edx # fetch value in a[1] (which has not yet been initialized)
- leal (%ecx,%edx), %edx # compute a[0] + a[1] (meaningless value)
- # Now the necessary arithmetic has been completed to evaluate the right hand side. The other three values are literals.
- movl $1, 24(%esp) # a[0] = 1 (literal value, so no fetching or computation needed)
- movl $2, 28(%esp) # a[1] = 2 (literal value, so no fetching or computation needed)
- movl $3, 32(%esp) # a[2] = 3 (literal value, so no fetching or computation needed)
- movl %eax, 36(%esp) # a[3] = a[2] (previously computed above]
- movl %edx, 40(%esp) # a[4] = a[0] + a[1] (previously computed above]
- movl $0, 44(%esp) # a[5] = 0
- movl $0, 44(%esp) # a[5] = 0
- # I have no idea why 0 is stored beyond the end of the array or why it is done twice. But the
- # assignment to the elements of the array occur as I have always expected in C.
- # 小样,专家也有看走眼的时候?哈哈……那根本不是a[5]=0,是i=0。后来我给他指出来。他很开心。哈哈……呆!
复制代码 我就是想问他,为啥要把a[3]=a[2];a[4]=a[1]+a[0];汇编代码放在a[0]=1;a[2]=2;a[3]=3;前面,这不是违反了数组初始化的顺序了吗?他说他并不感觉到惊讶,因为C标准没有规定这些东西,所以如果这些代码在你的编译器上能工作也是正常的,不过请注意可移植性!
针对如果a数组是全局变量的话,要在.data段分配数据,像我的代码中的使用方式gcc会报错的,还是使用宏定义吧,至少可移植性,可维护性比较好一点!我那样使用会有副作用的。而且在内核,驱动里面,应该不会有很复杂的算术表达式,这样的查询表也不会特别长,顶多也就是百十个字节,太多的话,就需要考虑这部分是否可以放到用户空间去做了。 |
|