我找到了下一个和上一个功能并对其进行了编辑,以便当用户在文本框中选择文本并单击“查找下一个”或“查找上一个”按钮时,查找功能将启动它的索引从所选字符开始并浏览每个搜索结果(最初该功能不在那里)。为了获得所选文本的起始索引,我创建了一个函数:
private int GetIntialCharPos(string Text)
{
int row = Variables._TextBox.GetLineIndexFromCharacterIndex(Variables._TextBox.CaretIndex);
int col = Variables._TextBox.CaretIndex - Variables._TextBox.GetCharacterIndexFromLineIndex(row);
return col;
}
查找下一个和上一个的功能如下:
private List<int> _matches;
private string _textToFind;
private bool _matchCase;
private int _matchIndex;
private void MoveToNextMatch(string textToFind, bool matchCase, bool forward)
{
if (_matches == null || _textToFind != textToFind || _matchCase != matchCase)
{
int startIndex = 0, matchIndex;
StringComparison mode = matchCase ? StringComparison.CurrentCulture : StringComparison.CurrentCultureIgnoreCase;
_matches = new List<int>();
while (startIndex < Variables._TextBox.Text.Length && (matchIndex = Variables._TextBox.Text.IndexOf(textToFind, startIndex, mode)) >= 0)
{
_matches.Add(matchIndex);
startIndex = matchIndex + textToFind.Length;
}
_textToFind = textToFind;
_matchCase = matchCase;
_matchIndex = forward ? _matches.IndexOf(GetIntialCharPos(textToFind)) : _matches.IndexOf(GetIntialCharPos(textToFind)) - 1;
}
else
{
_matchIndex += forward ? 1 : -1;
if (_matchIndex < 0)
{
_matchIndex = _matches.Count - 1;
}
else if (_matchIndex >= _matches.Count)
{
_matchIndex = 0;
}
}
if (_matches.Count > 0)
{
Variables._TextBox.SelectionStart = _matches[_matchIndex];
Variables._TextBox.SelectionLength = textToFind.Length;
Variables._TextBox.Focus();
}
}
我的问题是,一旦用户选择了他需要搜索的文本,并通过查找下一个和上一个按钮,然后他决定从不同的索引中选择文本,而不是继续搜索所选index,它将保持默认的初始顺序,而不是从所选索引开始并从中获取每个结果。我创建了一个小gif video here,以便您可以更好地了解这个问题。
如何保留选定的单词索引,以便每次用户从不同的索引中选择时,它都可以从用户选择的索引开始搜索,而不是始终从头开始。
答案 0 :(得分:3)
private int _matchIndex;
那是你的问题变量。它保留了最后一个匹配索引,但您不知道用户何时自行更改它。 TextBox类没有SelectionChanged事件来告诉你它,因此没有简单的方法来重置变量。
只需使用RichTextBox,它就有that event。
但这更容易,因为您通过将搜索操作拆分为单独的类而不必要地添加了状态,因此发生了此错误。状态通常是一件坏事,它是一个bug生成器。通过直接使用TextBox对象,您可以轻松地使整个操作无状态:
private static void MoveToNextMatch(TextBoxBase box, bool forward) {
var needle = box.SelectedText;
var haystack = box.Text;
int index = box.SelectionStart;
if (forward) {
index = haystack.IndexOf(needle, index + 1);
if (index < 0) index = haystack.IndexOf(needle, 0);
}
else {
if (index == 0) index = -1;
else index = haystack.LastIndexOf(needle, index - 1);
if (index < 0) index = haystack.LastIndexOf(needle, haystack.Length - 1);
}
if (index >= 0) {
box.SelectionStart = index;
box.SelectionLength = needle.Length;
}
box.Focus();
}
使用带有StringComparison的Last / IndexOf()方法来实现 matchCase 参数。