In an effort to understand the move operator when dealing with a member that is an array, I wrote the following development test.
Why does this work and/or compile when I've violated the rule of 5 by not implementing an assignment or a move assignment operator?
I am currently using Visual Studio 2015.
#include <cstring>
#include <iostream>
#include <string>
struct Foo
{
Foo(const char * cstring, const std::string & string)
:
m_string(string)
{
strncpy_s(m_cstring, sizeof(m_cstring), cstring, _TRUNCATE);
}
Foo(const Foo & rhs)
:
m_string(rhs.m_string)
{
std::copy(rhs.m_cstring, rhs.m_cstring + sizeof(rhs.m_cstring), m_cstring);
}
Foo(Foo && rhs)
:
m_string(std::move(rhs.m_string))
{
std::copy(rhs.m_cstring, rhs.m_cstring + sizeof(rhs.m_cstring), m_cstring);
}
char m_cstring[6];
std::string m_string;
};
int main()
{
// Initialize
Foo a("Hello", "World");
// Copy constructor
Foo b(a);
std::cout << &a.m_cstring << " " << a.m_cstring << " " << a.m_string << std::endl;
std::cout << &b.m_cstring << " " << b.m_cstring << " " << b.m_string << std::endl << std::endl;
// Move constructor
Foo c(std::move(a));
std::cout << &c.m_cstring << " " << c.m_cstring << " " << c.m_string << std::endl << std::endl;
// Assignment operator
Foo d = c;
std::cout << &c.m_cstring << " " << c.m_cstring << " " << c.m_string << std::endl;
std::cout << &d.m_cstring << " " << d.m_cstring << " " << d.m_string << std::endl << std::endl;
// Move Assignment operator
Foo e = std::move(c);
std::cout << &e.m_cstring << " " << e.m_cstring << " " << e.m_string << std::endl << std::endl;
return 0;
}