0

在以下代码中:

void Script::OnLeftUp( wxMouseEvent& event )
{
    int currentPos = GetCurrentPos();
    int wordStartPos = WordStartPosition( currentPos, true );
    int wordEndPos=WordEndPosition(wordStartPos, true);
    wxString identifier=GetRange(wordStartPos,wordEndPos);
    SetSelection(wordStartPos, wordEndPos );
    event.Skip();
}

当我单击单词内的一个点时(例如,单词是,然后我在和hello之间左键单击),标识符被正确识别为。但是,only被选中,而我希望整个单词被选中。可能出了什么问题?如果位置错误,那么标识符的值应该是错误的,事实并非如此。elhellohehello

顺便说一句,我在 Windows 10 上使用 wxWidgets 3.1。

4

2 回答 2

0

根据SetSelection的文档:

请注意,插入点将被此函数移动到from

不完全确定为什么,但这似乎以某种方式影响了最终选择。您可以尝试像这样重写函数:

void Script::OnLeftUp( wxMouseEvent& event )
{
    int currentPos = GetCurrentPos();
    int wordStartPos = WordStartPosition( currentPos, true );
    int wordEndPos = WordEndPosition( currentPos, true );
    wxString identifier = GetRange( wordStartPos, wordEndPos );
    SetSelectionStart( wordStartPos );
    SetSelectionEnd( wordEndPos );
    event.Skip();
}
于 2016-09-17T15:51:34.080 回答
0

你想做的事情并不完全可能。在 scintilla/wxStyledTextCtrl 中,选择总是从某处运行到当前插入符号位置。您正在尝试在当前位置之前开始并在其之后结束的选择,这是无法完成的。

此外,这基本上是双击单词时的默认行为,但双击会将插入符号移动到单词的末尾。您真的需要单击一下来执行此操作吗?如果你真的想要,你可以使用多个选择来给出它的外观。基本上,您将有一个从单词开头到当前位置的选择,以及从当前位置到结尾的第二个选择。

将这些命令放在鼠标处理程序之前调用的位置(可能在构造函数中),并使用此原型声明一个方法“void SelectCurWord();”

SetSelBackground(true, wxColour(192,192,192) );
SetSelForeground(true, wxColour(0,0,0) );

SetAdditionalSelBackground( wxColor(192,192,192) );
SetAdditionalSelForeground( wxColour(0,0,0) );
SetAdditionalCaretsVisible(false);

您可以将颜色更改为您想要的任何颜色,但请确保主要和附加选择使用相同的颜色。鼠标处理程序应该做这样的事情。

void Script::OnLeftUp( wxMouseEvent& event )
{
    CallAfter(&Script::SelectCurWord);
    event.Skip();
}

我们必须使用 CallAfter 的原因是让事件处理在尝试添加选择之前完成其工作。SelectCurWord 方法基本上是您以前使用的方法,但改为使用多个选择:

void Script::SelectCurWord()
{
    int currentPos = GetCurrentPos();
    int wordStartPos = WordStartPosition( currentPos, true );
    int wordEndPos=WordEndPosition(wordStartPos, true);

    AddSelection(wordStartPos,currentPos);
    AddSelection(currentPos,wordEndPos);
}
于 2016-09-19T00:23:32.740 回答