上述每种语言中的术语含义是什么?在这方面,为什么语言不同(无论他们做什么,如果他们做的话)?
答案 0 :(得分:11)
声明是一个声明,说“这是事物的名称和事物的类型,但我没有告诉你更多关于它的事情。”
定义是一个声明,上面写着“这里是某个东西的名称,它究竟是什么”。对于函数,这将是函数体;对于全局变量,这将是变量所在的转换单元。
初始化是一个定义,其中变量也被赋予初始值。某些语言会自动将所有变量初始化为某个默认值,例如0,false或null。有些(比如C / C ++)并非在所有情况下都是:所有全局变量都是默认初始化的,但堆栈上的局部变量和堆上动态分配的变量都没有默认初始化 - 它们具有未定义的内容,因此必须显式初始化他们。 C ++也有默认的构造函数,这是一整套蠕虫。
示例:
// In global scope:
extern int a_global_variable; // declaration of a global variable
int a_global_variable; // definition of a global variable
int a_global_variable = 3; // definition & initialization of a global variable
int some_function(int param); // declaration of a function
int some_function(int param) // definition of a function
{
return param + 1;
}
struct some_struct; // declaration of a struct; you can use pointers/references to it, but not concrete instances
struct some_struct // definition of a struct
{
int x;
int y;
};
class some_class; // declaration of a class (C++ only); works just like struct
class some_class // definition of a class (C++ only)
{
int x;
int y;
};
enum some_enum; // declaration of an enum; works just like struct & class
enum some_enum // definition of an enum
{
VALUE1,
VALUE2
};
我对你提到的其他语言并不熟悉,但我相信他们在声明和定义之间没有太多区别。 C#和Java具有所有对象的默认初始化 - 如果没有显式初始化,则所有内容都初始化为0,false或null。 Python更加宽松,因为变量在使用之前不需要声明。由于绑定在运行时被解析,因此也不需要声明函数。