我创建了一个程序,根据.
将字符串拆分为更多字符串
所以,例如,假设我输入字符串
Workspace.SiteNet.Character.Humanoid
支持打印
Workspace
SiteNet
Character
Humanoid
然而,它打印
Workspace
SiteNet.Character
Character.Humanoid
Humanoid
这是代码。
#include "stdafx.h"
#include <Windows.h>
#include <iostream>
#include <vector>
#include <sstream>
#include <WinInet.h>
#include <fstream>
#include <istream>
#include <iterator>
#include <algorithm>
#include <string>
#include <Psapi.h>
#include <tlhelp32.h>
int main() {
std::string str;
std::cin >> str;
std::size_t pos = 0, tmp;
std::vector<std::string> values;
while ((tmp = str.find('.', pos)) != std::string::npos) {
values.push_back(str.substr(pos, tmp));
pos = tmp + 1;
}
values.push_back(str.substr(pos, tmp));
for (pos = 0; pos < values.size(); ++pos){
std::cout << "String part " << pos << " is " << values[pos] << std::endl;
}
Sleep(5000);
}
答案 0 :(得分:6)
您的问题是您传递给str.substr
string::substr
有两个参数:起始位置和要提取的子字符串的长度。
std::vector<std::string> split_string(const string& str){
std::vector<std::string> values;
size_t pos(0), tmp;
while ((tmp = str.find('.',pos)) != std::string::npos){
values.push_back(str.substr(pos,tmp-pos));
pos = tmp+1;
}
if (pos < str.length()) // avoid adding "" to values if '.' is last character in str
values.push_back(str.substr(pos));
return values;
}
答案 1 :(得分:1)
我认为在s
中找到最后一个点会更容易,将点后的所有内容的子字符串推入向量,然后在最后一个点之前调整s
。重复此操作,直到没有点,然后将s
推入矢量。
以下是如何实现的:
#include <iostream>
#include <string>
#include <vector>
std::vector<std::string> split_at_dot(std::string& s) {
std::vector<std::string> matches;
size_t pos;
// while we can find the last dot
while((pos = s.find_last_of(".")) != -1) {
// push back everything after the dot
matches.push_back(s.substr(pos+1));
// update s to be everything before the dot
s = s.substr(0, pos);
}
// there are no more dots - push back the rest of the string
matches.push_back(s);
// return the matches
return matches;
}
int main() {
std::string s = "Workspace.SiteNet.Character.Humanoid";
std::vector<std::string> matches = split_at_dot(s);
for(auto match: matches) {
std::cout << match << std::endl;
}
}
当我在你的输入上运行它时,我得到:
Humanoid
Character
SiteNet
Workspace
请注意,这将为您提供相反的预期答案。如果按顺序获得它们非常重要,您可以使用std::stack
或在调用函数后反转std::vector
。