我有基类帐户和派生类学生和教师。我在CRTP中实现读/写,这样我就不需要在每个类中编写函数。
奇怪的是,在read函数中有对象切片,*这在函数中使用,但在write函数中没有。
有人能解释这里发生了什么吗?以及如何解决它?
// Account.h
class Account {
public:
Account();
virtual void callMenu() = 0;
protected:
int ID;
// Some more data (Total of 148 bytes)
}
// AccountCRTP.h
template<class T>
class AccountCRTP : public Account {
public:
// To prevent object slicing
void callMenu() {
T account;
account.ID = this->ID;
cout << "Account size: " << sizeof(account) << " bytes\n"; pause(); // 268 bytes
if (account.readData())
account.menu();
}
bool readData() {
T account;
cout << "Account size : " << sizeof(account) << " bytes\n"; pause(); // 268 bytes
cout << "This size : " << sizeof(*this) << " bytes\n"; pause(); // 148 bytes??? Why?
while (reading data to account) {
if (this->ID == account.ID) {
*this = account; // Object slicing happens
return true;
}
}
return false;
}
bool writeData() {
T temp;
int position = 0l
while (reading data to temp) {
if (this->ID == account.ID)
break;
position++;
}
cout << "Account size : " << sizeof(temp) << " bytes\n"; pause(); // 268 bytes
cout << "This size : " << sizeof(*this) << " bytes\n"; pause(); // 148 bytes right?
datafile.seekp(position * sizeof(T));
// For unknown reason this also writes scores of the student
// Object slicing didn't happen here. Why?
datafile.write((char*)this, sizeof(T));
}
private:
// No additional data in this class (Still 148 bytes)
}
// Student.h
class Student :
public AccountCRTP<Student>
{
public:
void menu() {
// Student menu
}
private:
// Some more 120 bytes of data (Total of 268 bytes)
}
// main.cpp
int main() {
vector<unique_ptr<Account>> account;
account.push_back(unique_ptr<Account>(new Student));
account.push_back(unique_ptr<Account>(new Teacher));
account[0]->callMenu();
}
答案 0 :(得分:1)
*this = account; // Object slicing happens
“对象切片发生”是的,而您正在丢失account
你真正需要的是
*static_cast<T*>(this) = account;
保留派生的T
中的内容。
static_cast<T*>(this)
技巧是使Static Polymorphism工作的类型安全的全部要点
所有可能的类型检查都将在编译时应用。
让我们在@Yakk's comment上提到的更多语法糖:
template<typename T>
struct CRTPBase {
T const& self() const { return *static_cast<T const*>(this); }
T& self() { return *static_cast<T*>(this); }
};
然后该行成为
self() = account;
对于这种情况,即使使用c预处理器宏似乎也是合适的:
#define DEFINE_CRTP_SELF(derived_param) \
derived_param const& self() const { return *static_cast<derived_param const*>(this); }
derived_param& self() { return *static_cast<derived_param*>(this); }
并使用它:
template<typename T>
class CRTP {
public:
DEFINE_CRTP_SELF(T);
};
注意:如果你在运行时有一些奇怪的东西(来自void*
指针左右),你就会陷入地狱。