实际上,您的问题只是一个Win32
可以解决的小问题:
public class Form1 : Form {
[DllImport("user32")]
private static extern int GetComboBoxInfo(IntPtr hwnd, out COMBOBOXINFO comboInfo);
struct RECT {
public int left, top, right, bottom;
}
struct COMBOBOXINFO {
public int cbSize;
public RECT rcItem;
public RECT rcButton;
public int stateButton;
public IntPtr hwndCombo;
public IntPtr hwndItem;
public IntPtr hwndList;
}
public Form1(){
InitializeComponent();
comboBox1.HandleCreated += (s, e) => {
COMBOBOXINFO combo = new COMBOBOXINFO();
combo.cbSize = Marshal.SizeOf(combo);
GetComboBoxInfo(comboBox1.Handle, out combo);
hwnd = combo.hwndList;
init = false;
};
}
bool init;
IntPtr hwnd;
NativeCombo nativeCombo = new NativeCombo();
//This is to store the Rectangle info of your Icons
//Key: the Item index
//Value: the Rectangle of the Icon of the item (not the Rectangle of the item)
Dictionary<int, Rectangle> dict = new Dictionary<int, Rectangle>();
public class NativeCombo : NativeWindow {
//this is custom MouseDown event to hook into later
public event MouseEventHandler MouseDown;
protected override void WndProc(ref Message m)
{
if (m.Msg == 0x201)//WM_LBUTTONDOWN = 0x201
{
int x = m.LParam.ToInt32() & 0x00ff;
int y = m.LParam.ToInt32() >> 16;
if (MouseDown != null) MouseDown(null, new MouseEventArgs(MouseButtons.Left, 1, x, y, 0));
}
base.WndProc(ref m);
}
}
//DropDown event handler of your comboBox1
private void comboBox1_DropDown(object sender, EventArgs e) {
if (!init) {
//Register the MouseDown event handler <--- THIS is WHAT you want.
nativeCombo.MouseDown += comboListMouseDown;
nativeCombo.AssignHandle(hwnd);
init = true;
}
}
//This is the MouseDown event handler to handle the clicked icon
private void comboListMouseDown(object sender, MouseEventArgs e){
foreach (var kv in dict) {
if (kv.Value.Contains(e.Location)) {
//Show the item index whose the corresponding icon was held down
MessageBox.Show(kv.Key.ToString());
return;
}
}
}
//DrawItem event handler
private void comboBox1_DrawItem(object sender, DrawItemEventArgs e) {
//We have to save the Rectangle info of the item icons
Rectangle rect = new Rectangle(0, e.Bounds.Top, e.Bounds.Height, e.Bounds.Height);
dict[e.Index] = rect;
//Draw the icon
//e.Graphics.DrawImage(yourImage, rect);
}
}
一点关于发生的事情
AComboBox
有一个附加的下拉列表,可以通过它的Handle
. 我们使用GetComboBoxInfo win32 api 函数来检索 a 的一些信息ComboBox
,这些信息保存在一个名为COMBOBOXINFO的结构中。我们可以通过这个结构中的成员hwndList来获取下拉列表的句柄。
在访问hwndList之后。我们可以使用自定义的NativeWindow类(示例中的NativeCombo )挂钩到它的消息循环。这使我们可以轻松地干扰下拉列表的消息循环。然后我们可以捕获WM_LBUTTONDOWN消息来处理MouseDown事件。当然,这不是一个完整的 MouseDown事件,但它只是一个演示,在这种情况下它足以解决问题。WM_LBUTTONDOWN与保存在LParam中的单击点的一些信息一起发送。点击点在客户区坐标中计算的下拉列表(不在屏幕坐标中)。我们应该注意到DrawItem事件处理程序也有e.Bounds参数,它也是在客户区坐标(不是屏幕坐标)中计算的。因此它们在同一个坐标系中。我们使用Rectangle.Contains方法来知道点击的点是否包含在某个图标的 Bounds 中。我们将所有图标 Bounds存储在Dictionary中。因此,包含Rectangle的相应Key(存储Item 索引)点击点让我们知道对应的Item index,然后我们可以进一步处理。