我想在我的字符串中用零填充每个数字(它必须是 8 位数字)。
例如
asd 123 rete > asd 00000123 rete
4444 my text > 00004444 my text
是否可以使用正则表达式来做到这一点?特别是Regex.Replace()
?
请注意,对于不同的数字,零的数量是不同的。我的意思是填充的数字必须是 8 位数字。
微软为此内置了函数:
someString = someString.PadLeft(8, '0');
要使用正则表达式,请执行以下操作:
string someText = "asd 123 rete";
someText = Regex.Replace(someText, @"\d+", n => n.Value.PadLeft(8, '0'));
线程很旧,但也许有人需要这个。
Nickon 表示他想使用正则表达式。为什么?没关系,也许它很有趣。我必须在 SQL 中进行内联替换,因此一些调用 C# 正则表达式的自制 SQL 函数很有帮助。
我需要填充的东西看起来像这样:
abc 1.1.1
abc 1.2.1
abc 1.10.1
我想要:
abc 001.001.001
abc 001.002.001
abc 001.010.001
所以我可以按字母顺序排序。
到目前为止(我发现)唯一的解决方案是分两步进行填充和截断到正确的长度。我不能使用 Lambda,因为这是在 SQL 中,而且我还没有为此准备好我的函数。
//This pads any numbers and truncates it to a length of 8
var unpaddedData = "...";
var paddedData = Regex.Replace(unpaddedData , "(?<=[^\d])(?<digits>\d+)",
"0000000${digits}");
var zeroPaddedDataOfRightLength = Regex.Replace(paddedData ,"\d+(?=\d{8})","");
说明:
(?<=[^\d])(?<digits>\d+)
(?<=[^\d]) Look behind for any non digit, this is needed if there are
more groups of numbers that needs to be padded
(?<digits>\d+) Find the numbers and put them in a group named digits to be
used in the replacement pattern
0000000${digits} Pads all the digits matches with 7 zeros
\d+(?=\d{8}) Finds all digits that are followed by at exactly 8 digits.
?= Doesn't capture the 8 digits.
Regex.Replace(...,"\d+(?=\d{8})","")
Replaces the leading digits with nothing leaving the last 8.
如果您没有正则表达式的任何附件,只需使用格式字符串:
static void Main(string[] args)
{
string myCC = "4556364607935616";
string myMasked = Maskify(myCC);
Console.WriteLine(myMasked);
}
public static string Maskify(string cc)
{
int len = cc.Length;
if (len <= 4)
return cc;
return cc.Substring(len - 4).PadLeft(len, '#');
}
只需将“#”替换为 0 或“0”即可。希望有帮助:)