将 class 定义拆分为 C++ 中的多个模块单元
Splitting class definition into multiple module units in C++
有没有办法将class定义(实现)拆分成多个模块单元?如果一个或多个 class 的方法大到足以放在单独的源文件中,它会很有帮助。
我看到的最佳解决方案可能是模块接口文件中的 class 声明及其在单独模块实现文件中的方法定义之一。但它不起作用,因为编译器没有看到 class 声明编译模块实现文件:
//module interface unit
export module test;
export class foo
{
void f();
};
//module implementation unit
module test;
void foo::f() {} // compiler doesn't know about foo class and its methods
我想你问的是模块分区。通过将每个单独的模块制作成一个单独的模块,可以将单个模块拆分为多个源文件,但这些子模块会被识别并自动放回一个单独的命名模块中。
分区的语法是冒号和子名称。
module foo:part1;
您可以在此处阅读更多相关信息:https://vector-of-bool.github.io/2019/03/10/modules-1.html
Just like with C++ headers, there is no requirement that modules be split and subdivided into multiple files. Nevertheless, large source files can become intractable, so C++ modules also have a way to subdivide a single module into distinct translation units that are merged together to form the total module. These subdivisions are known as partitions.
Module.ixx
export module foolib;
export import :foo;
export import :fooimpl;
export import :fooimpl2;
foo.ixx
export module foolib:foo;
export class foo
{
public:
void hello1();
void hello2();
};
fooimpl1.ixx
export module foolib:fooimpl;
import :foo;
void foo::hello1() {}
fooimpl2.ixx
export module foolib:fooimpl2;
import :foo;
void foo::hello2() {}
非常感谢大家回答我的问题。我最初的问题中发布的示例有效。正如我在对 Davis Herring 的回答之一中所写(谢谢 Davis,在我的示例中更正了 class 方法的名称)问题出在我的编译环境中。完全没有必要使用模块分区来解决这个问题 - 它们用于不同的目的(例如,用于处理库)。
有没有办法将class定义(实现)拆分成多个模块单元?如果一个或多个 class 的方法大到足以放在单独的源文件中,它会很有帮助。 我看到的最佳解决方案可能是模块接口文件中的 class 声明及其在单独模块实现文件中的方法定义之一。但它不起作用,因为编译器没有看到 class 声明编译模块实现文件:
//module interface unit
export module test;
export class foo
{
void f();
};
//module implementation unit
module test;
void foo::f() {} // compiler doesn't know about foo class and its methods
我想你问的是模块分区。通过将每个单独的模块制作成一个单独的模块,可以将单个模块拆分为多个源文件,但这些子模块会被识别并自动放回一个单独的命名模块中。
分区的语法是冒号和子名称。
module foo:part1;
您可以在此处阅读更多相关信息:https://vector-of-bool.github.io/2019/03/10/modules-1.html
Just like with C++ headers, there is no requirement that modules be split and subdivided into multiple files. Nevertheless, large source files can become intractable, so C++ modules also have a way to subdivide a single module into distinct translation units that are merged together to form the total module. These subdivisions are known as partitions.
Module.ixx
export module foolib;
export import :foo;
export import :fooimpl;
export import :fooimpl2;
foo.ixx
export module foolib:foo;
export class foo
{
public:
void hello1();
void hello2();
};
fooimpl1.ixx
export module foolib:fooimpl;
import :foo;
void foo::hello1() {}
fooimpl2.ixx
export module foolib:fooimpl2;
import :foo;
void foo::hello2() {}
非常感谢大家回答我的问题。我最初的问题中发布的示例有效。正如我在对 Davis Herring 的回答之一中所写(谢谢 Davis,在我的示例中更正了 class 方法的名称)问题出在我的编译环境中。完全没有必要使用模块分区来解决这个问题 - 它们用于不同的目的(例如,用于处理库)。