将DataGridView单元格边框样式设置为仅选定列

时间:2018-12-16 13:25:21

标签: c# .net winforms datagridview

我想在第3列的单元格上使用这种边框样式。
谁能帮助我在DataGridView中完成此任务。

我正在谈论带有红色矩形的所选部分:

Red rectangle

1 个答案:

答案 0 :(得分:2)

我们在问题的指定列中看到的边界不是单元格边界。单元格边界是行之间的那些虚线。因此,在AdvancedBorderStyle方法中设置CellPaint并不会带来太大帮助。

您需要执行一些设置并进行一些自定义绘制。

这些是一些设置,可以帮助您实现行和单元格的这种样式:

  • 设置列的填充
  • 设置行高
  • 将单元格边框样式设置为无
  • 删除行标题
  • 处理CellPaint事件:
    • 绘画单元格但内容。
    • 在行的顶部和底部绘制虚线边框。
    • 正常绘制单元格内容或像特定列的文本框一样绘制

示例

var specificColumn = 1;

dataGridView1.Columns[specificColumn].DefaultCellStyle.Padding = new Padding(10);
dataGridView1.RowTemplate.Height = 45;
dataGridView1.CellBorderStyle = DataGridViewCellBorderStyle.None;
dataGridView1.RowHeadersVisible = false;

dataGridView1.CellPainting += (obj, args) =>
{
    if (args.ColumnIndex < 0 || args.RowIndex < 0)
        return;
    args.Paint(args.CellBounds, DataGridViewPaintParts.All & 
        ~DataGridViewPaintParts.ContentForeground);
    var r = args.CellBounds;
    using (var pen = new Pen(Color.Black))
    {
        pen.DashStyle = System.Drawing.Drawing2D.DashStyle.Dot;
        args.Graphics.DrawLine(pen, r.Left, r.Top, r.Right, r.Top);
        args.Graphics.DrawLine(pen, r.Left, r.Bottom, r.Right, r.Bottom);
    }
    r.Inflate(-8, -8);
    if (args.ColumnIndex == specificColumn)
        TextBoxRenderer.DrawTextBox(args.Graphics, r, $"{args.FormattedValue}",
            args.CellStyle.Font, System.Windows.Forms.VisualStyles.TextBoxState.Normal);
    else
        args.Paint(args.CellBounds, DataGridViewPaintParts.ContentForeground);
    args.Handled = true;
};

enter image description here