utils.cpp 2.0 KB

12345678910111213141516171819202122232425262728293031323334353637383940414243444546474849505152535455565758596061626364656667686970717273
  1. #include "utils.h"
  2. #include <regex>
  3. #include <string>
  4. #include <vector>
  5. bool replace(std::string &str, const std::string &from, const std::string &to) {
  6. size_t start_pos = str.find(from);
  7. if (start_pos == std::string::npos) return false;
  8. do {
  9. str.replace(start_pos, from.length(), to);
  10. } while ((start_pos = str.find(from)) != std::string::npos);
  11. return true;
  12. }
  13. bool replace(std::string &str, const char *from, const char *to) {
  14. size_t start_pos = str.find(from);
  15. if (start_pos == std::string::npos) return false;
  16. do {
  17. str.replace(start_pos, strlen(from), to);
  18. } while ((start_pos = str.find(from)) != std::string::npos);
  19. return true;
  20. }
  21. void ansi_clean(std::string &str) {
  22. static std::regex ansi_cleaner("\x1b\[[0-9;]*[A-Zmh]",
  23. std::regex_constants::ECMAScript);
  24. str = std::regex_replace(str, ansi_cleaner, "");
  25. }
  26. void high_ascii(std::string &str) {
  27. // the + replaces all of them into one. I want each high ascii replaced with
  28. // #.
  29. static std::regex high_cleaner("[\x80-\xff]",
  30. std::regex_constants::ECMAScript);
  31. str = std::regex_replace(str, high_cleaner, "#");
  32. }
  33. std::smatch ansi_newline(const std::string &str) {
  34. static std::regex ansi_nl("\x1b\[[0-9;]*[JK]",
  35. std::regex_constants::ECMAScript);
  36. std::smatch m;
  37. std::regex_search(str, m, ansi_nl);
  38. return m;
  39. }
  40. std::string clean_string(const std::string &source) {
  41. std::string clean = source;
  42. replace(clean, "\n", "\\n");
  43. replace(clean, "\r", "\\r");
  44. replace(clean, "\b", "\\b");
  45. // ANSI too
  46. ansi_clean(clean);
  47. // BUGZ_LOG(error) << "cleaned: " << clean;
  48. high_ascii(clean);
  49. replace(clean, "\x1b", "^");
  50. return clean;
  51. }
  52. std::vector<std::string> split(const std::string &line) {
  53. static std::regex rx_split("[^\\s]+");
  54. std::vector<std::string> results;
  55. for (auto it = std::sregex_iterator(line.begin(), line.end(), rx_split);
  56. it != std::sregex_iterator(); ++it) {
  57. results.push_back(it->str());
  58. }
  59. return results;
  60. }