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