我有一个像这样的字符串(c#,winforms):
private string source = @"CDM_DEBUG\D1_XS1000psc_1"
我希望将这个字符串分为两部分,第一部分应该是最后一个下划线之前的所有内容,即'CDM_DEBUG \ D1_XS1000psc',第二部分应该是'_1'。
然后我想从第一部分创建一个新字符串并将其设为'CDM_DEBUG \ D1_XS1000psc_2'
这样做的最快方法是什么?
答案 0 :(得分:8)
结帐String.LastIndexOf
。
int lastUnderscore = source.LastIndexOf('_');
if (lastUnderscore == -1)
{
// error, no underscore
}
string firstPart = source.Substring(0, lastUnderscore);
string secondPart = source.Substring(lastUnderscore);
它比正则表达式快吗?有可能。可能不是。
答案 1 :(得分:2)
也许这样的事情可行吗?
private const char fileNumberSeparator = '_';
private static string IncrementFileName(string fileName)
{
if (fileName == null)
throw new ArgumentNullException("fileName");
fileName = fileName.Trim();
if (fileName.Length == 0)
throw new ArgumentException("No file name was supplied.", "fileName");
int separatorPosition = fileName.LastIndexOf(fileNumberSeparator);
if (separatorPosition == -1)
return AppendFileNumber(fileName, 1);
string prefix = fileName.Substring(0, separatorPosition);
int lastValue;
if (int.TryParse(fileName.Substring(separatorPosition + 1, out lastValue)
return AppendFileNumber(prefix, lastValue + 1);
else
return AppendFileNumber(fileName, 1);
}
private static string AppendFileNumber(string fileNamePrefix, int fileNumber)
{
return fileNamePrefix + fileNumberSeparator + fileNumber;
}
答案 2 :(得分:1)
string doc = @"CDM_DEBUG\D1_XS1000psc_1";
var lastPos = doc.LastIndexOf("_");
if(lastPos!=-1){
string firstPart = doc.Substring(0,lastPos);
string secondPart = doc.Substring(lastPos);
var nextnumber = Int32.Parse(secondPart.TrimStart('_'))+1;
var output = firstPart + "_" + nextnumber;
}
答案 3 :(得分:0)
Indices and ranges功能在C#8.0+中可用,使您可以使用以下简洁语法分割字符串:
var firstPart = source[..^2];
var secondPart = source[^2..];