Following the examples in the online tutorials about the rules of 5, I wrote this class:
#include <iostream>
#include <cstring>
#include <utility>
class A2
{
char* _buff;
public:
A2(const char *text = "test") {
std::cout << "New A2\n";
_buff = new char[256];
size_t length = strnlen(text, 255) + 1;
strncpy(_buff, text, length);
}
virtual ~A2() {
std::cout << "Delete A2\n";
delete[] _buff; // deallocate
}
A2(const A2& other) : A2(other._buff) {
std::cout << "Copy constructor A2\n";
}
A2(A2&& other) noexcept : _buff(std::exchange(other._buff, nullptr)) {
std::cout << "Move constructor A2\n";
}
A2& operator=(const A2& other) {
std::cout << "Copy assignment A2\n";
return *this = A2(other);
}
A2& operator=(A2&& other) noexcept {
std::cout << "Move assignment A2\n";
std::swap(_buff, other._buff);
return *this;
}
};
And doing some tests it actually seems to work for me (it is copied with some customizations from the examples).
So I tried to create a class that inherits from A2 (in this case, the text as a constructor parameter is also passed to the parent but in their internal management they remain separate):
class B2 final : public A2
{
char* _buff2;
public:
B2(const char* text) : A2(text) {
_buff2 = new char[256];
size_t length = strnlen(text, 255) + 1;
strncpy(_buff2, text, length);
std::cout << "new B2\n";
}
~B2() {
std::cout << "delete B2\n";
delete[] _buff2; // deallocate
}
B2(const B2& other) : A2(other) {
_buff2 = new char[256];
size_t length = strnlen(other._buff2, 255) + 1;
strncpy(_buff2, other._buff2, length);
std::cout << "copy constructor B2\n";
}
B2(B2&& other) noexcept : A2(static_cast<A2&&>(other)), _buff2(std::exchange(other._buff2, nullptr))
{
std::cout << "move constructor B2\n";
}
B2& operator=(const B2& other) {
std::cout << "operator = in B2\n";
A2::operator= (other);
size_t length = strnlen(other._buff2, 255) + 1;
strncpy(_buff2, other._buff2, length);
return *this;
}
B2& operator=(B2&& other) noexcept {
std::cout << "move assignment B2\n";
A2::operator=(static_cast<A2&&>(other));
std::swap(_buff2, other._buff2);
return *this;
}
};
And it seems work fine (I did some testing here too, and checked that everything worked fine with the debugger).
But my doubt is: is what written for the B2 class is correct? I am not very convinced by the direct use of the operators (A2::operator = (other)
and A2::operator = (static_cast <A2&&> (other)))
to passing parameter to the parent.
Is there any way to write the same code more clearly and correctly?