十进制数的正则表达式

我需要validationtextbox输入,并且只能允许十进制输入,如: X,XXX (十进制符号前只有一位数,精度为3)。

我正在使用C#并试试这个^[0-9]+(\.[0-9]{1,2})?$

 ^[0-9]([.,][0-9]{1,3})?$ 

它允许:

 0 1 1.2 1.02 1.003 1.030 1,2 1,23 1,234 

但不是:

 .1 ,1 12.1 12,1 1. 1, 1.2345 1,2345 

有一种替代方法,它没有I18n问题(允许’,’或’。’而不是两者): Decimal.TryParse

试试转换,忽略价值。

 bool IsDecimalFormat(string input) { Decimal dummy; return Decimal.TryParse(input, out dummy); } 

这比使用正则表达式快得多,见下文。

Decimal.TryParse的重载可用于更精细的控制。)


性能测试结果:Decimal.TryParse:0.10277ms,正则表达式:0.49143ms

代码( PerformanceHelper.Run是一个帮助程序,而不是为传递的迭代计数运行委托并返回平均TimeSpan 。):

 using System; using System.Text.RegularExpressions; using DotNetUtils.Diagnostics; class Program { static private readonly string[] TestData = new string[] { "10.0", "10,0", "0.1", ".1", "Snafu", new string('x', 10000), new string('2', 10000), new string('0', 10000) }; static void Main(string[] args) { Action parser = () => { int n = TestData.Length; int count = 0; for (int i = 0; i < n; ++i) { decimal dummy; count += Decimal.TryParse(TestData[i], out dummy) ? 1 : 0; } }; Regex decimalRegex = new Regex(@"^[0-9]([\.\,][0-9]{1,3})?$"); Action regex = () => { int n = TestData.Length; int count = 0; for (int i = 0; i < n; ++i) { count += decimalRegex.IsMatch(TestData[i]) ? 1 : 0; } }; var paserTotal = 0.0; var regexTotal = 0.0; var runCount = 10; for (int run = 1; run <= runCount; ++run) { var parserTime = PerformanceHelper.Run(10000, parser); var regexTime = PerformanceHelper.Run(10000, regex); Console.WriteLine("Run #{2}: Decimal.TryParse: {0}ms, Regex: {1}ms", parserTime.TotalMilliseconds, regexTime.TotalMilliseconds, run); paserTotal += parserTime.TotalMilliseconds; regexTotal += regexTime.TotalMilliseconds; } Console.WriteLine("Overall averages: Decimal.TryParse: {0}ms, Regex: {1}ms", paserTotal/runCount, regexTotal/runCount); } } 
 \d{1}(\.\d{1,3})? Match a single digit 0..9 «\d{1}» Exactly 1 times «{1}» Match the regular expression below and capture its match into backreference number 1 «(\.\d{1,3})?» Between zero and one times, as many times as possible, giving back as needed (greedy) «?» Match the character “.” literally «\.» Match a single digit 0..9 «\d{1,3}» Between one and 3 times, as many times as possible, giving back as needed (greedy) «{1,3}» Created with RegexBuddy 

火柴:
1
1.2
1.23
1.234

一般来说,即无限小数位:

^-?(([1-9]\d*)|0)(.0*[1-9](0*[1-9])*)?$

我刚发现TryParse()有一个问题,它占了数千个分离器。 En-US中的示例,10,36.00即可。 我有一个特定的场景,不应该考虑成千上万的分隔符,因此正则表达式\d(\.\d)被certificate是最好的选择。 当然必须为不同的语言环境保留decimal char变量。

在.NET中,我建议使用当前文化上下文的小数分隔符动态构建正则表达式:

 using System.Globalization; ... NumberFormatInfo nfi = NumberFormatInfo.CurrentInfo; Regex re = new Regex("^(?\\d+(" + Regex.Escape(nfi.CurrencyDecimalSeparator) + "\\d{1,2}))$"); 

您可能希望通过允许1000er分隔符与小数分隔符相同的方式来对正则表达式进行操作。

在我讨论这个问题时,3.5中的TryParse确实有NumberStyles:下面的代码也可以在没有Regex的情况下忽略数千个分隔符。

 double.TryParse(length, NumberStyles.AllowDecimalPoint,CultureInfo.CurrentUICulture, out lengthD)) 

与原始问题无关,但确认TryParse()确实是一个不错的选择。