检索数据从sql server compact 4.0到文本框

本文关键字:文本 compact 数据 sql server 检索 | 更新日期: 2023-09-27 18:06:29

我的winform中有两个文本框。我想在第一个文本框中输入userId,然后通过单击按钮在第二个文本框中正确显示用户名。数据存储在sql server compact中。表名为Users,该表包含UserIDUserName两列。

使用这段代码,我可以打开一个连接并从UserName列检索第一个值
SqlCeConnection cn = new SqlCeConnection(@"Data Source = D:'Database'Training.sdf");
        try
        {
          cn.Open();
          SqlCeCommand cmd = new SqlCeCommand("SELECT   UserID, UserName from Users;", cn);
          TrainerNameBox.Text = cmd.ExecuteScalar().ToString();
          cn.Close();
       }
       catch
       { 
       }

检索数据从sql server compact 4.0到文本框

ExecuteScalar返回第一行第一列。其他列或行被忽略。

在本例中,第一列是UserID。这就是为什么你得到这列的第一个值。

如果您想获得UserName的值,您可能需要更改您的查询,如;

SELECT UserName from Users

并且看起来您忘记在查询中使用WHERE子句,因为您想从UserID获得UserName。您可能需要使用using语句来处理SqlCeConnectionSqlCeCommand

完整的示例;

using(SqlCeConnection cn = new SqlCeConnection(@"Data Source = D:'Database'Training.sdf"))
using(SqlCeCommand cmd = cn.CreateCommand())
{
  cmd.CommandText = "SELECT UserName from Users WHERE UserID = @id";
  cmd.Parameters.AddWithValue("@id", (int)txtUserID.Text);
  cn.Open();
  TrainerNameBox.Text = cmd.ExecuteScalar().ToString();
}

您缺少WHERE子句来隔离您想要显示的用户名

 int userID;
 if(!Int32.TryParse(txtUserID.Text, out userID))
 {
      MessageBox.Show("Invalid User ID number");
      return;
 }
 using(SqlCeConnection cn = new SqlCeConnection(@"Data Source = D:'Database'Training.sdf"))
 using(SqlCeCommand cmd = new SqlCeCommand("SELECT UserName from Users WHERE UserID=@id;", cn))
 {
     cn.Open();
     cmd.Parameters.AddWithValue("@id", userID);
     object result = cmd.ExecuteScalar();
     if(result != null)
         TrainerNameBox.Text = result.ToString();
     else
         MessageBox.Show("No user for ID=" + userID.ToString());
 }

注意,ExecuteScalar返回第一行的第一列,因此需要从查询中删除UserID字段,如果没有找到用户,则需要检查是否返回null。

如果你的用户输入了一个无效的id,直接对你的ExecuteScalar应用ToString()方法会引发一个异常。验证用户输入也存在问题。如果为用户id键入非数字值,则转换将失败。在本例中,您需要使用Int32检查输入。TryParse

试试这个:

    Dataset ds = cmd.ExecuteDataset().ToString();
    TrainerNameBox.Text = ds.tables[0].Rows[0][1].toString();
    TrainerIDBox.Text = ds.tables[0].Rows[0][0].toString();