正则表达式从字符串中删除任何货币符号?

时间:2010-11-08 01:06:56

标签: c# regex

我正在尝试从字符串值中删除任何货币符号。

using System;
using System.Windows.Forms;
using System.Text.RegularExpressions;

namespace WindowsFormsApplication1
{
    public partial class Form1 : Form
    {
        string pattern = @"(\p{Sc})?";
        public Form1()
        {
            InitializeComponent();
        }

        private void Form1_Load(object sender, EventArgs e)
        {
            decimal x = 60.00M;
            txtPrice.Text = x.ToString("c");
        }

        private void btnPrice_Click(object sender, EventArgs e)
        {
            Regex rgx = new Regex(pattern);
            string x = rgx.Replace(txtPrice.Text, "");
            txtPrice.Text = x;
        }
    }
}
// The example displays the following output:
// txtPrice.Text = "60.00";

这样可行,但不会删除阿拉伯语中的货币符号。我不知道为什么。

以下是带有货币符号的示例阿拉伯字符串。

txtPrice.Text = "ج.م.‏ 60.00";

2 个答案:

答案 0 :(得分:9)

与符号不匹配 - 制作与数字匹配的表达式。

尝试这样的事情:

 ([\d,.]+)

要考虑的货币符号过多。最好只捕获您想要的数据。前面的表达式将仅捕获数值数据和任何位置分隔符。

使用如下表达式:

var regex = new Regex(@"([\d,.]+)");

var match = regex.Match(txtPrice.Text);

if (match.Success)
{
    txtPrice.Text = match.Groups[1].Value;
}

答案 1 :(得分:0)

Andrew Hare的答案几乎是正确的,你总是可以使用\ d。*匹配数字,它会匹配你所讨论文本的任何数字。