我一直试图找到一种方法来读取所选ListView
行的数据,并在其尊重的TextBox
中显示每个值,以便于编辑。
第一种也是最简单的方法是:
ListViewItem item = listView1.SelectedItems[0];
buyCount_txtBox.Text = item.SubItems[1].Text;
buyPrice_txtBox.Text = item.SubItems[2].Text;
sellPrice_txtBox.Text = item.SubItems[3].Text;
该代码没有任何问题,但我有大约40个或更多TextBoxes
应该显示数据。所有40左右的编码将变得非常繁琐。
我提出的解决方案是在我的用户控件中获取所有TextBox
控件,如下所示:
foreach (Control c in this.Controls)
{
foreach (Control childc in c.Controls)
{
if (childc is TextBox)
{
}
}
}
然后我需要循环选定的ListView
行列标题。如果它们的列标题与TextBox.Tag匹配,则在其受尊重的TextBox中显示列值。
最终代码看起来像这样:
foreach (Control c in this.Controls)
{
foreach (Control childc in c.Controls)
{
// Needs another loop for the selected ListView Row
if (childc is TextBox && ColumnHeader == childc.Tag)
{
// Display Values
}
}
}
那么我的问题是:如何循环选定的ListView
行和每个列标题。
答案 0 :(得分:1)
循环播放ColumnHeaders
就像这样:
foreach( ColumnHeader lvch in listView1.Columns)
{
if (lvch.Text == textBox.Tag) ; // either check on the header text..
if (lvch.Name == textBox.Tag) ; // or on its Name..
if (lvch.Tag == textBox.Tag) ; // or even on its Tag
}
然而,即使它有效,你循环TextBoxes
的方式也不是很好。我建议您将每个参与的TextBoxes
添加到List<TextBox>
。是的,这意味着要添加40个项目,但您可以使用AddRange
,如下所示:
填写列表myBoxes:
List<TextBox> myBoxes = new List<TextBox>()
public Form1()
{
InitializeComponent();
//..
myBoxes.AddRange(new[] {textBox1, textBox2, textBox3});
}
或者,如果你真的想避开AddRange
并保持动态,你也可以写一个很小的递归..:
private void CollectTBs(Control ctl, List<TextBox> myBoxes)
{
if (ctl is TextBox) myBoxes.Add(ctl as TextBox);
foreach (Control c in ctl.Controls) CollectTBs(c, myBoxes);
}
现在你的最后一个循环是苗条而快速的:
foreach( ColumnHeader lvch in listView1.Columns)
{
foreach (TextBox textBox in myBoxes)
if (lvch.Tag == textBox.Tag) // pick you comparison!
textBox.Text = lvch.Text;
}
更新:因为您实际需要SubItem
值,所以解决方案可能如下所示:
ListViewItem lvi = listView1.SelectedItems[0];
foreach (ListViewItem.ListViewSubItem lvsu in lvi.SubItems)
foreach (TextBox textBox in myBoxes)
if (lvsu.Tag == textBox.Tag) textBox.Text = lvsu.Text;