我有两个cpp文件和一个hpp文件。 Main.cpp,Ab.cpp和Ab.hpp。
在这些文件中,我创建了一个具有默认构造函数的“ Ab”类, 接受字符串的构造函数。在该类中,我想重新定义*运算符以为该类的对象设置一个给定值,并删除分配给它的所有先前值。
要指出的是,我被指示不允许我在此任务中使用任何副本构造函数或副本assignemnt。这意味着我必须诉诸于使用纯移动构造函数和移动赋值对象。在这些主题中,我的知识非常有限,因为我以前只使用过基本的C#。
Main.cpp如下:
#include <iostream>
#include "Ab.hpp"
A MoveTest(std::string testData)
{
return Ab(new std::string(testData));
}
int main()
{
std::cout << "-----'Ab' Test Begin-----" << std::endl;
std::cout << "'Ab' test: Constructor begins." << std::endl;
Ab emptyAb;
Ab moveTestAb(new std::string("To remove"));
std::cout << "'Ab' test: Constructor done. Press enter to continue." << std::endl;
std::cin.get();
std::cout << "Ab' test: Moveoperator begins." << std::endl;
moveTestAb = MoveTest("This is a test movement");
std::cout << "Expected output: " << "This is a test movement" << std::endl;
std::cout << "Output from moveTestAb: " << *moveTestAb << std::endl;
std::cout << "'Ab' test: Moveoperator done. Press enter to continue." << std::endl;
std::cin.get();
std::cout << "-----'Ab' Test End-----" << std::endl;
std::cin.get();
}
Ab.cpp如下:
#include "Ab.hpp"
std::string Ab::Get() const
{
return "test";
}
bool Ab::Check() const
{
bool return_value = true;
if (this==NULL)
{
return_value = false;
}
return return_value;
}
Ab & Ab::operator=(const Ab &ptr)
{
return *this;
}
Ab & Ab::operator*(Ab &other)
{
if (this != &other) {
delete this->a_string;
this->a_string = other.a_string;
other.a_string = nullptr;
}
Ab *thing_to_return = &Ab(this->a_string);
return *thing_to_return;
}
Ab.hpp如下
#include <string>
class Ab
{
Ab(const Ab&) = delete;
std::string* a_string;
public:
Ab &operator=(const Ab&);
Ab& operator*(Ab&);
Ab();
Ab(std::string *the_string):
a_string(the_string){};
int b = 0;
int a = 3;
std::string Get() const;
~Ab() = default;
bool Check() const;
private:
int z = 0;
};
我当前收到错误消息:
没有运算符“ *”匹配这些操作数-操作数类型为:* AB
答案 0 :(得分:0)
Ab& operator*(Ab&);
这不允许您执行*ab
。当您执行ab*ab
时将调用此运算符;
https://gcc.godbolt.org/z/SDkcgl
Ab *thing_to_return = &Ab(this->a_string);
在这里,您将指针指向一个临时目录。您的代码还有更多问题。我建议逐步重写
答案 1 :(得分:0)