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