假设我有:
string abc="Your name = Hello World";
使用长度函数我匹配=
运算符的位置的存在,但是如何从此字符串复制=
之后的所有单词,例如“Hello Word”到另一个?
答案 0 :(得分:5)
string abc="Your name = Hello World";
abc.Substring(abc.IndexOf("=")+1); //returns " Hello World"
答案 1 :(得分:3)
有几种方法可以做到这一点。以下是一些例子......
使用Split
:
string[] parts = abc.Split(new char[]{'='}, 2);
if (parts.Length != 2) { /* Error */ }
string result = parts[1].TrimStart();
使用IndexOf
和Substring
:
int i = abc.IndexOf('=');
if (i == -1) { /* Error */ }
string s = abc.Substring(abc, i).TrimStart();
使用正则表达式(可能有点过分):
Match match = Regex.Match(abc, @"=\s*(.*)");
if (!match.Success) { /* Error */ }
string result = match.Groups[1].Value;
答案 2 :(得分:0)
string newstring = abc.Substring(abc.IndexOf("=") + 2);
答案 3 :(得分:0)
string abc="Your name = Hello World";
string[] newString = abc.Split('=');
/*
newString[0] is 'Your name '
newString[1] is ' Hello World'
*/