我正在开发一个项目,其中DataGridView中的单元格会突出显示。我想知道我是否可以在滚动条本身上做标记以指示这些高光的位置。任何想法都可能有所帮助。
答案 0 :(得分:4)
是,否和可能
是的:根据this,这是可能的。但是,这只是一个链接答案;不知道那会导致什么..
否:根据Cody Gray在回答this post滚动条上的绘画时的出色分析是不可能的。
但是也许一种解决方法可以解决您的问题..?
这是一个想法:
添加一个精简Panel
,可以覆盖滚动条或将其自身附加到左侧。我应该很瘦,超过滚动条的高度;它通过常见的Paint事件重新绘制。
您保留一个行列表,应显示哪些标记。此列表将在以下位置重新创建或维护:
Rows
这是一个小代码,只是一个快速的概念证明。对于更强大的解决方案,我想我会创建一个DataGridView
将注册的装饰器类。
现在,当您将升降机移向标记时,您将找到目标行。还有很大的改进空间,但是一个开始imo ..
您必须根据需要更改isRowMarked()
功能。我选择测试第一个Cell的Backcolor ..
您还可以轻松地为不同的标记使用不同的颜色;也许是从标记的行/单元格中复制它们。
public Form1()
{
InitializeComponent();
dataGridView1.Controls.Add(indicatorPanel);
indicatorPanel.Width = 6;
indicatorPanel.Height = dataGridView1.ClientSize.Height - 39;
indicatorPanel.Top = 20;
indicatorPanel.Left = dataGridView1.ClientSize.Width - 21;
indicatorPanel.Paint += indicatorPanel_Paint;
dataGridView1.Paint += dataGridView1_Paint;
}
Panel indicatorPanel = new Panel();
List<DataGridViewRow> tgtRows = new List<DataGridViewRow>();
void dataGridView1_Paint(object sender, PaintEventArgs e)
{
indicatorPanel.Invalidate();
}
void indicatorPanel_Paint(object sender, PaintEventArgs e)
{ // check if there is a HScrollbar
int hs = ((dataGridView1.ScrollBars & ScrollBars.Vertical) != ScrollBars.None ? 20 : 0);
e.Graphics.FillRectangle(Brushes.Silver, indicatorPanel.ClientRectangle);
foreach (DataGridViewRow tRow in tgtRows)
{
int h = (int)(1f * (indicatorPanel.Height - 20 + hs) * tRow.Index
/ dataGridView1.Rows.Count);
e.Graphics.FillRectangle(Brushes.Red, 0, h-3, 6, 4);
}
}
bool isRowMarked(DataGridViewRow row)
{
return row.Cells[0].Style.BackColor == Color.Red; // <<-- change!
}
// call in: dataGridView1_RowsRemoved, dataGridView1_RowsAdded
// also whenever you set or change markings and after sorting or a filtering
void findMarkers()
{
tgtRows.Clear();
foreach (DataGridViewRow row in dataGridView1.Rows)
if (isRowMarked(row) ) tgtRows.Add(row);
indicatorPanel.Invalidate();
}
注意我已删除了第一个答案,因为原始要求谈的是“标记”而不仅仅是“几个标记”。现在第二个版本对我来说好多了。