1

用户控制:

private string lastName;
public string LastName
{
get { return lastName; }
set
{
    lastName = value;
    lastNameTextBox.Text = value;
}
}

形式:

using (SqlConnection myDatabaseConnection = new SqlConnection(myConnectionString.ConnectionString))
        {
            myDatabaseConnection.Open();
            using (SqlCommand SqlCommand = new SqlCommand("Select LasatName from Employee", myDatabaseConnection))
            {
                int i = 0;
                SqlDataReader DR1 = SqlCommand.ExecuteReader();
                while (DR1.Read())
                {
                    i++;
                    UserControl2 usercontrol = new UserControl2();
                    usercontrol.Tag = i;
                    usercontrol.LastName = (string)DR1["LastName"];
                    usercontrol.Click += new EventHandler(usercontrol_Click); 
                    flowLayoutPanel1.Controls.Add(usercontrol);
                }
            }
        }

该表单从数据库加载记录并在每个用户控件的动态创建的文本框中显示每个 LastName。单击动态用户控件时,如何在表单的文本框中显示附加信息,例如地址?

试图:

    private void usercontrol_Click(object sender, EventArgs e)
    {
        using (SqlConnection myDatabaseConnection = new SqlConnection(myConnectionString.ConnectionString))
        {
            myDatabaseConnection.Open();
            using (SqlCommand mySqlCommand = new SqlCommand("Select Address from Employee where LastName = @LastName ", myDatabaseConnection))

            {
                UserControl2 usercontrol = new UserControl2();
                mySqlCommand.Parameters.AddWithValue("@LastName", usercontrol.LastName;
                SqlDataReader sqlreader = mySqlCommand.ExecuteReader();

                if (sqlreader.Read())
                {
                    textBox1.Text = (string)sqlreader["Address"];
                }

            }
        }
    }
4

2 回答 2

1

第一的。在您的第一个代码片段中,您执行“Select ID from ...”,但希望在阅读器中找到“LastName”字段 - 不起作用。

第二。如果您知道需要从Employee表中获取更多信息,我建议您将其存储在UserControl放置LastName. 执行“Select * from ...”,添加另一个字段和属性UserControl2并在Read循环中分配它:

usercontrol.Address = (string)DR1["Address"];

第三。在您的第二个代码片段中,使用

UserControl2 usercontrol = (UserControl2)sender;

代替

UserControl2 usercontrol = new UserControl2();

因为新创建的用户控件不会有任何LastName分配。

然后:

private void usercontrol_Click(object sender, EventArgs e)
{
    UserControl2 usercontrol = (UserControl2)sender;
    textBox1.Text = usercontrol.Address;
}
于 2013-06-06T16:59:05.547 回答
0

在您的用户控件UserControl2中(在构造函数或InitializeComponent方法中),您应该将点击事件转发给潜在的侦听器。

像这样的东西:

public UserControl2()
{
    ...
    this.lastNameTextBox.Click += (s, a) => OnClick(a);
    ...
}
于 2013-06-06T16:57:29.903 回答