StringBuffer.h 2.1 KB

123456789101112131415161718192021222324252627282930313233343536373839404142434445464748495051525354555657585960616263646566676869707172737475767778798081828384858687888990919293949596979899100101102103104105106
  1. #ifndef STRINGBUFFER_H
  2. #define STRINGBUFFER_H
  3. #include <cstring>
  4. template<int N>
  5. class StringBuffer final {
  6. int length;
  7. char data[N];
  8. public:
  9. StringBuffer() : length(0) {
  10. data[0] = '\0';
  11. }
  12. StringBuffer(const char* str) : StringBuffer() {
  13. append(str);
  14. }
  15. bool operator==(const char* str) const {
  16. return strcmp(data, str) == 0;
  17. }
  18. bool operator==(const StringBuffer& other) const {
  19. return length == other.length && other == data;
  20. }
  21. bool operator!=(const char* str) const {
  22. return !((*this) == str);
  23. }
  24. bool operator!=(const StringBuffer& other) const {
  25. return !((*this) == other);
  26. }
  27. operator const char*() const {
  28. return data;
  29. }
  30. char operator[](int index) const {
  31. return data[index];
  32. }
  33. int getLength() const {
  34. return length;
  35. }
  36. StringBuffer& append(char c) {
  37. if(length < N - 1) {
  38. data[length++] = c;
  39. data[length] = '\0';
  40. }
  41. return *this;
  42. }
  43. StringBuffer& append(const char* str) {
  44. for(int i = 0; length < N - 1 && str[i] != '\0'; length++, i++) {
  45. data[length] = str[i];
  46. }
  47. data[length] = '\0';
  48. return *this;
  49. }
  50. template<typename T>
  51. StringBuffer& append(const char* format, const T& t) {
  52. int left = N - length;
  53. int written = snprintf(data + length, left, format, t);
  54. if(written < left) {
  55. length += written;
  56. } else {
  57. length = N - 1;
  58. }
  59. return *this;
  60. }
  61. StringBuffer& append(int i) {
  62. return append("%d", i);
  63. }
  64. StringBuffer& append(float i) {
  65. return append("%.2f", i);
  66. }
  67. StringBuffer& append(bool b) {
  68. return b ? append("true") : append("false");
  69. }
  70. StringBuffer& clear() {
  71. length = 0;
  72. data[0] = '\0';
  73. return *this;
  74. }
  75. };
  76. template<int N>
  77. bool operator==(const char* str, const StringBuffer<N> buffer) {
  78. return buffer == str;
  79. }
  80. template<int N>
  81. bool operator!=(const char* str, const StringBuffer<N> buffer) {
  82. return buffer != str;
  83. }
  84. #endif