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 86 87 88 89 90 91 92 93 94 95 96 97 98 99 100 101 102 103 104 105 106 107 108 109 110 111 112 113 114 115 116
|
|
#pragma warning(disable:4996) #include "String.h" #include <string.h> //#include <iostream> //using namespace std;
String::String(const char *str) { str_ = AllocAndCpy(str); }
String::String(const String &other) { str_ = AllocAndCpy(other.str_); }
String &String::operator=(const String &other) { if (this == &other) return *this;
return Assign(other.str_); }
String &String::operator=(const char *str) { return Assign(str); }
String &String::Assign(const char *str) { delete[] str_; str_ = AllocAndCpy(str); return *this; }
bool String::operator!() const { return strlen(str_) != 0; }
char &String::operator[](unsigned int index) { //return str_[index]; //non const 版本调用 const版本
return const_cast<char &>(static_cast<const String &>(*this)[index]); }
const char &String::operator[](unsigned int index) const { return str_[index]; }
String::~String() { delete[] str_; }
char *String::AllocAndCpy(const char *str) { int len = strlen(str) + 1; char *newstr = new char[len]; memset(newstr, 0, len); strcpy(newstr, str);
return newstr; }
void String::Display() const { cout << str_ << endl; }
String operator+(const String &s1, const String &s2) { //int len = strlen(s1.str_) + strlen(s2.str_) + 1; //char* newstr = new char[len]; //memset(newstr, 0, len); //strcpy(newstr, s1.str_); //strcat(newstr, s2.str_); // //String tmp(newstr); //delete newstr; String str = s1; str += s2; return str; }
String &String::operator+=(const String &other) { int len = strlen(str_) + strlen(other.str_) + 1; char *newstr = new char[len]; memset(newstr, 0, len); strcpy(newstr, str_); strcat(newstr, other.str_);
delete[] str_;
str_ = newstr; return *this; }
ostream &operator<<(ostream &os, const String &str) { os << str.str_; return os; }
istream &operator>>(istream &is, String &str) { char tmp[1024]; cin >> tmp; str = tmp; return is; }
|
请发表评论