我正在申请预订winsform。当用户选择任意数量的行时,每一行都将包含一列称为“出租价格”的列。然后将获得该单元格的值,该列称为租金价格,并将其加起来并显示在总成本标签文本中,但是问题是总成本未显示。这是我的代码:
private void Payment_Load(object sender, EventArgs e)
{
NameOfUser.Text = UserAccounts[0].Name;
EmailOfUser.Text = UserAccounts[0].Email;
PaymentType.Text = UserAccounts[0].PaymentType;
double totalCost = 0;
foreach (DataGridViewRow row in b1.DataGridView1.SelectedRows)
{
int index = 0;
foreach (DataGridViewCell cell in row.Cells)
{
totalCost += (double)dataGridView1.Rows[index].Cells[4].Value;
}
index++;
}
TotalCost.Text = Convert.ToString(totalCost);
}
最佳答案
是的,这是循环中的错误。到目前为止,您正在迭代SelectedRows
中的行,并通过使用内部循环,再次循环遍历了每一行的单元格,但取值是相对于实际网格而不是单元格。您可以简化此过程,因为您要遍历选定的行,并且需要对每行中的.Cells[4]
值求和。为此,您必须执行以下操作:
foreach (DataGridViewRow row in b1.DataGridView1.SelectedRows)
{
string value = row.Cells[4].Value.ToString();
double currentCellValue = 0.0;
if(double.TryParse(value , out currentCellValue)
{
totalCost += currentCellValue;
}
}
TotalCost.Text = totalCost .ToString();
关于c# - 在datagridview中获取所选行的值并将其加起来,我们在Stack Overflow上找到一个类似的问题:https://stackoverflow.com/questions/41421953/