我有一个DataGridView,其中每行的背景根据数据绑定(bind)项的不同而不同。但是,当我选择一行时,我不再能看到其原始背景色。

为了解决这个问题,我想到了两种解决方案:

我可以将选择设置为半透明,从而可以查看两个选定的行是否具有不同的背景色。

或者;我可以完全删除选择颜色,并在所选行周围绘制边框。

哪个选项更简单,我该怎么做?

这是一个WinForm应用程序。

编辑:我最终使用了您的一些代码,

    private void dgv_RowPrePaint(object sender, DataGridViewRowPrePaintEventArgs e)
    {
        if (dgv.Rows[e.RowIndex].Selected)
        {
            var row = dgv.Rows[e.RowIndex];
            var bgColor = row.DefaultCellStyle.BackColor;
            row.DefaultCellStyle.SelectionBackColor = Color.FromArgb(bgColor.R * 5 / 6, bgColor.G * 5 / 6, bgColor.B * 5 / 6);
        }
    }

这给人以半透明选择颜色的印象。谢谢你的帮助!

最佳答案

如果要在选定的行周围绘制边框,可以使用DataGridView.RowPostPaintEvent,并且要“清除”选择颜色,可以使用DataGridViewCellStyle.SelectionBackColorDataGridViewCellStyle.SelectionForeColor属性。

例如,如果我这样设置行单元格样式

row.DefaultCellStyle.BackColor = Color.LightBlue;
row.DefaultCellStyle.SelectionBackColor = Color.LightBlue;
row.DefaultCellStyle.SelectionForeColor = dataGridView1.ForeColor;

我可以将此代码添加到RowPostPaintEvent
private void dataGridView1_RowPostPaint(object sender, DataGridViewRowPostPaintEventArgs e)
{
    if (dataGridView1.Rows[e.RowIndex].Selected)
    {
        using (Pen pen = new Pen(Color.Red))
        {
            int penWidth = 2;

            pen.Width = penWidth;

            int x = e.RowBounds.Left + (penWidth / 2);
            int y = e.RowBounds.Top + (penWidth / 2);
            int width = e.RowBounds.Width - penWidth;
            int height = e.RowBounds.Height - penWidth;

            e.Graphics.DrawRectangle(pen, x, y, width, height);
        }
    }
}

所选行将显示如下:

关于winforms - DataGridView行: Semi-transparent selection or row border on selection,我们在Stack Overflow上找到一个类似的问题:https://stackoverflow.com/questions/4448945/

10-09 03:39