c# – 删除Winforms中的DataRepeater Control底线

如何删除DataRepeater控件中数据控件项的下边框线: 最佳答案 您在DataRepeater控件中看到的分隔符是DataRepeaterItem控件的非客户端区域上的绘图.

您可以找到那些DataRepeaterItem并处理这些WM_NCPAINT消息,并绘制与BackColor项目颜色相同的行或您想要的任何其他颜色(0,Height-1)到(Width-1,Height-1).

履行

为此,我们创建了一个派生自NativeWindow的类,它使我们能够处理另一个窗口的消息,如果我们为其分配其他窗口的句柄:

using Microsoft.VisualBasic.PowerPacks;
using System;
using System.Drawing;
using System.Runtime.InteropServices;
using System.Windows.Forms;
public class DataRepeaterItemHelper : NativeWindow
{
    private DataRepeaterItem item;
    private const int WM_NCPAINT = 0x85;
    [DllImport("user32.dll")]
    static extern IntPtr GetWindowDC(IntPtr hWnd);
    [DllImport("user32.dll")]
    static extern int ReleaseDC(IntPtr hWnd, IntPtr hDC);
    public DataRepeaterItemHelper(DataRepeaterItem repeaterItem)
    {
        item = repeaterItem;
        this.AssignHandle(item.Handle);
    }
    protected override void WndProc(ref Message m)
    {
        base.WndProc(ref m);
        if (m.Msg == WM_NCPAINT)
        {
            var hdc = GetWindowDC(m.HWnd);
            using (var g = Graphics.FromHdcInternal(hdc))
            using (var p = new Pen(item.BackColor, 1))
                g.DrawLine(p, 0, item.Height - 1, item.Width - 1, item.Height - 1);
            ReleaseDC(m.HWnd, hdc);
        }
    }
}

然后我们处理DataRepeater的DrawItem事件并检查我们是否为e.DataRepeaterItem创建了一个DataRepeaterItemHelper,我们创建了一个.它有助于绘制与物品背面颜色相同颜色的分隔符.在将数据加载到DataRepeater之后,我们应该为DrawItem事件不为它们触发的第一个项创建DataRepeaterItemHelper.为了跟踪我们为它们创建DataRepeaterItemHelper的项目,我们将处理的项目保存在List< DataRepeaterItem>中:

new List<DataRepeaterItem> items = new List<DataRepeaterItem>();
void HandleItem(DataRepeaterItem item)
{
    if (items.Contains(item))
        return;
    var handler = new DataRepeaterItemHelper(item);
    items.Add(item);
}
private void Form1_Load(object sender, EventArgs e)
{
    //Load data and put data in dataRepeater1.DataSource
    var db = new TestDBEntities();
    this.dataRepeater1.DataSource = db.Category.ToList();
    this.dataRepeater1.Controls.OfType<DataRepeaterItem>().ToList()
        .ForEach(item => HandleItem(item));
    this.dataRepeater1.DrawItem += dataRepeater1_DrawItem;
}
void dataRepeater1_DrawItem(object sender, DataRepeaterItemEventArgs e)
{
    HandleItem(e.DataRepeaterItem);
}

这是结果:

《c# – 删除Winforms中的DataRepeater Control底线》

注意:

>应用解决方案时,不要忘记将Form1_Load事件附加到表单的Load事件.您不需要将dataRepeater1_DrawItem附加到DrawItem事件.它已使用代码附加在Form1_Load中.
>您可以将逻辑封装在派生的DataRepeater控件中.

点赞