使用switch语句来调整文本框的大小

时间:2013-08-19 09:50:58

标签: c# winforms

您好我有以下代码,我需要在我的应用程序中设置文本框的MaxLength。代码似乎没问题,但它不起作用。任何人都可以看到问题所在。

        private void cbType_SelectionChanged(object sender, SelectionChangedEventArgs e)
    {
        string constring = "Data Source=.;Initial Catalog=db.MDF;Integrated Security=True";

        string Query = "select * from RePriorities where Priority='" + cbType.SelectedItem.ToString() + "' ;";
        SqlConnection conDataBase = new SqlConnection(constring);
        SqlCommand cmdDataBase = new SqlCommand(Query, conDataBase);
        SqlDataReader myReader;

        try
        {

            conDataBase.Open();
            myReader = cmdDataBase.ExecuteReader();

            string sType = myReader.ToString();

            switch (sType)

            {
                case "Low": txtDesc.MaxLength = 5; break;
                case "Medium": txtDesc.MaxLength = 10; break;
                case "High": txtDesc.MaxLength = 1; break;
            }


        }

        catch (Exception ex)
        {
            MessageBox.Show(ex.Message);
        } 


    } 

1 个答案:

答案 0 :(得分:3)

打开SqlDataReader后,需要调用Read方法将内部记录指针放到第一条记录中。只有在那之后你才能从阅读器中提取值

        myReader = cmdDataBase.ExecuteReader();
        if(myReader.Read())
        {
            string sType = myReader["name_of_field"].ToString();
            switch (sType)
            {
                case "Low": txtDesc.MaxLength = 5; break;
                case "Medium": txtDesc.MaxLength = 10; break;
               case "High": txtDesc.MaxLength = 1; break;
            }
        }

您还需要告诉读者您想要回读的字段的名称(或索引)。

说让我指出你的代码中的一个大问题。它是在方法开头准备命令文本的字符串连接。您永远不应该使用字符串连接,但始终使用参数化查询

    string constring = "Data Source=.;Initial Catalog=db.MDF;Integrated Security=True";
    string Query = "select * from RePriorities where Priority=@priority";
    using(SqlConnection conDataBase = new SqlConnection(constring))
    using(SqlCommand cmdDataBase = new SqlCommand(Query, conDataBase))
    {
        conDataBase.Open();
        cmdDataBase.Parameters.AddWithValue("@priority", cbType.SelectedItem.ToString());

        ......

        // the rest of your code
    }

编辑我忘了为避免字符串连接的建议添加解释。来自MSDN on Sql Injection的示例文章,也是一个互联网搜索,将解释sql命令中字符串连接出现的问题