模仿 `super` 关键字:在实例化期间设置 `base` class 和 `derived` class 字段

Mimic `super` keyword: Set `base` class and `derived` class field during instantiation

考虑以下代码:

#include <iostream>

struct Parent {
  int baseA_ = 0;
  double baseB_ = 0.0;

  Parent() = default;
  virtual ~Parent() = default;

  Parent(int a) : baseA_{a} {}

  Parent(int a, double b) : baseA_{a}, baseB_{b} {}

  auto set(int a) -> void { baseA_ = a; }

  auto set(int a, double b) -> void {
    baseA_ = a;
    baseB_ = b;
  }
};

struct AnotherParent {
  std::string baseA_ = {};

  AnotherParent() = default;
  virtual ~AnotherParent() = default;

  AnotherParent(const std::string &a) : baseA_{a} {}

  auto set(const std::string &a) -> void { baseA_ = a; }
};

// Notice that the `Child` class inherits from T.
template <typename T>
struct Child : public T {
  int derivedA_ = 0;

  Child() = default;
  ~Child() = default;

  Child(int a) : derivedA_{a} {}

  auto super(auto... args) -> Child & {
    T::set(args...);
    return (*this);
  }
};

int main() {
  auto c1 = Child<Parent>(23).super(23, 3.5);
  auto c2 = Child<AnotherParent>(243).super("Hello, World!");

  std::cout << "C1 - Base -> A: " << c1.baseA_ << ", B: " << c1.baseB_
            << std::endl;
  std::cout << "C1 - Derived -> A: " << c1.derivedA_ << std::endl;

  std::cout << "C2 - Base -> A: " << c2.baseA_ << std::endl;
  std::cout << "C2 - Derived -> A: " << c2.derivedA_ << std::endl;
  return 0;
}

编译使用:

g++ -std=c++17 -fconcepts Main.cpp

g++ -std=c++14 -fconcepts Main.cpp

我想达到什么目的?

我想在实例化期间同时初始化子 class(继承自模板 class 类型)和父 class 字段。我不想将父 class 对象作为参数传递给构造函数。

优点:

  1. 它可用于设置 super class(我的意思是)任何类型的数据字段。
  2. 如果 set() 方法不合适,它通过生成 compiler-error 来提供安全性。
  3. 无需重载子 class 构造函数来设置 super class 数据字段 (事实上​​,没有人可以重载子 class 构造函数来匹配任何超级 class,或者这可能吗?我不确定)。
  4. 调用 super() 是可选的。

限制:

  1. 仅适用于单继承,但可以实现接口。
  2. 父 class 应该有一个 set() 方法。

查询:

  1. 我的实施方式 super - 是一种好的做法吗?
  2. 有什么隐藏的缺点吗​​?
  3. 是否违反成语?
  4. 可以使用-fconcepts吗?
  5. 如果好的话,还能改进吗?比如,我应该实现一些接口以使其更易于维护或确保 set() 方法的可用性。
  6. 你有什么看法?

您可以将 super 方法替换为转发到基础 class.

的模板构造函数
template <typename T>
struct Child : public T {
  int derivedA_ = 0;

  Child() = default;
  ~Child() = default;

  Child(int a) : derivedA_{a} {}

  template <typename... Args>
  Child(int a, Args&&... args) : T{std::forward<Args>(args)...}, derivedA_{a} {}
};

现在你可以像这样使用它了

auto c1 = Child<Parent>(23, 23, 3.5);
auto c2 = Child<AnotherParent>(243, "Hello, World!");
auto c3 = Child<Parent>(23, 42);

编辑:

只是关于 AnotherParent 构造函数的注释。由于您通过 const ref 传入 std::string,因此您总是必须将其复制到成员中。

在那种情况下,最好按值获取参数。在最坏的情况下,您仍然会在那里制作一份副本,但是当我们将右值传递给构造函数时,我们得到的是移动而不是副本。

AnotherParent(std::string a) : baseA_{std::move(a)} {}