1 2 3 4 5 6 7 8 9 10 11 12 13 14 15 16 17 18 19 20 21 22 23 24 25 26 27 28 29 30 31 32 33 34 35 36 37 38 39 40 41 42 43 44 45 46 47 48 49 50 51 52 53 54 55 56 57 58 59 60 61 62 63 64 65 66 67 68 69 70 71 72 73 74 75 76 77 78 79 80 81 82 83 84 85
| #include <iostream>
class String { public: String() = default; String(const char* string) { printf("Create...\n"); m_Size = (uint32_t)strlen(string); m_Str = new char[m_Size]; memcpy(m_Str, string, m_Size); } String(const String& other) { printf("Copy...\n"); m_Size = other.m_Size; m_Str = new char[m_Size]; memcpy(m_Str, other.m_Str, m_Size); } String(String&& other) noexcept { printf("Move...\n"); m_Size = other.m_Size; m_Str = other.m_Str; other.m_Size = 0; other.m_Str = nullptr; } String& operator=(String&& other) noexcept { printf("Move...\n"); if (this != &other) { delete[] this->m_Str;
m_Size = other.m_Size; m_Str = other.m_Str; other.m_Size = 0; other.m_Str = nullptr; } return *this; } ~String() { printf("Destroyed...\n"); delete m_Str; } void Print() { for (uint32_t i = 0; i < m_Size; i++) { printf("%c", m_Str[i]); } printf("\n"); } private: char* m_Str; uint32_t m_Size; };
class Entity { public: Entity(const String& name) : m_Name(name) {
} Entity(String&& name) : m_Name(std::move(name)) {
} void PrintName() { m_Name.Print(); } private: String m_Name; };
int main() {
String apple = "Apple"; String dest; apple.Print(); dest.Print(); printf("----\n"); dest = std::move(apple); apple.Print(); dest.Print(); std::cin.get(); }
|