]> git.lyx.org Git - features.git/blob - src/lyxfind.cpp
Fix for bug #11974
[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("\\textyen", getutf8(0x00a5));
1511   addAccents("\\yen", getutf8(0x00a5));
1512   addAccents("\\textsection", getutf8(0x00a7));
1513   addAccents("\\mathsection", getutf8(0x00a7));
1514   addAccents("\\textlnot", getutf8(0x00ac));
1515   addAccents("\\neg", getutf8(0x00ac));
1516   addAccents("\\textpm", getutf8(0x00b1));
1517   addAccents("\\pm", getutf8(0x00b1));
1518   addAccents("\\textparagraph", getutf8(0x00b6));
1519   addAccents("\\mathparagraph", getutf8(0x00b6));
1520   addAccents("\\textperiodcentered", getutf8(0x00b7));
1521   addAccents("\\texttimes", getutf8(0x00d7));
1522   addAccents("\\times", getutf8(0x00d7));
1523   addAccents("\\dh", getutf8(0x00f0));
1524   addAccents("\\eth", getutf8(0x00f0));
1525   addAccents("\\textdiv", getutf8(0x00f7));
1526   addAccents("\\div", getutf8(0x00f7));
1527   addAccents("\\o", getutf8(0x00f8));
1528   addAccents("\\j", getutf8(0x0237));
1529   addAccents("\\textalpha", getutf8(0x03b1));
1530   addAccents("\\alpha", getutf8(0x03b1));
1531   addAccents("\\textbeta", getutf8(0x03b2));
1532   addAccents("\\beta", getutf8(0x03b2));
1533   addAccents("\\textgamma", getutf8(0x03b3));
1534   addAccents("\\gamma", getutf8(0x03b3));
1535   addAccents("\\textdelta", getutf8(0x03b4));
1536   addAccents("\\delta", getutf8(0x03b4));
1537   addAccents("\\textepsilon", getutf8(0x03b5));
1538   addAccents("\\varepsilon", getutf8(0x03b5));
1539   addAccents("\\textzeta", getutf8(0x03b6));
1540   addAccents("\\zeta", getutf8(0x03b6));
1541   addAccents("\\texteta", getutf8(0x03b7));
1542   addAccents("\\eta", getutf8(0x03b7));
1543   addAccents("\\texttheta", getutf8(0x03b8));
1544   addAccents("\\theta", getutf8(0x03b8));
1545   addAccents("\\textiota", getutf8(0x03b9));
1546   addAccents("\\iota", getutf8(0x03b9));
1547   addAccents("\\textkappa", getutf8(0x03ba));
1548   addAccents("\\kappa", getutf8(0x03ba));
1549   addAccents("\\textlambda", getutf8(0x03bb));
1550   addAccents("\\lambda", getutf8(0x03bb));
1551   addAccents("\\textmu", getutf8(0x03bc));
1552   addAccents("\\mu", getutf8(0x03bc));
1553   addAccents("\\textnu", getutf8(0x03bd));
1554   addAccents("\\nu", getutf8(0x03bd));
1555   addAccents("\\textxi", getutf8(0x03be));
1556   addAccents("\\xi", getutf8(0x03be));
1557   addAccents("\\textpi", getutf8(0x03c0));
1558   addAccents("\\pi", getutf8(0x03c0));
1559   addAccents("\\textrho", getutf8(0x03c1));
1560   addAccents("\\rho", getutf8(0x03c1));
1561   addAccents("\\textfinalsigma", getutf8(0x03c2));
1562   addAccents("\\varsigma", getutf8(0x03c2));
1563   addAccents("\\textsigma", getutf8(0x03c3));
1564   addAccents("\\sigma", getutf8(0x03c3));
1565   addAccents("\\texttau", getutf8(0x03c4));
1566   addAccents("\\tau", getutf8(0x03c4));
1567   addAccents("\\textupsilon", getutf8(0x03c5));
1568   addAccents("\\upsilon", getutf8(0x03c5));
1569   addAccents("\\textphi", getutf8(0x03c6));
1570   addAccents("\\varphi", getutf8(0x03c6));
1571   addAccents("\\textchi", getutf8(0x03c7));
1572   addAccents("\\chi", getutf8(0x03c7));
1573   addAccents("\\textpsi", getutf8(0x03c8));
1574   addAccents("\\psi", getutf8(0x03c8));
1575   addAccents("\\textomega", getutf8(0x03c9));
1576   addAccents("\\omega", getutf8(0x03c9));
1577   addAccents("\\textdigamma", getutf8(0x03dd));
1578   addAccents("\\digamma", getutf8(0x03dd));
1579   addAccents("\\hebalef", getutf8(0x05d0));
1580   addAccents("\\aleph", getutf8(0x05d0));
1581   addAccents("\\hebbet", getutf8(0x05d1));
1582   addAccents("\\beth", getutf8(0x05d1));
1583   addAccents("\\hebgimel", getutf8(0x05d2));
1584   addAccents("\\gimel", getutf8(0x05d2));
1585   addAccents("\\hebdalet", getutf8(0x05d3));
1586   addAccents("\\daleth", getutf8(0x05d3));
1587   // Thai characters
1588   addAccents("\\thaiKoKai", getutf8(0x0e01));
1589   addAccents("\\thaiKhoKhai", getutf8(0x0e02));
1590   addAccents("\\thaiKhoKhuat", getutf8(0x0e03));
1591   addAccents("\\thaiKhoKhwai", getutf8(0x0e04));
1592   addAccents("\\thaiKhoKhon", getutf8(0x0e05));
1593   addAccents("\\thaiKhoRakhang", getutf8(0x0e06));
1594   addAccents("\\thaiNgoNgu", getutf8(0x0e07));
1595   addAccents("\\thaiChoChan", getutf8(0x0e08));
1596   addAccents("\\thaiChoChing", getutf8(0x0e09));
1597   addAccents("\\thaiChoChang", getutf8(0x0e0a));
1598   addAccents("\\thaiSoSo", getutf8(0x0e0b));
1599   addAccents("\\thaiChoChoe", getutf8(0x0e0c));
1600   addAccents("\\thaiYoYing", getutf8(0x0e0d));
1601   addAccents("\\thaiDoChada", getutf8(0x0e0e));
1602   addAccents("\\thaiToPatak", getutf8(0x0e0f));
1603   addAccents("\\thaiThoThan", getutf8(0x0e10));
1604   addAccents("\\thaiThoNangmontho", getutf8(0x0e11));
1605   addAccents("\\thaiThoPhuthao", getutf8(0x0e12));
1606   addAccents("\\thaiNoNen", getutf8(0x0e13));
1607   addAccents("\\thaiDoDek", getutf8(0x0e14));
1608   addAccents("\\thaiToTao", getutf8(0x0e15));
1609   addAccents("\\thaiThoThung", getutf8(0x0e16));
1610   addAccents("\\thaiThoThahan", getutf8(0x0e17));
1611   addAccents("\\thaiThoThong", getutf8(0x0e18));
1612   addAccents("\\thaiNoNu", getutf8(0x0e19));
1613   addAccents("\\thaiBoBaimai", getutf8(0x0e1a));
1614   addAccents("\\thaiPoPla", getutf8(0x0e1b));
1615   addAccents("\\thaiPhoPhung", getutf8(0x0e1c));
1616   addAccents("\\thaiFoFa", getutf8(0x0e1d));
1617   addAccents("\\thaiPhoPhan", getutf8(0x0e1e));
1618   addAccents("\\thaiFoFan", getutf8(0x0e1f));
1619   addAccents("\\thaiPhoSamphao", getutf8(0x0e20));
1620   addAccents("\\thaiMoMa", getutf8(0x0e21));
1621   addAccents("\\thaiYoYak", getutf8(0x0e22));
1622   addAccents("\\thaiRoRua", getutf8(0x0e23));
1623   addAccents("\\thaiRu", getutf8(0x0e24));
1624   addAccents("\\thaiLoLing", getutf8(0x0e25));
1625   addAccents("\\thaiLu", getutf8(0x0e26));
1626   addAccents("\\thaiWoWaen", getutf8(0x0e27));
1627   addAccents("\\thaiSoSala", getutf8(0x0e28));
1628   addAccents("\\thaiSoRusi", getutf8(0x0e29));
1629   addAccents("\\thaiSoSua", getutf8(0x0e2a));
1630   addAccents("\\thaiHoHip", getutf8(0x0e2b));
1631   addAccents("\\thaiLoChula", getutf8(0x0e2c));
1632   addAccents("\\thaiOAng", getutf8(0x0e2d));
1633   addAccents("\\thaiHoNokhuk", getutf8(0x0e2e));
1634   addAccents("\\thaiPaiyannoi", getutf8(0x0e2f));
1635   addAccents("\\thaiSaraA", getutf8(0x0e30));
1636   addAccents("\\thaiMaiHanakat", getutf8(0x0e31));
1637   addAccents("\\thaiSaraAa", getutf8(0x0e32));
1638   addAccents("\\thaiSaraAm", getutf8(0x0e33));
1639   addAccents("\\thaiSaraI", getutf8(0x0e34));
1640   addAccents("\\thaiSaraIi", getutf8(0x0e35));
1641   addAccents("\\thaiSaraUe", getutf8(0x0e36));
1642   addAccents("\\thaiSaraUee", getutf8(0x0e37));
1643   addAccents("\\thaiSaraU", getutf8(0x0e38));
1644   addAccents("\\thaiSaraUu", getutf8(0x0e39));
1645   addAccents("\\thaiPhinthu", getutf8(0x0e3a));
1646   addAccents("\\thaiSaraE", getutf8(0x0e40));
1647   addAccents("\\thaiSaraAe", getutf8(0x0e41));
1648   addAccents("\\thaiSaraO", getutf8(0x0e42));
1649   addAccents("\\thaiSaraAiMaimuan", getutf8(0x0e43));
1650   addAccents("\\thaiSaraAiMaimalai", getutf8(0x0e44));
1651   addAccents("\\thaiLakkhangyao", getutf8(0x0e45));
1652   addAccents("\\thaiMaiyamok", getutf8(0x0e46));
1653   addAccents("\\thaiMaitaikhu", getutf8(0x0e47));
1654   addAccents("\\thaiMaiEk", getutf8(0x0e48));
1655   addAccents("\\thaiMaiTho", getutf8(0x0e49));
1656   addAccents("\\thaiMaiTri", getutf8(0x0e4a));
1657   addAccents("\\thaiMaiChattawa", getutf8(0x0e4b));
1658   addAccents("\\thaiThanthakhat", getutf8(0x0e4c));
1659   addAccents("\\thaiNikhahit", getutf8(0x0e4d));
1660   addAccents("\\thaiYamakkan", getutf8(0x0e4e));
1661   addAccents("\\thaiFongman", getutf8(0x0e4f));
1662   addAccents("\\thaizero", getutf8(0x0e50));
1663   addAccents("\\thaione", getutf8(0x0e51));
1664   addAccents("\\thaitwo", getutf8(0x0e52));
1665   addAccents("\\thaithree", getutf8(0x0e53));
1666   addAccents("\\thaifour", getutf8(0x0e54));
1667   addAccents("\\thaifive", getutf8(0x0e55));
1668   addAccents("\\thaisix", getutf8(0x0e56));
1669   addAccents("\\thaiseven", getutf8(0x0e57));
1670   addAccents("\\thaieight", getutf8(0x0e58));
1671   addAccents("\\thainine", getutf8(0x0e59));
1672   addAccents("\\thaiAngkhankhu", getutf8(0x0e5a));
1673   addAccents("\\thaiKhomut", getutf8(0x0e5b));
1674
1675   addAccents("\\dag", getutf8(0x2020));
1676   addAccents("\\dagger", getutf8(0x2020));
1677   addAccents("\\ddag", getutf8(0x2021));
1678   addAccents("\\ddagger", getutf8(0x2021));
1679   addAccents("\\textbullet", getutf8(0x2022));
1680   addAccents("\\bullet", getutf8(0x2022));
1681   addAccents("\\dots", getutf8(0x2026));
1682   addAccents("\\ldots", getutf8(0x2026));
1683   addAccents("\\textasciiacute", getutf8(0x2032));
1684   addAccents("\\prime", getutf8(0x2032));
1685   addAccents("\\textasciigrave", getutf8(0x2035));
1686   addAccents("\\backprime", getutf8(0x2035));
1687   addAccents("\\textasteriskcentered", getutf8(0x204e));
1688   addAccents("\\ast", getutf8(0x204e));
1689   addAccents("\\textmho", getutf8(0x2127));
1690   addAccents("\\mho", getutf8(0x2127));
1691   addAccents("\\textleftarrow", getutf8(0x2190));
1692   addAccents("\\leftarrow", getutf8(0x2190));
1693   addAccents("\\textuparrow", getutf8(0x2191));
1694   addAccents("\\uparrow", getutf8(0x2191));
1695   addAccents("\\textrightarrow", getutf8(0x2192));
1696   addAccents("\\rightarrow", getutf8(0x2192));
1697   addAccents("\\textdownarrow", getutf8(0x2193));
1698   addAccents("\\downarrow", getutf8(0x2193));
1699   addAccents("\\textglobrise", getutf8(0x2197));
1700   addAccents("\\nearrow", getutf8(0x2197));
1701   addAccents("\\textglobfall", getutf8(0x2198));
1702   addAccents("\\searrow", getutf8(0x2198));
1703   addAccents("\\textsurd", getutf8(0x221a));
1704   addAccents("\\surd", getutf8(0x221a));
1705   addAccents("\\textbigcircle", getutf8(0x25ef));
1706   addAccents("\\bigcirc", getutf8(0x25ef));
1707   addAccents("\\textlangle", getutf8(0x27e8));
1708   addAccents("\\langle", getutf8(0x27e8));
1709   addAccents("\\textrangle", getutf8(0x27e9));
1710   addAccents("\\rangle", getutf8(0x27e9));
1711 }
1712
1713 static void buildAccentsMap()
1714 {
1715   accents["imath"] = "ı";
1716   accents["i"] = "ı";
1717   accents["jmath"] = "ȷ";
1718   accents["cdot"] = "·";
1719   accents["textasciicircum"] = "^";
1720   accents["mathcircumflex"] = "^";
1721   accents["sim"] = "~";
1722   accents["guillemotright"] = "»";
1723   accents["guillemotleft"] = "«";
1724   accents["hairspace"]     = getutf8(0xf0000);  // select from free unicode plane 15
1725   accents["thinspace"]     = getutf8(0xf0002);  // and used _only_ by findadv
1726   accents["negthinspace"]  = getutf8(0xf0003);  // to omit backslashed latex macros
1727   accents["medspace"]      = getutf8(0xf0004);  // See https://en.wikipedia.org/wiki/Private_Use_Areas
1728   accents["negmedspace"]   = getutf8(0xf0005);
1729   accents["thickspace"]    = getutf8(0xf0006);
1730   accents["negthickspace"] = getutf8(0xf0007);
1731   accents["lyx"]           = getutf8(0xf0010);  // Used logos
1732   accents["LyX"]           = getutf8(0xf0010);
1733   accents["tex"]           = getutf8(0xf0011);
1734   accents["TeX"]           = getutf8(0xf0011);
1735   accents["latex"]         = getutf8(0xf0012);
1736   accents["LaTeX"]         = getutf8(0xf0012);
1737   accents["latexe"]        = getutf8(0xf0013);
1738   accents["LaTeXe"]        = getutf8(0xf0013);
1739   accents["lyxarrow"]      = getutf8(0xf0020);
1740   accents["braceleft"]     = getutf8(0xf0030);
1741   accents["braceright"]    = getutf8(0xf0031);
1742   accents["backslash lyx"]           = getutf8(0xf0010);        // Used logos inserted with starting \backslash
1743   accents["backslash LyX"]           = getutf8(0xf0010);
1744   accents["backslash tex"]           = getutf8(0xf0011);
1745   accents["backslash TeX"]           = getutf8(0xf0011);
1746   accents["backslash latex"]         = getutf8(0xf0012);
1747   accents["backslash LaTeX"]         = getutf8(0xf0012);
1748   accents["backslash latexe"]        = getutf8(0xf0013);
1749   accents["backslash LaTeXe"]        = getutf8(0xf0013);
1750   accents["backslash lyxarrow"]      = getutf8(0xf0020);
1751   accents["ddot{\\imath}"] = "ï";
1752   buildaccent("ddot", "aAeEhHiIioOtuUwWxXyY",
1753                       "äÄëËḧḦïÏïöÖẗüÜẅẄẍẌÿŸ");       // umlaut
1754   buildaccent("dot|.", "aAbBcCdDeEfFGghHIimMnNoOpPrRsStTwWxXyYzZ",
1755                        "ȧȦḃḂċĊḋḊėĖḟḞĠġḣḢİİṁṀṅṄȯȮṗṖṙṘṡṠṫṪẇẆẋẊẏẎżŻ");   // dot{i} can only happen if ignoring case, but there is no lowercase of 'İ'
1756   accents["acute{\\imath}"] = "í";
1757   buildaccent("acute", "aAcCeEgGkKlLmMoOnNpPrRsSuUwWyYzZiI",
1758                        "áÁćĆéÉǵǴḱḰĺĹḿḾóÓńŃṕṔŕŔśŚúÚẃẂýÝźŹíÍ");
1759   buildaccent("dacute|H|h", "oOuU", "őŐűŰ");        // double acute
1760   buildaccent("mathring|r", "aAuUwy",
1761                             "åÅůŮẘẙ");  // ring
1762   accents["check{\\imath}"] = "ǐ";
1763   accents["check{\\jmath}"] = "ǰ";
1764   buildaccent("check|v", "cCdDaAeEiIoOuUgGkKhHlLnNrRsSTtzZ",
1765                          "čČďĎǎǍěĚǐǏǒǑǔǓǧǦǩǨȟȞľĽňŇřŘšŠŤťžŽ");   // caron
1766   accents["hat{\\imath}"] = "î";
1767   accents["hat{\\jmath}"] = "ĵ";
1768   buildaccent("hat|^", "aAcCeEgGhHiIjJoOsSuUwWyYzZ",
1769                        "âÂĉĈêÊĝĜĥĤîÎĵĴôÔŝŜûÛŵŴŷŶẑẐ");       // circ
1770   accents["bar{\\imath}"] = "ī";
1771   buildaccent("bar|=", "aAeEiIoOuUyY",
1772                        "āĀēĒīĪōŌūŪȳȲ");     // macron
1773   accents["tilde{\\imath}"] = "ĩ";
1774   buildaccent("tilde", "aAeEiInNoOuUvVyY",
1775                        "ãÃẽẼĩĨñÑõÕũŨṽṼỹỸ");       // tilde
1776   accents["breve{\\imath}"] = "ĭ";
1777   buildaccent("breve|u", "aAeEgGiIoOuU",
1778                          "ăĂĕĔğĞĭĬŏŎŭŬ");   // breve
1779   accents["grave{\\imath}"] = "ì";
1780   buildaccent("grave|`", "aAeEiIoOuUnNwWyY",
1781                          "àÀèÈìÌòÒùÙǹǸẁẀỳỲ");       // grave
1782   buildaccent("subdot|d", "BbDdHhKkLlMmNnRrSsTtVvWwZzAaEeIiOoUuYy",
1783                           "ḄḅḌḍḤḥḲḳḶḷṂṃṆṇṚṛṢṣṬṭṾṿẈẉẒẓẠạẸẹỊịỌọỤụỴỵ");        // dot below
1784   buildaccent("ogonek|k", "AaEeIiUuOo",
1785                           "ĄąĘęĮįŲųǪǫ");      // ogonek
1786   buildaccent("cedilla|c", "CcGgKkLlNnRrSsTtEeDdHh",
1787                            "ÇçĢģĶķĻļŅņŖŗŞşŢţȨȩḐḑḨḩ"); // cedilla
1788   buildaccent("subring|textsubring", "Aa",
1789                                      "Ḁḁ"); // subring
1790   buildaccent("subhat|textsubcircum", "DdEeLlNnTtUu",
1791                                       "ḒḓḘḙḼḽṊṋṰṱṶṷ");  // subcircum
1792   buildaccent("subtilde|textsubtilde", "EeIiUu",
1793                                        "ḚḛḬḭṴṵ");   // subtilde
1794   accents["dgrave{\\imath}"] = "ȉ";
1795   accents["textdoublegrave{\\i}"] = "ȉ";
1796   buildaccent("dgrave|textdoublegrave", "AaEeIiOoRrUu",
1797                                         "ȀȁȄȅȈȉȌȍȐȑȔȕ"); // double grave
1798   accents["rcap{\\imath}"] = "ȉ";
1799   accents["textroundcap{\\i}"] = "ȉ";
1800   buildaccent("rcap|textroundcap", "AaEeIiOoRrUu",
1801                                    "ȂȃȆȇȊȋȎȏȒȓȖȗ"); // inverted breve
1802   buildaccent("slashed", "oO",
1803                          "øØ"); // slashed
1804   fillMissingUnicodesymbols(); // Add some still not handled entries contained in 'unicodesynbols'
1805   // LYXERR0("Number of accents " << accents.size());
1806 }
1807
1808 /*
1809  * Created accents in math or regexp environment
1810  * are macros, but we need the utf8 equivalent
1811  */
1812 void Intervall::removeAccents()
1813 {
1814   if (accents.empty())
1815     buildAccentsMap();
1816   static regex const accre("\\\\(([\\S]|grave|breve|ddot|dot|acute|dacute|mathring|check|hat|bar|tilde|subdot|ogonek|"
1817          "cedilla|subring|textsubring|subhat|textsubcircum|subtilde|textsubtilde|dgrave|textdoublegrave|rcap|textroundcap|slashed)\\{[^\\{\\}]+\\}"
1818       "|((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]))");
1819   smatch sub;
1820   for (sregex_iterator itacc(par.begin(), par.end(), accre), end; itacc != end; ++itacc) {
1821     sub = *itacc;
1822     string key = sub.str(1);
1823     AccentsIterator it_ac = accents.find(key);
1824     if (it_ac != accents.end()) {
1825       string val = it_ac->second;
1826       size_t pos = sub.position(size_t(0));
1827       for (size_t i = 0; i < val.size(); i++) {
1828         par[pos+i] = val[i];
1829       }
1830       // Remove possibly following space too
1831       if (par[pos+sub.str(0).size()] == ' ')
1832         addIntervall(pos+val.size(), pos + sub.str(0).size()+1);
1833       else
1834         addIntervall(pos+val.size(), pos + sub.str(0).size());
1835       for (size_t i = pos+val.size(); i < pos + sub.str(0).size(); i++) {
1836         // remove traces of any remaining chars
1837         par[i] = ' ';
1838       }
1839     }
1840     else {
1841       LYXERR(Debug::INFO, "Not added accent for \"" << key << "\"");
1842     }
1843   }
1844 }
1845
1846 void Intervall::handleOpenP(int i)
1847 {
1848   actualdeptindex++;
1849   depts[actualdeptindex] = i+1;
1850   closes[actualdeptindex] = -1;
1851   checkDepthIndex(actualdeptindex);
1852 }
1853
1854 void Intervall::handleCloseP(int i, bool closingAllowed)
1855 {
1856   if (actualdeptindex <= 0) {
1857     if (! closingAllowed)
1858       LYXERR(Debug::FIND, "Bad closing parenthesis in latex");  /* should not happen, but the latex input may be wrong */
1859     // if we are at the very end
1860     addIntervall(i, i+1);
1861   }
1862   else {
1863     closes[actualdeptindex] = i+1;
1864     actualdeptindex--;
1865   }
1866 }
1867
1868 void Intervall::resetOpenedP(int openPos)
1869 {
1870   // Used as initializer for foreignlanguage entry
1871   actualdeptindex = 1;
1872   depts[1] = openPos+1;
1873   closes[1] = -1;
1874 }
1875
1876 int Intervall::previousNotIgnored(int start) const
1877 {
1878     int idx = 0;                          /* int intervalls */
1879     for (idx = ignoreidx; idx >= 0; --idx) {
1880       if (start > borders[idx].upper)
1881         return start;
1882       if (start >= borders[idx].low)
1883         start = borders[idx].low-1;
1884     }
1885     return start;
1886 }
1887
1888 int Intervall::nextNotIgnored(int start) const
1889 {
1890     int idx = 0;                          /* int intervalls */
1891     for (idx = 0; idx <= ignoreidx; idx++) {
1892       if (start < borders[idx].low)
1893         return start;
1894       if (start < borders[idx].upper)
1895         start = borders[idx].upper;
1896     }
1897     return start;
1898 }
1899
1900 typedef unordered_map<string, KeyInfo> KeysMap;
1901 typedef unordered_map<string, KeyInfo>::const_iterator KeysIterator;
1902 typedef vector< KeyInfo> Entries;
1903 static KeysMap keys = unordered_map<string, KeyInfo>();
1904
1905 class LatexInfo {
1906  private:
1907   int entidx_;
1908   Entries entries_;
1909   Intervall interval_;
1910   void buildKeys(bool);
1911   void buildEntries(bool);
1912   void makeKey(const string &, KeyInfo, bool isPatternString);
1913   void processRegion(int start, int region_end); /*  remove {} parts */
1914   void removeHead(KeyInfo const &, int count=0);
1915
1916  public:
1917  LatexInfo(string const & par, bool isPatternString)
1918          : entidx_(-1), interval_(isPatternString, par)
1919   {
1920     buildKeys(isPatternString);
1921     entries_ = vector<KeyInfo>();
1922     buildEntries(isPatternString);
1923   }
1924   int getFirstKey() {
1925     entidx_ = 0;
1926     if (entries_.empty()) {
1927       return -1;
1928     }
1929     if (entries_[0].keytype == KeyInfo::isTitle) {
1930       interval_.hasTitle = true;
1931       if (! entries_[0].disabled) {
1932         interval_.titleValue = entries_[0].head;
1933       }
1934       else {
1935         interval_.titleValue = "";
1936       }
1937       removeHead(entries_[0]);
1938       if (entries_.size() > 1)
1939         return 1;
1940       else
1941         return -1;
1942     }
1943     return 0;
1944   }
1945   int getNextKey() {
1946     entidx_++;
1947     if (int(entries_.size()) > entidx_) {
1948       return entidx_;
1949     }
1950     else {
1951       return -1;
1952     }
1953   }
1954   bool setNextKey(int idx) {
1955     if ((idx == entidx_) && (entidx_ >= 0)) {
1956       entidx_--;
1957       return true;
1958     }
1959     else
1960       return false;
1961   }
1962   int find(int start, KeyInfo::KeyType keytype) const {
1963     if (start < 0)
1964       return -1;
1965     int tmpIdx = start;
1966     while (tmpIdx < int(entries_.size())) {
1967       if (entries_[tmpIdx].keytype == keytype)
1968         return tmpIdx;
1969       tmpIdx++;
1970     }
1971     return -1;
1972   }
1973   int process(ostringstream & os, KeyInfo const & actual);
1974   int dispatch(ostringstream & os, int previousStart, KeyInfo & actual);
1975   // string show(int lastpos) { return interval.show(lastpos);}
1976   int nextNotIgnored(int start) { return interval_.nextNotIgnored(start);}
1977   KeyInfo &getKeyInfo(int keyinfo) {
1978     static KeyInfo invalidInfo = KeyInfo();
1979     if ((keyinfo < 0) || ( keyinfo >= int(entries_.size())))
1980       return invalidInfo;
1981     else
1982       return entries_[keyinfo];
1983   }
1984   void setForDefaultLang(KeyInfo const & defLang) {interval_.setForDefaultLang(defLang);}
1985   void addIntervall(int low, int up) { interval_.addIntervall(low, up); }
1986 };
1987
1988
1989 int Intervall::findclosing(int start, int end, char up = '{', char down = '}', int repeat = 1)
1990 {
1991   int skip = 0;
1992   int depth = 0;
1993   for (int i = start; i < end; i += 1 + skip) {
1994     char c;
1995     c = par[i];
1996     skip = 0;
1997     if (c == '\\') skip = 1;
1998     else if (c == up) {
1999       depth++;
2000     }
2001     else if (c == down) {
2002       if (depth == 0) {
2003         repeat--;
2004         if ((repeat <= 0) || (par[i+1] != up))
2005           return i;
2006       }
2007       --depth;
2008     }
2009   }
2010   return end;
2011 }
2012
2013 class MathInfo {
2014   class MathEntry {
2015   public:
2016     string wait;
2017     size_t mathEnd;
2018     size_t mathpostfixsize;
2019     size_t mathStart;
2020     size_t mathprefixsize;
2021     size_t mathSize;
2022   };
2023   size_t actualIdx_;
2024   vector<MathEntry> entries_;
2025  public:
2026   MathInfo() {
2027     actualIdx_ = 0;
2028   }
2029   void insert(string const & wait, size_t start, size_t prefixsize, size_t end, size_t postfixsize) {
2030     MathEntry m = MathEntry();
2031     m.wait = wait;
2032     m.mathStart = start;
2033     m.mathprefixsize = prefixsize;
2034     m.mathEnd = end + postfixsize;
2035     m.mathpostfixsize = postfixsize;
2036     m.mathSize = m.mathEnd - m.mathStart;
2037     entries_.push_back(m);
2038   }
2039   bool empty() const { return entries_.empty(); }
2040   size_t getEndPos() const {
2041     if (entries_.empty() || (actualIdx_ >= entries_.size())) {
2042       return 0;
2043     }
2044     return entries_[actualIdx_].mathEnd;
2045   }
2046   size_t getStartPos() const {
2047     if (entries_.empty() || (actualIdx_ >= entries_.size())) {
2048       return 100000;                    /*  definitely enough? */
2049     }
2050     return entries_[actualIdx_].mathStart;
2051   }
2052   size_t getPrefixSize() const {
2053     if (entries_.empty() || (actualIdx_ >= entries_.size())) {
2054       return 0;
2055     }
2056     return entries_[actualIdx_].mathprefixsize;
2057   }
2058   size_t getPostfixSize() const {
2059     if (entries_.empty() || (actualIdx_ >= entries_.size())) {
2060       return 0;
2061     }
2062     return entries_[actualIdx_].mathpostfixsize;
2063   }
2064   size_t getFirstPos() {
2065     actualIdx_ = 0;
2066     return getStartPos();
2067   }
2068   size_t getSize() const {
2069     if (entries_.empty() || (actualIdx_ >= entries_.size())) {
2070       return size_t(0);
2071     }
2072     return entries_[actualIdx_].mathSize;
2073   }
2074   void incrEntry() { actualIdx_++; }
2075 };
2076
2077 void LatexInfo::buildEntries(bool isPatternString)
2078 {
2079   static regex const rmath("(\\\\)*(\\$|\\\\\\[|\\\\\\]|\\\\(begin|end)\\{((eqnarray|equation|flalign|gather|multline|align|x?x?alignat)\\*?\\})(\\{[0-9]+\\})?)");
2080   static regex const rkeys("(\\\\)*(\\$|\\\\\\[|\\\\\\]|\\\\((([a-zA-Z]+\\*?)(\\{([a-z]+\\*?)\\}|=[0-9]+[a-z]+)?)))");
2081   static bool disableLanguageOverride = false;
2082   smatch sub, submath;
2083   bool evaluatingRegexp = false;
2084   MathInfo mi;
2085   bool evaluatingMath = false;
2086   bool evaluatingCode = false;
2087   size_t codeEnd = 0;
2088   bool evaluatingOptional = false;
2089   size_t optionalEnd = 0;
2090   int codeStart = -1;
2091   KeyInfo found;
2092   bool math_end_waiting = false;
2093   size_t math_pos = 10000;
2094   size_t math_prefix_size = 1;
2095   string math_end;
2096   static vector<string> usedText = vector<string>();
2097   static bool removeMathHull = false;
2098
2099   interval_.removeAccents();
2100
2101   for (sregex_iterator itmath(interval_.par.begin(), interval_.par.end(), rmath), end; itmath != end; ++itmath) {
2102     submath = *itmath;
2103     if ((submath.position(2) - submath.position(0)) %2 == 1) {
2104       // prefixed by odd count of '\\'
2105       continue;
2106     }
2107     if (math_end_waiting) {
2108       size_t pos = submath.position(size_t(2));
2109       if ((math_end == "$") &&
2110           (submath.str(2) == "$")) {
2111         mi.insert("$", math_pos, 1, pos, 1);
2112         math_end_waiting = false;
2113       }
2114       else if ((math_end == "\\]") &&
2115                (submath.str(2) == "\\]")) {
2116         mi.insert("\\]", math_pos, 2, pos, 2);
2117         math_end_waiting = false;
2118       }
2119       else if ((submath.str(3).compare("end") == 0) &&
2120           (submath.str(5).compare(math_end) == 0)) {
2121         mi.insert(math_end, math_pos, math_prefix_size, pos, submath.str(2).length());
2122         math_end_waiting = false;
2123       }
2124       else
2125         continue;
2126     }
2127     else {
2128       if (submath.str(3).compare("begin") == 0) {
2129         math_end_waiting = true;
2130         math_end = submath.str(5);
2131         math_pos = submath.position(size_t(2));
2132         math_prefix_size = submath.str(2).length();
2133       }
2134       else if (submath.str(2).compare("\\[") == 0) {
2135         math_end_waiting = true;
2136         math_end = "\\]";
2137         math_pos = submath.position(size_t(2));
2138       }
2139       else if (submath.str(2) == "$") {
2140         size_t pos = submath.position(size_t(2));
2141         math_end_waiting = true;
2142         math_end = "$";
2143         math_pos = pos;
2144       }
2145     }
2146   }
2147   // Ignore language if there is math somewhere in pattern-string
2148   if (isPatternString) {
2149     for (auto s: usedText) {
2150       // Remove entries created in previous search runs
2151       keys.erase(s);
2152     }
2153     usedText = vector<string>();
2154     if (! mi.empty()) {
2155       // Disable language
2156       keys["foreignlanguage"].disabled = true;
2157       disableLanguageOverride = true;
2158       removeMathHull = false;
2159     }
2160     else {
2161       removeMathHull = true;    // used later if not isPatternString
2162       disableLanguageOverride = false;
2163     }
2164   }
2165   else {
2166     if (disableLanguageOverride) {
2167       keys["foreignlanguage"].disabled = true;
2168     }
2169   }
2170   math_pos = mi.getFirstPos();
2171   for (sregex_iterator it(interval_.par.begin(), interval_.par.end(), rkeys), end; it != end; ++it) {
2172     sub = *it;
2173     if ((sub.position(2) - sub.position(0)) %2 == 1) {
2174       // prefixed by odd count of '\\'
2175       continue;
2176     }
2177     string key = sub.str(5);
2178     if (key == "") {
2179       if (sub.str(2)[0] == '\\')
2180         key = sub.str(2)[1];
2181       else {
2182         key = sub.str(2);
2183       }
2184     }
2185     KeysIterator it_key = keys.find(key);
2186     if (it_key != keys.end()) {
2187       if (it_key->second.keytype == KeyInfo::headRemove) {
2188         KeyInfo found1 = it_key->second;
2189         found1.disabled = true;
2190         found1.head = "\\" + key + "{";
2191         found1._tokenstart = sub.position(size_t(2));
2192         found1._tokensize = found1.head.length();
2193         found1._dataStart = found1._tokenstart + found1.head.length();
2194         int endpos = interval_.findclosing(found1._dataStart, interval_.par.length(), '{', '}', 1);
2195         found1._dataEnd = endpos;
2196         removeHead(found1);
2197         continue;
2198       }
2199     }
2200     if (evaluatingRegexp) {
2201       if (sub.str(3).compare("endregexp") == 0) {
2202         evaluatingRegexp = false;
2203         // found._tokenstart already set
2204         found._dataEnd = sub.position(size_t(2)) + 13;
2205         found._dataStart = found._dataEnd;
2206         found._tokensize = found._dataEnd - found._tokenstart;
2207         found.parenthesiscount = 0;
2208         found.head = interval_.par.substr(found._tokenstart, found._tokensize);
2209       }
2210       else {
2211         continue;
2212       }
2213     }
2214     else {
2215       if (evaluatingMath) {
2216         if (size_t(sub.position(size_t(2))) < mi.getEndPos())
2217           continue;
2218         evaluatingMath = false;
2219         mi.incrEntry();
2220         math_pos = mi.getStartPos();
2221       }
2222       if (it_key == keys.end()) {
2223         found = KeyInfo(KeyInfo::isStandard, 0, true);
2224         LYXERR(Debug::INFO, "Undefined key " << key << " ==> will be used as text");
2225         found = KeyInfo(KeyInfo::isText, 0, false);
2226         if (isPatternString) {
2227           found.keytype = KeyInfo::isChar;
2228           found.disabled = false;
2229           found.used = true;
2230         }
2231         keys[key] = found;
2232         usedText.push_back(key);
2233       }
2234       else
2235         found = keys[key];
2236       if (key.compare("regexp") == 0) {
2237         evaluatingRegexp = true;
2238         found._tokenstart = sub.position(size_t(2));
2239         found._tokensize = 0;
2240         continue;
2241       }
2242     }
2243     // Handle the other params of key
2244     if (found.keytype == KeyInfo::isIgnored)
2245       continue;
2246     else if (found.keytype == KeyInfo::isMath) {
2247       if (size_t(sub.position(size_t(2))) == math_pos) {
2248         found = keys[key];
2249         found._tokenstart = sub.position(size_t(2));
2250         found._tokensize = mi.getSize();
2251         found._dataEnd = found._tokenstart + found._tokensize;
2252         found._dataStart = found._dataEnd;
2253         found.parenthesiscount = 0;
2254         found.head = interval_.par.substr(found._tokenstart, found._tokensize);
2255         if (removeMathHull) {
2256           interval_.addIntervall(found._tokenstart, found._tokenstart + mi.getPrefixSize());
2257           interval_.addIntervall(found._dataEnd - mi.getPostfixSize(), found._dataEnd);
2258         }
2259         else {
2260           // Treate all math constructs as simple math
2261           interval_.par[found._tokenstart] = '$';
2262           interval_.par[found._dataEnd - mi.getPostfixSize()] = '$';
2263           interval_.addIntervall(found._tokenstart + 1, found._tokenstart + mi.getPrefixSize());
2264           interval_.addIntervall(found._dataEnd - mi.getPostfixSize() + 1, found._dataEnd);
2265         }
2266         evaluatingMath = true;
2267       }
2268       else {
2269         // begin|end of unknown env, discard
2270         // First handle tables
2271         // longtable|tabular
2272         bool discardComment;
2273         found = keys[key];
2274         found.keytype = KeyInfo::doRemove;
2275         if ((sub.str(7).compare("longtable") == 0) ||
2276             (sub.str(7).compare("tabular") == 0)) {
2277           discardComment = true;        /* '%' */
2278         }
2279         else {
2280           discardComment = false;
2281           static regex const removeArgs("^(multicols|multipar|sectionbox|subsectionbox|tcolorbox)$");
2282           smatch sub2;
2283           string token = sub.str(7);
2284           if (regex_match(token, sub2, removeArgs)) {
2285             found.keytype = KeyInfo::removeWithArg;
2286           }
2287         }
2288         // discard spaces before pos(2)
2289         int pos = sub.position(size_t(2));
2290         int count;
2291         for (count = 0; pos - count > 0; count++) {
2292           char c = interval_.par[pos-count-1];
2293           if (discardComment) {
2294             if ((c != ' ') && (c != '%'))
2295               break;
2296           }
2297           else if (c != ' ')
2298             break;
2299         }
2300         found._tokenstart = pos - count;
2301         if (sub.str(3).compare(0, 5, "begin") == 0) {
2302           size_t pos1 = pos + sub.str(2).length();
2303           if (sub.str(7).compare("cjk") == 0) {
2304             pos1 = interval_.findclosing(pos1+1, interval_.par.length()) + 1;
2305             if ((interval_.par[pos1] == '{') && (interval_.par[pos1+1] == '}'))
2306               pos1 += 2;
2307             found.keytype = KeyInfo::isMain;
2308             found._dataStart = pos1;
2309             found._dataEnd = interval_.par.length();
2310             found.disabled = keys["foreignlanguage"].disabled;
2311             found.used = keys["foreignlanguage"].used;
2312             found._tokensize = pos1 - found._tokenstart;
2313             found.head = interval_.par.substr(found._tokenstart, found._tokensize);
2314           }
2315           else {
2316             // Swallow possible optional params
2317             while (interval_.par[pos1] == '[') {
2318               pos1 = interval_.findclosing(pos1+1, interval_.par.length(), '[', ']')+1;
2319             }
2320             // Swallow also the eventual parameter
2321             if (interval_.par[pos1] == '{') {
2322               found._dataEnd = interval_.findclosing(pos1+1, interval_.par.length()) + 1;
2323             }
2324             else {
2325               found._dataEnd = pos1;
2326             }
2327             found._dataStart = found._dataEnd;
2328             found._tokensize = count + found._dataEnd - pos;
2329             found.parenthesiscount = 0;
2330             found.head = interval_.par.substr(found._tokenstart, found._tokensize);
2331             found.disabled = true;
2332           }
2333         }
2334         else {
2335           // Handle "\end{...}"
2336           found._dataStart = pos + sub.str(2).length();
2337           found._dataEnd = found._dataStart;
2338           found._tokensize = count + found._dataEnd - pos;
2339           found.parenthesiscount = 0;
2340           found.head = interval_.par.substr(found._tokenstart, found._tokensize);
2341           found.disabled = true;
2342         }
2343       }
2344     }
2345     else if (found.keytype != KeyInfo::isRegex) {
2346       found._tokenstart = sub.position(size_t(2));
2347       if (found.parenthesiscount == 0) {
2348         // Probably to be discarded
2349         size_t following_pos = sub.position(size_t(2)) + sub.str(5).length() + 1;
2350         char following = interval_.par[following_pos];
2351         if (following == ' ')
2352           found.head = "\\" + sub.str(5) + " ";
2353         else if (following == '=') {
2354           // like \uldepth=1000pt
2355           found.head = sub.str(2);
2356         }
2357         else
2358           found.head = "\\" + key;
2359         found._tokensize = found.head.length();
2360         found._dataEnd = found._tokenstart + found._tokensize;
2361         found._dataStart = found._dataEnd;
2362       }
2363       else {
2364         int params = found._tokenstart + key.length() + 1;
2365         if (evaluatingOptional) {
2366           if (size_t(found._tokenstart) > optionalEnd) {
2367             evaluatingOptional = false;
2368           }
2369           else {
2370             found.disabled = true;
2371           }
2372         }
2373         int optend = params;
2374         while (interval_.par[optend] == '[') {
2375           // discard optional parameters
2376           optend = interval_.findclosing(optend+1, interval_.par.length(), '[', ']') + 1;
2377         }
2378         if (optend > params) {
2379           key += interval_.par.substr(params, optend-params);
2380           evaluatingOptional = true;
2381           optionalEnd = optend;
2382           if (found.keytype == KeyInfo::isSectioning) {
2383             // Remove optional values (but still keep in header)
2384             interval_.addIntervall(params, optend);
2385           }
2386         }
2387         string token = sub.str(7);
2388         int closings;
2389         if (interval_.par[optend] != '{') {
2390           closings = 0;
2391           found.parenthesiscount = 0;
2392           found.head = "\\" + key;
2393         }
2394         else
2395           closings = found.parenthesiscount;
2396         if (found.parenthesiscount == 1) {
2397           found.head = "\\" + key + "{";
2398         }
2399         else if (found.parenthesiscount > 1) {
2400           if (token != "") {
2401             found.head = sub.str(2) + "{";
2402             closings = found.parenthesiscount - 1;
2403           }
2404           else {
2405             found.head = "\\" + key + "{";
2406           }
2407         }
2408         found._tokensize = found.head.length();
2409         found._dataStart = found._tokenstart + found.head.length();
2410         if (found.keytype == KeyInfo::doRemove) {
2411           if (closings > 0) {
2412             size_t endpar = 2 + interval_.findclosing(found._dataStart, interval_.par.length(), '{', '}', closings);
2413             if (endpar >= interval_.par.length())
2414               found._dataStart = interval_.par.length();
2415             else
2416               found._dataStart = endpar;
2417             found._tokensize = found._dataStart - found._tokenstart;
2418           }
2419           else {
2420             found._dataStart = found._tokenstart + found._tokensize;
2421           }
2422           closings = 0;
2423         }
2424         if (interval_.par.substr(found._dataStart, 15).compare("\\endarguments{}") == 0) {
2425           found._dataStart += 15;
2426         }
2427         size_t endpos;
2428         if (closings < 1)
2429           endpos = found._dataStart - 1;
2430         else
2431           endpos = interval_.findclosing(found._dataStart, interval_.par.length(), '{', '}', closings);
2432         if (found.keytype == KeyInfo::isList) {
2433           // Check if it really is list env
2434           static regex const listre("^([a-z]+)$");
2435           smatch sub2;
2436           if (!regex_match(token, sub2, listre)) {
2437             // Change the key of this entry. It is not in a list/item environment
2438             found.keytype = KeyInfo::endArguments;
2439           }
2440         }
2441         if (found.keytype == KeyInfo::noMain) {
2442           evaluatingCode = true;
2443           codeEnd = endpos;
2444           codeStart = found._dataStart;
2445         }
2446         else if (evaluatingCode) {
2447           if (size_t(found._dataStart) > codeEnd)
2448             evaluatingCode = false;
2449           else if (found.keytype == KeyInfo::isMain) {
2450             // Disable this key, treate it as standard
2451             found.keytype = KeyInfo::isStandard;
2452             found.disabled = true;
2453             if ((codeEnd +1 >= interval_.par.length()) &&
2454                 (found._tokenstart == codeStart)) {
2455               // trickery, because the code inset starts
2456               // with \selectlanguage ...
2457               codeEnd = endpos;
2458               if (entries_.size() > 1) {
2459                 entries_[entries_.size()-1]._dataEnd = codeEnd;
2460               }
2461             }
2462           }
2463         }
2464         if ((endpos == interval_.par.length()) &&
2465             (found.keytype == KeyInfo::doRemove)) {
2466           // Missing closing => error in latex-input?
2467           // therefore do not delete remaining data
2468           found._dataStart -= 1;
2469           found._dataEnd = found._dataStart;
2470         }
2471         else
2472           found._dataEnd = endpos;
2473       }
2474       if (isPatternString) {
2475         keys[key].used = true;
2476       }
2477     }
2478     entries_.push_back(found);
2479   }
2480 }
2481
2482 void LatexInfo::makeKey(const string &keysstring, KeyInfo keyI, bool isPatternString)
2483 {
2484   stringstream s(keysstring);
2485   string key;
2486   const char delim = '|';
2487   while (getline(s, key, delim)) {
2488     KeyInfo keyII(keyI);
2489     if (isPatternString) {
2490       keyII.used = false;
2491     }
2492     else if ( !keys[key].used)
2493       keyII.disabled = true;
2494     keys[key] = keyII;
2495   }
2496 }
2497
2498 void LatexInfo::buildKeys(bool isPatternString)
2499 {
2500
2501   static bool keysBuilt = false;
2502   if (keysBuilt && !isPatternString) return;
2503
2504   // Keys to ignore in any case
2505   makeKey("text|textcyrillic|lyxmathsym|ensuremath", KeyInfo(KeyInfo::headRemove, 1, true), true);
2506   // Known standard keys with 1 parameter.
2507   // Split is done, if not at start of region
2508   makeKey("textsf|textss|texttt", KeyInfo(KeyInfo::isStandard, 1, ignoreFormats.getFamily()), isPatternString);
2509   makeKey("textbf",               KeyInfo(KeyInfo::isStandard, 1, ignoreFormats.getSeries()), isPatternString);
2510   makeKey("textit|textsc|textsl", KeyInfo(KeyInfo::isStandard, 1, ignoreFormats.getShape()), isPatternString);
2511   makeKey("uuline|uline|uwave",   KeyInfo(KeyInfo::isStandard, 1, ignoreFormats.getUnderline()), isPatternString);
2512   makeKey("emph|noun",            KeyInfo(KeyInfo::isStandard, 1, ignoreFormats.getMarkUp()), isPatternString);
2513   makeKey("sout|xout",            KeyInfo(KeyInfo::isStandard, 1, ignoreFormats.getStrikeOut()), isPatternString);
2514
2515   makeKey("section|subsection|subsubsection|paragraph|subparagraph|minisec",
2516           KeyInfo(KeyInfo::isSectioning, 1, ignoreFormats.getSectioning()), isPatternString);
2517   makeKey("section*|subsection*|subsubsection*|paragraph*",
2518           KeyInfo(KeyInfo::isSectioning, 1, ignoreFormats.getSectioning()), isPatternString);
2519   makeKey("part|part*|chapter|chapter*", KeyInfo(KeyInfo::isSectioning, 1, ignoreFormats.getSectioning()), isPatternString);
2520   makeKey("title|subtitle|author|subject|publishers|dedication|uppertitleback|lowertitleback|extratitle|lyxaddress|lyxrightaddress", KeyInfo(KeyInfo::isTitle, 1, ignoreFormats.getFrontMatter()), isPatternString);
2521   // Regex
2522   makeKey("regexp", KeyInfo(KeyInfo::isRegex, 1, false), isPatternString);
2523
2524   // Split is done, if not at start of region
2525   makeKey("textcolor", KeyInfo(KeyInfo::isStandard, 2, ignoreFormats.getColor()), isPatternString);
2526   makeKey("latexenvironment", KeyInfo(KeyInfo::isStandard, 2, false), isPatternString);
2527
2528   // Split is done always.
2529   makeKey("foreignlanguage", KeyInfo(KeyInfo::isMain, 2, ignoreFormats.getLanguage()), isPatternString);
2530
2531   // Known charaters
2532   // No split
2533   makeKey("backslash|textbackslash|slash",  KeyInfo(KeyInfo::isChar, 0, false), isPatternString);
2534   makeKey("textasciicircum|textasciitilde", KeyInfo(KeyInfo::isChar, 0, false), isPatternString);
2535   makeKey("textasciiacute|texemdash",       KeyInfo(KeyInfo::isChar, 0, false), isPatternString);
2536   makeKey("dots|ldots",                     KeyInfo(KeyInfo::isChar, 0, false), isPatternString);
2537   // Spaces
2538   makeKey("quad|qquad|hfill|dotfill",               KeyInfo(KeyInfo::isChar, 0, false), isPatternString);
2539   makeKey("textvisiblespace|nobreakspace",          KeyInfo(KeyInfo::isChar, 0, false), isPatternString);
2540   makeKey("negthickspace|negmedspace|negthinspace", KeyInfo(KeyInfo::isChar, 0, false), isPatternString);
2541   makeKey("thickspace|medspace|thinspace",          KeyInfo(KeyInfo::isChar, 0, false), isPatternString);
2542   // Skip
2543   // makeKey("enskip|smallskip|medskip|bigskip|vfill", KeyInfo(KeyInfo::isChar, 0, false), isPatternString);
2544   // Custom space/skip, remove the content (== length value)
2545   makeKey("vspace|vspace*|hspace|hspace*|mspace", KeyInfo(KeyInfo::noContent, 1, false), isPatternString);
2546   // Found in fr/UserGuide.lyx
2547   makeKey("og|fg", KeyInfo(KeyInfo::isChar, 0, false), isPatternString);
2548   // quotes
2549   makeKey("textquotedbl|quotesinglbase|lyxarrow", KeyInfo(KeyInfo::isChar, 0, false), isPatternString);
2550   makeKey("textquotedblleft|textquotedblright", KeyInfo(KeyInfo::isChar, 0, false), isPatternString);
2551   // Known macros to remove (including their parameter)
2552   // No split
2553   makeKey("input|inputencoding|label|ref|index|bibitem", KeyInfo(KeyInfo::doRemove, 1, false), isPatternString);
2554   makeKey("addtocounter|setlength",                 KeyInfo(KeyInfo::noContent, 2, true), isPatternString);
2555   // handle like standard keys with 1 parameter.
2556   makeKey("url|href|vref|thanks", KeyInfo(KeyInfo::isStandard, 1, false), isPatternString);
2557
2558   // Ignore deleted text
2559   makeKey("lyxdeleted", KeyInfo(KeyInfo::doRemove, 3, false), isPatternString);
2560   // but preserve added text
2561   makeKey("lyxadded", KeyInfo(KeyInfo::doRemove, 2, false), isPatternString);
2562
2563   // Macros to remove, but let the parameter survive
2564   // No split
2565   makeKey("menuitem|textmd|textrm", KeyInfo(KeyInfo::isStandard, 1, true), isPatternString);
2566
2567   // Remove language spec from content of these insets
2568   makeKey("code", KeyInfo(KeyInfo::noMain, 1, false), isPatternString);
2569
2570   // Same effect as previous, parameter will survive (because there is no one anyway)
2571   // No split
2572   makeKey("noindent|textcompwordmark|maketitle", KeyInfo(KeyInfo::isStandard, 0, true), isPatternString);
2573   // Remove table decorations
2574   makeKey("hline|tabularnewline|toprule|bottomrule|midrule", KeyInfo(KeyInfo::doRemove, 0, true), isPatternString);
2575   // Discard shape-header.
2576   // For footnote or shortcut too, because of lang settings
2577   // and wrong handling if used 'KeyInfo::noMain'
2578   makeKey("circlepar|diamondpar|heartpar|nutpar",  KeyInfo(KeyInfo::isStandard, 1, true), isPatternString);
2579   makeKey("trianglerightpar|hexagonpar|starpar",   KeyInfo(KeyInfo::isStandard, 1, true), isPatternString);
2580   makeKey("triangleuppar|triangledownpar|droppar", KeyInfo(KeyInfo::isStandard, 1, true), isPatternString);
2581   makeKey("triangleleftpar|shapepar|dropuppar",    KeyInfo(KeyInfo::isStandard, 1, true), isPatternString);
2582   makeKey("hphantom|vphantom|footnote|shortcut|include|includegraphics",     KeyInfo(KeyInfo::isStandard, 1, true), isPatternString);
2583   makeKey("parbox", KeyInfo(KeyInfo::doRemove, 1, true), isPatternString);
2584   // like ('tiny{}' or '\tiny ' ... )
2585   makeKey("footnotesize|tiny|scriptsize|small|large|Large|LARGE|huge|Huge", KeyInfo(KeyInfo::isSize, 0, false), isPatternString);
2586
2587   // Survives, like known character
2588   // makeKey("lyx|LyX|latex|LaTeX|latexe|LaTeXe|tex|TeX", KeyInfo(KeyInfo::isChar, 0, false), isPatternString);
2589   makeKey("tableofcontents", KeyInfo(KeyInfo::isChar, 0, false), isPatternString);
2590   makeKey("item|listitem", KeyInfo(KeyInfo::isList, 1, false), isPatternString);
2591
2592   makeKey("begin|end", KeyInfo(KeyInfo::isMath, 1, false), isPatternString);
2593   makeKey("[|]", KeyInfo(KeyInfo::isMath, 1, false), isPatternString);
2594   makeKey("$", KeyInfo(KeyInfo::isMath, 1, false), isPatternString);
2595
2596   makeKey("par|uldepth|ULdepth|protect|nobreakdash|medskip|relax", KeyInfo(KeyInfo::isStandard, 0, true), isPatternString);
2597   // Remove RTL/LTR marker
2598   makeKey("l|r|textlr|textfr|textar|beginl|endl", KeyInfo(KeyInfo::isStandard, 0, true), isPatternString);
2599   makeKey("lettrine", KeyInfo(KeyInfo::cleanToStart, 0, true), isPatternString);
2600   makeKey("lyxslide", KeyInfo(KeyInfo::isSectioning, 1, true), isPatternString);
2601   makeKey("endarguments", KeyInfo(KeyInfo::endArguments, 0, true), isPatternString);
2602   makeKey("twocolumn", KeyInfo(KeyInfo::removeWithArg, 2, true), isPatternString);
2603   makeKey("tnotetext|ead|fntext|cortext|address", KeyInfo(KeyInfo::removeWithArg, 0, true), isPatternString);
2604   makeKey("lyxend", KeyInfo(KeyInfo::isStandard, 0, true), isPatternString);
2605   if (isPatternString) {
2606     // Allow the first searched string to rebuild the keys too
2607     keysBuilt = false;
2608   }
2609   else {
2610     // no need to rebuild again
2611     keysBuilt = true;
2612   }
2613 }
2614
2615 /*
2616  * Keep the list of actual opened parentheses actual
2617  * (e.g. depth == 4 means there are 4 '{' not processed yet)
2618  */
2619 void Intervall::handleParentheses(int lastpos, bool closingAllowed)
2620 {
2621   int skip = 0;
2622   for (int i = depts[actualdeptindex]; i < lastpos; i+= 1 + skip) {
2623     char c;
2624     c = par[i];
2625     skip = 0;
2626     if (c == '\\') skip = 1;
2627     else if (c == '{') {
2628       handleOpenP(i);
2629     }
2630     else if (c == '}') {
2631       handleCloseP(i, closingAllowed);
2632     }
2633   }
2634 }
2635
2636 #if (0)
2637 string Intervall::show(int lastpos)
2638 {
2639   int idx = 0;                          /* int intervalls */
2640   string s;
2641   int i = 0;
2642   for (idx = 0; idx <= ignoreidx; idx++) {
2643     while (i < lastpos) {
2644       int printsize;
2645       if (i <= borders[idx].low) {
2646         if (borders[idx].low > lastpos)
2647           printsize = lastpos - i;
2648         else
2649           printsize = borders[idx].low - i;
2650         s += par.substr(i, printsize);
2651         i += printsize;
2652         if (i >= borders[idx].low)
2653           i = borders[idx].upper;
2654       }
2655       else {
2656         i = borders[idx].upper;
2657         break;
2658       }
2659     }
2660   }
2661   if (lastpos > i) {
2662     s += par.substr(i, lastpos-i);
2663   }
2664   return s;
2665 }
2666 #endif
2667
2668 void Intervall::output(ostringstream &os, int lastpos)
2669 {
2670   // get number of chars to output
2671   int idx = 0;                          /* int intervalls */
2672   int i = 0;
2673   int printed = 0;
2674   string startTitle = titleValue;
2675   for (idx = 0; idx <= ignoreidx; idx++) {
2676     if (i < lastpos) {
2677       if (i <= borders[idx].low) {
2678         int printsize;
2679         if (borders[idx].low > lastpos)
2680           printsize = lastpos - i;
2681         else
2682           printsize = borders[idx].low - i;
2683         if (printsize > 0) {
2684           os << startTitle << par.substr(i, printsize);
2685           i += printsize;
2686           printed += printsize;
2687           startTitle = "";
2688         }
2689         handleParentheses(i, false);
2690         if (i >= borders[idx].low)
2691           i = borders[idx].upper;
2692       }
2693       else {
2694         i = borders[idx].upper;
2695       }
2696     }
2697     else
2698       break;
2699   }
2700   if (lastpos > i) {
2701     os << startTitle << par.substr(i, lastpos-i);
2702     printed += lastpos-i;
2703   }
2704   handleParentheses(lastpos, false);
2705   int startindex;
2706   if (keys["foreignlanguage"].disabled)
2707     startindex = actualdeptindex-langcount;
2708   else
2709     startindex = actualdeptindex;
2710   for (int i = startindex; i > 0; --i) {
2711     os << "}";
2712   }
2713   if (hasTitle && (printed > 0))
2714     os << "}";
2715   if (! isPatternString_)
2716     os << "\n";
2717   handleParentheses(lastpos, true); /* extra closings '}' allowed here */
2718 }
2719
2720 void LatexInfo::processRegion(int start, int region_end)
2721 {
2722   while (start < region_end) {          /* Let {[} and {]} survive */
2723     int cnt = interval_.isOpeningPar(start);
2724     if (cnt == 1) {
2725       // Closing is allowed past the region
2726       int closing = interval_.findclosing(start+1, interval_.par.length());
2727       interval_.addIntervall(start, start+1);
2728       interval_.addIntervall(closing, closing+1);
2729     }
2730     else if (cnt == 3)
2731       start += 2;
2732     start = interval_.nextNotIgnored(start+1);
2733   }
2734 }
2735
2736 void LatexInfo::removeHead(KeyInfo const & actual, int count)
2737 {
2738   if (actual.parenthesiscount == 0) {
2739     // "{\tiny{} ...}" ==> "{{} ...}"
2740     interval_.addIntervall(actual._tokenstart-count, actual._tokenstart + actual._tokensize);
2741   }
2742   else {
2743     // Remove header hull, that is "\url{abcd}" ==> "abcd"
2744     interval_.addIntervall(actual._tokenstart - count, actual._dataStart);
2745     interval_.addIntervall(actual._dataEnd, actual._dataEnd+1);
2746   }
2747 }
2748
2749 int LatexInfo::dispatch(ostringstream &os, int previousStart, KeyInfo &actual)
2750 {
2751   int nextKeyIdx = 0;
2752   switch (actual.keytype)
2753   {
2754     case KeyInfo::isTitle: {
2755       removeHead(actual);
2756       nextKeyIdx = getNextKey();
2757       break;
2758     }
2759     case KeyInfo::cleanToStart: {
2760       actual._dataEnd = actual._dataStart;
2761       nextKeyIdx = getNextKey();
2762       // Search for end of arguments
2763       int tmpIdx = find(nextKeyIdx, KeyInfo::endArguments);
2764       if (tmpIdx > 0) {
2765         for (int i = nextKeyIdx; i <= tmpIdx; i++) {
2766           entries_[i].disabled = true;
2767         }
2768         actual._dataEnd = entries_[tmpIdx]._dataEnd;
2769       }
2770       while (interval_.par[actual._dataEnd] == ' ')
2771         actual._dataEnd++;
2772       interval_.addIntervall(0, actual._dataEnd+1);
2773       interval_.actualdeptindex = 0;
2774       interval_.depts[0] = actual._dataEnd+1;
2775       interval_.closes[0] = -1;
2776       break;
2777     }
2778     case KeyInfo::isText:
2779       interval_.par[actual._tokenstart] = '#';
2780       //interval_.addIntervall(actual._tokenstart, actual._tokenstart+1);
2781       nextKeyIdx = getNextKey();
2782       break;
2783     case KeyInfo::noContent: {          /* char like "\hspace{2cm}" */
2784       if (actual.disabled)
2785         interval_.addIntervall(actual._tokenstart, actual._dataEnd);
2786       else
2787         interval_.addIntervall(actual._dataStart, actual._dataEnd);
2788     }
2789       // fall through
2790     case KeyInfo::isChar: {
2791       nextKeyIdx = getNextKey();
2792       break;
2793     }
2794     case KeyInfo::isSize: {
2795       if (actual.disabled || (interval_.par[actual._dataStart] != '{') || (interval_.par[actual._dataStart-1] == ' ')) {
2796         if (actual.parenthesiscount == 0)
2797           interval_.addIntervall(actual._tokenstart, actual._dataEnd);
2798         else {
2799           interval_.addIntervall(actual._tokenstart, actual._dataEnd+1);
2800         }
2801         nextKeyIdx = getNextKey();
2802       } else {
2803         // Here _dataStart points to '{', so correct it
2804         actual._dataStart += 1;
2805         actual._tokensize += 1;
2806         actual.parenthesiscount = 1;
2807         if (interval_.par[actual._dataStart] == '}') {
2808           // Determine the end if used like '{\tiny{}...}'
2809           actual._dataEnd = interval_.findclosing(actual._dataStart+1, interval_.par.length()) + 1;
2810           interval_.addIntervall(actual._dataStart, actual._dataStart+1);
2811         }
2812         else {
2813           // Determine the end if used like '\tiny{...}'
2814           actual._dataEnd = interval_.findclosing(actual._dataStart, interval_.par.length()) + 1;
2815         }
2816         // Split on this key if not at start
2817         int start = interval_.nextNotIgnored(previousStart);
2818         if (start < actual._tokenstart) {
2819           interval_.output(os, actual._tokenstart);
2820           interval_.addIntervall(start, actual._tokenstart);
2821         }
2822         // discard entry if at end of actual
2823         nextKeyIdx = process(os, actual);
2824       }
2825       break;
2826     }
2827     case KeyInfo::endArguments: {
2828       // Remove trailing '{}' too
2829       actual._dataStart += 1;
2830       actual._dataEnd += 1;
2831       interval_.addIntervall(actual._tokenstart, actual._dataEnd+1);
2832       nextKeyIdx = getNextKey();
2833       break;
2834     }
2835     case KeyInfo::noMain:
2836       // fall through
2837     case KeyInfo::isStandard: {
2838       if (actual.disabled) {
2839         removeHead(actual);
2840         processRegion(actual._dataStart, actual._dataStart+1);
2841         nextKeyIdx = getNextKey();
2842       } else {
2843         // Split on this key if not at datastart of calling entry
2844         int start = interval_.nextNotIgnored(previousStart);
2845         if (start < actual._tokenstart) {
2846           interval_.output(os, actual._tokenstart);
2847           interval_.addIntervall(start, actual._tokenstart);
2848         }
2849         // discard entry if at end of actual
2850         nextKeyIdx = process(os, actual);
2851       }
2852       break;
2853     }
2854     case KeyInfo::removeWithArg: {
2855       nextKeyIdx = getNextKey();
2856       // Search for end of arguments
2857       int tmpIdx = find(nextKeyIdx, KeyInfo::endArguments);
2858       if (tmpIdx > 0) {
2859         for (int i = nextKeyIdx; i <= tmpIdx; i++) {
2860           entries_[i].disabled = true;
2861         }
2862         actual._dataEnd = entries_[tmpIdx]._dataEnd;
2863       }
2864       interval_.addIntervall(actual._tokenstart, actual._dataEnd+1);
2865       break;
2866     }
2867     case KeyInfo::doRemove: {
2868       // Remove the key with all parameters and following spaces
2869       size_t pos;
2870       size_t start;
2871       if (interval_.par[actual._dataEnd-1] == ' ')
2872         start = actual._dataEnd;
2873       else
2874         start = actual._dataEnd+1;
2875       for (pos = start; pos < interval_.par.length(); pos++) {
2876         if ((interval_.par[pos] != ' ') && (interval_.par[pos] != '%'))
2877           break;
2878       }
2879       // Remove also enclosing parentheses [] and {}
2880       int numpars = 0;
2881       int spaces = 0;
2882       while (actual._tokenstart > numpars) {
2883         if (pos+numpars >= interval_.par.size())
2884           break;
2885         else if (interval_.par[pos+numpars] == ']' && interval_.par[actual._tokenstart-numpars-1] == '[')
2886           numpars++;
2887         else if (interval_.par[pos+numpars] == '}' && interval_.par[actual._tokenstart-numpars-1] == '{')
2888           numpars++;
2889         else
2890           break;
2891       }
2892       if (numpars > 0) {
2893         if (interval_.par[pos+numpars] == ' ')
2894           spaces++;
2895       }
2896
2897       interval_.addIntervall(actual._tokenstart-numpars, pos+numpars+spaces);
2898       nextKeyIdx = getNextKey();
2899       break;
2900     }
2901     case KeyInfo::isList: {
2902       // Discard space before _tokenstart
2903       int count;
2904       for (count = 0; count < actual._tokenstart; count++) {
2905         if (interval_.par[actual._tokenstart-count-1] != ' ')
2906           break;
2907       }
2908       nextKeyIdx = getNextKey();
2909       int tmpIdx = find(nextKeyIdx, KeyInfo::endArguments);
2910       if (tmpIdx > 0) {
2911         // Special case: \item is not a list, but a command (like in Style Author_Biography in maa-monthly.layout)
2912         // with arguments
2913         // How else can we catch this one?
2914         for (int i = nextKeyIdx; i <= tmpIdx; i++) {
2915           entries_[i].disabled = true;
2916         }
2917         actual._dataEnd = entries_[tmpIdx]._dataEnd;
2918       }
2919       else if (nextKeyIdx > 0) {
2920         // Ignore any lang entries inside data region
2921         for (int i = nextKeyIdx; i < int(entries_.size()) && entries_[i]._tokenstart < actual._dataEnd; i++) {
2922           if (entries_[i].keytype == KeyInfo::isMain)
2923             entries_[i].disabled = true;
2924         }
2925       }
2926       if (actual.disabled) {
2927         interval_.addIntervall(actual._tokenstart-count, actual._dataEnd+1);
2928       }
2929       else {
2930         interval_.addIntervall(actual._tokenstart-count, actual._tokenstart);
2931       }
2932       if (interval_.par[actual._dataEnd+1] == '[') {
2933         int posdown = interval_.findclosing(actual._dataEnd+2, interval_.par.length(), '[', ']');
2934         if ((interval_.par[actual._dataEnd+2] == '{') &&
2935             (interval_.par[posdown-1] == '}')) {
2936           interval_.addIntervall(actual._dataEnd+1,actual._dataEnd+3);
2937           interval_.addIntervall(posdown-1, posdown+1);
2938         }
2939         else {
2940           interval_.addIntervall(actual._dataEnd+1, actual._dataEnd+2);
2941           interval_.addIntervall(posdown, posdown+1);
2942         }
2943         int blk = interval_.nextNotIgnored(actual._dataEnd+1);
2944         if (blk > posdown) {
2945           // Discard at most 1 space after empty item
2946           int count;
2947           for (count = 0; count < 1; count++) {
2948             if (interval_.par[blk+count] != ' ')
2949               break;
2950           }
2951           if (count > 0)
2952             interval_.addIntervall(blk, blk+count);
2953         }
2954       }
2955       break;
2956     }
2957     case KeyInfo::isSectioning: {
2958       // Discard spaces before _tokenstart
2959       int count;
2960       int val = actual._tokenstart;
2961       for (count = 0; count < actual._tokenstart;) {
2962         val = interval_.previousNotIgnored(val-1);
2963         if (val < 0 || interval_.par[val] != ' ')
2964           break;
2965         else {
2966           count = actual._tokenstart - val;
2967         }
2968       }
2969       if (actual.disabled) {
2970         removeHead(actual, count);
2971         nextKeyIdx = getNextKey();
2972       } else {
2973         interval_.addIntervall(actual._tokenstart-count, actual._tokenstart);
2974         nextKeyIdx = process(os, actual);
2975       }
2976       break;
2977     }
2978     case KeyInfo::isMath: {
2979       // Same as regex, use the content unchanged
2980       nextKeyIdx = getNextKey();
2981       break;
2982     }
2983     case KeyInfo::isRegex: {
2984       // DO NOT SPLIT ON REGEX
2985       // Do not disable
2986       nextKeyIdx = getNextKey();
2987       break;
2988     }
2989     case KeyInfo::isIgnored: {
2990       // Treat like a character for now
2991       nextKeyIdx = getNextKey();
2992       break;
2993     }
2994     case KeyInfo::isMain: {
2995       if (interval_.par.substr(actual._dataStart, 2) == "% ")
2996         interval_.addIntervall(actual._dataStart, actual._dataStart+2);
2997       if (actual._tokenstart > 0) {
2998         int prev = interval_.previousNotIgnored(actual._tokenstart - 1);
2999         if ((prev >= 0) && interval_.par[prev] == '%')
3000           interval_.addIntervall(prev, prev+1);
3001       }
3002       if (actual.disabled) {
3003         removeHead(actual);
3004         interval_.langcount++;
3005         if ((interval_.par.substr(actual._dataStart, 3) == " \\[") ||
3006             (interval_.par.substr(actual._dataStart, 8) == " \\begin{")) {
3007           // Discard also the space before math-equation
3008           interval_.addIntervall(actual._dataStart, actual._dataStart+1);
3009         }
3010         nextKeyIdx = getNextKey();
3011         // interval.resetOpenedP(actual._dataStart-1);
3012       }
3013       else {
3014         if (actual._tokenstart < 26) {
3015           // for the first (and maybe dummy) language
3016           interval_.setForDefaultLang(actual);
3017         }
3018         interval_.resetOpenedP(actual._dataStart-1);
3019       }
3020       break;
3021     }
3022     case KeyInfo::invalid:
3023     case KeyInfo::headRemove:
3024       // These two cases cannot happen, already handled
3025       // fall through
3026     default: {
3027       // LYXERR(Debug::INFO, "Unhandled keytype");
3028       nextKeyIdx = getNextKey();
3029       break;
3030     }
3031   }
3032   return nextKeyIdx;
3033 }
3034
3035 int LatexInfo::process(ostringstream & os, KeyInfo const & actual )
3036 {
3037   int end = interval_.nextNotIgnored(actual._dataEnd);
3038   int oldStart = actual._dataStart;
3039   int nextKeyIdx = getNextKey();
3040   while (true) {
3041     if ((nextKeyIdx < 0) ||
3042         (entries_[nextKeyIdx]._tokenstart >= actual._dataEnd) ||
3043         (entries_[nextKeyIdx].keytype == KeyInfo::invalid)) {
3044       if (oldStart <= end) {
3045         processRegion(oldStart, end);
3046         oldStart = end+1;
3047       }
3048       break;
3049     }
3050     KeyInfo &nextKey = getKeyInfo(nextKeyIdx);
3051
3052     if ((nextKey.keytype == KeyInfo::isMain) && !nextKey.disabled) {
3053       (void) dispatch(os, actual._dataStart, nextKey);
3054       end = nextKey._tokenstart;
3055       break;
3056     }
3057     processRegion(oldStart, nextKey._tokenstart);
3058     nextKeyIdx = dispatch(os, actual._dataStart, nextKey);
3059
3060     oldStart = nextKey._dataEnd+1;
3061   }
3062   // now nextKey is either invalid or is outside of actual._dataEnd
3063   // output the remaining and discard myself
3064   if (oldStart <= end) {
3065     processRegion(oldStart, end);
3066   }
3067   if (interval_.par.size() > (size_t) end && interval_.par[end] == '}') {
3068     end += 1;
3069     // This is the normal case.
3070     // But if using the firstlanguage, the closing may be missing
3071   }
3072   // get minimum of 'end' and  'actual._dataEnd' in case that the nextKey.keytype was 'KeyInfo::isMain'
3073   int output_end;
3074   if (actual._dataEnd < end)
3075     output_end = interval_.nextNotIgnored(actual._dataEnd);
3076   else if (interval_.par.size() > (size_t) end)
3077     output_end = interval_.nextNotIgnored(end);
3078   else
3079     output_end = interval_.par.size();
3080   if ((actual.keytype == KeyInfo::isMain) && actual.disabled) {
3081     interval_.addIntervall(actual._tokenstart, actual._tokenstart+actual._tokensize);
3082   }
3083   // Remove possible empty data
3084   int dstart = interval_.nextNotIgnored(actual._dataStart);
3085   while (interval_.isOpeningPar(dstart) == 1) {
3086     interval_.addIntervall(dstart, dstart+1);
3087     int dend = interval_.findclosing(dstart+1, output_end);
3088     interval_.addIntervall(dend, dend+1);
3089     dstart = interval_.nextNotIgnored(dstart+1);
3090   }
3091   if (dstart < output_end)
3092     interval_.output(os, output_end);
3093   if (nextKeyIdx < 0)
3094     interval_.addIntervall(0, end);
3095   else
3096     interval_.addIntervall(actual._tokenstart, end);
3097   return nextKeyIdx;
3098 }
3099
3100 string splitOnKnownMacros(string par, bool isPatternString)
3101 {
3102   ostringstream os;
3103   LatexInfo li(par, isPatternString);
3104   // LYXERR(Debug::INFO, "Berfore split: " << par);
3105   KeyInfo DummyKey = KeyInfo(KeyInfo::KeyType::isMain, 2, true);
3106   DummyKey.head = "";
3107   DummyKey._tokensize = 0;
3108   DummyKey._dataStart = 0;
3109   DummyKey._dataEnd = par.length();
3110   DummyKey.disabled = true;
3111   int firstkeyIdx = li.getFirstKey();
3112   string s;
3113   if (firstkeyIdx >= 0) {
3114     KeyInfo firstKey = li.getKeyInfo(firstkeyIdx);
3115     DummyKey._tokenstart = firstKey._tokenstart;
3116     int nextkeyIdx;
3117     if ((firstKey.keytype != KeyInfo::isMain) || firstKey.disabled) {
3118       // Use dummy firstKey
3119       firstKey = DummyKey;
3120       (void) li.setNextKey(firstkeyIdx);
3121     }
3122     else {
3123       if (par.substr(firstKey._dataStart, 2) == "% ")
3124         li.addIntervall(firstKey._dataStart, firstKey._dataStart+2);
3125     }
3126     nextkeyIdx = li.process(os, firstKey);
3127     while (nextkeyIdx >= 0) {
3128       // Check for a possible gap between the last
3129       // entry and this one
3130       int datastart = li.nextNotIgnored(firstKey._dataStart);
3131       KeyInfo &nextKey = li.getKeyInfo(nextkeyIdx);
3132       if ((nextKey._tokenstart > datastart)) {
3133         // Handle the gap
3134         firstKey._dataStart = datastart;
3135         firstKey._dataEnd = par.length();
3136         (void) li.setNextKey(nextkeyIdx);
3137         // Fake the last opened parenthesis
3138         li.setForDefaultLang(firstKey);
3139         nextkeyIdx = li.process(os, firstKey);
3140       }
3141       else {
3142         if (nextKey.keytype != KeyInfo::isMain) {
3143           firstKey._dataStart = datastart;
3144           firstKey._dataEnd = nextKey._dataEnd+1;
3145           (void) li.setNextKey(nextkeyIdx);
3146           li.setForDefaultLang(firstKey);
3147           nextkeyIdx = li.process(os, firstKey);
3148         }
3149         else {
3150           nextkeyIdx = li.process(os, nextKey);
3151         }
3152       }
3153     }
3154     // Handle the remaining
3155     firstKey._dataStart = li.nextNotIgnored(firstKey._dataStart);
3156     firstKey._dataEnd = par.length();
3157     // Check if ! empty
3158     if ((firstKey._dataStart < firstKey._dataEnd) &&
3159         (par[firstKey._dataStart] != '}')) {
3160       li.setForDefaultLang(firstKey);
3161       (void) li.process(os, firstKey);
3162     }
3163     s = os.str();
3164     if (s.empty()) {
3165       // return string definitelly impossible to match
3166       s = "\\foreignlanguage{ignore}{ }";
3167     }
3168   }
3169   else
3170     s = par;                            /* no known macros found */
3171   // LYXERR(Debug::INFO, "After split: " << s);
3172   return s;
3173 }
3174
3175 /*
3176  * Try to unify the language specs in the latexified text.
3177  * Resulting modified string is set to "", if
3178  * the searched tex does not contain all the features in the search pattern
3179  */
3180 static string correctlanguagesetting(string par, bool isPatternString, bool withformat, lyx::Buffer *pbuf = nullptr)
3181 {
3182         static Features regex_f;
3183         static int missed = 0;
3184         static bool regex_with_format = false;
3185
3186         int parlen = par.length();
3187
3188         while ((parlen > 0) && (par[parlen-1] == '\n')) {
3189                 parlen--;
3190         }
3191         if (isPatternString && (parlen > 0) && (par[parlen-1] == '~')) {
3192                 // Happens to be there in case of description or labeling environment
3193                 parlen--;
3194         }
3195         string result;
3196         if (withformat) {
3197                 // Split the latex input into pieces which
3198                 // can be digested by our search engine
3199                 LYXERR(Debug::FIND, "input: \"" << par << "\"");
3200                 if (isPatternString && (pbuf != nullptr)) { // Check if we should disable/enable test for language
3201                         // We check for polyglossia, because in runparams.flavor we use Flavor::XeTeX
3202                         string doclang = pbuf->params().language->polyglossia();
3203                         static regex langre("\\\\(foreignlanguage)\\{([^\\}]+)\\}");
3204                         smatch sub;
3205                         bool toIgnoreLang = true;
3206                         for (sregex_iterator it(par.begin(), par.end(), langre), end; it != end; ++it) {
3207                                 sub = *it;
3208                                 if (sub.str(2) != doclang) {
3209                                         toIgnoreLang = false;
3210                                         break;
3211                                 }
3212                         }
3213                         setIgnoreFormat("language", toIgnoreLang, false);
3214
3215                 }
3216                 result = splitOnKnownMacros(par.substr(0,parlen), isPatternString);
3217                 LYXERR(Debug::FIND, "After splitOnKnownMacros:\n\"" << result << "\"");
3218         }
3219         else
3220                 result = par.substr(0, parlen);
3221         if (isPatternString) {
3222                 missed = 0;
3223                 if (withformat) {
3224                         regex_f = identifyFeatures(result);
3225                         string features = "";
3226                         for (auto it = regex_f.cbegin(); it != regex_f.cend(); ++it) {
3227                                 string a = it->first;
3228                                 regex_with_format = true;
3229                                 features += " " + a;
3230                                 // LYXERR(Debug::INFO, "Identified regex format:" << a);
3231                         }
3232                         LYXERR(Debug::FIND, "Identified Features" << features);
3233
3234                 }
3235         } else if (regex_with_format) {
3236                 Features info = identifyFeatures(result);
3237                 for (auto it = regex_f.cbegin(); it != regex_f.cend(); ++it) {
3238                         string a = it->first;
3239                         bool b = it->second;
3240                         if (b && ! info[a]) {
3241                                 missed++;
3242                                 LYXERR(Debug::FIND, "Missed(" << missed << " " << a <<", srclen = " << parlen );
3243                                 return "";
3244                         }
3245                 }
3246
3247         }
3248         else {
3249                 // LYXERR(Debug::INFO, "No regex formats");
3250         }
3251         return result;
3252 }
3253
3254
3255 // Remove trailing closure of math, macros and environments, so to catch parts of them.
3256 static int identifyClosing(string & t)
3257 {
3258         int open_braces = 0;
3259         do {
3260                 LYXERR(Debug::FIND, "identifyClosing(): t now is '" << t << "'");
3261                 if (regex_replace(t, t, "(.*[^\\\\])\\$$", "$1"))
3262                         continue;
3263                 if (regex_replace(t, t, "(.*[^\\\\])\\\\\\]$", "$1"))
3264                         continue;
3265                 if (regex_replace(t, t, "(.*[^\\\\])\\\\end\\{[a-zA-Z_]*\\*?\\}$", "$1"))
3266                         continue;
3267                 if (regex_replace(t, t, "(.*[^\\\\])\\}$", "$1")) {
3268                         ++open_braces;
3269                         continue;
3270                 }
3271                 break;
3272         } while (true);
3273         return open_braces;
3274 }
3275
3276 static int num_replaced = 0;
3277 static bool previous_single_replace = true;
3278
3279 void MatchStringAdv::CreateRegexp(FindAndReplaceOptions const & opt, string regexp_str, string regexp2_str, string par_as_string)
3280 {
3281 #if QTSEARCH
3282         // Handle \w properly
3283         QRegularExpression::PatternOptions popts = QRegularExpression::UseUnicodePropertiesOption | QRegularExpression::MultilineOption;
3284         if (! opt.casesensitive) {
3285                 popts |= QRegularExpression::CaseInsensitiveOption;
3286         }
3287         regexp = QRegularExpression(QString::fromStdString(regexp_str), popts);
3288         regexp2 = QRegularExpression(QString::fromStdString(regexp2_str), popts);
3289         regexError = "";
3290         if (regexp.isValid() && regexp2.isValid()) {
3291                 regexIsValid = true;
3292                 // Check '{', '}' pairs inside the regex
3293                 int balanced = 0;
3294                 int skip = 1;
3295                 for (unsigned i = 0; i < par_as_string.size(); i+= skip) {
3296                         char c = par_as_string[i];
3297                         if (c == '\\') {
3298                                 skip = 2;
3299                                 continue;
3300                         }
3301                         if (c == '{')
3302                                 balanced++;
3303                         else if (c == '}') {
3304                                 balanced--;
3305                                 if (balanced < 0)
3306                                         break;
3307                                 }
3308                                 skip = 1;
3309                         }
3310                 if (balanced != 0) {
3311                         regexIsValid = false;
3312                         regexError = "Unbalanced curly brackets in regexp \"" + regexp_str + "\"";
3313                 }
3314         }
3315         else {
3316                 regexIsValid = false;
3317                 if (!regexp.isValid())
3318                         regexError += "Invalid regexp \"" + regexp_str + "\", error = " + regexp.errorString().toStdString();
3319                 else
3320                         regexError += "Invalid regexp2 \"" + regexp2_str + "\", error = " + regexp2.errorString().toStdString();
3321         }
3322 #else
3323         (void)par_as_string;
3324         if (opt.casesensitive) {
3325                 regexp = regex(regexp_str);
3326                 regexp2 = regex(regexp2_str);
3327         }
3328         else {
3329                 regexp = regex(regexp_str, std::regex_constants::icase);
3330                 regexp2 = regex(regexp2_str, std::regex_constants::icase);
3331         }
3332 #endif
3333 }
3334
3335 static void modifyRegexForMatchWord(string &t)
3336 {
3337         string s("");
3338         regex wordre("(\\\\)*((\\.|\\\\b))");
3339         size_t lastpos = 0;
3340         smatch sub;
3341         for (sregex_iterator it(t.begin(), t.end(), wordre), end; it != end; ++it) {
3342                 sub = *it;
3343                 if ((sub.position(2) - sub.position(0)) % 2 == 1) {
3344                         continue;
3345                 }
3346                 else if (sub.str(2) == "\\\\b")
3347                         return;
3348                 if (lastpos < (size_t) sub.position(2))
3349                         s += t.substr(lastpos, sub.position(2) - lastpos);
3350                 s += "\\S";
3351                 lastpos = sub.position(2) + sub.length(2);
3352         }
3353         if (lastpos == 0) {
3354                 s = "\\b" + t + "\\b";
3355                 t = s;
3356                 return;
3357         }
3358         else if (lastpos < t.length())
3359                 s += t.substr(lastpos, t.length() - lastpos);
3360       t = "\\b" + s + "\\b";
3361 }
3362
3363 MatchStringAdv::MatchStringAdv(lyx::Buffer & buf, FindAndReplaceOptions & opt)
3364         : p_buf(&buf), p_first_buf(&buf), opt(opt)
3365 {
3366         Buffer & find_buf = *theBufferList().getBuffer(FileName(to_utf8(opt.find_buf_name)), true);
3367         docstring const & ds = stringifySearchBuffer(find_buf, opt);
3368         use_regexp = lyx::to_utf8(ds).find("\\regexp{") != std::string::npos;
3369         if (opt.replace_all && previous_single_replace) {
3370                 previous_single_replace = false;
3371                 num_replaced = 0;
3372         }
3373         else if (!opt.replace_all) {
3374                 num_replaced = 0;       // count number of replaced strings
3375                 previous_single_replace = true;
3376         }
3377         // When using regexp, braces are hacked already by escape_for_regex()
3378         par_as_string = normalize(ds);
3379         open_braces = 0;
3380         close_wildcards = 0;
3381
3382         size_t lead_size = 0;
3383         // correct the language settings
3384         par_as_string = correctlanguagesetting(par_as_string, true, !opt.ignoreformat, &buf);
3385         opt.matchAtStart = false;
3386         if (!use_regexp) {
3387                 identifyClosing(par_as_string); // Removes math closings ($, ], ...) at end of string
3388                 if (opt.ignoreformat) {
3389                         lead_size = 0;
3390                 }
3391                 else {
3392                         lead_size = identifyLeading(par_as_string);
3393                 }
3394                 lead_as_string = par_as_string.substr(0, lead_size);
3395                 string lead_as_regex_string = string2regex(lead_as_string);
3396                 par_as_string_nolead = par_as_string.substr(lead_size, par_as_string.size() - lead_size);
3397                 string par_as_regex_string_nolead = string2regex(par_as_string_nolead);
3398                 /* Handle whole words too in this case
3399                 */
3400                 if (opt.matchword) {
3401                         par_as_regex_string_nolead = "\\b" + par_as_regex_string_nolead + "\\b";
3402                         opt.matchword = false;
3403                 }
3404                 string regexp_str = "(" + lead_as_regex_string + ")()" + par_as_regex_string_nolead;
3405                 string regexp2_str = "(" + lead_as_regex_string + ")(.*?)" + par_as_regex_string_nolead;
3406                 CreateRegexp(opt, regexp_str, regexp2_str);
3407                 use_regexp = true;
3408                 LYXERR(Debug::FIND, "Setting regexp to : '" << regexp_str << "'");
3409                 LYXERR(Debug::FIND, "Setting regexp2 to: '" << regexp2_str << "'");
3410                 return;
3411         }
3412
3413         if (!opt.ignoreformat) {
3414                 lead_size = identifyLeading(par_as_string);
3415                 LYXERR(Debug::FIND, "Lead_size: " << lead_size);
3416                 lead_as_string = par_as_string.substr(0, lead_size);
3417                 par_as_string_nolead = par_as_string.substr(lead_size, par_as_string.size() - lead_size);
3418         }
3419
3420         // Here we are using regexp
3421         LASSERT(use_regexp, /**/);
3422         {
3423                 string lead_as_regexp;
3424                 if (lead_size > 0) {
3425                         lead_as_regexp = string2regex(par_as_string.substr(0, lead_size));
3426                         (void)regex_replace(par_as_string_nolead, par_as_string_nolead, "}$", "");
3427                         par_as_string = par_as_string_nolead;
3428                         LYXERR(Debug::FIND, "lead_as_regexp is '" << lead_as_regexp << "'");
3429                         LYXERR(Debug::FIND, "par_as_string now is '" << par_as_string << "'");
3430                 }
3431                 // LYXERR(Debug::FIND, "par_as_string before escape_for_regex() is '" << par_as_string << "'");
3432                 par_as_string = escape_for_regex(par_as_string, !opt.ignoreformat);
3433                 // Insert (.*?) before trailing closure of math, macros and environments, so to catch parts of them.
3434                 // LYXERR(Debug::FIND, "par_as_string now is '" << par_as_string << "'");
3435                 ++close_wildcards;
3436                 size_t lng = par_as_string.size();
3437                 if (!opt.ignoreformat) {
3438                         // Remove extra '\}' at end if not part of \{\.\}
3439                         while(lng > 2) {
3440                                 if (par_as_string.substr(lng-2, 2).compare("\\}") == 0) {
3441                                         if (lng >= 6) {
3442                                                 if (par_as_string.substr(lng-6,3).compare("\\{\\") == 0)
3443                                                         break;
3444                                         }
3445                                         lng -= 2;
3446                                         open_braces++;
3447                                 }
3448                                 else
3449                                         break;
3450                         }
3451                         if (lng < par_as_string.size())
3452                                 par_as_string = par_as_string.substr(0,lng);
3453                 }
3454                 LYXERR(Debug::FIND, "par_as_string after correctRegex is '" << par_as_string << "'");
3455                 if ((lng > 0) && (par_as_string[0] == '^')) {
3456                         par_as_string = par_as_string.substr(1);
3457                         --lng;
3458                         opt.matchAtStart = true;
3459                 }
3460                 // LYXERR(Debug::FIND, "par_as_string now is '" << par_as_string << "'");
3461                 // LYXERR(Debug::FIND, "Open braces: " << open_braces);
3462                 // LYXERR(Debug::FIND, "Replaced text (to be used as regex): " << par_as_string);
3463
3464                 // If entered regexp must match at begin of searched string buffer
3465                 // Kornel: Added parentheses to use $1 for size of the leading string
3466                 string regexp_str;
3467                 string regexp2_str;
3468                 {
3469                         // TODO: Adapt '\[12345678]' in par_as_string to acount for the first '()
3470                         // Unfortunately is '\1', '\2', etc not working for strings with extra format
3471                         // so the convert has no effect in that case
3472                         for (int i = 7; i > 0; --i) {
3473                                 string orig = "\\\\" + std::to_string(i);
3474                                 string dest = "\\" + std::to_string(i+2);
3475                                 while (regex_replace(par_as_string, par_as_string, orig, dest));
3476                         }
3477                         if (opt.matchword) {
3478                                 modifyRegexForMatchWord(par_as_string);
3479                                 opt.matchword = false;
3480                         }
3481                         regexp_str = "(" + lead_as_regexp + ")()" + par_as_string;
3482                         regexp2_str = "(" + lead_as_regexp + ")(.*?)" + par_as_string;
3483                 }
3484                 LYXERR(Debug::FIND, "Setting regexp to : '" << regexp_str << "'");
3485                 LYXERR(Debug::FIND, "Setting regexp2 to: '" << regexp2_str << "'");
3486                 CreateRegexp(opt, regexp_str, regexp2_str, par_as_string);
3487         }
3488 }
3489
3490 MatchResult MatchStringAdv::findAux(DocIterator const & cur, int len, bool at_begin) const
3491 {
3492         MatchResult mres;
3493
3494         mres.searched_size = len;
3495         if (at_begin &&
3496                 (opt.restr == FindAndReplaceOptions::R_ONLY_MATHS && !cur.inMathed()) )
3497                 return mres;
3498
3499         docstring docstr = stringifyFromForSearch(opt, cur, len);
3500         string str;
3501         str = normalize(docstr);
3502         if (!opt.ignoreformat) {
3503                 str = correctlanguagesetting(str, false, !opt.ignoreformat);
3504                 // remove closing '}' and '\n' to allow for use of '$' in regex
3505                 size_t lng = str.size();
3506                 while ((lng > 1) && ((str[lng -1] == '}') || (str[lng -1] == '\n')))
3507                         lng--;
3508                 if (lng != str.size()) {
3509                         str = str.substr(0, lng);
3510                 }
3511         }
3512         if (str.empty()) {
3513                 mres.match_len = -1;
3514                 return mres;
3515         }
3516         LYXERR(Debug::FIND, "After normalization: Matching against:\n'" << str << "'");
3517
3518         LASSERT(use_regexp, /**/);
3519         {
3520                 // use_regexp always true
3521                 LYXERR(Debug::FIND, "Searching in regexp mode: at_begin=" << at_begin);
3522 #if QTSEARCH
3523                 QString qstr = QString::fromStdString(str);
3524                 QRegularExpression const *p_regexp;
3525                 QRegularExpression::MatchType flags = QRegularExpression::NormalMatch;
3526                 if (at_begin) {
3527                         p_regexp = &regexp;
3528                 } else {
3529                         p_regexp = &regexp2;
3530                 }
3531                 QRegularExpressionMatch match = p_regexp->match(qstr, 0, flags);
3532                 if (!match.hasMatch())
3533                         return mres;
3534 #else
3535                 regex const *p_regexp;
3536                 regex_constants::match_flag_type flags;
3537                 if (at_begin) {
3538                         flags = regex_constants::match_continuous;
3539                         p_regexp = &regexp;
3540                 } else {
3541                         flags = regex_constants::match_default;
3542                         p_regexp = &regexp2;
3543                 }
3544                 sregex_iterator re_it(str.begin(), str.end(), *p_regexp, flags);
3545                 if (re_it == sregex_iterator())
3546                         return mres;
3547                 match_results<string::const_iterator> const & m = *re_it;
3548 #endif
3549                 // Whole found string, including the leading
3550                 // std: m[0].second - m[0].first
3551                 // Qt: match.capturedEnd(0) - match.capturedStart(0)
3552                 //
3553                 // Size of the leading string
3554                 // std: m[1].second - m[1].first
3555                 // Qt: match.capturedEnd(1) - match.capturedStart(1)
3556                 int leadingsize = 0;
3557 #if QTSEARCH
3558                 if (match.lastCapturedIndex() > 0) {
3559                         leadingsize = match.capturedEnd(1) - match.capturedStart(1);
3560                 }
3561
3562 #else
3563                 if (m.size() > 2) {
3564                         leadingsize = m[1].second - m[1].first;
3565                 }
3566 #endif
3567 #if QTSEARCH
3568                 mres.match_prefix = match.capturedEnd(2) - match.capturedStart(2);
3569                 mres.match_len = match.capturedEnd(0) - match.capturedEnd(2);
3570                 // because of different number of closing at end of string
3571                 // we have to 'unify' the length of the post-match.
3572                 // Done by ignoring closing parenthesis and linefeeds at string end
3573                 int matchend = match.capturedEnd(0);
3574                 size_t strsize = qstr.size();
3575                 if (!opt.ignoreformat) {
3576                         while (mres.match_len > 0) {
3577                                 QChar c = qstr.at(matchend - 1);
3578                                 if ((c == '\n') || (c == '}') || (c == '{')) {
3579                                         mres.match_len--;
3580                                         matchend--;
3581                                 }
3582                                 else
3583                                         break;
3584                         }
3585                         while (strsize > (size_t) match.capturedEnd(0)) {
3586                                 QChar c = qstr.at(strsize-1);
3587                                 if ((c == '\n') || (c == '}')) {
3588                                         --strsize;
3589                                 }
3590                                 else
3591                                         break;
3592                         }
3593                 }
3594                 // LYXERR0(qstr.toStdString());
3595                 mres.match2end = strsize - matchend;
3596                 mres.pos = match.capturedStart(2);
3597 #else
3598                 mres.match_prefix = m[2].second - m[2].first;
3599                 mres.match_len = m[0].second - m[2].second;
3600                 // ignore closing parenthesis and linefeeds at string end
3601                 size_t strend = m[0].second - m[0].first;
3602                 int matchend = strend;
3603                 size_t strsize = str.size();
3604                 if (!opt.ignoreformat) {
3605                         while (mres.match_len > 0) {
3606                                 char c = str.at(matchend - 1);
3607                                 if ((c == '\n') || (c == '}') || (c == '{')) {
3608                                         mres.match_len--;
3609                                         matchend--;
3610                                 }
3611                                 else
3612                                         break;
3613                         }
3614                         while (strsize > strend) {
3615                                 if ((str.at(strsize-1) == '}') || (str.at(strsize-1) == '\n')) {
3616                                         --strsize;
3617                                 }
3618                                 else
3619                                         break;
3620                         }
3621                 }
3622                 // LYXERR0(str);
3623                 mres.match2end = strsize - matchend;
3624                 mres.pos = m[2].first - m[0].first;;
3625 #endif
3626                 if (mres.match2end < 0)
3627                   mres.match_len = 0;
3628                 mres.leadsize = leadingsize;
3629 #if QTSEARCH
3630                 if (mres.match_len > 0) {
3631                   string a0 = match.captured(0).mid(mres.pos + mres.match_prefix, mres.match_len).toStdString();
3632                   mres.result.push_back(a0);
3633                   for (int i = 3; i <= match.lastCapturedIndex(); i++) {
3634                     mres.result.push_back(match.captured(i).toStdString());
3635                   }
3636                 }
3637 #else
3638                 if (mres.match_len > 0) {
3639                   string a0 = m[0].str().substr(mres.pos + mres.match_prefix, mres.match_len);
3640                   mres.result.push_back(a0);
3641                   for (size_t i = 3; i < m.size(); i++) {
3642                     mres.result.push_back(m[i]);
3643                   }
3644                 }
3645 #endif
3646                 return mres;
3647         }
3648 }
3649
3650
3651 MatchResult MatchStringAdv::operator()(DocIterator const & cur, int len, bool at_begin) const
3652 {
3653         MatchResult mres = findAux(cur, len, at_begin);
3654         int res = mres.match_len;
3655         LYXERR(Debug::FIND,
3656                "res=" << res << ", at_begin=" << at_begin
3657                << ", matchAtStart=" << opt.matchAtStart
3658                << ", inTexted=" << cur.inTexted());
3659         if (opt.matchAtStart) {
3660                 if (cur.pos() != 0)
3661                         mres.match_len = 0;
3662                 else if (mres.match_prefix > 0)
3663                         mres.match_len = 0;
3664                 return mres;
3665         }
3666         else
3667                 return mres;
3668 }
3669
3670 #if 0
3671 static bool simple_replace(string &t, string from, string to)
3672 {
3673   regex repl("(\\\\)*(" + from + ")");
3674   string s("");
3675   size_t lastpos = 0;
3676   smatch sub;
3677   for (sregex_iterator it(t.begin(), t.end(), repl), end; it != end; ++it) {
3678     sub = *it;
3679     if ((sub.position(2) - sub.position(0)) % 2 == 1)
3680       continue;
3681     if (lastpos < (size_t) sub.position(2))
3682       s += t.substr(lastpos, sub.position(2) - lastpos);
3683     s += to;
3684     lastpos = sub.position(2) + sub.length(2);
3685   }
3686   if (lastpos == 0)
3687     return false;
3688   else if (lastpos < t.length())
3689     s += t.substr(lastpos, t.length() - lastpos);
3690   t = s;
3691   return true;
3692 }
3693 #endif
3694
3695 string MatchStringAdv::normalize(docstring const & s) const
3696 {
3697         string t;
3698         t = lyx::to_utf8(s);
3699         // Remove \n at begin
3700         while (!t.empty() && t[0] == '\n')
3701                 t = t.substr(1);
3702         // Remove \n at end
3703         while (!t.empty() && t[t.size() - 1] == '\n')
3704                 t = t.substr(0, t.size() - 1);
3705         size_t pos;
3706         // Handle all other '\n'
3707         while ((pos = t.find("\n")) != string::npos) {
3708                 if (pos > 1 && t[pos-1] == '\\' && t[pos-2] == '\\' ) {
3709                         // Handle '\\\n'
3710                         if (isAlnumASCII(t[pos+1])) {
3711                                 t.replace(pos-2, 3, " ");
3712                         }
3713                         else {
3714                                 t.replace(pos-2, 3, "");
3715                         }
3716                 }
3717                 else if (!isAlnumASCII(t[pos+1]) || !isAlnumASCII(t[pos-1])) {
3718                         // '\n' adjacent to non-alpha-numerics, discard
3719                         t.replace(pos, 1, "");
3720                 }
3721                 else {
3722                         // Replace all other \n with spaces
3723                         t.replace(pos, 1, " ");
3724                 }
3725         }
3726         // Remove stale empty \emph{}, \textbf{} and similar blocks from latexify
3727         // Kornel: Added textsl, textsf, textit, texttt and noun
3728         // + allow to seach for colored text too
3729         LYXERR(Debug::FIND, "Removing stale empty macros from: " << t);
3730         while (regex_replace(t, t, "\\\\(emph|noun|text(bf|sl|sf|it|tt)|(u|uu)line|(s|x)out|uwave)(\\{(\\{\\})?\\})+", ""))
3731                 LYXERR(Debug::FIND, "  further removing stale empty \\emph{}, \\textbf{} macros from: " << t);
3732         while (regex_replace(t, t, "\\\\((sub)?(((sub)?section)|paragraph)|part)\\*?(\\{(\\{\\})?\\})+", ""))
3733                 LYXERR(Debug::FIND, "  further removing stale empty \\emph{}, \\textbf{} macros from: " << t);
3734         while (regex_replace(t, t, "\\\\(foreignlanguage|textcolor|item)\\{[a-z]+\\}(\\{(\\{\\})?\\})+", ""));
3735
3736         return t;
3737 }
3738
3739
3740 docstring stringifyFromCursor(DocIterator const & cur, int len)
3741 {
3742         LYXERR(Debug::FIND, "Stringifying with len=" << len << " from cursor at pos: " << cur);
3743         if (cur.inTexted()) {
3744                 Paragraph const & par = cur.paragraph();
3745                 // TODO what about searching beyond/across paragraph breaks ?
3746                 // TODO Try adding a AS_STR_INSERTS as last arg
3747                 pos_type end = ( len == -1 || cur.pos() + len > int(par.size()) ) ?
3748                         int(par.size()) : cur.pos() + len;
3749                 // OutputParams runparams(&cur.buffer()->params().encoding());
3750                 OutputParams runparams(encodings.fromLyXName("utf8"));
3751                 runparams.nice = true;
3752                 runparams.flavor = Flavor::XeTeX;
3753                 runparams.linelen = 10000; //lyxrc.plaintext_linelen;
3754                 // No side effect of file copying and image conversion
3755                 runparams.dryrun = true;
3756                 int option = AS_STR_INSETS | AS_STR_PLAINTEXT;
3757                 if (ignoreFormats.getDeleted()) {
3758                         option |= AS_STR_SKIPDELETE;
3759                         runparams.for_searchAdv = OutputParams::SearchWithoutDeleted;
3760                 }
3761                 else {
3762                         runparams.for_searchAdv = OutputParams::SearchWithDeleted;
3763                 }
3764                 LYXERR(Debug::FIND, "Stringifying with cur: "
3765                        << cur << ", from pos: " << cur.pos() << ", end: " << end);
3766                 return par.asString(cur.pos(), end,
3767                         option,
3768                         &runparams);
3769         } else if (cur.inMathed()) {
3770                 CursorSlice cs = cur.top();
3771                 MathData md = cs.cell();
3772                 MathData::const_iterator it_end =
3773                         (( len == -1 || cs.pos() + len > int(md.size()))
3774                          ? md.end()
3775                          : md.begin() + cs.pos() + len );
3776                 MathData md2;
3777                 for (MathData::const_iterator it = md.begin() + cs.pos();
3778                      it != it_end; ++it)
3779                         md2.push_back(*it);
3780                 docstring s = asString(md2);
3781                 LYXERR(Debug::FIND, "Stringified math: '" << s << "'");
3782                 return s;
3783         }
3784         LYXERR(Debug::FIND, "Don't know how to stringify from here: " << cur);
3785         return docstring();
3786 }
3787
3788
3789 /** Computes the LaTeX export of buf starting from cur and ending len positions
3790  * after cur, if len is positive, or at the paragraph or innermost inset end
3791  * if len is -1.
3792  */
3793 docstring latexifyFromCursor(DocIterator const & cur, int len)
3794 {
3795         /*
3796         LYXERR(Debug::FIND, "Latexifying with len=" << len << " from cursor at pos: " << cur);
3797         LYXERR(Debug::FIND, "  with cur.lastpost=" << cur.lastpos() << ", cur.lastrow="
3798                << cur.lastrow() << ", cur.lastcol=" << cur.lastcol());
3799         */
3800         Buffer const & buf = *cur.buffer();
3801
3802         odocstringstream ods;
3803         otexstream os(ods);
3804         //OutputParams runparams(&buf.params().encoding());
3805         OutputParams runparams(encodings.fromLyXName("utf8"));
3806         runparams.nice = false;
3807         runparams.flavor = Flavor::XeTeX;
3808         runparams.linelen = 8000; //lyxrc.plaintext_linelen;
3809         // No side effect of file copying and image conversion
3810         runparams.dryrun = true;
3811         if (ignoreFormats.getDeleted()) {
3812                 runparams.for_searchAdv = OutputParams::SearchWithoutDeleted;
3813         }
3814         else {
3815                 runparams.for_searchAdv = OutputParams::SearchWithDeleted;
3816         }
3817
3818         if (cur.inTexted()) {
3819                 // @TODO what about searching beyond/across paragraph breaks ?
3820                 pos_type endpos = cur.paragraph().size();
3821                 if (len != -1 && endpos > cur.pos() + len)
3822                         endpos = cur.pos() + len;
3823                 TeXOnePar(buf, *cur.innerText(), cur.pit(), os, runparams,
3824                           string(), cur.pos(), endpos);
3825                 string s = lyx::to_utf8(ods.str());
3826                 LYXERR(Debug::FIND, "Latexified +modified text: '" << s << "'");
3827                 return(lyx::from_utf8(s));
3828         } else if (cur.inMathed()) {
3829                 // Retrieve the math environment type, and add '$' or '$[' or others (\begin{equation}) accordingly
3830                 for (int s = cur.depth() - 1; s >= 0; --s) {
3831                         CursorSlice const & cs = cur[s];
3832                         if (cs.asInsetMath() && cs.asInsetMath()->asHullInset()) {
3833                                 TeXMathStream ws(os);
3834                                 cs.asInsetMath()->asHullInset()->header_write(ws);
3835                                 break;
3836                         }
3837                 }
3838
3839                 CursorSlice const & cs = cur.top();
3840                 MathData md = cs.cell();
3841                 MathData::const_iterator it_end =
3842                         ((len == -1 || cs.pos() + len > int(md.size()))
3843                          ? md.end()
3844                          : md.begin() + cs.pos() + len);
3845                 MathData md2;
3846                 for (MathData::const_iterator it = md.begin() + cs.pos();
3847                      it != it_end; ++it)
3848                         md2.push_back(*it);
3849
3850                 ods << asString(md2);
3851                 // Retrieve the math environment type, and add '$' or '$]'
3852                 // or others (\end{equation}) accordingly
3853                 for (int s = cur.depth() - 1; s >= 0; --s) {
3854                         CursorSlice const & cs2 = cur[s];
3855                         InsetMath * inset = cs2.asInsetMath();
3856                         if (inset && inset->asHullInset()) {
3857                                 TeXMathStream ws(os);
3858                                 inset->asHullInset()->footer_write(ws);
3859                                 break;
3860                         }
3861                 }
3862                 LYXERR(Debug::FIND, "Latexified math: '" << lyx::to_utf8(ods.str()) << "'");
3863         } else {
3864                 LYXERR(Debug::FIND, "Don't know how to stringify from here: " << cur);
3865         }
3866         return ods.str();
3867 }
3868
3869 #if defined(ResultsDebug)
3870 // Debugging output
3871 static void displayMResult(MatchResult &mres, string from, DocIterator & cur)
3872 {
3873         LYXERR0( "from:\t\t\t" << from);
3874         string status;
3875         if (mres.pos_len > 0) {
3876                 // Set in finalize
3877                 status = "FINALSEARCH";
3878         }
3879         else {
3880                 if (mres.match_len > 0) {
3881                         if ((mres.match_prefix == 0) && (mres.pos == mres.leadsize))
3882                                 status = "Good Match";
3883                         else
3884                                 status = "Matched in";
3885                 }
3886                 else
3887                         status = "MissedSearch";
3888         }
3889
3890         LYXERR0( status << "(" << cur.pos() << " ... " << mres.searched_size + cur.pos() << ") cur.lastpos(" << cur.lastpos() << ")");
3891         if ((mres.leadsize > 0) || (mres.match_len > 0) || (mres.match2end > 0))
3892                 LYXERR0( "leadsize(" << mres.leadsize << ") match_len(" << mres.match_len << ") match2end(" << mres.match2end << ")");
3893         if ((mres.pos > 0) || (mres.match_prefix > 0))
3894                 LYXERR0( "pos(" << mres.pos << ") match_prefix(" << mres.match_prefix << ")");
3895         for (size_t i = 0; i < mres.result.size(); i++)
3896                 LYXERR0( "Match " << i << " = \"" << mres.result[i] << "\"");
3897 }
3898         #define displayMres(s, txt, cur) displayMResult(s, txt, cur);
3899 #else
3900         #define displayMres(s, txt, cur)
3901 #endif
3902
3903 /** Finalize an advanced find operation, advancing the cursor to the innermost
3904  ** position that matches, plus computing the length of the matching text to
3905  ** be selected
3906  ** Return the cur.pos() difference between start and end of found match
3907  **/
3908 MatchResult findAdvFinalize(DocIterator & cur, MatchStringAdv const & match, MatchResult const & expected = MatchResult(-1))
3909 {
3910         // Search the foremost position that matches (avoids find of entire math
3911         // inset when match at start of it)
3912         DocIterator old_cur(cur.buffer());
3913         MatchResult mres;
3914         static MatchResult fail = MatchResult();
3915         MatchResult max_match;
3916         // If (prefix_len > 0) means that forwarding 1 position will remove the complete entry
3917         // Happens with e.g. hyperlinks
3918         // either one sees "http://www.bla.bla" or nothing
3919         // so the search for "www" gives prefix_len = 7 (== sizeof("http://")
3920         // and although we search for only 3 chars, we find the whole hyperlink inset
3921         bool at_begin = (expected.match_prefix == 0);
3922         if (!match.opt.forward && match.opt.ignoreformat) {
3923                 if (expected.pos > 0)
3924                         return fail;
3925         }
3926         LASSERT(at_begin, /**/);
3927         if (expected.match_len > 0 && at_begin) {
3928                 // Search for deepest match
3929                 old_cur = cur;
3930                 max_match = expected;
3931                 do {
3932                         size_t d = cur.depth();
3933                         cur.forwardPos();
3934                         if (!cur)
3935                                 break;
3936                         if (cur.depth() < d)
3937                                 break;
3938                         if (cur.depth() == d)
3939                                 break;
3940                         size_t lastd = d;
3941                         while (cur && cur.depth() > lastd) {
3942                                 lastd = cur.depth();
3943                                 mres = match(cur, -1, at_begin);
3944                                 displayMres(mres, "Checking innermost", cur);
3945                                 if (mres.match_len > 0)
3946                                         break;
3947                                 // maybe deeper?
3948                                 cur.forwardPos();
3949                         }
3950                         if (mres.match_len < expected.match_len)
3951                                 break;
3952                         max_match = mres;
3953                         old_cur = cur;;
3954                 } while(1);
3955                 cur = old_cur;
3956         }
3957         else {
3958                 // (expected.match_len <= 0)
3959                 mres = match(cur);      /* match valid only if not searching whole words */
3960                 displayMres(mres, "Start with negative match", cur);
3961                 max_match = mres;
3962         }
3963         if (max_match.match_len <= 0) return fail;
3964         LYXERR(Debug::FIND, "Ok");
3965
3966         // Compute the match length
3967         int len = 1;
3968         if (cur.pos() + len > cur.lastpos())
3969           return fail;
3970
3971         LASSERT(match.use_regexp, /**/);
3972         {
3973           int minl = 1;
3974           int maxl = cur.lastpos() - cur.pos();
3975           // Greedy behaviour while matching regexps
3976           while (maxl > minl) {
3977             MatchResult mres2;
3978             mres2 = match(cur, len, at_begin);
3979             displayMres(mres2, "Finalize loop", cur);
3980             int actual_match_len = mres2.match_len;
3981             if (actual_match_len >= max_match.match_len) {
3982               // actual_match_len > max_match _can_ happen,
3983               // if the search area splits
3984               // some following word so that the regex
3985               // (e.g. 'r.*r\b' matches 'r' from the middle of the
3986               // splitted word)
3987               // This means, the len value is too big
3988               actual_match_len = max_match.match_len;
3989               max_match = mres2;
3990               max_match.match_len = actual_match_len;
3991               maxl = len;
3992               if (maxl - minl < 4)
3993                 len = (maxl + minl)/2;
3994               else
3995                 len = minl + (maxl - minl + 3)/4;
3996             }
3997             else {
3998               // (actual_match_len < max_match.match_len)
3999               minl = len + 1;
4000               len = (maxl + minl)/2;
4001             }
4002           }
4003           len = minl;
4004           old_cur = cur;
4005           // Search for real start of matched characters
4006           while (len > 1) {
4007             MatchResult actual_match;
4008             do {
4009               cur.forwardPos();
4010             } while (cur.depth() > old_cur.depth()); /* Skip inner insets */
4011             if (cur.depth() < old_cur.depth()) {
4012               // Outer inset?
4013               LYXERR(Debug::INFO, "cur.depth() < old_cur.depth(), this should never happen");
4014               break;
4015             }
4016             if (cur.pos() != old_cur.pos()) {
4017               // OK, forwarded 1 pos in actual inset
4018               actual_match = match(cur, len-1, at_begin);
4019               if (actual_match.match_len == max_match.match_len) {
4020                 // Ha, got it! The shorter selection has the same match length
4021                 len--;
4022                 old_cur = cur;
4023                 max_match = actual_match;
4024               }
4025               else {
4026                 // OK, the shorter selection matches less chars, revert to previous value
4027                 cur = old_cur;
4028                 break;
4029               }
4030             }
4031             else {
4032               LYXERR(Debug::INFO, "cur.pos() == old_cur.pos(), this should never happen");
4033               actual_match = match(cur, len, at_begin);
4034               if (actual_match.match_len == max_match.match_len) {
4035                 old_cur = cur;
4036                 max_match = actual_match;
4037               }
4038             }
4039           }
4040           if (len == 0)
4041             return fail;
4042           else {
4043             max_match.pos_len = len;
4044             displayMres(max_match, "SEARCH RESULT", cur)
4045             return max_match;
4046           }
4047         }
4048 }
4049
4050 /// Finds forward
4051 int findForwardAdv(DocIterator & cur, MatchStringAdv & match)
4052 {
4053         if (!cur)
4054                 return 0;
4055         bool repeat = false;
4056         DocIterator orig_cur;   // to be used if repeat not successful
4057         MatchResult orig_mres;
4058         while (!theApp()->longOperationCancelled() && cur) {
4059                 //(void) findAdvForwardInnermost(cur);
4060                 LYXERR(Debug::FIND, "findForwardAdv() cur: " << cur);
4061                 MatchResult mres = match(cur, -1, false);
4062                 string msg = "Starting";
4063                 if (repeat)
4064                         msg = "Repeated";
4065                 displayMres(mres, msg + " findForwardAdv", cur)
4066                 int match_len = mres.match_len;
4067                 if ((mres.pos > 100000) || (mres.match2end > 100000) || (match_len > 100000)) {
4068                         LYXERR(Debug::INFO, "BIG LENGTHS: " << mres.pos << ", " << match_len << ", " << mres.match2end);
4069                         match_len = 0;
4070                 }
4071                 if (match_len <= 0) {
4072                         // This should exit nested insets, if any, or otherwise undefine the currsor.
4073                         cur.pos() = cur.lastpos();
4074                         LYXERR(Debug::FIND, "Advancing pos: cur=" << cur);
4075                         cur.forwardPos();
4076                 }
4077                 else {  // match_len > 0
4078                         // Try to find the begin of searched string
4079                         int increment;
4080                         int firstInvalid = cur.lastpos() - cur.pos();
4081                         {
4082                                 int incrmatch = (mres.match_prefix + mres.pos - mres.leadsize + 1)*3/4;
4083                                 int incrcur = (firstInvalid + 1 )*3/4;
4084                                 if (incrcur < incrmatch)
4085                                         increment = incrcur;
4086                                 else
4087                                         increment = incrmatch;
4088                                 if (increment < 1)
4089                                         increment = 1;
4090                         }
4091                         LYXERR(Debug::FIND, "Set increment to " << increment);
4092                         while (increment > 0) {
4093                                 DocIterator old_cur = cur;
4094                                 if (cur.pos() + increment >= cur.lastpos()) {
4095                                         increment /= 2;
4096                                         continue;
4097                                 }
4098                                 cur.pos() = cur.pos() + increment;
4099                                 MatchResult mres2 = match(cur, -1, false);
4100                                 displayMres(mres2, "findForwardAdv loop", cur)
4101                                 switch (interpretMatch(mres, mres2)) {
4102                                         case MatchResult::newIsTooFar:
4103                                                 // behind the expected match
4104                                                 firstInvalid = increment;
4105                                                 cur = old_cur;
4106                                                 increment /= 2;
4107                                                 break;
4108                                         case MatchResult::newIsBetter:
4109                                                 // not reached yet, but cur.pos()+increment is bettert
4110                                                 mres = mres2;
4111                                                 firstInvalid -= increment;
4112                                                 if (increment > firstInvalid*3/4)
4113                                                         increment = firstInvalid*3/4;
4114                                                 if ((mres2.pos == mres2.leadsize) && (increment >= mres2.match_prefix)) {
4115                                                         if (increment >= mres2.match_prefix)
4116                                                                 increment = (mres2.match_prefix+1)*3/4;
4117                                                 }
4118                                                 break;
4119                                         default:
4120                                                 // Todo@
4121                                                 // Handle not like MatchResult::newIsTooFar
4122                                                 LYXERR0( "Probably too far: Increment = " << increment << " match_prefix = " << mres.match_prefix);
4123                                                 firstInvalid--;
4124                                                 increment = increment*3/4;
4125                                                 cur = old_cur;
4126                                         break;
4127                                 }
4128                         }
4129                         if (mres.match_len > 0) {
4130                                 if (mres.match_prefix + mres.pos - mres.leadsize > 0) {
4131                                         // The match seems to indicate some deeper level 
4132                                         repeat = true;
4133                                         orig_cur = cur;
4134                                         orig_mres = mres;
4135                                         cur.forwardPos();
4136                                         continue;
4137                                 }
4138                         }
4139                         else if (repeat) {
4140                                 // should never be reached.
4141                                 cur = orig_cur;
4142                                 mres = orig_mres;
4143                         }
4144                         // LYXERR0("Leaving first loop");
4145                         LYXERR(Debug::FIND, "Finalizing 1");
4146                         MatchResult found_match = findAdvFinalize(cur, match, mres);
4147                         if (found_match.match_len > 0) {
4148                                 LASSERT(found_match.pos_len > 0, /**/);
4149                                 match.FillResults(found_match);
4150                                 return found_match.pos_len;
4151                         }
4152                         else {
4153                                 // try next possible match
4154                                 cur.forwardPos();
4155                                 repeat = false;
4156                                 continue;
4157                         }
4158                 }
4159         }
4160         return 0;
4161 }
4162
4163
4164 /// Find the most backward consecutive match within same paragraph while searching backwards.
4165 MatchResult findMostBackwards(DocIterator & cur, MatchStringAdv const & match, MatchResult &expected)
4166 {
4167         DocIterator cur_begin = cur;
4168         cur_begin.pos() = 0;
4169         DocIterator tmp_cur = cur;
4170         MatchResult mr = findAdvFinalize(tmp_cur, match, expected);
4171         Inset & inset = cur.inset();
4172         for (; cur != cur_begin; cur.backwardPos()) {
4173                 LYXERR(Debug::FIND, "findMostBackwards(): cur=" << cur);
4174                 DocIterator new_cur = cur;
4175                 new_cur.backwardPos();
4176                 if (new_cur == cur || &new_cur.inset() != &inset || !match(new_cur).match_len)
4177                         break;
4178                 MatchResult new_mr = findAdvFinalize(new_cur, match, expected);
4179                 if (new_mr.match_len == mr.match_len)
4180                         break;
4181                 mr = new_mr;
4182         }
4183         LYXERR(Debug::FIND, "findMostBackwards(): exiting with cur=" << cur);
4184         return mr;
4185 }
4186
4187
4188 /// Finds backwards
4189 int findBackwardsAdv(DocIterator & cur, MatchStringAdv & match)
4190 {
4191         if (! cur)
4192                 return 0;
4193         // Backup of original position
4194         DocIterator cur_begin = doc_iterator_begin(cur.buffer());
4195         if (cur == cur_begin)
4196                 return 0;
4197         cur.backwardPos();
4198         DocIterator cur_orig(cur);
4199         bool pit_changed = false;
4200         do {
4201                 cur.pos() = 0;
4202                 MatchResult found_match = match(cur, -1, false);
4203
4204                 if (found_match.match_len > 0) {
4205                         if (pit_changed)
4206                                 cur.pos() = cur.lastpos();
4207                         else
4208                                 cur.pos() = cur_orig.pos();
4209                         LYXERR(Debug::FIND, "findBackAdv2: cur: " << cur);
4210                         DocIterator cur_prev_iter;
4211                         do {
4212                                 found_match = match(cur);
4213                                 LYXERR(Debug::FIND, "findBackAdv3: found_match="
4214                                        << (found_match.match_len > 0) << ", cur: " << cur);
4215                                 if (found_match.match_len > 0) {
4216                                         MatchResult found_mr = findMostBackwards(cur, match, found_match);
4217                                         if (found_mr.pos_len > 0) {
4218                                                 match.FillResults(found_mr);
4219                                                 return found_mr.pos_len;
4220                                         }
4221                                 }
4222
4223                                 // Stop if begin of document reached
4224                                 if (cur == cur_begin)
4225                                         break;
4226                                 cur_prev_iter = cur;
4227                                 cur.backwardPos();
4228                         } while (true);
4229                 }
4230                 if (cur == cur_begin)
4231                         break;
4232                 if (cur.pit() > 0)
4233                         --cur.pit();
4234                 else
4235                         cur.backwardPos();
4236                 pit_changed = true;
4237         } while (!theApp()->longOperationCancelled());
4238         return 0;
4239 }
4240
4241
4242 } // namespace
4243
4244
4245 docstring stringifyFromForSearch(FindAndReplaceOptions const & opt,
4246                                  DocIterator const & cur, int len)
4247 {
4248         if (cur.pos() < 0 || cur.pos() > cur.lastpos())
4249                 return docstring();
4250         if (!opt.ignoreformat)
4251                 return latexifyFromCursor(cur, len);
4252         else
4253                 return stringifyFromCursor(cur, len);
4254 }
4255
4256
4257 FindAndReplaceOptions::FindAndReplaceOptions(
4258         docstring const & _find_buf_name, bool _casesensitive,
4259         bool _matchword, bool _forward, bool _expandmacros, bool _ignoreformat,
4260         docstring const & _repl_buf_name, bool _keep_case,
4261         SearchScope _scope, SearchRestriction _restr, bool _replace_all)
4262         : find_buf_name(_find_buf_name), casesensitive(_casesensitive), matchword(_matchword),
4263           forward(_forward), expandmacros(_expandmacros), ignoreformat(_ignoreformat),
4264           repl_buf_name(_repl_buf_name), keep_case(_keep_case), scope(_scope), restr(_restr), replace_all(_replace_all)
4265 {
4266 }
4267
4268
4269 namespace {
4270
4271
4272 /** Check if 'len' letters following cursor are all non-lowercase */
4273 static bool allNonLowercase(Cursor const & cur, int len)
4274 {
4275         pos_type beg_pos = cur.selectionBegin().pos();
4276         pos_type end_pos = cur.selectionBegin().pos() + len;
4277         if (len > cur.lastpos() + 1 - beg_pos) {
4278                 LYXERR(Debug::FIND, "This should not happen, more debug needed");
4279                 len = cur.lastpos() + 1 - beg_pos;
4280                 end_pos = beg_pos + len;
4281         }
4282         for (pos_type pos = beg_pos; pos != end_pos; ++pos)
4283                 if (isLowerCase(cur.paragraph().getChar(pos)))
4284                         return false;
4285         return true;
4286 }
4287
4288
4289 /** Check if first letter is upper case and second one is lower case */
4290 static bool firstUppercase(Cursor const & cur)
4291 {
4292         char_type ch1, ch2;
4293         pos_type pos = cur.selectionBegin().pos();
4294         if (pos >= cur.lastpos() - 1) {
4295                 LYXERR(Debug::FIND, "No upper-case at cur: " << cur);
4296                 return false;
4297         }
4298         ch1 = cur.paragraph().getChar(pos);
4299         ch2 = cur.paragraph().getChar(pos + 1);
4300         bool result = isUpperCase(ch1) && isLowerCase(ch2);
4301         LYXERR(Debug::FIND, "firstUppercase(): "
4302                << "ch1=" << ch1 << "(" << char(ch1) << "), ch2="
4303                << ch2 << "(" << char(ch2) << ")"
4304                << ", result=" << result << ", cur=" << cur);
4305         return result;
4306 }
4307
4308
4309 /** Make first letter of supplied buffer upper-case, and the rest lower-case.
4310  **
4311  ** \fixme What to do with possible further paragraphs in replace buffer ?
4312  **/
4313 static void changeFirstCase(Buffer & buffer, TextCase first_case, TextCase others_case)
4314 {
4315         ParagraphList::iterator pit = buffer.paragraphs().begin();
4316         LASSERT(!pit->empty(), /**/);
4317         pos_type right = pos_type(1);
4318         pit->changeCase(buffer.params(), pos_type(0), right, first_case);
4319         right = pit->size();
4320         pit->changeCase(buffer.params(), pos_type(1), right, others_case);
4321 }
4322 } // namespace
4323
4324 static bool replaceMatches(string &t, int maxmatchnum, vector <string> const & replacements)
4325 {
4326   // Should replace the string "$" + std::to_string(matchnum) with replacement
4327   // if the char '$' is not prefixed with odd number of char '\\'
4328   static regex const rematch("(\\\\)*(\\$\\$([0-9]))");
4329   string s;
4330   size_t lastpos = 0;
4331   smatch sub;
4332   for (sregex_iterator it(t.begin(), t.end(), rematch), end; it != end; ++it) {
4333     sub = *it;
4334     if ((sub.position(2) - sub.position(0)) % 2 == 1)
4335       continue;
4336     int num = stoi(sub.str(3), nullptr, 10);
4337     if (num >= maxmatchnum)
4338       continue;
4339     if (lastpos < (size_t) sub.position(2))
4340       s += t.substr(lastpos, sub.position(2) - lastpos);
4341     s += replacements[num];
4342     lastpos = sub.position(2) + sub.length(2);
4343   }
4344   if (lastpos == 0)
4345     return false;
4346   else if (lastpos < t.length())
4347     s += t.substr(lastpos, t.length() - lastpos);
4348   t = s;
4349   return true;
4350 }
4351
4352 ///
4353 static int findAdvReplace(BufferView * bv, FindAndReplaceOptions const & opt, MatchStringAdv & matchAdv)
4354 {
4355         Cursor & cur = bv->cursor();
4356         if (opt.repl_buf_name.empty()
4357             || theBufferList().getBuffer(FileName(to_utf8(opt.repl_buf_name)), true) == 0
4358             || theBufferList().getBuffer(FileName(to_utf8(opt.find_buf_name)), true) == 0)
4359                 return 0;
4360
4361         DocIterator sel_beg = cur.selectionBegin();
4362         DocIterator sel_end = cur.selectionEnd();
4363         if (&sel_beg.inset() != &sel_end.inset()
4364             || sel_beg.pit() != sel_end.pit()
4365             || sel_beg.idx() != sel_end.idx())
4366                 return 0;
4367         int sel_len = sel_end.pos() - sel_beg.pos();
4368         LYXERR(Debug::FIND, "sel_beg: " << sel_beg << ", sel_end: " << sel_end
4369                << ", sel_len: " << sel_len << endl);
4370         if (sel_len == 0)
4371                 return 0;
4372         LASSERT(sel_len > 0, return 0);
4373
4374         if (!matchAdv(sel_beg, sel_len).match_len)
4375                 return 0;
4376
4377         // Build a copy of the replace buffer, adapted to the KeepCase option
4378         Buffer const & repl_buffer_orig = *theBufferList().getBuffer(FileName(to_utf8(opt.repl_buf_name)), true);
4379         ostringstream oss;
4380         repl_buffer_orig.write(oss);
4381         string lyx = oss.str();
4382         if (matchAdv.valid_matches > 0)
4383                 replaceMatches(lyx, matchAdv.valid_matches, matchAdv.matches);
4384         Buffer repl_buffer(string(), false);
4385         repl_buffer.setInternal(true);
4386         repl_buffer.setUnnamed(true);
4387         LASSERT(repl_buffer.readString(lyx), return 0);
4388         if (opt.keep_case && sel_len >= 2) {
4389                 LYXERR(Debug::FIND, "keep_case true: cur.pos()=" << cur.pos() << ", sel_len=" << sel_len);
4390                 if (cur.inTexted()) {
4391                         if (firstUppercase(cur))
4392                                 changeFirstCase(repl_buffer, text_uppercase, text_lowercase);
4393                         else if (allNonLowercase(cur, sel_len))
4394                                 changeFirstCase(repl_buffer, text_uppercase, text_uppercase);
4395                 }
4396         }
4397         cap::cutSelection(cur, false);
4398         if (cur.inTexted()) {
4399                 repl_buffer.changeLanguage(
4400                         repl_buffer.language(),
4401                         cur.getFont().language());
4402                 LYXERR(Debug::FIND, "Replacing by pasteParagraphList()ing repl_buffer");
4403                 LYXERR(Debug::FIND, "Before pasteParagraphList() cur=" << cur << endl);
4404                 cap::pasteParagraphList(cur, repl_buffer.paragraphs(),
4405                                         repl_buffer.params().documentClassPtr(),
4406                                         repl_buffer.params().authors(),
4407                                         bv->buffer().errorList("Paste"));
4408                 LYXERR(Debug::FIND, "After pasteParagraphList() cur=" << cur << endl);
4409                 sel_len = repl_buffer.paragraphs().begin()->size();
4410         } else if (cur.inMathed()) {
4411                 odocstringstream ods;
4412                 otexstream os(ods);
4413                 // OutputParams runparams(&repl_buffer.params().encoding());
4414                 OutputParams runparams(encodings.fromLyXName("utf8"));
4415                 runparams.nice = false;
4416                 runparams.flavor = Flavor::XeTeX;
4417                 runparams.linelen = 8000; //lyxrc.plaintext_linelen;
4418                 runparams.dryrun = true;
4419                 TeXOnePar(repl_buffer, repl_buffer.text(), 0, os, runparams);
4420                 //repl_buffer.getSourceCode(ods, 0, repl_buffer.paragraphs().size(), false);
4421                 docstring repl_latex = ods.str();
4422                 LYXERR(Debug::FIND, "Latexified replace_buffer: '" << repl_latex << "'");
4423                 string s;
4424                 (void)regex_replace(to_utf8(repl_latex), s, "\\$(.*)\\$", "$1");
4425                 (void)regex_replace(s, s, "\\\\\\[(.*)\\\\\\]", "$1");
4426                 repl_latex = from_utf8(s);
4427                 LYXERR(Debug::FIND, "Replacing by insert()ing latex: '" << repl_latex << "' cur=" << cur << " with depth=" << cur.depth());
4428                 MathData ar(cur.buffer());
4429                 asArray(repl_latex, ar, Parse::NORMAL);
4430                 cur.insert(ar);
4431                 sel_len = ar.size();
4432                 LYXERR(Debug::FIND, "After insert() cur=" << cur << " with depth: " << cur.depth() << " and len: " << sel_len);
4433         }
4434         if (cur.pos() >= sel_len)
4435                 cur.pos() -= sel_len;
4436         else
4437                 cur.pos() = 0;
4438         LYXERR(Debug::FIND, "After pos adj cur=" << cur << " with depth: " << cur.depth() << " and len: " << sel_len);
4439         bv->putSelectionAt(DocIterator(cur), sel_len, !opt.forward);
4440         bv->processUpdateFlags(Update::Force);
4441         return 1;
4442 }
4443
4444
4445 /// Perform a FindAdv operation.
4446 bool findAdv(BufferView * bv, FindAndReplaceOptions & opt)
4447 {
4448         DocIterator cur;
4449         int pos_len = 0;
4450
4451         // e.g., when invoking word-findadv from mini-buffer wither with
4452         //       wrong options syntax or before ever opening advanced F&R pane
4453         if (theBufferList().getBuffer(FileName(to_utf8(opt.find_buf_name)), true) == 0)
4454                 return false;
4455
4456         try {
4457                 MatchStringAdv matchAdv(bv->buffer(), opt);
4458 #if QTSEARCH
4459                 if (!matchAdv.regexIsValid) {
4460                         bv->message(lyx::from_utf8(matchAdv.regexError));
4461                         return(false);
4462                 }
4463 #endif
4464                 int length = bv->cursor().selectionEnd().pos() - bv->cursor().selectionBegin().pos();
4465                 if (length > 0)
4466                         bv->putSelectionAt(bv->cursor().selectionBegin(), length, !opt.forward);
4467                 num_replaced += findAdvReplace(bv, opt, matchAdv);
4468                 cur = bv->cursor();
4469                 if (opt.forward)
4470                         pos_len = findForwardAdv(cur, matchAdv);
4471                 else
4472                         pos_len = findBackwardsAdv(cur, matchAdv);
4473         } catch (exception & ex) {
4474                 bv->message(from_utf8(ex.what()));
4475                 return false;
4476         }
4477
4478         if (pos_len == 0) {
4479                 if (num_replaced > 0) {
4480                         switch (num_replaced)
4481                         {
4482                                 case 1:
4483                                         bv->message(_("One match has been replaced."));
4484                                         break;
4485                                 case 2:
4486                                         bv->message(_("Two matches have been replaced."));
4487                                         break;
4488                                 default:
4489                                         bv->message(bformat(_("%1$d matches have been replaced."), num_replaced));
4490                                         break;
4491                         }
4492                         num_replaced = 0;
4493                 }
4494                 else {
4495                         bv->message(_("Match not found."));
4496                 }
4497                 return false;
4498         }
4499
4500         if (num_replaced > 0)
4501                 bv->message(_("Match has been replaced."));
4502         else
4503                 bv->message(_("Match found."));
4504
4505         if (cur.pos() + pos_len > cur.lastpos()) {
4506                 // Prevent crash in bv->putSelectionAt()
4507                 // Should never happen, maybe LASSERT() here?
4508                 pos_len = cur.lastpos() - cur.pos();
4509         }
4510         LYXERR(Debug::FIND, "Putting selection at cur=" << cur << " with len: " << pos_len);
4511         bv->putSelectionAt(cur, pos_len, !opt.forward);
4512
4513         return true;
4514 }
4515
4516
4517 ostringstream & operator<<(ostringstream & os, FindAndReplaceOptions const & opt)
4518 {
4519         os << to_utf8(opt.find_buf_name) << "\nEOSS\n"
4520            << opt.casesensitive << ' '
4521            << opt.matchword << ' '
4522            << opt.forward << ' '
4523            << opt.expandmacros << ' '
4524            << opt.ignoreformat << ' '
4525            << opt.replace_all << ' '
4526            << to_utf8(opt.repl_buf_name) << "\nEOSS\n"
4527            << opt.keep_case << ' '
4528            << int(opt.scope) << ' '
4529            << int(opt.restr);
4530
4531         LYXERR(Debug::FIND, "built: " << os.str());
4532
4533         return os;
4534 }
4535
4536
4537 istringstream & operator>>(istringstream & is, FindAndReplaceOptions & opt)
4538 {
4539         // LYXERR(Debug::FIND, "parsing");
4540         string s;
4541         string line;
4542         getline(is, line);
4543         while (line != "EOSS") {
4544                 if (! s.empty())
4545                         s = s + "\n";
4546                 s = s + line;
4547                 if (is.eof())   // Tolerate malformed request
4548                         break;
4549                 getline(is, line);
4550         }
4551         // LYXERR(Debug::FIND, "file_buf_name: '" << s << "'");
4552         opt.find_buf_name = from_utf8(s);
4553         is >> opt.casesensitive >> opt.matchword >> opt.forward >> opt.expandmacros >> opt.ignoreformat >> opt.replace_all;
4554         is.get();       // Waste space before replace string
4555         s = "";
4556         getline(is, line);
4557         while (line != "EOSS") {
4558                 if (! s.empty())
4559                         s = s + "\n";
4560                 s = s + line;
4561                 if (is.eof())   // Tolerate malformed request
4562                         break;
4563                 getline(is, line);
4564         }
4565         // LYXERR(Debug::FIND, "repl_buf_name: '" << s << "'");
4566         opt.repl_buf_name = from_utf8(s);
4567         is >> opt.keep_case;
4568         int i;
4569         is >> i;
4570         opt.scope = FindAndReplaceOptions::SearchScope(i);
4571         is >> i;
4572         opt.restr = FindAndReplaceOptions::SearchRestriction(i);
4573
4574         /*
4575         LYXERR(Debug::FIND, "parsed: " << opt.casesensitive << ' ' << opt.matchword << ' ' << opt.forward << ' '
4576                << opt.expandmacros << ' ' << opt.ignoreformat << ' ' << opt.keep_case << ' '
4577                << opt.scope << ' ' << opt.restr);
4578         */
4579         return is;
4580 }
4581
4582 } // namespace lyx