如何在c#中验证价格范围值
本文关键字:范围 验证 | 更新日期: 2023-09-27 18:01:43
我正在为我的销售和库存添加材料。到目前为止,我需要一个验证,当添加材料时,销售价格必须大于购买价格。
这是我的代码,我在if/else语句中得到一个错误,其中我的txtPurchasePrice和txtSellingPrice的值是十进制(18,2)。
protected void btnAdd_Click(object sender, EventArgs e)
{
if (txtSellingPrice.Text >= txtPurchasePrice.Text)
{
con.Open();
SqlCommand cmd = new SqlCommand();
cmd.Connection = con;
cmd.CommandText = "INSERT INTO Materials VALUES (@UnitID, @Name, @SellingPrice, @PurchasePrice, " +
"@Description, @Available, @CriticalLevel, @Maximum, @Status, @DateAdded, @DateModified)";
cmd.Parameters.AddWithValue("@UnitID", txtUnitID.Text);
cmd.Parameters.AddWithValue("@Name", txtName.Text);
cmd.Parameters.AddWithValue("@SellingPrice", txtSellingPrice.Text);
cmd.Parameters.AddWithValue("@PurchasePrice", txtPurchasePrice.Text);
cmd.Parameters.AddWithValue("@Description", txtDesc.Text);
cmd.Parameters.AddWithValue("@Available", "0");
cmd.Parameters.AddWithValue("@CriticalLevel", txtCritical.Text);
cmd.Parameters.AddWithValue("@Maximum", txtMax.Text);
cmd.Parameters.AddWithValue("@Status", "Available");
cmd.Parameters.AddWithValue("@DateAdded", DateTime.Now);
cmd.Parameters.AddWithValue("@DateModified", DBNull.Value);
cmd.ExecuteNonQuery();
con.Close();
Helper.AddLog("1", "Add", "Added a new Material");
Response.Redirect("~/Materials/Default.aspx");
}
else
{
error.Visible = true;
}
}
我的错误
CS0019: Operator '>='不能应用于'string'类型的操作数和"字符串"
为什么不能使用>=
或<=
或||
或<
或>
?在这种情况下?
我假设txtSellingPrice
和txtPurchasePrice
是TextBox
控件,因此它们的Text
属性是string
类型。您不能使用>=
,因为它没有语义意义。首先需要将文本解析为decimal
:
var sellingPrice = decimal.Parse(txtSellingPrice.Text);
var purchasePrice = decimal.Parse(txtPurchasePrice.Text);
if (sellingPrice >= purchasePrice)
{
// stuff
}
如果您不确定文本是否是有效的decimal
值,请使用decimal.TryParse
:
decimal sellingPrice;
if (!decimal.TryParse(txtSellingPrice.Text, out sellingPrice))
{
// Not a valid decimal, do something.
}
decimal purchasePrice;
if (!decimal.TryParse(txtPurchasePrice.Text, out purchasePrice))
{
// Not a valid decimal, do something.
}
if (sellingPrice >= purchasePrice)
{
// stuff
}
为什么一个字符串可以大于另一个字符串?
在进行比较之前,需要将字符串转换为数值。
既然你在处理钱,你应该使用Decimal
:
if (Decimal.Parse(txtSellingPrice.Text) >= Decimal.Parse(txtPurchasePrice.Text))
要比较两个字符串的数值,必须将它们解析为数字类型,例如double!
Use Convert.ToDecimal(txtselingprice . text)>= Convert.ToDecimal(txtPurchasePrice.Text)
不能像