如果我有一个字符串:" user:jim; id:23; group:49st;" 如何用其他东西替换组代码(第49个),以便显示:" user:jim; id = 23; group:76pm;"
抱歉,如果问题很简单,但我还没有找到具体的答案,只是与我的情况不同。答案 0 :(得分:7)
您可以像这样使用“group”的索引
string s = "user:jim;id:23;group:49st;";
string newS = s.Substring(0,s.IndexOf("group:") + 6);
string restOfS = s.IndexOf(";",s.IndexOf("group:") + 6) + 1 == s.Length
? ""
: s.Substring(s.IndexOf(";",s.IndexOf("group:") + 6) + 1);
newS += "76pm;";
s = newS + restOfS;
s = criteria ? true : false
的行基本上是一个if,但它使用三元运算符放在一行上。
或者,如果您知道已经有哪些文字以及应该替换哪些文字,您可以使用Replace
s = s.Replace("49st","76pm");
作为一个额外的预防措施,如果你并不总是在字符串中包含这个“group:”部分,为避免错误,请将其置于首先检查的if
if(s.Contains("group:"))
{
//Code
}
答案 1 :(得分:3)
使用正则表达式查找匹配项,并将其替换为原始字符串中的新值,如下所述:
string str = "user:jim;id=23;group:49st;";
var match = Regex.Match(str, "group:.*;").ToString();
var newGroup = "group:76pm;";
str = str.Replace(match, newGroup);
答案 2 :(得分:1)
无论小组出现在字符串中的哪个位置,此解决方案都应该有效:
string input = "user:jim;id:23;group:49st;";
string newGroup = "76pm";
string output = Regex.Replace(input, "(group:)([^;]*)", "${1}"+newGroup);
答案 3 :(得分:1)
这是一种非常通用的方法,用于分割输入,更改项目,然后将项目重新连接到字符串。它不适用于您的示例中的单个替换,而是用于显示如何拆分和连接字符串中的项目。
我使用正则表达式来分割项目,然后将结果放入字典中。
using System;
using System.Collections.Generic;
using System.Linq;
using System.Text;
using System.Text.RegularExpressions;
namespace ConsoleApplication1
{
class Program
{
static void Main(string[] args)
{
string pattern = "(?'name'[^:]):(?'value'.*)";
string input = "user:jim;id:23;group:49st";
Dictionary<string,string> dict = input.Split(new char[] { ';' }, StringSplitOptions.RemoveEmptyEntries).Select(x => new
{
name = Regex.Match(x, pattern).Groups["name"].Value,
value = Regex.Match(x, pattern).Groups["value"].Value
}).GroupBy(x => x.name, y => y.value)
.ToDictionary(x => x.Key, y => y.FirstOrDefault());
dict["group"] = "76pm";
string output = string.Join(";",dict.AsEnumerable().Select(x => string.Join(":", new string[] {x.Key, x.Value})).ToArray());
}
}
}
答案 4 :(得分:1)
这只是一种方法。我希望它会对你有所帮助。
using System;
using System.Collections.Generic;
using System.Linq;
using System.Text;
using System.Threading.Tasks;
namespace stringi
{
class Program
{
static void Main(string[] args)
{
//this is your original string
string s = "user:jim;id:23;group:49st";
//string with replace characters
string s2 = "76pm";
//convert string to char array so you can rewrite character
char[] c = s.ToCharArray(0, s.Length);
//asign characters to right place
c[21] = s2[0];
c[22] = s2[1];
c[23] = s2[2];
c[24] = s2[3];
//this is your new string
string new_s = new string(c);
//output your new string
Console.WriteLine(new_s);
Console.ReadLine();
}
}
}
答案 5 :(得分:0)
string a = "user:jim;id:23;group:49st";
string b = a.Replace("49st", "76pm");
Console.Write(b);