如果我想使用一个字作为分隔符分割字符串,该怎么办?

例如,这是一个句子。

我想分开,得到这个和一句话。

在Java中,我可以发送一个字符串作为分隔符,但我如何在c#中实现这一点?


当前回答

你可以使用正则表达式。拆分方法,就像这样:

Regex regex = new Regex(@"\bis\b");
string[] substrings = regex.Split("This is a sentence");

foreach (string match in substrings)
{
   Console.WriteLine("'{0}'", match);
}

编辑:这满足了你给出的例子。注意,一个普通的字符串。Split也会在单词“This”后面的“is”上进行拆分,因此我使用了Regex方法,并在“is”周围包含了单词边界。但是请注意,如果您只是错误地编写了这个示例,那么String。分裂可能就足够了。

其他回答

http://msdn.microsoft.com/en-us/library/system.string.split.aspx

文档中的例子:

string source = "[stop]ONE[stop][stop]TWO[stop][stop][stop]THREE[stop][stop]";
string[] stringSeparators = new string[] {"[stop]"};
string[] result;

// ...
result = source.Split(stringSeparators, StringSplitOptions.None);

foreach (string s in result)
{
    Console.Write("'{0}' ", String.IsNullOrEmpty(s) ? "<>" : s);
}
string s = "This is a sentence.";
string[] res = s.Split(new string[]{ " is " }, StringSplitOptions.None);

for(int i=0; i<res.length; i++)
    Console.Write(res[i]);

编辑:“is”在数组的两边用空格填充,以保持这样一个事实,即你只想从句子中删除“is”一词,而“this”一词保持不变。

根据这篇文章的现有回复,这简化了实现:)

namespace System
{
    public static class BaseTypesExtensions
    {
        /// <summary>
        /// Just a simple wrapper to simplify the process of splitting a string using another string as a separator
        /// </summary>
        /// <param name="s"></param>
        /// <param name="pattern"></param>
        /// <returns></returns>
        public static string[] Split(this string s, string separator)
        {
            return s.Split(new string[] { separator }, StringSplitOptions.None);
        }


    }
}

你可以使用正则表达式。拆分方法,就像这样:

Regex regex = new Regex(@"\bis\b");
string[] substrings = regex.Split("This is a sentence");

foreach (string match in substrings)
{
   Console.WriteLine("'{0}'", match);
}

编辑:这满足了你给出的例子。注意,一个普通的字符串。Split也会在单词“This”后面的“is”上进行拆分,因此我使用了Regex方法,并在“is”周围包含了单词边界。但是请注意,如果您只是错误地编写了这个示例,那么String。分裂可能就足够了。

...简而言之:

string[] arr = "This is a sentence".Split(new string[] { "is" }, StringSplitOptions.None);