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