]> git.lyx.org Git - lyx.git/blob - src/insets/InsetInclude.cpp
Revert "Attempt to fix bug 9158 using updateBuffer."
[lyx.git] / src / insets / InsetInclude.cpp
1 /**
2  * \file InsetInclude.cpp
3  * This file is part of LyX, the document processor.
4  * Licence details can be found in the file COPYING.
5  *
6  * \author Lars Gullik Bjønnes
7  * \author Richard Heck (conversion to InsetCommand)
8  *
9  * Full author contact details are available in file CREDITS.
10  */
11
12 #include <config.h>
13
14 #include "InsetInclude.h"
15
16 #include "Buffer.h"
17 #include "buffer_funcs.h"
18 #include "BufferList.h"
19 #include "BufferParams.h"
20 #include "BufferView.h"
21 #include "Converter.h"
22 #include "Cursor.h"
23 #include "DispatchResult.h"
24 #include "Encoding.h"
25 #include "ErrorList.h"
26 #include "Exporter.h"
27 #include "Format.h"
28 #include "FuncRequest.h"
29 #include "FuncStatus.h"
30 #include "LaTeXFeatures.h"
31 #include "LayoutFile.h"
32 #include "LayoutModuleList.h"
33 #include "LyX.h"
34 #include "Lexer.h"
35 #include "MetricsInfo.h"
36 #include "output_plaintext.h"
37 #include "output_xhtml.h"
38 #include "OutputParams.h"
39 #include "texstream.h"
40 #include "TextClass.h"
41 #include "TocBackend.h"
42
43 #include "frontends/alert.h"
44 #include "frontends/Painter.h"
45
46 #include "graphics/PreviewImage.h"
47 #include "graphics/PreviewLoader.h"
48
49 #include "insets/InsetLabel.h"
50 #include "insets/InsetListingsParams.h"
51 #include "insets/RenderPreview.h"
52
53 #include "mathed/MacroTable.h"
54
55 #include "support/convert.h"
56 #include "support/debug.h"
57 #include "support/docstream.h"
58 #include "support/FileNameList.h"
59 #include "support/filetools.h"
60 #include "support/gettext.h"
61 #include "support/lassert.h"
62 #include "support/lstrings.h" // contains
63 #include "support/lyxalgo.h"
64 #include "support/mutex.h"
65 #include "support/ExceptionMessage.h"
66
67 #include "support/bind.h"
68
69 using namespace std;
70 using namespace lyx::support;
71
72 namespace lyx {
73
74 namespace Alert = frontend::Alert;
75
76
77 namespace {
78
79 docstring const uniqueID()
80 {
81         static unsigned int seed = 1000;
82         static Mutex mutex;
83         Mutex::Locker lock(&mutex);
84         return "file" + convert<docstring>(++seed);
85 }
86
87
88 /// the type of inclusion
89 enum Types {
90         INCLUDE, VERB, INPUT, VERBAST, LISTINGS, NONE
91 };
92
93
94 Types type(string const & s)
95 {
96         if (s == "input")
97                 return INPUT;
98         if (s == "verbatiminput")
99                 return VERB;
100         if (s == "verbatiminput*")
101                 return VERBAST;
102         if (s == "lstinputlisting" || s == "inputminted")
103                 return LISTINGS;
104         if (s == "include")
105                 return INCLUDE;
106         return NONE;
107 }
108
109
110 Types type(InsetCommandParams const & params)
111 {
112         return type(params.getCmdName());
113 }
114
115
116 bool isListings(InsetCommandParams const & params)
117 {
118         return type(params) == LISTINGS;
119 }
120
121
122 bool isVerbatim(InsetCommandParams const & params)
123 {
124         Types const t = type(params);
125         return t == VERB || t == VERBAST;
126 }
127
128
129 bool isInputOrInclude(InsetCommandParams const & params)
130 {
131         Types const t = type(params);
132         return t == INPUT || t == INCLUDE;
133 }
134
135
136 FileName const masterFileName(Buffer const & buffer)
137 {
138         return buffer.masterBuffer()->fileName();
139 }
140
141
142 void add_preview(RenderMonitoredPreview &, InsetInclude const &, Buffer const &);
143
144
145 string const parentFileName(Buffer const & buffer)
146 {
147         return buffer.absFileName();
148 }
149
150
151 FileName const includedFileName(Buffer const & buffer,
152                               InsetCommandParams const & params)
153 {
154         return makeAbsPath(to_utf8(params["filename"]),
155                         onlyPath(parentFileName(buffer)));
156 }
157
158
159 InsetLabel * createLabel(Buffer * buf, docstring const & label_str)
160 {
161         if (label_str.empty())
162                 return 0;
163         InsetCommandParams icp(LABEL_CODE);
164         icp["name"] = label_str;
165         return new InsetLabel(buf, icp);
166 }
167
168 } // namespace
169
170
171 InsetInclude::InsetInclude(Buffer * buf, InsetCommandParams const & p)
172         : InsetCommand(buf, p), include_label(uniqueID()),
173           preview_(make_unique<RenderMonitoredPreview>(this)), failedtoload_(false),
174           set_label_(false), label_(0), child_buffer_(0)
175 {
176         preview_->connect([=](){ fileChanged(); });
177
178         if (isListings(params())) {
179                 InsetListingsParams listing_params(to_utf8(p["lstparams"]));
180                 label_ = createLabel(buffer_, from_utf8(listing_params.getParamValue("label")));
181         } else if (isInputOrInclude(params()) && buf)
182                 loadIfNeeded();
183 }
184
185
186 InsetInclude::InsetInclude(InsetInclude const & other)
187         : InsetCommand(other), include_label(other.include_label),
188           preview_(make_unique<RenderMonitoredPreview>(this)), failedtoload_(false),
189           set_label_(false), label_(0), child_buffer_(0)
190 {
191         preview_->connect([=](){ fileChanged(); });
192
193         if (other.label_)
194                 label_ = new InsetLabel(*other.label_);
195 }
196
197
198 InsetInclude::~InsetInclude()
199 {
200         if (isBufferLoaded())
201                 /* We do not use buffer() because Coverity believes that this
202                  * may throw an exception. Actually this code path is not
203                  * taken when buffer_ == 0 */
204                 buffer_->invalidateBibfileCache();
205         delete label_;
206 }
207
208
209 void InsetInclude::setBuffer(Buffer & buffer)
210 {
211         InsetCommand::setBuffer(buffer);
212         if (label_)
213                 label_->setBuffer(buffer);
214 }
215
216
217 void InsetInclude::setChildBuffer(Buffer * buffer)
218 {
219         child_buffer_ = buffer;
220 }
221
222
223 ParamInfo const & InsetInclude::findInfo(string const & /* cmdName */)
224 {
225         // FIXME
226         // This is only correct for the case of listings, but it'll do for now.
227         // In the other cases, this second parameter should just be empty.
228         static ParamInfo param_info_;
229         if (param_info_.empty()) {
230                 param_info_.add("filename", ParamInfo::LATEX_REQUIRED);
231                 param_info_.add("lstparams", ParamInfo::LATEX_OPTIONAL);
232         }
233         return param_info_;
234 }
235
236
237 bool InsetInclude::isCompatibleCommand(string const & s)
238 {
239         return type(s) != NONE;
240 }
241
242
243 void InsetInclude::doDispatch(Cursor & cur, FuncRequest & cmd)
244 {
245         switch (cmd.action()) {
246
247         case LFUN_INSET_EDIT: {
248                 editIncluded(to_utf8(params()["filename"]));
249                 break;
250         }
251
252         case LFUN_INSET_MODIFY: {
253                 // It should be OK just to invalidate the cache in setParams()
254                 // If not....
255                 // child_buffer_ = 0;
256                 InsetCommandParams p(INCLUDE_CODE);
257                 if (cmd.getArg(0) == "changetype") {
258                         cur.recordUndo();
259                         InsetCommand::doDispatch(cur, cmd);
260                         p = params();
261                 } else
262                         InsetCommand::string2params(to_utf8(cmd.argument()), p);
263                 if (!p.getCmdName().empty()) {
264                         if (isListings(p)){
265                                 InsetListingsParams new_params(to_utf8(p["lstparams"]));
266                                 docstring const new_label =
267                                         from_utf8(new_params.getParamValue("label"));
268
269                                 if (new_label.empty()) {
270                                         delete label_;
271                                         label_ = 0;
272                                 } else {
273                                         docstring old_label;
274                                         if (label_)
275                                                 old_label = label_->getParam("name");
276                                         else {
277                                                 label_ = createLabel(buffer_, new_label);
278                                                 label_->setBuffer(buffer());
279                                         }
280
281                                         if (new_label != old_label) {
282                                                 label_->updateLabelAndRefs(new_label, &cur);
283                                                 // the label might have been adapted (duplicate)
284                                                 if (new_label != label_->getParam("name")) {
285                                                         new_params.addParam("label", "{" +
286                                                                 to_utf8(label_->getParam("name")) + "}", true);
287                                                         p["lstparams"] = from_utf8(new_params.params());
288                                                 }
289                                         }
290                                 }
291                         }
292                         cur.recordUndo();
293                         setParams(p);
294                         cur.forceBufferUpdate();
295                 } else
296                         cur.noScreenUpdate();
297                 break;
298         }
299
300         //pass everything else up the chain
301         default:
302                 InsetCommand::doDispatch(cur, cmd);
303                 break;
304         }
305 }
306
307
308 void InsetInclude::editIncluded(string const & file)
309 {
310         string const ext = support::getExtension(file);
311         if (ext == "lyx") {
312                 FuncRequest fr(LFUN_BUFFER_CHILD_OPEN, file);
313                 lyx::dispatch(fr);
314         } else
315                 // tex file or other text file in verbatim mode
316                 theFormats().edit(buffer(),
317                         support::makeAbsPath(file, support::onlyPath(buffer().absFileName())),
318                         "text");
319 }
320
321
322 bool InsetInclude::getStatus(Cursor & cur, FuncRequest const & cmd,
323                 FuncStatus & flag) const
324 {
325         switch (cmd.action()) {
326
327         case LFUN_INSET_EDIT:
328                 flag.setEnabled(true);
329                 return true;
330
331         case LFUN_INSET_MODIFY:
332                 if (cmd.getArg(0) == "changetype")
333                         return InsetCommand::getStatus(cur, cmd, flag);
334                 else
335                         flag.setEnabled(true);
336                 return true;
337
338         default:
339                 return InsetCommand::getStatus(cur, cmd, flag);
340         }
341 }
342
343
344 void InsetInclude::setParams(InsetCommandParams const & p)
345 {
346         // invalidate the cache
347         child_buffer_ = 0;
348
349         InsetCommand::setParams(p);
350         set_label_ = false;
351
352         if (preview_->monitoring())
353                 preview_->stopMonitoring();
354
355         if (type(params()) == INPUT)
356                 add_preview(*preview_, *this, buffer());
357
358         buffer().invalidateBibfileCache();
359 }
360
361
362 bool InsetInclude::isChildIncluded() const
363 {
364         std::list<std::string> includeonlys =
365                 buffer().params().getIncludedChildren();
366         if (includeonlys.empty())
367                 return true;
368         return (std::find(includeonlys.begin(),
369                           includeonlys.end(),
370                           to_utf8(params()["filename"])) != includeonlys.end());
371 }
372
373
374 docstring InsetInclude::screenLabel() const
375 {
376         docstring temp;
377
378         switch (type(params())) {
379                 case INPUT:
380                         temp = buffer().B_("Input");
381                         break;
382                 case VERB:
383                         temp = buffer().B_("Verbatim Input");
384                         break;
385                 case VERBAST:
386                         temp = buffer().B_("Verbatim Input*");
387                         break;
388                 case INCLUDE:
389                         if (isChildIncluded())
390                                 temp = buffer().B_("Include");
391                         else
392                                 temp += buffer().B_("Include (excluded)");
393                         break;
394                 case LISTINGS:
395                         temp = listings_label_;
396                         break;
397                 case NONE:
398                         LASSERT(false, temp = buffer().B_("Unknown"));
399                         break;
400         }
401
402         temp += ": ";
403
404         if (params()["filename"].empty())
405                 temp += "???";
406         else
407                 temp += from_utf8(onlyFileName(to_utf8(params()["filename"])));
408
409         return temp;
410 }
411
412
413 Buffer * InsetInclude::getChildBuffer() const
414 {
415         Buffer * childBuffer = loadIfNeeded();
416
417         // FIXME RECURSIVE INCLUDE
418         // This isn't sufficient, as the inclusion could be downstream.
419         // But it'll have to do for now.
420         return (childBuffer == &buffer()) ? 0 : childBuffer;
421 }
422
423
424 Buffer * InsetInclude::loadIfNeeded() const
425 {
426         // This is for background export and preview. We don't even want to
427         // try to load the cloned child document again.
428         if (buffer().isClone())
429                 return child_buffer_;
430
431         // Don't try to load it again if we failed before.
432         if (failedtoload_ || isVerbatim(params()) || isListings(params()))
433                 return 0;
434
435         FileName const included_file = includedFileName(buffer(), params());
436         // Use cached Buffer if possible.
437         if (child_buffer_ != 0) {
438                 if (theBufferList().isLoaded(child_buffer_)
439                     // additional sanity check: make sure the Buffer really is
440                     // associated with the file we want.
441                     && child_buffer_ == theBufferList().getBuffer(included_file))
442                         return child_buffer_;
443                 // Buffer vanished, so invalidate cache and try to reload.
444                 child_buffer_ = 0;
445         }
446
447         if (!isLyXFileName(included_file.absFileName()))
448                 return 0;
449
450         Buffer * child = theBufferList().getBuffer(included_file);
451         if (!child) {
452                 // the readonly flag can/will be wrong, not anymore I think.
453                 if (!included_file.exists())
454                         return 0;
455
456                 child = theBufferList().newBuffer(included_file.absFileName());
457                 if (!child)
458                         // Buffer creation is not possible.
459                         return 0;
460
461                 // Set parent before loading, such that macros can be tracked
462                 child->setParent(&buffer());
463
464                 if (child->loadLyXFile() != Buffer::ReadSuccess) {
465                         failedtoload_ = true;
466                         child->setParent(0);
467                         //close the buffer we just opened
468                         theBufferList().release(child);
469                         return 0;
470                 }
471
472                 if (!child->errorList("Parse").empty()) {
473                         // FIXME: Do something.
474                 }
475         } else {
476                 // The file was already loaded, so, simply
477                 // inform parent buffer about local macros.
478                 Buffer const * parent = &buffer();
479                 child->setParent(parent);
480                 MacroNameSet macros;
481                 child->listMacroNames(macros);
482                 MacroNameSet::const_iterator cit = macros.begin();
483                 MacroNameSet::const_iterator end = macros.end();
484                 for (; cit != end; ++cit)
485                         parent->usermacros.insert(*cit);
486         }
487
488         // Cache the child buffer.
489         child_buffer_ = child;
490         return child;
491 }
492
493
494 void InsetInclude::latex(otexstream & os, OutputParams const & runparams) const
495 {
496         string incfile = to_utf8(params()["filename"]);
497
498         // Do nothing if no file name has been specified
499         if (incfile.empty())
500                 return;
501
502         FileName const included_file = includedFileName(buffer(), params());
503
504         // Check we're not trying to include ourselves.
505         // FIXME RECURSIVE INCLUDE
506         // This isn't sufficient, as the inclusion could be downstream.
507         // But it'll have to do for now.
508         if (isInputOrInclude(params()) &&
509                 buffer().absFileName() == included_file.absFileName())
510         {
511                 Alert::error(_("Recursive input"),
512                                bformat(_("Attempted to include file %1$s in itself! "
513                                "Ignoring inclusion."), from_utf8(incfile)));
514                 return;
515         }
516
517         Buffer const * const masterBuffer = buffer().masterBuffer();
518
519         // if incfile is relative, make it relative to the master
520         // buffer directory.
521         if (!FileName::isAbsolute(incfile)) {
522                 // FIXME UNICODE
523                 incfile = to_utf8(makeRelPath(from_utf8(included_file.absFileName()),
524                                               from_utf8(masterBuffer->filePath())));
525         }
526
527         string exppath = incfile;
528         if (!runparams.export_folder.empty()) {
529                 exppath = makeAbsPath(exppath, runparams.export_folder).realPath();
530                 FileName(exppath).onlyPath().createPath();
531         }
532
533         // write it to a file (so far the complete file)
534         string exportfile;
535         string mangled;
536         // bug 5681
537         if (type(params()) == LISTINGS) {
538                 exportfile = exppath;
539                 mangled = DocFileName(included_file).mangledFileName();
540         } else {
541                 exportfile = changeExtension(exppath, ".tex");
542                 mangled = DocFileName(changeExtension(included_file.absFileName(), ".tex")).
543                         mangledFileName();
544         }
545
546         if (!runparams.nice)
547                 incfile = mangled;
548         else if (!runparams.silent)
549                 ; // no warning wanted
550         else if (!isValidLaTeXFileName(incfile)) {
551                 frontend::Alert::warning(_("Invalid filename"),
552                         _("The following filename will cause troubles "
553                                 "when running the exported file through LaTeX: ") +
554                         from_utf8(incfile));
555         } else if (!isValidDVIFileName(incfile)) {
556                 frontend::Alert::warning(_("Problematic filename for DVI"),
557                         _("The following filename can cause troubles "
558                                 "when running the exported file through LaTeX "
559                                 "and opening the resulting DVI: ") +
560                         from_utf8(incfile), true);
561         }
562
563         FileName const writefile(makeAbsPath(mangled, runparams.for_preview ?
564                                                  buffer().temppath() : masterBuffer->temppath()));
565
566         LYXERR(Debug::LATEX, "incfile:" << incfile);
567         LYXERR(Debug::LATEX, "exportfile:" << exportfile);
568         LYXERR(Debug::LATEX, "writefile:" << writefile);
569
570         string const tex_format = flavor2format(runparams.flavor);
571
572         switch (type(params())) {
573         case VERB:
574         case VERBAST: {
575                 incfile = latex_path(incfile);
576                 // FIXME UNICODE
577                 os << '\\' << from_ascii(params().getCmdName()) << '{'
578                    << from_utf8(incfile) << '}';
579                 break;
580         }
581         case INPUT: {
582                 runparams.exportdata->addExternalFile(tex_format, writefile,
583                                                       exportfile);
584
585                 // \input wants file with extension (default is .tex)
586                 if (!isLyXFileName(included_file.absFileName())) {
587                         incfile = latex_path(incfile);
588                         // FIXME UNICODE
589                         os << '\\' << from_ascii(params().getCmdName())
590                            << '{' << from_utf8(incfile) << '}';
591                 } else {
592                         incfile = changeExtension(incfile, ".tex");
593                         incfile = latex_path(incfile);
594                         // FIXME UNICODE
595                         os << '\\' << from_ascii(params().getCmdName())
596                            << '{' << from_utf8(incfile) <<  '}';
597                 }
598                 break;
599         }
600         case LISTINGS: {
601                 // Here, listings and minted have sligthly different behaviors.
602                 // Using listings, it is always possible to have a caption,
603                 // even for non-floats. Using minted, only floats can have a
604                 // caption. So, with minted we use the following strategy.
605                 // If a caption was specified but the float parameter was not,
606                 // we ourselves add a caption above the listing (because the
607                 // listing comes from a file and might span several pages).
608                 // Otherwise, if float was specified, the floating listing
609                 // environment provided by minted is used. In either case, the
610                 // label parameter is taken as the label by which the float
611                 // can be referenced, otherwise it will have the meaning
612                 // intended by minted. In this last case, the label will
613                 // serve as a sort of caption that, however, will be shown
614                 // by minted only if the frame parameter is also specified.
615                 bool const use_minted = buffer().params().use_minted;
616                 runparams.exportdata->addExternalFile(tex_format, writefile,
617                                                       exportfile);
618                 string const opt = to_utf8(params()["lstparams"]);
619                 // opt is set in QInclude dialog and should have passed validation.
620                 InsetListingsParams lstparams(opt);
621                 docstring parameters = from_utf8(lstparams.params());
622                 docstring language;
623                 docstring caption;
624                 docstring label;
625                 docstring placement;
626                 bool isfloat = lstparams.isFloat();
627                 // Get float placement, language, caption, and
628                 // label, then remove the relative options if minted.
629                 vector<docstring> opts =
630                         getVectorFromString(parameters, from_ascii(","), false);
631                 vector<docstring> latexed_opts;
632                 for (size_t i = 0; i < opts.size(); ++i) {
633                         if (use_minted && prefixIs(opts[i], from_ascii("float"))) {
634                                 if (prefixIs(opts[i], from_ascii("float=")))
635                                         placement = opts[i].substr(6);
636                                 opts.erase(opts.begin() + i--);
637                         } else if (use_minted && prefixIs(opts[i], from_ascii("language="))) {
638                                 language = opts[i].substr(9);
639                                 opts.erase(opts.begin() + i--);
640                         } else if (prefixIs(opts[i], from_ascii("caption="))) {
641                                 // FIXME We should use HANDLING_LATEXIFY here,
642                                 // but that's a file format change (see #10455).
643                                 caption = opts[i].substr(8);
644                                 opts.erase(opts.begin() + i--);
645                                 if (!use_minted)
646                                         latexed_opts.push_back(from_ascii("caption=") + caption);
647                         } else if (prefixIs(opts[i], from_ascii("label="))) {
648                                 label = params().prepareCommand(runparams, trim(opts[i].substr(6), "{}"),
649                                                                 ParamInfo::HANDLING_ESCAPE);
650                                 opts.erase(opts.begin() + i--);
651                                 if (!use_minted)
652                                         latexed_opts.push_back(from_ascii("label={") + label + "}");
653                         }
654                         if (use_minted && !label.empty()) {
655                                 if (isfloat || !caption.empty())
656                                         label = trim(label, "{}");
657                                 else
658                                         opts.push_back(from_ascii("label=") + label);
659                         }
660                 }
661                 if (!latexed_opts.empty())
662                         opts.insert(opts.end(), latexed_opts.begin(), latexed_opts.end());
663                 parameters = getStringFromVector(opts, from_ascii(","));
664                 if (language.empty())
665                         language = from_ascii("TeX");
666                 if (use_minted && isfloat) {
667                         os << breakln << "\\begin{listing}";
668                         if (!placement.empty())
669                                 os << '[' << placement << "]";
670                         os << breakln;
671                 } else if (use_minted && !caption.empty()) {
672                         os << breakln << "\\lyxmintcaption[t]{" << caption;
673                         if (!label.empty())
674                                 os << "\\label{" << label << "}";
675                         os << "}\n";
676                 }
677                 os << (use_minted ? "\\inputminted" : "\\lstinputlisting");
678                 if (!parameters.empty())
679                         os << "[" << parameters << "]";
680                 if (use_minted)
681                         os << '{'  << ascii_lowercase(language) << '}';
682                 os << '{'  << incfile << '}';
683                 if (use_minted && isfloat) {
684                         if (!caption.empty())
685                                 os << breakln << "\\caption{" << caption << "}";
686                         if (!label.empty())
687                                 os << breakln << "\\label{" << label << "}";
688                         os << breakln << "\\end{listing}\n";
689                 }
690                 break;
691         }
692         case INCLUDE: {
693                 runparams.exportdata->addExternalFile(tex_format, writefile,
694                                                       exportfile);
695
696                 // \include don't want extension and demands that the
697                 // file really have .tex
698                 incfile = changeExtension(incfile, string());
699                 incfile = latex_path(incfile);
700                 // FIXME UNICODE
701                 os << '\\' << from_ascii(params().getCmdName()) << '{'
702                    << from_utf8(incfile) << '}';
703                 break;
704         }
705         case NONE:
706                 break;
707         }
708
709         if (runparams.inComment || runparams.dryrun)
710                 // Don't try to load or copy the file if we're
711                 // in a comment or doing a dryrun
712                 return;
713
714         if (isInputOrInclude(params()) &&
715                  isLyXFileName(included_file.absFileName())) {
716                 // if it's a LyX file and we're inputting or including,
717                 // try to load it so we can write the associated latex
718
719                 Buffer * tmp = loadIfNeeded();
720                 if (!tmp) {
721                         if (!runparams.silent) {
722                                 docstring text = bformat(_("Could not load included "
723                                         "file\n`%1$s'\n"
724                                         "Please, check whether it actually exists."),
725                                         included_file.displayName());
726                                 throw ExceptionMessage(ErrorException, _("Error: "),
727                                                        text);
728                         }
729                         return;
730                 }
731
732                 if (!runparams.silent) {
733                         if (tmp->params().baseClass() != masterBuffer->params().baseClass()) {
734                                 // FIXME UNICODE
735                                 docstring text = bformat(_("Included file `%1$s'\n"
736                                         "has textclass `%2$s'\n"
737                                         "while parent file has textclass `%3$s'."),
738                                         included_file.displayName(),
739                                         from_utf8(tmp->params().documentClass().name()),
740                                         from_utf8(masterBuffer->params().documentClass().name()));
741                                 Alert::warning(_("Different textclasses"), text, true);
742                         }
743
744                         string const child_tf = tmp->params().useNonTeXFonts ? "true" : "false";
745                         string const master_tf = masterBuffer->params().useNonTeXFonts ? "true" : "false";
746                         if (tmp->params().useNonTeXFonts != masterBuffer->params().useNonTeXFonts) {
747                                 docstring text = bformat(_("Included file `%1$s'\n"
748                                         "has use-non-TeX-fonts set to `%2$s'\n"
749                                         "while parent file has use-non-TeX-fonts set to `%3$s'."),
750                                         included_file.displayName(),
751                                         from_utf8(child_tf),
752                                         from_utf8(master_tf));
753                                 Alert::warning(_("Different use-non-TeX-fonts settings"), text, true);
754                         }
755
756                         // Make sure modules used in child are all included in master
757                         // FIXME It might be worth loading the children's modules into the master
758                         // over in BufferParams rather than doing this check.
759                         LayoutModuleList const masterModules = masterBuffer->params().getModules();
760                         LayoutModuleList const childModules = tmp->params().getModules();
761                         LayoutModuleList::const_iterator it = childModules.begin();
762                         LayoutModuleList::const_iterator end = childModules.end();
763                         for (; it != end; ++it) {
764                                 string const module = *it;
765                                 LayoutModuleList::const_iterator found =
766                                         find(masterModules.begin(), masterModules.end(), module);
767                                 if (found == masterModules.end()) {
768                                         docstring text = bformat(_("Included file `%1$s'\n"
769                                                 "uses module `%2$s'\n"
770                                                 "which is not used in parent file."),
771                                                 included_file.displayName(), from_utf8(module));
772                                         Alert::warning(_("Module not found"), text);
773                                 }
774                         }
775                 }
776
777                 tmp->markDepClean(masterBuffer->temppath());
778
779                 // Don't assume the child's format is latex
780                 string const inc_format = tmp->params().bufferFormat();
781                 FileName const tmpwritefile(changeExtension(writefile.absFileName(),
782                         theFormats().extension(inc_format)));
783
784                 // FIXME: handle non existing files
785                 // The included file might be written in a different encoding
786                 // and language.
787                 Encoding const * const oldEnc = runparams.encoding;
788                 Language const * const oldLang = runparams.master_language;
789                 // If the master uses non-TeX fonts (XeTeX, LuaTeX),
790                 // the children must be encoded in plain utf8!
791                 runparams.encoding = masterBuffer->params().useNonTeXFonts ?
792                         encodings.fromLyXName("utf8-plain")
793                         : &tmp->params().encoding();
794                 runparams.master_language = buffer().params().language;
795                 runparams.par_begin = 0;
796                 runparams.par_end = tmp->paragraphs().size();
797                 runparams.is_child = true;
798                 if (!tmp->makeLaTeXFile(tmpwritefile, masterFileName(buffer()).
799                                 onlyPath().absFileName(), runparams, Buffer::OnlyBody)) {
800                         if (!runparams.silent) {
801                                 docstring msg = bformat(_("Included file `%1$s' "
802                                         "was not exported correctly.\n "
803                                         "LaTeX export is probably incomplete."),
804                                         included_file.displayName());
805                                 ErrorList const & el = tmp->errorList("Export");
806                                 if (!el.empty())
807                                         msg = bformat(from_ascii("%1$s\n\n%2$s\n\n%3$s"),
808                                                 msg, el.begin()->error,
809                                                 el.begin()->description);
810                                 throw ExceptionMessage(ErrorException, _("Error: "),
811                                                        msg);
812                         }
813                 }
814                 runparams.encoding = oldEnc;
815                 runparams.master_language = oldLang;
816                 runparams.is_child = false;
817
818                 // If needed, use converters to produce a latex file from the child
819                 if (tmpwritefile != writefile) {
820                         ErrorList el;
821                         bool const success =
822                                 theConverters().convert(tmp, tmpwritefile, writefile,
823                                                         included_file,
824                                                         inc_format, tex_format, el);
825
826                         if (!success && !runparams.silent) {
827                                 docstring msg = bformat(_("Included file `%1$s' "
828                                                 "was not exported correctly.\n "
829                                                 "LaTeX export is probably incomplete."),
830                                                 included_file.displayName());
831                                 if (!el.empty())
832                                         msg = bformat(from_ascii("%1$s\n\n%2$s\n\n%3$s"),
833                                                         msg, el.begin()->error,
834                                                         el.begin()->description);
835                                 throw ExceptionMessage(ErrorException, _("Error: "),
836                                                        msg);
837                         }
838                 }
839         } else {
840                 // In this case, it's not a LyX file, so we copy the file
841                 // to the temp dir, so that .aux files etc. are not created
842                 // in the original dir. Files included by this file will be
843                 // found via either the environment variable TEXINPUTS, or
844                 // input@path, see ../Buffer.cpp.
845                 unsigned long const checksum_in  = included_file.checksum();
846                 unsigned long const checksum_out = writefile.checksum();
847
848                 if (checksum_in != checksum_out) {
849                         if (!included_file.copyTo(writefile)) {
850                                 // FIXME UNICODE
851                                 LYXERR(Debug::LATEX,
852                                         to_utf8(bformat(_("Could not copy the file\n%1$s\n"
853                                                                         "into the temporary directory."),
854                                                          from_utf8(included_file.absFileName()))));
855                                 return;
856                         }
857                 }
858         }
859 }
860
861
862 docstring InsetInclude::xhtml(XHTMLStream & xs, OutputParams const & rp) const
863 {
864         if (rp.inComment)
865                  return docstring();
866
867         // For verbatim and listings, we just include the contents of the file as-is.
868         // In the case of listings, we wrap it in <pre>.
869         bool const listing = isListings(params());
870         if (listing || isVerbatim(params())) {
871                 if (listing)
872                         xs << html::StartTag("pre");
873                 // FIXME: We don't know the encoding of the file, default to UTF-8.
874                 xs << includedFileName(buffer(), params()).fileContents("UTF-8");
875                 if (listing)
876                         xs << html::EndTag("pre");
877                 return docstring();
878         }
879
880         // We don't (yet) know how to Input or Include non-LyX files.
881         // (If we wanted to get really arcane, we could run some tex2html
882         // converter on the included file. But that's just masochistic.)
883         FileName const included_file = includedFileName(buffer(), params());
884         if (!isLyXFileName(included_file.absFileName())) {
885                 if (!rp.silent)
886                         frontend::Alert::warning(_("Unsupported Inclusion"),
887                                          bformat(_("LyX does not know how to include non-LyX files when "
888                                                    "generating HTML output. Offending file:\n%1$s"),
889                                                     params()["filename"]));
890                 return docstring();
891         }
892
893         // In the other cases, we will generate the HTML and include it.
894
895         // Check we're not trying to include ourselves.
896         // FIXME RECURSIVE INCLUDE
897         if (buffer().absFileName() == included_file.absFileName()) {
898                 Alert::error(_("Recursive input"),
899                                bformat(_("Attempted to include file %1$s in itself! "
900                                "Ignoring inclusion."), params()["filename"]));
901                 return docstring();
902         }
903
904         Buffer const * const ibuf = loadIfNeeded();
905         if (!ibuf)
906                 return docstring();
907
908         // are we generating only some paragraphs, or all of them?
909         bool const all_pars = !rp.dryrun ||
910                         (rp.par_begin == 0 &&
911                          rp.par_end == (int)buffer().text().paragraphs().size());
912
913         OutputParams op = rp;
914         if (all_pars) {
915                 op.par_begin = 0;
916                 op.par_end = 0;
917                 ibuf->writeLyXHTMLSource(xs.os(), op, Buffer::IncludedFile);
918         } else
919                 xs << XHTMLStream::ESCAPE_NONE
920                    << "<!-- Included file: "
921                    << from_utf8(included_file.absFileName())
922                    << XHTMLStream::ESCAPE_NONE
923                          << " -->";
924         return docstring();
925 }
926
927
928 int InsetInclude::plaintext(odocstringstream & os,
929         OutputParams const & op, size_t) const
930 {
931         // just write the filename if we're making a tooltip or toc entry,
932         // or are generating this for advanced search
933         if (op.for_tooltip || op.for_toc || op.for_search) {
934                 os << '[' << screenLabel() << '\n'
935                    << getParam("filename") << "\n]";
936                 return PLAINTEXT_NEWLINE + 1; // one char on a separate line
937         }
938
939         if (isVerbatim(params()) || isListings(params())) {
940                 os << '[' << screenLabel() << '\n'
941                    // FIXME: We don't know the encoding of the file, default to UTF-8.
942                    << includedFileName(buffer(), params()).fileContents("UTF-8")
943                    << "\n]";
944                 return PLAINTEXT_NEWLINE + 1; // one char on a separate line
945         }
946
947         Buffer const * const ibuf = loadIfNeeded();
948         if (!ibuf) {
949                 docstring const str = '[' + screenLabel() + ']';
950                 os << str;
951                 return str.size();
952         }
953         writePlaintextFile(*ibuf, os, op);
954         return 0;
955 }
956
957
958 int InsetInclude::docbook(odocstream & os, OutputParams const & runparams) const
959 {
960         string incfile = to_utf8(params()["filename"]);
961
962         // Do nothing if no file name has been specified
963         if (incfile.empty())
964                 return 0;
965
966         string const included_file = includedFileName(buffer(), params()).absFileName();
967
968         // Check we're not trying to include ourselves.
969         // FIXME RECURSIVE INCLUDE
970         // This isn't sufficient, as the inclusion could be downstream.
971         // But it'll have to do for now.
972         if (buffer().absFileName() == included_file) {
973                 Alert::error(_("Recursive input"),
974                                bformat(_("Attempted to include file %1$s in itself! "
975                                "Ignoring inclusion."), from_utf8(incfile)));
976                 return 0;
977         }
978
979         string exppath = incfile;
980         if (!runparams.export_folder.empty()) {
981                 exppath = makeAbsPath(exppath, runparams.export_folder).realPath();
982                 FileName(exppath).onlyPath().createPath();
983         }
984
985         // write it to a file (so far the complete file)
986         string const exportfile = changeExtension(exppath, ".sgml");
987         DocFileName writefile(changeExtension(included_file, ".sgml"));
988
989         Buffer * tmp = loadIfNeeded();
990         if (tmp) {
991                 string const mangled = writefile.mangledFileName();
992                 writefile = makeAbsPath(mangled,
993                                         buffer().masterBuffer()->temppath());
994                 if (!runparams.nice)
995                         incfile = mangled;
996
997                 LYXERR(Debug::LATEX, "incfile:" << incfile);
998                 LYXERR(Debug::LATEX, "exportfile:" << exportfile);
999                 LYXERR(Debug::LATEX, "writefile:" << writefile);
1000
1001                 tmp->makeDocBookFile(writefile, runparams, Buffer::OnlyBody);
1002         }
1003
1004         runparams.exportdata->addExternalFile("docbook", writefile,
1005                                               exportfile);
1006         runparams.exportdata->addExternalFile("docbook-xml", writefile,
1007                                               exportfile);
1008
1009         if (isVerbatim(params()) || isListings(params())) {
1010                 os << "<inlinegraphic fileref=\""
1011                    << '&' << include_label << ';'
1012                    << "\" format=\"linespecific\">";
1013         } else
1014                 os << '&' << include_label << ';';
1015
1016         return 0;
1017 }
1018
1019
1020 void InsetInclude::validate(LaTeXFeatures & features) const
1021 {
1022         LATTEST(&buffer() == &features.buffer());
1023
1024         string incfile = to_utf8(params()["filename"]);
1025         string const included_file =
1026                 includedFileName(buffer(), params()).absFileName();
1027
1028         string writefile;
1029         if (isLyXFileName(included_file))
1030                 writefile = changeExtension(included_file, ".sgml");
1031         else
1032                 writefile = included_file;
1033
1034         if (!features.runparams().nice && !isVerbatim(params()) && !isListings(params())) {
1035                 incfile = DocFileName(writefile).mangledFileName();
1036                 writefile = makeAbsPath(incfile,
1037                                         buffer().masterBuffer()->temppath()).absFileName();
1038         }
1039
1040         features.includeFile(include_label, writefile);
1041
1042         features.useInsetLayout(getLayout());
1043         if (isVerbatim(params()))
1044                 features.require("verbatim");
1045         else if (isListings(params())) {
1046                 if (buffer().params().use_minted) {
1047                         features.require("minted");
1048                         string const opts = to_utf8(params()["lstparams"]);
1049                         InsetListingsParams lstpars(opts);
1050                         if (!lstpars.isFloat() && contains(opts, "caption="))
1051                                 features.require("lyxmintcaption");
1052                 } else
1053                         features.require("listings");
1054         }
1055
1056         // Here we must do the fun stuff...
1057         // Load the file in the include if it needs
1058         // to be loaded:
1059         Buffer * const tmp = loadIfNeeded();
1060         if (tmp) {
1061                 // the file is loaded
1062                 // make sure the buffer isn't us
1063                 // FIXME RECURSIVE INCLUDES
1064                 // This is not sufficient, as recursive includes could be
1065                 // more than a file away. But it will do for now.
1066                 if (tmp && tmp != &buffer()) {
1067                         // We must temporarily change features.buffer,
1068                         // otherwise it would always be the master buffer,
1069                         // and nested includes would not work.
1070                         features.setBuffer(*tmp);
1071                         // Maybe this is already a child
1072                         bool const is_child =
1073                                 features.runparams().is_child;
1074                         features.runparams().is_child = true;
1075                         tmp->validate(features);
1076                         features.runparams().is_child = is_child;
1077                         features.setBuffer(buffer());
1078                 }
1079         }
1080 }
1081
1082
1083 void InsetInclude::collectBibKeys(InsetIterator const & /*di*/, FileNameList & checkedFiles) const
1084 {
1085         Buffer * child = loadIfNeeded();
1086         if (!child)
1087                 return;
1088         // FIXME RECURSIVE INCLUDE
1089         // This isn't sufficient, as the inclusion could be downstream.
1090         // But it'll have to do for now.
1091         if (child == &buffer())
1092                 return;
1093         child->collectBibKeys(checkedFiles);
1094 }
1095
1096
1097 void InsetInclude::metrics(MetricsInfo & mi, Dimension & dim) const
1098 {
1099         LBUFERR(mi.base.bv);
1100
1101         bool use_preview = false;
1102         if (RenderPreview::previewText()) {
1103                 graphics::PreviewImage const * pimage =
1104                         preview_->getPreviewImage(mi.base.bv->buffer());
1105                 use_preview = pimage && pimage->image();
1106         }
1107
1108         if (use_preview) {
1109                 preview_->metrics(mi, dim);
1110         } else {
1111                 if (!set_label_) {
1112                         set_label_ = true;
1113                         button_.update(screenLabel(), true, false);
1114                 }
1115                 button_.metrics(mi, dim);
1116         }
1117
1118         Box b(0, dim.wid, -dim.asc, dim.des);
1119         button_.setBox(b);
1120 }
1121
1122
1123 void InsetInclude::draw(PainterInfo & pi, int x, int y) const
1124 {
1125         LBUFERR(pi.base.bv);
1126
1127         bool use_preview = false;
1128         if (RenderPreview::previewText()) {
1129                 graphics::PreviewImage const * pimage =
1130                         preview_->getPreviewImage(pi.base.bv->buffer());
1131                 use_preview = pimage && pimage->image();
1132         }
1133
1134         if (use_preview)
1135                 preview_->draw(pi, x, y);
1136         else
1137                 button_.draw(pi, x, y);
1138 }
1139
1140
1141 void InsetInclude::write(ostream & os) const
1142 {
1143         params().Write(os, &buffer());
1144 }
1145
1146
1147 string InsetInclude::contextMenuName() const
1148 {
1149         return "context-include";
1150 }
1151
1152
1153 Inset::DisplayType InsetInclude::display() const
1154 {
1155         return type(params()) == INPUT ? Inline : AlignCenter;
1156 }
1157
1158
1159 docstring InsetInclude::layoutName() const
1160 {
1161         if (isListings(params()))
1162                 return from_ascii("IncludeListings");
1163         return InsetCommand::layoutName();
1164 }
1165
1166
1167 //
1168 // preview stuff
1169 //
1170
1171 void InsetInclude::fileChanged() const
1172 {
1173         Buffer const * const buffer = updateFrontend();
1174         if (!buffer)
1175                 return;
1176
1177         preview_->removePreview(*buffer);
1178         add_preview(*preview_, *this, *buffer);
1179         preview_->startLoading(*buffer);
1180 }
1181
1182
1183 namespace {
1184
1185 bool preview_wanted(InsetCommandParams const & params, Buffer const & buffer)
1186 {
1187         FileName const included_file = includedFileName(buffer, params);
1188
1189         return type(params) == INPUT && params.preview() &&
1190                 included_file.isReadableFile();
1191 }
1192
1193
1194 docstring latexString(InsetInclude const & inset)
1195 {
1196         odocstringstream ods;
1197         otexstream os(ods);
1198         // We don't need to set runparams.encoding since this will be done
1199         // by latex() anyway.
1200         OutputParams runparams(0);
1201         runparams.flavor = OutputParams::LATEX;
1202         runparams.for_preview = true;
1203         inset.latex(os, runparams);
1204
1205         return ods.str();
1206 }
1207
1208
1209 void add_preview(RenderMonitoredPreview & renderer, InsetInclude const & inset,
1210                  Buffer const & buffer)
1211 {
1212         InsetCommandParams const & params = inset.params();
1213         if (RenderPreview::previewText() && preview_wanted(params, buffer)) {
1214                 renderer.setAbsFile(includedFileName(buffer, params));
1215                 docstring const snippet = latexString(inset);
1216                 renderer.addPreview(snippet, buffer);
1217         }
1218 }
1219
1220 } // namespace
1221
1222
1223 void InsetInclude::addPreview(DocIterator const & /*inset_pos*/,
1224         graphics::PreviewLoader & ploader) const
1225 {
1226         Buffer const & buffer = ploader.buffer();
1227         if (!preview_wanted(params(), buffer))
1228                 return;
1229         preview_->setAbsFile(includedFileName(buffer, params()));
1230         docstring const snippet = latexString(*this);
1231         preview_->addPreview(snippet, ploader);
1232 }
1233
1234
1235 void InsetInclude::addToToc(DocIterator const & cpit, bool output_active,
1236                             UpdateType utype, TocBackend & backend) const
1237 {
1238         if (isListings(params())) {
1239                 if (label_)
1240                         label_->addToToc(cpit, output_active, utype, backend);
1241                 TocBuilder & b = backend.builder("listing");
1242                 b.pushItem(cpit, screenLabel(), output_active);
1243                 InsetListingsParams p(to_utf8(params()["lstparams"]));
1244                 b.argumentItem(from_utf8(p.getParamValue("caption")));
1245                 b.pop();
1246         } else {
1247                 Buffer const * const childbuffer = getChildBuffer();
1248
1249                 TocBuilder & b = backend.builder("child");
1250                 docstring str = childbuffer ? childbuffer->fileName().displayName()
1251                         : from_ascii("?");
1252                 b.pushItem(cpit, str, output_active);
1253                 b.pop();
1254
1255                 if (!childbuffer)
1256                         return;
1257
1258                 // Update the child's tocBackend. The outliner uses the master's, but
1259                 // the navigation menu uses the child's.
1260                 childbuffer->tocBackend().update(output_active, utype);
1261                 // Include Tocs from children
1262                 childbuffer->inset().addToToc(DocIterator(), output_active, utype,
1263                                               backend);
1264                 //Copy missing outliner names (though the user has been warned against
1265                 //having different document class and module selection between master
1266                 //and child).
1267                 for (pair<string, docstring> const & name
1268                              : childbuffer->params().documentClass().outlinerNames())
1269                         backend.addName(name.first, translateIfPossible(name.second));
1270         }
1271 }
1272
1273
1274 void InsetInclude::updateCommand()
1275 {
1276         if (!label_)
1277                 return;
1278
1279         docstring old_label = label_->getParam("name");
1280         label_->updateLabel(old_label);
1281         // the label might have been adapted (duplicate)
1282         docstring new_label = label_->getParam("name");
1283         if (old_label == new_label)
1284                 return;
1285
1286         // update listings parameters...
1287         InsetCommandParams p(INCLUDE_CODE);
1288         p = params();
1289         InsetListingsParams par(to_utf8(params()["lstparams"]));
1290         par.addParam("label", "{" + to_utf8(new_label) + "}", true);
1291         p["lstparams"] = from_utf8(par.params());
1292         setParams(p);
1293 }
1294
1295
1296 void InsetInclude::updateBuffer(ParIterator const & it, UpdateType utype)
1297 {
1298         button_.update(screenLabel(), true, false);
1299
1300         Buffer const * const childbuffer = getChildBuffer();
1301         if (childbuffer) {
1302                 childbuffer->updateBuffer(Buffer::UpdateChildOnly, utype);
1303                 return;
1304         }
1305         if (!isListings(params()))
1306                 return;
1307
1308         if (label_)
1309                 label_->updateBuffer(it, utype);
1310
1311         InsetListingsParams const par(to_utf8(params()["lstparams"]));
1312         if (par.getParamValue("caption").empty()) {
1313                 listings_label_ = buffer().B_("Program Listing");
1314                 return;
1315         }
1316         Buffer const & master = *buffer().masterBuffer();
1317         Counters & counters = master.params().documentClass().counters();
1318         docstring const cnt = from_ascii("listing");
1319         listings_label_ = master.B_("Program Listing");
1320         if (counters.hasCounter(cnt)) {
1321                 counters.step(cnt, utype);
1322                 listings_label_ += " " + convert<docstring>(counters.value(cnt));
1323         }
1324 }
1325
1326
1327 } // namespace lyx