Keil C 中全局变量的使用

2019-04-15 16:34发布

Keil C 中全局变量的使用 KEIL C中,有多个源文件使用到全局变量时,可以在一个源文件中定义全局变量,在另外的源文件中用extern 声明该变量,说明该变量定义在别的文件中,将其作用域扩展到此文件。 例如:有以下两个源文件test1.ctest2.c //test1.c char aaa;                                //定义aaa func1() { char bbb; aaa = bbb; } ……   //test2.c extern char aaa;          //aaa的作用域扩展到此 func2() { char ccc; aaa =ccc; } …… 如果还有其他文件要用到aaa,用法同test2.c,使用extern char aaa;语句将aaa的作用域扩展到此,然后就可以使用它。 这里要特别注意的是:在使用extern时,不要忘了变量的类型,也就是上面例子变量aaa的修饰符char,不然结果就不是你想要的结果了,aaa的值将不可预料。 本来我想尝试把全局变量定义到头文件里面的,可是屡试不爽,编译器老是报重定义的错,还举上面的例子,具体如下: //test1.h #ifndef __TEST1_H__ #define __TEST1_H__ char aaa;                                         //test1.c的头文件中定义aaa func1();   #endif   //test1.c #include “test1.h” func1()                                                       //func1中给aaa赋值 { char bbb; aaa = bbb;  } ////////////////////////////////////////////////////////////// //test2.h #ifndef __TEST2_H__ #define __TEST2_H__ extern char aaa;                                       //test2.c的头文件中声明aaa为外部变量 func2();   #endif   //test2.c #include “test1.h”                                               //包括test1.h #include “test2.h” func2() { char ccc; aaa =ccc; }     可是编译器总是报aaa重定义的错,经过改正,编译通过,修改如下: //test1.h #ifndef __TEST1_H__ #define __TEST1_H__ extern char aaa;                                      //test1.c的头文件中声明外部变量aaa func1();   #endif   //test1.c #include “test1.h” char aaa;                                                     //test1.c中定义aaa func1()                                                       //func1中给aaa赋值 { char bbb; aaa = bbb;  } ////////////////////////////////////////////////////////////// //test2.h #ifndef __TEST2_H__ #define __TEST2_H__ func2();   #endif   //test2.c #include “test1.h”                                               //包括test1.h #include “test2.h” func2() { char ccc; aaa =ccc; } 也就是说,只要在使用的源文件中定义全局变量,在对应头文件中声明该全局变量为外部变量,即该变量允许外部使用,在其他要使用该变量的源文件中包括该头文件即可。