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