40 lines
1.0 KiB
C++
40 lines
1.0 KiB
C++
#pragma once
|
|
|
|
#include <iostream>
|
|
#include <vector>
|
|
|
|
std::vector<std::string> splitString(const std::string& input, std::string delimiter) {
|
|
std::vector<std::string> tokens;
|
|
std::string token;
|
|
size_t start = 0;
|
|
size_t end = input.find(delimiter);
|
|
|
|
while (end != std::string::npos) {
|
|
token = input.substr(start, end - start);
|
|
tokens.push_back(token);
|
|
start = end + 1;
|
|
end = input.find(delimiter, start);
|
|
}
|
|
|
|
// Add the last token (after the last delimiter)
|
|
token = input.substr(start, end);
|
|
tokens.push_back(token);
|
|
|
|
return tokens;
|
|
}
|
|
|
|
std::string trim(const std::string& str) {
|
|
// Find the first non-whitespace character
|
|
size_t start = str.find_first_not_of(" \t\n\r");
|
|
|
|
// If the string is all whitespace, return an empty string
|
|
if (start == std::string::npos) {
|
|
return "";
|
|
}
|
|
|
|
// Find the last non-whitespace character
|
|
size_t end = str.find_last_not_of(" \t\n\r");
|
|
|
|
// Extract the trimmed substring
|
|
return str.substr(start, end - start + 1);
|
|
} |