]> git.lyx.org Git - lyx.git/blob - src/lyxfind.cpp
4cfdf21aba556a033c4a8c40b8588a1d3378059b
[lyx.git] / src / lyxfind.cpp
1 /**
2  * \file lyxfind.cpp
3  * This file is part of LyX, the document processor.
4  * License details can be found in the file COPYING.
5  *
6  * \author Lars Gullik Bjønnes
7  * \author John Levon
8  * \author Jürgen Vigna
9  * \author Alfredo Braunstein
10  * \author Tommaso Cucinotta
11  * \author Kornel Benko
12  *
13  * Full author contact details are available in file CREDITS.
14  */
15
16 #include <config.h>
17
18 #include "lyxfind.h"
19
20 #include "Buffer.h"
21 #include "BufferList.h"
22 #include "BufferParams.h"
23 #include "BufferView.h"
24 #include "Changes.h"
25 #include "Cursor.h"
26 #include "CutAndPaste.h"
27 #include "FuncRequest.h"
28 #include "LyX.h"
29 #include "output_latex.h"
30 #include "OutputParams.h"
31 #include "Paragraph.h"
32 #include "Text.h"
33 #include "Encoding.h"
34
35 #include "frontends/Application.h"
36 #include "frontends/alert.h"
37
38 #include "mathed/InsetMath.h"
39 #include "mathed/InsetMathHull.h"
40 #include "mathed/MathData.h"
41 #include "mathed/MathStream.h"
42 #include "mathed/MathSupport.h"
43
44 #include "support/debug.h"
45 #include "support/docstream.h"
46 #include "support/FileName.h"
47 #include "support/gettext.h"
48 #include "support/lassert.h"
49 #include "support/lstrings.h"
50 #include "support/textutils.h"
51
52 #include <map>
53 #include <regex>
54
55 //#define ResultsDebug
56 #define USE_QT_FOR_SEARCH
57 #if defined(USE_QT_FOR_SEARCH)
58         #include <QtCore>       // sets QT_VERSION
59         #if (QT_VERSION >= 0x050000)
60                 #include <QRegularExpression>
61                 #define QTSEARCH 1
62         #else
63                 #define QTSEARCH 0
64         #endif
65 #else
66         #define QTSEARCH 0
67 #endif
68
69 using namespace std;
70 using namespace lyx::support;
71
72 namespace lyx {
73
74
75 // Helper class for deciding what should be ignored
76 class IgnoreFormats {
77  public:
78         ///
79         IgnoreFormats() = default;
80         ///
81         bool getFamily() const { return ignoreFamily_; }
82         ///
83         bool getSeries() const { return ignoreSeries_; }
84         ///
85         bool getShape() const { return ignoreShape_; }
86         ///
87         bool getUnderline() const { return ignoreUnderline_; }
88         ///
89         bool getMarkUp() const { return ignoreMarkUp_; }
90         ///
91         bool getStrikeOut() const { return ignoreStrikeOut_; }
92         ///
93         bool getSectioning() const { return ignoreSectioning_; }
94         ///
95         bool getFrontMatter() const { return ignoreFrontMatter_; }
96         ///
97         bool getColor() const { return ignoreColor_; }
98         ///
99         bool getLanguage() const { return ignoreLanguage_; }
100         ///
101         void setIgnoreFormat(string const & type, bool value);
102
103 private:
104         ///
105         bool ignoreFamily_ = false;
106         ///
107         bool ignoreSeries_ = false;
108         ///
109         bool ignoreShape_ = false;
110         ///
111         bool ignoreUnderline_ = false;
112         ///
113         bool ignoreMarkUp_ = false;
114         ///
115         bool ignoreStrikeOut_ = false;
116         ///
117         bool ignoreSectioning_ = false;
118         ///
119         bool ignoreFrontMatter_ = false;
120         ///
121         bool ignoreColor_ = false;
122         ///
123         bool ignoreLanguage_ = false;
124 };
125
126
127 void IgnoreFormats::setIgnoreFormat(string const & type, bool value)
128 {
129         if (type == "color") {
130                 ignoreColor_ = value;
131         }
132         else if (type == "language") {
133                 ignoreLanguage_ = value;
134         }
135         else if (type == "sectioning") {
136                 ignoreSectioning_ = value;
137                 ignoreFrontMatter_ = value;
138         }
139         else if (type == "font") {
140                 ignoreSeries_ = value;
141                 ignoreShape_ = value;
142                 ignoreFamily_ = value;
143         }
144         else if (type == "series") {
145                 ignoreSeries_ = value;
146         }
147         else if (type == "shape") {
148                 ignoreShape_ = value;
149         }
150         else if (type == "family") {
151                 ignoreFamily_ = value;
152         }
153         else if (type == "markup") {
154                 ignoreMarkUp_ = value;
155         }
156         else if (type == "underline") {
157                 ignoreUnderline_ = value;
158         }
159         else if (type == "strike") {
160                 ignoreStrikeOut_ = value;
161         }
162 }
163
164 // The global variable that can be changed from outside
165 IgnoreFormats ignoreFormats;
166
167
168 void setIgnoreFormat(string const & type, bool value)
169 {
170   ignoreFormats.setIgnoreFormat(type, value);
171 }
172
173
174 namespace {
175
176 bool parse_bool(docstring & howto)
177 {
178         if (howto.empty())
179                 return false;
180         docstring var;
181         howto = split(howto, var, ' ');
182         return var == "1";
183 }
184
185
186 class MatchString
187 {
188 public:
189         MatchString(docstring const & s, bool cs, bool mw)
190                 : str(s), case_sens(cs), whole_words(mw)
191         {}
192
193         // returns true if the specified string is at the specified position
194         // del specifies whether deleted strings in ct mode will be considered
195         int operator()(Paragraph const & par, pos_type pos, bool del = true) const
196         {
197                 return par.find(str, case_sens, whole_words, pos, del);
198         }
199
200 private:
201         // search string
202         docstring str;
203         // case sensitive
204         bool case_sens;
205         // match whole words only
206         bool whole_words;
207 };
208
209
210 int findForward(DocIterator & cur, MatchString const & match,
211                 bool find_del = true)
212 {
213         for (; cur; cur.forwardChar())
214                 if (cur.inTexted()) {
215                         int len = match(cur.paragraph(), cur.pos(), find_del);
216                         if (len > 0)
217                                 return len;
218                 }
219         return 0;
220 }
221
222
223 int findBackwards(DocIterator & cur, MatchString const & match,
224                   bool find_del = true)
225 {
226         while (cur) {
227                 cur.backwardChar();
228                 if (cur.inTexted()) {
229                         int len = match(cur.paragraph(), cur.pos(), find_del);
230                         if (len > 0)
231                                 return len;
232                 }
233         }
234         return 0;
235 }
236
237
238 bool searchAllowed(docstring const & str)
239 {
240         if (str.empty()) {
241                 frontend::Alert::error(_("Search error"), _("Search string is empty"));
242                 return false;
243         }
244         return true;
245 }
246
247
248 bool findOne(BufferView * bv, docstring const & searchstr,
249              bool case_sens, bool whole, bool forward,
250              bool find_del = true, bool check_wrap = false)
251 {
252         if (!searchAllowed(searchstr))
253                 return false;
254
255         DocIterator cur = forward
256                 ? bv->cursor().selectionEnd()
257                 : bv->cursor().selectionBegin();
258
259         MatchString const match(searchstr, case_sens, whole);
260
261         int match_len = forward
262                 ? findForward(cur, match, find_del)
263                 : findBackwards(cur, match, find_del);
264
265         if (match_len > 0)
266                 bv->putSelectionAt(cur, match_len, !forward);
267         else if (check_wrap) {
268                 DocIterator cur_orig(bv->cursor());
269                 docstring q;
270                 if (forward)
271                         q = _("End of file reached while searching forward.\n"
272                           "Continue searching from the beginning?");
273                 else
274                         q = _("Beginning of file reached while searching backward.\n"
275                           "Continue searching from the end?");
276                 int wrap_answer = frontend::Alert::prompt(_("Wrap search?"),
277                         q, 0, 1, _("&Yes"), _("&No"));
278                 if (wrap_answer == 0) {
279                         if (forward) {
280                                 bv->cursor().clear();
281                                 bv->cursor().push_back(CursorSlice(bv->buffer().inset()));
282                         } else {
283                                 bv->cursor().setCursor(doc_iterator_end(&bv->buffer()));
284                                 bv->cursor().backwardPos();
285                         }
286                         bv->clearSelection();
287                         if (findOne(bv, searchstr, case_sens, whole, forward, find_del, false))
288                                 return true;
289                 }
290                 bv->cursor().setCursor(cur_orig);
291                 return false;
292         }
293
294         return match_len > 0;
295 }
296
297
298 int replaceAll(BufferView * bv,
299                docstring const & searchstr, docstring const & replacestr,
300                bool case_sens, bool whole)
301 {
302         Buffer & buf = bv->buffer();
303
304         if (!searchAllowed(searchstr) || buf.isReadonly())
305                 return 0;
306
307         DocIterator cur_orig(bv->cursor());
308
309         MatchString const match(searchstr, case_sens, whole);
310         int num = 0;
311
312         int const rsize = replacestr.size();
313         int const ssize = searchstr.size();
314
315         Cursor cur(*bv);
316         cur.setCursor(doc_iterator_begin(&buf));
317         int match_len = findForward(cur, match, false);
318         while (match_len > 0) {
319                 // Backup current cursor position and font.
320                 pos_type const pos = cur.pos();
321                 Font const font = cur.paragraph().getFontSettings(buf.params(), pos);
322                 cur.recordUndo();
323                 int striked = ssize -
324                         cur.paragraph().eraseChars(pos, pos + match_len,
325                                                    buf.params().track_changes);
326                 cur.paragraph().insert(pos, replacestr, font,
327                                        Change(buf.params().track_changes
328                                               ? Change::INSERTED
329                                               : Change::UNCHANGED));
330                 for (int i = 0; i < rsize + striked; ++i)
331                         cur.forwardChar();
332                 ++num;
333                 match_len = findForward(cur, match, false);
334         }
335
336         bv->putSelectionAt(doc_iterator_begin(&buf), 0, false);
337
338         cur_orig.fixIfBroken();
339         bv->setCursor(cur_orig);
340
341         return num;
342 }
343
344
345 // the idea here is that we are going to replace the string that
346 // is selected IF it is the search string.
347 // if there is a selection, but it is not the search string, then
348 // we basically ignore it. (FIXME We ought to replace only within
349 // the selection.)
350 // if there is no selection, then:
351 //  (i) if some search string has been provided, then we find it.
352 //      (think of how the dialog works when you hit "replace" the
353 //      first time.)
354 // (ii) if no search string has been provided, then we treat the
355 //      word the cursor is in as the search string. (why? i have no
356 //      idea.) but this only works in text?
357 //
358 // returns the number of replacements made (one, if any) and
359 // whether anything at all was done.
360 pair<bool, int> replaceOne(BufferView * bv, docstring searchstr,
361                            docstring const & replacestr, bool case_sens,
362                            bool whole, bool forward, bool findnext)
363 {
364         Cursor & cur = bv->cursor();
365         if (!cur.selection()) {
366                 // no selection, non-empty search string: find it
367                 if (!searchstr.empty()) {
368                         bool const found = findOne(bv, searchstr, case_sens, whole, forward, true, findnext);
369                         return make_pair(found, 0);
370                 }
371                 // empty search string
372                 if (!cur.inTexted())
373                         // bail in math
374                         return make_pair(false, 0);
375                 // select current word and treat it as the search string.
376                 // This causes a minor bug as undo will restore this selection,
377                 // which the user did not create (#8986).
378                 cur.innerText()->selectWord(cur, WHOLE_WORD);
379                 searchstr = cur.selectionAsString(false);
380         }
381
382         // if we still don't have a search string, report the error
383         // and abort.
384         if (!searchAllowed(searchstr))
385                 return make_pair(false, 0);
386
387         bool have_selection = cur.selection();
388         docstring const selected = cur.selectionAsString(false);
389         bool match =
390                 case_sens
391                 ? searchstr == selected
392                 : compare_no_case(searchstr, selected) == 0;
393
394         // no selection or current selection is not search word:
395         // just find the search word
396         if (!have_selection || !match) {
397                 bool const found = findOne(bv, searchstr, case_sens, whole, forward, true, findnext);
398                 return make_pair(found, 0);
399         }
400
401         // we're now actually ready to replace. if the buffer is
402         // read-only, we can't, though.
403         if (bv->buffer().isReadonly())
404                 return make_pair(false, 0);
405
406         cap::replaceSelectionWithString(cur, replacestr);
407         if (forward) {
408                 cur.pos() += replacestr.length();
409                 LASSERT(cur.pos() <= cur.lastpos(),
410                         cur.pos() = cur.lastpos());
411         }
412         if (findnext)
413                 findOne(bv, searchstr, case_sens, whole, forward, false, findnext);
414
415         return make_pair(true, 1);
416 }
417
418 } // namespace
419
420
421 docstring const find2string(docstring const & search,
422                             bool casesensitive, bool matchword, bool forward)
423 {
424         odocstringstream ss;
425         ss << search << '\n'
426            << int(casesensitive) << ' '
427            << int(matchword) << ' '
428            << int(forward);
429         return ss.str();
430 }
431
432
433 docstring const replace2string(docstring const & replace,
434                                docstring const & search,
435                                bool casesensitive, bool matchword,
436                                bool all, bool forward, bool findnext)
437 {
438         odocstringstream ss;
439         ss << replace << '\n'
440            << search << '\n'
441            << int(casesensitive) << ' '
442            << int(matchword) << ' '
443            << int(all) << ' '
444            << int(forward) << ' '
445            << int(findnext);
446         return ss.str();
447 }
448
449
450 bool lyxfind(BufferView * bv, FuncRequest const & ev)
451 {
452         if (!bv || ev.action() != LFUN_WORD_FIND)
453                 return false;
454
455         //lyxerr << "find called, cmd: " << ev << endl;
456
457         // data is of the form
458         // "<search>
459         //  <casesensitive> <matchword> <forward>"
460         docstring search;
461         docstring howto = split(ev.argument(), search, '\n');
462
463         bool casesensitive = parse_bool(howto);
464         bool matchword     = parse_bool(howto);
465         bool forward       = parse_bool(howto);
466
467         return findOne(bv, search, casesensitive, matchword, forward, true, true);
468 }
469
470
471 bool lyxreplace(BufferView * bv,
472                 FuncRequest const & ev, bool has_deleted)
473 {
474         if (!bv || ev.action() != LFUN_WORD_REPLACE)
475                 return false;
476
477         // data is of the form
478         // "<search>
479         //  <replace>
480         //  <casesensitive> <matchword> <all> <forward> <findnext>"
481         docstring search;
482         docstring rplc;
483         docstring howto = split(ev.argument(), rplc, '\n');
484         howto = split(howto, search, '\n');
485
486         bool casesensitive = parse_bool(howto);
487         bool matchword     = parse_bool(howto);
488         bool all           = parse_bool(howto);
489         bool forward       = parse_bool(howto);
490         bool findnext      = howto.empty() ? true : parse_bool(howto);
491
492         bool update = false;
493
494         if (!has_deleted) {
495                 int replace_count = 0;
496                 if (all) {
497                         replace_count = replaceAll(bv, search, rplc, casesensitive, matchword);
498                         update = replace_count > 0;
499                 } else {
500                         pair<bool, int> rv =
501                                 replaceOne(bv, search, rplc, casesensitive, matchword, forward, findnext);
502                         update = rv.first;
503                         replace_count = rv.second;
504                 }
505
506                 Buffer const & buf = bv->buffer();
507                 if (!update) {
508                         // emit message signal.
509                         buf.message(_("String not found."));
510                 } else {
511                         if (replace_count == 0) {
512                                 buf.message(_("String found."));
513                         } else if (replace_count == 1) {
514                                 buf.message(_("String has been replaced."));
515                         } else {
516                                 docstring const str =
517                                         bformat(_("%1$d strings have been replaced."), replace_count);
518                                 buf.message(str);
519                         }
520                 }
521         } else if (findnext) {
522                 // if we have deleted characters, we do not replace at all, but
523                 // rather search for the next occurence
524                 if (findOne(bv, search, casesensitive, matchword, forward, true, findnext))
525                         update = true;
526                 else
527                         bv->message(_("String not found."));
528         }
529         return update;
530 }
531
532
533 bool findNextChange(BufferView * bv, Cursor & cur, bool const check_wrap)
534 {
535         for (; cur; cur.forwardPos())
536                 if (cur.inTexted() && cur.paragraph().isChanged(cur.pos()))
537                         return true;
538
539         if (check_wrap) {
540                 DocIterator cur_orig(bv->cursor());
541                 docstring q = _("End of file reached while searching forward.\n"
542                           "Continue searching from the beginning?");
543                 int wrap_answer = frontend::Alert::prompt(_("Wrap search?"),
544                         q, 0, 1, _("&Yes"), _("&No"));
545                 if (wrap_answer == 0) {
546                         bv->cursor().clear();
547                         bv->cursor().push_back(CursorSlice(bv->buffer().inset()));
548                         bv->clearSelection();
549                         cur.setCursor(bv->cursor().selectionBegin());
550                         if (findNextChange(bv, cur, false))
551                                 return true;
552                 }
553                 bv->cursor().setCursor(cur_orig);
554         }
555
556         return false;
557 }
558
559
560 bool findPreviousChange(BufferView * bv, Cursor & cur, bool const check_wrap)
561 {
562         for (cur.backwardPos(); cur; cur.backwardPos()) {
563                 if (cur.inTexted() && cur.paragraph().isChanged(cur.pos()))
564                         return true;
565         }
566
567         if (check_wrap) {
568                 DocIterator cur_orig(bv->cursor());
569                 docstring q = _("Beginning of file reached while searching backward.\n"
570                           "Continue searching from the end?");
571                 int wrap_answer = frontend::Alert::prompt(_("Wrap search?"),
572                         q, 0, 1, _("&Yes"), _("&No"));
573                 if (wrap_answer == 0) {
574                         bv->cursor().setCursor(doc_iterator_end(&bv->buffer()));
575                         bv->cursor().backwardPos();
576                         bv->clearSelection();
577                         cur.setCursor(bv->cursor().selectionBegin());
578                         if (findPreviousChange(bv, cur, false))
579                                 return true;
580                 }
581                 bv->cursor().setCursor(cur_orig);
582         }
583
584         return false;
585 }
586
587
588 bool selectChange(Cursor & cur, bool forward)
589 {
590         if (!cur.inTexted() || !cur.paragraph().isChanged(cur.pos()))
591                 return false;
592         Change ch = cur.paragraph().lookupChange(cur.pos());
593
594         CursorSlice tip1 = cur.top();
595         for (; tip1.pit() < tip1.lastpit() || tip1.pos() < tip1.lastpos(); tip1.forwardPos()) {
596                 Change ch2 = tip1.paragraph().lookupChange(tip1.pos());
597                 if (!ch2.isSimilarTo(ch))
598                         break;
599         }
600         CursorSlice tip2 = cur.top();
601         for (; tip2.pit() > 0 || tip2.pos() > 0;) {
602                 tip2.backwardPos();
603                 Change ch2 = tip2.paragraph().lookupChange(tip2.pos());
604                 if (!ch2.isSimilarTo(ch)) {
605                         // take a step forward to correctly set the selection
606                         tip2.forwardPos();
607                         break;
608                 }
609         }
610         if (forward)
611                 swap(tip1, tip2);
612         cur.top() = tip1;
613         cur.bv().mouseSetCursor(cur, false);
614         cur.top() = tip2;
615         cur.bv().mouseSetCursor(cur, true);
616         return true;
617 }
618
619
620 namespace {
621
622
623 bool findChange(BufferView * bv, bool forward)
624 {
625         Cursor cur(*bv);
626         cur.setCursor(forward ? bv->cursor().selectionEnd()
627                       : bv->cursor().selectionBegin());
628         forward ? findNextChange(bv, cur, true) : findPreviousChange(bv, cur, true);
629         return selectChange(cur, forward);
630 }
631
632 } // namespace
633
634 bool findNextChange(BufferView * bv)
635 {
636         return findChange(bv, true);
637 }
638
639
640 bool findPreviousChange(BufferView * bv)
641 {
642         return findChange(bv, false);
643 }
644
645
646
647 namespace {
648
649 typedef vector<pair<string, string> > Escapes;
650
651 /// A map of symbols and their escaped equivalent needed within a regex.
652 /// @note Beware of order
653 Escapes const & get_regexp_escapes()
654 {
655         typedef std::pair<std::string, std::string> P;
656
657         static Escapes escape_map;
658         if (escape_map.empty()) {
659                 escape_map.push_back(P("$", "_x_$"));
660                 escape_map.push_back(P("{", "_x_{"));
661                 escape_map.push_back(P("}", "_x_}"));
662                 escape_map.push_back(P("[", "_x_["));
663                 escape_map.push_back(P("]", "_x_]"));
664                 escape_map.push_back(P("(", "_x_("));
665                 escape_map.push_back(P(")", "_x_)"));
666                 escape_map.push_back(P("+", "_x_+"));
667                 escape_map.push_back(P("*", "_x_*"));
668                 escape_map.push_back(P(".", "_x_."));
669                 escape_map.push_back(P("\\", "(?:\\\\|\\\\backslash)"));
670                 escape_map.push_back(P("~", "(?:\\\\textasciitilde|\\\\sim)"));
671                 escape_map.push_back(P("^", "(?:\\^|\\\\textasciicircum\\{\\}|\\\\textasciicircum|\\\\mathcircumflex)"));
672                 escape_map.push_back(P("_x_", "\\"));
673         }
674         return escape_map;
675 }
676
677 /// A map of lyx escaped strings and their unescaped equivalent.
678 Escapes const & get_lyx_unescapes()
679 {
680         typedef std::pair<std::string, std::string> P;
681
682         static Escapes escape_map;
683         if (escape_map.empty()) {
684                 escape_map.push_back(P("\\%", "%"));
685                 escape_map.push_back(P("\\{", "{"));
686                 escape_map.push_back(P("\\}", "}"));
687                 escape_map.push_back(P("\\mathcircumflex ", "^"));
688                 escape_map.push_back(P("\\mathcircumflex", "^"));
689                 escape_map.push_back(P("\\backslash ", "\\"));
690                 escape_map.push_back(P("\\backslash", "\\"));
691                 escape_map.push_back(P("\\sim ", "~"));
692                 escape_map.push_back(P("\\sim", "~"));
693         }
694         return escape_map;
695 }
696
697 /// A map of escapes turning a regexp matching text to one matching latex.
698 Escapes const & get_regexp_latex_escapes()
699 {
700         typedef std::pair<std::string, std::string> P;
701
702         static Escapes escape_map;
703         if (escape_map.empty()) {
704                 escape_map.push_back(P("\\\\", "(?:\\\\\\\\|\\\\backslash|\\\\textbackslash\\{\\}|\\\\textbackslash)"));
705                 escape_map.push_back(P("(<?!\\\\\\\\textbackslash)\\{", "\\\\\\{"));
706                 escape_map.push_back(P("(<?!\\\\\\\\textbackslash\\\\\\{)\\}", "\\\\\\}"));
707                 escape_map.push_back(P("\\[", "\\{\\[\\}"));
708                 escape_map.push_back(P("\\]", "\\{\\]\\}"));
709                 escape_map.push_back(P("\\^", "(?:\\^|\\\\textasciicircum\\{\\}|\\\\textasciicircum|\\\\mathcircumflex)"));
710                 escape_map.push_back(P("%", "\\\\\\%"));
711                 escape_map.push_back(P("#", "\\\\#"));
712         }
713         return escape_map;
714 }
715
716 /** @todo Probably the maps need to be migrated to regexps, in order to distinguish if
717  ** the found occurrence were escaped.
718  **/
719 string apply_escapes(string s, Escapes const & escape_map)
720 {
721         LYXERR(Debug::FIND, "Escaping: '" << s << "'");
722         Escapes::const_iterator it;
723         for (it = escape_map.begin(); it != escape_map.end(); ++it) {
724 //              LYXERR(Debug::FIND, "Escaping " << it->first << " as " << it->second);
725                 unsigned int pos = 0;
726                 while (pos < s.length() && (pos = s.find(it->first, pos)) < s.length()) {
727                         s.replace(pos, it->first.length(), it->second);
728                         LYXERR(Debug::FIND, "After escape: " << s);
729                         pos += it->second.length();
730 //                      LYXERR(Debug::FIND, "pos: " << pos);
731                 }
732         }
733         LYXERR(Debug::FIND, "Escaped : '" << s << "'");
734         return s;
735 }
736
737
738 /// Within \regexp{} apply get_lyx_unescapes() only (i.e., preserve regexp semantics of the string),
739 /// while outside apply get_lyx_unescapes()+get_regexp_escapes().
740 /// If match_latex is true, then apply regexp_latex_escapes() to \regexp{} contents as well.
741 string escape_for_regex(string s, bool match_latex)
742 {
743         size_t pos = 0;
744         while (pos < s.size()) {
745                 size_t new_pos = s.find("\\regexp{", pos);
746                 if (new_pos == string::npos)
747                         new_pos = s.size();
748                 string t;
749                 if (new_pos > pos) {
750                         // outside regexp
751                         LYXERR(Debug::FIND, "new_pos: " << new_pos);
752                         t = apply_escapes(s.substr(pos, new_pos - pos), get_lyx_unescapes());
753                         LYXERR(Debug::FIND, "t [lyx]: " << t);
754                         t = apply_escapes(t, get_regexp_escapes());
755                         LYXERR(Debug::FIND, "t [rxp]: " << t);
756                         s.replace(pos, new_pos - pos, t);
757                         new_pos = pos + t.size();
758                         LYXERR(Debug::FIND, "Regexp after escaping: " << s);
759                         LYXERR(Debug::FIND, "new_pos: " << new_pos);
760                         if (new_pos == s.size())
761                                 break;
762                 }
763                 // Might fail if \\endregexp{} is preceeded by unexpected stuff (weird escapes)
764                 size_t end_pos = s.find("\\endregexp{}}", new_pos + 8);
765                 LYXERR(Debug::FIND, "end_pos: " << end_pos);
766                 t = s.substr(new_pos + 8, end_pos - (new_pos + 8));
767                 LYXERR(Debug::FIND, "t in regexp      : " << t);
768                 t = apply_escapes(t, get_lyx_unescapes());
769                 LYXERR(Debug::FIND, "t in regexp after unescapes [lyx]: " << t);
770                 if (match_latex) {
771                         t = apply_escapes(t, get_regexp_latex_escapes());
772                         LYXERR(Debug::FIND, "t in regexp after latex_escapes [ltx]: " << t);
773                 }
774                 if (end_pos == s.size()) {
775                         s.replace(new_pos, end_pos - new_pos, t);
776                         LYXERR(Debug::FIND, "Regexp after \\regexp{} removal: " << s);
777                         break;
778                 }
779                 s.replace(new_pos, end_pos + 13 - new_pos, t);
780                 LYXERR(Debug::FIND, "Regexp after \\regexp{...\\endregexp{}} removal: " << s);
781                 pos = new_pos + t.size();
782                 LYXERR(Debug::FIND, "pos: " << pos);
783         }
784         return s;
785 }
786
787
788 /// Wrapper for lyx::regex_replace with simpler interface
789 bool regex_replace(string const & s, string & t, string const & searchstr,
790                    string const & replacestr)
791 {
792         regex e(searchstr, regex_constants::ECMAScript);
793         ostringstream oss;
794         ostream_iterator<char, char> it(oss);
795         regex_replace(it, s.begin(), s.end(), e, replacestr);
796         // tolerate t and s be references to the same variable
797         bool rv = (s != oss.str());
798         t = oss.str();
799         return rv;
800 }
801
802 #if 0
803 /** Checks if supplied string segment is well-formed from the standpoint of matching open-closed braces.
804  **
805  ** Verify that closed braces exactly match open braces. This avoids that, for example,
806  ** \frac{.*}{x} matches \frac{x+\frac{y}{x}}{z} with .* being 'x+\frac{y'.
807  **
808  ** @param unmatched
809  ** Number of open braces that must remain open at the end for the verification to succeed.
810  **/
811 #if QTSEARCH
812 bool braces_match(QString const & beg,
813                   int unmatched = 0)
814 #else
815 bool braces_match(string const & beg,
816                 int unmatched = 0)
817 #endif
818 {
819         int open_pars = 0;
820 #if QTSEARCH
821         LYXERR(Debug::FIND, "Checking " << unmatched << " unmatched braces in '" << beg.toStdString() << "'");
822 #else
823         LYXERR(Debug::FIND, "Checking " << unmatched << " unmatched braces in '" << beg << "'");
824 #endif
825         int lastidx = beg.size();
826         for (int i=0; i < lastidx; ++i) {
827                 // Skip escaped braces in the count
828 #if QTSEARCH
829                 QChar c = beg.at(i);
830 #else
831                 char c = beg.at(i);
832 #endif
833                 if (c == '\\') {
834                         ++i;
835                         if (i >= lastidx)
836                                 break;
837                 } else if (c == '{') {
838                         ++open_pars;
839                 } else if (c == '}') {
840                         if (open_pars == 0) {
841                                 LYXERR(Debug::FIND, "Found unmatched closed brace");
842                                 return false;
843                         } else
844                                 --open_pars;
845                 }
846         }
847         if (open_pars != unmatched) {
848                 LYXERR(Debug::FIND, "Found " << open_pars
849                        << " instead of " << unmatched
850                        << " unmatched open braces at the end of count");
851                 return false;
852         }
853         LYXERR(Debug::FIND, "Braces match as expected");
854         return true;
855 }
856 #endif
857
858 class MatchResult {
859 public:
860         enum range {
861                 newIsTooFar,
862                 newIsBetter,
863                 newIsInvalid
864         };
865         int match_len;
866         int match_prefix;
867         int match2end;
868         int pos;
869         int leadsize;
870 #if defined(ResultsDebug)
871         vector <string> result = vector <string>();
872 #endif
873         MatchResult(): match_len(0),match_prefix(0),match2end(0), pos(0),leadsize(0) {};
874 };
875
876 static MatchResult::range interpretMatch(MatchResult &oldres, MatchResult &newres)
877 {
878   int range = oldres.match_len;
879   if (range < 2) range = 2;
880   if (newres.match2end < oldres.match2end - oldres.match_len)
881     return MatchResult::newIsTooFar;
882   if (newres.match_len < oldres.match_len)
883     return MatchResult::newIsTooFar;
884   if ((newres.match_len == oldres.match_len) &&
885       (newres.match2end < oldres.match2end + range) &&
886       (newres.match2end > oldres.match2end - range)) {
887     return MatchResult::newIsBetter;
888   }
889   return MatchResult::newIsInvalid;
890 }
891
892 /** The class performing a match between a position in the document and the FindAdvOptions.
893  **/
894
895 class MatchStringAdv {
896 public:
897         MatchStringAdv(lyx::Buffer & buf, FindAndReplaceOptions const & opt);
898
899         /** Tests if text starting at the supplied position matches with the one provided to the MatchStringAdv
900          ** constructor as opt.search, under the opt.* options settings.
901          **
902          ** @param at_begin
903          **     If set, then match is searched only against beginning of text starting at cur.
904          **     If unset, then match is searched anywhere in text starting at cur.
905          **
906          ** @return
907          ** The length of the matching text, or zero if no match was found.
908          **/
909         MatchResult operator()(DocIterator const & cur, int len = -1, bool at_begin = true) const;
910 #if QTSEARCH
911         bool regexIsValid;
912         string regexError;
913 #endif
914
915 public:
916         /// buffer
917         lyx::Buffer * p_buf;
918         /// first buffer on which search was started
919         lyx::Buffer * const p_first_buf;
920         /// options
921         FindAndReplaceOptions const & opt;
922
923 private:
924         /// Auxiliary find method (does not account for opt.matchword)
925         MatchResult findAux(DocIterator const & cur, int len = -1, bool at_begin = true) const;
926
927         /** Normalize a stringified or latexified LyX paragraph.
928          **
929          ** Normalize means:
930          ** <ul>
931          **   <li>if search is not casesensitive, then lowercase the string;
932          **   <li>remove any newline at begin or end of the string;
933          **   <li>replace any newline in the middle of the string with a simple space;
934          **   <li>remove stale empty styles and environments, like \emph{} and \textbf{}.
935          ** </ul>
936          **
937          ** @todo Normalization should also expand macros, if the corresponding
938          ** search option was checked.
939          **/
940         string normalize(docstring const & s, bool hack_braces) const;
941         // normalized string to search
942         string par_as_string;
943         // regular expression to use for searching
944         // regexp2 is same as regexp, but prefixed with a ".*?"
945 #if QTSEARCH
946         QRegularExpression regexp;
947         QRegularExpression regexp2;
948 #else
949         regex regexp;
950         regex regexp2;
951 #endif
952         // leading format material as string
953         string lead_as_string;
954         // par_as_string after removal of lead_as_string
955         string par_as_string_nolead;
956         // unmatched open braces in the search string/regexp
957         int open_braces;
958         // number of (.*?) subexpressions added at end of search regexp for closing
959         // environments, math mode, styles, etc...
960         int close_wildcards;
961 public:
962         // Are we searching with regular expressions ?
963         bool use_regexp;
964 };
965
966
967 static docstring buffer_to_latex(Buffer & buffer)
968 {
969         //OutputParams runparams(&buffer.params().encoding());
970         OutputParams runparams(encodings.fromLyXName("utf8"));
971         odocstringstream ods;
972         otexstream os(ods);
973         runparams.nice = true;
974         runparams.flavor = Flavor::XeTeX;
975         runparams.linelen = 10000; //lyxrc.plaintext_linelen;
976         // No side effect of file copying and image conversion
977         runparams.dryrun = true;
978         runparams.for_search = true;
979         pit_type const endpit = buffer.paragraphs().size();
980         for (pit_type pit = 0; pit != endpit; ++pit) {
981                 TeXOnePar(buffer, buffer.text(), pit, os, runparams);
982                 LYXERR(Debug::FIND, "searchString up to here: " << ods.str());
983         }
984         return ods.str();
985 }
986
987
988 static docstring stringifySearchBuffer(Buffer & buffer, FindAndReplaceOptions const & opt)
989 {
990         docstring str;
991         if (!opt.ignoreformat) {
992                 str = buffer_to_latex(buffer);
993         } else {
994                 // OutputParams runparams(&buffer.params().encoding());
995                 OutputParams runparams(encodings.fromLyXName("utf8"));
996                 runparams.nice = true;
997                 runparams.flavor = Flavor::XeTeX;
998                 runparams.linelen = 10000; //lyxrc.plaintext_linelen;
999                 runparams.dryrun = true;
1000                 runparams.for_search = true;
1001                 for (pos_type pit = pos_type(0); pit < (pos_type)buffer.paragraphs().size(); ++pit) {
1002                         Paragraph const & par = buffer.paragraphs().at(pit);
1003                         LYXERR(Debug::FIND, "Adding to search string: '"
1004                                << par.asString(pos_type(0), par.size(),
1005                                                AS_STR_INSETS | AS_STR_SKIPDELETE | AS_STR_PLAINTEXT,
1006                                                &runparams)
1007                                << "'");
1008                         str += par.asString(pos_type(0), par.size(),
1009                                             AS_STR_INSETS | AS_STR_SKIPDELETE | AS_STR_PLAINTEXT,
1010                                             &runparams);
1011                 }
1012                 // Even in ignore-format we have to remove "\text{}, \lyxmathsym{}" parts
1013                 string t = to_utf8(str);
1014                 while (regex_replace(t, t, "\\\\(text|lyxmathsym)\\{([^\\}]*)\\}", "$2"));
1015                 str = from_utf8(t);
1016         }
1017         return str;
1018 }
1019
1020
1021 /// Return separation pos between the leading material and the rest
1022 static size_t identifyLeading(string const & s)
1023 {
1024         string t = s;
1025         // @TODO Support \item[text]
1026         // Kornel: Added textsl, textsf, textit, texttt and noun
1027         // + allow to search for colored text too
1028         while (regex_replace(t, t, "^\\\\(("
1029                              "(author|title|subtitle|subject|publishers|dedication|uppertitleback|lowertitleback|extratitle|"
1030                                "lyxaddress|lyxrightaddress|"
1031                                "footnotesize|tiny|scriptsize|small|large|Large|LARGE|huge|Huge|"
1032                                "emph|noun|minisec|text(bf|md|sl|sf|it|tt))|"
1033                              "((textcolor|foreignlanguage|latexenvironment)\\{[a-z]+\\*?\\})|"
1034                              "(u|uu)line|(s|x)out|uwave)|((sub)?(((sub)?section)|paragraph)|part|chapter)\\*?)\\{", "")
1035                || regex_replace(t, t, "^\\$", "")
1036                || regex_replace(t, t, "^\\\\\\[", "")
1037                || regex_replace(t, t, "^ ?\\\\item\\{[a-z]+\\}", "")
1038                || regex_replace(t, t, "^\\\\begin\\{[a-zA-Z_]*\\*?\\}", ""))
1039                ;
1040         LYXERR(Debug::FIND, "  after removing leading $, \\[ , \\emph{, \\textbf{, etc.: '" << t << "'");
1041         return s.find(t);
1042 }
1043
1044 /*
1045  * Given a latexified string, retrieve some handled features
1046  * The features of the regex will later be compared with the features
1047  * of the searched text. If the regex features are not a
1048  * subset of the analized, then, in not format ignoring search
1049  * we can early stop the search in the relevant inset.
1050  */
1051 typedef map<string, bool> Features;
1052
1053 static Features identifyFeatures(string const & s)
1054 {
1055         static regex const feature("\\\\(([a-zA-Z]+(\\{([a-z]+\\*?)\\}|\\*)?))\\{");
1056         static regex const valid("^("
1057                 "("
1058                         "(footnotesize|tiny|scriptsize|small|large|Large|LARGE|huge|Huge|"
1059                                 "emph|noun|text(bf|md|sl|sf|it|tt)|"
1060                                 "(textcolor|foreignlanguage|item|listitem|latexenvironment)\\{[a-z]+\\*?\\})|"
1061                         "(u|uu)line|(s|x)out|uwave|"
1062                         "(sub|extra)?title|author|subject|publishers|dedication|(upper|lower)titleback|lyx(right)?address)|"
1063                 "((sub)?(((sub)?section)|paragraph)|part|chapter|lyxslide)\\*?)$");
1064         smatch sub;
1065         bool displ = true;
1066         Features info;
1067
1068         for (sregex_iterator it(s.begin(), s.end(), feature), end; it != end; ++it) {
1069                 sub = *it;
1070                 if (displ) {
1071                         if (sub.str(1).compare("regexp") == 0) {
1072                                 displ = false;
1073                                 continue;
1074                         }
1075                         string token = sub.str(1);
1076                         smatch sub2;
1077                         if (regex_match(token, sub2, valid)) {
1078                                 info[token] = true;
1079                         }
1080                         else {
1081                                 // ignore
1082                         }
1083                 }
1084                 else {
1085                         if (sub.str(1).compare("endregexp") == 0) {
1086                                 displ = true;
1087                                 continue;
1088                         }
1089                 }
1090         }
1091         return info;
1092 }
1093
1094 /*
1095  * defines values features of a key "\\[a-z]+{"
1096  */
1097 class KeyInfo {
1098  public:
1099   enum KeyType {
1100     /* Char type with content discarded
1101      * like \hspace{1cm} */
1102     noContent,
1103     /* Char, like \backslash */
1104     isChar,
1105     /* replace starting backslash with '#' */
1106     isText,
1107     /* \part, \section*, ... */
1108     isSectioning,
1109     /* title, author etc */
1110     isTitle,
1111     /* \foreignlanguage{ngerman}, ... */
1112     isMain,
1113     /* inside \code{}
1114      * to discard language in content */
1115     noMain,
1116     isRegex,
1117     /* \begin{eqnarray}...\end{eqnarray}, ... $...$ */
1118     isMath,
1119     /* fonts, colors, markups, ... */
1120     isStandard,
1121     /* footnotesize, ... large, ...
1122      * Ignore all of them */
1123     isSize,
1124     invalid,
1125     /* inputencoding, ...
1126      * Discard also content, because they do not help in search */
1127     doRemove,
1128     /* twocolumns, ...
1129      * like remove, but also all arguments */
1130     removeWithArg,
1131     /* item, listitem */
1132     isList,
1133     /* tex, latex, ... like isChar */
1134     isIgnored,
1135     /* like \lettrine[lines=5]{}{} */
1136     cleanToStart,
1137     // like isStandard, but always remove head
1138     headRemove,
1139     /* End of arguments marker for lettrine,
1140      * so that they can be ignored */
1141     endArguments
1142   };
1143  KeyInfo() = default;
1144  KeyInfo(KeyType type, int parcount, bool disable)
1145    : keytype(type),
1146     parenthesiscount(parcount),
1147     disabled(disable) {}
1148   KeyType keytype = invalid;
1149   string head;
1150   int _tokensize = -1;
1151   int _tokenstart = -1;
1152   int _dataStart = -1;
1153   int _dataEnd = -1;
1154   int parenthesiscount = 1;
1155   bool disabled = false;
1156   bool used = false;                    /* by pattern */
1157 };
1158
1159 class Border {
1160  public:
1161  Border(int l=0, int u=0) : low(l), upper(u) {};
1162   int low;
1163   int upper;
1164 };
1165
1166 #define MAXOPENED 30
1167 class Intervall {
1168   bool isPatternString_;
1169 public:
1170   explicit Intervall(bool isPattern, string const & p) :
1171         isPatternString_(isPattern), par(p), ignoreidx(-1), actualdeptindex(0),
1172         hasTitle(false), langcount(0)
1173   {
1174     depts[0] = 0;
1175     closes[0] = 0;
1176   }
1177
1178   string par;
1179   int ignoreidx;
1180   static vector<Border> borders;
1181   int depts[MAXOPENED];
1182   int closes[MAXOPENED];
1183   int actualdeptindex;
1184   int previousNotIgnored(int) const;
1185   int nextNotIgnored(int) const;
1186   void handleOpenP(int i);
1187   void handleCloseP(int i, bool closingAllowed);
1188   void resetOpenedP(int openPos);
1189   void addIntervall(int upper);
1190   void addIntervall(int low, int upper); /* if explicit */
1191   void removeAccents();
1192   void setForDefaultLang(KeyInfo const & defLang) const;
1193   int findclosing(int start, int end, char up, char down, int repeat);
1194   void handleParentheses(int lastpos, bool closingAllowed);
1195   bool hasTitle;
1196   int langcount;        // Number of disabled language specs up to current position in actual interval
1197   int isOpeningPar(int pos) const;
1198   string titleValue;
1199   void output(ostringstream &os, int lastpos);
1200   // string show(int lastpos);
1201 };
1202
1203 vector<Border> Intervall::borders = vector<Border>(30);
1204
1205 int Intervall::isOpeningPar(int pos) const
1206 {
1207   if ((pos < 0) || (size_t(pos) >= par.size()))
1208     return 0;
1209   if (par[pos] != '{')
1210     return 0;
1211   if (size_t(pos) + 2 >= par.size())
1212     return 1;
1213   if (par[pos+2] != '}')
1214     return 1;
1215   if (par[pos+1] == '[' || par[pos+1] == ']')
1216     return 3;
1217   return 1;
1218 }
1219
1220 void Intervall::setForDefaultLang(KeyInfo const & defLang) const
1221 {
1222   // Enable the use of first token again
1223   if (ignoreidx >= 0) {
1224     int value = defLang._tokenstart + defLang._tokensize;
1225     int borderidx = 0;
1226     if (hasTitle) {
1227       borderidx = 1;
1228     }
1229     if (value > 0) {
1230       if (borders[borderidx].low < value)
1231         borders[borderidx].low = value;
1232       if (borders[borderidx].upper < value)
1233         borders[borderidx].upper = value;
1234     }
1235   }
1236 }
1237
1238 static void checkDepthIndex(int val)
1239 {
1240   static int maxdepthidx = MAXOPENED-2;
1241   static int lastmaxdepth = 0;
1242   if (val > lastmaxdepth) {
1243     LYXERR(Debug::INFO, "Depth reached " << val);
1244     lastmaxdepth = val;
1245   }
1246   if (val > maxdepthidx) {
1247     maxdepthidx = val;
1248     LYXERR(Debug::INFO, "maxdepthidx now " << val);
1249   }
1250 }
1251
1252 #if 0
1253 // Not needed, because borders are now dynamically expanded
1254 static void checkIgnoreIdx(int val)
1255 {
1256   static int lastmaxignore = -1;
1257   if ((lastmaxignore < val) && (size_t(val+1) >= borders.size())) {
1258     LYXERR(Debug::INFO, "IgnoreIdx reached " << val);
1259     lastmaxignore = val;
1260   }
1261 }
1262 #endif
1263
1264 /*
1265  * Expand the region of ignored parts of the input latex string
1266  * The region is only relevant in output()
1267  */
1268 void Intervall::addIntervall(int low, int upper)
1269 {
1270   int idx;
1271   if (low == upper) return;
1272   for (idx = ignoreidx+1; idx > 0; --idx) {
1273     if (low > borders[idx-1].upper) {
1274       break;
1275     }
1276   }
1277   Border br(low, upper);
1278   if (idx > ignoreidx) {
1279     if (borders.size() <= size_t(idx)) {
1280       borders.push_back(br);
1281     }
1282     else {
1283       borders[idx] = br;
1284     }
1285     ignoreidx = idx;
1286     // checkIgnoreIdx(ignoreidx);
1287     return;
1288   }
1289   else {
1290     // Expand only if one of the new bound is inside the interwall
1291     // We know here that br.low > borders[idx-1].upper
1292     if (br.upper < borders[idx].low) {
1293       // We have to insert at this pos
1294       if (size_t(ignoreidx+1) >= borders.size()) {
1295         borders.push_back(borders[ignoreidx]);
1296       }
1297       else {
1298         borders[ignoreidx+1] = borders[ignoreidx];
1299       }
1300       for (int i = ignoreidx; i > idx; --i) {
1301         borders[i] = borders[i-1];
1302       }
1303       borders[idx] = br;
1304       ignoreidx += 1;
1305       // checkIgnoreIdx(ignoreidx);
1306       return;
1307     }
1308     // Here we know, that we are overlapping
1309     if (br.low > borders[idx].low)
1310       br.low = borders[idx].low;
1311     // check what has to be concatenated
1312     int count = 0;
1313     for (int i = idx; i <= ignoreidx; i++) {
1314       if (br.upper >= borders[i].low) {
1315         count++;
1316         if (br.upper < borders[i].upper)
1317           br.upper = borders[i].upper;
1318       }
1319       else {
1320         break;
1321       }
1322     }
1323     // count should be >= 1 here
1324     borders[idx] = br;
1325     if (count > 1) {
1326       for (int i = idx + count; i <= ignoreidx; i++) {
1327         borders[i-count+1] = borders[i];
1328       }
1329       ignoreidx -= count - 1;
1330       return;
1331     }
1332   }
1333 }
1334
1335 typedef map<string, string> AccentsMap;
1336 static AccentsMap accents = map<string, string>();
1337
1338 static void buildaccent(string n, string param, string values)
1339 {
1340   stringstream s(n);
1341   string name;
1342   const char delim = '|';
1343   while (getline(s, name, delim)) {
1344     size_t start = 0;
1345     for (char c : param) {
1346       string key = name + "{" + c + "}";
1347       // get the corresponding utf8-value
1348       if ((values[start] & 0xc0) != 0xc0) {
1349         // should not happen, utf8 encoding starts at least with 11xxxxxx
1350         // but value for '\dot{i}' is 'i', which is ascii
1351         if ((values[start] & 0x80) == 0) {
1352           // is ascii
1353           accents[key] = values.substr(start, 1);
1354           // LYXERR(Debug::INFO, "" << key << "=" << accents[key]);
1355         }
1356         start++;
1357         continue;
1358       }
1359       for (int j = 1; ;j++) {
1360         if (start + j >= values.size()) {
1361           accents[key] = values.substr(start, j);
1362           start = values.size() - 1;
1363           break;
1364         }
1365         else if ((values[start+j] & 0xc0) != 0x80) {
1366           // This is the first byte of following utf8 char
1367           accents[key] = values.substr(start, j);
1368           start += j;
1369           // LYXERR(Debug::INFO, "" << key << "=" << accents[key]);
1370           break;
1371         }
1372       }
1373     }
1374   }
1375 }
1376
1377 // Helper function
1378 static string getutf8(unsigned uchar)
1379 {
1380         #define maxc 5
1381         string ret = string();
1382         char c[maxc] = {0};
1383         if (uchar <= 0x7f) {
1384                 c[maxc-1] = uchar & 0x7f;
1385         }
1386         else {
1387                 unsigned char rest = 0x40;
1388                 unsigned char first = 0x80;
1389                 int start = maxc-1;
1390                 for (int i = start; i >=0; --i) {
1391                         if (uchar < rest) {
1392                                 c[i] = first + uchar;
1393                                 break;
1394                         }
1395                         c[i] = 0x80 | (uchar &  0x3f);
1396                         uchar >>= 6;
1397                         rest >>= 1;
1398                         first >>= 1;
1399                         first |= 0x80;
1400                 }
1401         }
1402         for (int i = 0; i < maxc; i++) {
1403                 if (c[i] == 0) continue;
1404                 ret += c[i];
1405         }
1406         return(ret);
1407 }
1408
1409 static void buildAccentsMap()
1410 {
1411   accents["imath"] = "ı";
1412   accents["i"] = "ı";
1413   accents["jmath"] = "ȷ";
1414   accents["cdot"] = "·";
1415   accents["guillemotright"] = "»";
1416   accents["guillemotleft"] = "«";
1417   accents["hairspace"]     = getutf8(0xf0000);  // select from free unicode plane 15
1418   accents["thinspace"]     = getutf8(0xf0002);  // and used _only_ by findadv
1419   accents["negthinspace"]  = getutf8(0xf0003);  // to omit backslashed latex macros
1420   accents["medspace"]      = getutf8(0xf0004);  // See https://en.wikipedia.org/wiki/Private_Use_Areas
1421   accents["negmedspace"]   = getutf8(0xf0005);
1422   accents["thickspace"]    = getutf8(0xf0006);
1423   accents["negthickspace"] = getutf8(0xf0007);
1424   accents["lyx"]           = getutf8(0xf0010);  // Used logos
1425   accents["LyX"]           = getutf8(0xf0010);
1426   accents["tex"]           = getutf8(0xf0011);
1427   accents["TeX"]           = getutf8(0xf0011);
1428   accents["latex"]         = getutf8(0xf0012);
1429   accents["LaTeX"]         = getutf8(0xf0012);
1430   accents["latexe"]        = getutf8(0xf0013);
1431   accents["LaTeXe"]        = getutf8(0xf0013);
1432   accents["lyxarrow"]      = getutf8(0xf0020);
1433   accents["backslash lyx"]           = getutf8(0xf0010);        // Used logos inserted with starting \backslash
1434   accents["backslash LyX"]           = getutf8(0xf0010);
1435   accents["backslash tex"]           = getutf8(0xf0011);
1436   accents["backslash TeX"]           = getutf8(0xf0011);
1437   accents["backslash latex"]         = getutf8(0xf0012);
1438   accents["backslash LaTeX"]         = getutf8(0xf0012);
1439   accents["backslash latexe"]        = getutf8(0xf0013);
1440   accents["backslash LaTeXe"]        = getutf8(0xf0013);
1441   accents["backslash lyxarrow"]      = getutf8(0xf0020);
1442   accents["ddot{\\imath}"] = "ï";
1443   buildaccent("ddot", "aAeEhHiIioOtuUwWxXyY",
1444                       "äÄëËḧḦïÏïöÖẗüÜẅẄẍẌÿŸ");       // umlaut
1445   buildaccent("dot|.", "aAbBcCdDeEfFGghHIimMnNoOpPrRsStTwWxXyYzZ",
1446                        "ȧȦḃḂċĊḋḊėĖḟḞĠġḣḢİİṁṀṅṄȯȮṗṖṙṘṡṠṫṪẇẆẋẊẏẎżŻ");   // dot{i} can only happen if ignoring case, but there is no lowercase of 'İ'
1447   accents["acute{\\imath}"] = "í";
1448   buildaccent("acute", "aAcCeEgGkKlLmMoOnNpPrRsSuUwWyYzZiI",
1449                        "áÁćĆéÉǵǴḱḰĺĹḿḾóÓńŃṕṔŕŔśŚúÚẃẂýÝźŹíÍ");
1450   buildaccent("dacute|H|h", "oOuU", "őŐűŰ");        // double acute
1451   buildaccent("mathring|r", "aAuUwy",
1452                             "åÅůŮẘẙ");  // ring
1453   accents["check{\\imath}"] = "ǐ";
1454   accents["check{\\jmath}"] = "ǰ";
1455   buildaccent("check|v", "cCdDaAeEiIoOuUgGkKhHlLnNrRsSTtzZ",
1456                          "čČďĎǎǍěĚǐǏǒǑǔǓǧǦǩǨȟȞľĽňŇřŘšŠŤťžŽ");   // caron
1457   accents["hat{\\imath}"] = "î";
1458   accents["hat{\\jmath}"] = "ĵ";
1459   buildaccent("hat|^", "aAcCeEgGhHiIjJoOsSuUwWyYzZ",
1460                        "âÂĉĈêÊĝĜĥĤîÎĵĴôÔŝŜûÛŵŴŷŶẑẐ");       // circ
1461   accents["bar{\\imath}"] = "ī";
1462   buildaccent("bar|=", "aAeEiIoOuUyY",
1463                        "āĀēĒīĪōŌūŪȳȲ");     // macron
1464   accents["tilde{\\imath}"] = "ĩ";
1465   buildaccent("tilde", "aAeEiInNoOuUvVyY",
1466                        "ãÃẽẼĩĨñÑõÕũŨṽṼỹỸ");       // tilde
1467   accents["breve{\\imath}"] = "ĭ";
1468   buildaccent("breve|u", "aAeEgGiIoOuU",
1469                          "ăĂĕĔğĞĭĬŏŎŭŬ");   // breve
1470   accents["grave{\\imath}"] = "ì";
1471   buildaccent("grave|`", "aAeEiIoOuUnNwWyY",
1472                          "àÀèÈìÌòÒùÙǹǸẁẀỳỲ");       // grave
1473   buildaccent("subdot|d", "BbDdHhKkLlMmNnRrSsTtVvWwZzAaEeIiOoUuYy",
1474                           "ḄḅḌḍḤḥḲḳḶḷṂṃṆṇṚṛṢṣṬṭṾṿẈẉẒẓẠạẸẹỊịỌọỤụỴỵ");        // dot below
1475   buildaccent("ogonek|k", "AaEeIiUuOo",
1476                           "ĄąĘęĮįŲųǪǫ");      // ogonek
1477   buildaccent("cedilla|c", "CcGgKkLlNnRrSsTtEeDdHh",
1478                            "ÇçĢģĶķĻļŅņŖŗŞşŢţȨȩḐḑḨḩ"); // cedilla
1479   buildaccent("subring|textsubring", "Aa",
1480                                      "Ḁḁ"); // subring
1481   buildaccent("subhat|textsubcircum", "DdEeLlNnTtUu",
1482                                       "ḒḓḘḙḼḽṊṋṰṱṶṷ");  // subcircum
1483   buildaccent("subtilde|textsubtilde", "EeIiUu",
1484                                        "ḚḛḬḭṴṵ");   // subtilde
1485   accents["dgrave{\\imath}"] = "ȉ";
1486   accents["textdoublegrave{\\i}"] = "ȉ";
1487   buildaccent("dgrave|textdoublegrave", "AaEeIiOoRrUu",
1488                                         "ȀȁȄȅȈȉȌȍȐȑȔȕ"); // double grave
1489   accents["rcap{\\imath}"] = "ȉ";
1490   accents["textroundcap{\\i}"] = "ȉ";
1491   buildaccent("rcap|textroundcap", "AaEeIiOoRrUu",
1492                                    "ȂȃȆȇȊȋȎȏȒȓȖȗ"); // inverted breve
1493   buildaccent("slashed", "oO",
1494                          "øØ"); // slashed
1495 }
1496
1497 /*
1498  * Created accents in math or regexp environment
1499  * are macros, but we need the utf8 equivalent
1500  */
1501 void Intervall::removeAccents()
1502 {
1503   if (accents.empty())
1504     buildAccentsMap();
1505   static regex const accre("\\\\(([\\S]|grave|breve|ddot|dot|acute|dacute|mathring|check|hat|bar|tilde|subdot|ogonek|"
1506          "cedilla|subring|textsubring|subhat|textsubcircum|subtilde|textsubtilde|dgrave|textdoublegrave|rcap|textroundcap|slashed)\\{[^\\{\\}]+\\}"
1507       "|((i|imath|jmath|cdot|[a-z]+space)|((backslash )?([lL]y[xX]|[tT]e[xX]|[lL]a[tT]e[xX]e?|lyxarrow))|guillemot(left|right))(?![a-zA-Z]))");
1508   smatch sub;
1509   for (sregex_iterator itacc(par.begin(), par.end(), accre), end; itacc != end; ++itacc) {
1510     sub = *itacc;
1511     string key = sub.str(1);
1512     if (accents.find(key) != accents.end()) {
1513       string val = accents[key];
1514       size_t pos = sub.position(size_t(0));
1515       for (size_t i = 0; i < val.size(); i++) {
1516         par[pos+i] = val[i];
1517       }
1518       // Remove possibly following space too
1519       if (par[pos+sub.str(0).size()] == ' ')
1520         addIntervall(pos+val.size(), pos + sub.str(0).size()+1);
1521       else
1522         addIntervall(pos+val.size(), pos + sub.str(0).size());
1523       for (size_t i = pos+val.size(); i < pos + sub.str(0).size(); i++) {
1524         // remove traces of any remaining chars
1525         par[i] = ' ';
1526       }
1527     }
1528     else {
1529       LYXERR(Debug::INFO, "Not added accent for \"" << key << "\"");
1530     }
1531   }
1532 }
1533
1534 void Intervall::handleOpenP(int i)
1535 {
1536   actualdeptindex++;
1537   depts[actualdeptindex] = i+1;
1538   closes[actualdeptindex] = -1;
1539   checkDepthIndex(actualdeptindex);
1540 }
1541
1542 void Intervall::handleCloseP(int i, bool closingAllowed)
1543 {
1544   if (actualdeptindex <= 0) {
1545     if (! closingAllowed)
1546       LYXERR(Debug::FIND, "Bad closing parenthesis in latex");  /* should not happen, but the latex input may be wrong */
1547     // if we are at the very end
1548     addIntervall(i, i+1);
1549   }
1550   else {
1551     closes[actualdeptindex] = i+1;
1552     actualdeptindex--;
1553   }
1554 }
1555
1556 void Intervall::resetOpenedP(int openPos)
1557 {
1558   // Used as initializer for foreignlanguage entry
1559   actualdeptindex = 1;
1560   depts[1] = openPos+1;
1561   closes[1] = -1;
1562 }
1563
1564 int Intervall::previousNotIgnored(int start) const
1565 {
1566     int idx = 0;                          /* int intervalls */
1567     for (idx = ignoreidx; idx >= 0; --idx) {
1568       if (start > borders[idx].upper)
1569         return start;
1570       if (start >= borders[idx].low)
1571         start = borders[idx].low-1;
1572     }
1573     return start;
1574 }
1575
1576 int Intervall::nextNotIgnored(int start) const
1577 {
1578     int idx = 0;                          /* int intervalls */
1579     for (idx = 0; idx <= ignoreidx; idx++) {
1580       if (start < borders[idx].low)
1581         return start;
1582       if (start < borders[idx].upper)
1583         start = borders[idx].upper;
1584     }
1585     return start;
1586 }
1587
1588 typedef map<string, KeyInfo> KeysMap;
1589 typedef vector< KeyInfo> Entries;
1590 static KeysMap keys = map<string, KeyInfo>();
1591
1592 class LatexInfo {
1593  private:
1594   int entidx_;
1595   Entries entries_;
1596   Intervall interval_;
1597   void buildKeys(bool);
1598   void buildEntries(bool);
1599   void makeKey(const string &, KeyInfo, bool isPatternString);
1600   void processRegion(int start, int region_end); /*  remove {} parts */
1601   void removeHead(KeyInfo const &, int count=0);
1602
1603  public:
1604  LatexInfo(string const & par, bool isPatternString)
1605          : entidx_(-1), interval_(isPatternString, par)
1606   {
1607     buildKeys(isPatternString);
1608     entries_ = vector<KeyInfo>();
1609     buildEntries(isPatternString);
1610   };
1611   int getFirstKey() {
1612     entidx_ = 0;
1613     if (entries_.empty()) {
1614       return -1;
1615     }
1616     if (entries_[0].keytype == KeyInfo::isTitle) {
1617       interval_.hasTitle = true;
1618       if (! entries_[0].disabled) {
1619         interval_.titleValue = entries_[0].head;
1620       }
1621       else {
1622         interval_.titleValue = "";
1623       }
1624       removeHead(entries_[0]);
1625       if (entries_.size() > 1)
1626         return 1;
1627       else
1628         return -1;
1629     }
1630     return 0;
1631   };
1632   int getNextKey() {
1633     entidx_++;
1634     if (int(entries_.size()) > entidx_) {
1635       return entidx_;
1636     }
1637     else {
1638       return -1;
1639     }
1640   };
1641   bool setNextKey(int idx) {
1642     if ((idx == entidx_) && (entidx_ >= 0)) {
1643       entidx_--;
1644       return true;
1645     }
1646     else
1647       return false;
1648   };
1649   int find(int start, KeyInfo::KeyType keytype) const {
1650     if (start < 0)
1651       return -1;
1652     int tmpIdx = start;
1653     while (tmpIdx < int(entries_.size())) {
1654       if (entries_[tmpIdx].keytype == keytype)
1655         return tmpIdx;
1656       tmpIdx++;
1657     }
1658     return -1;
1659   };
1660   int process(ostringstream & os, KeyInfo const & actual);
1661   int dispatch(ostringstream & os, int previousStart, KeyInfo & actual);
1662   // string show(int lastpos) { return interval.show(lastpos);};
1663   int nextNotIgnored(int start) { return interval_.nextNotIgnored(start);};
1664   KeyInfo &getKeyInfo(int keyinfo) {
1665     static KeyInfo invalidInfo = KeyInfo();
1666     if ((keyinfo < 0) || ( keyinfo >= int(entries_.size())))
1667       return invalidInfo;
1668     else
1669       return entries_[keyinfo];
1670   };
1671   void setForDefaultLang(KeyInfo const & defLang) {interval_.setForDefaultLang(defLang);};
1672   void addIntervall(int low, int up) { interval_.addIntervall(low, up); };
1673 };
1674
1675
1676 int Intervall::findclosing(int start, int end, char up = '{', char down = '}', int repeat = 1)
1677 {
1678   int skip = 0;
1679   int depth = 0;
1680   for (int i = start; i < end; i += 1 + skip) {
1681     char c;
1682     c = par[i];
1683     skip = 0;
1684     if (c == '\\') skip = 1;
1685     else if (c == up) {
1686       depth++;
1687     }
1688     else if (c == down) {
1689       if (depth == 0) {
1690         repeat--;
1691         if ((repeat <= 0) || (par[i+1] != up))
1692           return i;
1693       }
1694       --depth;
1695     }
1696   }
1697   return end;
1698 }
1699
1700 class MathInfo {
1701   class MathEntry {
1702   public:
1703     string wait;
1704     size_t mathEnd;
1705     size_t mathStart;
1706     size_t mathSize;
1707   };
1708   size_t actualIdx_;
1709   vector<MathEntry> entries_;
1710  public:
1711   MathInfo() {
1712     actualIdx_ = 0;
1713   }
1714   void insert(string const & wait, size_t start, size_t end) {
1715     MathEntry m = MathEntry();
1716     m.wait = wait;
1717     m.mathStart = start;
1718     m.mathEnd = end;
1719     m.mathSize = end - start;
1720     entries_.push_back(m);
1721   }
1722   bool empty() const { return entries_.empty(); };
1723   size_t getEndPos() const {
1724     if (entries_.empty() || (actualIdx_ >= entries_.size())) {
1725       return 0;
1726     }
1727     return entries_[actualIdx_].mathEnd;
1728   }
1729   size_t getStartPos() const {
1730     if (entries_.empty() || (actualIdx_ >= entries_.size())) {
1731       return 100000;                    /*  definitely enough? */
1732     }
1733     return entries_[actualIdx_].mathStart;
1734   }
1735   size_t getFirstPos() {
1736     actualIdx_ = 0;
1737     return getStartPos();
1738   }
1739   size_t getSize() const {
1740     if (entries_.empty() || (actualIdx_ >= entries_.size())) {
1741       return size_t(0);
1742     }
1743     return entries_[actualIdx_].mathSize;
1744   }
1745   void incrEntry() { actualIdx_++; };
1746 };
1747
1748 void LatexInfo::buildEntries(bool isPatternString)
1749 {
1750   static regex const rmath("(\\\\)*(\\$|\\\\\\[|\\\\\\]|\\\\(begin|end)\\{((eqnarray|equation|flalign|gather|multline|align|alignat)\\*?)\\})");
1751   static regex const rkeys("(\\\\)*(\\$|\\\\\\[|\\\\\\]|\\\\((([a-zA-Z]+\\*?)(\\{([a-z]+\\*?)\\}|=[0-9]+[a-z]+)?)))");
1752   static bool disableLanguageOverride = false;
1753   smatch sub, submath;
1754   bool evaluatingRegexp = false;
1755   MathInfo mi;
1756   bool evaluatingMath = false;
1757   bool evaluatingCode = false;
1758   size_t codeEnd = 0;
1759   bool evaluatingOptional = false;
1760   size_t optionalEnd = 0;
1761   int codeStart = -1;
1762   KeyInfo found;
1763   bool math_end_waiting = false;
1764   size_t math_pos = 10000;
1765   string math_end;
1766   static vector<string> usedText = vector<string>();
1767
1768   interval_.removeAccents();
1769
1770   for (sregex_iterator itmath(interval_.par.begin(), interval_.par.end(), rmath), end; itmath != end; ++itmath) {
1771     submath = *itmath;
1772     if ((submath.position(2) - submath.position(0)) %2 == 1) {
1773       // prefixed by odd count of '\\'
1774       continue;
1775     }
1776     if (math_end_waiting) {
1777       size_t pos = submath.position(size_t(2));
1778       if ((math_end == "$") &&
1779           (submath.str(2) == "$")) {
1780         mi.insert("$", math_pos, pos + 1);
1781         math_end_waiting = false;
1782       }
1783       else if ((math_end == "\\]") &&
1784                (submath.str(2) == "\\]")) {
1785         mi.insert("\\]", math_pos, pos + 2);
1786         math_end_waiting = false;
1787       }
1788       else if ((submath.str(3).compare("end") == 0) &&
1789           (submath.str(4).compare(math_end) == 0)) {
1790         mi.insert(math_end, math_pos, pos + submath.str(2).length());
1791         math_end_waiting = false;
1792       }
1793       else
1794         continue;
1795     }
1796     else {
1797       if (submath.str(3).compare("begin") == 0) {
1798         math_end_waiting = true;
1799         math_end = submath.str(4);
1800         math_pos = submath.position(size_t(2));
1801       }
1802       else if (submath.str(2).compare("\\[") == 0) {
1803         math_end_waiting = true;
1804         math_end = "\\]";
1805         math_pos = submath.position(size_t(2));
1806       }
1807       else if (submath.str(2) == "$") {
1808         size_t pos = submath.position(size_t(2));
1809         math_end_waiting = true;
1810         math_end = "$";
1811         math_pos = pos;
1812       }
1813     }
1814   }
1815   // Ignore language if there is math somewhere in pattern-string
1816   if (isPatternString) {
1817     for (auto s: usedText) {
1818       // Remove entries created in previous search runs
1819       keys.erase(s);
1820     }
1821     usedText = vector<string>();
1822     if (! mi.empty()) {
1823       // Disable language
1824       keys["foreignlanguage"].disabled = true;
1825       disableLanguageOverride = true;
1826     }
1827     else
1828       disableLanguageOverride = false;
1829   }
1830   else {
1831     if (disableLanguageOverride) {
1832       keys["foreignlanguage"].disabled = true;
1833     }
1834   }
1835   math_pos = mi.getFirstPos();
1836   for (sregex_iterator it(interval_.par.begin(), interval_.par.end(), rkeys), end; it != end; ++it) {
1837     sub = *it;
1838     if ((sub.position(2) - sub.position(0)) %2 == 1) {
1839       // prefixed by odd count of '\\'
1840       continue;
1841     }
1842     string key = sub.str(5);
1843     if (key == "") {
1844       if (sub.str(2)[0] == '\\')
1845         key = sub.str(2)[1];
1846       else {
1847         key = sub.str(2);
1848       }
1849     }
1850     if (keys.find(key) != keys.end()) {
1851       if (keys[key].keytype == KeyInfo::headRemove) {
1852         KeyInfo found1 = keys[key];
1853         found1.disabled = true;
1854         found1.head = "\\" + key + "{";
1855         found1._tokenstart = sub.position(size_t(2));
1856         found1._tokensize = found1.head.length();
1857         found1._dataStart = found1._tokenstart + found1.head.length();
1858         int endpos = interval_.findclosing(found1._dataStart, interval_.par.length(), '{', '}', 1);
1859         found1._dataEnd = endpos;
1860         removeHead(found1);
1861         continue;
1862       }
1863     }
1864     if (evaluatingRegexp) {
1865       if (sub.str(3).compare("endregexp") == 0) {
1866         evaluatingRegexp = false;
1867         // found._tokenstart already set
1868         found._dataEnd = sub.position(size_t(2)) + 13;
1869         found._dataStart = found._dataEnd;
1870         found._tokensize = found._dataEnd - found._tokenstart;
1871         found.parenthesiscount = 0;
1872         found.head = interval_.par.substr(found._tokenstart, found._tokensize);
1873       }
1874       else {
1875         continue;
1876       }
1877     }
1878     else {
1879       if (evaluatingMath) {
1880         if (size_t(sub.position(size_t(2))) < mi.getEndPos())
1881           continue;
1882         evaluatingMath = false;
1883         mi.incrEntry();
1884         math_pos = mi.getStartPos();
1885       }
1886       if (keys.find(key) == keys.end()) {
1887         found = KeyInfo(KeyInfo::isStandard, 0, true);
1888         LYXERR(Debug::INFO, "Undefined key " << key << " ==> will be used as text");
1889         found = KeyInfo(KeyInfo::isText, 0, false);
1890         if (isPatternString) {
1891           found.keytype = KeyInfo::isChar;
1892           found.disabled = false;
1893           found.used = true;
1894         }
1895         keys[key] = found;
1896         usedText.push_back(key);
1897       }
1898       else
1899         found = keys[key];
1900       if (key.compare("regexp") == 0) {
1901         evaluatingRegexp = true;
1902         found._tokenstart = sub.position(size_t(2));
1903         found._tokensize = 0;
1904         continue;
1905       }
1906     }
1907     // Handle the other params of key
1908     if (found.keytype == KeyInfo::isIgnored)
1909       continue;
1910     else if (found.keytype == KeyInfo::isMath) {
1911       if (size_t(sub.position(size_t(2))) == math_pos) {
1912         found = keys[key];
1913         found._tokenstart = sub.position(size_t(2));
1914         found._tokensize = mi.getSize();
1915         found._dataEnd = found._tokenstart + found._tokensize;
1916         found._dataStart = found._dataEnd;
1917         found.parenthesiscount = 0;
1918         found.head = interval_.par.substr(found._tokenstart, found._tokensize);
1919         evaluatingMath = true;
1920       }
1921       else {
1922         // begin|end of unknown env, discard
1923         // First handle tables
1924         // longtable|tabular
1925         bool discardComment;
1926         found = keys[key];
1927         found.keytype = KeyInfo::doRemove;
1928         if ((sub.str(7).compare("longtable") == 0) ||
1929             (sub.str(7).compare("tabular") == 0)) {
1930           discardComment = true;        /* '%' */
1931         }
1932         else {
1933           discardComment = false;
1934           static regex const removeArgs("^(multicols|multipar|sectionbox|subsectionbox|tcolorbox)$");
1935           smatch sub2;
1936           string token = sub.str(7);
1937           if (regex_match(token, sub2, removeArgs)) {
1938             found.keytype = KeyInfo::removeWithArg;
1939           }
1940         }
1941         // discard spaces before pos(2)
1942         int pos = sub.position(size_t(2));
1943         int count;
1944         for (count = 0; pos - count > 0; count++) {
1945           char c = interval_.par[pos-count-1];
1946           if (discardComment) {
1947             if ((c != ' ') && (c != '%'))
1948               break;
1949           }
1950           else if (c != ' ')
1951             break;
1952         }
1953         found._tokenstart = pos - count;
1954         if (sub.str(3).compare(0, 5, "begin") == 0) {
1955           size_t pos1 = pos + sub.str(2).length();
1956           if (sub.str(7).compare("cjk") == 0) {
1957             pos1 = interval_.findclosing(pos1+1, interval_.par.length()) + 1;
1958             if ((interval_.par[pos1] == '{') && (interval_.par[pos1+1] == '}'))
1959               pos1 += 2;
1960             found.keytype = KeyInfo::isMain;
1961             found._dataStart = pos1;
1962             found._dataEnd = interval_.par.length();
1963             found.disabled = keys["foreignlanguage"].disabled;
1964             found.used = keys["foreignlanguage"].used;
1965             found._tokensize = pos1 - found._tokenstart;
1966             found.head = interval_.par.substr(found._tokenstart, found._tokensize);
1967           }
1968           else {
1969             // Swallow possible optional params
1970             while (interval_.par[pos1] == '[') {
1971               pos1 = interval_.findclosing(pos1+1, interval_.par.length(), '[', ']')+1;
1972             }
1973             // Swallow also the eventual parameter
1974             if (interval_.par[pos1] == '{') {
1975               found._dataEnd = interval_.findclosing(pos1+1, interval_.par.length()) + 1;
1976             }
1977             else {
1978               found._dataEnd = pos1;
1979             }
1980             found._dataStart = found._dataEnd;
1981             found._tokensize = count + found._dataEnd - pos;
1982             found.parenthesiscount = 0;
1983             found.head = interval_.par.substr(found._tokenstart, found._tokensize);
1984             found.disabled = true;
1985           }
1986         }
1987         else {
1988           // Handle "\end{...}"
1989           found._dataStart = pos + sub.str(2).length();
1990           found._dataEnd = found._dataStart;
1991           found._tokensize = count + found._dataEnd - pos;
1992           found.parenthesiscount = 0;
1993           found.head = interval_.par.substr(found._tokenstart, found._tokensize);
1994           found.disabled = true;
1995         }
1996       }
1997     }
1998     else if (found.keytype != KeyInfo::isRegex) {
1999       found._tokenstart = sub.position(size_t(2));
2000       if (found.parenthesiscount == 0) {
2001         // Probably to be discarded
2002         size_t following_pos = sub.position(size_t(2)) + sub.str(5).length() + 1;
2003         char following = interval_.par[following_pos];
2004         if (following == ' ')
2005           found.head = "\\" + sub.str(5) + " ";
2006         else if (following == '=') {
2007           // like \uldepth=1000pt
2008           found.head = sub.str(2);
2009         }
2010         else
2011           found.head = "\\" + key;
2012         found._tokensize = found.head.length();
2013         found._dataEnd = found._tokenstart + found._tokensize;
2014         found._dataStart = found._dataEnd;
2015       }
2016       else {
2017         int params = found._tokenstart + key.length() + 1;
2018         if (evaluatingOptional) {
2019           if (size_t(found._tokenstart) > optionalEnd) {
2020             evaluatingOptional = false;
2021           }
2022           else {
2023             found.disabled = true;
2024           }
2025         }
2026         int optend = params;
2027         while (interval_.par[optend] == '[') {
2028           // discard optional parameters
2029           optend = interval_.findclosing(optend+1, interval_.par.length(), '[', ']') + 1;
2030         }
2031         if (optend > params) {
2032           key += interval_.par.substr(params, optend-params);
2033           evaluatingOptional = true;
2034           optionalEnd = optend;
2035         }
2036         string token = sub.str(7);
2037         int closings;
2038         if (interval_.par[optend] != '{') {
2039           closings = 0;
2040           found.parenthesiscount = 0;
2041           found.head = "\\" + key;
2042         }
2043         else
2044           closings = found.parenthesiscount;
2045         if (found.parenthesiscount == 1) {
2046           found.head = "\\" + key + "{";
2047         }
2048         else if (found.parenthesiscount > 1) {
2049           if (token != "") {
2050             found.head = sub.str(2) + "{";
2051             closings = found.parenthesiscount - 1;
2052           }
2053           else {
2054             found.head = "\\" + key + "{";
2055           }
2056         }
2057         found._tokensize = found.head.length();
2058         found._dataStart = found._tokenstart + found.head.length();
2059         if (found.keytype == KeyInfo::doRemove) {
2060           if (closings > 0) {
2061             size_t endpar = 2 + interval_.findclosing(found._dataStart, interval_.par.length(), '{', '}', closings);
2062             if (endpar >= interval_.par.length())
2063               found._dataStart = interval_.par.length();
2064             else
2065               found._dataStart = endpar;
2066             found._tokensize = found._dataStart - found._tokenstart;
2067           }
2068           else {
2069             found._dataStart = found._tokenstart + found._tokensize;
2070           } 
2071           closings = 0;
2072         }
2073         if (interval_.par.substr(found._dataStart-1, 15).compare("\\endarguments{}") == 0) {
2074           found._dataStart += 15;
2075         }
2076         size_t endpos;
2077         if (closings < 1)
2078           endpos = found._dataStart - 1;
2079         else
2080           endpos = interval_.findclosing(found._dataStart, interval_.par.length(), '{', '}', closings);
2081         if (found.keytype == KeyInfo::isList) {
2082           // Check if it really is list env
2083           static regex const listre("^([a-z]+)$");
2084           smatch sub2;
2085           if (!regex_match(token, sub2, listre)) {
2086             // Change the key of this entry. It is not in a list/item environment
2087             found.keytype = KeyInfo::endArguments;
2088           }
2089         }
2090         if (found.keytype == KeyInfo::noMain) {
2091           evaluatingCode = true;
2092           codeEnd = endpos;
2093           codeStart = found._dataStart;
2094         }
2095         else if (evaluatingCode) {
2096           if (size_t(found._dataStart) > codeEnd)
2097             evaluatingCode = false;
2098           else if (found.keytype == KeyInfo::isMain) {
2099             // Disable this key, treate it as standard
2100             found.keytype = KeyInfo::isStandard;
2101             found.disabled = true;
2102             if ((codeEnd +1 >= interval_.par.length()) &&
2103                 (found._tokenstart == codeStart)) {
2104               // trickery, because the code inset starts
2105               // with \selectlanguage ...
2106               codeEnd = endpos;
2107               if (entries_.size() > 1) {
2108                 entries_[entries_.size()-1]._dataEnd = codeEnd;
2109               }
2110             }
2111           }
2112         }
2113         if ((endpos == interval_.par.length()) &&
2114             (found.keytype == KeyInfo::doRemove)) {
2115           // Missing closing => error in latex-input?
2116           // therefore do not delete remaining data
2117           found._dataStart -= 1;
2118           found._dataEnd = found._dataStart;
2119         }
2120         else
2121           found._dataEnd = endpos;
2122       }
2123       if (isPatternString) {
2124         keys[key].used = true;
2125       }
2126     }
2127     entries_.push_back(found);
2128   }
2129 }
2130
2131 void LatexInfo::makeKey(const string &keysstring, KeyInfo keyI, bool isPatternString)
2132 {
2133   stringstream s(keysstring);
2134   string key;
2135   const char delim = '|';
2136   while (getline(s, key, delim)) {
2137     KeyInfo keyII(keyI);
2138     if (isPatternString) {
2139       keyII.used = false;
2140     }
2141     else if ( !keys[key].used)
2142       keyII.disabled = true;
2143     keys[key] = keyII;
2144   }
2145 }
2146
2147 void LatexInfo::buildKeys(bool isPatternString)
2148 {
2149
2150   static bool keysBuilt = false;
2151   if (keysBuilt && !isPatternString) return;
2152
2153   // Keys to ignore in any case
2154   makeKey("text|textcyrillic|lyxmathsym", KeyInfo(KeyInfo::headRemove, 1, true), true);
2155   // Known standard keys with 1 parameter.
2156   // Split is done, if not at start of region
2157   makeKey("textsf|textss|texttt", KeyInfo(KeyInfo::isStandard, 1, ignoreFormats.getFamily()), isPatternString);
2158   makeKey("textbf",               KeyInfo(KeyInfo::isStandard, 1, ignoreFormats.getSeries()), isPatternString);
2159   makeKey("textit|textsc|textsl", KeyInfo(KeyInfo::isStandard, 1, ignoreFormats.getShape()), isPatternString);
2160   makeKey("uuline|uline|uwave",   KeyInfo(KeyInfo::isStandard, 1, ignoreFormats.getUnderline()), isPatternString);
2161   makeKey("emph|noun",            KeyInfo(KeyInfo::isStandard, 1, ignoreFormats.getMarkUp()), isPatternString);
2162   makeKey("sout|xout",            KeyInfo(KeyInfo::isStandard, 1, ignoreFormats.getStrikeOut()), isPatternString);
2163
2164   makeKey("section|subsection|subsubsection|paragraph|subparagraph|minisec",
2165           KeyInfo(KeyInfo::isSectioning, 1, ignoreFormats.getSectioning()), isPatternString);
2166   makeKey("section*|subsection*|subsubsection*|paragraph*",
2167           KeyInfo(KeyInfo::isSectioning, 1, ignoreFormats.getSectioning()), isPatternString);
2168   makeKey("part|part*|chapter|chapter*", KeyInfo(KeyInfo::isSectioning, 1, ignoreFormats.getSectioning()), isPatternString);
2169   makeKey("title|subtitle|author|subject|publishers|dedication|uppertitleback|lowertitleback|extratitle|lyxaddress|lyxrightaddress", KeyInfo(KeyInfo::isTitle, 1, ignoreFormats.getFrontMatter()), isPatternString);
2170   // Regex
2171   makeKey("regexp", KeyInfo(KeyInfo::isRegex, 1, false), isPatternString);
2172
2173   // Split is done, if not at start of region
2174   makeKey("textcolor", KeyInfo(KeyInfo::isStandard, 2, ignoreFormats.getColor()), isPatternString);
2175   makeKey("latexenvironment", KeyInfo(KeyInfo::isStandard, 2, false), isPatternString);
2176
2177   // Split is done always.
2178   makeKey("foreignlanguage", KeyInfo(KeyInfo::isMain, 2, ignoreFormats.getLanguage()), isPatternString);
2179
2180   // Known charaters
2181   // No split
2182   makeKey("backslash|textbackslash|slash",  KeyInfo(KeyInfo::isChar, 0, false), isPatternString);
2183   makeKey("textasciicircum|textasciitilde", KeyInfo(KeyInfo::isChar, 0, false), isPatternString);
2184   makeKey("textasciiacute|texemdash",       KeyInfo(KeyInfo::isChar, 0, false), isPatternString);
2185   makeKey("dots|ldots",                     KeyInfo(KeyInfo::isChar, 0, false), isPatternString);
2186   // Spaces
2187   makeKey("quad|qquad|hfill|dotfill",               KeyInfo(KeyInfo::isChar, 0, false), isPatternString);
2188   makeKey("textvisiblespace|nobreakspace",          KeyInfo(KeyInfo::isChar, 0, false), isPatternString);
2189   makeKey("negthickspace|negmedspace|negthinspace", KeyInfo(KeyInfo::isChar, 0, false), isPatternString);
2190   makeKey("thickspace|medspace|thinspace",          KeyInfo(KeyInfo::isChar, 0, false), isPatternString);
2191   // Skip
2192   // makeKey("enskip|smallskip|medskip|bigskip|vfill", KeyInfo(KeyInfo::isChar, 0, false), isPatternString);
2193   // Custom space/skip, remove the content (== length value)
2194   makeKey("vspace|vspace*|hspace|hspace*|mspace", KeyInfo(KeyInfo::noContent, 1, false), isPatternString);
2195   // Found in fr/UserGuide.lyx
2196   makeKey("og|fg", KeyInfo(KeyInfo::isChar, 0, false), isPatternString);
2197   // quotes
2198   makeKey("textquotedbl|quotesinglbase|lyxarrow", KeyInfo(KeyInfo::isChar, 0, false), isPatternString);
2199   makeKey("textquotedblleft|textquotedblright", KeyInfo(KeyInfo::isChar, 0, false), isPatternString);
2200   // Known macros to remove (including their parameter)
2201   // No split
2202   makeKey("input|inputencoding|label|ref|index|bibitem", KeyInfo(KeyInfo::doRemove, 1, false), isPatternString);
2203   makeKey("addtocounter|setlength",                 KeyInfo(KeyInfo::noContent, 2, true), isPatternString);
2204   // handle like standard keys with 1 parameter.
2205   makeKey("url|href|vref|thanks", KeyInfo(KeyInfo::isStandard, 1, false), isPatternString);
2206
2207   // Ignore deleted text
2208   makeKey("lyxdeleted", KeyInfo(KeyInfo::doRemove, 3, false), isPatternString);
2209   // but preserve added text
2210   makeKey("lyxadded", KeyInfo(KeyInfo::doRemove, 2, false), isPatternString);
2211
2212   // Macros to remove, but let the parameter survive
2213   // No split
2214   makeKey("menuitem|textmd|textrm", KeyInfo(KeyInfo::isStandard, 1, true), isPatternString);
2215
2216   // Remove language spec from content of these insets
2217   makeKey("code", KeyInfo(KeyInfo::noMain, 1, false), isPatternString);
2218
2219   // Same effect as previous, parameter will survive (because there is no one anyway)
2220   // No split
2221   makeKey("noindent|textcompwordmark|maketitle", KeyInfo(KeyInfo::isStandard, 0, true), isPatternString);
2222   // Remove table decorations
2223   makeKey("hline|tabularnewline|toprule|bottomrule|midrule", KeyInfo(KeyInfo::doRemove, 0, true), isPatternString);
2224   // Discard shape-header.
2225   // For footnote or shortcut too, because of lang settings
2226   // and wrong handling if used 'KeyInfo::noMain'
2227   makeKey("circlepar|diamondpar|heartpar|nutpar",  KeyInfo(KeyInfo::isStandard, 1, true), isPatternString);
2228   makeKey("trianglerightpar|hexagonpar|starpar",   KeyInfo(KeyInfo::isStandard, 1, true), isPatternString);
2229   makeKey("triangleuppar|triangledownpar|droppar", KeyInfo(KeyInfo::isStandard, 1, true), isPatternString);
2230   makeKey("triangleleftpar|shapepar|dropuppar",    KeyInfo(KeyInfo::isStandard, 1, true), isPatternString);
2231   makeKey("hphantom|vphantom|footnote|shortcut|include|includegraphics",     KeyInfo(KeyInfo::isStandard, 1, true), isPatternString);
2232   makeKey("parbox", KeyInfo(KeyInfo::doRemove, 1, true), isPatternString);
2233   // like ('tiny{}' or '\tiny ' ... )
2234   makeKey("footnotesize|tiny|scriptsize|small|large|Large|LARGE|huge|Huge", KeyInfo(KeyInfo::isSize, 0, false), isPatternString);
2235
2236   // Survives, like known character
2237   // makeKey("lyx|LyX|latex|LaTeX|latexe|LaTeXe|tex|TeX", KeyInfo(KeyInfo::isChar, 0, false), isPatternString);
2238   makeKey("tableofcontents", KeyInfo(KeyInfo::isChar, 0, false), isPatternString);
2239   makeKey("item|listitem", KeyInfo(KeyInfo::isList, 1, false), isPatternString);
2240
2241   makeKey("begin|end", KeyInfo(KeyInfo::isMath, 1, false), isPatternString);
2242   makeKey("[|]", KeyInfo(KeyInfo::isMath, 1, false), isPatternString);
2243   makeKey("$", KeyInfo(KeyInfo::isMath, 1, false), isPatternString);
2244
2245   makeKey("par|uldepth|ULdepth|protect|nobreakdash|medskip|relax", KeyInfo(KeyInfo::isStandard, 0, true), isPatternString);
2246   // Remove RTL/LTR marker
2247   makeKey("l|r|textlr|textfr|textar|beginl|endl", KeyInfo(KeyInfo::isStandard, 0, true), isPatternString);
2248   makeKey("lettrine", KeyInfo(KeyInfo::cleanToStart, 0, true), isPatternString);
2249   makeKey("lyxslide", KeyInfo(KeyInfo::isSectioning, 1, true), isPatternString);
2250   makeKey("endarguments", KeyInfo(KeyInfo::endArguments, 0, true), isPatternString);
2251   makeKey("twocolumn", KeyInfo(KeyInfo::removeWithArg, 2, true), isPatternString);
2252   makeKey("tnotetext|ead|fntext|cortext|address", KeyInfo(KeyInfo::removeWithArg, 0, true), isPatternString);
2253   makeKey("lyxend", KeyInfo(KeyInfo::isStandard, 0, true), isPatternString);
2254   if (isPatternString) {
2255     // Allow the first searched string to rebuild the keys too
2256     keysBuilt = false;
2257   }
2258   else {
2259     // no need to rebuild again
2260     keysBuilt = true;
2261   }
2262 }
2263
2264 /*
2265  * Keep the list of actual opened parentheses actual
2266  * (e.g. depth == 4 means there are 4 '{' not processed yet)
2267  */
2268 void Intervall::handleParentheses(int lastpos, bool closingAllowed)
2269 {
2270   int skip = 0;
2271   for (int i = depts[actualdeptindex]; i < lastpos; i+= 1 + skip) {
2272     char c;
2273     c = par[i];
2274     skip = 0;
2275     if (c == '\\') skip = 1;
2276     else if (c == '{') {
2277       handleOpenP(i);
2278     }
2279     else if (c == '}') {
2280       handleCloseP(i, closingAllowed);
2281     }
2282   }
2283 }
2284
2285 #if (0)
2286 string Intervall::show(int lastpos)
2287 {
2288   int idx = 0;                          /* int intervalls */
2289   string s;
2290   int i = 0;
2291   for (idx = 0; idx <= ignoreidx; idx++) {
2292     while (i < lastpos) {
2293       int printsize;
2294       if (i <= borders[idx].low) {
2295         if (borders[idx].low > lastpos)
2296           printsize = lastpos - i;
2297         else
2298           printsize = borders[idx].low - i;
2299         s += par.substr(i, printsize);
2300         i += printsize;
2301         if (i >= borders[idx].low)
2302           i = borders[idx].upper;
2303       }
2304       else {
2305         i = borders[idx].upper;
2306         break;
2307       }
2308     }
2309   }
2310   if (lastpos > i) {
2311     s += par.substr(i, lastpos-i);
2312   }
2313   return s;
2314 }
2315 #endif
2316
2317 void Intervall::output(ostringstream &os, int lastpos)
2318 {
2319   // get number of chars to output
2320   int idx = 0;                          /* int intervalls */
2321   int i = 0;
2322   int printed = 0;
2323   string startTitle = titleValue;
2324   for (idx = 0; idx <= ignoreidx; idx++) {
2325     if (i < lastpos) {
2326       if (i <= borders[idx].low) {
2327         int printsize;
2328         if (borders[idx].low > lastpos)
2329           printsize = lastpos - i;
2330         else
2331           printsize = borders[idx].low - i;
2332         if (printsize > 0) {
2333           os << startTitle << par.substr(i, printsize);
2334           i += printsize;
2335           printed += printsize;
2336           startTitle = "";
2337         }
2338         handleParentheses(i, false);
2339         if (i >= borders[idx].low)
2340           i = borders[idx].upper;
2341       }
2342       else {
2343         i = borders[idx].upper;
2344       }
2345     }
2346     else
2347       break;
2348   }
2349   if (lastpos > i) {
2350     os << startTitle << par.substr(i, lastpos-i);
2351     printed += lastpos-i;
2352   }
2353   handleParentheses(lastpos, false);
2354   int startindex;
2355   if (keys["foreignlanguage"].disabled)
2356     startindex = actualdeptindex-langcount;
2357   else
2358     startindex = actualdeptindex;
2359   for (int i = startindex; i > 0; --i) {
2360     os << "}";
2361   }
2362   if (hasTitle && (printed > 0))
2363     os << "}";
2364   if (! isPatternString_)
2365     os << "\n";
2366   handleParentheses(lastpos, true); /* extra closings '}' allowed here */
2367 }
2368
2369 void LatexInfo::processRegion(int start, int region_end)
2370 {
2371   while (start < region_end) {          /* Let {[} and {]} survive */
2372     int cnt = interval_.isOpeningPar(start);
2373     if (cnt == 1) {
2374       // Closing is allowed past the region
2375       int closing = interval_.findclosing(start+1, interval_.par.length());
2376       interval_.addIntervall(start, start+1);
2377       interval_.addIntervall(closing, closing+1);
2378     }
2379     else if (cnt == 3)
2380       start += 2;
2381     start = interval_.nextNotIgnored(start+1);
2382   }
2383 }
2384
2385 void LatexInfo::removeHead(KeyInfo const & actual, int count)
2386 {
2387   if (actual.parenthesiscount == 0) {
2388     // "{\tiny{} ...}" ==> "{{} ...}"
2389     interval_.addIntervall(actual._tokenstart-count, actual._tokenstart + actual._tokensize);
2390   }
2391   else {
2392     // Remove header hull, that is "\url{abcd}" ==> "abcd"
2393     interval_.addIntervall(actual._tokenstart - count, actual._dataStart);
2394     interval_.addIntervall(actual._dataEnd, actual._dataEnd+1);
2395   }
2396 }
2397
2398 int LatexInfo::dispatch(ostringstream &os, int previousStart, KeyInfo &actual)
2399 {
2400   int nextKeyIdx = 0;
2401   switch (actual.keytype)
2402   {
2403     case KeyInfo::isTitle: {
2404       removeHead(actual);
2405       nextKeyIdx = getNextKey();
2406       break;
2407     }
2408     case KeyInfo::cleanToStart: {
2409       actual._dataEnd = actual._dataStart;
2410       nextKeyIdx = getNextKey();
2411       // Search for end of arguments
2412       int tmpIdx = find(nextKeyIdx, KeyInfo::endArguments);
2413       if (tmpIdx > 0) {
2414         for (int i = nextKeyIdx; i <= tmpIdx; i++) {
2415           entries_[i].disabled = true;
2416         }
2417         actual._dataEnd = entries_[tmpIdx]._dataEnd;
2418       }
2419       while (interval_.par[actual._dataEnd] == ' ')
2420         actual._dataEnd++;
2421       interval_.addIntervall(0, actual._dataEnd+1);
2422       interval_.actualdeptindex = 0;
2423       interval_.depts[0] = actual._dataEnd+1;
2424       interval_.closes[0] = -1;
2425       break;
2426     }
2427     case KeyInfo::isText:
2428       interval_.par[actual._tokenstart] = '#';
2429       //interval_.addIntervall(actual._tokenstart, actual._tokenstart+1);
2430       nextKeyIdx = getNextKey();
2431       break;
2432     case KeyInfo::noContent: {          /* char like "\hspace{2cm}" */
2433       if (actual.disabled)
2434         interval_.addIntervall(actual._tokenstart, actual._dataEnd);
2435       else
2436         interval_.addIntervall(actual._dataStart, actual._dataEnd);
2437     }
2438       // fall through
2439     case KeyInfo::isChar: {
2440       nextKeyIdx = getNextKey();
2441       break;
2442     }
2443     case KeyInfo::isSize: {
2444       if (actual.disabled || (interval_.par[actual._dataStart] != '{') || (interval_.par[actual._dataStart-1] == ' ')) {
2445         if (actual.parenthesiscount == 0)
2446           interval_.addIntervall(actual._tokenstart, actual._dataEnd);
2447         else {
2448           interval_.addIntervall(actual._tokenstart, actual._dataEnd+1);
2449         }
2450         nextKeyIdx = getNextKey();
2451       } else {
2452         // Here _dataStart points to '{', so correct it
2453         actual._dataStart += 1;
2454         actual._tokensize += 1;
2455         actual.parenthesiscount = 1;
2456         if (interval_.par[actual._dataStart] == '}') {
2457           // Determine the end if used like '{\tiny{}...}'
2458           actual._dataEnd = interval_.findclosing(actual._dataStart+1, interval_.par.length()) + 1;
2459           interval_.addIntervall(actual._dataStart, actual._dataStart+1);
2460         }
2461         else {
2462           // Determine the end if used like '\tiny{...}'
2463           actual._dataEnd = interval_.findclosing(actual._dataStart, interval_.par.length()) + 1;
2464         }
2465         // Split on this key if not at start
2466         int start = interval_.nextNotIgnored(previousStart);
2467         if (start < actual._tokenstart) {
2468           interval_.output(os, actual._tokenstart);
2469           interval_.addIntervall(start, actual._tokenstart);
2470         }
2471         // discard entry if at end of actual
2472         nextKeyIdx = process(os, actual);
2473       }
2474       break;
2475     }
2476     case KeyInfo::endArguments: {
2477       // Remove trailing '{}' too
2478       actual._dataStart += 1;
2479       actual._dataEnd += 1;
2480       interval_.addIntervall(actual._tokenstart, actual._dataEnd+1);
2481       nextKeyIdx = getNextKey();
2482       break;
2483     }
2484     case KeyInfo::noMain:
2485       // fall through
2486     case KeyInfo::isStandard: {
2487       if (actual.disabled) {
2488         removeHead(actual);
2489         processRegion(actual._dataStart, actual._dataStart+1);
2490         nextKeyIdx = getNextKey();
2491       } else {
2492         // Split on this key if not at datastart of calling entry
2493         int start = interval_.nextNotIgnored(previousStart);
2494         if (start < actual._tokenstart) {
2495           interval_.output(os, actual._tokenstart);
2496           interval_.addIntervall(start, actual._tokenstart);
2497         }
2498         // discard entry if at end of actual
2499         nextKeyIdx = process(os, actual);
2500       }
2501       break;
2502     }
2503     case KeyInfo::removeWithArg: {
2504       nextKeyIdx = getNextKey();
2505       // Search for end of arguments
2506       int tmpIdx = find(nextKeyIdx, KeyInfo::endArguments);
2507       if (tmpIdx > 0) {
2508         for (int i = nextKeyIdx; i <= tmpIdx; i++) {
2509           entries_[i].disabled = true;
2510         }
2511         actual._dataEnd = entries_[tmpIdx]._dataEnd;
2512       }
2513       interval_.addIntervall(actual._tokenstart, actual._dataEnd+1);
2514       break;
2515     }
2516     case KeyInfo::doRemove: {
2517       // Remove the key with all parameters and following spaces
2518       size_t pos;
2519       for (pos = actual._dataEnd+1; pos < interval_.par.length(); pos++) {
2520         if ((interval_.par[pos] != ' ') && (interval_.par[pos] != '%'))
2521           break;
2522       }
2523       // Remove also enclosing parentheses [] and {}
2524       int numpars = 0;
2525       int spaces = 0;
2526       while (actual._tokenstart > numpars) {
2527         if (pos+numpars >= interval_.par.size())
2528           break;
2529         else if (interval_.par[pos+numpars] == ']' && interval_.par[actual._tokenstart-numpars-1] == '[')
2530           numpars++;
2531         else if (interval_.par[pos+numpars] == '}' && interval_.par[actual._tokenstart-numpars-1] == '{')
2532           numpars++;
2533         else
2534           break;
2535       }
2536       if (numpars > 0) {
2537         if (interval_.par[pos+numpars] == ' ')
2538           spaces++;
2539       }
2540
2541       interval_.addIntervall(actual._tokenstart-numpars, pos+numpars+spaces);
2542       nextKeyIdx = getNextKey();
2543       break;
2544     }
2545     case KeyInfo::isList: {
2546       // Discard space before _tokenstart
2547       int count;
2548       for (count = 0; count < actual._tokenstart; count++) {
2549         if (interval_.par[actual._tokenstart-count-1] != ' ')
2550           break;
2551       }
2552       nextKeyIdx = getNextKey();
2553       int tmpIdx = find(nextKeyIdx, KeyInfo::endArguments);
2554       if (tmpIdx > 0) {
2555         // Special case: \item is not a list, but a command (like in Style Author_Biography in maa-monthly.layout)
2556         // with arguments
2557         // How else can we catch this one?
2558         for (int i = nextKeyIdx; i <= tmpIdx; i++) {
2559           entries_[i].disabled = true;
2560         }
2561         actual._dataEnd = entries_[tmpIdx]._dataEnd;
2562       }
2563       else if (nextKeyIdx > 0) {
2564         // Ignore any lang entries inside data region
2565         for (int i = nextKeyIdx; i < int(entries_.size()) && entries_[i]._tokenstart < actual._dataEnd; i++) {
2566           if (entries_[i].keytype == KeyInfo::isMain)
2567             entries_[i].disabled = true;
2568         }
2569       }
2570       if (actual.disabled) {
2571         interval_.addIntervall(actual._tokenstart-count, actual._dataEnd+1);
2572       }
2573       else {
2574         interval_.addIntervall(actual._tokenstart-count, actual._tokenstart);
2575       }
2576       if (interval_.par[actual._dataEnd+1] == '[') {
2577         int posdown = interval_.findclosing(actual._dataEnd+2, interval_.par.length(), '[', ']');
2578         if ((interval_.par[actual._dataEnd+2] == '{') &&
2579             (interval_.par[posdown-1] == '}')) {
2580           interval_.addIntervall(actual._dataEnd+1,actual._dataEnd+3);
2581           interval_.addIntervall(posdown-1, posdown+1);
2582         }
2583         else {
2584           interval_.addIntervall(actual._dataEnd+1, actual._dataEnd+2);
2585           interval_.addIntervall(posdown, posdown+1);
2586         }
2587         int blk = interval_.nextNotIgnored(actual._dataEnd+1);
2588         if (blk > posdown) {
2589           // Discard at most 1 space after empty item
2590           int count;
2591           for (count = 0; count < 1; count++) {
2592             if (interval_.par[blk+count] != ' ')
2593               break;
2594           }
2595           if (count > 0)
2596             interval_.addIntervall(blk, blk+count);
2597         }
2598       }
2599       break;
2600     }
2601     case KeyInfo::isSectioning: {
2602       // Discard spaces before _tokenstart
2603       int count;
2604       int val = actual._tokenstart;
2605       for (count = 0; count < actual._tokenstart;) {
2606         val = interval_.previousNotIgnored(val-1);
2607         if (val < 0 || interval_.par[val] != ' ')
2608           break;
2609         else {
2610           count = actual._tokenstart - val;
2611         }
2612       }
2613       if (actual.disabled) {
2614         removeHead(actual, count);
2615         nextKeyIdx = getNextKey();
2616       } else {
2617         interval_.addIntervall(actual._tokenstart-count, actual._tokenstart);
2618         nextKeyIdx = process(os, actual);
2619       }
2620       break;
2621     }
2622     case KeyInfo::isMath: {
2623       // Same as regex, use the content unchanged
2624       nextKeyIdx = getNextKey();
2625       break;
2626     }
2627     case KeyInfo::isRegex: {
2628       // DO NOT SPLIT ON REGEX
2629       // Do not disable
2630       nextKeyIdx = getNextKey();
2631       break;
2632     }
2633     case KeyInfo::isIgnored: {
2634       // Treat like a character for now
2635       nextKeyIdx = getNextKey();
2636       break;
2637     }
2638     case KeyInfo::isMain: {
2639       if (interval_.par.substr(actual._dataStart, 2) == "% ")
2640         interval_.addIntervall(actual._dataStart, actual._dataStart+2);
2641       if (actual._tokenstart > 0) {
2642         int prev = interval_.previousNotIgnored(actual._tokenstart - 1);
2643         if ((prev >= 0) && interval_.par[prev] == '%')
2644           interval_.addIntervall(prev, prev+1);
2645       }
2646       if (actual.disabled) {
2647         removeHead(actual);
2648         interval_.langcount++;
2649         if ((interval_.par.substr(actual._dataStart, 3) == " \\[") ||
2650             (interval_.par.substr(actual._dataStart, 8) == " \\begin{")) {
2651           // Discard also the space before math-equation
2652           interval_.addIntervall(actual._dataStart, actual._dataStart+1);
2653         }
2654         nextKeyIdx = getNextKey();
2655         // interval.resetOpenedP(actual._dataStart-1);
2656       }
2657       else {
2658         if (actual._tokenstart < 26) {
2659           // for the first (and maybe dummy) language
2660           interval_.setForDefaultLang(actual);
2661         }
2662         interval_.resetOpenedP(actual._dataStart-1);
2663       }
2664       break;
2665     }
2666     case KeyInfo::invalid:
2667     case KeyInfo::headRemove:
2668       // These two cases cannot happen, already handled
2669       // fall through
2670     default: {
2671       // LYXERR(Debug::INFO, "Unhandled keytype");
2672       nextKeyIdx = getNextKey();
2673       break;
2674     }
2675   }
2676   return nextKeyIdx;
2677 }
2678
2679 int LatexInfo::process(ostringstream & os, KeyInfo const & actual )
2680 {
2681   int end = interval_.nextNotIgnored(actual._dataEnd);
2682   int oldStart = actual._dataStart;
2683   int nextKeyIdx = getNextKey();
2684   while (true) {
2685     if ((nextKeyIdx < 0) ||
2686         (entries_[nextKeyIdx]._tokenstart >= actual._dataEnd) ||
2687         (entries_[nextKeyIdx].keytype == KeyInfo::invalid)) {
2688       if (oldStart <= end) {
2689         processRegion(oldStart, end);
2690         oldStart = end+1;
2691       }
2692       break;
2693     }
2694     KeyInfo &nextKey = getKeyInfo(nextKeyIdx);
2695
2696     if ((nextKey.keytype == KeyInfo::isMain) && !nextKey.disabled) {
2697       (void) dispatch(os, actual._dataStart, nextKey);
2698       end = nextKey._tokenstart;
2699       break;
2700     }
2701     processRegion(oldStart, nextKey._tokenstart);
2702     nextKeyIdx = dispatch(os, actual._dataStart, nextKey);
2703
2704     oldStart = nextKey._dataEnd+1;
2705   }
2706   // now nextKey is either invalid or is outside of actual._dataEnd
2707   // output the remaining and discard myself
2708   if (oldStart <= end) {
2709     processRegion(oldStart, end);
2710   }
2711   if (interval_.par.size() > (size_t) end && interval_.par[end] == '}') {
2712     end += 1;
2713     // This is the normal case.
2714     // But if using the firstlanguage, the closing may be missing
2715   }
2716   // get minimum of 'end' and  'actual._dataEnd' in case that the nextKey.keytype was 'KeyInfo::isMain'
2717   int output_end;
2718   if (actual._dataEnd < end)
2719     output_end = interval_.nextNotIgnored(actual._dataEnd);
2720   else if (interval_.par.size() > (size_t) end)
2721     output_end = interval_.nextNotIgnored(end);
2722   else
2723     output_end = interval_.par.size();
2724   if ((actual.keytype == KeyInfo::isMain) && actual.disabled) {
2725     interval_.addIntervall(actual._tokenstart, actual._tokenstart+actual._tokensize);
2726   }
2727   // Remove possible empty data
2728   int dstart = interval_.nextNotIgnored(actual._dataStart);
2729   while (interval_.isOpeningPar(dstart) == 1) {
2730     interval_.addIntervall(dstart, dstart+1);
2731     int dend = interval_.findclosing(dstart+1, output_end);
2732     interval_.addIntervall(dend, dend+1);
2733     dstart = interval_.nextNotIgnored(dstart+1);
2734   }
2735   if (dstart < output_end)
2736     interval_.output(os, output_end);
2737   interval_.addIntervall(actual._tokenstart, end);
2738   return nextKeyIdx;
2739 }
2740
2741 string splitOnKnownMacros(string par, bool isPatternString)
2742 {
2743   ostringstream os;
2744   LatexInfo li(par, isPatternString);
2745   // LYXERR(Debug::INFO, "Berfore split: " << par);
2746   KeyInfo DummyKey = KeyInfo(KeyInfo::KeyType::isMain, 2, true);
2747   DummyKey.head = "";
2748   DummyKey._tokensize = 0;
2749   DummyKey._dataStart = 0;
2750   DummyKey._dataEnd = par.length();
2751   DummyKey.disabled = true;
2752   int firstkeyIdx = li.getFirstKey();
2753   string s;
2754   if (firstkeyIdx >= 0) {
2755     KeyInfo firstKey = li.getKeyInfo(firstkeyIdx);
2756     DummyKey._tokenstart = firstKey._tokenstart;
2757     int nextkeyIdx;
2758     if ((firstKey.keytype != KeyInfo::isMain) || firstKey.disabled) {
2759       // Use dummy firstKey
2760       firstKey = DummyKey;
2761       (void) li.setNextKey(firstkeyIdx);
2762     }
2763     else {
2764       if (par.substr(firstKey._dataStart, 2) == "% ")
2765         li.addIntervall(firstKey._dataStart, firstKey._dataStart+2);
2766     }
2767     nextkeyIdx = li.process(os, firstKey);
2768     while (nextkeyIdx >= 0) {
2769       // Check for a possible gap between the last
2770       // entry and this one
2771       int datastart = li.nextNotIgnored(firstKey._dataStart);
2772       KeyInfo &nextKey = li.getKeyInfo(nextkeyIdx);
2773       if ((nextKey._tokenstart > datastart)) {
2774         // Handle the gap
2775         firstKey._dataStart = datastart;
2776         firstKey._dataEnd = par.length();
2777         (void) li.setNextKey(nextkeyIdx);
2778         // Fake the last opened parenthesis
2779         li.setForDefaultLang(firstKey);
2780         nextkeyIdx = li.process(os, firstKey);
2781       }
2782       else {
2783         if (nextKey.keytype != KeyInfo::isMain) {
2784           firstKey._dataStart = datastart;
2785           firstKey._dataEnd = nextKey._dataEnd+1;
2786           (void) li.setNextKey(nextkeyIdx);
2787           li.setForDefaultLang(firstKey);
2788           nextkeyIdx = li.process(os, firstKey);
2789         }
2790         else {
2791           nextkeyIdx = li.process(os, nextKey);
2792         }
2793       }
2794     }
2795     // Handle the remaining
2796     firstKey._dataStart = li.nextNotIgnored(firstKey._dataStart);
2797     firstKey._dataEnd = par.length();
2798     // Check if ! empty
2799     if ((firstKey._dataStart < firstKey._dataEnd) &&
2800         (par[firstKey._dataStart] != '}')) {
2801       li.setForDefaultLang(firstKey);
2802       (void) li.process(os, firstKey);
2803     }
2804     s = os.str();
2805     if (s.empty()) {
2806       // return string definitelly impossible to match
2807       s = "\\foreignlanguage{ignore}{ }";
2808     }
2809   }
2810   else
2811     s = par;                            /* no known macros found */
2812   // LYXERR(Debug::INFO, "After split: " << s);
2813   return s;
2814 }
2815
2816 /*
2817  * Try to unify the language specs in the latexified text.
2818  * Resulting modified string is set to "", if
2819  * the searched tex does not contain all the features in the search pattern
2820  */
2821 static string correctlanguagesetting(string par, bool isPatternString, bool withformat)
2822 {
2823         static Features regex_f;
2824         static int missed = 0;
2825         static bool regex_with_format = false;
2826
2827         int parlen = par.length();
2828
2829         while ((parlen > 0) && (par[parlen-1] == '\n')) {
2830                 parlen--;
2831         }
2832         if (isPatternString && (parlen > 0) && (par[parlen-1] == '~')) {
2833                 // Happens to be there in case of description or labeling environment
2834                 parlen--;
2835         }
2836         string result;
2837         if (withformat) {
2838                 // Split the latex input into pieces which
2839                 // can be digested by our search engine
2840                 LYXERR(Debug::FIND, "input: \"" << par << "\"");
2841                 result = splitOnKnownMacros(par.substr(0,parlen), isPatternString);
2842                 LYXERR(Debug::FIND, "After split: \"" << result << "\"");
2843         }
2844         else
2845                 result = par.substr(0, parlen);
2846         if (isPatternString) {
2847                 missed = 0;
2848                 if (withformat) {
2849                         regex_f = identifyFeatures(result);
2850                         string features = "";
2851                         for (auto it = regex_f.cbegin(); it != regex_f.cend(); ++it) {
2852                                 string a = it->first;
2853                                 regex_with_format = true;
2854                                 features += " " + a;
2855                                 // LYXERR(Debug::INFO, "Identified regex format:" << a);
2856                         }
2857                         LYXERR(Debug::FIND, "Identified Features" << features);
2858
2859                 }
2860         } else if (regex_with_format) {
2861                 Features info = identifyFeatures(result);
2862                 for (auto it = regex_f.cbegin(); it != regex_f.cend(); ++it) {
2863                         string a = it->first;
2864                         bool b = it->second;
2865                         if (b && ! info[a]) {
2866                                 missed++;
2867                                 LYXERR(Debug::FIND, "Missed(" << missed << " " << a <<", srclen = " << parlen );
2868                                 return "";
2869                         }
2870                 }
2871         }
2872         else {
2873                 // LYXERR(Debug::INFO, "No regex formats");
2874         }
2875         return result;
2876 }
2877
2878
2879 // Remove trailing closure of math, macros and environments, so to catch parts of them.
2880 static int identifyClosing(string & t)
2881 {
2882         int open_braces = 0;
2883         do {
2884                 LYXERR(Debug::FIND, "identifyClosing(): t now is '" << t << "'");
2885                 if (regex_replace(t, t, "(.*[^\\\\])\\$$", "$1"))
2886                         continue;
2887                 if (regex_replace(t, t, "(.*[^\\\\])\\\\\\]$", "$1"))
2888                         continue;
2889                 if (regex_replace(t, t, "(.*[^\\\\])\\\\end\\{[a-zA-Z_]*\\*?\\}$", "$1"))
2890                         continue;
2891                 if (regex_replace(t, t, "(.*[^\\\\])\\}$", "$1")) {
2892                         ++open_braces;
2893                         continue;
2894                 }
2895                 break;
2896         } while (true);
2897         return open_braces;
2898 }
2899
2900 static int num_replaced = 0;
2901 static bool previous_single_replace = true;
2902
2903 MatchStringAdv::MatchStringAdv(lyx::Buffer & buf, FindAndReplaceOptions const & opt)
2904         : p_buf(&buf), p_first_buf(&buf), opt(opt)
2905 {
2906         Buffer & find_buf = *theBufferList().getBuffer(FileName(to_utf8(opt.find_buf_name)), true);
2907         docstring const & ds = stringifySearchBuffer(find_buf, opt);
2908         use_regexp = lyx::to_utf8(ds).find("\\regexp{") != std::string::npos;
2909         if (opt.replace_all && previous_single_replace) {
2910                 previous_single_replace = false;
2911                 num_replaced = 0;
2912         }
2913         else if (!opt.replace_all) {
2914                 num_replaced = 0;       // count number of replaced strings
2915                 previous_single_replace = true;
2916         }
2917         // When using regexp, braces are hacked already by escape_for_regex()
2918         par_as_string = normalize(ds, !use_regexp);
2919         open_braces = 0;
2920         close_wildcards = 0;
2921
2922         size_t lead_size = 0;
2923         // correct the language settings
2924         par_as_string = correctlanguagesetting(par_as_string, true, !opt.ignoreformat);
2925         if (opt.ignoreformat) {
2926                 if (!use_regexp) {
2927                         // if par_as_string_nolead were emty,
2928                         // the following call to findAux will always *find* the string
2929                         // in the checked data, and thus always using the slow
2930                         // examining of the current text part.
2931                         par_as_string_nolead = par_as_string;
2932                 }
2933         } else {
2934                 lead_size = identifyLeading(par_as_string);
2935                 LYXERR(Debug::FIND, "Lead_size: " << lead_size);
2936                 lead_as_string = par_as_string.substr(0, lead_size);
2937                 par_as_string_nolead = par_as_string.substr(lead_size, par_as_string.size() - lead_size);
2938         }
2939
2940         if (!use_regexp) {
2941                 open_braces = identifyClosing(par_as_string);
2942                 identifyClosing(par_as_string_nolead);
2943                 LYXERR(Debug::FIND, "Open braces: " << open_braces);
2944                 LYXERR(Debug::FIND, "Built MatchStringAdv object: par_as_string = '" << par_as_string << "'");
2945         } else {
2946                 string lead_as_regexp;
2947                 if (lead_size > 0) {
2948                         // @todo No need to search for \regexp{} insets in leading material
2949                         static std::regex specialChars { R"([-[\]{}()*+?.,\^$|#\s\\])" };
2950                         lead_as_regexp = std::regex_replace(par_as_string.substr(0, lead_size), specialChars,  R"(\$&)" );
2951                         // lead_as_regexp = escape_for_regex(par_as_string.substr(0, lead_size), !opt.ignoreformat);
2952                         par_as_string = par_as_string_nolead;
2953                         LYXERR(Debug::FIND, "lead_as_regexp is '" << lead_as_regexp << "'");
2954                         LYXERR(Debug::FIND, "par_as_string now is '" << par_as_string << "'");
2955                 }
2956                 LYXERR(Debug::FIND, "par_as_string before escape_for_regex() is '" << par_as_string << "'");
2957                 par_as_string = escape_for_regex(par_as_string, !opt.ignoreformat);
2958                 // Insert (.*?) before trailing closure of math, macros and environments, so to catch parts of them.
2959                 LYXERR(Debug::FIND, "par_as_string now is '" << par_as_string << "'");
2960                 if (
2961                         // Insert .* before trailing '\$' ('$' has been escaped by escape_for_regex)
2962                         regex_replace(par_as_string, par_as_string, "(.*[^\\\\])(\\\\\\$)\\'", "$1(.*?)$2")
2963                         // Insert .* before trailing '\\\]' ('\]' has been escaped by escape_for_regex)
2964                         || regex_replace(par_as_string, par_as_string, "(.*[^\\\\])( \\\\\\\\\\\\\\])\\'", "$1(.*?)$2")
2965                         // Insert .* before trailing '\\end\{...}' ('\end{...}' has been escaped by escape_for_regex)
2966                         || regex_replace(par_as_string, par_as_string,
2967                                          "(.*[^\\\\])( \\\\\\\\end\\\\\\{[a-zA-Z_]*)(\\\\\\*)?(\\\\\\})\\'", "$1(.*?)$2$3$4")
2968                         // Insert .* before trailing '\}' ('}' has been escaped by escape_for_regex)
2969                         || regex_replace(par_as_string, par_as_string, "(.*[^\\\\])(\\\\\\})\\'", "$1(.*?)$2")
2970                         ) {
2971                         ++close_wildcards;
2972                 }
2973                 if (!opt.ignoreformat) {
2974                         // Remove extra '\}' at end if not part of \{\.\}
2975                         size_t lng = par_as_string.size();
2976                         while(lng > 2) {
2977                                 if (par_as_string.substr(lng-2, 2).compare("\\}") == 0) {
2978                                         if (lng >= 6) {
2979                                                 if (par_as_string.substr(lng-6,3).compare("\\{\\") == 0)
2980                                                         break;
2981                                         }
2982                                         lng -= 2;
2983                                         open_braces++;
2984                                 }
2985                                 else
2986                                         break;
2987                         }
2988                         if (lng < par_as_string.size())
2989                                 par_as_string = par_as_string.substr(0,lng);
2990                         /*
2991                         // save '\.'
2992                         regex_replace(par_as_string, par_as_string, "\\\\\\.", "_xxbdotxx_");
2993                         // handle '.' -> '[^]', replace later as '[^\}\{\\]'
2994                         regex_replace(par_as_string, par_as_string, "\\.", "[^]");
2995                         // replace '[^...]' with '[^...\}\{\\]'
2996                         regex_replace(par_as_string, par_as_string, "\\[\\^([^\\\\\\]]*)\\]", "_xxbrlxx_$1\\}\\{\\\\_xxbrrxx_");
2997                         regex_replace(par_as_string, par_as_string, "_xxbrlxx_", "[^");
2998                         regex_replace(par_as_string, par_as_string, "_xxbrrxx_", "]");
2999                         // restore '\.'
3000                         regex_replace(par_as_string, par_as_string, "_xxbdotxx_", "\\.");
3001                         */
3002                 }
3003                 LYXERR(Debug::FIND, "par_as_string now is '" << par_as_string << "'");
3004                 LYXERR(Debug::FIND, "Open braces: " << open_braces);
3005                 LYXERR(Debug::FIND, "Close .*?  : " << close_wildcards);
3006                 LYXERR(Debug::FIND, "Replaced text (to be used as regex): " << par_as_string);
3007
3008                 // If entered regexp must match at begin of searched string buffer
3009                 // Kornel: Added parentheses to use $1 for size of the leading string
3010                 string regexp_str;
3011                 string regexp2_str;
3012                 {
3013                         // TODO: Adapt '\[12345678]' in par_as_string to acount for the first '()
3014                         // Unfortunately is '\1', '\2', etc not working for strings with extra format
3015                         // so the convert has no effect in that case
3016                         for (int i = 7; i > 0; --i) {
3017                                 string orig = "\\\\" + std::to_string(i);
3018                                 string dest = "\\" + std::to_string(i+2);
3019                                 while (regex_replace(par_as_string, par_as_string, orig, dest));
3020                         }
3021                         regexp_str = "(" + lead_as_regexp + ")()" + par_as_string;
3022                         regexp2_str = "(" + lead_as_regexp + ")(.*?)" + par_as_string;
3023                 }
3024                 LYXERR(Debug::FIND, "Setting regexp to : '" << regexp_str << "'");
3025                 LYXERR(Debug::FIND, "Setting regexp2 to: '" << regexp2_str << "'");
3026 #if QTSEARCH
3027                 // Handle \w properly
3028                 QRegularExpression::PatternOptions popts = QRegularExpression::UseUnicodePropertiesOption | QRegularExpression::MultilineOption;
3029                 if (! opt.casesensitive) {
3030                         popts |= QRegularExpression::CaseInsensitiveOption;
3031                 }
3032                 regexp = QRegularExpression(QString::fromStdString(regexp_str), popts);
3033                 regexp2 = QRegularExpression(QString::fromStdString(regexp2_str), popts);
3034                 regexError = "";
3035                 if (regexp.isValid() && regexp2.isValid()) {
3036                         regexIsValid = true;
3037                         // Check '{', '}' pairs inside the regex
3038                         int balanced = 0;
3039                         int skip = 1;
3040                         for (unsigned i = 0; i < par_as_string.size(); i+= skip) {
3041                                 char c = par_as_string[i];
3042                                 if (c == '\\') {
3043                                         skip = 2;
3044                                         continue;
3045                                 }
3046                                 if (c == '{')
3047                                         balanced++;
3048                                 else if (c == '}') {
3049                                         balanced--;
3050                                         if (balanced < 0)
3051                                                 break;
3052                                 }
3053                                 skip = 1;
3054                         }
3055                         if (balanced != 0) {
3056                                 regexIsValid = false;
3057                                 regexError = "Unbalanced curly brackets in regexp \"" + regexp_str + "\"";
3058                         }
3059                 }
3060                 else {
3061                         regexIsValid = false;
3062                         if (!regexp.isValid())
3063                                 regexError += "Invalid regexp \"" + regexp_str + "\", error = " + regexp.errorString().toStdString();
3064                         if (!regexp2.isValid())
3065                                 regexError += "Invalid regexp2 \"" + regexp2_str + "\", error = " + regexp2.errorString().toStdString();
3066                 }
3067 #else
3068                 if (opt.casesensitive) {
3069                         regexp = regex(regexp_str);
3070                         regexp2 = regex(regexp2_str);
3071                 }
3072                 else {
3073                         regexp = regex(regexp_str, std::regex_constants::icase);
3074                         regexp2 = regex(regexp2_str, std::regex_constants::icase);
3075                 }
3076 #endif
3077         }
3078 }
3079
3080 #if 0
3081 // Count number of characters in string
3082 // {]} ==> 1
3083 // \&  ==> 1
3084 // --- ==> 1
3085 // \\[a-zA-Z]+ ==> 1
3086 #if QTSEARCH
3087 static int computeSize(QStringRef s, int len)
3088 #define isLyxAlpha(arg) arg.isLetter()
3089 #else
3090 static int computeSize(string s, int len)
3091 #define isLyxAlpha(arg) isalpha(arg)
3092 #endif
3093 {
3094         if (len == 0)
3095                 return 0;
3096         int skip = 1;
3097         int count = 0;
3098         for (int i = 0; i < len; i += skip, count++) {
3099                 if (s.at(i) == '\\') {
3100                         skip = 2;
3101                         if (i + 1 < len && isLyxAlpha(s.at(i+1))) {
3102                                 for (int j = 2;  i+j < len; j++) {
3103                                         if (! isLyxAlpha(s.at(i+j))) {
3104                                                 if (s.at(i+j) == ' ')
3105                                                         skip++;
3106                                                 else if (s.at(i+j) == '{') {
3107                                                         if (i+j+1 < len && s.at(i+j+1) == '}')
3108                                                                 skip += 2;
3109                                                         else if (i + j + 1 >= len)
3110                                                                 skip++;
3111                                                 }
3112                                                 break;
3113                                         }
3114                                         skip++;
3115                                 }
3116                         }
3117                 }
3118                 else if (s.at(i) == '{') {
3119                         if (i + 1 < len && s.at(i+1) == '}')
3120                                 skip = 2;
3121                         else
3122                                 skip = 3;
3123                 }
3124                 else if (s.at(i) == '-') {
3125                         if (i+1 < len && s.at(i+1) == '-') {
3126                                 if (i + 2 < len && s.at(i+2) == '-')
3127                                         skip = 3;
3128                                 else
3129                                         skip = 2;
3130                         }
3131                         else
3132                                 skip = 1;
3133                 }
3134                 else {
3135                         skip = 1;
3136                 }
3137         }
3138         return count;
3139 }
3140 #endif
3141
3142 MatchResult MatchStringAdv::findAux(DocIterator const & cur, int len, bool at_begin) const
3143 {
3144         MatchResult mres;
3145
3146         if (at_begin &&
3147                 (opt.restr == FindAndReplaceOptions::R_ONLY_MATHS && !cur.inMathed()) )
3148                 return mres;
3149
3150         docstring docstr = stringifyFromForSearch(opt, cur, len);
3151         string str;
3152         if (use_regexp || opt.casesensitive)
3153                 str = normalize(docstr, true);
3154         else
3155                 str = normalize(lowercase(docstr), true);
3156         if (!opt.ignoreformat) {
3157                 str = correctlanguagesetting(str, false, !opt.ignoreformat);
3158         }
3159         if (str.empty()) {
3160                 mres.match_len = -1;
3161                 return mres;
3162         }
3163         LYXERR(Debug::FIND, "Matching against     '" << lyx::to_utf8(docstr) << "'");
3164         LYXERR(Debug::FIND, "After normalization: '" << str << "'");
3165
3166         if (use_regexp) {
3167                 LYXERR(Debug::FIND, "Searching in regexp mode: at_begin=" << at_begin);
3168 #if QTSEARCH
3169                 QString qstr = QString::fromStdString(str);
3170                 QRegularExpression const *p_regexp;
3171                 QRegularExpression::MatchType flags = QRegularExpression::NormalMatch;
3172                 if (at_begin) {
3173                         p_regexp = &regexp;
3174                 } else {
3175                         p_regexp = &regexp2;
3176                 }
3177                 QRegularExpressionMatch match = p_regexp->match(qstr, 0, flags);
3178                 if (!match.hasMatch())
3179                         return mres;
3180 #else
3181                 regex const *p_regexp;
3182                 regex_constants::match_flag_type flags;
3183                 if (at_begin) {
3184                         flags = regex_constants::match_continuous;
3185                         p_regexp = &regexp;
3186                 } else {
3187                         flags = regex_constants::match_default;
3188                         p_regexp = &regexp2;
3189                 }
3190                 sregex_iterator re_it(str.begin(), str.end(), *p_regexp, flags);
3191                 if (re_it == sregex_iterator())
3192                         return mres;
3193                 match_results<string::const_iterator> const & m = *re_it;
3194 #endif
3195                 // Whole found string, including the leading
3196                 // std: m[0].second - m[0].first
3197                 // Qt: match.capturedEnd(0) - match.capturedStart(0)
3198                 //
3199                 // Size of the leading string
3200                 // std: m[1].second - m[1].first
3201                 // Qt: match.capturedEnd(1) - match.capturedStart(1)
3202                 int leadingsize = 0;
3203 #if QTSEARCH
3204                 if (match.lastCapturedIndex() > 0) {
3205                         leadingsize = match.capturedEnd(1) - match.capturedStart(1);
3206                 }
3207
3208 #else
3209                 if (m.size() > 2) {
3210                         leadingsize = m[1].second - m[1].first;
3211                 }
3212 #endif
3213 #if QTSEARCH
3214                 mres.match_prefix = match.capturedEnd(2) - match.capturedStart(2);
3215                 mres.match_len = match.capturedEnd(0) - match.capturedEnd(2);
3216                 // because of different number of closing at end of string
3217                 // we have to 'unify' the length of the post-match.
3218                 // Done by ignoring closing parenthesis and linefeeds at string end
3219                 int matchend = match.capturedEnd(0);
3220                 while (mres.match_len > 0) {
3221                   QChar c = qstr.at(matchend - 1);
3222                   if ((c == '\n') || (c == '}') || (c == '{')) {
3223                     mres.match_len--;
3224                     matchend--;
3225                   }
3226                   else
3227                     break;
3228                 }
3229                 size_t strsize = qstr.size();
3230                 while (strsize > (size_t) match.capturedEnd(0)) {
3231                         QChar c = qstr.at(strsize-1);
3232                         if ((c == '\n') || (c == '}')) {
3233                                 --strsize;
3234                         }
3235                         else
3236                                 break;
3237                 }
3238                 // LYXERR0(qstr.toStdString());
3239                 mres.match2end = strsize - matchend;
3240                 mres.pos = match.capturedStart(2);
3241 #else
3242                 mres.match_prefix = m[2].second - m[2].first;
3243                 mres.match_len = m[0].second - m[2].second;
3244                 // ignore closing parenthesis and linefeeds at string end
3245                 size_t strend = m[0].second - m[0].first;
3246                 int matchend = strend;
3247                 while (mres.match_len > 0) {
3248                   char c = str.at(matchend - 1);
3249                   if ((c == '\n') || (c == '}') || (c == '{')) {
3250                     mres.match_len--;
3251                     matchend--;
3252                   }
3253                   else
3254                     break;
3255                 }
3256                 size_t strsize = str.size();
3257                 while (strsize > strend) {
3258                         if ((str.at(strsize-1) == '}') || (str.at(strsize-1) == '\n')) {
3259                                 --strsize;
3260                         }
3261                         else
3262                                 break;
3263                 }
3264                 // LYXERR0(str);
3265                 mres.match2end = strsize - matchend;
3266                 mres.pos = m[2].first - m[0].first;;
3267 #endif
3268                 if (mres.match2end < 0)
3269                   mres.match_len = 0;
3270                 mres.leadsize = leadingsize;
3271 #if defined(ResultsDebug)
3272         #if QTSEARCH
3273                 if (mres.match_len > 0) {
3274                   string a0 = match.captured(0).mid(mres.pos + mres.match_prefix, mres.match_len).toStdString();
3275                   mres.result.push_back(a0);
3276                   for (int i = 3; i <= match.lastCapturedIndex(); i++) {
3277                     mres.result.push_back(match.captured(i).toStdString());
3278                   }
3279                 }
3280         #else
3281                 if (mres.match_len > 0) {
3282                   string a0 = m[0].str().substr(mres.pos + mres.match_prefix, mres.match_len);
3283                   mres.result.push_back(a0);
3284                   for (size_t i = 3; i < m.size(); i++) {
3285                     mres.result.push_back(m[i]);
3286                   }
3287                 }
3288         #endif
3289 #endif
3290                 return mres;
3291         }
3292
3293         // else !use_regexp: but all code paths above return
3294         LYXERR(Debug::FIND, "Searching in normal mode: par_as_string='"
3295                                  << par_as_string << "', str='" << str << "'");
3296         LYXERR(Debug::FIND, "Searching in normal mode: lead_as_string='"
3297                                  << lead_as_string << "', par_as_string_nolead='"
3298                                  << par_as_string_nolead << "'");
3299
3300         if (at_begin) {
3301                 LYXERR(Debug::FIND, "size=" << par_as_string.size()
3302                                          << ", substr='" << str.substr(0, par_as_string.size()) << "'");
3303                 if (str.substr(0, par_as_string.size()) == par_as_string) {
3304                         mres.match_len = par_as_string.size();
3305                         mres.match2end = str.size();
3306                         mres.pos = 0;
3307                         return mres;
3308                 }
3309         } else {
3310                 // Start the search _after_ the leading part
3311                 size_t pos = str.find(par_as_string_nolead, lead_as_string.size());
3312                 if (pos != string::npos) {
3313                         mres.match_len = par_as_string.size();
3314                         mres.match2end = str.size() - pos;
3315                         mres.pos = pos;
3316                         return mres;
3317                 }
3318         }
3319         return mres;
3320 }
3321
3322
3323 MatchResult MatchStringAdv::operator()(DocIterator const & cur, int len, bool at_begin) const
3324 {
3325         MatchResult mres = findAux(cur, len, at_begin);
3326         int res = mres.match_len;
3327         LYXERR(Debug::FIND,
3328                "res=" << res << ", at_begin=" << at_begin
3329                << ", matchword=" << opt.matchword
3330                << ", inTexted=" << cur.inTexted());
3331         if (res == 0 || !at_begin || !opt.matchword || !cur.inTexted())
3332                 return mres;
3333         if ((len > 0) && (res < len)) {
3334           mres.match_len = 0;
3335           return mres;
3336         }
3337         Paragraph const & par = cur.paragraph();
3338         bool ws_left = (cur.pos() > 0)
3339                 ? par.isWordSeparator(cur.pos() - 1)
3340                 : true;
3341         bool ws_right;
3342         if (len < 0)
3343                 ws_right = true;
3344         else {
3345                 ws_right = (cur.pos() + len < par.size())
3346                 ? par.isWordSeparator(cur.pos() + len)
3347                 : true;
3348         }
3349         LYXERR(Debug::FIND,
3350                "cur.pos()=" << cur.pos() << ", res=" << res
3351                << ", separ: " << ws_left << ", " << ws_right
3352                << ", len: " << len
3353                << endl);
3354         if (ws_left && ws_right) {
3355           // Check for word separators inside the found 'word'
3356           for (int i = 0; i < len; i++) {
3357             if (par.isWordSeparator(cur.pos() + i)) {
3358               mres.match_len = 0;
3359               return mres;
3360             }
3361           }
3362           return mres;
3363         }
3364         mres.match_len = 0;
3365         return mres;
3366 }
3367
3368 static bool simple_replace(string &t, string from, string to)
3369 {
3370   regex repl("(\\\\)*(" + from + ")");
3371   string s("");
3372   size_t lastpos = 0;
3373   smatch sub;
3374   for (sregex_iterator it(t.begin(), t.end(), repl), end; it != end; ++it) {
3375     sub = *it;
3376     if ((sub.position(2) - sub.position(0)) % 2 == 1)
3377       continue;
3378     if (lastpos < (size_t) sub.position(2))
3379       s += t.substr(lastpos, sub.position(2) - lastpos);
3380     s += to;
3381     lastpos = sub.position(2) + sub.length(2);
3382   }
3383   if (lastpos == 0)
3384     return false;
3385   else if (lastpos < t.length())
3386     s += t.substr(lastpos, t.length() - lastpos);
3387   t = s;
3388   return true;
3389 }
3390
3391 string MatchStringAdv::normalize(docstring const & s, bool hack_braces) const
3392 {
3393         string t;
3394         t = lyx::to_utf8(s);
3395         // Remove \n at begin
3396         while (!t.empty() && t[0] == '\n')
3397                 t = t.substr(1);
3398         // Remove \n at end
3399         while (!t.empty() && t[t.size() - 1] == '\n')
3400                 t = t.substr(0, t.size() - 1);
3401         size_t pos;
3402         // Handle all other '\n'
3403         while ((pos = t.find("\n")) != string::npos) {
3404                 if (pos > 1 && t[pos-1] == '\\' && t[pos-2] == '\\' ) {
3405                         // Handle '\\\n'
3406                         if (isAlnumASCII(t[pos+1])) {
3407                                 t.replace(pos-2, 3, " ");
3408                         }
3409                         else {
3410                                 t.replace(pos-2, 3, "");
3411                         }
3412                 }
3413                 else if (!isAlnumASCII(t[pos+1]) || !isAlnumASCII(t[pos-1])) {
3414                         // '\n' adjacent to non-alpha-numerics, discard
3415                         t.replace(pos, 1, "");
3416                 }
3417                 else {
3418                         // Replace all other \n with spaces
3419                         t.replace(pos, 1, " ");
3420                 }
3421         }
3422         // Remove stale empty \emph{}, \textbf{} and similar blocks from latexify
3423         // Kornel: Added textsl, textsf, textit, texttt and noun
3424         // + allow to seach for colored text too
3425         LYXERR(Debug::FIND, "Removing stale empty \\emph{}, \\textbf{}, \\*section{} macros from: " << t);
3426         while (regex_replace(t, t, "\\\\(emph|noun|text(bf|sl|sf|it|tt)|(u|uu)line|(s|x)out|uwave)(\\{(\\{\\})?\\})+", ""))
3427                 LYXERR(Debug::FIND, "  further removing stale empty \\emph{}, \\textbf{} macros from: " << t);
3428         while (regex_replace(t, t, "\\\\((sub)?(((sub)?section)|paragraph)|part)\\*?(\\{(\\{\\})?\\})+", ""))
3429                 LYXERR(Debug::FIND, "  further removing stale empty \\emph{}, \\textbf{} macros from: " << t);
3430         while (regex_replace(t, t, "\\\\(foreignlanguage|textcolor|item)\\{[a-z]+\\}(\\{(\\{\\})?\\})+", ""));
3431         // FIXME - check what preceeds the brace
3432         if (hack_braces) {
3433                 if (opt.ignoreformat)
3434                         while (regex_replace(t, t, "\\{", "_x_<")
3435                                || regex_replace(t, t, "\\}", "_x_>"))
3436                                 LYXERR(Debug::FIND, "After {} replacement: '" << t << "'");
3437                 else {
3438                         simple_replace(t, "\\\\\\{", "_x_<");
3439                         simple_replace(t, "\\\\\\}", "_x_>");
3440                         LYXERR(Debug::FIND, "After {} replacement: '" << t << "'");
3441                 }
3442         }
3443
3444         return t;
3445 }
3446
3447
3448 docstring stringifyFromCursor(DocIterator const & cur, int len)
3449 {
3450         LYXERR(Debug::FIND, "Stringifying with len=" << len << " from cursor at pos: " << cur);
3451         if (cur.inTexted()) {
3452                 Paragraph const & par = cur.paragraph();
3453                 // TODO what about searching beyond/across paragraph breaks ?
3454                 // TODO Try adding a AS_STR_INSERTS as last arg
3455                 pos_type end = ( len == -1 || cur.pos() + len > int(par.size()) ) ?
3456                         int(par.size()) : cur.pos() + len;
3457                 // OutputParams runparams(&cur.buffer()->params().encoding());
3458                 OutputParams runparams(encodings.fromLyXName("utf8"));
3459                 runparams.nice = true;
3460                 runparams.flavor = Flavor::XeTeX;
3461                 runparams.linelen = 10000; //lyxrc.plaintext_linelen;
3462                 // No side effect of file copying and image conversion
3463                 runparams.dryrun = true;
3464                 runparams.for_search = true;
3465                 LYXERR(Debug::FIND, "Stringifying with cur: "
3466                        << cur << ", from pos: " << cur.pos() << ", end: " << end);
3467                 return par.asString(cur.pos(), end,
3468                         AS_STR_INSETS | AS_STR_SKIPDELETE | AS_STR_PLAINTEXT,
3469                         &runparams);
3470         } else if (cur.inMathed()) {
3471                 CursorSlice cs = cur.top();
3472                 MathData md = cs.cell();
3473                 MathData::const_iterator it_end =
3474                         (( len == -1 || cs.pos() + len > int(md.size()))
3475                          ? md.end()
3476                          : md.begin() + cs.pos() + len );
3477                 MathData md2;
3478                 for (MathData::const_iterator it = md.begin() + cs.pos();
3479                      it != it_end; ++it)
3480                         md2.push_back(*it);
3481                 docstring s = asString(md2);
3482                 LYXERR(Debug::FIND, "Stringified math: '" << s << "'");
3483                 return s;
3484         }
3485         LYXERR(Debug::FIND, "Don't know how to stringify from here: " << cur);
3486         return docstring();
3487 }
3488
3489
3490 /** Computes the LaTeX export of buf starting from cur and ending len positions
3491  * after cur, if len is positive, or at the paragraph or innermost inset end
3492  * if len is -1.
3493  */
3494 docstring latexifyFromCursor(DocIterator const & cur, int len)
3495 {
3496         LYXERR(Debug::FIND, "Latexifying with len=" << len << " from cursor at pos: " << cur);
3497         LYXERR(Debug::FIND, "  with cur.lastpost=" << cur.lastpos() << ", cur.lastrow="
3498                << cur.lastrow() << ", cur.lastcol=" << cur.lastcol());
3499         Buffer const & buf = *cur.buffer();
3500
3501         odocstringstream ods;
3502         otexstream os(ods);
3503         //OutputParams runparams(&buf.params().encoding());
3504         OutputParams runparams(encodings.fromLyXName("utf8"));
3505         runparams.nice = false;
3506         runparams.flavor = Flavor::XeTeX;
3507         runparams.linelen = 8000; //lyxrc.plaintext_linelen;
3508         // No side effect of file copying and image conversion
3509         runparams.dryrun = true;
3510         runparams.for_search = true;
3511
3512         if (cur.inTexted()) {
3513                 // @TODO what about searching beyond/across paragraph breaks ?
3514                 pos_type endpos = cur.paragraph().size();
3515                 if (len != -1 && endpos > cur.pos() + len)
3516                         endpos = cur.pos() + len;
3517                 TeXOnePar(buf, *cur.innerText(), cur.pit(), os, runparams,
3518                           string(), cur.pos(), endpos);
3519                 string s = lyx::to_utf8(ods.str());
3520                 LYXERR(Debug::FIND, "Latexified +modified text: '" << s << "'");
3521                 return(lyx::from_utf8(s));
3522         } else if (cur.inMathed()) {
3523                 // Retrieve the math environment type, and add '$' or '$[' or others (\begin{equation}) accordingly
3524                 for (int s = cur.depth() - 1; s >= 0; --s) {
3525                         CursorSlice const & cs = cur[s];
3526                         if (cs.asInsetMath() && cs.asInsetMath()->asHullInset()) {
3527                                 TeXMathStream ws(os);
3528                                 cs.asInsetMath()->asHullInset()->header_write(ws);
3529                                 break;
3530                         }
3531                 }
3532
3533                 CursorSlice const & cs = cur.top();
3534                 MathData md = cs.cell();
3535                 MathData::const_iterator it_end =
3536                         ((len == -1 || cs.pos() + len > int(md.size()))
3537                          ? md.end()
3538                          : md.begin() + cs.pos() + len);
3539                 MathData md2;
3540                 for (MathData::const_iterator it = md.begin() + cs.pos();
3541                      it != it_end; ++it)
3542                         md2.push_back(*it);
3543
3544                 ods << asString(md2);
3545                 // Retrieve the math environment type, and add '$' or '$]'
3546                 // or others (\end{equation}) accordingly
3547                 for (int s = cur.depth() - 1; s >= 0; --s) {
3548                         CursorSlice const & cs2 = cur[s];
3549                         InsetMath * inset = cs2.asInsetMath();
3550                         if (inset && inset->asHullInset()) {
3551                                 TeXMathStream ws(os);
3552                                 inset->asHullInset()->footer_write(ws);
3553                                 break;
3554                         }
3555                 }
3556                 LYXERR(Debug::FIND, "Latexified math: '" << lyx::to_utf8(ods.str()) << "'");
3557         } else {
3558                 LYXERR(Debug::FIND, "Don't know how to stringify from here: " << cur);
3559         }
3560         return ods.str();
3561 }
3562
3563 #if defined(ResultsDebug)
3564 // Debugging output
3565 static void displayMResult(MatchResult &mres, int increment)
3566 {
3567   LYXERR0( "pos: " << mres.pos << " increment " << increment);
3568   LYXERR0( "leadsize: " << mres.leadsize);
3569   LYXERR0( "match_len: " << mres.match_len);
3570   LYXERR0( "match_prefix: " << mres.match_prefix);
3571   LYXERR0( "match2end: " << mres.match2end);
3572   for (size_t i = 0; i < mres.result.size(); i++)
3573     LYXERR0( "Match " << i << " = \"" << mres.result[i] << "\"");
3574 }
3575         #define displayMres(s,i) displayMResult(s,i);
3576 #else
3577         #define displayMres(s,i)
3578 #endif
3579
3580 static bool findAdvForwardInnermost(DocIterator & cur)
3581 {
3582         size_t d;
3583         DocIterator old_cur(cur.buffer());
3584         int forwardCount = 0;
3585         do {
3586                 d = cur.depth();
3587                 old_cur = cur;
3588                 cur.forwardPos();
3589                 if (!cur) {
3590                         break;
3591                 }
3592                 if (cur.depth() > d) {
3593                         forwardCount++;
3594                         continue;
3595                 }
3596                 if (cur.depth() == d)
3597                         break;
3598         } while(1);
3599         cur = old_cur;
3600         if (forwardCount > 0) {
3601                 LYXERR(Debug::FIND, "Forwarded " << forwardCount << " step(s) (searching for innermost match)");
3602                 return true;;
3603         }
3604         else
3605                 return false;
3606 }
3607
3608 /** Finalize an advanced find operation, advancing the cursor to the innermost
3609  ** position that matches, plus computing the length of the matching text to
3610  ** be selected
3611  **/
3612 int findAdvFinalize(DocIterator & cur, MatchStringAdv const & match, int expected_len, int prefix_len = 0)
3613 {
3614         // Search the foremost position that matches (avoids find of entire math
3615         // inset when match at start of it)
3616         DocIterator old_cur(cur.buffer());
3617         MatchResult mres;
3618         int max_match;
3619         // If (prefix_len > 0) means that forwarding 1 position will remove the complete entry
3620         // Happens with e.g. hyperlinks
3621         // either one sees "http://www.bla.bla" or nothing
3622         // so the search for "www" gives prefix_len = 7 (== sizeof("http://")
3623         // and although we search for only 3 chars, we find the whole hyperlink inset
3624         bool at_begin = (prefix_len == 0);
3625         if (findAdvForwardInnermost(cur)) {
3626                 mres = match(cur, -1, at_begin);
3627                 displayMres(mres, 0);
3628                 if (expected_len > 0) {
3629                         if (mres.match_len < expected_len)
3630                                 return 0;
3631                 }
3632                 else {
3633                         if (mres.match_len <= 0)
3634                                 return 0;
3635                 }
3636                 max_match = mres.match_len;
3637         }
3638         else if (expected_len < 0) {
3639                 mres = match(cur);      /* match valid only if not searching whole words */
3640                 displayMres(mres, 0);
3641                 max_match = mres.match_len;
3642         }
3643         else {
3644                 max_match = expected_len;
3645         }
3646         if (max_match <= 0) return 0;
3647         LYXERR(Debug::FIND, "Ok");
3648
3649         // Compute the match length
3650         int len = 1;
3651         if (cur.pos() + len > cur.lastpos())
3652           return 0;
3653         // regexp should use \w+, \S+, or \b(some string)\b
3654         // to search for whole words
3655         if (match.opt.matchword && !match.use_regexp) {
3656           LYXERR(Debug::FIND, "verifying unmatch with len = " << len);
3657           while (cur.pos() + len <= cur.lastpos() && match(cur, len).match_len <= 0) {
3658             ++len;
3659             LYXERR(Debug::FIND, "verifying unmatch with len = " << len);
3660           }
3661           // Length of matched text (different from len param)
3662           int old_match = match(cur, len, at_begin).match_len;
3663           if (old_match < 0)
3664             old_match = 0;
3665           int new_match;
3666           // Greedy behaviour while matching regexps
3667           while ((new_match = match(cur, len + 1, at_begin).match_len) > old_match) {
3668             ++len;
3669             old_match = new_match;
3670             LYXERR(Debug::FIND, "verifying   match with len = " << len);
3671           }
3672           if (old_match == 0)
3673             len = 0;
3674         }
3675         else {
3676           int minl = 1;
3677           int maxl = cur.lastpos() - cur.pos();
3678           // Greedy behaviour while matching regexps
3679           while (maxl > minl) {
3680             MatchResult mres2;
3681             mres2 = match(cur, len, at_begin);
3682             displayMres(mres2, len);
3683             int actual_match = mres2.match_len;
3684             if (actual_match >= max_match) {
3685               // actual_match > max_match _can_ happen,
3686               // if the search area splits
3687               // some following word so that the regex
3688               // (e.g. 'r.*r\b' matches 'r' from the middle of the
3689               // splitted word)
3690               // This means, the len value is too big
3691               maxl = len;
3692               if (maxl - minl < 4)
3693                 len = (int)((maxl + minl)/2);
3694               else
3695                 len = (int)(minl + (maxl - minl + 3)/4);
3696             }
3697             else {
3698               // (actual_match < max_match)
3699               minl = len + 1;
3700               len = (int)((maxl + minl)/2);
3701             }
3702           }
3703           old_cur = cur;
3704           // Search for real start of matched characters
3705           while (len > 1) {
3706             int actual_match;
3707             do {
3708               cur.forwardPos();
3709             } while (cur.depth() > old_cur.depth()); /* Skip inner insets */
3710             if (cur.depth() < old_cur.depth()) {
3711               // Outer inset?
3712               LYXERR(Debug::INFO, "cur.depth() < old_cur.depth(), this should never happen");
3713               break;
3714             }
3715             if (cur.pos() != old_cur.pos()) {
3716               // OK, forwarded 1 pos in actual inset
3717               actual_match = match(cur, len-1, at_begin).match_len;
3718               if (actual_match == max_match) {
3719                 // Ha, got it! The shorter selection has the same match length
3720                 len--;
3721                 old_cur = cur;
3722               }
3723               else {
3724                 // OK, the shorter selection matches less chars, revert to previous value
3725                 cur = old_cur;
3726                 break;
3727               }
3728             }
3729             else {
3730               LYXERR(Debug::INFO, "cur.pos() == old_cur.pos(), this should never happen");
3731               actual_match = match(cur, len, at_begin).match_len;
3732               if (actual_match == max_match)
3733                 old_cur = cur;
3734             }
3735           }
3736         }
3737         return len;
3738 }
3739
3740 /// Finds forward
3741 int findForwardAdv(DocIterator & cur, MatchStringAdv const & match)
3742 {
3743         if (!cur)
3744                 return 0;
3745         while (!theApp()->longOperationCancelled() && cur) {
3746                 (void) findAdvForwardInnermost(cur);
3747                 LYXERR(Debug::FIND, "findForwardAdv() cur: " << cur);
3748                 MatchResult mres = match(cur, -1, false);
3749                 displayMres(mres,-1)
3750                 int match_len = mres.match_len;
3751                 if ((mres.pos > 100000) || (mres.match2end > 100000) || (match_len > 100000)) {
3752                         LYXERR(Debug::INFO, "BIG LENGTHS: " << mres.pos << ", " << match_len << ", " << mres.match2end);
3753                         match_len = 0;
3754                 }
3755                 if (match_len > 0) {
3756                         // Try to find the begin of searched string
3757                         int increment;
3758                         int firstInvalid = 100000;
3759                         if (mres.match_prefix + mres.pos - mres.leadsize > 1)
3760                           increment = (mres.match_prefix + mres.pos - mres.leadsize + 1)*3/4;
3761                         else
3762                           increment = 10;
3763                         LYXERR(Debug::FIND, "Set increment to " << increment);
3764                         while (increment > 0) {
3765                                 DocIterator old_cur = cur;
3766                                 for (int i = 0; i < increment && cur; cur.forwardPos(), i++) {
3767                                 }
3768                                 if (! cur || (cur.pit() > old_cur.pit())) {
3769                                         // Are we outside of the paragraph?
3770                                         // This can happen if moving past some UTF8-encoded chars
3771                                         cur = old_cur;
3772                                         increment /= 2;
3773                                 }
3774                                 else {
3775                                         MatchResult mres2 = match(cur, -1, false);
3776                                         displayMres(mres2,increment)
3777                                         switch (interpretMatch(mres, mres2)) {
3778                                         case MatchResult::newIsTooFar:
3779                                           // behind the expected match
3780                                           firstInvalid = increment;
3781                                           cur = old_cur;
3782                                           increment /= 2;
3783                                           break;
3784                                         case MatchResult::newIsBetter:
3785                                           // not reached ye, but cur.pos()+increment is bettert
3786                                           mres = mres2;
3787                                           firstInvalid -= increment;
3788                                           if (increment > firstInvalid*3/4)
3789                                             increment = firstInvalid*3/4;
3790                                           if ((mres2.pos == mres2.leadsize) && (increment >= mres2.match_prefix)) {
3791                                             if (increment >= mres2.match_prefix)
3792                                               increment = (mres2.match_prefix+1)*3/4;
3793                                           }
3794                                           break;
3795                                         default:
3796                                           // Todo@
3797                                           // Handle not like MatchResult::newIsTooFar
3798                                           // LYXERR0( "Something is wrong: Increment = " << increment << " match_prefix = " << mres.match_prefix);
3799                                           firstInvalid--;
3800                                           increment = increment*3/4;
3801                                           cur = old_cur;
3802                                           break;
3803                                         }
3804                                 }
3805                         }
3806                         // LYXERR0("Leaving first loop");
3807                         {
3808                           LYXERR(Debug::FIND, "Finalizing 1");
3809                           int len = findAdvFinalize(cur, match, mres.match_len, mres.match_prefix);
3810                           if (len > 0)
3811                             return len;
3812                           else {
3813                             // try next possible match
3814                             cur.forwardPos();
3815                             continue;
3816                           }
3817                         }
3818                         // The following code is newer reached
3819                         // but parts of it may be needed in future
3820                         int match_len_zero_count = 0;
3821                         MatchResult mres3;
3822                         for (int i = 0; !theApp()->longOperationCancelled() && cur; cur.forwardPos()) {
3823                                 if (i++ > 3) {
3824                                         mres3 = match(cur, -1, false);
3825                                         displayMres(mres3, 1)
3826                                         int remaining_len = mres3.match_len;
3827                                         if (remaining_len <= 0) {
3828                                                 // Apparently the searched string is not in the remaining part
3829                                                 break;
3830                                         }
3831                                         else {
3832                                                 i = 0;
3833                                         }
3834                                 }
3835                                 LYXERR(Debug::FIND, "Advancing cur: " << cur);
3836                                 mres3 = match(cur, 1);
3837                                 displayMres(mres3, 1)
3838                                 int match_len3 = mres3.match_len;
3839                                 if (match_len3 < 0)
3840                                         continue;
3841                                 mres3 = match(cur);
3842                                 displayMres(mres3, 1)
3843                                 int match_len2 = mres3.match_len;
3844                                 LYXERR(Debug::FIND, "match_len2: " << match_len2);
3845                                 if (match_len2 > 0) {
3846                                         // Sometimes in finalize we understand it wasn't a match
3847                                         // and we need to continue the outest loop
3848                                         LYXERR(Debug::FIND, "Finalizing 2");
3849                                         int len = findAdvFinalize(cur, match, mres.match_len);
3850                                         if (len > 0) {
3851                                                 return len;
3852                                         }
3853                                 }
3854                                 if (match_len2 > 0)
3855                                         match_len_zero_count = 0;
3856                                 else if (match_len2 == 0)
3857                                         match_len_zero_count++;
3858                                 if (match_len2 < 0) {
3859                                         if (++match_len_zero_count > 3) {
3860                                                 LYXERR(Debug::FIND, "match_len2_zero_count: " << match_len_zero_count << ", match_len was " << match_len);
3861                                         }
3862                                         break;
3863                                 }
3864                         }
3865                         if (!cur)
3866                                 return 0;
3867                 }
3868                 if (match_len >= 0 && cur.pit() < cur.lastpit()) {
3869                         LYXERR(Debug::FIND, "Advancing par: cur=" << cur);
3870                         cur.forwardPar();
3871                 } else {
3872                         // This should exit nested insets, if any, or otherwise undefine the currsor.
3873                         cur.pos() = cur.lastpos();
3874                         LYXERR(Debug::FIND, "Advancing pos: cur=" << cur);
3875                         cur.forwardPos();
3876                 }
3877         }
3878         return 0;
3879 }
3880
3881
3882 /// Find the most backward consecutive match within same paragraph while searching backwards.
3883 int findMostBackwards(DocIterator & cur, MatchStringAdv const & match)
3884 {
3885         DocIterator cur_begin = doc_iterator_begin(cur.buffer());
3886         DocIterator tmp_cur = cur;
3887         int len = findAdvFinalize(tmp_cur, match, -1);
3888         Inset & inset = cur.inset();
3889         for (; cur != cur_begin; cur.backwardPos()) {
3890                 LYXERR(Debug::FIND, "findMostBackwards(): cur=" << cur);
3891                 DocIterator new_cur = cur;
3892                 new_cur.backwardPos();
3893                 if (new_cur == cur || &new_cur.inset() != &inset || !match(new_cur).match_len)
3894                         break;
3895                 int new_len = findAdvFinalize(new_cur, match, -1);
3896                 if (new_len == len)
3897                         break;
3898                 len = new_len;
3899         }
3900         LYXERR(Debug::FIND, "findMostBackwards(): exiting with cur=" << cur);
3901         return len;
3902 }
3903
3904
3905 /// Finds backwards
3906 int findBackwardsAdv(DocIterator & cur, MatchStringAdv & match)
3907 {
3908         if (! cur)
3909                 return 0;
3910         // Backup of original position
3911         DocIterator cur_begin = doc_iterator_begin(cur.buffer());
3912         if (cur == cur_begin)
3913                 return 0;
3914         cur.backwardPos();
3915         DocIterator cur_orig(cur);
3916         bool pit_changed = false;
3917         do {
3918                 cur.pos() = 0;
3919                 bool found_match = (match(cur, -1, false).match_len > 0);
3920
3921                 if (found_match) {
3922                         if (pit_changed)
3923                                 cur.pos() = cur.lastpos();
3924                         else
3925                                 cur.pos() = cur_orig.pos();
3926                         LYXERR(Debug::FIND, "findBackAdv2: cur: " << cur);
3927                         DocIterator cur_prev_iter;
3928                         do {
3929                                 found_match = (match(cur).match_len > 0);
3930                                 LYXERR(Debug::FIND, "findBackAdv3: found_match="
3931                                        << found_match << ", cur: " << cur);
3932                                 if (found_match)
3933                                         return findMostBackwards(cur, match);
3934
3935                                 // Stop if begin of document reached
3936                                 if (cur == cur_begin)
3937                                         break;
3938                                 cur_prev_iter = cur;
3939                                 cur.backwardPos();
3940                         } while (true);
3941                 }
3942                 if (cur == cur_begin)
3943                         break;
3944                 if (cur.pit() > 0)
3945                         --cur.pit();
3946                 else
3947                         cur.backwardPos();
3948                 pit_changed = true;
3949         } while (!theApp()->longOperationCancelled());
3950         return 0;
3951 }
3952
3953
3954 } // namespace
3955
3956
3957 docstring stringifyFromForSearch(FindAndReplaceOptions const & opt,
3958                                  DocIterator const & cur, int len)
3959 {
3960         if (cur.pos() < 0 || cur.pos() > cur.lastpos())
3961                 return docstring();
3962         if (!opt.ignoreformat)
3963                 return latexifyFromCursor(cur, len);
3964         else
3965                 return stringifyFromCursor(cur, len);
3966 }
3967
3968
3969 FindAndReplaceOptions::FindAndReplaceOptions(
3970         docstring const & _find_buf_name, bool _casesensitive,
3971         bool _matchword, bool _forward, bool _expandmacros, bool _ignoreformat,
3972         docstring const & _repl_buf_name, bool _keep_case,
3973         SearchScope _scope, SearchRestriction _restr, bool _replace_all)
3974         : find_buf_name(_find_buf_name), casesensitive(_casesensitive), matchword(_matchword),
3975           forward(_forward), expandmacros(_expandmacros), ignoreformat(_ignoreformat),
3976           repl_buf_name(_repl_buf_name), keep_case(_keep_case), scope(_scope), restr(_restr), replace_all(_replace_all)
3977 {
3978 }
3979
3980
3981 namespace {
3982
3983
3984 /** Check if 'len' letters following cursor are all non-lowercase */
3985 static bool allNonLowercase(Cursor const & cur, int len)
3986 {
3987         pos_type beg_pos = cur.selectionBegin().pos();
3988         pos_type end_pos = cur.selectionBegin().pos() + len;
3989         if (len > cur.lastpos() + 1 - beg_pos) {
3990                 LYXERR(Debug::FIND, "This should not happen, more debug needed");
3991                 len = cur.lastpos() + 1 - beg_pos;
3992                 end_pos = beg_pos + len;
3993         }
3994         for (pos_type pos = beg_pos; pos != end_pos; ++pos)
3995                 if (isLowerCase(cur.paragraph().getChar(pos)))
3996                         return false;
3997         return true;
3998 }
3999
4000
4001 /** Check if first letter is upper case and second one is lower case */
4002 static bool firstUppercase(Cursor const & cur)
4003 {
4004         char_type ch1, ch2;
4005         pos_type pos = cur.selectionBegin().pos();
4006         if (pos >= cur.lastpos() - 1) {
4007                 LYXERR(Debug::FIND, "No upper-case at cur: " << cur);
4008                 return false;
4009         }
4010         ch1 = cur.paragraph().getChar(pos);
4011         ch2 = cur.paragraph().getChar(pos + 1);
4012         bool result = isUpperCase(ch1) && isLowerCase(ch2);
4013         LYXERR(Debug::FIND, "firstUppercase(): "
4014                << "ch1=" << ch1 << "(" << char(ch1) << "), ch2="
4015                << ch2 << "(" << char(ch2) << ")"
4016                << ", result=" << result << ", cur=" << cur);
4017         return result;
4018 }
4019
4020
4021 /** Make first letter of supplied buffer upper-case, and the rest lower-case.
4022  **
4023  ** \fixme What to do with possible further paragraphs in replace buffer ?
4024  **/
4025 static void changeFirstCase(Buffer & buffer, TextCase first_case, TextCase others_case)
4026 {
4027         ParagraphList::iterator pit = buffer.paragraphs().begin();
4028         LASSERT(!pit->empty(), /**/);
4029         pos_type right = pos_type(1);
4030         pit->changeCase(buffer.params(), pos_type(0), right, first_case);
4031         right = pit->size();
4032         pit->changeCase(buffer.params(), pos_type(1), right, others_case);
4033 }
4034
4035 } // namespace
4036
4037 ///
4038 static int findAdvReplace(BufferView * bv, FindAndReplaceOptions const & opt, MatchStringAdv & matchAdv)
4039 {
4040         Cursor & cur = bv->cursor();
4041         if (opt.repl_buf_name.empty()
4042             || theBufferList().getBuffer(FileName(to_utf8(opt.repl_buf_name)), true) == 0
4043             || theBufferList().getBuffer(FileName(to_utf8(opt.find_buf_name)), true) == 0)
4044                 return 0;
4045
4046         DocIterator sel_beg = cur.selectionBegin();
4047         DocIterator sel_end = cur.selectionEnd();
4048         if (&sel_beg.inset() != &sel_end.inset()
4049             || sel_beg.pit() != sel_end.pit()
4050             || sel_beg.idx() != sel_end.idx())
4051                 return 0;
4052         int sel_len = sel_end.pos() - sel_beg.pos();
4053         LYXERR(Debug::FIND, "sel_beg: " << sel_beg << ", sel_end: " << sel_end
4054                << ", sel_len: " << sel_len << endl);
4055         if (sel_len == 0)
4056                 return 0;
4057         LASSERT(sel_len > 0, return 0);
4058
4059         if (!matchAdv(sel_beg, sel_len).match_len)
4060                 return 0;
4061
4062         // Build a copy of the replace buffer, adapted to the KeepCase option
4063         Buffer const & repl_buffer_orig = *theBufferList().getBuffer(FileName(to_utf8(opt.repl_buf_name)), true);
4064         ostringstream oss;
4065         repl_buffer_orig.write(oss);
4066         string lyx = oss.str();
4067         Buffer repl_buffer("", false);
4068         repl_buffer.setUnnamed(true);
4069         LASSERT(repl_buffer.readString(lyx), return 0);
4070         if (opt.keep_case && sel_len >= 2) {
4071                 LYXERR(Debug::FIND, "keep_case true: cur.pos()=" << cur.pos() << ", sel_len=" << sel_len);
4072                 if (cur.inTexted()) {
4073                         if (firstUppercase(cur))
4074                                 changeFirstCase(repl_buffer, text_uppercase, text_lowercase);
4075                         else if (allNonLowercase(cur, sel_len))
4076                                 changeFirstCase(repl_buffer, text_uppercase, text_uppercase);
4077                 }
4078         }
4079         cap::cutSelection(cur, false);
4080         if (cur.inTexted()) {
4081                 repl_buffer.changeLanguage(
4082                         repl_buffer.language(),
4083                         cur.getFont().language());
4084                 LYXERR(Debug::FIND, "Replacing by pasteParagraphList()ing repl_buffer");
4085                 LYXERR(Debug::FIND, "Before pasteParagraphList() cur=" << cur << endl);
4086                 cap::pasteParagraphList(cur, repl_buffer.paragraphs(),
4087                                         repl_buffer.params().documentClassPtr(),
4088                                         bv->buffer().errorList("Paste"));
4089                 LYXERR(Debug::FIND, "After pasteParagraphList() cur=" << cur << endl);
4090                 sel_len = repl_buffer.paragraphs().begin()->size();
4091         } else if (cur.inMathed()) {
4092                 odocstringstream ods;
4093                 otexstream os(ods);
4094                 // OutputParams runparams(&repl_buffer.params().encoding());
4095                 OutputParams runparams(encodings.fromLyXName("utf8"));
4096                 runparams.nice = false;
4097                 runparams.flavor = Flavor::XeTeX;
4098                 runparams.linelen = 8000; //lyxrc.plaintext_linelen;
4099                 runparams.dryrun = true;
4100                 TeXOnePar(repl_buffer, repl_buffer.text(), 0, os, runparams);
4101                 //repl_buffer.getSourceCode(ods, 0, repl_buffer.paragraphs().size(), false);
4102                 docstring repl_latex = ods.str();
4103                 LYXERR(Debug::FIND, "Latexified replace_buffer: '" << repl_latex << "'");
4104                 string s;
4105                 (void)regex_replace(to_utf8(repl_latex), s, "\\$(.*)\\$", "$1");
4106                 (void)regex_replace(s, s, "\\\\\\[(.*)\\\\\\]", "$1");
4107                 repl_latex = from_utf8(s);
4108                 LYXERR(Debug::FIND, "Replacing by insert()ing latex: '" << repl_latex << "' cur=" << cur << " with depth=" << cur.depth());
4109                 MathData ar(cur.buffer());
4110                 asArray(repl_latex, ar, Parse::NORMAL);
4111                 cur.insert(ar);
4112                 sel_len = ar.size();
4113                 LYXERR(Debug::FIND, "After insert() cur=" << cur << " with depth: " << cur.depth() << " and len: " << sel_len);
4114         }
4115         if (cur.pos() >= sel_len)
4116                 cur.pos() -= sel_len;
4117         else
4118                 cur.pos() = 0;
4119         LYXERR(Debug::FIND, "After pos adj cur=" << cur << " with depth: " << cur.depth() << " and len: " << sel_len);
4120         bv->putSelectionAt(DocIterator(cur), sel_len, !opt.forward);
4121         bv->processUpdateFlags(Update::Force);
4122         return 1;
4123 }
4124
4125
4126 /// Perform a FindAdv operation.
4127 bool findAdv(BufferView * bv, FindAndReplaceOptions const & opt)
4128 {
4129         DocIterator cur;
4130         int match_len = 0;
4131
4132         // e.g., when invoking word-findadv from mini-buffer wither with
4133         //       wrong options syntax or before ever opening advanced F&R pane
4134         if (theBufferList().getBuffer(FileName(to_utf8(opt.find_buf_name)), true) == 0)
4135                 return false;
4136
4137         try {
4138                 MatchStringAdv matchAdv(bv->buffer(), opt);
4139 #if QTSEARCH
4140                 if (!matchAdv.regexIsValid) {
4141                         bv->message(lyx::from_utf8(matchAdv.regexError));
4142                         return(false);
4143                 }
4144 #endif
4145                 int length = bv->cursor().selectionEnd().pos() - bv->cursor().selectionBegin().pos();
4146                 if (length > 0)
4147                         bv->putSelectionAt(bv->cursor().selectionBegin(), length, !opt.forward);
4148                 num_replaced += findAdvReplace(bv, opt, matchAdv);
4149                 cur = bv->cursor();
4150                 if (opt.forward)
4151                         match_len = findForwardAdv(cur, matchAdv);
4152                 else
4153                         match_len = findBackwardsAdv(cur, matchAdv);
4154         } catch (exception & ex) {
4155                 bv->message(from_utf8(ex.what()));
4156                 return false;
4157         }
4158
4159         if (match_len == 0) {
4160                 if (num_replaced > 0) {
4161                         switch (num_replaced)
4162                         {
4163                                 case 1:
4164                                         bv->message(_("One match has been replaced."));
4165                                         break;
4166                                 case 2:
4167                                         bv->message(_("Two matches have been replaced."));
4168                                         break;
4169                                 default:
4170                                         bv->message(bformat(_("%1$d matches have been replaced."), num_replaced));
4171                                         break;
4172                         }
4173                         num_replaced = 0;
4174                 }
4175                 else {
4176                         bv->message(_("Match not found."));
4177                 }
4178                 return false;
4179         }
4180
4181         if (num_replaced > 0)
4182                 bv->message(_("Match has been replaced."));
4183         else
4184                 bv->message(_("Match found."));
4185
4186         LYXERR(Debug::FIND, "Putting selection at cur=" << cur << " with len: " << match_len);
4187         bv->putSelectionAt(cur, match_len, !opt.forward);
4188
4189         return true;
4190 }
4191
4192
4193 ostringstream & operator<<(ostringstream & os, FindAndReplaceOptions const & opt)
4194 {
4195         os << to_utf8(opt.find_buf_name) << "\nEOSS\n"
4196            << opt.casesensitive << ' '
4197            << opt.matchword << ' '
4198            << opt.forward << ' '
4199            << opt.expandmacros << ' '
4200            << opt.ignoreformat << ' '
4201            << opt.replace_all << ' '
4202            << to_utf8(opt.repl_buf_name) << "\nEOSS\n"
4203            << opt.keep_case << ' '
4204            << int(opt.scope) << ' '
4205            << int(opt.restr);
4206
4207         LYXERR(Debug::FIND, "built: " << os.str());
4208
4209         return os;
4210 }
4211
4212
4213 istringstream & operator>>(istringstream & is, FindAndReplaceOptions & opt)
4214 {
4215         LYXERR(Debug::FIND, "parsing");
4216         string s;
4217         string line;
4218         getline(is, line);
4219         while (line != "EOSS") {
4220                 if (! s.empty())
4221                         s = s + "\n";
4222                 s = s + line;
4223                 if (is.eof())   // Tolerate malformed request
4224                         break;
4225                 getline(is, line);
4226         }
4227         LYXERR(Debug::FIND, "file_buf_name: '" << s << "'");
4228         opt.find_buf_name = from_utf8(s);
4229         is >> opt.casesensitive >> opt.matchword >> opt.forward >> opt.expandmacros >> opt.ignoreformat >> opt.replace_all;
4230         is.get();       // Waste space before replace string
4231         s = "";
4232         getline(is, line);
4233         while (line != "EOSS") {
4234                 if (! s.empty())
4235                         s = s + "\n";
4236                 s = s + line;
4237                 if (is.eof())   // Tolerate malformed request
4238                         break;
4239                 getline(is, line);
4240         }
4241         LYXERR(Debug::FIND, "repl_buf_name: '" << s << "'");
4242         opt.repl_buf_name = from_utf8(s);
4243         is >> opt.keep_case;
4244         int i;
4245         is >> i;
4246         opt.scope = FindAndReplaceOptions::SearchScope(i);
4247         is >> i;
4248         opt.restr = FindAndReplaceOptions::SearchRestriction(i);
4249
4250         LYXERR(Debug::FIND, "parsed: " << opt.casesensitive << ' ' << opt.matchword << ' ' << opt.forward << ' '
4251                << opt.expandmacros << ' ' << opt.ignoreformat << ' ' << opt.keep_case << ' '
4252                << opt.scope << ' ' << opt.restr);
4253         return is;
4254 }
4255
4256 } // namespace lyx