除了您的代码存在一些缺陷之外,我不会说有更好的方法。你可以依靠Linq
让它更简洁一点,但这可能不优雅,可读性也差,而且根本无法调试,因为你不应该使用太多的 Linq 来做这种事情(我个人喜欢它!) . 以下是您应该对现有代码执行的操作:
private void RemoveEmptyRows()
{
for (int row = tablePanel.RowCount -1; row >= 0; row--)
{
bool hasControl = false;
for (int col = 0; col < tablePanel.ColumnCount; col++)
{
if (tablePanel.GetControlFromPosition(col, row) != null)
{
hasControl = true;
break;
}
}
if (!hasControl)
{
tablePanel.RowStyles.RemoveAt(row);
tablePanel.RowCount--;
}
}
}
您应该从上到下迭代,因为在外部 foreach 循环中RowCount
评估它时可能会发生变化。row
RowStyle
您还应该通过简单地删除行后删除行RowCount--
。
这是一个Linq
版本:
Enumerable.Range(0, tablePanel.RowCount)
.Except(tablePanel.Controls.OfType<Control>()
.Select(c => tablePanel.GetRow(c)))
.Reverse()
.ToList()
.ForEach(rowIndex =>
{
tablePanel.RowStyles.RemoveAt(rowIndex);
tablePanel.RowCount--;
});
分解它的作用(如果您对 Linq 不太熟悉):
var listOfAllRowIndices = Enumerable.Range(0, tablePanel.RowCount);
var listOfControlsInTableLayoutPanel = tablePanel.Controls.OfType<Control>();
var listOfRowIndicesWithControl = listOfControlsInTableLayoutPanel.Select(c => tablePanel.GetRow(c));
var listOfRowIndicesWithoutControl = listOfAllRowIndices.Except(listOfRowIndicesWithControl);
var listOfRowIndicesWithoutControlSortedInDescendingOrder = listOfRowIndicesWithoutControl.Reverse(); //or .OrderByDescending(i => i);
接着:
listOfRowIndicesWithoutControlSortedInDescendingOrder.ToList().ForEach(rowIndex =>
{
tablePanel.RowStyles.RemoveAt(rowIndex);
tablePanel.RowCount--;
});
另一个可能更具可读性但效率较低的 Linq 版本:
Enumerable.Range(0, tableLayoutPanel1.RowCount)
.Where(rowIndex => !tableLayoutPanel1.Controls.OfType<Control>()
.Select(c => tableLayoutPanel1.GetRow(c))
.Contains(rowIndex))
.Reverse()
.ToList()
.ForEach(rowIndex =>
{
tablePanel.RowStyles.RemoveAt(rowIndex);
tablePanel.RowCount--;
});