C#|如何通过鼠标位置在TextBox中选择单词或标签?

时间:2015-01-28 21:09:27

标签: c# winforms textbox tags selection

在Windows窗体中,如果双击文本框中的单词,请使用文本"是否要玩游戏?",文本框具有选择单词的不可思议的行为它之后的空间。

如果你想在文本中选择一个标签会变得更糟     "<stuff><morestuff>My Stuff</morestuff></stuff>" 如果双击     "<stuff>" 它选择     "<stuff><morestuff>My " 可爱!

我希望它只选择单词或这些示例中的标签。有什么建议吗?

1 个答案:

答案 0 :(得分:1)

我发现DoubleClick的EventArgs没有鼠标位置。 但是MouseDown确实提供了MouseEventArgs e提供e.Location,所以我在这里使用控制键和鼠标按下来选择<stuff>这样的标记。

    private void txtPattern_MouseDown(object sender, MouseEventArgs e)
    {
        if ((ModifierKeys & Keys.Control) == Keys.Control && e.Button == System.Windows.Forms.MouseButtons.Left)
        {
            int i = GetMouseToCursorIndex(txtPattern, e.Location);
            Point p = AreWeInATag(txtPattern.Text, i);
            txtPattern.SelectionStart = p.X;
            txtPattern.SelectionLength = p.Y - p.X;
        }
    }

    private int GetMouseToCursorIndex(TextBox ptxtThis, Point pptLocal)
    {
        int i = ptxtThis.GetCharIndexFromPosition(pptLocal);
        int iLength = ptxtThis.Text.Length;
        if (i == iLength - 1)
        {
            //see if user is past
            int iXLastChar = ptxtThis.GetPositionFromCharIndex(i).X;
            int iAvgX = iXLastChar / ptxtThis.Text.Length;
            if (pptLocal.X > iXLastChar + iAvgX)
            {
                i = i + 1;
            }
        }
        return i;
    }

    private Point AreWeInATag(string psSource, int piIndex)
    {
        //Are we in a tag?
        int i = piIndex;
        int iStart = i;
        int iEnd = i;
        //Check the position of the tags
        string sBefore = psSource.Substring(0, i);
        int iStartTag = sBefore.LastIndexOf("<");
        int iEndTag = sBefore.LastIndexOf(">");
        //Is there an open start tag before
        if (iStartTag > iEndTag)
        {
            iStart = iStartTag;
            //now check if there is an end tag after the insertion point
            iStartTag = psSource.Substring(i, psSource.Length - i).IndexOf("<");
            iEndTag = psSource.Substring(i, psSource.Length - i).IndexOf(">");
            if (iEndTag != -1 && (iEndTag < iStartTag || iStartTag == -1))
            {
                iEnd = iEndTag + i + 1;
            }
        }
        return new Point(iStart, iEnd);
    }