2

我正在使用 Windows 窗体中的 datagridview,并为其分配数据源属性以加载网格。我想更改某些单元格的背景色(当列索引 = 0 时),但是当我这样做并调整表单大小时出现问题,数据网格变得模糊或单元格未正确显示。这些图片将更好地解释它。

调整大小之前: 在此处输入图像描述

调整大小后: 在此处输入图像描述

这是我试图格式化单元格的代码...

private void dg_CellFormatting(object sender, DataGridViewCellFormattingEventArgs e)
{
    // Clients color
    if (e.ColumnIndex == 0)
    {
        int currentClient = e.RowIndex % p.AllClients.Count;
        dg.Rows[e.RowIndex].Cells[0].Style.BackColor = Color.FromArgb(p.AllClients[currentClient].Color);              
     } 
}   

提前致谢!

4

1 回答 1

1

问题是即使行也有透明的背景颜色。这是因为您正在使用Color.FromArgb(int argb)并且您将 alpha 通道设置为一个透明的低值,因此您OnBackgrounPaint的单元格在重新调整大小时无法清除背景。像这样更改最后一行:

dg.Rows[e.RowIndex].Cells[0].Style.BackColor = p.AllClients[currentClient].Color;

如果Color客户端的属性不是Color来自 GDI+ 而是一些 32 位数字,您可以这样做:

dg.Rows[e.RowIndex].Cells[0].Style.BackColor = Color.FromArgb(p.AllClients[currentClient].Color); 
Color newColor = dg.Rows[e.RowIndex].Cells[0].Style.BackColor;
dataGridView1.Rows[e.RowIndex].Cells[0].Style.BackColor = Color.FromArgb(255, newColor.R, newColor.G, newColor.B); //remove transparency from the color
于 2013-03-14T16:49:46.207 回答