2

我正在用 C# 编写一个小程序,它使用 SQL 在运行时根据用户的输入将值存储到数据库中。

唯一的问题是我无法找出正确的 Sql 语法来将变量传递到我的数据库中。

private void button1_Click(object sender, EventArgs e)
    {
        int num = 2;

        using (SqlCeConnection c = new SqlCeConnection(
            Properties.Settings.Default.rentalDataConnectionString))
        {
            c.Open();
            string insertString = @"insert into Buildings(name, street, city, state, zip, numUnits) values('name', 'street', 'city', 'state', @num, 332323)";
            SqlCeCommand cmd = new SqlCeCommand(insertString, c);
            cmd.ExecuteNonQuery();
            c.Close();
        }

        this.DialogResult = DialogResult.OK;
    }

在这个代码片段中,我使用了所有静态值,除了我试图传递给数据库的 num 变量。

在运行时我收到此错误:

A parameter is missing. [ Parameter ordinal = 1 ]

谢谢

4

2 回答 2

9

在执行命令之前添加一个参数:

cmd.Parameters.Add("@num", SqlDbType.Int).Value = num;
于 2010-10-30T01:40:39.517 回答
3

您没有为@SQL 语句中的参数提供值。该@符号表示一种占位符,您将在其中传递值。

使用本示例中所示的SqlParameter对象将值传递给该占位符/参数。

有很多方法可以构建参数对象(不同的重载)。如果您遵循相同的示例,一种方法是在声明命令对象的位置之后粘贴以下代码:

        // Define a parameter object and its attributes.
        var numParam = new SqlParameter();
        numParam.ParameterName = " @num";
        numParam.SqlDbType = SqlDbType.Int;
        numParam.Value = num; //   <<< THIS IS WHERE YOUR NUMERIC VALUE GOES. 

        // Provide the parameter object to your command to use:
        cmd.Parameters.Add( numParam );
于 2010-10-30T01:40:48.320 回答