通常下拉项目开始位置与ComboBox
开始位置对齐,如上图所示。
但是我需要开发ComboBox
控件,其中有一个冗长的下拉项目在中间对齐。我的意思是下拉项目左侧位置应该比ComboBox
更像左下方,如下图所示。任何帮助将不胜感激。
答案 0 :(得分:6)
这是一个扩展的ComboBox
,它有2个新的实用功能,可让您设置下拉列表的位置和大小:
DropDownAlignment
:您可以将其设置为Left
,然后下拉列表会显示在其正常位置,并且它左侧与左侧对齐控制。如果您将其设置为Middle
,则下拉菜单的中间位置将与控件对齐,如果您将其设置为Right
,则下拉菜单的权利将与控制权对齐。
AutoWidthDropDown
:如果您将其设置为true
,则DropdownWidth
将设置为最长项目的宽度。如果您将其设置为false
,则会将Width
用作DropDownWidth
。
以下是将AutoWidthDropDown
设置为true
和DropDownAlignment
设置为Left
,Middle
和Right
之后的下拉列表:
您可以处理WM_CTLCOLORLISTBOX
消息,lparam
是下拉列表的句柄,然后您可以使用SetWindowPos
设置下拉列表的位置。
此外,您可以计算最长项目的宽度,如果DropDownWidth
为真,则设置为AutoWidthDropDown
。
using System;
using System.Drawing;
using System.Runtime.InteropServices;
using System.Windows.Forms;
using System.Linq;
public class MyComboBox : ComboBox
{
private const UInt32 WM_CTLCOLORLISTBOX = 0x0134;
private const int SWP_NOSIZE = 0x1;
[DllImport("user32.dll")]
static extern bool SetWindowPos(IntPtr hWnd, IntPtr hWndInsertAfter,
int X, int Y, int cx, int cy, uint uFlags);
public enum DropDownAlignments { Left = 0, Middle, Right }
public bool AutoWidthDropDown { get; set; }
public DropDownAlignments DropDownAlignment { get; set; }
protected override void WndProc(ref Message m)
{
if (m.Msg == WM_CTLCOLORLISTBOX) {
var bottomLeft = this.PointToScreen(new Point(0, Height));
var x = bottomLeft.X;
if (DropDownAlignment == MyComboBox.DropDownAlignments.Middle)
x -= (DropDownWidth - Width) / 2;
else if (DropDownAlignment == DropDownAlignments.Right)
x -= (DropDownWidth - Width);
var y = bottomLeft.Y;
SetWindowPos(m.LParam, IntPtr.Zero, x, y, 0, 0, SWP_NOSIZE);
}
base.WndProc(ref m);
}
protected override void OnDropDown(EventArgs e)
{
if (AutoWidthDropDown)
DropDownWidth = Items.Cast<Object>().Select(x => GetItemText(x))
.Max(x => TextRenderer.MeasureText(x, Font,
Size.Empty, TextFormatFlags.Default).Width);
else
DropDownWidth = this.Width;
base.OnDropDown(e);
}
}