diff --git a/src/main/java/org/openoffice/da/comp/writer2latex/ApplicationsDialog.java b/src/main/java/org/openoffice/da/comp/writer2latex/ApplicationsDialog.java deleted file mode 100644 index 21be29b..0000000 --- a/src/main/java/org/openoffice/da/comp/writer2latex/ApplicationsDialog.java +++ /dev/null @@ -1,480 +0,0 @@ -/************************************************************************ - * - * ApplicationsDialog.java - * - * Copyright: 2002-2015 by Henrik Just - * - * This file is part of Writer2LaTeX. - * - * Writer2LaTeX is free software: you can redistribute it and/or modify - * it under the terms of the GNU General Public License as published by - * the Free Software Foundation, either version 3 of the License, or - * (at your option) any later version. - * - * Writer2LaTeX is distributed in the hope that it will be useful, - * but WITHOUT ANY WARRANTY; without even the implied warranty of - * MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the - * GNU General Public License for more details. - * - * You should have received a copy of the GNU General Public License - * along with Writer2LaTeX. If not, see . - * - * Version 1.6 (2015-05-29) - * - */ - -package org.openoffice.da.comp.writer2latex; - -import java.io.File; -import java.io.IOException; -import java.net.URI; -import java.net.URISyntaxException; -import java.util.Vector; - -import com.sun.star.awt.XContainerWindowEventHandler; -import com.sun.star.awt.XDialog; -import com.sun.star.awt.XDialogProvider2; -import com.sun.star.awt.XWindow; -import com.sun.star.lang.XMultiComponentFactory; -import com.sun.star.lang.XServiceInfo; -import com.sun.star.uno.AnyConverter; -import com.sun.star.uno.UnoRuntime; -import com.sun.star.uno.XComponentContext; - -import com.sun.star.lib.uno.helper.WeakBase; - -import org.openoffice.da.comp.w2lcommon.helper.DialogAccess; -import org.openoffice.da.comp.w2lcommon.helper.FilePicker; -import org.openoffice.da.comp.w2lcommon.helper.StreamGobbler; - -/** This class provides a UNO component which implements the configuration - * of applications for the Writer2LaTeX toolbar - */ -public final class ApplicationsDialog - extends WeakBase - implements XServiceInfo, XContainerWindowEventHandler { - - private XComponentContext xContext; - private FilePicker filePicker; - - private ExternalApps externalApps; - - /** The component will be registered under this name. - */ - public static String __serviceName = "org.openoffice.da.writer2latex.ApplicationsDialog"; //$NON-NLS-1$ - - /** The component should also have an implementation name. - */ - public static String __implementationName = "org.openoffice.da.comp.writer2latex.ApplicationsDialog"; //$NON-NLS-1$ - - /** Create a new ApplicationsDialog */ - public ApplicationsDialog(XComponentContext xContext) { - this.xContext = xContext; - externalApps = new ExternalApps(xContext); - filePicker = new FilePicker(xContext); - } - - // **** Implement XContainerWindowEventHandler - - public boolean callHandlerMethod(XWindow xWindow, Object event, String sMethod) - throws com.sun.star.lang.WrappedTargetException { - XDialog xDialog = (XDialog)UnoRuntime.queryInterface(XDialog.class, xWindow); - DialogAccess dlg = new DialogAccess(xDialog); - - try { - if (sMethod.equals("external_event") ){ //$NON-NLS-1$ - return handleExternalEvent(dlg, event); - } - else if (sMethod.equals("AfterExportChange")) { //$NON-NLS-1$ - return changeProcessingLevel(dlg); - } - else if (sMethod.equals("ApplicationChange")) { //$NON-NLS-1$ - return changeApplication(dlg); - } - else if (sMethod.equals("UseDefaultChange")) { //$NON-NLS-1$ - return useDefaultChange(dlg) && updateApplication(dlg); - } - else if (sMethod.equals("BrowseClick")) { //$NON-NLS-1$ - return browseForExecutable(dlg); - } - else if (sMethod.equals("ExecutableUnfocus")) { //$NON-NLS-1$ - return updateApplication(dlg); - } - else if (sMethod.equals("OptionsUnfocus")) { //$NON-NLS-1$ - return updateApplication(dlg); - } - else if (sMethod.equals("AutomaticClick")) { //$NON-NLS-1$ - return autoConfigure(dlg); - } - } - catch (com.sun.star.uno.RuntimeException e) { - throw e; - } - catch (com.sun.star.uno.Exception e) { - throw new com.sun.star.lang.WrappedTargetException(sMethod, this, e); - } - return false; - } - - public String[] getSupportedMethodNames() { - String[] sNames = { "external_event", "AfterExportChange", "ApplicationChange", "BrowseClick", "ExecutableUnfocus", "OptionsUnfocus", "AutomaticClick" }; //$NON-NLS-1$ //$NON-NLS-2$ //$NON-NLS-3$ //$NON-NLS-4$ //$NON-NLS-5$ //$NON-NLS-6$ //$NON-NLS-7$ - return sNames; - } - - // **** Implement the interface XServiceInfo - - public boolean supportsService(String sServiceName) { - return sServiceName.equals(__serviceName); - } - - public String getImplementationName() { - return __implementationName; - } - - public String[] getSupportedServiceNames() { - String[] sSupportedServiceNames = { __serviceName }; - return sSupportedServiceNames; - } - - // **** Event handlers - - private boolean handleExternalEvent(DialogAccess dlg, Object aEventObject) - throws com.sun.star.uno.Exception { - try { - String sMethod = AnyConverter.toString(aEventObject); - if (sMethod.equals("ok")) { //$NON-NLS-1$ - externalApps.save(); - return true; - } else if (sMethod.equals("back") || sMethod.equals("initialize")) { //$NON-NLS-1$ //$NON-NLS-2$ - externalApps.load(); - updateProcessingLevel(dlg); - return changeApplication(dlg); - } - } - catch (com.sun.star.lang.IllegalArgumentException e) { - throw new com.sun.star.lang.IllegalArgumentException( - "Method external_event requires a string in the event object argument.", this,(short) -1); //$NON-NLS-1$ - } - return false; - } - - private boolean changeProcessingLevel(DialogAccess dlg) { - externalApps.setProcessingLevel(dlg.getListBoxSelectedItem("AfterExport")); //$NON-NLS-1$ - return true; - } - - private boolean updateProcessingLevel(DialogAccess dlg) { - dlg.setListBoxSelectedItem("AfterExport", externalApps.getProcessingLevel()); //$NON-NLS-1$ - return true; - } - - private boolean changeApplication(DialogAccess dlg) { - String sAppName = getSelectedAppName(dlg); - if (sAppName!=null) { - String[] s = externalApps.getApplication(sAppName); - dlg.setComboBoxText("Executable", s[0]); //$NON-NLS-1$ - dlg.setComboBoxText("Options", s[1]); //$NON-NLS-1$ - dlg.setCheckBoxStateAsBoolean("UseDefault", externalApps.getUseDefaultApplication(sAppName)); //$NON-NLS-1$ - dlg.setControlEnabled("UseDefault", externalApps.isViewer(sAppName)); //$NON-NLS-1$ - useDefaultChange(dlg); - } - return true; - } - - private boolean useDefaultChange(DialogAccess dlg) { - boolean bCustomApp = !dlg.getCheckBoxStateAsBoolean("UseDefault"); //$NON-NLS-1$ - dlg.setControlEnabled("ExecutableLabel", bCustomApp); //$NON-NLS-1$ - dlg.setControlEnabled("Executable", bCustomApp); //$NON-NLS-1$ - dlg.setControlEnabled("OptionsLabel", bCustomApp); //$NON-NLS-1$ - dlg.setControlEnabled("Options", bCustomApp); //$NON-NLS-1$ - dlg.setControlEnabled("BrowseButton", bCustomApp); //$NON-NLS-1$ - return true; - } - - private boolean browseForExecutable(DialogAccess dlg) { - String sPath = filePicker.getPath(); - if (sPath!=null) { - try { - dlg.setComboBoxText("Executable", new File(new URI(sPath)).getCanonicalPath()); //$NON-NLS-1$ - } - catch (IOException e) { - } - catch (URISyntaxException e) { - } - updateApplication(dlg); - } - return true; - } - - private boolean updateApplication(DialogAccess dlg) { - String sAppName = getSelectedAppName(dlg); - if (sAppName!=null) { - externalApps.setApplication(sAppName, dlg.getComboBoxText("Executable"), dlg.getComboBoxText("Options")); //$NON-NLS-1$ //$NON-NLS-2$ - externalApps.setUseDefaultApplication(sAppName, dlg.getCheckBoxStateAsBoolean("UseDefault")); //$NON-NLS-1$ - } - return true; - } - - private boolean autoConfigure(DialogAccess dlg) { - String sOsName = System.getProperty("os.name"); //$NON-NLS-1$ - String sOsVersion = System.getProperty("os.version"); //$NON-NLS-1$ - String sOsArch = System.getProperty("os.arch"); //$NON-NLS-1$ - StringBuilder info = new StringBuilder(); - info.append(Messages.getString("ApplicationsDialog.configresults")+":\n\n"); //$NON-NLS-1$ //$NON-NLS-2$ - info.append(Messages.getString("ApplicationsDialog.systemident")+" "+sOsName+" "+Messages.getString("ApplicationsDialog.version")+" "+sOsVersion+ " (" + sOsArch +")\n\n"); //$NON-NLS-1$ //$NON-NLS-2$ //$NON-NLS-3$ //$NON-NLS-4$ //$NON-NLS-5$ //$NON-NLS-6$ - if (sOsName.startsWith("Windows")) { //$NON-NLS-1$ - autoConfigureWindows(dlg, info); - } - else { - autoConfigureUnix(dlg, info); - } - displayAutoConfigInfo(info.toString()); - changeApplication(dlg); - return true; - } - - private void displayAutoConfigInfo(String sText) { - XDialog xDialog = getDialog("W2LDialogs2.AutoConfigInfo"); //$NON-NLS-1$ - if (xDialog!=null) { - DialogAccess info = new DialogAccess(xDialog); - info.setTextFieldText("Info", sText); //$NON-NLS-1$ - xDialog.execute(); - xDialog.endExecute(); - } - } - - private XDialog getDialog(String sDialogName) { - XMultiComponentFactory xMCF = xContext.getServiceManager(); - try { - Object provider = xMCF.createInstanceWithContext( - "com.sun.star.awt.DialogProvider2", xContext); //$NON-NLS-1$ - XDialogProvider2 xDialogProvider = (XDialogProvider2) - UnoRuntime.queryInterface(XDialogProvider2.class, provider); - String sDialogUrl = "vnd.sun.star.script:"+sDialogName+"?location=application"; //$NON-NLS-1$ //$NON-NLS-2$ - return xDialogProvider.createDialogWithHandler(sDialogUrl, this); - } - catch (Exception e) { - return null; - } - } - - private String getSelectedAppName(DialogAccess dlg) { - short nItem = dlg.getListBoxSelectedItem("Application"); //$NON-NLS-1$ - //String sAppName = null; - switch (nItem) { - case 0: return ExternalApps.LATEX; - case 1: return ExternalApps.PDFLATEX; - case 2: return ExternalApps.XELATEX; - case 3: return ExternalApps.DVIPS; - case 4: return ExternalApps.BIBTEX; - case 5: return ExternalApps.MAKEINDEX; - //case 6: return ExternalApps.MK4HT; - case 6: return ExternalApps.DVIVIEWER; - case 7: return ExternalApps.PDFVIEWER; - case 8: return ExternalApps.POSTSCRIPTVIEWER; - } - return "???"; //$NON-NLS-1$ - } - - // **** Automatic configuration of applications for Windows systems (assuming MikTeX) - - private void autoConfigureWindows(DialogAccess dlg, StringBuilder info) { - String sMikTeXPath = getMikTeXPath(); - - // Configure TeX and friends + yap (DVi viewer) + TeXworks (PDF viewer) - boolean bFoundTexworks = false; - if (sMikTeXPath!=null) { - info.append(Messages.getString("ApplicationsDialog.foundmiktex")+"\n"); //$NON-NLS-1$ //$NON-NLS-2$ - configureMikTeX(sMikTeXPath, ExternalApps.LATEX, "latex", "--interaction=batchmode %s", info, true); //$NON-NLS-1$ //$NON-NLS-2$ - configureMikTeX(sMikTeXPath, ExternalApps.PDFLATEX, "pdflatex", "--interaction=batchmode %s", info, true); //$NON-NLS-1$ //$NON-NLS-2$ - configureMikTeX(sMikTeXPath, ExternalApps.XELATEX, "xelatex", "--interaction=batchmode %s", info, true); //$NON-NLS-1$ //$NON-NLS-2$ - configureMikTeX(sMikTeXPath, ExternalApps.DVIPS, "dvips", "%s", info, true); //$NON-NLS-1$ //$NON-NLS-2$ - configureMikTeX(sMikTeXPath, ExternalApps.BIBTEX, "bibtex", "%s", info, true); //$NON-NLS-1$ //$NON-NLS-2$ - configureMikTeX(sMikTeXPath, ExternalApps.MAKEINDEX, "makeindex", "%s", info, true); //$NON-NLS-1$ //$NON-NLS-2$ - //configureMikTeX(sMikTeXPath, ExternalApps.MK4HT, "mk4ht", "%c %s", info, true); - configureMikTeX(sMikTeXPath, ExternalApps.DVIVIEWER, "yap", "--single-instance %s", info, true); //$NON-NLS-1$ //$NON-NLS-2$ - externalApps.setUseDefaultApplication(ExternalApps.DVIVIEWER, false); - // MikTeX 2.8 provides texworks for pdf viewing - bFoundTexworks = configureMikTeX(sMikTeXPath, ExternalApps.PDFVIEWER, "texworks", "%s", info, true); //$NON-NLS-1$ //$NON-NLS-2$ - } - else { - info.append(Messages.getString("ApplicationsDialog.failedtofindmiktex")+"\n"); //$NON-NLS-1$ //$NON-NLS-2$ - info.append(Messages.getString("ApplicationsDialog.miktexdefaultconfig")+"\n"); //$NON-NLS-1$ //$NON-NLS-2$ - externalApps.setApplication(ExternalApps.LATEX, "latex", "--interaction=batchmode %s"); //$NON-NLS-1$ //$NON-NLS-2$ - externalApps.setApplication(ExternalApps.PDFLATEX, "pdflatex", "--interaction=batchmode %s"); //$NON-NLS-1$ //$NON-NLS-2$ - externalApps.setApplication(ExternalApps.XELATEX, "xelatex", "--interaction=batchmode %s"); //$NON-NLS-1$ //$NON-NLS-2$ - externalApps.setApplication(ExternalApps.DVIPS, "dvips", "%s"); //$NON-NLS-1$ //$NON-NLS-2$ - externalApps.setApplication(ExternalApps.BIBTEX, "bibtex", "%s"); //$NON-NLS-1$ //$NON-NLS-2$ - externalApps.setApplication(ExternalApps.MAKEINDEX, "makeindex", "%s"); //$NON-NLS-1$ //$NON-NLS-2$ - //externalApps.setApplication(ExternalApps.MK4HT, "mk4ht", "%c %s"); - externalApps.setUseDefaultApplication(ExternalApps.DVIVIEWER, true); - } - externalApps.setUseDefaultApplication(ExternalApps.PDFVIEWER, !bFoundTexworks); - info.append("\n"); //$NON-NLS-1$ - - // Configure gsview (PostScript viewer and fall back viewer for PDF) - String sGsview = getGsviewPath(); - if (sGsview!=null) { - info.append(Messages.getString("ApplicationsDialog.foundgsview")+" - "+Messages.getString("ApplicationsDialog.ok")+"\n"); //$NON-NLS-1$ //$NON-NLS-2$ //$NON-NLS-3$ //$NON-NLS-4$ - externalApps.setApplication(ExternalApps.POSTSCRIPTVIEWER, sGsview, "-e \"%s\""); //$NON-NLS-1$ - if (!bFoundTexworks) { - externalApps.setApplication(ExternalApps.PDFVIEWER, sGsview, "-e \"%s\""); //$NON-NLS-1$ - externalApps.setUseDefaultApplication(ExternalApps.PDFVIEWER, false); - } - } - else { - if (!bFoundTexworks) { - info.append(Messages.getString("ApplicationsDialog.pdfdefaultviewer")+"\n"); //$NON-NLS-1$ //$NON-NLS-2$ - } - info.append(Messages.getString("ApplicationsDialog.psdefaultviewer")+"\n"); //$NON-NLS-1$ //$NON-NLS-2$ - } - externalApps.setUseDefaultApplication(ExternalApps.POSTSCRIPTVIEWER, sGsview!=null); - } - - // Windows: Get the path to the MikTeX bin directory - private String getMikTeXPath() { - String[] sPaths = System.getenv("PATH").split(";"); //$NON-NLS-1$ //$NON-NLS-2$ - for (String s : sPaths) { - if (s.toLowerCase().indexOf("miktex")>-1 && containsExecutable(s,"latex.exe")) { //$NON-NLS-1$ //$NON-NLS-2$ - return s; - } - } - for (String s : sPaths) { - if (containsExecutable(s,"latex.exe")) { //$NON-NLS-1$ - return s; - } - } - return null; - } - - // Windows: Get the path to the gsview executable - private String getGsviewPath() { - String sProgramFiles = System.getenv("ProgramFiles"); //$NON-NLS-1$ - if (sProgramFiles!=null) { - if (containsExecutable(sProgramFiles+"\\ghostgum\\gsview","gsview32.exe")) { //$NON-NLS-1$ //$NON-NLS-2$ - return sProgramFiles+"\\ghostgum\\gsview\\gsview32.exe"; //$NON-NLS-1$ - } - } - return null; - } - - // Windows: Test that the given path contains a given executable - private boolean containsExecutable(String sPath,String sExecutable) { - File dir = new File(sPath); - if (dir.exists() && dir.canRead()) { - File exe = new File(dir,sExecutable); - return exe.exists(); - } - return false; - } - - // Windows: Configure a certain MikTeX application - private boolean configureMikTeX(String sPath, String sName, String sAppName, String sArguments, StringBuilder info, boolean bRequired) { - File app = new File(new File(sPath),sAppName+".exe"); //$NON-NLS-1$ - if (app.exists()) { - externalApps.setApplication(sName, sAppName, sArguments); - info.append(" "+Messages.getString("ApplicationsDialog.found")+" "+sName+": "+sAppName+" - "+Messages.getString("ApplicationsDialog.ok")+"\n"); //$NON-NLS-1$ //$NON-NLS-2$ //$NON-NLS-3$ //$NON-NLS-4$ //$NON-NLS-5$ //$NON-NLS-6$ //$NON-NLS-7$ - return true; - } - else if (bRequired) { - externalApps.setApplication(sName, "???", "???"); //$NON-NLS-1$ //$NON-NLS-2$ - info.append(" "+Messages.getString("ApplicationsDialog.failedtofind")+" "+sName+"\n"); //$NON-NLS-1$ //$NON-NLS-2$ //$NON-NLS-3$ - } - return false; - } - - // **** Automatic configuration of applications for other systems (assuming unix-like systems) - - private void autoConfigureUnix(DialogAccess dlg, StringBuilder info) { - // Assume that the "which" command is supported - configureApp(ExternalApps.LATEX, "latex", "--interaction=batchmode %s",info); //$NON-NLS-1$ //$NON-NLS-2$ - configureApp(ExternalApps.PDFLATEX, "pdflatex", "--interaction=batchmode %s",info); //$NON-NLS-1$ //$NON-NLS-2$ - configureApp(ExternalApps.XELATEX, "xelatex", "--interaction=batchmode %s",info); //$NON-NLS-1$ //$NON-NLS-2$ - configureApp(ExternalApps.DVIPS, "dvips", "%s",info); //$NON-NLS-1$ //$NON-NLS-2$ - configureApp(ExternalApps.BIBTEX, "bibtex", "%s",info); //$NON-NLS-1$ //$NON-NLS-2$ - configureApp(ExternalApps.MAKEINDEX, "makeindex", "%s",info); //$NON-NLS-1$ //$NON-NLS-2$ - //configureApp(ExternalApps.MK4HT, "mk4ht", "%c %s",info); - // We have several possible viewers - String[] sDviViewers = {"evince", "okular", "xdvi"}; //$NON-NLS-1$ //$NON-NLS-2$ //$NON-NLS-3$ - configureViewer(ExternalApps.DVIVIEWER, sDviViewers, "%s",info); //$NON-NLS-1$ - String[] sPdfViewers = {"evince", "okular", "xpdf"}; //$NON-NLS-1$ //$NON-NLS-2$ //$NON-NLS-3$ - configureViewer(ExternalApps.PDFVIEWER, sPdfViewers, "%s",info); //$NON-NLS-1$ - String[] sPsViewers = {"evince", "okular", "ghostview"}; //$NON-NLS-1$ //$NON-NLS-2$ //$NON-NLS-3$ - configureViewer(ExternalApps.POSTSCRIPTVIEWER, sPsViewers, "%s",info); //$NON-NLS-1$ - - // Maybe add some info for Debian/Ubuntu users, e.g. - // sudo apt-get install texlive - // sudo apt-get install texlive-xetex - // sudo apt-get install texlive-latex-extra - // sudo apt-get install tex4ht - } - - // Unix: Test to determine whether a certain application is available in the OS - // Requires "which", hence Unix only - private boolean hasApp(String sAppName) { - try { - Vector command = new Vector(); - command.add("which"); //$NON-NLS-1$ - command.add(sAppName); - - ProcessBuilder pb = new ProcessBuilder(command); - Process proc = pb.start(); - - // Gobble the error stream of the application - StreamGobbler errorGobbler = new - StreamGobbler(proc.getErrorStream(), "ERROR"); //$NON-NLS-1$ - - // Gobble the output stream of the application - StreamGobbler outputGobbler = new - StreamGobbler(proc.getInputStream(), "OUTPUT"); //$NON-NLS-1$ - - errorGobbler.start(); - outputGobbler.start(); - - // The application exists if the process exits with 0 - return proc.waitFor()==0; - } - catch (InterruptedException e) { - return false; - } - catch (IOException e) { - return false; - } - } - - // Unix: Configure a certain application, testing and reporting the availability - private boolean configureApp(String sName, String sAppName, String sArguments, StringBuilder info) { - if (hasApp(sAppName)) { - externalApps.setApplication(sName, sAppName, sArguments); - externalApps.setUseDefaultApplication(sName, false); - if (info!=null) { - info.append(Messages.getString("ApplicationsDialog.found")+" "+sAppName+" - "+Messages.getString("ApplicationsDialog.ok")+"\n"); //$NON-NLS-1$ //$NON-NLS-2$ //$NON-NLS-3$ //$NON-NLS-4$ //$NON-NLS-5$ - } - return true; - } - else { - externalApps.setApplication(sName, "???", "???"); //$NON-NLS-1$ //$NON-NLS-2$ - externalApps.setUseDefaultApplication(sName, false); - if (info!=null) { - info.append(Messages.getString("ApplicationsDialog.failedtofind")+" "+sAppName+"\n"); //$NON-NLS-1$ //$NON-NLS-2$ - } - return false; - } - } - - // Unix: Configure a certain application, testing and reporting the availability - // This variant uses an array of potential apps - private boolean configureViewer(String sName, String[] sAppNames, String sArguments, StringBuilder info) { - for (String sAppName : sAppNames) { - if (configureApp(sName, sAppName, sArguments, null)) { - info.append(Messages.getString("ApplicationsDialog.found")+" "+ExternalApps.getUIAppName(sName)+": "+sAppName+" - "+Messages.getString("ApplicationsDialog.ok")+"\n"); //$NON-NLS-1$ //$NON-NLS-2$ //$NON-NLS-3$ //$NON-NLS-4$ //$NON-NLS-5$ //$NON-NLS-6$ - return true; - } - } - externalApps.setUseDefaultApplication(sName, true); - info.append(Messages.getString("ApplicationsDialog.usingdefaultapp")+" "+ExternalApps.getUIAppName(sName)+"\n"); //$NON-NLS-1$ //$NON-NLS-2$ //$NON-NLS-3$ - return true; - } - -} - diff --git a/src/main/java/org/openoffice/da/comp/writer2latex/BibTeXDialog.java b/src/main/java/org/openoffice/da/comp/writer2latex/BibTeXDialog.java deleted file mode 100644 index 6c29135..0000000 --- a/src/main/java/org/openoffice/da/comp/writer2latex/BibTeXDialog.java +++ /dev/null @@ -1,758 +0,0 @@ -/************************************************************************ - * - * BibTeXDialog.java - * - * Copyright: 2002-2015 by Henrik Just - * - * This file is part of Writer2LaTeX. - * - * Writer2LaTeX is free software: you can redistribute it and/or modify - * it under the terms of the GNU General Public License as published by - * the Free Software Foundation, either version 3 of the License, or - * (at your option) any later version. - * - * Writer2LaTeX is distributed in the hope that it will be useful, - * but WITHOUT ANY WARRANTY; without even the implied warranty of - * MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the - * GNU General Public License for more details. - * - * You should have received a copy of the GNU General Public License - * along with Writer2LaTeX. If not, see . - * - * Version 1.6 (2015-07-28) - * - */ - -package org.openoffice.da.comp.writer2latex; - -import java.awt.Desktop; -import java.io.File; -import java.io.FilenameFilter; -import java.io.IOException; -import java.util.HashSet; -import java.util.Set; - -import com.sun.star.awt.XDialog; -import com.sun.star.awt.XDialogProvider2; -import com.sun.star.beans.PropertyValue; -import com.sun.star.beans.PropertyVetoException; -import com.sun.star.beans.UnknownPropertyException; -import com.sun.star.beans.XPropertySet; -import com.sun.star.container.NoSuchElementException; -import com.sun.star.container.XEnumeration; -import com.sun.star.container.XEnumerationAccess; -import com.sun.star.container.XIndexAccess; -import com.sun.star.frame.XFrame; -import com.sun.star.lang.IllegalArgumentException; -import com.sun.star.lang.IndexOutOfBoundsException; -import com.sun.star.lang.WrappedTargetException; -import com.sun.star.lang.XMultiComponentFactory; -import com.sun.star.lang.XMultiServiceFactory; -import com.sun.star.lang.XServiceInfo; -import com.sun.star.text.XDependentTextField; -import com.sun.star.text.XDocumentIndex; -import com.sun.star.text.XDocumentIndexesSupplier; -import com.sun.star.text.XText; -import com.sun.star.text.XTextDocument; -import com.sun.star.text.XTextField; -import com.sun.star.text.XTextFieldsSupplier; -import com.sun.star.text.XTextViewCursor; -import com.sun.star.text.XTextViewCursorSupplier; -import com.sun.star.ui.dialogs.ExecutableDialogResults; -import com.sun.star.uno.AnyConverter; -import com.sun.star.uno.Exception; -import com.sun.star.uno.UnoRuntime; -import com.sun.star.uno.XComponentContext; - -import org.jbibtex.ParseException; -import org.openoffice.da.comp.w2lcommon.helper.DialogAccess; -import org.openoffice.da.comp.w2lcommon.helper.DialogBase; -import org.openoffice.da.comp.w2lcommon.helper.MessageBox; -import org.openoffice.da.comp.w2lcommon.helper.RegistryHelper; -import org.openoffice.da.comp.w2lcommon.helper.XPropertySetHelper; - -import writer2latex.latex.i18n.ClassicI18n; -import writer2latex.office.BibMark; -import writer2latex.office.BibMark.EntryType; -import writer2latex.util.Misc; - -/** This class provides a UNO dialog to insert a BibTeX bibliographic reference - */ -public class BibTeXDialog extends DialogBase implements com.sun.star.lang.XInitialization { - - // **** Data used for component registration - - /** The component will be registered under this service name - */ - public static String __serviceName = "org.openoffice.da.writer2latex.BibTeXDialog"; //$NON-NLS-1$ - - /** The implementation name of the component - */ - public static String __implementationName = "org.openoffice.da.comp.writer2latex.BibTeXDialog"; //$NON-NLS-1$ - - // **** Member variables - - // The current frame (passed at initialization) - XFrame xFrame = null; - - // The BibTeX directory (passed at initialization) - File bibTeXDirectory = null; - - // The encoding for BibTeX files (set in constructor from the registry) - String sBibTeXJavaEncoding = null; - - // Cache of BibTeX files in the BibTeX directory - File[] files = null; - - // Cache of the current BibTeX file - BibTeXReader currentFile = null; - - // **** Implement com.sun.star.lang.XInitialization - - // We expect to get the current frame and a comma separated list of BibTeX files to use - public void initialize( Object[] objects ) - throws com.sun.star.uno.Exception { - for (Object object : objects) { - if (object instanceof XFrame) { - xFrame = UnoRuntime.queryInterface(XFrame.class, object); - } - if (object instanceof String) { - bibTeXDirectory = new File((String) object); - } - } - } - - // **** Extend DialogBase - - /** Create a new BibTeXDialog */ - public BibTeXDialog(XComponentContext xContext) { - super(xContext); - sBibTeXJavaEncoding = getBibTeXJavaEncoding(); - } - - private String getBibTeXJavaEncoding() { - RegistryHelper registry = new RegistryHelper(xContext); - try { - Object view = registry.getRegistryView(BibliographyDialog.REGISTRY_PATH, false); - XPropertySet xProps = (XPropertySet) UnoRuntime.queryInterface(XPropertySet.class,view); - int nBibTeXEncoding = XPropertySetHelper.getPropertyValueAsShort(xProps, "BibTeXEncoding"); //$NON-NLS-1$ - registry.disposeRegistryView(view); - return ClassicI18n.writeJavaEncoding(nBibTeXEncoding); - } - catch (Exception e) { - // Failed to get registry view - } - return null; - } - - /** Return the name of the library containing the dialog - */ - @Override public String getDialogLibraryName() { - return "W2LDialogs2"; //$NON-NLS-1$ - } - - /** Return the name of the dialog within the library - */ - @Override public String getDialogName() { - return "BibTeXEntry"; //$NON-NLS-1$ - } - - @Override public void initialize() { - reload(null); - } - - @Override public void endDialog() { - } - - // **** Implement XDialogEventHandler - - @Override public boolean callHandlerMethod(XDialog xDialog, Object event, String sMethod) { - clearUpdateLabel(); - if (sMethod.equals("FileChange")) { //$NON-NLS-1$ - // The user has selected another BibTeX file - fileChange(); - } - else if (sMethod.equals("EntryChange")) { //$NON-NLS-1$ - // The user has selected another BibTeX entry - entryChange(); - } - else if (sMethod.equals("New")) { //$NON-NLS-1$ - // Create a new BibTeX file - newFile(); - } - else if (sMethod.equals("Edit")) { //$NON-NLS-1$ - // Edit the current BibTeX file - edit(); - } - else if (sMethod.equals("Reload")) { //$NON-NLS-1$ - // Reload the BibTeX files in the dialog - reload(null); - } - else if (sMethod.equals("InsertReference")) { //$NON-NLS-1$ - // Insert a reference to the current BibTeX entry - insertReference(); - } - else if (sMethod.equals("Update")) { //$NON-NLS-1$ - // Update all reference in the document - update(); - } - return true; - } - - @Override public String[] getSupportedMethodNames() { - String[] sNames = { "FileChange", "EntryChange", "New", "Edit", "Reload", "InsertReference", "Update" }; //$NON-NLS-1$ //$NON-NLS-2$ //$NON-NLS-3$ //$NON-NLS-4$ //$NON-NLS-5$ //$NON-NLS-6$ //$NON-NLS-7$ - return sNames; - } - - // **** Implement the UI functions - - // Clear the contents of the update info label - private void clearUpdateLabel() { - setLabelText("UpdateLabel",""); - } - - // (Re)load the list of BibTeX files - private void reload(String sSelectedFileName) { - String sFile = null; - if (sSelectedFileName!=null) { - // Select a new file name - sFile = sSelectedFileName; - } - else { - // Remember the previous selection, if any - short nSelectedFile = getListBoxSelectedItem("File"); //$NON-NLS-1$ - if (nSelectedFile>=0 && files[nSelectedFile]!=null) { - sFile = getListBoxStringItemList("File")[nSelectedFile]; //$NON-NLS-1$ - } - } - - if (bibTeXDirectory!=null && bibTeXDirectory.isDirectory()) { - // Populate the file list based on the BibTeX directory - files = bibTeXDirectory.listFiles( - new FilenameFilter() { - public boolean accept(File file, String sName) { return sName!=null && sName.endsWith(".bib"); } //$NON-NLS-1$ - } - ); - int nFileCount = files.length; - String[] sFileNames = new String[nFileCount]; - - // Select either the first or the previous item - short nFile = 0; - for (short i=0; i0) { - setControlEnabled("FileLabel",true); //$NON-NLS-1$ - setControlEnabled("File",true); //$NON-NLS-1$ - setControlEnabled("EntryLabel",true); //$NON-NLS-1$ - setControlEnabled("Entry",true); //$NON-NLS-1$ - setControlEnabled("Edit",true); //$NON-NLS-1$ - setControlEnabled("Insert",true); //$NON-NLS-1$ - setControlEnabled("Update",true); //$NON-NLS-1$ - - fileChange(); - - return; - } - } - - // The directory did not contain any BibTeX files - setControlEnabled("FileLabel",false); //$NON-NLS-1$ - setControlEnabled("File",false); //$NON-NLS-1$ - setControlEnabled("EntryLabel",false); //$NON-NLS-1$ - setControlEnabled("Entry",false); //$NON-NLS-1$ - setControlEnabled("Edit",false); //$NON-NLS-1$ - setControlEnabled("Insert",false); //$NON-NLS-1$ - setControlEnabled("Update",false); //$NON-NLS-1$ - setLabelText("EntryInformation",Messages.getString("BibTeXDialog.nobibtexfiles")); //$NON-NLS-1$ //$NON-NLS-2$ - } - - // Update the list of entries based on the current selection in the file list - private void fileChange() { - // Remember current entry selection, if any - String sEntry = null; - short nEntry = getListBoxSelectedItem("Entry"); //$NON-NLS-1$ - if (nEntry>=0) { - sEntry = getListBoxStringItemList("Entry")[nEntry]; //$NON-NLS-1$ - } - - // Parse the selected file - int nFile = getListBoxSelectedItem("File"); //$NON-NLS-1$ - if (nFile>=0) { - try { - currentFile = new BibTeXReader(files[nFile],sBibTeXJavaEncoding); - } catch (IOException e) { - System.err.println(e.getMessage()); - currentFile = null; - } catch (ParseException e) { - System.err.println(e.getMessage()); - currentFile = null; - } - - if (currentFile!=null) { - // Populate the entry list with the keys from the current file, if any - String[] sCurrentKeys = currentFile.getEntries().keySet().toArray(new String[0]); - setListBoxStringItemList("Entry", sCurrentKeys); //$NON-NLS-1$ - if (sCurrentKeys.length>0) { - // Select either the first or the previous entry - nEntry = 0; - if (sEntry!=null) { - int nEntryCount = sCurrentKeys.length; - for (short i=0; i=0) { - if (files[nFile].exists()) { - edit(files[nFile]); - } - } - } - - // Helper function: Get the currently selected entry, or null if none is selected - private BibMark getCurrentEntry() { - BibMark bibMark = null; - int nEntry = getListBoxSelectedItem("Entry"); //$NON-NLS-1$ - if (nEntry>=0) { - String[] sCurrentKeys = getListBoxStringItemList("Entry"); //$NON-NLS-1$ - String sKey = sCurrentKeys[nEntry]; - bibMark = currentFile.getEntries().get(sKey); - } - return bibMark; - } - - // **** Implement core functions - - // Edit a BibTeX files using the systems default application, if any - private void edit(File file) { - if (Desktop.isDesktopSupported()) { - Desktop desktop = Desktop.getDesktop(); - try { - desktop.open(file); - } catch (IOException e) { - if (xFrame!=null) { - MessageBox msgBox = new MessageBox(xContext, xFrame); - msgBox.showMessage("Writer2LaTeX",Messages.getString("BibTeXDialog.failedbibtexeditor")); //$NON-NLS-1$ //$NON-NLS-2$ - } - } - } - else if (xFrame!=null) { - MessageBox msgBox = new MessageBox(xContext, xFrame); - msgBox.showMessage("Writer2LaTeX",Messages.getString("BibTeXDialog.nobibtexeditor")); //$NON-NLS-1$ //$NON-NLS-2$ - } - } - - // Update all bibliographic fields in the document - private void update() { - if (xFrame!=null) { - BibTeXReader[] readers = parseAllBibTeXFiles(); - - // Collect identifiers of fields that were not updated (to inform the user) - Set notUpdated = new HashSet(); - - // Traverse all text fields and update all bibliography fields - XTextFieldsSupplier xSupplier = (XTextFieldsSupplier) UnoRuntime.queryInterface( - XTextFieldsSupplier.class, xFrame.getController().getModel()); - XEnumerationAccess fields = xSupplier.getTextFields(); - XEnumeration enumeration = fields.createEnumeration(); - while (enumeration.hasMoreElements()) { - try { - Object elm = enumeration.nextElement(); - if (AnyConverter.isObject(elm)) { - XTextField xTextField = (XTextField) AnyConverter.toObject(XTextField.class, elm); - if (xTextField!=null) { - XServiceInfo xInfo = UnoRuntime.queryInterface(XServiceInfo.class, xTextField); - if (xInfo.supportsService("com.sun.star.text.TextField.Bibliography")) { //$NON-NLS-1$ - String sId = updateBibField(xTextField, readers); - if (sId!=null) { - notUpdated.add(sId); - } - } - } - } - } catch (NoSuchElementException e) { - } catch (WrappedTargetException e) { - } - } - - // Traverse all indexes and update bibliographies - XDocumentIndexesSupplier xIndexSupplier = (XDocumentIndexesSupplier) UnoRuntime.queryInterface( - XDocumentIndexesSupplier.class, xFrame.getController().getModel()); - XIndexAccess xIndexAccess = xIndexSupplier.getDocumentIndexes(); - - int nIndexCount = xIndexAccess.getCount(); - for (int i=0; i. - * - * Version 1.6 (2015-07-24) - * - */ - -package org.openoffice.da.comp.writer2latex; - -import java.io.File; -import java.io.FileInputStream; -import java.io.IOException; -import java.io.InputStreamReader; -import java.io.Reader; -import java.io.StringReader; -import java.util.Collection; -import java.util.HashMap; -import java.util.Map; - -import org.jbibtex.BibTeXDatabase; -import org.jbibtex.BibTeXEntry; -import org.jbibtex.BibTeXParser; -import org.jbibtex.BibTeXString; -import org.jbibtex.Key; -import org.jbibtex.LaTeXParser; -import org.jbibtex.LaTeXPrinter; -import org.jbibtex.ParseException; -import org.jbibtex.TokenMgrException; -import org.jbibtex.Value; - -import writer2latex.bibtex.BibTeXEntryMap; -import writer2latex.office.BibMark; -import writer2latex.office.BibMark.EntryType; - -/** - * The class reads the contents of a BibTeX file and makes it available as a map - * of ODF BibMark objects - */ -public class BibTeXReader { - - private File file; - private String sEncoding; - private Map entries; - - /** Construct a new BibTeXReader based on a file - * - * @param file the file to read - * @param sEncoding the character encoding of the file - * @throws IOException if any error occurs reading the file - * @throws ParseException if any error occurs interpreting the contents of the file - */ - public BibTeXReader(File file, String sEncoding) throws IOException, ParseException { - this.file = file; - this.sEncoding = sEncoding; - reload(); - } - - /** Parse the contents of the file, replacing any previous entries in this BibTeXReader - */ - public void reload() throws IOException, ParseException { - entries = new HashMap(); - BibTeXDatabase database = parseBibTeX(file,sEncoding); - readEntries(database); - } - - /** Get the file associated with this BibTeXReader - * - * @return the file - */ - public File getFile() { - return file; - } - - /** Get the entries of this BibTeX file - * - * @return the entries - */ - public Map getEntries() { - return entries; - } - - private static BibTeXDatabase parseBibTeX(File file, String sEncoding) throws ParseException, IOException { - FileInputStream is = new FileInputStream(file); - Reader reader = new InputStreamReader(is,sEncoding); - try { - BibTeXParser parser = new BibTeXParser() { - @Override - public void checkStringResolution(Key key, BibTeXString string) { - if (string == null) { - System.err.println("Unresolved string: \"" + key.getValue() + "\""); - } - } - - @Override - public void checkCrossReferenceResolution(Key key, - BibTeXEntry entry) { - if (entry == null) { - System.err.println("Unresolved cross-reference: \"" + key.getValue() + "\""); - } - } - }; - return parser.parse(reader); - } finally { - if (reader!=null) { reader.close(); } - if (is!=null) { is.close(); } - } - } - - private void readEntries(BibTeXDatabase database) { - Map entryMap = database.getEntries(); - - Collection bibentries = entryMap.values(); - for (BibTeXEntry bibentry : bibentries) { - String sKey = bibentry.getKey().toString(); - String sType = bibentry.getType().toString(); - BibMark entry = new BibMark(sKey,sType); - entries.put(sKey, entry); - - Map fields = bibentry.getFields(); - for (Key key : fields.keySet()) { - Value value = fields.get(key); - EntryType entryType = BibTeXEntryMap.getEntryType(key.getValue()); - if (entryType!=null) { - entry.setField(entryType, parseLaTeX(value.toUserString())); - } - } - } - } - - private static String parseLaTeX(String string) { - Reader reader = new StringReader(string); - try { - LaTeXParser parser = new LaTeXParser(); - LaTeXPrinter printer = new LaTeXPrinter(); - return printer.print(parser.parse(reader)); - } catch (ParseException e) { - // If parsing fails, return the original string - return string; - } catch (TokenMgrException e) { - // If the string contains invalid characters, return the original string - return string; - } finally { - try { - reader.close(); - } catch (IOException e) { - // Reading from a String will not fail :-) - } - } - } - -} \ No newline at end of file diff --git a/src/main/java/org/openoffice/da/comp/writer2latex/BibliographyDialog.java b/src/main/java/org/openoffice/da/comp/writer2latex/BibliographyDialog.java deleted file mode 100644 index a2f00f1..0000000 --- a/src/main/java/org/openoffice/da/comp/writer2latex/BibliographyDialog.java +++ /dev/null @@ -1,354 +0,0 @@ -/************************************************************************ - * - * BibliographyDialog.java - * - * Copyright: 2002-2015 by Henrik Just - * - * This file is part of Writer2LaTeX. - * - * Writer2LaTeX is free software: you can redistribute it and/or modify - * it under the terms of the GNU General Public License as published by - * the Free Software Foundation, either version 3 of the License, or - * (at your option) any later version. - * - * Writer2LaTeX is distributed in the hope that it will be useful, - * but WITHOUT ANY WARRANTY; without even the implied warranty of - * MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the - * GNU General Public License for more details. - * - * You should have received a copy of the GNU General Public License - * along with Writer2LaTeX. If not, see . - * - * Version 1.6 (2015-07-23) - * - */ - -package org.openoffice.da.comp.writer2latex; - -import java.io.File; -import java.io.IOException; -import java.net.URI; -import java.net.URISyntaxException; - -import com.sun.star.awt.XContainerWindowEventHandler; -import com.sun.star.awt.XDialog; -import com.sun.star.awt.XWindow; -import com.sun.star.beans.XPropertySet; -import com.sun.star.frame.XDesktop; -import com.sun.star.frame.XModel; -import com.sun.star.lang.XComponent; -import com.sun.star.lang.XServiceInfo; -import com.sun.star.uno.AnyConverter; -import com.sun.star.uno.Exception; -import com.sun.star.uno.UnoRuntime; -import com.sun.star.uno.XComponentContext; -import com.sun.star.util.XChangesBatch; - -import com.sun.star.lib.uno.helper.WeakBase; - -import org.openoffice.da.comp.w2lcommon.helper.DialogAccess; -import org.openoffice.da.comp.w2lcommon.helper.FolderPicker; -import org.openoffice.da.comp.w2lcommon.helper.MessageBox; -import org.openoffice.da.comp.w2lcommon.helper.RegistryHelper; -import org.openoffice.da.comp.w2lcommon.helper.XPropertySetHelper; - -/** This class provides a uno component which implements the configuration - * of the bibliography for the Writer2LaTeX toolbar - */ -public final class BibliographyDialog - extends WeakBase - implements XServiceInfo, XContainerWindowEventHandler { - - public static final String REGISTRY_PATH = "/org.openoffice.da.Writer2LaTeX.toolbar.ToolbarOptions/BibliographyOptions"; //$NON-NLS-1$ - - private XComponentContext xContext; - private FolderPicker folderPicker; - - /** The component will be registered under this name. - */ - public static String __serviceName = "org.openoffice.da.writer2latex.BibliographyDialog"; //$NON-NLS-1$ - - /** The component should also have an implementation name. - */ - public static String __implementationName = "org.openoffice.da.comp.writer2latex.BibliographyDialog"; //$NON-NLS-1$ - - /** Create a new ConfigurationDialog */ - public BibliographyDialog(XComponentContext xContext) { - this.xContext = xContext; - folderPicker = new FolderPicker(xContext); - } - - - // Implement XContainerWindowEventHandler - public boolean callHandlerMethod(XWindow xWindow, Object event, String sMethod) - throws com.sun.star.lang.WrappedTargetException { - XDialog xDialog = (XDialog)UnoRuntime.queryInterface(XDialog.class, xWindow); - DialogAccess dlg = new DialogAccess(xDialog); - - try { - if (sMethod.equals("external_event") ){ //$NON-NLS-1$ - return handleExternalEvent(dlg, event); - } - else if (sMethod.equals("ConvertZoteroCitationsChange")) { //$NON-NLS-1$ - return convertZoteroCitationsChange(dlg); - } - else if (sMethod.equals("ConvertJabRefCitationsChange")) { //$NON-NLS-1$ - return convertJabRefCitationsChange(dlg); - } - else if (sMethod.equals("UseExternalBibTeXFilesChange")) { //$NON-NLS-1$ - return useExternalBibTeXFilesChange(dlg); - } - else if (sMethod.equals("UseNatbibChange")) { //$NON-NLS-1$ - return useNatbibChange(dlg); - } - else if (sMethod.equals("BibTeXLocationChange")) { //$NON-NLS-1$ - return bibTeXLocationChange(dlg); - } - else if (sMethod.equals("BibTeXDirClick")) { //$NON-NLS-1$ - return bibTeXDirClick(dlg); - } - } - catch (com.sun.star.uno.RuntimeException e) { - throw e; - } - catch (com.sun.star.uno.Exception e) { - throw new com.sun.star.lang.WrappedTargetException(sMethod, this, e); - } - return false; - } - - public String[] getSupportedMethodNames() { - String[] sNames = { "external_event", "UseExternalBibTeXFilesChange", "ConvertZoteroCitationsChange", //$NON-NLS-1$ //$NON-NLS-2$ //$NON-NLS-3$ - "ConvertJabRefCitationsChange", "UseNatbibChange", "BibTeXLocationChange", "ExternalBibTeXDirClick" }; //$NON-NLS-1$ //$NON-NLS-2$ //$NON-NLS-3$ //$NON-NLS-4$ - return sNames; - } - - // Implement the interface XServiceInfo - public boolean supportsService(String sServiceName) { - return sServiceName.equals(__serviceName); - } - - public String getImplementationName() { - return __implementationName; - } - - public String[] getSupportedServiceNames() { - String[] sSupportedServiceNames = { __serviceName }; - return sSupportedServiceNames; - } - - // Private stuff - - private boolean handleExternalEvent(DialogAccess dlg, Object aEventObject) - throws com.sun.star.uno.Exception { - try { - String sMethod = AnyConverter.toString(aEventObject); - if (sMethod.equals("ok")) { //$NON-NLS-1$ - saveConfiguration(dlg); - return true; - } else if (sMethod.equals("back") || sMethod.equals("initialize")) { //$NON-NLS-1$ //$NON-NLS-2$ - loadConfiguration(dlg); - enableBibTeXSettings(dlg); - useNatbibChange(dlg); - return true; - } - } - catch (com.sun.star.lang.IllegalArgumentException e) { - throw new com.sun.star.lang.IllegalArgumentException( - "Method external_event requires a string in the event object argument.", this,(short) -1); //$NON-NLS-1$ - } - return false; - } - - // Load settings from the registry into the dialog - private void loadConfiguration(DialogAccess dlg) { - RegistryHelper registry = new RegistryHelper(xContext); - try { - Object view = registry.getRegistryView(REGISTRY_PATH, false); - XPropertySet xProps = (XPropertySet) UnoRuntime.queryInterface(XPropertySet.class,view); - dlg.setCheckBoxStateAsBoolean("UseExternalBibTeXFiles", //$NON-NLS-1$ - XPropertySetHelper.getPropertyValueAsBoolean(xProps, "UseExternalBibTeXFiles")); //$NON-NLS-1$ - dlg.setCheckBoxStateAsBoolean("ConvertZoteroCitations", //$NON-NLS-1$ - XPropertySetHelper.getPropertyValueAsBoolean(xProps, "ConvertZoteroCitations")); //$NON-NLS-1$ - dlg.setCheckBoxStateAsBoolean("ConvertJabRefCitations", //$NON-NLS-1$ - XPropertySetHelper.getPropertyValueAsBoolean(xProps, "ConvertJabRefCitations")); //$NON-NLS-1$ - dlg.setCheckBoxStateAsBoolean("IncludeOriginalCitations", //$NON-NLS-1$ - XPropertySetHelper.getPropertyValueAsBoolean(xProps, "IncludeOriginalCitations")); //$NON-NLS-1$ - dlg.setListBoxSelectedItem("BibTeXLocation", //$NON-NLS-1$ - XPropertySetHelper.getPropertyValueAsShort(xProps, "BibTeXLocation")); //$NON-NLS-1$ - dlg.setTextFieldText("BibTeXDir", //$NON-NLS-1$ - XPropertySetHelper.getPropertyValueAsString(xProps, "BibTeXDir")); //$NON-NLS-1$ - dlg.setListBoxSelectedItem("BibTeXEncoding", //$NON-NLS-1$ - XPropertySetHelper.getPropertyValueAsShort(xProps, "BibTeXEncoding")); //$NON-NLS-1$ - dlg.setCheckBoxStateAsBoolean("UseNatbib", //$NON-NLS-1$ - XPropertySetHelper.getPropertyValueAsBoolean(xProps, "UseNatbib")); //$NON-NLS-1$ - dlg.setTextFieldText("NatbibOptions", //$NON-NLS-1$ - XPropertySetHelper.getPropertyValueAsString(xProps, "NatbibOptions")); //$NON-NLS-1$ - registry.disposeRegistryView(view); - } - catch (Exception e) { - // Failed to get registry view - } - - // Update dialog according to the settings - convertZoteroCitationsChange(dlg); - useExternalBibTeXFilesChange(dlg); - } - - // Save settings from the dialog to the registry - private void saveConfiguration(DialogAccess dlg) { - RegistryHelper registry = new RegistryHelper(xContext); - try { - Object view = registry.getRegistryView(REGISTRY_PATH, true); - XPropertySet xProps = (XPropertySet) UnoRuntime.queryInterface(XPropertySet.class,view); - XPropertySetHelper.setPropertyValue(xProps, "UseExternalBibTeXFiles", dlg.getCheckBoxStateAsBoolean("UseExternalBibTeXFiles")); //$NON-NLS-1$ //$NON-NLS-2$ - XPropertySetHelper.setPropertyValue(xProps, "ConvertZoteroCitations", dlg.getCheckBoxStateAsBoolean("ConvertZoteroCitations")); //$NON-NLS-1$ //$NON-NLS-2$ - XPropertySetHelper.setPropertyValue(xProps, "ConvertJabRefCitations", dlg.getCheckBoxStateAsBoolean("ConvertJabRefCitations")); //$NON-NLS-1$ //$NON-NLS-2$ - XPropertySetHelper.setPropertyValue(xProps, "IncludeOriginalCitations", dlg.getCheckBoxStateAsBoolean("IncludeOriginalCitations")); //$NON-NLS-1$ //$NON-NLS-2$ - XPropertySetHelper.setPropertyValue(xProps, "BibTeXLocation", dlg.getListBoxSelectedItem("BibTeXLocation")); //$NON-NLS-1$ //$NON-NLS-2$ - XPropertySetHelper.setPropertyValue(xProps, "BibTeXDir", dlg.getTextFieldText("BibTeXDir")); //$NON-NLS-1$ //$NON-NLS-2$ - XPropertySetHelper.setPropertyValue(xProps, "BibTeXEncoding", dlg.getListBoxSelectedItem("BibTeXEncoding")); //$NON-NLS-1$ //$NON-NLS-2$ - XPropertySetHelper.setPropertyValue(xProps, "UseNatbib", dlg.getCheckBoxStateAsBoolean("UseNatbib")); //$NON-NLS-1$ //$NON-NLS-2$ - XPropertySetHelper.setPropertyValue(xProps, "NatbibOptions", dlg.getTextFieldText("NatbibOptions")); //$NON-NLS-1$ //$NON-NLS-2$ - - // Commit registry changes - XChangesBatch xUpdateContext = (XChangesBatch) - UnoRuntime.queryInterface(XChangesBatch.class,view); - try { - xUpdateContext.commitChanges(); - } - catch (Exception e) { - // ignore - } - - registry.disposeRegistryView(view); - } - catch (Exception e) { - // Failed to get registry view - } - } - - private boolean useExternalBibTeXFilesChange(DialogAccess dlg) { - enableBibTeXSettings(dlg); - return true; - } - - private boolean convertZoteroCitationsChange(DialogAccess dlg) { - enableBibTeXSettings(dlg); - return true; - } - - private boolean convertJabRefCitationsChange(DialogAccess dlg) { - enableBibTeXSettings(dlg); - return true; - } - - private boolean useNatbibChange(DialogAccess dlg) { - boolean bUseNatbib = dlg.getCheckBoxStateAsBoolean("UseNatbib"); //$NON-NLS-1$ - dlg.setControlEnabled("NatbibOptionsLabel", bUseNatbib); //$NON-NLS-1$ - dlg.setControlEnabled("NatbibOptions", bUseNatbib); //$NON-NLS-1$ - return true; - } - - private boolean bibTeXLocationChange(DialogAccess dlg) { - enableBibTeXSettings(dlg); - return true; - } - - private void enableBibTeXSettings(DialogAccess dlg) { - boolean bEnableSettings = dlg.getCheckBoxStateAsBoolean("UseExternalBibTeXFiles"); //$NON-NLS-1$ - boolean bEnableOriginalCitations = dlg.getCheckBoxStateAsBoolean("ConvertZoteroCitations") //$NON-NLS-1$ - || dlg.getCheckBoxStateAsBoolean("ConvertJabRefCitations"); //$NON-NLS-1$ - boolean bEnableDir = dlg.getListBoxSelectedItem("BibTeXLocation")<2; //$NON-NLS-1$ - dlg.setControlEnabled("BibTeXLocationLabel", bEnableSettings); //$NON-NLS-1$ - dlg.setControlEnabled("BibTeXLocation", bEnableSettings); //$NON-NLS-1$ - dlg.setControlEnabled("BibTeXDirLabel", bEnableSettings && bEnableDir); //$NON-NLS-1$ - dlg.setControlEnabled("BibTeXDir", bEnableSettings && bEnableDir); //$NON-NLS-1$ - dlg.setControlEnabled("BibTeXDirButton", bEnableSettings && bEnableDir); //$NON-NLS-1$ - dlg.setControlEnabled("BibTeXEncodingLabel", bEnableSettings); //$NON-NLS-1$ - dlg.setControlEnabled("BibTeXEncoding", bEnableSettings); //$NON-NLS-1$ - dlg.setControlEnabled("ConvertZoteroCitations", bEnableSettings); //$NON-NLS-1$ - dlg.setControlEnabled("ConvertJabRefCitations", bEnableSettings); //$NON-NLS-1$ - dlg.setControlEnabled("IncludeOriginalCitations", bEnableSettings && bEnableOriginalCitations); //$NON-NLS-1$ - } - - private String getDocumentDirURL() { - // Get the desktop from the service manager - Object desktop=null; - try { - desktop = xContext.getServiceManager().createInstanceWithContext("com.sun.star.frame.Desktop", xContext); //$NON-NLS-1$ - } catch (Exception e) { - // Failed to get the desktop service - return ""; //$NON-NLS-1$ - } - XDesktop xDesktop = (XDesktop) UnoRuntime.queryInterface(XDesktop.class, desktop); - - // Get the current component and verify that it really is a text document - if (xDesktop!=null) { - XComponent xComponent = xDesktop.getCurrentComponent(); - XServiceInfo xInfo = (XServiceInfo)UnoRuntime.queryInterface(XServiceInfo.class, xComponent); - if (xInfo!=null && xInfo.supportsService("com.sun.star.text.TextDocument")) { //$NON-NLS-1$ - // Get the model, which provides the URL - XModel xModel = (XModel) UnoRuntime.queryInterface(XModel.class, xComponent); - if (xModel!=null) { - String sURL = xModel.getURL(); - int nSlash = sURL.lastIndexOf('/'); - return nSlash>-1 ? sURL.substring(0, nSlash) : ""; //$NON-NLS-1$ - } - } - } - - return ""; //$NON-NLS-1$ - } - - private boolean hasBibTeXFiles(File dir) { - if (dir.isDirectory()) { - File[] files = dir.listFiles(); - for (File file : files) { - if (file.isFile() && file.getName().endsWith(".bib")) { //$NON-NLS-1$ - return true; - } - } - } - return false; - } - - private boolean bibTeXDirClick(DialogAccess dlg) { - String sPath = folderPicker.getPath(); - if (sPath!=null) { - try { - File bibDir = new File(new URI(sPath)); - String sBibPath = bibDir.getCanonicalPath(); - if (dlg.getListBoxSelectedItem("BibTeXLocation")==1) { //$NON-NLS-1$ - // Path relative to document directory, remove the document directory part - String sDocumentDirURL = getDocumentDirURL(); - if (sDocumentDirURL.length()>0) { - String sDocumentDirPath = new File(new URI(sDocumentDirURL)).getCanonicalPath(); - if (sBibPath.startsWith(sDocumentDirPath)) { - if (sBibPath.length()>sDocumentDirPath.length()) { - sBibPath = sBibPath.substring(sDocumentDirPath.length()+1); - } - else { // Same as document directory - sBibPath = ""; //$NON-NLS-1$ - } - } - else { // not a subdirectory - sBibPath = ""; //$NON-NLS-1$ - } - } - } - dlg.setTextFieldText("BibTeXDir", sBibPath); //$NON-NLS-1$ - if (!hasBibTeXFiles(bibDir)) { - MessageBox msgBox = new MessageBox(xContext); - msgBox.showMessage("Writer2LaTeX", Messages.getString("BibliographyDialog.nobibtexfiles")); //$NON-NLS-1$ //$NON-NLS-2$ - } - } - catch (IOException e) { - } - catch (URISyntaxException e) { - } - } - return true; - } - -} diff --git a/src/main/java/org/openoffice/da/comp/writer2latex/ConfigurationDialog.java b/src/main/java/org/openoffice/da/comp/writer2latex/ConfigurationDialog.java deleted file mode 100644 index ec489f4..0000000 --- a/src/main/java/org/openoffice/da/comp/writer2latex/ConfigurationDialog.java +++ /dev/null @@ -1,1016 +0,0 @@ -/************************************************************************ - * - * ConfigurationDialog.java - * - * Copyright: 2002-2014 by Henrik Just - * - * This file is part of Writer2LaTeX. - * - * Writer2LaTeX is free software: you can redistribute it and/or modify - * it under the terms of the GNU General Public License as published by - * the Free Software Foundation, either version 3 of the License, or - * (at your option) any later version. - * - * Writer2LaTeX is distributed in the hope that it will be useful, - * but WITHOUT ANY WARRANTY; without even the implied warranty of - * MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the - * GNU General Public License for more details. - * - * You should have received a copy of the GNU General Public License - * along with Writer2LaTeX. If not, see . - * - * Version 1.4 (2014-09-16) - * - */ - -package org.openoffice.da.comp.writer2latex; - -import java.util.HashMap; -import java.util.HashSet; -import java.util.Map; - -import writer2latex.api.ComplexOption; -import writer2latex.util.Misc; - -import org.openoffice.da.comp.w2lcommon.filter.ConfigurationDialogBase; -import org.openoffice.da.comp.w2lcommon.helper.DialogAccess; -import org.openoffice.da.comp.w2lcommon.helper.FieldMasterNameProvider; -import org.openoffice.da.comp.w2lcommon.helper.StyleNameProvider; - -import com.sun.star.lang.XServiceInfo; -import com.sun.star.uno.XComponentContext; - -/** This class provides a UNO component which implements the configuration - * of Writer2LaTeX. The same component is used for all pages - using the - * dialog title to distinguish between the pages. - */ -public final class ConfigurationDialog extends ConfigurationDialogBase implements XServiceInfo { - - /** The component will be registered under this name. - */ - public static String __serviceName = "org.openoffice.da.writer2latex.ConfigurationDialog"; - - /** The component should also have an implementation name. - */ - public static String __implementationName = "org.openoffice.da.comp.writer2latex.ConfigurationDialog"; - - // Implement the interface XServiceInfo - public boolean supportsService(String sServiceName) { - return sServiceName.equals(__serviceName); - } - - public String getImplementationName() { - return __implementationName; - } - - public String[] getSupportedServiceNames() { - String[] sSupportedServiceNames = { __serviceName }; - return sSupportedServiceNames; - } - - // Configure the base class - @Override protected String getMIMEType() { return "application/x-latex"; } - - @Override protected String getDialogLibraryName() { return "W2LDialogs2"; } - - @Override protected String getConfigFileName() { return "writer2latex.xml"; } - - /** Construct a new ConfigurationDialog */ - public ConfigurationDialog(XComponentContext xContext) { - super(xContext); - - pageHandlers.put("Documentclass", new DocumentclassHandler()); - pageHandlers.put("Headings", new HeadingsHandler()); - pageHandlers.put("Styles", new StylesHandler()); - pageHandlers.put("Characters", new CharactersHandler()); - pageHandlers.put("Fonts", new FontsHandler()); - pageHandlers.put("Pages", new PagesHandler()); - pageHandlers.put("Tables", new TablesHandler()); - pageHandlers.put("Figures", new FiguresHandler()); - pageHandlers.put("TextAndMath", new TextAndMathHandler()); - } - - // Implement remaining method from XContainerWindowEventHandler - public String[] getSupportedMethodNames() { - String[] sNames = { - "NoPreambleChange", // Documentclass - "MaxLevelChange", "WriterLevelChange", "NoIndexChange", // Headings - "StyleFamilyChange", "StyleNameChange", "NewStyleClick", "DeleteStyleClick", "AddNextClick", - "RemoveNextClick", "LoadDefaultsClick", // Styles - "UseSoulChange", "FormattingAttributeChange", "CustomAttributeChange", // Characters - "ExportGeometryChange", "ExportHeaderAndFooterChange", // Pages - "NoTablesChange", "UseSupertabularChange", "UseLongtableChange", // Tables - "NoImagesChange", // Figures - "MathSymbolNameChange", "NewSymbolClick", "DeleteSymbolClick", - "TextInputChange", "NewTextClick", "DeleteTextClick" // Text and Math - }; - return sNames; - } - - // The page "Documentclass" - // This page handles the options no_preamble, documentclass, global_options and the custom-preamble - private class DocumentclassHandler extends PageHandler { - @Override protected void setControls(DialogAccess dlg) { - checkBoxFromConfig(dlg,"NoPreamble","no_preamble"); - textFieldFromConfig(dlg,"Documentclass","documentclass"); - textFieldFromConfig(dlg,"GlobalOptions","global_options"); - textFieldFromConfig(dlg,"CustomPreamble","custom-preamble"); - noPreambleChange(dlg); - } - - @Override protected void getControls(DialogAccess dlg) { - checkBoxToConfig(dlg,"NoPreamble", "no_preamble"); - textFieldToConfig(dlg,"Documentclass","documentclass"); - textFieldToConfig(dlg,"GlobalOptions","global_options"); - textFieldToConfig(dlg,"CustomPreamble","custom-preamble"); - } - - @Override protected boolean handleEvent(DialogAccess dlg, String sMethod) { - if (sMethod.equals("NoPreambleChange")) { - noPreambleChange(dlg); - return true; - } - return false; - } - - private void noPreambleChange(DialogAccess dlg) { - boolean bPreamble = !dlg.getCheckBoxStateAsBoolean("NoPreamble"); - dlg.setControlEnabled("DocumentclassLabel",bPreamble); - dlg.setControlEnabled("Documentclass",bPreamble); - dlg.setControlEnabled("GlobalOptionsLabel",bPreamble); - dlg.setControlEnabled("GlobalOptions",bPreamble); - dlg.setControlEnabled("CustomPreambleLabel",bPreamble); - dlg.setControlEnabled("CustomPreamble",bPreamble); - } - } - - // The page "Headings" - // This page handles the heading map as well as the options no_index, use_titlesec and use_titletoc - private class HeadingsHandler extends PageHandler { - ComplexOption headingMap = new ComplexOption(); // Cached heading map - short nCurrentWriterLevel = -1; // Currently displayed level - - @Override protected void setControls(DialogAccess dlg) { - // Load heading map from config - headingMap.clear(); - headingMap.copyAll(config.getComplexOption("heading-map")); - nCurrentWriterLevel = -1; - - // Determine and set the max level (from 0 to 10) - short nMaxLevel = 0; - while(nMaxLevel<10 && headingMap.containsKey(Integer.toString(nMaxLevel+1))) { - nMaxLevel++; - } - dlg.setListBoxSelectedItem("MaxLevel", nMaxLevel); - - maxLevelChange(dlg); - - // Get other controls from config - checkBoxFromConfig(dlg,"UseTitlesec","use_titlesec"); - - checkBoxFromConfig(dlg,"NoIndex","no_index"); - checkBoxFromConfig(dlg,"UseTitletoc","use_titletoc"); - - noIndexChange(dlg); - } - - @Override protected void getControls(DialogAccess dlg) { - updateHeadingMap(dlg); - - // Save heading map to config - config.getComplexOption("heading-map").clear(); - int nMaxLevel = dlg.getListBoxSelectedItem("MaxLevel"); - for (int i=1; i<=nMaxLevel; i++) { - String sLevel = Integer.toString(i); - config.getComplexOption("heading-map").copy(sLevel,headingMap.get(sLevel)); - } - - // Save other controls to config - checkBoxToConfig(dlg,"UseTitlesec","use_titlesec"); - checkBoxToConfig(dlg,"NoIndex","no_index"); - checkBoxToConfig(dlg,"UseTitletoc","use_titletoc"); - } - - @Override protected boolean handleEvent(DialogAccess dlg, String sMethod) { - if (sMethod.equals("MaxLevelChange")) { - maxLevelChange(dlg); - return true; - } - else if (sMethod.equals("WriterLevelChange")) { - writerLevelChange(dlg); - return true; - } - else if (sMethod.equals("NoIndexChange")) { - noIndexChange(dlg); - return true; - } - return false; - } - - private void maxLevelChange(DialogAccess dlg) { - // Remember current writer level and clear it - short nPreviousWriterLevel = nCurrentWriterLevel; - dlg.setListBoxSelectedItem("WriterLevel", (short) -1); - - // Adjust the presented writer levels to the max level - short nMaxLevel = dlg.getListBoxSelectedItem("MaxLevel"); - String[] sWriterLevels = new String[nMaxLevel]; - for (int i=0; i0) { - short nNewWriterLevel; - if (nPreviousWriterLevel+1>nMaxLevel) { - // If we lower the max level, we may have to change the displayed Writer level - nNewWriterLevel = (short)(nMaxLevel-1); - } - else if (nPreviousWriterLevel>-1){ - // Otherwise reselect the current level, if any - nNewWriterLevel = nPreviousWriterLevel; - } - else { - // Or select the top level - nNewWriterLevel = (short) 0; - } - dlg.setListBoxSelectedItem("WriterLevel", nNewWriterLevel); - } - - writerLevelChange(dlg); - - // All controls should be disabled if the maximum level is zero - boolean bUpdate = dlg.getListBoxSelectedItem("MaxLevel")>0; - dlg.setControlEnabled("WriterLevelLabel", bUpdate); - dlg.setControlEnabled("WriterLevel", bUpdate); - dlg.setControlEnabled("LaTeXLevelLabel", bUpdate); - dlg.setControlEnabled("LaTeXLevel", bUpdate); - dlg.setControlEnabled("LaTeXNameLabel", bUpdate); - dlg.setControlEnabled("LaTeXName", bUpdate); - // Until implemented: - dlg.setControlEnabled("UseTitlesec", false); - //dlg.setControlEnabled("UseTitlesec", bUpdate); - } - - private void writerLevelChange(DialogAccess dlg) { - updateHeadingMap(dlg); - - // Load the values for the new level - nCurrentWriterLevel = dlg.getListBoxSelectedItem("WriterLevel"); - if (nCurrentWriterLevel>-1) { - String sLevel = Integer.toString(nCurrentWriterLevel+1); - if (headingMap.containsKey(sLevel)) { - Map attr = headingMap.get(sLevel); - dlg.setComboBoxText("LaTeXLevel", attr.containsKey("level") ? attr.get("level") : ""); - dlg.setComboBoxText("LaTeXName", attr.containsKey("name") ? attr.get("name") : ""); - } - else { - dlg.setListBoxSelectedItem("LaTeXLevel", (short)2); - dlg.setComboBoxText("LaTeXName", ""); - } - } - else { - dlg.setComboBoxText("LaTeXLevel", ""); - dlg.setComboBoxText("LaTeXName", ""); - } - } - - private void noIndexChange(DialogAccess dlg) { - // Until implemented: - dlg.setControlEnabled("UseTitletoc", false); - //boolean bNoIndex = dlg.getCheckBoxStateAsBoolean("NoIndex"); - //dlg.setControlEnabled("UseTitletoc", !bNoIndex); - } - - private void updateHeadingMap(DialogAccess dlg) { - // Save the current writer level in our cache - if (nCurrentWriterLevel>-1) { - Map attr = new HashMap(); - attr.put("name", dlg.getComboBoxText("LaTeXName")); - attr.put("level", dlg.getComboBoxText("LaTeXLevel")); - headingMap.put(Integer.toString(nCurrentWriterLevel+1), attr); - } - } - - } - - // The page "Styles" - // This page handles the various style maps as well as the options other_styles and formatting - // Limitation: Cannot handle the values "error" and "warning" for other_styles - private class StylesHandler extends StylesPageHandler { - private final String[] sLaTeXFamilyNames = { "text", "paragraph", "paragraph-block", "list", "listitem" }; - private final String[] sLaTeXOOoFamilyNames = { "CharacterStyles", "ParagraphStyles", "ParagraphStyles", "NumberingStyles", "NumberingStyles" }; - - protected StylesHandler() { - super(5); - sFamilyNames =sLaTeXFamilyNames; - sOOoFamilyNames = sLaTeXOOoFamilyNames; - } - - // Override standard PageHandler methods - @Override public void setControls(DialogAccess dlg) { - super.setControls(dlg); - - String sOtherStyles = config.getOption("other_styles"); - if ("accept".equals(sOtherStyles)) { - dlg.setListBoxSelectedItem("OtherStyles", (short)1); - } - else { - dlg.setListBoxSelectedItem("OtherStyles", (short)0); - } - - String sFormatting = config.getOption("formatting"); - if ("ignore_all".equals(sFormatting)) { - dlg.setListBoxSelectedItem("Formatting", (short)0); - } - else if ("ignore_most".equals(sFormatting)) { - dlg.setListBoxSelectedItem("Formatting", (short)1); - } - else if ("convert_most".equals(sFormatting)) { - dlg.setListBoxSelectedItem("Formatting", (short)3); - } - else if ("convert_all".equals(sFormatting)) { - dlg.setListBoxSelectedItem("Formatting", (short)4); - } - else { - dlg.setListBoxSelectedItem("Formatting", (short)2); - } - } - - @Override public void getControls(DialogAccess dlg) { - super.getControls(dlg); - - switch (dlg.getListBoxSelectedItem("OtherStyles")) { - case 0: config.setOption("other_styles", "ignore"); break; - case 1: config.setOption("other_styles", "accept"); - } - - switch (dlg.getListBoxSelectedItem("Formatting")) { - case 0: config.setOption("formatting", "ignore_all"); break; - case 1: config.setOption("formatting", "ignore_most"); break; - case 2: config.setOption("formatting", "convert_basic"); break; - case 3: config.setOption("formatting", "convert_most"); break; - case 4: config.setOption("formatting", "convert_all"); - } - } - - @Override protected boolean handleEvent(DialogAccess dlg, String sMethod) { - if (sMethod.equals("AddNextClick")) { - addNextClick(dlg); - return true; - } - else if (sMethod.equals("RemoveNextClick")) { - removeNextClick(dlg); - return true; - } - return super.handleEvent(dlg, sMethod); - } - - // Define methods required by super - protected String getDefaultConfigName() { - return "clean.xml"; - } - - protected void setControls(DialogAccess dlg, Map attr) { - // Always set before and after, and ensure they are defined - if (!attr.containsKey("before")) { attr.put("before", ""); } - if (!attr.containsKey("after")) { attr.put("after", ""); } - dlg.setTextFieldText("Before", attr.get("before")); - dlg.setTextFieldText("After", attr.get("after")); - - // Set next for paragraph block only - String[] sNextItems; - if (nCurrentFamily==2 && attr.containsKey("next") && attr.get("next").length()>0) { - sNextItems = attr.get("next").split(";"); - // Localize known styles - Map displayNames = styleNameProvider.getDisplayNames(sOOoFamilyNames[nCurrentFamily]); - int nLen = sNextItems.length; - for (int i=0; i attr) { - // Always get before and after - attr.put("before", dlg.getTextFieldText("Before")); - attr.put("after", dlg.getTextFieldText("After")); - - // Get next for paragraph block only - if (nCurrentFamily==2) { - String[] sNextItems = dlg.getListBoxStringItemList("Next"); - // Internalize known styles - Map internalNames = styleNameProvider.getInternalNames(sOOoFamilyNames[nCurrentFamily]); - int nLen = sNextItems.length; - for (int i=0; i0) list.append(';'); - list.append(sNextItems[i]); - } - attr.put("next", list.toString()); - } - - // Get verbatim for paragraph and character styles only - if (nCurrentFamily<2) { - attr.put("verbatim", Boolean.toString(dlg.getCheckBoxStateAsBoolean("Verbatim"))); - } - - // Get line break for paragraph style only - if (nCurrentFamily==1) { - attr.put("line-break", Boolean.toString(dlg.getCheckBoxStateAsBoolean("LineBreak"))); - } - } - - protected void clearControls(DialogAccess dlg) { - dlg.setTextFieldText("Before", ""); - dlg.setTextFieldText("After", ""); - dlg.setListBoxStringItemList("Next", new String[0]); - dlg.setCheckBoxStateAsBoolean("Verbatim", false); - dlg.setCheckBoxStateAsBoolean("LineBreak", false); - } - - protected void prepareControls(DialogAccess dlg, boolean bHasMappings) { - dlg.setControlEnabled("BeforeLabel", bHasMappings); - dlg.setControlEnabled("Before", bHasMappings); - dlg.setControlEnabled("AfterLabel", bHasMappings); - dlg.setControlEnabled("After", bHasMappings); - dlg.setControlEnabled("NextLabel", bHasMappings && nCurrentFamily==2); - dlg.setControlEnabled("Next", bHasMappings && nCurrentFamily==2); - dlg.setControlEnabled("AddNextButton", bHasMappings && nCurrentFamily==2); - //dlg.setControlEnabled("RemoveNextButton", bHasMappings && nCurrentFamily==2); - dlg.setControlEnabled("Verbatim", bHasMappings && nCurrentFamily<2); - dlg.setControlEnabled("LineBreak", bHasMappings && nCurrentFamily==1); - updateRemoveNextButton(dlg); - } - - // Define own event handlers - private void addNextClick(DialogAccess dlg) { - appendItem(dlg, "Next",styleNameProvider.getInternalNames(sOOoFamilyNames[nCurrentFamily]).keySet()); - updateRemoveNextButton(dlg); - } - - private void removeNextClick(DialogAccess dlg) { - deleteCurrentItem(dlg, "Next"); - updateRemoveNextButton(dlg); - } - - private void updateRemoveNextButton(DialogAccess dlg) { - dlg.setControlEnabled("RemoveNextButton", dlg.getListBoxStringItemList("Next").length>0); - } - - } - - // The page "Characters" - // This page handles the options use_color, use_soul, use_ulem and use_hyperref - // In addition it handles style maps for formatting attributes - private class CharactersHandler extends AttributePageHandler { - private final String[] sLaTeXAttributeNames = { "bold", "italic", "small-caps", "superscript", "subscript" }; - - protected CharactersHandler() { - super(); - sAttributeNames = sLaTeXAttributeNames; - } - - @Override protected void setControls(DialogAccess dlg) { - super.setControls(dlg); - checkBoxFromConfig(dlg,"UseHyperref","use_hyperref"); - checkBoxFromConfig(dlg,"UseColor","use_color"); - checkBoxFromConfig(dlg,"UseSoul","use_soul"); - checkBoxFromConfig(dlg,"UseUlem","use_ulem"); - } - - @Override protected void getControls(DialogAccess dlg) { - super.getControls(dlg); - checkBoxToConfig(dlg,"UseHyperref","use_hyperref"); - checkBoxToConfig(dlg,"UseColor","use_color"); - checkBoxToConfig(dlg,"UseSoul","use_soul"); - checkBoxToConfig(dlg,"UseUlem","use_ulem"); - } - - @Override protected void setControls(DialogAccess dlg, Map attr) { - if (!attr.containsKey("before")) { attr.put("before", ""); } - if (!attr.containsKey("after")) { attr.put("after", ""); } - dlg.setTextFieldText("Before", attr.get("before")); - dlg.setTextFieldText("After", attr.get("after")); - } - - @Override protected void getControls(DialogAccess dlg, Map attr) { - attr.put("before", dlg.getComboBoxText("Before")); - attr.put("after", dlg.getComboBoxText("After")); - } - - @Override protected void prepareControls(DialogAccess dlg, boolean bEnable) { - dlg.setControlEnabled("BeforeLabel", bEnable); - dlg.setControlEnabled("Before", bEnable); - dlg.setControlEnabled("AfterLabel", bEnable); - dlg.setControlEnabled("After", bEnable); - } - - @Override protected boolean handleEvent(DialogAccess dlg, String sMethod) { - if (sMethod.equals("UseSoulChange")) { - useSoulChange(dlg); - return true; - } - else { - return super.handleEvent(dlg, sMethod); - } - } - - private void useSoulChange(DialogAccess dlg) { - // Until implemented... - dlg.setControlEnabled("UseSoul", false); - // After which it should be... - //boolean bUseSoul = dlg.getCheckBoxStateAsBoolean("UseSoul"); - //dlg.setControlEnabled("UseUlem", !bUseSoul); - } - - } - - // The page "Fonts" - // This page handles the options use_fontspec, use_pifont, use_tipa, use_eurosym, use_wasysym, - // use_ifsym, use_bbding - private class FontsHandler extends PageHandler { - @Override protected void setControls(DialogAccess dlg) { - checkBoxFromConfig(dlg,"UsePifont","use_pifont"); - checkBoxFromConfig(dlg,"UseTipa","use_tipa"); - checkBoxFromConfig(dlg,"UseEurosym","use_eurosym"); - checkBoxFromConfig(dlg,"UseWasysym","use_wasysym"); - checkBoxFromConfig(dlg,"UseIfsym","use_ifsym"); - checkBoxFromConfig(dlg,"UseBbding","use_bbding"); - checkBoxFromConfig(dlg,"UseFontspec","use_fontspec"); - // Until implemented: - dlg.setControlEnabled("UseFontspec", false); - } - - @Override protected void getControls(DialogAccess dlg) { - checkBoxToConfig(dlg,"UsePifont","use_pifont"); - checkBoxToConfig(dlg,"UseTipa","use_tipa"); - checkBoxToConfig(dlg,"UseEurosym","use_eurosym"); - checkBoxToConfig(dlg,"UseWasysym","use_wasysym"); - checkBoxToConfig(dlg,"UseIfsym","use_ifsym"); - checkBoxToConfig(dlg,"UseBbding","use_bbding"); - checkBoxToConfig(dlg,"UseFontspec","use_fontspec"); - } - - @Override protected boolean handleEvent(DialogAccess dlg, String sMethod) { - // Currently no events - return false; - } - } - - // The page "Pages" - // This page handles the options page_formatting, use_geometry, use_fancyhdr, use_lastpage and use_endnotes - private class PagesHandler extends PageHandler { - @Override protected void setControls(DialogAccess dlg) { - // The option page_formatting is presented as two options in the user interface - String sPageFormatting = config.getOption("page_formatting"); - if ("ignore_all".equals(sPageFormatting)) { - dlg.setCheckBoxStateAsBoolean("ExportGeometry", false); - dlg.setCheckBoxStateAsBoolean("ExportHeaderFooter", false); - } - else if ("convert_geometry".equals(sPageFormatting)) { - dlg.setCheckBoxStateAsBoolean("ExportGeometry", true); - dlg.setCheckBoxStateAsBoolean("ExportHeaderFooter", false); - } - else if ("convert_header_footer".equals(sPageFormatting)) { - dlg.setCheckBoxStateAsBoolean("ExportGeometry", false); - dlg.setCheckBoxStateAsBoolean("ExportHeaderFooter", true); - } - else if ("convert_all".equals(sPageFormatting)) { - dlg.setCheckBoxStateAsBoolean("ExportGeometry", true); - dlg.setCheckBoxStateAsBoolean("ExportHeaderFooter", true); - } - - checkBoxFromConfig(dlg,"UseGeometry", "use_geometry"); - checkBoxFromConfig(dlg,"UseFancyhdr", "use_fancyhdr"); - checkBoxFromConfig(dlg,"UseLastpage", "use_lastpage"); - checkBoxFromConfig(dlg,"UseEndnotes", "use_endnotes"); - - // Trigger change events - exportGeometryChange(dlg); - exportHeaderAndFooterChange(dlg); - } - - @Override protected void getControls(DialogAccess dlg) { - boolean bGeometry = dlg.getCheckBoxStateAsBoolean("ExportGeometry"); - boolean bHeaderFooter = dlg.getCheckBoxStateAsBoolean("ExportHeaderFooter"); - if (bGeometry && bHeaderFooter) { - config.setOption("page_formatting", "convert_all"); - } - else if (bGeometry && !bHeaderFooter) { - config.setOption("page_formatting", "convert_geometry"); - } - else if (!bGeometry && bHeaderFooter) { - config.setOption("page_formatting", "convert_header_footer"); - } - else { - config.setOption("page_formatting", "ignore_all"); - } - - checkBoxToConfig(dlg,"UseGeometry", "use_geometry"); - checkBoxToConfig(dlg,"UseFancyhdr", "use_fancyhdr"); - checkBoxToConfig(dlg,"UseLastpage", "use_lastpage"); - checkBoxToConfig(dlg,"UseEndnotes", "use_endnotes"); - } - - @Override protected boolean handleEvent(DialogAccess dlg, String sMethod) { - if (sMethod.equals("ExportGeometryChange")) { - exportGeometryChange(dlg); - return true; - } - else if (sMethod.equals("ExportHeaderAndFooterChange")) { - exportHeaderAndFooterChange(dlg); - return true; - } - return false; - } - - private void exportGeometryChange(DialogAccess dlg) { - dlg.setControlEnabled("UseGeometry", dlg.getCheckBoxStateAsBoolean("ExportGeometry")); - } - - private void exportHeaderAndFooterChange(DialogAccess dlg) { - dlg.setControlEnabled("UseFancyhdr", dlg.getCheckBoxStateAsBoolean("ExportHeaderFooter")); - } - } - - // The page "Tables" - // This page handles the options table_content, use_tabulary, use_colortbl, use_multirow, use_supertabular, use_longtable, - // table_first_head_style, table_head_style, table_foot_style, table_last_foot_style - // Limitation: Cannot handle the values "error" and "warning" for table_content - private class TablesHandler extends PageHandler { - - protected TablesHandler() { - } - - @Override protected void setControls(DialogAccess dlg) { - // Fill the table style combo boxes with style names - StyleNameProvider styleNameProvider = new StyleNameProvider(xContext); - Map internalNames = styleNameProvider.getInternalNames("ParagraphStyles"); - if (internalNames!=null) { - String[] styleNames = Misc.sortStringSet(internalNames.keySet()); - dlg.setListBoxStringItemList("TableFirstHeadStyle",styleNames); - dlg.setListBoxStringItemList("TableHeadStyle",styleNames); - dlg.setListBoxStringItemList("TableFootStyle",styleNames); - dlg.setListBoxStringItemList("TableLastFootStyle",styleNames); - } - - // Fill the table sequence combo box with sequence names - FieldMasterNameProvider fieldMasterNameProvider = new FieldMasterNameProvider(xContext); - dlg.setListBoxStringItemList("TableSequenceName", - Misc.sortStringSet(fieldMasterNameProvider.getFieldMasterNames("com.sun.star.text.fieldmaster.SetExpression."))); - - dlg.setCheckBoxStateAsBoolean("NoTables", !"accept".equals(config.getOption("table_content"))); - checkBoxFromConfig(dlg,"UseColortbl","use_colortbl"); - checkBoxFromConfig(dlg,"UseTabulary","use_tabulary"); - //checkBoxFromConfig(dlg,"UseMultirow","use_multirow"); - checkBoxFromConfig(dlg,"UseSupertabular","use_supertabular"); - checkBoxFromConfig(dlg,"UseLongtable","use_longtable"); - textFieldFromConfig(dlg,"TableFirstHeadStyle","table_first_head_style"); - textFieldFromConfig(dlg,"TableHeadStyle","table_head_style"); - textFieldFromConfig(dlg,"TableFootStyle","table_foot_style"); - textFieldFromConfig(dlg,"TableLastFootStyle","table_last_foot_style"); - textFieldFromConfig(dlg,"TableSequenceName","table_sequence_name"); - - checkBoxChange(dlg); - } - - @Override protected void getControls(DialogAccess dlg) { - config.setOption("table_content", dlg.getCheckBoxStateAsBoolean("NoTables") ? "ignore" : "accept"); - checkBoxToConfig(dlg,"UseColortbl","use_colortbl"); - checkBoxToConfig(dlg,"UseTabulary","use_tabulary"); - //checkBoxToConfig(dlg,"UseMultirow","use_multirow"); - checkBoxToConfig(dlg,"UseSupertabular","use_supertabular"); - checkBoxToConfig(dlg,"UseLongtable","use_longtable"); - textFieldToConfig(dlg,"TableFirstHeadStyle","table_first_head_style"); - textFieldToConfig(dlg,"TableHeadStyle","table_head_style"); - textFieldToConfig(dlg,"TableFootStyle","table_foot_style"); - textFieldToConfig(dlg,"TableLastFootStyle","table_last_foot_style"); - textFieldToConfig(dlg,"TableSequenceName","table_sequence_name"); - } - - @Override protected boolean handleEvent(DialogAccess dlg, String sMethod) { - if (sMethod.equals("NoTablesChange")) { - checkBoxChange(dlg); - return true; - } - else if (sMethod.equals("UseSupertabularChange")) { - checkBoxChange(dlg); - return true; - } - else if (sMethod.equals("UseLongtableChange")) { - checkBoxChange(dlg); - return true; - } - return false; - } - - private void checkBoxChange(DialogAccess dlg) { - boolean bNoTables = dlg.getCheckBoxStateAsBoolean("NoTables"); - boolean bSupertabular = dlg.getCheckBoxStateAsBoolean("UseSupertabular"); - boolean bLongtable = dlg.getCheckBoxStateAsBoolean("UseLongtable"); - dlg.setControlEnabled("UseColortbl", !bNoTables); - dlg.setControlEnabled("UseTabulary", !bNoTables); - dlg.setControlEnabled("UseMultirow", false); - dlg.setControlEnabled("UseSupertabular", !bNoTables); - dlg.setControlEnabled("UseLongtable", !bNoTables && !bSupertabular); - dlg.setControlEnabled("TableFirstHeadLabel", !bNoTables && (bSupertabular || bLongtable)); - dlg.setControlEnabled("TableFirstHeadStyle", !bNoTables && (bSupertabular || bLongtable)); - dlg.setControlEnabled("TableHeadLabel", !bNoTables && (bSupertabular || bLongtable)); - dlg.setControlEnabled("TableHeadStyle", !bNoTables && (bSupertabular || bLongtable)); - dlg.setControlEnabled("TableFootLabel", !bNoTables && (bSupertabular || bLongtable)); - dlg.setControlEnabled("TableFootStyle", !bNoTables && (bSupertabular || bLongtable)); - dlg.setControlEnabled("TableLastFootLabel", !bNoTables && (bSupertabular || bLongtable)); - dlg.setControlEnabled("TableLastFootStyle", !bNoTables && (bSupertabular || bLongtable)); - dlg.setControlEnabled("TableSequenceLabel", !bNoTables); - dlg.setControlEnabled("TableSequenceName", !bNoTables); - } - - } - - // The page "Figures" - // This page handles the options use_caption, align_frames, figure_sequence_name, image_content, - // remove_graphics_extension and image_options - // Limitation: Cannot handle the values "error" and "warning" for image_content - private class FiguresHandler extends PageHandler { - @Override protected void setControls(DialogAccess dlg) { - // Fill the figure sequence combo box with sequence names - FieldMasterNameProvider fieldMasterNameProvider = new FieldMasterNameProvider(xContext); - dlg.setListBoxStringItemList("FigureSequenceName", - Misc.sortStringSet(fieldMasterNameProvider.getFieldMasterNames("com.sun.star.text.fieldmaster.SetExpression."))); - - checkBoxFromConfig(dlg,"UseCaption","use_caption"); - checkBoxFromConfig(dlg,"AlignFrames","align_frames"); - textFieldFromConfig(dlg,"FigureSequenceName","figure_sequence_name"); - dlg.setCheckBoxStateAsBoolean("NoImages", !"accept".equals(config.getOption("image_content"))); - checkBoxFromConfig(dlg,"RemoveGraphicsExtension","remove_graphics_extension"); - textFieldFromConfig(dlg,"ImageOptions","image_options"); - - noImagesChange(dlg); - } - - @Override protected void getControls(DialogAccess dlg) { - checkBoxToConfig(dlg,"UseCaption","use_caption"); - checkBoxToConfig(dlg,"AlignFrames","align_frames"); - textFieldToConfig(dlg,"FigureSequenceName","figure_sequence_name"); - config.setOption("image_content", dlg.getCheckBoxStateAsBoolean("NoImages") ? "ignore" : "accept"); - checkBoxToConfig(dlg,"RemoveGraphicsExtension","remove_graphics_extension"); - textFieldToConfig(dlg,"ImageOptions","image_options"); - } - - @Override protected boolean handleEvent(DialogAccess dlg, String sMethod) { - if (sMethod.equals("NoImagesChange")) { - noImagesChange(dlg); - return true; - } - return false; - } - - private void noImagesChange(DialogAccess dlg) { - boolean bNoImages = dlg.getCheckBoxStateAsBoolean("NoImages"); - dlg.setControlEnabled("RemoveGraphicsExtension", !bNoImages); - dlg.setControlEnabled("ImageOptionsLabel", !bNoImages); - dlg.setControlEnabled("ImageOptions", !bNoImages); - } - - } - - // The page "TextAndMath" - // This page handles the options use_ooomath and tabstop as well as the - // text replacements and math symbol definitions - private class TextAndMathHandler extends UserListPageHandler { - private CustomSymbolNameProvider customSymbolNameProvider = null; - private ComplexOption mathSymbols; - private ComplexOption stringReplace; - private String sCurrentMathSymbol = null; - private String sCurrentText = null; - - protected TextAndMathHandler() { - super(); - customSymbolNameProvider = new CustomSymbolNameProvider(xContext); - } - - @Override protected void setControls(DialogAccess dlg) { - // Get math symbols from config - if (mathSymbols!=null) { mathSymbols.clear(); } - else { mathSymbols = new ComplexOption(); } - mathSymbols.copyAll(config.getComplexOption("math-symbol-map")); - sCurrentMathSymbol = null; - dlg.setListBoxStringItemList("MathSymbolName", Misc.sortStringSet(mathSymbols.keySet())); - dlg.setListBoxSelectedItem("MathSymbolName", (short)Math.min(0,mathSymbols.keySet().size()-1)); - // Trigger change event (on some versions of OOo this is automatic due to a bug) - mathSymbolNameChange(dlg); - - // Get string replace from config - if (stringReplace!=null) { stringReplace.clear(); } - else { stringReplace = new ComplexOption(); } - stringReplace.copyAll(config.getComplexOption("string-replace")); - sCurrentText = null; - dlg.setListBoxStringItemList("TextInput", Misc.sortStringSet(stringReplace.keySet())); - dlg.setListBoxSelectedItem("TextInput", (short)Math.min(0,stringReplace.keySet().size()-1)); - // Trigger change event (on some versions of OOo this is automatic due to a bug) - textInputChange(dlg); - - // Get other options from config - checkBoxFromConfig(dlg,"UseOoomath","use_ooomath"); - textFieldFromConfig(dlg,"TabStopLaTeX", "tabstop"); - } - - @Override protected void getControls(DialogAccess dlg) { - // Save math symbols to config - updateSymbol(dlg); - config.getComplexOption("math-symbol-map").clear(); - config.getComplexOption("math-symbol-map").copyAll(mathSymbols); - - // Save string replace to config - updateText(dlg); - config.getComplexOption("string-replace").clear(); - config.getComplexOption("string-replace").copyAll(stringReplace); - - // Save other options to config - checkBoxToConfig(dlg,"UseOoomath","use_ooomath"); - textFieldToConfig(dlg,"TabStopLaTeX", "tabstop"); - } - - @Override protected boolean handleEvent(DialogAccess dlg, String sMethod) { - if (sMethod.equals("MathSymbolNameChange")) { - mathSymbolNameChange(dlg); - return true; - } - else if (sMethod.equals("NewSymbolClick")) { - newSymbolClick(dlg); - return true; - } - else if (sMethod.equals("DeleteSymbolClick")) { - deleteSymbolClick(dlg); - return true; - } - else if (sMethod.equals("TextInputChange")) { - textInputChange(dlg); - return true; - } - else if (sMethod.equals("NewTextClick")) { - newTextClick(dlg); - return true; - } - else if (sMethod.equals("DeleteTextClick")) { - deleteTextClick(dlg); - return true; - } - return false; - } - - private void mathSymbolNameChange(DialogAccess dlg) { - updateSymbol(dlg); - updateSymbolControls(dlg); - } - - private void newSymbolClick(DialogAccess dlg) { - appendItem(dlg,"MathSymbolName",customSymbolNameProvider.getNames()); - // Trigger change event (on some versions of OOo this is automatic due to a bug) - mathSymbolNameChange(dlg); - } - - private void deleteSymbolClick(DialogAccess dlg) { - String sMathSymbol = sCurrentMathSymbol; - if (deleteCurrentItem(dlg,"MathSymbolName")) { - mathSymbols.remove(sMathSymbol); - sCurrentMathSymbol=null; // invalidate current symbol - } - // Trigger change event (on some versions of OOo this is automatic due to a bug) - mathSymbolNameChange(dlg); - } - - private void updateSymbol(DialogAccess dlg) { - // Save the current math symbol in our cache - if (sCurrentMathSymbol!=null) { - Map attr = new HashMap(); - attr.put("latex", dlg.getTextFieldText("MathLaTeX")); - mathSymbols.put(sCurrentMathSymbol, attr); - } - } - - // Update symbol controls based on currently selected list item - private void updateSymbolControls(DialogAccess dlg) { - short nSymbolItem = dlg.getListBoxSelectedItem("MathSymbolName"); - if (nSymbolItem>=0) { - sCurrentMathSymbol = dlg.getListBoxStringItemList("MathSymbolName")[nSymbolItem]; - Map attributes; - if (mathSymbols.containsKey(sCurrentMathSymbol)) { - attributes = mathSymbols.get(sCurrentMathSymbol); - } - else { // New symbol, add empty definition to cache - attributes = new HashMap(); - attributes.put("latex", ""); - mathSymbols.put(sCurrentMathSymbol, attributes); - } - dlg.setTextFieldText("MathLaTeX", attributes.get("latex")); - dlg.setControlEnabled("MathLaTeX", true); - dlg.setControlEnabled("DeleteSymbolButton", true); - } - else { // The list is empty, or nothing is selected - sCurrentMathSymbol = null; - dlg.setTextFieldText("MathLaTeX", ""); - dlg.setControlEnabled("MathLaTeX", false); - dlg.setControlEnabled("DeleteSymbolButton", false); - } - } - - private void textInputChange(DialogAccess dlg) { - updateText(dlg); - updateTextControls(dlg); - } - - private void newTextClick(DialogAccess dlg) { - appendItem(dlg, "TextInput", new HashSet()); - // Trigger change event (on some versions of OOo this is automatic due to a bug) - textInputChange(dlg); - } - - private void deleteTextClick(DialogAccess dlg) { - String sText = sCurrentText; - if (deleteCurrentItem(dlg, "TextInput")) { - stringReplace.remove(sText); - sCurrentText = null; // Invalidate current string replace - } - // Trigger change event (on some versions of OOo this is automatic due to a bug) - textInputChange(dlg); - } - - private void updateText(DialogAccess dlg) { - // Save the current string replace in our cache - if (sCurrentText!=null) { - Map attr = new HashMap(); - attr.put("latex-code", dlg.getTextFieldText("LaTeX")); - attr.put("fontenc", "any"); - stringReplace.put(sCurrentText, attr); - } - } - - // Update text controls based on currently selected list item - private void updateTextControls(DialogAccess dlg) { - // Get the current input string, if any - short nItem = dlg.getListBoxSelectedItem("TextInput"); - if (nItem>=0) { - sCurrentText = dlg.getListBoxStringItemList("TextInput")[nItem]; - - Map attributes; - if (stringReplace.containsKey(sCurrentText)) { - attributes = stringReplace.get(sCurrentText); - } - else { // New string replace, add empty definition to cache - attributes = new HashMap(); - attributes.put("latex-code", ""); - attributes.put("fontenc", "any"); - stringReplace.put(sCurrentText, attributes); - } - - dlg.setTextFieldText("LaTeX", attributes.get("latex-code")); - //dlg.setTextFieldText("Fontenc", attributes.get("fontenc")); - dlg.setControlEnabled("LaTeX", true); - dlg.setControlEnabled("DeleteTextButton", - !"\u00A0!".equals(sCurrentText) && !"\u00A0?".equals(sCurrentText) && - !"\u00A0:".equals(sCurrentText) && !"\u00A0;".equals(sCurrentText) && - !"\u00A0\u2014".equals(sCurrentText)); - } - else { // The list is empty, or nothing is selected - sCurrentText = null; - dlg.setTextFieldText("LaTeX", ""); - //dlg.setTextFieldText("Fontenc", "any"); - dlg.setControlEnabled("DeleteTextButton", false); - } - } - } - -} diff --git a/src/main/java/org/openoffice/da/comp/writer2latex/CustomSymbolNameProvider.java b/src/main/java/org/openoffice/da/comp/writer2latex/CustomSymbolNameProvider.java deleted file mode 100644 index a18362e..0000000 --- a/src/main/java/org/openoffice/da/comp/writer2latex/CustomSymbolNameProvider.java +++ /dev/null @@ -1,85 +0,0 @@ -/** - * CustomSymbolNameProvider.java - * - * Copyright: 2002-2009 by Henrik Just - * - * This file is part of Writer2LaTeX. - * - * Writer2LaTeX is free software: you can redistribute it and/or modify - * it under the terms of the GNU General Public License as published by - * the Free Software Foundation, either version 3 of the License, or - * (at your option) any later version. - * - * Writer2LaTeX is distributed in the hope that it will be useful, - * but WITHOUT ANY WARRANTY; without even the implied warranty of - * MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the - * GNU General Public License for more details. - * - * You should have received a copy of the GNU General Public License - * along with Writer2LaTeX. If not, see . - * - * Version 1.2 (2009-11-09) - * - */ -package org.openoffice.da.comp.writer2latex; - -import org.openoffice.da.comp.w2lcommon.helper.RegistryHelper; -import org.openoffice.da.comp.w2lcommon.helper.XPropertySetHelper; - -import com.sun.star.beans.XPropertySet; -import com.sun.star.container.XNameAccess; -import com.sun.star.uno.UnoRuntime; -import com.sun.star.uno.XComponentContext; - -import java.util.Collections; -import java.util.HashSet; -import java.util.Set; - -/** This class provides access to the names of all user defined symbols in math - * - */ -public class CustomSymbolNameProvider { - Set names; - - /** Construct a new CustomSymbolNameProvider - * - * @param xContext the component context providing access to the api - */ - public CustomSymbolNameProvider(XComponentContext xContext) { - names = new HashSet(); - - RegistryHelper registry = new RegistryHelper(xContext); - try { - // Prepare registry view - Object view = registry.getRegistryView("/org.openoffice.Office.Math/",false); - XPropertySet xProps = (XPropertySet) UnoRuntime.queryInterface(XPropertySet.class,view); - - // Get the list of symbols - Object symbols = XPropertySetHelper.getPropertyValue(xProps,"SymbolList"); - XNameAccess xSymbols = (XNameAccess) UnoRuntime.queryInterface(XNameAccess.class,symbols); - String[] sNames = xSymbols.getElementNames(); - int nCount = sNames.length; - for (int i=0; i getNames() { - return Collections.unmodifiableSet(names); - } - -} diff --git a/src/main/java/org/openoffice/da/comp/writer2latex/DeTeXtive.java b/src/main/java/org/openoffice/da/comp/writer2latex/DeTeXtive.java deleted file mode 100644 index 2f70834..0000000 --- a/src/main/java/org/openoffice/da/comp/writer2latex/DeTeXtive.java +++ /dev/null @@ -1,220 +0,0 @@ -/************************************************************************ - * - * DeTeXtive.java - * - * Copyright: 2002-2014 by Henrik Just - * - * This file is part of Writer2LaTeX. - * - * Writer2LaTeX is free software: you can redistribute it and/or modify - * it under the terms of the GNU General Public License as published by - * the Free Software Foundation, either version 3 of the License, or - * (at your option) any later version. - * - * Writer2LaTeX is distributed in the hope that it will be useful, - * but WITHOUT ANY WARRANTY; without even the implied warranty of - * MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the - * GNU General Public License for more details. - * - * You should have received a copy of the GNU General Public License - * along with Writer2LaTeX. If not, see . - * - * Version 1.4 (2014-09-24) - * - */ - -package org.openoffice.da.comp.writer2latex; - -import java.io.InputStream; -import java.io.InputStreamReader; -import java.io.IOException; -import java.util.HashSet; - -import org.openoffice.da.comp.w2lcommon.tex.tokenizer.Mouth; -import org.openoffice.da.comp.w2lcommon.tex.tokenizer.Token; -import org.openoffice.da.comp.w2lcommon.tex.tokenizer.TokenType; - -/** This class analyzes a stream and detects if it is a TeX stream. - * Currently it is able to identify LaTeX and XeLaTeX (ConTeXt and plain TeX may be - * added later). - */ -public class DeTeXtive { - private Mouth mouth; - private Token token; - - private HashSet packages; - - /** Construct a new DeTeXtive - */ - public DeTeXtive() { - } - - /** Detect the format of a given stream - * - * @param is the input stream - * @return a string representing the detected format; null if the format is unknown. - * Currently the values "LaTeX", "XeLaTeX" are supported. - * @throws IOException if we fail to read the stream - */ - public String deTeXt(InputStream is) throws IOException { - // It makes no harm to assume that the stream uses ISO Latin1 - we only consider ASCII characters - mouth = new Mouth(new InputStreamReader(is,"ISO8859_1")); - token = mouth.getTokenObject(); - - packages = new HashSet(); - - mouth.getToken(); - - if (parseHeader() && parsePreamble()) { - if (packages.contains("xunicode")) { - return "XeLaTeX"; - } - else { - return "LaTeX"; - } - } - - // Unknown format - return null; - - } - - // The parser! - - // Parse a LaTeX header such as \documentclass[a4paper]{article} - // Return true in case of success - private boolean parseHeader() throws IOException { - skipBlanks(); - if (token.isCS("documentclass") || token.isCS("documentstyle")) { - // The first non-blank token is \documentclass or \documentstyle => could be a LaTeX document - //System.out.println("** Found "+token.toString()); - mouth.getToken(); - skipSpaces(); - // Skip options, if any - if (token.is('[',TokenType.OTHER)) { - skipOptional(); - skipSpaces(); - } - if (token.getType()==TokenType.BEGIN_GROUP) { - // Get class name - String sClassName = parseArgumentAsString(); - //System.out.println("** Found the class name "+sClassName); - // Accept any class name of one or more characters - if (sClassName.length()>0) { return true; } - } - } - //System.out.println("** Doesn't look like LaTeX; failed to get class name"); - return false; - } - - // Parse a LaTeX preamble - // Return true in case of success (that is, \begin{document} was found) - private boolean parsePreamble() throws IOException { - while (token.getType()!=TokenType.ENDINPUT) { - if (token.isCS("usepackage")) { - // We collect the names of all used packages, but discard their options - // (Recall that this is only relevant for LaTeX 2e) - mouth.getToken(); - skipSpaces(); - if (token.is('[',TokenType.OTHER)) { - skipOptional(); - skipSpaces(); - } - String sName = parseArgumentAsString(); - //System.out.println("** Found package "+sName); - packages.add(sName); - } - else if (token.getType()==TokenType.BEGIN_GROUP) { - // We ignore anything inside a group - skipGroup(); - } - else if (token.isCS("begin")) { - // This would usually indicate the end of the preamble - mouth.getToken(); - skipSpaces(); - if ("document".equals(parseArgumentAsString())) { - //System.out.println("Found \\begin{document}"); - return true; - } - } - else { - // Any other content in the preamble is simply ignored - mouth.getToken(); - } - } - //System.out.println("** Doesn't look like LaTeX; failed to find \\begin{document}"); - return false; - } - - private void skipBlanks() throws IOException { - while (token.getType()==TokenType.SPACE || token.isCS("par")) { - mouth.getToken(); - } - } - - private void skipSpaces() throws IOException { - // Actually, we will never get two space tokens in a row - while (token.getType()==TokenType.SPACE) { - mouth.getToken(); - } - } - - private void skipOptional() throws IOException { - assert token.is('[', TokenType.OTHER); - - mouth.getToken(); // skip the [ - while (!token.is(']',TokenType.OTHER) && token.getType()!=TokenType.ENDINPUT) { - if (token.getType()==TokenType.BEGIN_GROUP) { - skipGroup(); - } - else { - mouth.getToken(); // skip this token - } - } - mouth.getToken(); // skip the ] - } - - private void skipGroup() throws IOException { - assert token.getType()==TokenType.BEGIN_GROUP; - - mouth.getToken(); // skip the { - while (token.getType()!=TokenType.END_GROUP && token.getType()!=TokenType.ENDINPUT) { - if (token.getType()==TokenType.BEGIN_GROUP) { - skipGroup(); - } - else { - mouth.getToken(); // skip this token - } - } - mouth.getToken(); // skip the } - } - - private String parseArgumentAsString() throws IOException { - if (token.getType()==TokenType.BEGIN_GROUP) { - // Argument is contained in a group - mouth.getToken(); // skip the { - StringBuilder sb = new StringBuilder(); - while (token.getType()!=TokenType.END_GROUP && token.getType()!=TokenType.ENDINPUT) { - if (token.getType()!=TokenType.COMMAND_SEQUENCE) { - // should not include cs, ignore if it happens - sb.append(token.getChar()); - } - mouth.getToken(); - } - mouth.getToken(); // skip the } - return sb.toString(); - } - else { - // Argument is a single token - String s = ""; - if (token.getType()!=TokenType.COMMAND_SEQUENCE) { - // should not include cs, ignore if it happens - s = token.getString(); - } - mouth.getToken(); - return s; - } - } - - -} diff --git a/src/main/java/org/openoffice/da/comp/writer2latex/ExternalApps.java b/src/main/java/org/openoffice/da/comp/writer2latex/ExternalApps.java deleted file mode 100644 index ce5aa8d..0000000 --- a/src/main/java/org/openoffice/da/comp/writer2latex/ExternalApps.java +++ /dev/null @@ -1,341 +0,0 @@ -/************************************************************************ - * - * ExternalApps.java - * - * Copyright: 2002-2018 by Henrik Just - * - * This file is part of Writer2LaTeX. - * - * Writer2LaTeX is free software: you can redistribute it and/or modify - * it under the terms of the GNU General Public License as published by - * the Free Software Foundation, either version 3 of the License, or - * (at your option) any later version. - * - * Writer2LaTeX is distributed in the hope that it will be useful, - * but WITHOUT ANY WARRANTY; without even the implied warranty of - * MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the - * GNU General Public License for more details. - * - * You should have received a copy of the GNU General Public License - * along with Writer2LaTeX. If not, see . - * - * Version 1.6 (2018-03-06) - * - */ - -package org.openoffice.da.comp.writer2latex; - -import java.awt.Desktop; -import java.io.File; -import java.io.IOException; -import java.lang.Process; -import java.lang.ProcessBuilder; -import java.util.HashMap; -import java.util.HashSet; -import java.util.Map; -import java.util.Set; -import java.util.Vector; - -import org.openoffice.da.comp.w2lcommon.helper.RegistryHelper; -import org.openoffice.da.comp.w2lcommon.helper.StreamGobbler; -import org.openoffice.da.comp.w2lcommon.helper.XPropertySetHelper; - -import com.sun.star.beans.XMultiHierarchicalPropertySet; -import com.sun.star.beans.XPropertySet; -import com.sun.star.uno.UnoRuntime; -import com.sun.star.uno.XComponentContext; -import com.sun.star.util.XChangesBatch; - - -/** This class manages and executes external applications used by the Writer2LaTeX toolbar. - * These include TeX and friends as well as viewers for the various backend formats. - * The registry is used for persistent storage of the settings. - */ -public class ExternalApps { - - public final static short EXPORT = (short)0; - public final static short BUILD = (short)1; - public final static short PREVIEW = (short)2; - - public final static String LATEX = "LaTeX"; //$NON-NLS-1$ - public final static String PDFLATEX = "PdfLaTeX"; //$NON-NLS-1$ - public final static String XELATEX = "XeLaTeX"; //$NON-NLS-1$ - public final static String BIBTEX = "BibTeX"; //$NON-NLS-1$ - public final static String MAKEINDEX = "Makeindex"; //$NON-NLS-1$ - public final static String MK4HT = "Mk4ht"; //$NON-NLS-1$ - public final static String DVIPS = "Dvips"; //$NON-NLS-1$ - public final static String DVIVIEWER = "DVIViewer"; //$NON-NLS-1$ - public final static String POSTSCRIPTVIEWER = "PostscriptViewer"; //$NON-NLS-1$ - public final static String PDFVIEWER = "PdfViewer"; //$NON-NLS-1$ - - private final static String[] sApps = { LATEX, PDFLATEX, XELATEX, BIBTEX, MAKEINDEX, MK4HT, DVIPS, DVIVIEWER, POSTSCRIPTVIEWER, PDFVIEWER }; - - private XComponentContext xContext; - - private short nLevel = (short)2; - - private Map apps; - private Set defaultApps; - - /** Construct a new ExternalApps object with empty content */ - public ExternalApps(XComponentContext xContext) { - this.xContext = xContext; - apps = new HashMap(); - defaultApps = new HashSet(); - for (int i=0; i env, boolean bWaitFor) { - if (defaultApps.contains(sAppName)) { - return openWithDefaultApplication(new File(sFileName)) ? 0 : 1; - } - else { - return execute(sAppName, "", sFileName, workDir, env, bWaitFor); //$NON-NLS-1$ - } - } - - // Open the file in the default application on this system (if any) - private boolean openWithDefaultApplication(File file) { - if (Desktop.isDesktopSupported()) { - Desktop desktop = Desktop.getDesktop(); - try { - desktop.open(file); - return true; - } catch (IOException e) { - System.err.println(e.getMessage()); - } - } - return false; - } - - - /** Execute an external application - * @param sAppName the name of the application to execute - * @param sCommand subcommand/option to pass to the command - * @param sFileName the file name to use - * @param workDir the working directory to use - * @param env map of environment variables to set (or null if no variables needs to be set) - * @param bWaitFor true if the method should wait for the execution to finish - * @return error code - */ - public int execute(String sAppName, String sCommand, String sFileName, File workDir, Map env, boolean bWaitFor) { - // Assemble the command - String[] sApp = getApplication(sAppName); - if (sApp==null) { return 1; } - - try { - Vector command = new Vector(); - command.add(sApp[0]); - String[] sArguments = sApp[1].split(" "); //$NON-NLS-1$ - for (String s : sArguments) { - command.add(s.replace("%c",sCommand).replace("%s",sFileName)); //$NON-NLS-1$ //$NON-NLS-2$ - } - - ProcessBuilder pb = new ProcessBuilder(command); - pb.directory(workDir); - if (env!=null) { - pb.environment().putAll(env); - } - Process proc = pb.start(); - - // Gobble the error stream of the application - StreamGobbler errorGobbler = new - StreamGobbler(proc.getErrorStream(), "ERROR"); //$NON-NLS-1$ - - // Gobble the output stream of the application - StreamGobbler outputGobbler = new - StreamGobbler(proc.getInputStream(), "OUTPUT"); //$NON-NLS-1$ - - // Kick them off - errorGobbler.start(); - outputGobbler.start(); - - // Any error? - return bWaitFor ? proc.waitFor() : 0; - } - catch (InterruptedException e) { - return 1; - } - catch (IOException e) { - return 1; - } - } - - /** Load the external applications from the registry - */ - public void load() { - RegistryHelper registry = new RegistryHelper(xContext); - Object view; - try { - // Prepare registry view - view = registry.getRegistryView("/org.openoffice.da.Writer2LaTeX.toolbar.ToolbarOptions/Applications",false); //$NON-NLS-1$ - } - catch (com.sun.star.uno.Exception e) { - // Give up... - return; - } - - XPropertySet xSimpleProps = (XPropertySet) UnoRuntime.queryInterface(XPropertySet.class,view); - nLevel = XPropertySetHelper.getPropertyValueAsShort(xSimpleProps,"AfterExport"); //$NON-NLS-1$ - - XMultiHierarchicalPropertySet xProps = (XMultiHierarchicalPropertySet) - UnoRuntime.queryInterface(XMultiHierarchicalPropertySet.class, view); - for (int i=0; i. - * - * Version 1.6 (2015-05-12) - * - */ - -package org.openoffice.da.comp.writer2latex; - -import com.sun.star.awt.XDialog; -import com.sun.star.beans.XPropertySet; -import com.sun.star.uno.XComponentContext; - -import org.openoffice.da.comp.w2lcommon.helper.PropertyHelper; -import org.openoffice.da.comp.w2lcommon.filter.OptionsDialogBase; - -/** This class provides a UNO component which implements a filter ui for the - * LaTeX export - */ -public class LaTeXOptionsDialog extends OptionsDialogBase { - - // Translate list box items to configuration option values - private static final String[] BACKEND_VALUES = - { "generic", "pdftex", "dvips", "xetex", "unspecified" }; - private static final String[] INPUTENCODING_VALUES = - { "ascii", "latin1", "latin2", "iso-8859-7", "cp1250", "cp1251", "koi8-r", "utf8" }; - private static final String[] NOTES_VALUES = - { "ignore", "comment", "marginpar", "pdfannotation" }; - private static final String[] FLOATOPTIONS_VALUES = - { "", "tp", "bp", "htp", "hbp" }; - - // UI names and configuration option values for fonts - private static final String[] FONT_VALUES = - { "default", "cmbright", "ccfonts", "ccfonts-euler", - "iwona", "kurier", "anttor", "kmath-kerkis", - "fouriernc", - "pxfonts", "mathpazo", "mathpple", - "txfonts", "mathptmx", - "arev", - "charter-mathdesign", "utopia-mathdesign", "fourier" }; - private static final String[] FONT_NAMES = - { "Default (Computer Modern)", "CM Bright", "Concrete", "Concrete + Euler Math", - "Iwona", "Kurier", "Antykwa Toru\u0144ska", "Kerkis", - "New Century Schoolbook + Fourier Math", - "Palatino + PXfonts Math", "Palatino + Pazo Math", "Palatino + Euler Math", - "Times + TXfonts Math", "Times + Symbol", - "Arev Sans + Arev Math", - "Bitstream Charter + Math Design", "Utopia + Math Design", "Utopia + Fourier Math" }; - - /** The component will be registered under this name. - */ - public static String __serviceName = "org.openoffice.da.writer2latex.LaTeXOptionsDialog"; - - /** The component should also have an implementation name. - * The subclass should override this with a suitable name - */ - public static String __implementationName = "org.openoffice.da.comp.writer2latex.LaTeXOptionsDialog"; - - public String getDialogLibraryName() { return "W2LDialogs"; } - - - /** Create a new LaTeXOptionsDialog */ - public LaTeXOptionsDialog(XComponentContext xContext) { - super(xContext); - xMSF = W2LRegistration.xMultiServiceFactory; - } - - /** Return the name of the dialog within the library - */ - public String getDialogName() { return "LaTeXOptions"; } - - /** Return the name of the registry path - */ - public String getRegistryPath() { - return "/org.openoffice.da.Writer2LaTeX.Options/LaTeXOptions"; - } - - /** Load settings from the registry to the dialog */ - protected void loadSettings(XPropertySet xProps) { - // General - loadConfig(xProps); - loadListBoxOption(xProps,"Backend"); - loadListBoxOption(xProps,"Inputencoding"); - loadCheckBoxOption(xProps,"Multilingual"); - setListBoxStringItemList("Font", FONT_NAMES); - loadListBoxOption(xProps,"Font"); - loadCheckBoxOption(xProps,"GreekMath"); - loadCheckBoxOption(xProps,"AdditionalSymbols"); - - // Bibliography - loadCheckBoxOption(xProps,"UseBibtex"); - loadComboBoxOption(xProps,"BibtexStyle"); - - // Files - loadCheckBoxOption(xProps,"WrapLines"); - loadNumericOption(xProps,"WrapLinesAfter"); - loadCheckBoxOption(xProps,"SplitLinkedSections"); - loadCheckBoxOption(xProps,"SplitToplevelSections"); - loadCheckBoxOption(xProps,"SaveImagesInSubdir"); - - // Special content - loadListBoxOption(xProps,"Notes"); - loadCheckBoxOption(xProps,"Metadata"); - loadCheckBoxOption(xProps,"DisplayHiddenText"); - - // Figures and tables - loadCheckBoxOption(xProps,"OriginalImageSize"); - loadCheckBoxOption(xProps,"OptimizeSimpleTables"); - loadNumericOption(xProps,"SimpleTableLimit"); - loadCheckBoxOption(xProps,"FloatTables"); - loadCheckBoxOption(xProps,"FloatFigures"); - loadListBoxOption(xProps,"FloatOptions"); - - // AutoCorrect - loadCheckBoxOption(xProps,"IgnoreHardPageBreaks"); - loadCheckBoxOption(xProps,"IgnoreHardLineBreaks"); - loadCheckBoxOption(xProps,"IgnoreEmptyParagraphs"); - loadCheckBoxOption(xProps,"IgnoreDoubleSpaces"); - - updateLockedOptions(); - enableControls(); - } - - /** Save settings from the dialog to the registry and create FilterData */ - protected void saveSettings(XPropertySet xProps, PropertyHelper filterData) { - // General - short nConfig = saveConfig(xProps, filterData); - switch (nConfig) { - case 0: filterData.put("ConfigURL","*ultraclean.xml"); break; - case 1: filterData.put("ConfigURL","*clean.xml"); break; - case 2: filterData.put("ConfigURL","*default.xml"); break; - case 3: filterData.put("ConfigURL","*pdfprint.xml"); break; - case 4: filterData.put("ConfigURL","*pdfscreen.xml"); break; - case 5: filterData.put("ConfigURL","$(user)/writer2latex.xml"); - filterData.put("AutoCreate","true"); - } - - saveListBoxOption(xProps, filterData, "Backend", "backend", BACKEND_VALUES ); - if (getListBoxSelectedItem("Config")==4) { - // pdfscreen locks the backend to pdftex - filterData.put("backend","pdftex"); - } - saveListBoxOption(xProps, filterData, "Inputencoding", "inputencoding", INPUTENCODING_VALUES); - saveCheckBoxOption(xProps, filterData, "Multilingual", "multilingual"); - saveListBoxOption(xProps, filterData, "Font", "font", FONT_VALUES); - saveCheckBoxOption(xProps, filterData, "GreekMath", "greek_math"); - // AdditionalSymbols sets 5 different w2l options... - saveCheckBoxOption(xProps, filterData, "AdditionalSymbols", "use_pifont"); - saveCheckBoxOption(xProps, filterData, "AdditionalSymbols", "use_ifsym"); - saveCheckBoxOption(xProps, filterData, "AdditionalSymbols", "use_wasysym"); - saveCheckBoxOption(xProps, filterData, "AdditionalSymbols", "use_eurosym"); - saveCheckBoxOption(xProps, filterData, "AdditionalSymbols", "use_tipa"); - - // Bibliography - saveCheckBoxOption(xProps, filterData, "UseBibtex", "use_bibtex"); - saveComboBoxOption(xProps, filterData, "BibtexStyle", "bibtex_style"); - - // Files - boolean bWrapLines = saveCheckBoxOption(xProps, "WrapLines"); - int nWrapLinesAfter = saveNumericOption(xProps, "WrapLinesAfter"); - if (!isLocked("wrap_lines_after")) { - if (bWrapLines) { - filterData.put("wrap_lines_after",Integer.toString(nWrapLinesAfter)); - } - else { - filterData.put("wrap_lines_after","0"); - } - } - - saveCheckBoxOption(xProps, filterData, "SplitLinkedSections", "split_linked_sections"); - saveCheckBoxOption(xProps, filterData, "SplitToplevelSections", "split_toplevel_sections"); - saveCheckBoxOption(xProps, filterData, "SaveImagesInSubdir", "save_images_in_subdir"); - - // Special content - saveListBoxOption(xProps, filterData, "Notes", "notes", NOTES_VALUES); - saveCheckBoxOption(xProps, filterData, "Metadata", "metadata"); - saveCheckBoxOption(xProps, filterData, "DisplayHiddenText", "display_hidden_text"); - - // Figures and tables - saveCheckBoxOption(xProps, filterData, "OriginalImageSize", "original_image_size"); - - boolean bOptimizeSimpleTables = saveCheckBoxOption(xProps,"OptimizeSimpleTables"); - int nSimpleTableLimit = saveNumericOption(xProps,"SimpleTableLimit"); - if (!isLocked("simple_table_limit")) { - if (bOptimizeSimpleTables) { - filterData.put("simple_table_limit",Integer.toString(nSimpleTableLimit)); - } - else { - filterData.put("simple_table_limit","0"); - } - } - - saveCheckBoxOption(xProps, filterData, "FloatTables", "float_tables"); - saveCheckBoxOption(xProps, filterData, "FloatFigures", "float_figures"); - saveListBoxOption(xProps, filterData, "FloatOptions", "float_options", FLOATOPTIONS_VALUES); - - // AutoCorrect - saveCheckBoxOption(xProps, filterData, "IgnoreHardPageBreaks", "ignore_hard_page_breaks"); - saveCheckBoxOption(xProps, filterData, "IgnoreHardLineBreaks", "ignore_hard_line_breaks"); - saveCheckBoxOption(xProps, filterData, "IgnoreEmptyParagraphs", "ignore_empty_paragraphs"); - saveCheckBoxOption(xProps, filterData, "IgnoreDoubleSpaces", "ignore_double_spaces"); - } - - - // Implement XDialogEventHandler - public boolean callHandlerMethod(XDialog xDialog, Object event, String sMethod) { - if (sMethod.equals("ConfigChange") || sMethod.equals("BackendChange")) { - updateLockedOptions(); - enableControls(); - } - else if (sMethod.equals("UseBibtexChange")) { - enableBibtexStyle(); - } - else if (sMethod.equals("WrapLinesChange")) { - enableWrapLinesAfter(); - } - else if (sMethod.equals("OptimizeSimpleTablesChange")) { - enableSimpleTableLimit(); - } - else if (sMethod.equals("FloatTablesChange")) { - enableFloatOptions(); - } - else if (sMethod.equals("FloatFiguresChange")) { - enableFloatOptions(); - } - return true; - } - - public String[] getSupportedMethodNames() { - String[] sNames = { "ConfigChange", "UseBibtexChange", "WrapLinesChange", - "OptimizeSimpleTablesChange", "FloatTablesChange", "FloatFiguresChange" }; - return sNames; - } - - protected boolean isLocked(String sOptionName) { - if ("backend".equals(sOptionName)) { - // backend must be pdf for pdfscreen - return getListBoxSelectedItem("Config")==4 || super.isLocked(sOptionName); - } - else if ("inputencoding".equals(sOptionName)) { - // backend=xetex locks the encoding to utf8 - return getListBoxSelectedItem("Backend")==3 || super.isLocked(sOptionName); - } - else if ("font".equals(sOptionName)) { - // backend=xetex does not (currently) use the font option - return getListBoxSelectedItem("Backend")==3 || super.isLocked(sOptionName); - } - else if ("greek_math".equals(sOptionName)) { - // this option has no effect if backend=xetex - return getListBoxSelectedItem("Backend")==3 || super.isLocked(sOptionName); - } - else if ("additional_symbols".equals(sOptionName)) { - // additional_symbols is disabled for custom config (where the 5 - // individual options can be set independently) - // it is also disabled for backend=xetex - return getListBoxSelectedItem("Backend")==3 || getListBoxSelectedItem("Config")==5 || super.isLocked(sOptionName); - } - else if ("use_pifont".equals(sOptionName)) { - return isLocked("additional_symbols"); - } - else if ("use_ifsym".equals(sOptionName)) { - return isLocked("additional_symbols"); - } - else if ("use_wasysym".equals(sOptionName)) { - return isLocked("additional_symbols"); - } - else if ("use_eurosym".equals(sOptionName)) { - return isLocked("additional_symbols"); - } - else if ("use_tipa".equals(sOptionName)) { - return isLocked("additional_symbols"); - } - else { - return super.isLocked(sOptionName); - } - } - - private void enableControls() { - // General - setControlEnabled("BackendLabel",!isLocked("backend")); - setControlEnabled("Backend",!isLocked("backend")); - setControlEnabled("InputencodingLabel",!isLocked("inputencoding")); - setControlEnabled("Inputencoding",!isLocked("inputencoding")); - setControlEnabled("Multilingual",!isLocked("multilingual")); - setControlEnabled("FontLabel",!isLocked("font")); - setControlEnabled("Font",!isLocked("font")); - setControlEnabled("GreekMath",!isLocked("greek_math")); - setControlEnabled("AdditionalSymbols",!isLocked("additional_symbols")); - - // Bibliography - setControlEnabled("UseBibtex",!isLocked("use_bibtex")); - boolean bUseBibtex = getCheckBoxStateAsBoolean("UseBibtex"); - setControlEnabled("BibtexStyleLabel",!isLocked("bibtex_style") && bUseBibtex); - setControlEnabled("BibtexStyle",!isLocked("bibtex_style") && bUseBibtex); - - // Files - setControlEnabled("WrapLines",!isLocked("wrap_lines_after")); - boolean bWrapLines = getCheckBoxStateAsBoolean("WrapLines"); - setControlEnabled("WrapLinesAfterLabel",!isLocked("wrap_lines_after") && bWrapLines); - setControlEnabled("WrapLinesAfter",!isLocked("wrap_lines_after") && bWrapLines); - setControlEnabled("SplitLinkedSections",!isLocked("split_linked_sections")); - setControlEnabled("SplitToplevelSections",!isLocked("split_toplevel_sections")); - setControlEnabled("SaveImagesInSubdir",!isLocked("save_images_in_subdir")); - - // Special content - setControlEnabled("NotesLabel",!isLocked("notes")); - setControlEnabled("Notes",!isLocked("notes")); - setControlEnabled("Metadata",!isLocked("metadata")); - setControlEnabled("DisplayHiddenText",!isLocked("display_hidden_text")); - - // Figures and tables - setControlEnabled("OriginalImageSize",!isLocked("original_image_size")); - setControlEnabled("OptimizeSimpleTables",!isLocked("simple_table_limit")); - boolean bOptimizeSimpleTables = getCheckBoxStateAsBoolean("OptimizeSimpleTables"); - setControlEnabled("SimpleTableLimitLabel",!isLocked("simple_table_limit") && bOptimizeSimpleTables); - setControlEnabled("SimpleTableLimit",!isLocked("simple_table_limit") && bOptimizeSimpleTables); - setControlEnabled("FloatTables",!isLocked("float_tables")); - setControlEnabled("FloatFigures",!isLocked("float_figures")); - boolean bFloat = getCheckBoxStateAsBoolean("FloatFigures") || - getCheckBoxStateAsBoolean("FloatTables"); - setControlEnabled("FloatOptionsLabel",!isLocked("float_options") && bFloat); - setControlEnabled("FloatOptions",!isLocked("float_options") && bFloat); - - // AutoCorrect - setControlEnabled("IgnoreHardPageBreaks",!isLocked("ignore_hard_page_breaks")); - setControlEnabled("IgnoreHardLineBreaks",!isLocked("ignore_hard_line_breaks")); - setControlEnabled("IgnoreEmptyParagraphs",!isLocked("ignore_empty_paragraphs")); - setControlEnabled("IgnoreDoubleSpaces",!isLocked("ignore_double_spaces")); - } - - private void enableBibtexStyle() { - if (!isLocked("bibtex_style")) { - boolean bState = getCheckBoxStateAsBoolean("UseBibtex"); - setControlEnabled("BibtexStyleLabel",bState); - setControlEnabled("BibtexStyle",bState); - } - } - - private void enableWrapLinesAfter() { - if (!isLocked("wrap_lines_after")) { - boolean bState = getCheckBoxStateAsBoolean("WrapLines"); - setControlEnabled("WrapLinesAfterLabel",bState); - setControlEnabled("WrapLinesAfter",bState); - } - } - - private void enableSimpleTableLimit() { - if (!isLocked("simple_table_limit")) { - boolean bState = getCheckBoxStateAsBoolean("OptimizeSimpleTables"); - setControlEnabled("SimpleTableLimitLabel",bState); - setControlEnabled("SimpleTableLimit",bState); - } - } - - private void enableFloatOptions() { - if (!isLocked("float_options")) { - boolean bState = getCheckBoxStateAsBoolean("FloatFigures") || - getCheckBoxStateAsBoolean("FloatTables"); - setControlEnabled("FloatOptionsLabel",bState); - setControlEnabled("FloatOptions",bState); - } - } - -} - - - diff --git a/src/main/java/org/openoffice/da/comp/writer2latex/LaTeXUNOPublisher.java b/src/main/java/org/openoffice/da/comp/writer2latex/LaTeXUNOPublisher.java deleted file mode 100644 index f368b1e..0000000 --- a/src/main/java/org/openoffice/da/comp/writer2latex/LaTeXUNOPublisher.java +++ /dev/null @@ -1,207 +0,0 @@ -/************************************************************************ - * - * LaTeXUNOPublisher.java - * - * Copyright: 2002-2015 by Henrik Just - * - * This file is part of Writer2LaTeX. - * - * Writer2LaTeX is free software: you can redistribute it and/or modify - * it under the terms of the GNU General Public License as published by - * the Free Software Foundation, either version 3 of the License, or - * (at your option) any later version. - * - * Writer2LaTeX is distributed in the hope that it will be useful, - * but WITHOUT ANY WARRANTY; without even the implied warranty of - * MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the - * GNU General Public License for more details. - * - * You should have received a copy of the GNU General Public License - * along with Writer2LaTeX. If not, see . - * - * Version 1.6 (2015-07-23) - * - */ -package org.openoffice.da.comp.writer2latex; - -import java.io.File; -import java.io.IOException; - -import org.openoffice.da.comp.w2lcommon.filter.UNOPublisher; -import org.openoffice.da.comp.w2lcommon.helper.MessageBox; -import org.openoffice.da.comp.w2lcommon.helper.PropertyHelper; -import org.openoffice.da.comp.w2lcommon.helper.RegistryHelper; -import org.openoffice.da.comp.w2lcommon.helper.XPropertySetHelper; - -import writer2latex.latex.i18n.ClassicI18n; -import writer2latex.util.CSVList; -import writer2latex.util.Misc; - -import com.sun.star.beans.PropertyValue; -import com.sun.star.beans.XPropertySet; -import com.sun.star.frame.XFrame; -import com.sun.star.uno.Exception; -import com.sun.star.uno.UnoRuntime; -import com.sun.star.uno.XComponentContext; - -public class LaTeXUNOPublisher extends UNOPublisher { - - // The TeXifier and associated data - private TeXify texify = null; - private String sBibinputs=null; - private String sBackend = "generic"; //$NON-NLS-1$ - - public LaTeXUNOPublisher(XComponentContext xContext, XFrame xFrame, String sAppName) { - super(xContext, xFrame, sAppName); - } - - /** Get the directory containing the BibTeX files (as defined in the registry) - * - * @return the directory - */ - public File getBibTeXDirectory() { - // Get the BibTeX settings from the registry - RegistryHelper registry = new RegistryHelper(xContext); - Object view; - try { - view = registry.getRegistryView(BibliographyDialog.REGISTRY_PATH, false); - } catch (Exception e) { - // Failed to get registry settings - return null; - } - XPropertySet xProps = (XPropertySet) UnoRuntime.queryInterface(XPropertySet.class,view); - return getDirectory(XPropertySetHelper.getPropertyValueAsShort(xProps, "BibTeXLocation"), //$NON-NLS-1$ - XPropertySetHelper.getPropertyValueAsString(xProps, "BibTeXDir")); //$NON-NLS-1$ - } - - /** Make a file name LaTeX friendly - */ - @Override protected String filterFileName(String sFileName) { - return Misc.makeTeXFriendly(sFileName,"writer2latex"); //$NON-NLS-1$ - } - - /** Post process the filter data: Set bibliography options and - * determine the backend and the BIBINPUTS directory - */ - @Override protected PropertyValue[] postProcessMediaProps(PropertyValue[] mediaProps) { - sBackend = "generic"; //$NON-NLS-1$ - sBibinputs = null; - - PropertyHelper mediaHelper = new PropertyHelper(mediaProps); - Object filterData = mediaHelper.get("FilterData"); //$NON-NLS-1$ - if (filterData instanceof PropertyValue[]) { - PropertyHelper filterHelper = new PropertyHelper((PropertyValue[])filterData); - - // Get the backend - Object backend = filterHelper.get("backend"); //$NON-NLS-1$ - if (backend instanceof String) { - sBackend = (String) backend; - } - - // Set the bibliography options according to the settings - RegistryHelper registry = new RegistryHelper(xContext); - try { - Object view = registry.getRegistryView(BibliographyDialog.REGISTRY_PATH, false); - XPropertySet xProps = (XPropertySet) UnoRuntime.queryInterface(XPropertySet.class,view); - String sBibTeXFiles = getFileList(XPropertySetHelper.getPropertyValueAsShort(xProps, "BibTeXLocation"), //$NON-NLS-1$ - XPropertySetHelper.getPropertyValueAsString(xProps, "BibTeXDir")); //$NON-NLS-1$ - if (XPropertySetHelper.getPropertyValueAsBoolean(xProps, "UseExternalBibTeXFiles")) { //$NON-NLS-1$ - filterHelper.put("external_bibtex_files", sBibTeXFiles); //$NON-NLS-1$ - filterHelper.put("bibtex_encoding", ClassicI18n.writeInputenc( //$NON-NLS-1$ - XPropertySetHelper.getPropertyValueAsShort(xProps, "BibTeXEncoding"))); //$NON-NLS-1$ - if (XPropertySetHelper.getPropertyValueAsBoolean(xProps, "ConvertZoteroCitations")) { //$NON-NLS-1$ - filterHelper.put("zotero_bibtex_files", sBibTeXFiles); //$NON-NLS-1$ - } - if (XPropertySetHelper.getPropertyValueAsBoolean(xProps, "ConvertJabRefCitations")) { //$NON-NLS-1$ - filterHelper.put("jabref_bibtex_files", sBibTeXFiles); //$NON-NLS-1$ - } - } - filterHelper.put("include_original_citations", //$NON-NLS-1$ - Boolean.toString(XPropertySetHelper.getPropertyValueAsBoolean(xProps, "IncludeOriginalCitations"))); //$NON-NLS-1$ - String sBibTeXDir = XPropertySetHelper.getPropertyValueAsString(xProps, "BibTeXDir"); //$NON-NLS-1$ - if (sBibTeXDir.length()>0) { - // The separator character in BIBINPUTS is OS specific - sBibinputs = sBibTeXDir+File.pathSeparatorChar; - } - filterHelper.put("use_natbib", Boolean.toString(XPropertySetHelper.getPropertyValueAsBoolean(xProps, "UseNatbib"))); //$NON-NLS-1$ //$NON-NLS-2$ - filterHelper.put("natbib_options", XPropertySetHelper.getPropertyValueAsString(xProps, "NatbibOptions")); //$NON-NLS-1$ //$NON-NLS-2$ - - mediaHelper.put("FilterData",filterHelper.toArray()); //$NON-NLS-1$ - PropertyValue[] newMediaProps = mediaHelper.toArray(); - registry.disposeRegistryView(view); - return newMediaProps; - } - catch (Exception e) { - // Failed to get registry view; return original media props - return mediaProps; - } - } - // No filter data; return original media props - return mediaProps; - } - - /** Postprocess the converted document with LaTeX and display the result - */ - @Override protected void postProcess(String sURL, TargetFormat format) { - if (texify==null) { texify = new TeXify(xContext); } - File file = new File(Misc.urlToFile(getTargetPath()),getTargetFileName()); - - boolean bResult = true; - - try { - if (sBackend=="pdftex") { //$NON-NLS-1$ - bResult = texify.process(file, sBibinputs, TeXify.PDFTEX, true); - } - else if (sBackend=="dvips") { //$NON-NLS-1$ - bResult = texify.process(file, sBibinputs, TeXify.DVIPS, true); - } - else if (sBackend=="xetex") { //$NON-NLS-1$ - bResult = texify.process(file, sBibinputs, TeXify.XETEX, true); - } - else if (sBackend=="generic") { //$NON-NLS-1$ - bResult = texify.process(file, sBibinputs, TeXify.GENERIC, true); - } - } - catch (IOException e) { - MessageBox msgBox = new MessageBox(xContext, xFrame); - msgBox.showMessage("Writer2LaTeX",Messages.getString("LaTeXUNOPublisher.error")+": "+e.getMessage()); //$NON-NLS-1$ //$NON-NLS-2$ - } - - if (!bResult) { - MessageBox msgBox = new MessageBox(xContext, xFrame); - msgBox.showMessage("Writer2LaTeX",Messages.getString("LaTeXUNOPublisher.error")+": "+Messages.getString("LaTeXUNOPublisher.failedlatex")); //$NON-NLS-1$ //$NON-NLS-2$ - } - } - - private File getDirectory(short nType, String sDirectory) { - switch (nType) { - case 0: // absolute path - return new File(sDirectory); - case 1: // relative path - return new File(Misc.urlToFile(getTargetPath()),sDirectory); - default: // document directory - return Misc.urlToFile(getTargetPath()); - } - } - - private String getFileList(short nType, String sDirectory) { - File dir = getDirectory(nType,sDirectory); - File[] files; - if (dir.isDirectory()) { - files = dir.listFiles(); - } - else { - return null; - } - CSVList filelist = new CSVList(","); //$NON-NLS-1$ - if (files!=null) { - for (File file : files) { - if (file.isFile() && file.getName().endsWith(".bib")) { //$NON-NLS-1$ - filelist.addValue(Misc.removeExtension(file.getName())); - } - } - } - return filelist.toString(); - } - -} diff --git a/src/main/java/org/openoffice/da/comp/writer2latex/LogViewerDialog.java b/src/main/java/org/openoffice/da/comp/writer2latex/LogViewerDialog.java deleted file mode 100644 index df0a869..0000000 --- a/src/main/java/org/openoffice/da/comp/writer2latex/LogViewerDialog.java +++ /dev/null @@ -1,182 +0,0 @@ -/************************************************************************ - * - * LogViewerDialog.java - * - * Copyright: 2002-2015 by Henrik Just - * - * This file is part of Writer2LaTeX. - * - * Writer2LaTeX is free software: you can redistribute it and/or modify - * it under the terms of the GNU General Public License as published by - * the Free Software Foundation, either version 3 of the License, or - * (at your option) any later version. - * - * Writer2LaTeX is distributed in the hope that it will be useful, - * but WITHOUT ANY WARRANTY; without even the implied warranty of - * MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the - * GNU General Public License for more details. - * - * You should have received a copy of the GNU General Public License - * along with Writer2LaTeX. If not, see . - * - * Version 1.6 (2015-02-10) - * - */ - -package org.openoffice.da.comp.writer2latex; - -import java.io.File; -import java.io.FileInputStream; -import java.io.InputStreamReader; -import java.io.IOException; -import java.net.URI; -import java.net.URISyntaxException; - -import com.sun.star.awt.XDialog; -import com.sun.star.uno.XComponentContext; - -import org.openoffice.da.comp.w2lcommon.helper.DialogAccess; -import org.openoffice.da.comp.w2lcommon.helper.DialogBase; - -/** This class provides a uno component which displays logfiles - */ -public class LogViewerDialog extends DialogBase - implements com.sun.star.lang.XInitialization { - - /** The component will be registered under this name. - */ - public static String __serviceName = "org.openoffice.da.writer2latex.LogViewerDialog"; - - /** The component should also have an implementation name. - */ - public static String __implementationName = "org.openoffice.da.comp.writer2latex.LogViewerDialog"; - - /** Return the name of the library containing the dialog - */ - public String getDialogLibraryName() { - return "W2LDialogs2"; - } - - private String sBaseUrl = null; - private String sLaTeXLog = null; - private String sLaTeXErrors = null; - private String sBibTeXLog = null; - private String sMakeindexLog = null; - - /** Return the name of the dialog within the library - */ - public String getDialogName() { - return "LogViewer"; - } - - public void initialize() { - if (sBaseUrl!=null) { - sLaTeXLog = readTextFile(sBaseUrl+".log"); - sLaTeXErrors = errorFilter(sLaTeXLog); - sBibTeXLog = readTextFile(sBaseUrl+".blg"); - sMakeindexLog = readTextFile(sBaseUrl+".ilg"); - setComboBoxText("LogContents",sLaTeXLog); - } - } - - public void endDialog() { - } - - /** Create a new LogViewerDialog */ - public LogViewerDialog(XComponentContext xContext) { - super(xContext); - } - - // Implement com.sun.star.lang.XInitialization - public void initialize( Object[] object ) - throws com.sun.star.uno.Exception { - if ( object.length > 0 ) { - if (object[0] instanceof String) { - sBaseUrl = (String) object[0]; - } - } - } - - // Implement XDialogEventHandler - public boolean callHandlerMethod(XDialog xDialog, Object event, String sMethod) { - if (sMethod.equals("ViewLaTeXLog")) { - setComboBoxText("LogContents", - getCheckBoxState("ErrorFilter")==DialogAccess.CHECKBOX_CHECKED ? sLaTeXErrors : sLaTeXLog); - setControlEnabled("ErrorFilter",true); - } - else if (sMethod.equals("ViewBibTeXLog")) { - setComboBoxText("LogContents", sBibTeXLog); - setControlEnabled("ErrorFilter",false); - } - else if (sMethod.equals("ViewMakeindexLog")) { - setComboBoxText("LogContents", sMakeindexLog); - setControlEnabled("ErrorFilter",false); - } - else if (sMethod.equals("ErrorFilterChange")) { - setComboBoxText("LogContents", - getCheckBoxState("ErrorFilter")==DialogAccess.CHECKBOX_CHECKED ? sLaTeXErrors : sLaTeXLog); - } - return true; - } - - public String[] getSupportedMethodNames() { - String[] sNames = { "ViewLaTeXLog", "ViewBibTeXLog", "ViewMakeindexLog", "ErrorFilterChange" }; - return sNames; - } - - // Utility methods - - private String readTextFile(String sUrl) { - StringBuilder buf = new StringBuilder(); - try { - File file = new File(new URI(sUrl)); - if (file.exists() && file.isFile()) { - InputStreamReader isr = new InputStreamReader(new FileInputStream(file)); - int n; - do { - n = isr.read(); - if (n>-1) { buf.append((char)n); } - } - while (n>-1); - isr.close(); - } - } - catch (URISyntaxException e) { - return ""; - } - catch (IOException e) { - return ""; - } - return buf.toString(); - } - - // Extract errors from LaTeX log file only - private String errorFilter(String log) { - StringBuilder buf = new StringBuilder(); - int nLen = log.length(); - int nIndex = 0; - boolean bIncludeLines = false; - while (nIndex1 && log.charAt(nIndex)=='!') { - bIncludeLines = true; - } - else if (nNewline==nIndex) { - if (bIncludeLines) { - buf.append('\n'); - } - bIncludeLines = false; - } - if (bIncludeLines) { - buf.append(log.substring(nIndex,nNewline)).append('\n'); - } - nIndex = nNewline+1; - } - return buf.toString(); - } - -} - - - diff --git a/src/main/java/org/openoffice/da/comp/writer2latex/Messages.java b/src/main/java/org/openoffice/da/comp/writer2latex/Messages.java deleted file mode 100644 index 8049959..0000000 --- a/src/main/java/org/openoffice/da/comp/writer2latex/Messages.java +++ /dev/null @@ -1,46 +0,0 @@ -/************************************************************************ - * - * Messages.java - * - * Copyright: 2002-2015 by Henrik Just - * - * This file is part of Writer2LaTeX. - * - * Writer2LaTeX is free software: you can redistribute it and/or modify - * it under the terms of the GNU General Public License as published by - * the Free Software Foundation, either version 3 of the License, or - * (at your option) any later version. - * - * Writer2LaTeX is distributed in the hope that it will be useful, - * but WITHOUT ANY WARRANTY; without even the implied warranty of - * MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the - * GNU General Public License for more details. - * - * You should have received a copy of the GNU General Public License - * along with Writer2LaTeX. If not, see . - * - * Version 1.6 (2015-05-29) - * - */ -package org.openoffice.da.comp.writer2latex; - -import java.util.MissingResourceException; -import java.util.ResourceBundle; - -public class Messages { - private static final String BUNDLE_NAME = "org.openoffice.da.comp.writer2latex.messages"; //$NON-NLS-1$ - - private static final ResourceBundle RESOURCE_BUNDLE = ResourceBundle - .getBundle(BUNDLE_NAME); - - private Messages() { - } - - public static String getString(String key) { - try { - return RESOURCE_BUNDLE.getString(key); - } catch (MissingResourceException e) { - return '!' + key + '!'; - } - } -} diff --git a/src/main/java/org/openoffice/da/comp/writer2latex/TeXDetectService.java b/src/main/java/org/openoffice/da/comp/writer2latex/TeXDetectService.java deleted file mode 100644 index c43493d..0000000 --- a/src/main/java/org/openoffice/da/comp/writer2latex/TeXDetectService.java +++ /dev/null @@ -1,173 +0,0 @@ -/************************************************************************ - * - * TeXDetectService.java - * - * Copyright: 2002-2014 by Henrik Just - * - * This file is part of Writer2LaTeX. - * - * Writer2LaTeX is free software: you can redistribute it and/or modify - * it under the terms of the GNU General Public License as published by - * the Free Software Foundation, either version 3 of the License, or - * (at your option) any later version. - * - * Writer2LaTeX is distributed in the hope that it will be useful, - * but WITHOUT ANY WARRANTY; without even the implied warranty of - * MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the - * GNU General Public License for more details. - * - * You should have received a copy of the GNU General Public License - * along with Writer2LaTeX. If not, see . - * - * Version 1.6 (2014-10-29) - * - */ - -package org.openoffice.da.comp.writer2latex; - -import java.io.IOException; - - -import com.sun.star.lib.uno.adapter.XInputStreamToInputStreamAdapter; -import com.sun.star.lib.uno.helper.WeakBase; - -import com.sun.star.beans.PropertyValue; -import com.sun.star.document.XExtendedFilterDetection; -import com.sun.star.lang.XServiceInfo; -import com.sun.star.io.XInputStream; -import com.sun.star.ucb.XSimpleFileAccess2; -import com.sun.star.uno.AnyConverter; -import com.sun.star.uno.UnoRuntime; -import com.sun.star.uno.XComponentContext; - - - -/** This class provides detect services for TeX documents - * It is thus an implementation of the service com.sun.star.document.ExtendedTypeDetection - */ - -public class TeXDetectService extends WeakBase implements XExtendedFilterDetection, XServiceInfo { - - // Constants - - // Identify this service - public static final String __implementationName = TeXDetectService.class.getName(); - public static final String __serviceName = "com.sun.star.document.ExtendedTypeDetection"; - private static final String[] m_serviceNames = { __serviceName }; - - // The type names - private static final String LATEX_FILE = "org.openoffice.da.writer2latex.LaTeX_File"; - private static final String XELATEX_FILE = "org.openoffice.da.writer2latex.XeLaTeX_File"; - - // From constructor+initialization -private final XComponentContext m_xContext; - - /** Construct a new TeXDetectService - * - * @param xContext The Component Context - */ - public TeXDetectService( XComponentContext xContext ) { - m_xContext = xContext; - } - - // Implement com.sun.star.lang.XServiceInfo: - public String getImplementationName() { - return __implementationName; - } - - public boolean supportsService( String sService ) { - int len = m_serviceNames.length; - - for(int i=0; i < len; i++) { - if (sService.equals(m_serviceNames[i])) - return true; - } - return false; - } - - public String[] getSupportedServiceNames() { - return m_serviceNames; - } - - // Implement XExtendedFilterDetection - public String detect(PropertyValue[][] mediaDescriptor) { - // Read the media properties - String sURL = null; - String sTypeName = null; - if (mediaDescriptor.length>0) { - int nLength = mediaDescriptor[0].length; - for (int i=0; i. - * - * Version 1.6 (2014-10-29) - * - */ - -package org.openoffice.da.comp.writer2latex; - -//import com.sun.star.lib.uno.helper.Factory; -import java.io.File; -import java.net.URI; - - -import com.sun.star.lib.uno.helper.WeakBase; -import com.sun.star.document.XDocumentInsertable; -import com.sun.star.lang.XServiceInfo; -import com.sun.star.task.XStatusIndicator; -import com.sun.star.text.XTextCursor; -import com.sun.star.text.XTextDocument; -import com.sun.star.uno.XComponentContext; -import com.sun.star.uno.UnoRuntime; -import com.sun.star.uno.AnyConverter; - -import com.sun.star.beans.PropertyValue; -import com.sun.star.lang.XInitialization; -import com.sun.star.container.XNamed; -import com.sun.star.document.XImporter; -import com.sun.star.document.XFilter; - -/** This class implements an import filter for TeX documents using TeX4ht - * It is thus an implementation of the service com.sun.star.document.ImportFilter - */ -public class TeXImportFilter extends WeakBase implements XInitialization, XNamed, XImporter, XFilter, XServiceInfo { - - // Constants - - // Identify this service - public static final String __implementationName = TeXImportFilter.class.getName(); - public static final String __serviceName = "com.sun.star.document.ImportFilter"; - private static final String[] m_serviceNames = { __serviceName }; - - // Possible states of the filtering process - public static final int FILTERPROC_RUNNING = 0; - public static final int FILTERPROC_BREAKING = 1; - public static final int FILTERPROC_STOPPED = 2; - - // Global data - - // From constructor - private final XComponentContext m_xContext; - - // The filter name - private String m_sFilterName; - - // The target document for the import - private com.sun.star.text.XTextDocument m_xTargetDoc; - - // The current state of the filtering process - private int m_nState; - - /** Construct a new TeXImportFilter - * - * @param xContext The Component Context - */ - public TeXImportFilter( XComponentContext xContext ) { - m_xContext = xContext; - m_sFilterName = ""; - m_xTargetDoc = null; - m_nState = FILTERPROC_STOPPED; - } - - // Implement com.sun.star.lang.XServiceInfo: - public String getImplementationName() { - return __implementationName; - } - - public boolean supportsService( String sService ) { - int len = m_serviceNames.length; - - for(int i=0; i < len; i++) { - if (sService.equals(m_serviceNames[i])) - return true; - } - return false; - } - - public String[] getSupportedServiceNames() { - return m_serviceNames; - } - - // The following methods may be called from multiple threads (e.g. if someone wants to cancel the filtering), - // thus all access to class members must be synchronized - - // Implement XInitialization: - public void initialize( Object[] arguments ) throws com.sun.star.uno.Exception { - if (arguments.length>0) { - // The first argument contains configuration data, from which we extract the filter name for further reference - // We need this to know which flavour of TeX we're supposed to handle - PropertyValue[] config = (PropertyValue[]) arguments[0]; - int nLen = config.length; - for (int i=0; i. - * - * Version 1.6 (2015-05-29) - * - */ - -package org.openoffice.da.comp.writer2latex; - -import java.io.File; -import java.io.IOException; -import java.util.HashMap; -import java.util.Map; - - -import com.sun.star.uno.XComponentContext; - -/** This class builds LaTeX documents into DVI, Postscript or PDF and displays - * the result. - */ -public final class TeXify { - - /** Backend format generic (dvi) */ - public static final short GENERIC = 1; - - /** Backend format dvips (postscript) */ - public static final short DVIPS = 2; - - /** Backend format pdfTeX (pdf) */ - public static final short PDFTEX = 3; - - /** Backend format XeTeX (also pdf, usually) */ - public static final short XETEX = 4; - - // Define the applications to run for each backend - private static final String[] genericTexify = { - ExternalApps.LATEX, ExternalApps.BIBTEX, ExternalApps.MAKEINDEX, - ExternalApps.LATEX, ExternalApps.MAKEINDEX, ExternalApps.LATEX }; - private static final String[] pdfTexify = { - ExternalApps.PDFLATEX, ExternalApps.BIBTEX, ExternalApps.MAKEINDEX, - ExternalApps.PDFLATEX, ExternalApps.MAKEINDEX, ExternalApps.PDFLATEX }; - private static final String[] dvipsTexify = { - ExternalApps.LATEX, ExternalApps.BIBTEX, ExternalApps.MAKEINDEX, - ExternalApps.LATEX, ExternalApps.MAKEINDEX, ExternalApps.LATEX, - ExternalApps.DVIPS }; - private static final String[] xeTexify = { - ExternalApps.XELATEX, ExternalApps.BIBTEX, ExternalApps.MAKEINDEX, - ExternalApps.XELATEX, ExternalApps.MAKEINDEX, ExternalApps.XELATEX }; - - // Global objects - private ExternalApps externalApps; - - public TeXify(XComponentContext xContext) { - externalApps = new ExternalApps(xContext); - } - - /** Process a document. This will either (depending on the registry settings) do nothing, build with LaTeX - * or build with LaTeX and preview - * - * @param file the LaTeX file to process - * @param sBibinputs value for the BIBINPUTS environment variable (or null if it should not be extended) - * @param nBackend the desired backend format (generic, dvips, pdftex) - * @param bView set the true if the result should be displayed in the viewer - * @throws IOException if the document cannot be read - * @return true if the first LaTeX run was successful - */ - public boolean process(File file, String sBibinputs, short nBackend, boolean bView) throws IOException { - // Remove extension from file - if (file.getName().endsWith(".tex")) { //$NON-NLS-1$ - file = new File(file.getParentFile(), - file.getName().substring(0,file.getName().length()-4)); - } - - // Update external apps from registry - externalApps.load(); - - // Process LaTeX document - if (externalApps.getProcessingLevel()>=ExternalApps.BUILD) { - boolean bPreview = externalApps.getProcessingLevel()>=ExternalApps.PREVIEW; - boolean bResult = false; - if (nBackend==GENERIC) { - bResult = doTeXify(genericTexify, file, sBibinputs); - if (!bResult) return false; - if (bPreview && externalApps.execute(ExternalApps.DVIVIEWER, - new File(file.getParentFile(),file.getName()+".dvi").getPath(), //$NON-NLS-1$ - file.getParentFile(), null, false)>0) { - throw new IOException(Messages.getString("TeXify.dviviewerror")); //$NON-NLS-1$ - } - } - else if (nBackend==PDFTEX) { - bResult = doTeXify(pdfTexify, file, sBibinputs); - if (!bResult) return false; - if (bPreview && externalApps.execute(ExternalApps.PDFVIEWER, - new File(file.getParentFile(),file.getName()+".pdf").getPath(), //$NON-NLS-1$ - file.getParentFile(), null, false)>0) { - throw new IOException(Messages.getString("TeXify.pdfviewerror")); //$NON-NLS-1$ - } - } - else if (nBackend==DVIPS) { - bResult = doTeXify(dvipsTexify, file, sBibinputs); - if (!bResult) return false; - if (bPreview && externalApps.execute(ExternalApps.POSTSCRIPTVIEWER, - new File(file.getParentFile(),file.getName()+".ps").getPath(), //$NON-NLS-1$ - file.getParentFile(), null, false)>0) { - throw new IOException(Messages.getString("TeXify.psviewerror")); //$NON-NLS-1$ - } - } - else if (nBackend==XETEX) { - bResult = doTeXify(xeTexify, file, sBibinputs); - if (!bResult) return false; - if (bPreview && externalApps.execute(ExternalApps.PDFVIEWER, - new File(file.getParentFile(),file.getName()+".pdf").getPath(), //$NON-NLS-1$ - file.getParentFile(), null, false)>0) { - throw new IOException(Messages.getString("TeXify.pdfviewerror")); //$NON-NLS-1$ - } - } - return bResult; - } - return true; - } - - private boolean doTeXify(String[] sAppList, File file, String sBibinputs) throws IOException { - // Remove the .aux file first (to avoid potential error messages) - File aux = new File(file.getParentFile(), file.getName()+".aux"); //$NON-NLS-1$ - aux.delete(); - for (int i=0; i env =null; - if (ExternalApps.BIBTEX.equals(sAppList[i]) && sBibinputs!=null) { - env = new HashMap(); - env.put("BIBINPUTS", sBibinputs); //$NON-NLS-1$ - } - int nReturnCode = externalApps.execute( - sAppList[i], file.getName(), file.getParentFile(), env, true); - if (i==0 && nReturnCode>0) { - return false; - //throw new IOException("Error executing "+sAppList[i]); - } - } - - return true; - } - -} \ No newline at end of file diff --git a/src/main/java/org/openoffice/da/comp/writer2latex/W2LExportFilter.java b/src/main/java/org/openoffice/da/comp/writer2latex/W2LExportFilter.java deleted file mode 100644 index 3cda708..0000000 --- a/src/main/java/org/openoffice/da/comp/writer2latex/W2LExportFilter.java +++ /dev/null @@ -1,54 +0,0 @@ -/************************************************************************ - * - * W2LExportFilter.java - * - * Copyright: 2002-2014 by Henrik Just - * - * This file is part of Writer2LaTeX. - * - * Writer2LaTeX is free software: you can redistribute it and/or modify - * it under the terms of the GNU General Public License as published by - * the Free Software Foundation, either version 3 of the License, or - * (at your option) any later version. - * - * Writer2LaTeX is distributed in the hope that it will be useful, - * but WITHOUT ANY WARRANTY; without even the implied warranty of - * MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the - * GNU General Public License for more details. - * - * You should have received a copy of the GNU General Public License - * along with Writer2LaTeX. If not, see . - * - * Version 1.6 (2014-10-06) - * - */ - -package org.openoffice.da.comp.writer2latex; - -import com.sun.star.uno.XComponentContext; - -import org.openoffice.da.comp.w2lcommon.filter.ExportFilterBase; - - -/** This class implements the LaTeX and BibTeX export filter component - */ -public class W2LExportFilter extends ExportFilterBase { - - /** Service name for the component */ - public static final String __serviceName = "org.openoffice.da.comp.writer2latex.W2LExportFilter"; - - /** Implementation name for the component */ - public static final String __implementationName = "org.openoffice.da.comp.writer2latex.W2LExportFilter"; - - /** Filter name to include in error messages */ - public final String __displayName = "Writer2LaTeX"; - - public W2LExportFilter(XComponentContext xComponentContext1) { - super(xComponentContext1); - } - - -} - - - diff --git a/src/main/java/org/openoffice/da/comp/writer2latex/W2LRegistration.java b/src/main/java/org/openoffice/da/comp/writer2latex/W2LRegistration.java deleted file mode 100644 index d4b6247..0000000 --- a/src/main/java/org/openoffice/da/comp/writer2latex/W2LRegistration.java +++ /dev/null @@ -1,165 +0,0 @@ -/************************************************************************ - * - * W2LRegistration.java - * - * Copyright: 2002-2014 by Henrik Just - * - * This file is part of Writer2LaTeX. - * - * Writer2LaTeX is free software: you can redistribute it and/or modify - * it under the terms of the GNU General Public License as published by - * the Free Software Foundation, either version 3 of the License, or - * (at your option) any later version. - * - * Writer2LaTeX is distributed in the hope that it will be useful, - * but WITHOUT ANY WARRANTY; without even the implied warranty of - * MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the - * GNU General Public License for more details. - * - * You should have received a copy of the GNU General Public License - * along with Writer2LaTeX. If not, see . - * - * Version 1.6 (2014-12-11) - * - */ - -package org.openoffice.da.comp.writer2latex; - -import com.sun.star.lang.XMultiServiceFactory; -import com.sun.star.lang.XSingleServiceFactory; -import com.sun.star.registry.XRegistryKey; - -import com.sun.star.comp.loader.FactoryHelper; - -/** This class provides a static method to instantiate our uno components - * on demand (__getServiceFactory()), and a static method to give - * information about the components (__writeRegistryServiceInfo()). - * Furthermore, it saves the XMultiServiceFactory provided to the - * __getServiceFactory method for future reference by the componentes. - */ -public class W2LRegistration { - - public static XMultiServiceFactory xMultiServiceFactory; - - /** - * Returns a factory for creating the service. - * This method is called by the JavaLoader - * - * @return returns a XSingleServiceFactory for creating the - * component - * - * @param implName the name of the implementation for which a - * service is desired - * @param multiFactory the service manager to be used if needed - * @param regKey the registryKey - * - * @see com.sun.star.comp.loader.JavaLoader - */ - public static XSingleServiceFactory __getServiceFactory(String implName, - XMultiServiceFactory multiFactory, XRegistryKey regKey) { - xMultiServiceFactory = multiFactory; - XSingleServiceFactory xSingleServiceFactory = null; - if (implName.equals(W2LExportFilter.class.getName()) ) { - xSingleServiceFactory = FactoryHelper.getServiceFactory(W2LExportFilter.class, - W2LExportFilter.__serviceName, - multiFactory, - regKey); - } - else if (implName.equals(LaTeXOptionsDialog.__implementationName)) { - xSingleServiceFactory = FactoryHelper.getServiceFactory(LaTeXOptionsDialog.class, - LaTeXOptionsDialog.__serviceName, - multiFactory, - regKey); - } - else if (implName.equals(W2LStarMathConverter.__implementationName)) { - xSingleServiceFactory = FactoryHelper.getServiceFactory(W2LStarMathConverter.class, - W2LStarMathConverter.__serviceName, - multiFactory, - regKey); - } - else if (implName.equals(ConfigurationDialog.__implementationName)) { - xSingleServiceFactory = FactoryHelper.getServiceFactory(ConfigurationDialog.class, - ConfigurationDialog.__serviceName, - multiFactory, - regKey); - } - else if (implName.equals(Writer2LaTeX.__implementationName) ) { - xSingleServiceFactory = FactoryHelper.getServiceFactory(Writer2LaTeX.class, - Writer2LaTeX.__serviceName, - multiFactory, - regKey); - } - else if (implName.equals(TeXImportFilter.__implementationName) ) { - xSingleServiceFactory = FactoryHelper.getServiceFactory(TeXImportFilter.class, - TeXImportFilter.__serviceName, - multiFactory, - regKey); - } - else if (implName.equals(TeXDetectService.__implementationName) ) { - xSingleServiceFactory = FactoryHelper.getServiceFactory(TeXDetectService.class, - TeXDetectService.__serviceName, - multiFactory, - regKey); - } - else if (implName.equals(ApplicationsDialog.__implementationName) ) { - xSingleServiceFactory = FactoryHelper.getServiceFactory(ApplicationsDialog.class, - ApplicationsDialog.__serviceName, - multiFactory, - regKey); - } - else if (implName.equals(BibliographyDialog.__implementationName) ) { - xSingleServiceFactory = FactoryHelper.getServiceFactory(BibliographyDialog.class, - BibliographyDialog.__serviceName, - multiFactory, - regKey); - } - else if (implName.equals(LogViewerDialog.__implementationName) ) { - xSingleServiceFactory = FactoryHelper.getServiceFactory(LogViewerDialog.class, - LogViewerDialog.__serviceName, - multiFactory, - regKey); - } - else if (implName.equals(BibTeXDialog.__implementationName) ) { - xSingleServiceFactory = FactoryHelper.getServiceFactory(BibTeXDialog.class, - BibTeXDialog.__serviceName, - multiFactory, - regKey); - } - - return xSingleServiceFactory; - } - - /** - * Writes the service information into the given registry key. - * This method is called by the JavaLoader - *

- * @return returns true if the operation succeeded - * @param regKey the registryKey - * @see com.sun.star.comp.loader.JavaLoader - */ - public static boolean __writeRegistryServiceInfo(XRegistryKey regKey) { - return - FactoryHelper.writeRegistryServiceInfo(W2LExportFilter.__implementationName, - W2LExportFilter.__serviceName, regKey) & - FactoryHelper.writeRegistryServiceInfo(LaTeXOptionsDialog.__implementationName, - LaTeXOptionsDialog.__serviceName, regKey) & - FactoryHelper.writeRegistryServiceInfo(W2LStarMathConverter.__implementationName, - W2LStarMathConverter.__serviceName, regKey) & - FactoryHelper.writeRegistryServiceInfo(ConfigurationDialog.__implementationName, - ConfigurationDialog.__serviceName, regKey) & - FactoryHelper.writeRegistryServiceInfo(Writer2LaTeX.__implementationName, - Writer2LaTeX.__serviceName, regKey) & - FactoryHelper.writeRegistryServiceInfo(TeXImportFilter.__implementationName, - TeXImportFilter.__serviceName, regKey) & - FactoryHelper.writeRegistryServiceInfo(TeXDetectService.__implementationName, - TeXDetectService.__serviceName, regKey) & - FactoryHelper.writeRegistryServiceInfo(ApplicationsDialog.__implementationName, - ApplicationsDialog.__serviceName, regKey) & - FactoryHelper.writeRegistryServiceInfo(BibliographyDialog.__implementationName, - BibliographyDialog.__serviceName, regKey) & - FactoryHelper.writeRegistryServiceInfo(LogViewerDialog.__implementationName, - LogViewerDialog.__serviceName, regKey) & - FactoryHelper.writeRegistryServiceInfo(BibTeXDialog.__implementationName, - BibTeXDialog.__serviceName, regKey); - } -} diff --git a/src/main/java/org/openoffice/da/comp/writer2latex/W2LStarMathConverter.java b/src/main/java/org/openoffice/da/comp/writer2latex/W2LStarMathConverter.java deleted file mode 100644 index 2df66b8..0000000 --- a/src/main/java/org/openoffice/da/comp/writer2latex/W2LStarMathConverter.java +++ /dev/null @@ -1,124 +0,0 @@ -/************************************************************************ - * - * W2LStarMathConverter.java - * - * Copyright: 2002-2008 by Henrik Just - * - * This file is part of Writer2LaTeX. - * - * Writer2LaTeX is free software: you can redistribute it and/or modify - * it under the terms of the GNU General Public License as published by - * the Free Software Foundation, either version 3 of the License, or - * (at your option) any later version. - * - * Writer2LaTeX is distributed in the hope that it will be useful, - * but WITHOUT ANY WARRANTY; without even the implied warranty of - * MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the - * GNU General Public License for more details. - * - * You should have received a copy of the GNU General Public License - * along with Writer2LaTeX. If not, see . - */ - -// Version 1.0 (2008-11-22) - -package org.openoffice.da.comp.writer2latex; - -import com.sun.star.lang.XServiceInfo; -import com.sun.star.lang.XTypeProvider; -import com.sun.star.uno.Type; -//import com.sun.star.uno.UnoRuntime; -import com.sun.star.uno.XComponentContext; -import com.sun.star.lang.XServiceName; - -import writer2latex.api.ConverterFactory; -import writer2latex.api.StarMathConverter; - -// Import interface as defined in uno idl -import org.openoffice.da.writer2latex.XW2LStarMathConverter; - -/** This class provides a uno component which implements the interface - * org.openoffice.da.writer2latex.XW2LConverter - */ -public class W2LStarMathConverter implements - XW2LStarMathConverter, - XServiceName, - XServiceInfo, - XTypeProvider { - - /** The component will be registered under this name. - */ - public static final String __serviceName = "org.openoffice.da.writer2latex.W2LStarMathConverter"; - - public static final String __implementationName = "org.openoffice.da.comp.writer2latex.W2LStarMathConverter"; - - //private static XComponentContext xComponentContext = null; - private static StarMathConverter starMathConverter; - - public W2LStarMathConverter(XComponentContext xComponentContext1) { - starMathConverter = ConverterFactory.createStarMathConverter(); - } - - // Implementation of XW2LConverter: - public String convertFormula(String sStarMathFormula) { - return starMathConverter.convert(sStarMathFormula); - } - - public String getPreamble() { - return starMathConverter.getPreamble(); - } - - - // Implement methods from interface XTypeProvider - // Implementation of XTypeProvider - - public com.sun.star.uno.Type[] getTypes() { - Type[] typeReturn = {}; - - try { - typeReturn = new Type[] { - new Type( XW2LStarMathConverter.class ), - new Type( XTypeProvider.class ), - new Type( XServiceName.class ), - new Type( XServiceInfo.class ) }; - } - catch( Exception exception ) { - - } - - return( typeReturn ); - } - - - public byte[] getImplementationId() { - byte[] byteReturn = {}; - - byteReturn = new String( "" + this.hashCode() ).getBytes(); - - return( byteReturn ); - } - - // Implement method from interface XServiceName - public String getServiceName() { - return( __serviceName ); - } - - // Implement methods from interface XServiceInfo - public boolean supportsService(String stringServiceName) { - return( stringServiceName.equals( __serviceName ) ); - } - - public String getImplementationName() { - return( __implementationName ); - } - - public String[] getSupportedServiceNames() { - String[] stringSupportedServiceNames = { __serviceName }; - return( stringSupportedServiceNames ); - } - - -} - - - diff --git a/src/main/java/org/openoffice/da/comp/writer2latex/Writer2LaTeX.java b/src/main/java/org/openoffice/da/comp/writer2latex/Writer2LaTeX.java deleted file mode 100644 index cfb934b..0000000 --- a/src/main/java/org/openoffice/da/comp/writer2latex/Writer2LaTeX.java +++ /dev/null @@ -1,230 +0,0 @@ -/************************************************************************ - * - * Writer2LaTeX.java - * - * Copyright: 2002-2015 by Henrik Just - * - * This file is part of Writer2LaTeX. - * - * Writer2LaTeX is free software: you can redistribute it and/or modify - * it under the terms of the GNU General Public License as published by - * the Free Software Foundation, either version 3 of the License, or - * (at your option) any later version. - * - * Writer2LaTeX is distributed in the hope that it will be useful, - * but WITHOUT ANY WARRANTY; without even the implied warranty of - * MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the - * GNU General Public License for more details. - * - * You should have received a copy of the GNU General Public License - * along with Writer2LaTeX. If not, see . - * - * Version 1.6 (2015-05-29) - * - */ - -package org.openoffice.da.comp.writer2latex; - -import com.sun.star.beans.XPropertySet; -import com.sun.star.frame.XFrame; -import com.sun.star.lib.uno.helper.WeakBase; -import com.sun.star.ui.dialogs.ExecutableDialogResults; -import com.sun.star.ui.dialogs.XExecutableDialog; -import com.sun.star.uno.Exception; -import com.sun.star.uno.UnoRuntime; -import com.sun.star.uno.XComponentContext; - -import org.openoffice.da.comp.w2lcommon.filter.UNOPublisher.TargetFormat; -import org.openoffice.da.comp.w2lcommon.helper.MessageBox; -import org.openoffice.da.comp.w2lcommon.helper.RegistryHelper; -import org.openoffice.da.comp.w2lcommon.helper.XPropertySetHelper; - -/** This class implements the ui (dispatch) commands provided by the Writer2LaTeX toolbar. - * The actual processing is done by the core classes UNOPublisher, - * LaTeXImporter and the dialogs - */ -public final class Writer2LaTeX extends WeakBase - implements com.sun.star.lang.XServiceInfo, - com.sun.star.frame.XDispatchProvider, - com.sun.star.lang.XInitialization, - com.sun.star.frame.XDispatch { - - private static final String PROTOCOL = "org.openoffice.da.writer2latex:"; //$NON-NLS-1$ - - // From constructor+initialization - private final XComponentContext m_xContext; - private XFrame m_xFrame; - private LaTeXUNOPublisher unoPublisher = null; - - public static final String __implementationName = Writer2LaTeX.class.getName(); - public static final String __serviceName = "com.sun.star.frame.ProtocolHandler"; //$NON-NLS-1$ - private static final String[] m_serviceNames = { __serviceName }; - - public Writer2LaTeX( XComponentContext xContext ) { - m_xContext = xContext; - } - - // com.sun.star.lang.XInitialization: - public void initialize( Object[] object ) - throws com.sun.star.uno.Exception { - if ( object.length > 0 ) { - // The first item is the current frame - m_xFrame = (com.sun.star.frame.XFrame) UnoRuntime.queryInterface( - com.sun.star.frame.XFrame.class, object[0]); - } - } - - // com.sun.star.lang.XServiceInfo: - public String getImplementationName() { - return __implementationName; - } - - public boolean supportsService( String sService ) { - int len = m_serviceNames.length; - - for( int i=0; i < len; i++) { - if (sService.equals(m_serviceNames[i])) - return true; - } - return false; - } - - public String[] getSupportedServiceNames() { - return m_serviceNames; - } - - - // com.sun.star.frame.XDispatchProvider: - public com.sun.star.frame.XDispatch queryDispatch( com.sun.star.util.URL aURL, - String sTargetFrameName, int iSearchFlags ) { - if ( aURL.Protocol.compareTo(PROTOCOL) == 0 ) { - if ( aURL.Path.compareTo("ProcessDocument") == 0 ) //$NON-NLS-1$ - return this; - else if ( aURL.Path.compareTo("ViewLog") == 0 ) //$NON-NLS-1$ - return this; - else if ( aURL.Path.compareTo("InsertBibTeX") == 0 ) //$NON-NLS-1$ - return this; - } - return null; - } - - public com.sun.star.frame.XDispatch[] queryDispatches( - com.sun.star.frame.DispatchDescriptor[] seqDescriptors ) { - int nCount = seqDescriptors.length; - com.sun.star.frame.XDispatch[] seqDispatcher = - new com.sun.star.frame.XDispatch[seqDescriptors.length]; - - for( int i=0; i < nCount; ++i ) { - seqDispatcher[i] = queryDispatch(seqDescriptors[i].FeatureURL, - seqDescriptors[i].FrameName, - seqDescriptors[i].SearchFlags ); - } - return seqDispatcher; - } - - - // com.sun.star.frame.XDispatch: - public void dispatch( com.sun.star.util.URL aURL, - com.sun.star.beans.PropertyValue[] aArguments ) { - if ( aURL.Protocol.compareTo(PROTOCOL) == 0 ) { - if ( aURL.Path.compareTo("ProcessDocument") == 0 ) { //$NON-NLS-1$ - process(); - return; - } - else if ( aURL.Path.compareTo("ViewLog") == 0 ) { //$NON-NLS-1$ - viewLog(); - return; - } - else if ( aURL.Path.compareTo("InsertBibTeX") == 0 ) { //$NON-NLS-1$ - insertBibTeX(); - return; - } - } - } - - public void addStatusListener( com.sun.star.frame.XStatusListener xControl, - com.sun.star.util.URL aURL ) { - } - - public void removeStatusListener( com.sun.star.frame.XStatusListener xControl, - com.sun.star.util.URL aURL ) { - } - - // The actual commands... - - private void process() { - createUNOPublisher(); - unoPublisher.publish(TargetFormat.latex); - } - - private void viewLog() { - createUNOPublisher(); - if (unoPublisher.documentSaved()) { - // Execute the log viewer dialog - try { - Object[] args = new Object[1]; - args[0] = unoPublisher.getTargetPath()+unoPublisher.getTargetFileName(); - Object dialog = m_xContext.getServiceManager() - .createInstanceWithArgumentsAndContext( - "org.openoffice.da.writer2latex.LogViewerDialog", args, m_xContext); //$NON-NLS-1$ - XExecutableDialog xDialog = (XExecutableDialog) - UnoRuntime.queryInterface(XExecutableDialog.class, dialog); - if (xDialog.execute()==ExecutableDialogResults.OK) { - // Closed with the close button - } - } - catch (com.sun.star.uno.Exception e) { - } - } - } - - private void insertBibTeX() { - if (useExternalBibTeXFiles()) { - createUNOPublisher(); - if (unoPublisher.documentSaved()) { - // Execute the BibTeX dialog - try { - // The dialog needs the current frame and the path to the BibTeX directory - Object[] args = new Object[2]; - args[0] = m_xFrame; - args[1] = unoPublisher.getBibTeXDirectory().getPath(); - Object dialog = m_xContext.getServiceManager() - .createInstanceWithArgumentsAndContext( - "org.openoffice.da.writer2latex.BibTeXDialog", args, m_xContext); //$NON-NLS-1$ - XExecutableDialog xDialog = (XExecutableDialog) - UnoRuntime.queryInterface(XExecutableDialog.class, dialog); - if (xDialog.execute()==ExecutableDialogResults.OK) { - // Closed with the close button - } - } - catch (com.sun.star.uno.Exception e) { - } - } - } - else { - MessageBox msgBox = new MessageBox(m_xContext, m_xFrame); - msgBox.showMessage("Writer2LaTeX",Messages.getString("Writer2LaTeX.bibtexnotenabled")); //$NON-NLS-1$ - } - } - - private boolean useExternalBibTeXFiles() { - // Get the BibTeX settings from the registry - RegistryHelper registry = new RegistryHelper(m_xContext); - Object view; - try { - view = registry.getRegistryView(BibliographyDialog.REGISTRY_PATH, false); - } catch (Exception e) { - // Failed to get registry settings - return false; - } - XPropertySet xProps = (XPropertySet) UnoRuntime.queryInterface(XPropertySet.class,view); - return XPropertySetHelper.getPropertyValueAsBoolean(xProps, "UseExternalBibTeXFiles"); //$NON-NLS-1$ - } - - private void createUNOPublisher() { - if (unoPublisher==null) { - unoPublisher = new LaTeXUNOPublisher(m_xContext,m_xFrame,"Writer2LaTeX"); //$NON-NLS-1$ - } - } - -} \ No newline at end of file diff --git a/src/main/java/org/openoffice/da/comp/writer2latex/messages.properties b/src/main/java/org/openoffice/da/comp/writer2latex/messages.properties deleted file mode 100644 index 9d2bf78..0000000 --- a/src/main/java/org/openoffice/da/comp/writer2latex/messages.properties +++ /dev/null @@ -1,34 +0,0 @@ -ApplicationsDialog.configresults=Results of configuration -ApplicationsDialog.failedtofind=Failed to find -ApplicationsDialog.failedtofindmiktex=Failed to find MikTeX -ApplicationsDialog.found=Found -ApplicationsDialog.foundgsview=Found gsview -ApplicationsDialog.foundmiktex=Found MikTeX -ApplicationsDialog.miktexdefaultconfig=Writer2LaTeX has been configured to work if MikTeX is added to your path -ApplicationsDialog.ok=OK -ApplicationsDialog.pdfdefaultviewer=Using default application for PDF -ApplicationsDialog.psdefaultviewer=Using default application for PostScript -ApplicationsDialog.systemident=Your system identifies itself as -ApplicationsDialog.usingdefaultapp=Using default application as -ApplicationsDialog.version=version -BibliographyDialog.nobibtexfiles=Warning: The selected directory does not contain any BibTeX files -BibTeXDialog.allbibfieldsupdated=All bibliography fields were updated -BibTeXDialog.alreadyexists=already exists -BibTeXDialog.bibfieldsnotupdated=The following bibliography fields were not updated -BibTeXDialog.errorreadingfile=There was an error reading this file -BibTeXDialog.failedbibtexeditor=Error: Failed to open file with BibTeX editor -BibTeXDialog.filenameempty=The file name is empty -BibTeXDialog.nobibtexeditor=Error: No BibTeX editor was found -BibTeXDialog.nobibtexfiles=No BibTeX files were found -BibTeXDialog.noentries=This file does not contain any entries -BibTeXDialog.noinformation=No information -BibTeXDialog.thefile=The file -ExternalApps.dviviewer=DVI Viewer -ExternalApps.pdfviewer=PDF Viewer -ExternalApps.psviewer=PostScript Viewer -LaTeXUNOPublisher.error=Error -LaTeXUNOPublisher.failedlatex=Failed to execute LaTeX - see log for details -TeXify.dviviewerror=Error executing DVI viewer -TeXify.pdfviewerror=Error executing PDF viewer -TeXify.psviewerror=Error executing PostScript viewer -Writer2LaTeX.bibtexnotenabled=Writer2LaTeX is not configured to use external BibTeX files for citations diff --git a/src/main/java/org/openoffice/da/comp/writer2latex/messages_da.properties b/src/main/java/org/openoffice/da/comp/writer2latex/messages_da.properties deleted file mode 100644 index aac8e96..0000000 --- a/src/main/java/org/openoffice/da/comp/writer2latex/messages_da.properties +++ /dev/null @@ -1,34 +0,0 @@ -ApplicationsDialog.configresults=Resultat af konfigurationen -ApplicationsDialog.failedtofind=Fandt ikke -ApplicationsDialog.failedtofindmiktex=Fandt ikke MikTeX -ApplicationsDialog.found=Fandt -ApplicationsDialog.foundgsview=Fandt gsview -ApplicationsDialog.foundmiktex=Fandt MikTeX -ApplicationsDialog.miktexdefaultconfig=Writer2LaTeX er blevet konfigureret så det virker hvis MikTeX tilføjes til din PATH -ApplicationsDialog.ok=o.k. -ApplicationsDialog.pdfdefaultviewer=Bruger standardprogram til PDF -ApplicationsDialog.psdefaultviewer=Bruger standardprogram til PostScript -ApplicationsDialog.systemident=Dit system identificerer sig som -ApplicationsDialog.usingdefaultapp=Bruger standardprogram som -ApplicationsDialog.version=version -BibliographyDialog.nobibtexfiles=Advarsel: Den valgte mappe indeholder ingen BibTeX filer -BibTeXDialog.allbibfieldsupdated=Alle litteraturlisteelementer blev opdateret -BibTeXDialog.alreadyexists=findes allerede -BibTeXDialog.bibfieldsnotupdated=Følgende litteraturlisteelementer blev ikke opdateret -BibTeXDialog.errorreadingfile=Der skete en fejl ved læsning af denne fil -BibTeXDialog.failedbibtexeditor=Fejl: Kunne ikke åbne filen med BibTeX-redigeringsprogrammet -BibTeXDialog.filenameempty=Filnavnet er tomt -BibTeXDialog.nobibtexeditor=Fejl: Kunne ikke finde et BibTeX-redigeringsprogram -BibTeXDialog.nobibtexfiles=Fandt ingen BibTeX filer -BibTeXDialog.noentries=Filen indeholder ingen elementer -BibTeXDialog.noinformation=Ingen information -BibTeXDialog.thefile=Filen -ExternalApps.dviviewer=DVI-fremviser -ExternalApps.pdfviewer=PDF-fremviser -ExternalApps.psviewer=PostScript-fremviser -LaTeXUNOPublisher.error=Fejl -LaTeXUNOPublisher.failedlatex=Kunne ikke køre LaTeX - se loggen for detaljer -TeXify.dviviewerror=Fejl ved åbning af DVI-fremviser -TeXify.pdfviewerror=Fejl ved åbning af PDF-fremviser -TeXify.psviewerror=Fejl ved åbning af PostScript-fremviser -Writer2LaTeX.bibtexnotenabled=Writer2LaTeX er ikke sat op til at bruge eksterne BibTeX-filer til litteraturhenvisninger diff --git a/src/main/java/writer2latex/bibtex/BibTeXDocument.java b/src/main/java/writer2latex/bibtex/BibTeXDocument.java deleted file mode 100644 index ed98820..0000000 --- a/src/main/java/writer2latex/bibtex/BibTeXDocument.java +++ /dev/null @@ -1,167 +0,0 @@ -/************************************************************************ - * - * BibTeXDocument.java - * - * Copyright: 2002-2015 by Henrik Just - * - * This file is part of Writer2LaTeX. - * - * Writer2LaTeX is free software: you can redistribute it and/or modify - * it under the terms of the GNU General Public License as published by - * the Free Software Foundation, either version 3 of the License, or - * (at your option) any later version. - * - * Writer2LaTeX is distributed in the hope that it will be useful, - * but WITHOUT ANY WARRANTY; without even the implied warranty of - * MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the - * GNU General Public License for more details. - * - * You should have received a copy of the GNU General Public License - * along with Writer2LaTeX. If not, see . - * - * Version 1.6 (2015-07-01) - * - */ - -package writer2latex.bibtex; - -import java.util.Hashtable; -import java.util.Enumeration; -import java.util.List; -import java.io.IOException; -import java.io.OutputStream; -import java.io.OutputStreamWriter; - -import org.w3c.dom.Element; - -import writer2latex.api.ConverterFactory; -import writer2latex.api.MIMETypes; -import writer2latex.api.OutputFile; -import writer2latex.latex.LaTeXConfig; -import writer2latex.latex.i18n.ClassicI18n; -import writer2latex.latex.i18n.I18n; -import writer2latex.util.ExportNameCollection; -import writer2latex.office.BibMark; -import writer2latex.office.BibMark.EntryType; -import writer2latex.office.OfficeReader; - -/** Class representing a BibTeX document - */ -public class BibTeXDocument implements OutputFile { - private static final String FILE_EXTENSION = ".bib"; - - private String sName; - private Hashtable entries = new Hashtable(); - private ExportNameCollection exportNames = new ExportNameCollection("",true,"_-:"); - private I18n i18n; - - private boolean bIsMaster; - - /** Constructs a new BibTeX Document based on an office document - * - * @param sName The name of the document - * @param bIsMaster is this a master document? - * @param ofr the office document - */ - public BibTeXDocument(String sName, boolean bIsMaster, OfficeReader ofr) { - this.sName = sName; - this.bIsMaster = bIsMaster; - loadEntries(ofr); - // Use default config (only ascii, no extra font packages) - i18n = new ClassicI18n(new LaTeXConfig()); - } - - private void loadEntries(OfficeReader ofr) { - List bibMarks = ofr.getBibliographyMarks(); - for (Element bibMark : bibMarks) { - BibMark entry = new BibMark(bibMark); - entries.put(entry.getIdentifier(),entry); - exportNames.addName(entry.getIdentifier()); - } - } - - // Methods to query the content - - /** Test whether or not this BibTeX document contains any entries - * - * @return true if there is one or more entries in the document - */ - public boolean isEmpty() { - return entries.size()==0; - } - - /** Get export name for an identifier - * - * @param sIdentifier the identifier - * @return the export name - */ - public String getExportName(String sIdentifier) { - return exportNames.addToExport(sIdentifier); - } - - /** Returns the document name without file extension - * - * @return the document name without file extension - */ - public String getName() { - return sName; - } - - // Implement writer2latex.api.OutputFile - - public String getFileName() { - return new String(sName + FILE_EXTENSION); - } - - public String getMIMEType() { - return MIMETypes.BIBTEX; - } - - public boolean isMasterDocument() { - return bIsMaster; - } - - public boolean containsMath() { - return false; - } - - public void write(OutputStream os) throws IOException { - // BibTeX files are plain ascii - OutputStreamWriter osw = new OutputStreamWriter(os,"ASCII"); - osw.write("%% This file was converted to BibTeX by Writer2BibTeX ver. "+ConverterFactory.getVersion()+".\n"); - osw.write("%% See http://writer2latex.sourceforge.net for more info.\n"); - osw.write("\n"); - Enumeration enumeration = entries.elements(); - while (enumeration.hasMoreElements()) { - BibMark entry = enumeration.nextElement(); - osw.write("@"); - osw.write(entry.getEntryType().toUpperCase()); - osw.write("{"); - osw.write(exportNames.addToExport(entry.getIdentifier())); - osw.write(",\n"); - for (EntryType entryType : EntryType.values()) { - String sValue = entry.getField(entryType); - if (sValue!=null) { - if (entryType==EntryType.author || entryType==EntryType.editor) { - // OOo uses ; to separate authors and editors - BibTeX uses and - sValue = sValue.replaceAll(";" , " and "); - } - osw.write(" "); - osw.write(BibTeXEntryMap.getFieldName(entryType).toUpperCase()); - osw.write(" = {"); - for (int j=0; j. - * - * Version 1.6 (2015-06-22) - * - */ - -package writer2latex.bibtex; - -import writer2latex.api.Config; -import writer2latex.base.ConverterBase; -import writer2latex.latex.LaTeXConfig; -import writer2latex.util.Misc; - -import java.io.IOException; - -/** This class exports bibliographic information from an OpenDocument text file to a BibTeX data file - */ -public final class Converter extends ConverterBase { - - // Implement converter API - - // TODO: Doesn't really use the configuration - should use some fake config - private LaTeXConfig config; - - public Converter() { - super(); - config = new LaTeXConfig(); - } - - public Config getConfig() { - return config; - } - - // Extend converter base - - /** Convert the document into BibTeX format.

- * - * @throws IOException If any I/O error occurs. - */ - @Override public void convertInner() throws IOException { - sTargetFileName = Misc.trimDocumentName(sTargetFileName,".bib"); - - BibTeXDocument bibDoc = new BibTeXDocument(sTargetFileName,true,ofr); - - converterResult.addDocument(bibDoc); - } - -} \ No newline at end of file diff --git a/src/main/java/writer2latex/latex/BibConverter.java b/src/main/java/writer2latex/latex/BibConverter.java deleted file mode 100644 index f52c76f..0000000 --- a/src/main/java/writer2latex/latex/BibConverter.java +++ /dev/null @@ -1,260 +0,0 @@ -/************************************************************************ - * - * BibConverter.java - * - * Copyright: 2002-2015 by Henrik Just - * - * This file is part of Writer2LaTeX. - * - * Writer2LaTeX is free software: you can redistribute it and/or modify - * it under the terms of the GNU General Public License as published by - * the Free Software Foundation, either version 3 of the License, or - * (at your option) any later version. - * - * Writer2LaTeX is distributed in the hope that it will be useful, - * but WITHOUT ANY WARRANTY; without even the implied warranty of - * MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the - * GNU General Public License for more details. - * - * You should have received a copy of the GNU General Public License - * along with Writer2LaTeX. If not, see . - * - * Version 1.6 (2015-07-27) - * - */ - -package writer2latex.latex; - -import java.util.Collection; - -import org.w3c.dom.Element; - -import writer2latex.base.BibliographyGenerator; -import writer2latex.bibtex.BibTeXDocument; - -import writer2latex.latex.i18n.ClassicI18n; -import writer2latex.latex.util.BeforeAfter; -import writer2latex.latex.util.Context; - -import writer2latex.office.OfficeReader; -import writer2latex.office.StyleWithProperties; -import writer2latex.office.XMLString; -import writer2latex.util.Misc; - -/** This class handles bibliographic citations and the bibliography. The result depends on these - * configuration options: - *
  • use_index: If false, the bibliography will be omitted
  • - *
  • use_bibtex true and external_bibtex_files - * empty: The citations will be exported to a BibTeX file, which will be used - * for the bibliography
  • - *
  • use_bibtex true and external_bibtex_files - * non-empty: The citations will be not be exported to a BibTeX file, the - * files referred to by the option will be used instead
  • - *
  • use_bibtex false: The bibliography will be exported as - * a thebibliography environment - *
  • bibtex_style If BibTeX is used, this style will be applied - * - * The citations will always be exported as \cite commands. - */ -class BibConverter extends ConverterHelper { - - private BibTeXDocument bibDoc = null; - private boolean bUseBibTeX; - private String sBibTeXEncoding = null; - private String sDocumentEncoding = null; - - /** Construct a new BibConverter. - * - * @param config the configuration to use - * @param palette the ConverterPalette to use - */ - BibConverter(OfficeReader ofr,LaTeXConfig config, ConverterPalette palette) { - super(ofr,config,palette); - - // We need to create a BibTeX document except if we are using external BibTeX files - if (!(config.useBibtex() && config.externalBibtexFiles().length()>0)) { - bibDoc = new BibTeXDocument(palette.getOutFileName(),false,ofr); - } - - // We need to use a different encoding for the BibTeX files - if (config.externalBibtexFiles().length()>0) { - int nBibTeXEncoding = config.getBibtexEncoding(); - int nDocumentEncoding = config.getInputencoding(); - if (config.getBackend()!=LaTeXConfig.XETEX && nBibTeXEncoding>-1 && nBibTeXEncoding!=nDocumentEncoding) { - sBibTeXEncoding = ClassicI18n.writeInputenc(nBibTeXEncoding); - sDocumentEncoding = ClassicI18n.writeInputenc(nDocumentEncoding); - } - } - - // We need to export it - bUseBibTeX = config.useBibtex(); - } - - /** Export the bibliography directly as a thebibliography environment (as an alternative to using BibTeX) - */ - private class ThebibliographyGenerator extends BibliographyGenerator { - // The bibliography is the be inserted in this LaTeX document portion with that context - private LaTeXDocumentPortion ldp; - private Context context; - - // The current bibliography item is to formatted with this before/after pair with that context - private BeforeAfter itemBa = null; - private Context itemContext = null; - - ThebibliographyGenerator(OfficeReader ofr) { - super(ofr,true); - } - - void handleBibliography(Element bibliography, LaTeXDocumentPortion ldp, Context context) { - this.ldp = ldp; - this.context = context; - - String sWidestLabel = ""; - Collection labels = getLabels(); - for (String sLabel : labels) { - if (sLabel.length()>=sWidestLabel.length()) { - sWidestLabel = sLabel; - } - } - - ldp.append("\\begin{thebibliography}{").append(sWidestLabel).append("}\n"); - generateBibliography(bibliography); - endBibliographyItem(); - ldp.append("\\end{thebibliography}\n"); - } - - @Override protected void insertBibliographyItem(String sStyleName, String sKey) { - endBibliographyItem(); - - itemBa = new BeforeAfter(); - itemContext = (Context) context.clone(); - - // Apply paragraph style (character formatting only) - StyleWithProperties style = ofr.getParStyle(sStyleName); - if (style!=null) { - palette.getI18n().applyLanguage(style,true,true,itemBa); - palette.getCharSc().applyFont(style,true,true,itemBa,itemContext); - if (itemBa.getBefore().length()>0) { - itemBa.add(" ",""); - itemBa.enclose("{", "}"); - } - } - - // Convert item - ldp.append(itemBa.getBefore()); - palette.getI18n().pushSpecialTable(palette.getCharSc().getFontName(style)); - - ldp.append("\\bibitem"); - if (!isNumberedEntries()) { - ldp.append("[").append(bibDoc.getExportName(sKey)).append("]"); - } - ldp.append("{").append(bibDoc.getExportName(sKey)).append("} "); - } - - private void endBibliographyItem() { - if (itemBa!=null) { - palette.getI18n().popSpecialTable(); - ldp.append(itemBa.getAfter()).append("\n"); - itemBa = null; - } - } - - @Override protected void insertBibliographyItemElement(String sStyleName, String sText) { - BeforeAfter ba = new BeforeAfter(); - Context elementContext = (Context) itemContext.clone(); - - // Apply character style - StyleWithProperties style = ofr.getTextStyle(sStyleName); - palette.getCharSc().applyTextStyle(sStyleName,ba,elementContext); - - // Convert text - ldp.append(ba.getBefore()); - palette.getI18n().pushSpecialTable(palette.getCharSc().getFontName(style)); - ldp.append(palette.getI18n().convert(sText, false, elementContext.getLang())); - palette.getI18n().popSpecialTable(); - ldp.append(ba.getAfter()); - } - } - - /** Append declarations needed by the BibConverter to the preamble. - * - * @param pack the LaTeXDocumentPortion to which declarations of packages (\\usepackage) should be added. - * @param decl the LaTeXDocumentPortion to which other declarations should be added. - */ - void appendDeclarations(LaTeXDocumentPortion pack, LaTeXDocumentPortion decl) { - // Currently nothing - } - - /** Process a bibliography - * - * @param node A text:bibliography element - * @param ldp the LaTeXDocumentPortion to which LaTeX code should be added - * @param oc the current context - */ - void handleBibliography(Element node, LaTeXDocumentPortion ldp, Context oc) { - if (!config.noIndex()) { - if (config.useBibtex()) { // Export using BibTeX - handleBibliographyAsBibTeX(ldp); - } - else { // Export as thebibliography environment - ThebibliographyGenerator bibCv = new ThebibliographyGenerator(ofr); - Element source = Misc.getChildByTagName(node,XMLString.TEXT_BIBLIOGRAPHY_SOURCE); - bibCv.handleBibliography(source, ldp, oc); - } - } - } - - private void handleBibliographyAsBibTeX(LaTeXDocumentPortion ldp) { - // Use the style given in the configuration - ldp.append("\\bibliographystyle{") - .append(config.bibtexStyle()) - .append("}").nl(); - - // Use BibTeX file from configuration, or exported BibTeX file - // TODO: For XeTeX, probably use \XeTeXdefaultencoding? - if (config.externalBibtexFiles().length()>0) { - if (sBibTeXEncoding!=null) { - ldp.append("\\inputencoding{").append(sBibTeXEncoding).append("}").nl(); - } - ldp.append("\\bibliography{") - .append(config.externalBibtexFiles()) - .append("}").nl(); - if (sBibTeXEncoding!=null) { - ldp.append("\\inputencoding{").append(sDocumentEncoding).append("}").nl(); - } - } - else { - ldp.append("\\bibliography{") - .append(bibDoc.getName()) - .append("}").nl(); - } - } - - /** Process a Bibliography Mark - * @param node a text:bibliography-mark element - * @param ldp the LaTeXDocumentPortion to which LaTeX code should be added - * @param oc the current context - */ - void handleBibliographyMark(Element node, LaTeXDocumentPortion ldp, Context oc) { - String sIdentifier = node.getAttribute(XMLString.TEXT_IDENTIFIER); - if (sIdentifier!=null) { - // Use original citation if using external files; stripped if exporting BibTeX - ldp.append("\\cite{") - .append(config.externalBibtexFiles().length()==0 ? bibDoc.getExportName(sIdentifier) : sIdentifier) - .append("}"); - } - } - - /** Get the BibTeX document, if any (that is if the document contains bibliographic data and - * the configuration does not specify external BibTeX files) - * - * @return the BiBTeXDocument, or null if no BibTeX file is needed - */ - BibTeXDocument getBibTeXDocument() { - if (bUseBibTeX && bibDoc!=null && !bibDoc.isEmpty()) { - return bibDoc; - } - return null; - } - -} \ No newline at end of file diff --git a/src/main/java/writer2latex/latex/BlockConverter.java b/src/main/java/writer2latex/latex/BlockConverter.java deleted file mode 100644 index be0f924..0000000 --- a/src/main/java/writer2latex/latex/BlockConverter.java +++ /dev/null @@ -1,229 +0,0 @@ -/************************************************************************ - * - * BlockConverter.java - * - * Copyright: 2002-2015 by Henrik Just - * - * This file is part of Writer2LaTeX. - * - * Writer2LaTeX is free software: you can redistribute it and/or modify - * it under the terms of the GNU General Public License as published by - * the Free Software Foundation, either version 3 of the License, or - * (at your option) any later version. - * - * Writer2LaTeX is distributed in the hope that it will be useful, - * but WITHOUT ANY WARRANTY; without even the implied warranty of - * MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the - * GNU General Public License for more details. - * - * You should have received a copy of the GNU General Public License - * along with Writer2LaTeX. If not, see . - * - * Version 1.6 (2015-04-15) - * - */ - -package writer2latex.latex; - -import org.w3c.dom.Element; -import org.w3c.dom.Node; -import org.w3c.dom.NodeList; - -import writer2latex.latex.util.Context; -import writer2latex.latex.util.StyleMap; -import writer2latex.office.OfficeReader; -import writer2latex.office.XMLString; -import writer2latex.util.Misc; - -/** - * This class handles basic block content, such as the main text body, - * sections, tables, lists, headings and paragraphs.

    - */ -public class BlockConverter extends ConverterHelper { - - public BlockConverter(OfficeReader ofr, LaTeXConfig config, ConverterPalette palette) { - super(ofr,config,palette); - } - - public void appendDeclarations(LaTeXDocumentPortion pack, LaTeXDocumentPortion decl) { - // currently do nothing.. - } - - - /**

    Traverse block text (eg. content of body, section, list item). - * This is traversed in logical order and dedicated handlers take care of - * each block element.

    - *

    (Note: As a rule, all handling of block level elements should add a - * newline to the LaTeX document at the end of the block)

    - * @param node The element containing the block text - * @param ldp the LaTeXDocumentPortion to which - * LaTeX code should be added - * @param oc the current context - */ - public void traverseBlockText(Element node, LaTeXDocumentPortion ldp, Context oc) { - Context ic = (Context) oc.clone(); - - // The current paragraph block: - StyleMap blockMap = config.getParBlockStyleMap(); - String sBlockName = null; - - if (node.hasChildNodes()) { - NodeList list = node.getChildNodes(); - int nLen = list.getLength(); - - for (int i = 0; i < nLen; i++) { - Node childNode = list.item(i); - - if (childNode.getNodeType() == Node.ELEMENT_NODE) { - Element child = (Element)childNode; - String sTagName = child.getTagName(); - - // Start/End a paragraph block (not in tables) - if (!ic.isInTable()) { - if (sTagName.equals(XMLString.TEXT_P)) { - String sStyleName = ofr.getParStyles().getDisplayName(child.getAttribute(XMLString.TEXT_STYLE_NAME)); - if (sBlockName!=null && !blockMap.isNext(sBlockName,sStyleName)) { - // end current block - String sAfter = blockMap.getAfter(sBlockName); - if (sAfter.length()>0) ldp.append(sAfter).nl(); - sBlockName = null; - ic.setVerbatim(false); - } - if (sBlockName==null && blockMap.contains(sStyleName)) { - // start a new block - sBlockName = sStyleName; - String sBefore = blockMap.getBefore(sBlockName); - if (sBefore.length()>0) ldp.append(sBefore).nl(); - ic.setVerbatim(blockMap.getVerbatim(sStyleName)); - } - } - else if (sBlockName!=null) { - // non-paragraph: end current block - String sAfter = blockMap.getAfter(sBlockName); - if (sAfter.length()>0) ldp.append(sAfter).nl(); - sBlockName = null; - ic.setVerbatim(false); - } - } - - palette.getFieldCv().flushReferenceMarks(ldp,ic); - palette.getIndexCv().flushIndexMarks(ldp,ic); - - palette.getInfo().addDebugInfo(child,ldp); - - // Basic block content; handle by this class - if (sTagName.equals(XMLString.TEXT_P)) { - // is this a caption? - String sSequence = ofr.getSequenceName(child); - if (ofr.isFigureSequenceName(sSequence)) { - palette.getDrawCv().handleCaption(child,ldp,ic); - } - else if (ofr.isTableSequenceName(sSequence)) { - // Next node *should* be a table - if (i+10) ldp.append(sAfter).nl(); - sBlockName = null; - } - palette.getFieldCv().flushReferenceMarks(ldp,ic); - palette.getIndexCv().flushIndexMarks(ldp,ic); - - - } - -} \ No newline at end of file diff --git a/src/main/java/writer2latex/latex/CaptionConverter.java b/src/main/java/writer2latex/latex/CaptionConverter.java deleted file mode 100644 index 34393ea..0000000 --- a/src/main/java/writer2latex/latex/CaptionConverter.java +++ /dev/null @@ -1,162 +0,0 @@ -/************************************************************************ - * - * CaptionConverter.java - * - * Copyright: 2002-2008 by Henrik Just - * - * This file is part of Writer2LaTeX. - * - * Writer2LaTeX is free software: you can redistribute it and/or modify - * it under the terms of the GNU General Public License as published by - * the Free Software Foundation, either version 3 of the License, or - * (at your option) any later version. - * - * Writer2LaTeX is distributed in the hope that it will be useful, - * but WITHOUT ANY WARRANTY; without even the implied warranty of - * MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the - * GNU General Public License for more details. - * - * You should have received a copy of the GNU General Public License - * along with Writer2LaTeX. If not, see . - * - * Version 1.0 (2008-11-23) - * - */ - -package writer2latex.latex; - -import org.w3c.dom.Element; -import org.w3c.dom.Node; - -import writer2latex.latex.util.Context; -import writer2latex.office.OfficeReader; -import writer2latex.office.XMLString; - -/** - *

    This class converts captions (for figures and tables) to LaTeX.

    - *

    Packages: - *

    • caption.sty is used implement non-floating captions
    - *

    Options: - *

    • use_caption is a boolean option to determine whether or not - * to use caption.sty. If this option is set to false, a simple definition of - * \captionof (borrowed from capt-of.sty) is inserted in the preamble
    - *

    TODO: Implement formatting of captions using the features of caption.sty - * (only if formatting>=CONVERT_BASIC) - */ -public class CaptionConverter extends ConverterHelper { - - private boolean bNeedCaptionOf = false; - - private Element seqField = null; // the sequence field within the current caption - - public CaptionConverter(OfficeReader ofr, LaTeXConfig config, ConverterPalette palette) { - super(ofr,config,palette); - } - - public void appendDeclarations(LaTeXDocumentPortion pack, LaTeXDocumentPortion decl) { - if (bNeedCaptionOf) { - if (config.useCaption()) { - pack.append("\\usepackage{caption}").nl(); - } - else { // use definition borrowed from capt-of.sty - decl.append("% Non-floating captions").nl() - .append("\\makeatletter").nl() - .append("\\newcommand\\captionof[1]{\\def\\@captype{#1}\\caption}").nl() - .append("\\makeatother").nl(); - } - } - } - - /** - *

    Process content of a text:p tag as a caption body (inluding label)

    - * @param node The text:p element node containing the caption - * @param ldp The LaTeXDocumentPortion to add LaTeX code to - * @param oc The current context - * @param bIsCaptionOf true if this is caption uses captionof - */ - public void handleCaptionBody(Element node,LaTeXDocumentPortion ldp, Context oc, boolean bIsCaptionOf) { - bNeedCaptionOf|=bIsCaptionOf; - - // Get rid of the caption label before converting - removeCaptionLabel(node,0); - Element label = seqField; - seqField = null; - - // Get the stylename of the paragraph and push the font used - String sStyleName = node.getAttribute(XMLString.TEXT_STYLE_NAME); - palette.getI18n().pushSpecialTable(palette.getCharSc().getFontName(ofr.getParStyle(sStyleName))); - - if (palette.getHeadingCv().containsElements(node)) { - ldp.append("["); - palette.getInlineCv().traversePlainInlineText(node,ldp,oc); - ldp.append("]"); - } - // Update context before traversing text - Context ic = (Context) oc.clone(); - ldp.append("{"); - palette.getInlineCv().traverseInlineText(node,ldp,ic); - ldp.append("}").nl(); - - // Insert label - palette.getFieldCv().handleSequence(label,ldp,oc); - - // Flush any index marks - palette.getIndexCv().flushIndexMarks(ldp,oc); - - // pop the font name - palette.getI18n().popSpecialTable(); - - } - - // In OpenDocument a caption is an ordinary paragraph with a text:seqence - // element. For example - // Table 3: Caption text - // The first part is the caption label which is autogenerated by LaTeX. - // Before converting, we remove this in 3 steps: - // nStep = 0: Remove all text before the text:sequence - // nStep = 1: Remove all text up to the first alphanumeric character - // after the text:sequence - // nStep = 2: Finished! - private int removeCaptionLabel(Element node, int nStep) { - if (nStep==2) { return 2; } - - Node removeMe = null; - - Node child = node.getFirstChild(); - while (child!=null) { - if (child.getNodeType()==Node.ELEMENT_NODE) { - if (nStep==0 && child.getNodeName().equals(XMLString.TEXT_SEQUENCE)) { - removeMe = child; - seqField = (Element) child; // remember me... - nStep = 1; - } - else if (nStep<2 && !OfficeReader.isDrawElement(child)) { - // draw elements (frames) should not be touched.. - nStep = removeCaptionLabel((Element)child,nStep); - } - } - else if (child.getNodeType()==Node.TEXT_NODE) { - if (nStep==0) { - child.setNodeValue(""); - } - else if (nStep==1) { - String s = child.getNodeValue(); - int n = s.length(); - for (int j=0; j. - * - * Version 1.6 (2015-06-30) - * - */ - -package writer2latex.latex; - -import java.util.Hashtable; - -import writer2latex.util.*; -import writer2latex.office.*; -import writer2latex.latex.util.BeforeAfter; -import writer2latex.latex.util.Context; -import writer2latex.latex.util.StyleMap; - -/** This class creates LaTeX code from OOo character formatting - Character formatting in OOo includes font, font effects/decorations and color. - In addition it includes color and language/country information, this is however handled - by the classes writer2latex.latex.ColorConverter and - writer2latex.latex.style.I18n - */ -public class CharStyleConverter extends StyleConverter { - - // Cache of converted font declarations - private Hashtable fontDecls = new Hashtable(); - - // Which formatting should we export? - private boolean bIgnoreHardFontsize; - private boolean bIgnoreFontsize; - private boolean bIgnoreFont; - private boolean bIgnoreAll; - private boolean bUseUlem; - // Do we need actually use ulem.sty or \textsubscript? - private boolean bNeedUlem = false; - private boolean bNeedSubscript = false; - - /**

    Constructs a new CharStyleConverter.

    - */ - public CharStyleConverter(OfficeReader ofr, LaTeXConfig config, ConverterPalette palette) { - super(ofr,config,palette); - - bUseUlem = config.useUlem(); - - // No character formatting at all: - bIgnoreAll = config.formatting()==LaTeXConfig.IGNORE_ALL; - // No font family or size: - bIgnoreFont = config.formatting()<=LaTeXConfig.IGNORE_MOST; - // No fontsize: - bIgnoreFontsize = config.formatting()<=LaTeXConfig.CONVERT_BASIC; - // No hard fontsize - bIgnoreHardFontsize = config.formatting()<=LaTeXConfig.CONVERT_MOST; - } - - public void appendDeclarations(LaTeXDocumentPortion pack, LaTeXDocumentPortion decl) { - if (bNeedUlem) { - pack.append("\\usepackage[normalem]{ulem}").nl(); - } - if (bNeedSubscript && !config.getTextAttributeStyleMap().contains("subscript")) { - decl.append("\\providecommand\\textsubscript[1]{\\ensuremath{{}_{\\text{#1}}}}").nl(); - } - if (!styleNames.isEmpty()) { - decl.append("% Text styles").nl().append(declarations); - } - } - - /**

    Use a text style in LaTeX.

    - * @param sName the name of the text style - * @param ba a BeforeAfter to put code into - */ - public void applyTextStyle(String sName, BeforeAfter ba, Context context) { - if (sName==null) { return; } - String sDisplayName = ofr.getTextStyles().getDisplayName(sName); - - if (bIgnoreAll) { - // Even if all is ignored, we still apply style maps from config.. - StyleMap sm = config.getTextStyleMap(); - if (sm.contains(sDisplayName)) { - ba.add(sm.getBefore(sDisplayName),sm.getAfter(sDisplayName)); - context.setVerbatim(sm.getVerbatim(sDisplayName)); - context.setNoLineBreaks(sm.getVerbatim(sDisplayName)); - } - return; - } - - // Style already converted? - if (styleMap.contains(sName)) { - ba.add(styleMap.getBefore(sName),styleMap.getAfter(sName)); - context.updateFormattingFromStyle(ofr.getTextStyle(sName)); - // it's verbatim if specified as such in the configuration - StyleMap sm = config.getTextStyleMap(); - boolean bIsVerbatim = sm.contains(sDisplayName) && sm.getVerbatim(sDisplayName); - context.setVerbatim(bIsVerbatim); - context.setNoLineBreaks(bIsVerbatim); - return; - } - - // The style may already be declared in the configuration: - StyleMap sm = config.getTextStyleMap(); - if (sm.contains(sDisplayName)) { - styleMap.put(sName,sm.getBefore(sDisplayName),sm.getAfter(sDisplayName)); - applyTextStyle(sName,ba,context); - return; - } - - // Get the style, if it exists: - StyleWithProperties style = ofr.getTextStyle(sName); - if (style==null) { - styleMap.put(sName,"",""); - applyTextStyle(sName,ba,context); - return; - } - - // Convert automatic style - if (style.isAutomatic()) { - palette.getI18n().applyLanguage(style,false,true,ba); - applyFont(style,false,true,ba,context); - applyFontEffects(style,true,ba); - context.updateFormattingFromStyle(ofr.getTextStyle(sName)); - return; - } - - // Convert soft style: - // This must be converted relative to a blank context! - BeforeAfter baText = new BeforeAfter(); - palette.getI18n().applyLanguage(style,false,true,baText); - applyFont(style,false,true,baText,new Context()); - applyFontEffects(style,true,baText); - // declare the text style (\newcommand) - String sTeXName = styleNames.addToExport(ofr.getTextStyles().getDisplayName(sName)); - styleMap.put(sName,"\\textstyle"+sTeXName+"{","}"); - declarations.append("\\newcommand\\textstyle") - .append(sTeXName).append("[1]{") - .append(baText.getBefore()).append("#1").append(baText.getAfter()) - .append("}").nl(); - applyTextStyle(sName,ba,context); - } - - public String getFontName(StyleWithProperties style) { - if (style!=null) { - String sName = style.getProperty(XMLString.STYLE_FONT_NAME); - if (sName!=null) { - FontDeclaration fd = ofr.getFontDeclaration(sName); - if (fd!=null) { - return fd.getFontFamily(); - } - } - } - return null; - } - - // Get the font name from a char style - public String getFontName(String sStyleName) { - return getFontName(ofr.getTextStyle(sStyleName)); - } - - /**

    Apply hard character formatting (no inheritance).

    - *

    This is used in sections and {foot|end}notes

    - * @param style the style to use - * @param ba the BeforeAfter to add LaTeX code to - */ - public void applyHardCharFormatting(StyleWithProperties style, BeforeAfter ba) { - palette.getI18n().applyLanguage(style,true,false,ba); - applyFont(style,true,false,ba,new Context()); - if (!ba.isEmpty()) { ba.add(" ",""); } - } - - /**

    Apply all font attributes (family, series, shape, size and color).

    - * @param style the OOo style to read attributesfrom - * @param bDecl true if declaration form is required - * @param bInherit true if inherited properties should be used - * @param ba the BeforeAfter to add LaTeX code to. - */ - public void applyFont(StyleWithProperties style, boolean bDecl, boolean bInherit, BeforeAfter ba, Context context) { - // Note: if bDecl is true, nothing will be put in the "after" part of ba. - if (style==null) { return; } - applyNfssSize(style,bDecl,bInherit,ba,context); - applyNfssFamily(style,bDecl,bInherit,ba,context); - applyNfssSeries(style,bDecl,bInherit,ba,context); - applyNfssShape(style,bDecl,bInherit,ba,context); - palette.getColorCv().applyColor(style,bDecl,bInherit,ba,context); - } - - /**

    Reset to normal font, size and color.

    - * @param ba the BeforeAfter to add LaTeX code to. - */ - public void applyNormalFont(BeforeAfter ba) { - ba.add("\\normalfont\\normalsize",""); - palette.getColorCv().applyNormalColor(ba); - } - - /**

    Apply default font attributes (family, series, shape, size and color).

    - * @param style the OOo style to read attributesfrom - * @param ldp the LaTeXDocumentPortion to add LaTeX code to. - */ - public void applyDefaultFont(StyleWithProperties style, LaTeXDocumentPortion ldp) { - if (style==null) { return; } - - String s = convertFontDeclaration(style.getProperty(XMLString.STYLE_FONT_NAME)); - if (s!=null){ - ldp.append("\\renewcommand\\familydefault{\\") - .append(s).append("default}").nl(); - } // TODO: Else read props directly from the style - - s = nfssSeries(style.getProperty(XMLString.FO_FONT_WEIGHT)); - if (s!=null) { - ldp.append("\\renewcommand\\seriesdefault{\\") - .append(s).append("default}").nl(); - } - - s = nfssShape(style.getProperty(XMLString.FO_FONT_VARIANT), - style.getProperty(XMLString.FO_FONT_STYLE)); - if (s!=null) { - ldp.append("\\renewcommand\\shapedefault{\\") - .append(s).append("default}").nl(); - } - - palette.getColorCv().setNormalColor(style.getProperty(XMLString.FO_COLOR),ldp); - } - - /**

    Apply font effects (position, underline, crossout, change case.

    - * @param style the OOo style to read attributesfrom - * @param bInherit true if inherited properties should be used - * @param ba the BeforeAfter to add LaTeX code to. - */ - public void applyFontEffects(StyleWithProperties style, boolean bInherit, BeforeAfter ba) { - if (style==null) { return; } - applyTextPosition(style, bInherit, ba); - applyUnderline(style, bInherit, ba); - applyCrossout(style, bInherit, ba); - applyChangeCase(style, bInherit, ba); - } - - // Remaining methods are private - - /**

    Apply font family.

    - * @param style the OOo style to read attributesfrom - * @param bDecl true if declaration form is required - * @param bInherit true if inherited properties should be used - * @param ba the BeforeAfter to add LaTeX code to. - */ - private void applyNfssFamily(StyleWithProperties style, boolean bDecl, boolean bInherit, BeforeAfter ba, Context context) { - // Note: if bDecl is true, nothing will be put in the "after" part of ba. - if (style==null || bIgnoreFont) { return; } - String sFontName=style.getProperty(XMLString.STYLE_FONT_NAME,bInherit); - if (sFontName!=null){ - String sFamily = convertFontDeclaration(sFontName); - if (sFamily==null) { return; } - if (sFamily.equals(convertFontDeclaration(context.getFontName()))) { return; } - if (bDecl) { ba.add("\\"+sFamily+"family",""); } - else { ba.add("\\text"+sFamily+"{","}"); } - } // TODO: Else read props directly from the style - } - - /**

    Apply font series.

    - * @param style the OOo style to read attributesfrom - * @param bDecl true if declaration form is required - * @param bInherit true if inherited properties should be used - * @param ba the BeforeAfter to add LaTeX code to. - */ - private void applyNfssSeries(StyleWithProperties style, boolean bDecl, boolean bInherit, BeforeAfter ba, Context context) { - // Note: if bDecl is true, nothing will be put in the "after" part of ba. - if (style!=null && !bIgnoreAll) { - String sSeries = nfssSeries(style.getProperty(XMLString.FO_FONT_WEIGHT,bInherit)); - if (sSeries!=null) { - // Temporary: Support text-attribute style maps for this particular case - // TODO: Reimplement the CharStyleConverter to properly support this... - if (!bDecl && "bf".equals(sSeries) && config.getTextAttributeStyleMap().contains("bold")) { - ba.add(config.getTextAttributeStyleMap().getBefore("bold"), - config.getTextAttributeStyleMap().getAfter("bold")); - } - else { - if (style.isAutomatic()) { // optimize hard formatting - if (sSeries.equals(nfssSeries(context.getFontWeight()))) { return; } - if (context.getFontWeight()==null && sSeries.equals("md")) { return; } - } - if (bDecl) { ba.add("\\"+sSeries+"series",""); } - else { ba.add("\\text"+sSeries+"{","}"); } - } - } - } - } - - /**

    Apply font shape.

    - * @param style the OOo style to read attributesfrom - * @param bDecl true if declaration form is required - * @param bInherit true if inherited properties should be used - * @param ba the BeforeAfter to add LaTeX code to. - */ - private void applyNfssShape(StyleWithProperties style, boolean bDecl, boolean bInherit, BeforeAfter ba, Context context) { - // Note: if bDecl is true, nothing will be put in the "after" part of ba. - if (style!=null && !bIgnoreAll) { - String sVariant = style.getProperty(XMLString.FO_FONT_VARIANT, bInherit); - String sStyle = style.getProperty(XMLString.FO_FONT_STYLE, bInherit); - String sShape = nfssShape(sVariant,sStyle); - if (sShape!=null) { - // Temporary: Support text-attribute style maps for this particular case - // TODO: Reimplement the CharStyleConverter to properly support this... - if (!bDecl && "sc".equals(sShape) && config.getTextAttributeStyleMap().contains("small-caps")) { - ba.add(config.getTextAttributeStyleMap().getBefore("small-caps"), - config.getTextAttributeStyleMap().getAfter("small-caps")); - } - else if (!bDecl && "it".equals(sShape) && config.getTextAttributeStyleMap().contains("italic")) { - ba.add(config.getTextAttributeStyleMap().getBefore("italic"), - config.getTextAttributeStyleMap().getAfter("italic")); - } - else { - if (style.isAutomatic()) { // optimize hard formatting - if (sShape.equals(nfssShape(context.getFontVariant(),context.getFontStyle()))) return; - if (context.getFontVariant()==null && context.getFontStyle()==null && sShape.equals("up")) return; - } - if (bDecl) ba.add("\\"+sShape+"shape",""); - else ba.add("\\text"+sShape+"{","}"); - } - } - } - } - - /**

    Apply font size.

    - * @param style the OOo style to read attributesfrom - * @param bDecl true if declaration form is required - * @param bInherit true if inherited properties should be used - * @param ba the BeforeAfter to add LaTeX code to. - */ - private void applyNfssSize(StyleWithProperties style, boolean bDecl, boolean bInherit, BeforeAfter ba, Context context) { - // Note: if bDecl is true, nothing will be put in the "after" part of ba. - if (style==null|| bIgnoreFontsize || (bIgnoreHardFontsize && style.isAutomatic())) { return; } - if (style.getProperty(XMLString.FO_FONT_SIZE, bInherit)==null) { return; } - String sSize = nfssSize(style.getAbsoluteProperty(XMLString.FO_FONT_SIZE)); - if (sSize==null) { return; } - if (sSize.equals(nfssSize(context.getFontSize()))) { return; } - if (bDecl) { ba.add(sSize,""); } - else { ba.add("{"+sSize+" ","}"); } - } - - // Remaining methods are not context-sensitive - - /**

    Apply text position.

    - * @param style the OOo style to read attributesfrom - * @param bInherit true if inherited properties should be used - * @param ba the BeforeAfter to add LaTeX code to. - */ - private void applyTextPosition(StyleWithProperties style, boolean bInherit, BeforeAfter ba) { - if (style!=null && !bIgnoreAll) { - String s = textPosition(style.getProperty(XMLString.STYLE_TEXT_POSITION, bInherit)); - // Temporary: Support text-attribute style maps for this particular case - // TODO: Reimplement the CharStyleConverter to properly support this... - if (config.getTextAttributeStyleMap().contains("superscript") && "\\textsuperscript".equals(s)) { - ba.add(config.getTextAttributeStyleMap().getBefore("superscript"), - config.getTextAttributeStyleMap().getAfter("superscript")); - } - else if (config.getTextAttributeStyleMap().contains("subscript") && "\\textsubscript".equals(s)) { - ba.add(config.getTextAttributeStyleMap().getBefore("subscript"), - config.getTextAttributeStyleMap().getAfter("subscript")); - } - else if (s!=null) { - ba.add(s+"{","}"); - } - } - } - - /**

    Apply text underline.

    - * @param style the OOo style to read attributesfrom - * @param bInherit true if inherited properties should be used - * @param ba the BeforeAfter to add LaTeX code to. - */ - private void applyUnderline(StyleWithProperties style, boolean bInherit, BeforeAfter ba) { - if (style==null || !bUseUlem) { return; } - if (bIgnoreAll) { return; } - String sTag = ofr.isOpenDocument() ? - XMLString.STYLE_TEXT_UNDERLINE_STYLE : - XMLString.STYLE_TEXT_UNDERLINE; - String s = underline(style.getProperty(sTag, bInherit)); - if (s!=null) { bNeedUlem = true; ba.add(s+"{","}"); } - } - - /**

    Apply text crossout.

    - * @param style the OOo style to read attributesfrom - * @param bInherit true if inherited properties should be used - * @param ba the BeforeAfter to add LaTeX code to. - */ - private void applyCrossout(StyleWithProperties style, boolean bInherit, BeforeAfter ba) { - if (style==null || !bUseUlem) { return; } - if (bIgnoreAll) { return; } - String sTag = ofr.isOpenDocument() ? - XMLString.STYLE_TEXT_LINE_THROUGH_STYLE : - XMLString.STYLE_TEXT_CROSSING_OUT; - String s = crossout(style.getProperty(sTag, bInherit)); - if (s!=null) { bNeedUlem = true; ba.add(s+"{","}"); } - } - - /**

    Apply change case.

    - * @param style the OOo style to read attributesfrom - * @param bInherit true if inherited properties should be used - * @param ba the BeforeAfter to add LaTeX code to. - */ - private void applyChangeCase(StyleWithProperties style, boolean bInherit, BeforeAfter ba) { - if (style==null) { return; } - if (bIgnoreAll) { return; } - String s = changeCase(style.getProperty(XMLString.FO_TEXT_TRANSFORM)); - if (s!=null) { ba.add(s+"{","}"); } - } - - /**

    Convert font declarations to LaTeX.

    - *

    It returns a generic LaTeX font family (rm, tt, sf).

    - *

    It returns null if the font declaration doesn't exist.

    - * @param sName the name of the font declaration - * @return String with a LaTeX generic fontfamily - */ - private String convertFontDeclaration(String sName) { - FontDeclaration fd = ofr.getFontDeclaration(sName); - if (fd==null) { return null; } - if (!fontDecls.containsKey(sName)) { - String sFontFamily = fd.getFontFamily(); - String sFontPitch = fd.getFontPitch(); - String sFontFamilyGeneric = fd.getFontFamilyGeneric(); - fontDecls.put(sName,nfssFamily(sFontFamily,sFontFamilyGeneric,sFontPitch)); - } - return fontDecls.get(sName); - } - - // The remaining methods are static helpers to convert single style properties - - // Font change. These methods return the declaration form if the paramater - // bDecl is true, and otherwise the command form - - private static final String nfssFamily(String sFontFamily, String sFontFamilyGeneric, - String sFontPitch){ - // Note: Defaults to rm - // TODO: What about decorative, script, system? - if ("fixed".equals(sFontPitch)) return "tt"; - else if ("modern".equals(sFontFamilyGeneric)) return "tt"; - else if ("swiss".equals(sFontFamilyGeneric)) return "sf"; - else return "rm"; - } - - private static final String nfssSeries(String sFontWeight){ - if (sFontWeight==null) return null; - if ("bold".equals(sFontWeight)) return "bf"; - else return "md"; - } - - private static final String nfssShape(String sFontVariant, String sFontStyle){ - if (sFontVariant==null && sFontStyle==null) return null; - if ("small-caps".equals(sFontVariant)) return "sc"; - else if ("italic".equals(sFontStyle)) return "it"; - else if ("oblique".equals(sFontStyle)) return "sl"; - else return "up"; - } - - private static final String nfssSize(String sFontSize){ - if (sFontSize==null) return null; - return "\\fontsize{"+sFontSize+"}{"+Calc.multiply("120%",sFontSize)+"}\\selectfont"; - } - - // other character formatting - - private final String textPosition(String sTextPosition){ - if (sTextPosition==null) return null; - if (sTextPosition.startsWith("super")) return "\\textsuperscript"; - if (sTextPosition.startsWith("sub") || sTextPosition.startsWith("-")) { - bNeedSubscript = true; - return "\\textsubscript"; - } - if (sTextPosition.startsWith("0%")) return null; - return "\\textsuperscript"; - } - - private static final String underline(String sUnderline) { - if (sUnderline==null) { return null; } - if (sUnderline.equals("none")) { return null; } - if (sUnderline.indexOf("wave")>=0) { return "\\uwave"; } - return "\\uline"; - } - - private static final String crossout(String sCrossout) { - if (sCrossout==null) { return null; } - if (sCrossout.equals("X")) { return "\\xout"; } - if (sCrossout.equals("slash")) { return "\\xout"; } - return "\\sout"; - } - - private static final String changeCase(String sTextTransform){ - if ("lowercase".equals(sTextTransform)) return "\\MakeLowercase"; - if ("uppercase".equals(sTextTransform)) return "\\MakeUppercase"; - return null; - } - -} diff --git a/src/main/java/writer2latex/latex/ColorConverter.java b/src/main/java/writer2latex/latex/ColorConverter.java deleted file mode 100644 index e817743..0000000 --- a/src/main/java/writer2latex/latex/ColorConverter.java +++ /dev/null @@ -1,201 +0,0 @@ -/************************************************************************ - * - * ColorConverter.java - * - * Copyright: 2002-2008 by Henrik Just - * - * This file is part of Writer2LaTeX. - * - * Writer2LaTeX is free software: you can redistribute it and/or modify - * it under the terms of the GNU General Public License as published by - * the Free Software Foundation, either version 3 of the License, or - * (at your option) any later version. - * - * Writer2LaTeX is distributed in the hope that it will be useful, - * but WITHOUT ANY WARRANTY; without even the implied warranty of - * MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the - * GNU General Public License for more details. - * - * You should have received a copy of the GNU General Public License - * along with Writer2LaTeX. If not, see . - * - * Version 1.0 (2008-11-23) - * - */ - -package writer2latex.latex; - -import writer2latex.latex.util.BeforeAfter; -import writer2latex.latex.util.Context; -import writer2latex.office.OfficeReader; -import writer2latex.office.StyleWithProperties; -import writer2latex.office.XMLString; -import writer2latex.util.Misc; - - -/** This class converts color - */ -public class ColorConverter extends ConverterHelper { - - private static final int RED = 0; - private static final int GREEN = 1; - private static final int BLUE = 2; - - private boolean bUseColor; - - /**

    Constructs a new CharStyleConverter.

    - */ - public ColorConverter(OfficeReader ofr, LaTeXConfig config, ConverterPalette palette) { - super(ofr,config,palette); - - // We use color if requested in the configuration, however ignoring - // all formatting overrides this - bUseColor = config.useColor() && config.formatting()>LaTeXConfig.IGNORE_ALL; - } - - public void appendDeclarations(LaTeXDocumentPortion pack, LaTeXDocumentPortion decl) { - if (bUseColor) { - pack.append("\\usepackage{color}").nl(); - } - } - - public void setNormalColor(String sColor, LaTeXDocumentPortion ldp) { - if (bUseColor && sColor!=null) { - ldp.append("\\renewcommand\\normalcolor{\\color") - .append(color(sColor)).append("}").nl(); - } - } - - public void applyNormalColor(BeforeAfter ba) { - if (bUseColor) { ba.add("\\normalcolor",""); } - } - - /**

    Apply foreground color.

    - * @param style the OOo style to read attributesfrom - * @param bDecl true if declaration form is required - * @param bInherit true if inherited properties should be used - * @param ba the BeforeAfter to add LaTeX code to. - * @param context the current context - */ - public void applyColor(StyleWithProperties style, boolean bDecl, boolean bInherit, BeforeAfter ba, Context context) { - // Note: if bDecl is true, nothing will be put in the "after" part of ba. - if (bUseColor && style!=null) { - String sColor = style.getProperty(XMLString.FO_COLOR,bInherit); - if (sColor!=null) { - if (!sColor.equals(context.getFontColor())) { - // Convert color if it differs from the current font color - context.setFontColor(sColor); - applyColor(sColor, bDecl, ba, context); - } - } - else { - // No color; maybe automatic color? - String sAutomatic = style.getProperty(XMLString.STYLE_USE_WINDOW_FONT_COLOR,bInherit); - if (sAutomatic==null && bInherit) { - // We may need to inherit this property from the default style - StyleWithProperties defaultStyle = ofr.getDefaultParStyle(); - if (defaultStyle!=null) { - sAutomatic = defaultStyle.getProperty(XMLString.STYLE_USE_WINDOW_FONT_COLOR,bInherit); - } - } - if ("true".equals(sAutomatic)) { - // Automatic color based on background - if (context.getBgColor()!=null) { applyAutomaticColor(ba,bDecl,context); } - } - } - } - } - - /**

    Apply a specific foreground color.

    - * @param sColor the rgb color to use - * @param bDecl true if declaration form is required - * @param ba the BeforeAfter to add LaTeX code to. - */ - public void applyColor(String sColor, boolean bDecl, BeforeAfter ba, Context context) { - // Note: if bDecl is true, nothing will be put in the "after" part of ba. - if (bUseColor && sColor!=null) { - // If there's a background color, allow all colors - String s = context.getBgColor()!=null ? fullcolor(sColor) : color(sColor); - if (s!=null) { - if (bDecl) { ba.add("\\color"+s,""); } - else { ba.add("\\textcolor"+s+"{","}"); } - } - } - } - - public void applyBgColor(String sCommand, String sColor, BeforeAfter ba, Context context) { - // Note: Will only fill "before" part of ba - if (sColor!=null && !"transparent".equals(sColor)) { - String s = fullcolor(sColor); - if (bUseColor && s!=null) { - context.setBgColor(sColor); - ba.add(sCommand+s,""); - } - } - } - - public void applyAutomaticColor(BeforeAfter ba, boolean bDecl, Context context) { - String s = automaticcolor(context.getBgColor()); - if (s!=null) { - if (bDecl) { ba.add("\\color"+s,""); } - else { ba.add("\\textcolor"+s+"{","}"); } - } - } - - private static final String automaticcolor(String sBgColor) { - if (sBgColor!=null && sBgColor.length()==7) { - float[] rgb = getRgb(sBgColor); - if (rgb[RED]+rgb[GREEN]+rgb[BLUE]<0.6) { - // Dark background - return "{white}"; - } - } - return "{black}"; - } - - private static final String color(String sColor){ - if ("#000000".equalsIgnoreCase(sColor)) { return "{black}"; } - else if ("#ff0000".equalsIgnoreCase(sColor)) { return "{red}"; } - else if ("#00ff00".equalsIgnoreCase(sColor)) { return "{green}"; } - else if ("#0000ff".equalsIgnoreCase(sColor)) { return "{blue}"; } - else if ("#ffff00".equalsIgnoreCase(sColor)) { return "{yellow}"; } - else if ("#ff00ff".equalsIgnoreCase(sColor)) { return "{magenta}"; } - else if ("#00ffff".equalsIgnoreCase(sColor)) { return "{cyan}"; } - //no white, since we don't have background colors: - //else if ("#ffffff".equalsIgnoreCase(sColor)) { return "{white}"; } - else { - if (sColor==null || sColor.length()!=7) return null; - float[] rgb = getRgb(sColor); - // avoid very bright colors (since we don't have background colors): - if (rgb[RED]+rgb[GREEN]+rgb[BLUE]>2.7) { return "{black}"; } - else { return "[rgb]{"+rgb[RED]+","+rgb[GREEN]+","+rgb[BLUE]+"}"; } - } - } - - private static final String fullcolor(String sColor){ - if ("#000000".equalsIgnoreCase(sColor)) { return "{black}"; } - else if ("#ff0000".equalsIgnoreCase(sColor)) { return "{red}"; } - else if ("#00ff00".equalsIgnoreCase(sColor)) { return "{green}"; } - else if ("#0000ff".equalsIgnoreCase(sColor)) { return "{blue}"; } - else if ("#ffff00".equalsIgnoreCase(sColor)) { return "{yellow}"; } - else if ("#ff00ff".equalsIgnoreCase(sColor)) { return "{magenta}"; } - else if ("#00ffff".equalsIgnoreCase(sColor)) { return "{cyan}"; } - else if ("#ffffff".equalsIgnoreCase(sColor)) { return "{white}"; } - else { - // This could mean transparent: - if (sColor==null || sColor.length()!=7) return null; - float[] rgb = getRgb(sColor); - return "[rgb]{"+rgb[RED]+","+rgb[GREEN]+","+rgb[BLUE]+"}"; - } - } - - private static final float[] getRgb(String sColor) { - float[] rgb = new float[3]; - rgb[RED] = (float)Misc.getIntegerFromHex(sColor.substring(1,3),0)/255; - rgb[GREEN] = (float)Misc.getIntegerFromHex(sColor.substring(3,5),0)/255; - rgb[BLUE] = (float)Misc.getIntegerFromHex(sColor.substring(5,7),0)/255; - return rgb; - } - - -} diff --git a/src/main/java/writer2latex/latex/ContentHandlingOption.java b/src/main/java/writer2latex/latex/ContentHandlingOption.java deleted file mode 100644 index 605de9b..0000000 --- a/src/main/java/writer2latex/latex/ContentHandlingOption.java +++ /dev/null @@ -1,42 +0,0 @@ -/************************************************************************ - * - * ContentHandlingOption.java - * - * Copyright: 2002-2008 by Henrik Just - * - * This file is part of Writer2LaTeX. - * - * Writer2LaTeX is free software: you can redistribute it and/or modify - * it under the terms of the GNU General Public License as published by - * the Free Software Foundation, either version 3 of the License, or - * (at your option) any later version. - * - * Writer2LaTeX is distributed in the hope that it will be useful, - * but WITHOUT ANY WARRANTY; without even the implied warranty of - * MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the - * GNU General Public License for more details. - * - * You should have received a copy of the GNU General Public License - * along with Writer2LaTeX. If not, see . - * - * Version 1.0 (2008-09-08) - * - */ - -package writer2latex.latex; - -import writer2latex.base.IntegerOption; - -public class ContentHandlingOption extends IntegerOption { - public ContentHandlingOption(String sName, String sDefaultValue) { - super(sName,sDefaultValue); - } - - public void setString(String sValue) { - super.setString(sValue); - if ("accept".equals(sValue)) nValue = LaTeXConfig.ACCEPT; - else if ("ignore".equals(sValue)) nValue = LaTeXConfig.IGNORE; - else if ("warning".equals(sValue)) nValue = LaTeXConfig.WARNING; - else if ("error".equals(sValue)) nValue = LaTeXConfig.ERROR; - } -} diff --git a/src/main/java/writer2latex/latex/ConverterHelper.java b/src/main/java/writer2latex/latex/ConverterHelper.java deleted file mode 100644 index 8cadf12..0000000 --- a/src/main/java/writer2latex/latex/ConverterHelper.java +++ /dev/null @@ -1,47 +0,0 @@ -/************************************************************************ - * - * ConverterHelper.java - * - * Copyright: 2002-2016 by Henrik Just - * - * This file is part of Writer2LaTeX. - * - * Writer2LaTeX is free software: you can redistribute it and/or modify - * it under the terms of the GNU General Public License as published by - * the Free Software Foundation, either version 3 of the License, or - * (at your option) any later version. - * - * Writer2LaTeX is distributed in the hope that it will be useful, - * but WITHOUT ANY WARRANTY; without even the implied warranty of - * MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the - * GNU General Public License for more details. - * - * You should have received a copy of the GNU General Public License - * along with Writer2LaTeX. If not, see . - * - * Version 1.6 (2015-06-20) - * - */ - -package writer2latex.latex; - -import writer2latex.office.OfficeReader; - -/** - *

    This is an abstract superclass for converter helpers.

    - */ -abstract class ConverterHelper { - - OfficeReader ofr; - LaTeXConfig config; - ConverterPalette palette; - - ConverterHelper(OfficeReader ofr, LaTeXConfig config, ConverterPalette palette) { - this.ofr = ofr; - this.config = config; - this.palette = palette; - } - - abstract void appendDeclarations(LaTeXDocumentPortion pack, LaTeXDocumentPortion decl); - -} \ No newline at end of file diff --git a/src/main/java/writer2latex/latex/ConverterPalette.java b/src/main/java/writer2latex/latex/ConverterPalette.java deleted file mode 100644 index a26a65f..0000000 --- a/src/main/java/writer2latex/latex/ConverterPalette.java +++ /dev/null @@ -1,298 +0,0 @@ -/************************************************************************ - * - * ConverterPalette.java - * - * Copyright: 2002-2015 by Henrik Just - * - * This file is part of Writer2LaTeX. - * - * Writer2LaTeX is free software: you can redistribute it and/or modify - * it under the terms of the GNU General Public License as published by - * the Free Software Foundation, either version 3 of the License, or - * (at your option) any later version. - * - * Writer2LaTeX is distributed in the hope that it will be useful, - * but WITHOUT ANY WARRANTY; without even the implied warranty of - * MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the - * GNU General Public License for more details. - * - * You should have received a copy of the GNU General Public License - * along with Writer2LaTeX. If not, see . - * - * Version 1.6 (2015-04-14) - * - */ - -package writer2latex.latex; - -import org.w3c.dom.Element; - -import java.io.IOException; - -import writer2latex.api.Config; -import writer2latex.api.ConverterFactory; -import writer2latex.base.ConverterBase; -import writer2latex.latex.i18n.ClassicI18n; -import writer2latex.latex.i18n.I18n; -import writer2latex.latex.i18n.XeTeXI18n; -import writer2latex.latex.util.Context; -import writer2latex.util.CSVList; -import writer2latex.util.ExportNameCollection; -import writer2latex.util.Misc; -import writer2latex.office.MIMETypes; -import writer2latex.office.StyleWithProperties; -import writer2latex.office.XMLString; - -/** This class converts a Writer XML file to a LaTeX file - */ -public final class ConverterPalette extends ConverterBase { - - // Configuration - private LaTeXConfig config; - - public Config getConfig() { return config; } - - // The main outfile - private LaTeXDocument texDoc; - - // Various data used in conversion - private Context mainContext; // main context - private CSVList globalOptions; // global options - - // The helpers (the "colors" of the palette) - private I18n i18n; - private ColorConverter colorCv; - private CharStyleConverter charSc; - private PageStyleConverter pageSc; - private BlockConverter blockCv; - private ParConverter parCv; - private HeadingConverter headingCv; - private IndexConverter indexCv; - private BibConverter bibCv; - private SectionConverter sectionCv; - private TableConverter tableCv; - private ListConverter listCv; - private NoteConverter noteCv; - private CaptionConverter captionCv; - private InlineConverter inlineCv; - private FieldConverter fieldCv; - private DrawConverter drawCv; - private MathConverter mathCv; - private Info info; - - // Constructor - public ConverterPalette() { - super(); - config = new LaTeXConfig(); - } - - // Accessor methods for data - - public String getOutFileName() { return sTargetFileName; } - - public Context getMainContext() { return mainContext; } - - public void addGlobalOption(String sOption) { - globalOptions.addValue(sOption); - } - - // Accessor methods for helpers - public I18n getI18n() { return i18n; } - public ColorConverter getColorCv() { return colorCv; } - public CharStyleConverter getCharSc() { return charSc; } - public PageStyleConverter getPageSc() { return pageSc; } - public BlockConverter getBlockCv() { return blockCv; } - public ParConverter getParCv() { return parCv; } - public HeadingConverter getHeadingCv() { return headingCv; } - public IndexConverter getIndexCv() { return indexCv; } - public BibConverter getBibCv() { return bibCv; } - public SectionConverter getSectionCv() { return sectionCv; } - public TableConverter getTableCv() { return tableCv; } - public ListConverter getListCv() { return listCv; } - public NoteConverter getNoteCv() { return noteCv; } - public CaptionConverter getCaptionCv() { return captionCv; } - public InlineConverter getInlineCv() { return inlineCv; } - public FieldConverter getFieldCv() { return fieldCv; } - public DrawConverter getDrawCv() { return drawCv; } - public MathConverter getMathCv() { return mathCv; } - public Info getInfo() { return info; } - - - // fill out inner converter method - public void convertInner() throws IOException { - sTargetFileName = Misc.trimDocumentName(sTargetFileName,".tex"); - String sSafeTargetFileName = new ExportNameCollection(true).addToExport(sTargetFileName); - imageConverter.setBaseFileName(sSafeTargetFileName+"-img"); - if (config.saveImagesInSubdir()) { - imageConverter.setUseSubdir(sSafeTargetFileName+"-img"); - } - - // Set graphics formats depending on backend - if (config.getBackend()==LaTeXConfig.PDFTEX || config.getBackend()==LaTeXConfig.XETEX) { - imageConverter.setDefaultFormat(MIMETypes.PNG); - imageConverter.setDefaultVectorFormat(MIMETypes.PDF); - imageConverter.addAcceptedFormat(MIMETypes.JPEG); - } - else if (config.getBackend()==LaTeXConfig.DVIPS) { - imageConverter.setDefaultFormat(MIMETypes.EPS); - } - // Other values: keep original format - - // Inject user sequence names for tables and figures into OfficeReader - if (config.getTableSequenceName().length()>0) { - ofr.addTableSequenceName(config.getTableSequenceName()); - } - if (config.getFigureSequenceName().length()>0) { - ofr.addFigureSequenceName(config.getFigureSequenceName()); - } - - // Create helpers - if (config.getBackend()!=LaTeXConfig.XETEX) { - i18n = new ClassicI18n(ofr,config,this); - } - else { - i18n = new XeTeXI18n(ofr,config,this); - } - colorCv = new ColorConverter(ofr,config,this); - charSc = new CharStyleConverter(ofr,config,this); - pageSc = new PageStyleConverter(ofr,config,this); - blockCv = new BlockConverter(ofr,config,this); - parCv = new ParConverter(ofr,config,this); - headingCv = new HeadingConverter(ofr,config,this); - indexCv = new IndexConverter(ofr,config,this); - bibCv = new BibConverter(ofr,config,this); - sectionCv = new SectionConverter(ofr,config,this); - tableCv = new TableConverter(ofr,config,this); - listCv = new ListConverter(ofr,config,this); - noteCv = new NoteConverter(ofr,config,this); - captionCv = new CaptionConverter(ofr,config,this); - inlineCv = new InlineConverter(ofr,config,this); - fieldCv = new FieldConverter(ofr,config,this); - drawCv = new DrawConverter(ofr,config,this); - mathCv = new MathConverter(ofr,config,this); - info = new Info(ofr,config,this); - - // Create master document and add this - this.texDoc = new LaTeXDocument(sTargetFileName,config.getWrapLinesAfter(),true); - if (config.getBackend()!=LaTeXConfig.XETEX) { - texDoc.setEncoding(ClassicI18n.writeJavaEncoding(config.getInputencoding())); - } - else { - texDoc.setEncoding("UTF-8"); - - } - converterResult.addDocument(texDoc); - - // Create other data - globalOptions = new CSVList(','); - - // Setup context. - // The default language is specified in the default paragraph style: - mainContext = new Context(); - mainContext.resetFormattingFromStyle(ofr.getDefaultParStyle()); - mainContext.setInMulticols(pageSc.isTwocolumn()); - - // Create main LaTeXDocumentPortions - LaTeXDocumentPortion packages = new LaTeXDocumentPortion(false); - LaTeXDocumentPortion declarations = new LaTeXDocumentPortion(false); - LaTeXDocumentPortion body = new LaTeXDocumentPortion(true); - - // Traverse the content - Element content = ofr.getContent(); - blockCv.traverseBlockText(content,body,mainContext); - noteCv.insertEndnotes(body); - - // Add declarations from our helpers - i18n.appendDeclarations(packages,declarations); - colorCv.appendDeclarations(packages,declarations); - noteCv.appendDeclarations(packages,declarations); - charSc.appendDeclarations(packages,declarations); - headingCv.appendDeclarations(packages,declarations); - parCv.appendDeclarations(packages,declarations); - pageSc.appendDeclarations(packages,declarations); - blockCv.appendDeclarations(packages,declarations); - indexCv.appendDeclarations(packages,declarations); - bibCv.appendDeclarations(packages,declarations); - sectionCv.appendDeclarations(packages,declarations); - tableCv.appendDeclarations(packages,declarations); - listCv.appendDeclarations(packages,declarations); - captionCv.appendDeclarations(packages,declarations); - inlineCv.appendDeclarations(packages,declarations); - fieldCv.appendDeclarations(packages,declarations); - drawCv.appendDeclarations(packages,declarations); - mathCv.appendDeclarations(packages,declarations); - - // Add custom preamble - String sCustomPreamble = config.getCustomPreamble(); - if (sCustomPreamble.length()>0) { - declarations.append(sCustomPreamble).nl(); - } - - // Set \title, \author and \date (for \maketitle) - createMeta("title",metaData.getTitle(),declarations); - if (config.metadata()) { - createMeta("author",metaData.getCreator(),declarations); - // According to the spec, the date has the format YYYY-MM-DDThh:mm:ss - String sDate = metaData.getDate(); - if (sDate!=null) { - createMeta("date",Misc.dateOnly(sDate),declarations); - } - } - - // Create options for documentclass - if (config.formatting()>=LaTeXConfig.CONVERT_MOST) { - StyleWithProperties dpStyle = ofr.getDefaultParStyle(); - if (dpStyle!=null) { - String s = dpStyle.getProperty(XMLString.FO_FONT_SIZE); - if ("10pt".equals(s)) { globalOptions.addValue("10pt"); } - if ("11pt".equals(s)) { globalOptions.addValue("11pt"); } - if ("12pt".equals(s)) { globalOptions.addValue("12pt"); } - } - } - - // Temp solution. TODO: Fix when new CSVList is implemented - if (config.getGlobalOptions().length()>0) { - globalOptions.addValue(config.getGlobalOptions()); - } - - // Assemble the document - LaTeXDocumentPortion result = texDoc.getContents(); - - if (!config.noPreamble()) { - // Create document class declaration - result.append("% This file was converted to LaTeX by Writer2LaTeX ver. "+ConverterFactory.getVersion()).nl() - .append("% see http://writer2latex.sourceforge.net for more info").nl(); - result.append("\\documentclass"); - if (!globalOptions.isEmpty()) { - result.append("[").append(globalOptions.toString()).append("]"); - } - result.append("{").append(config.getDocumentclass()).append("}").nl(); - - result.append(packages) - .append(declarations) - .append("\\begin{document}").nl(); - } - - result.append(body); - - if (!config.noPreamble()) { - result.append("\\end{document}").nl(); - } - else { - result.append("\\endinput").nl(); - } - - // Add BibTeX document if there's any bibliographic data - if (bibCv.getBibTeXDocument()!=null) { - converterResult.addDocument(bibCv.getBibTeXDocument()); - } - } - - private void createMeta(String sName, String sValue,LaTeXDocumentPortion ldp) { - if (sValue==null) { return; } - // Meta data is assumed to be in the default language: - ldp.append("\\"+sName+"{"+i18n.convert(sValue,false,mainContext.getLang())+"}").nl(); - } - - -} \ No newline at end of file diff --git a/src/main/java/writer2latex/latex/DrawConverter.java b/src/main/java/writer2latex/latex/DrawConverter.java deleted file mode 100644 index 0762fb5..0000000 --- a/src/main/java/writer2latex/latex/DrawConverter.java +++ /dev/null @@ -1,454 +0,0 @@ -/************************************************************************ - * - * DrawConverter.java - * - * Copyright: 2002-2014 by Henrik Just - * - * This file is part of Writer2LaTeX. - * - * Writer2LaTeX is free software: you can redistribute it and/or modify - * it under the terms of the GNU General Public License as published by - * the Free Software Foundation, either version 3 of the License, or - * (at your option) any later version. - * - * Writer2LaTeX is distributed in the hope that it will be useful, - * but WITHOUT ANY WARRANTY; without even the implied warranty of - * MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the - * GNU General Public License for more details. - * - * You should have received a copy of the GNU General Public License - * along with Writer2LaTeX. If not, see . - * - * Version 1.4 (2014-09-05) - * - */ - -package writer2latex.latex; - -import java.util.LinkedList; -import java.util.Stack; - -import org.w3c.dom.Document; -import org.w3c.dom.Element; - -import writer2latex.base.BinaryGraphicsDocument; -import writer2latex.latex.util.BeforeAfter; -import writer2latex.latex.util.Context; -import writer2latex.office.EmbeddedObject; -import writer2latex.office.EmbeddedXMLObject; -import writer2latex.office.MIMETypes; -import writer2latex.office.OfficeReader; -import writer2latex.office.XMLString; -import writer2latex.util.CSVList; -import writer2latex.util.Calc; -import writer2latex.util.Misc; - -/** - *

    This class handles draw elements.

    - */ -public class DrawConverter extends ConverterHelper { - - private boolean bNeedGraphicx = false; - - // Keep track of floating frames (images, text boxes...) - private Stack> floatingFramesStack = new Stack>(); - - private Element getFrame(Element onode) { - if (ofr.isOpenDocument()) return (Element) onode.getParentNode(); - else return onode; - } - - public DrawConverter(OfficeReader ofr, LaTeXConfig config, ConverterPalette palette) { - super(ofr,config,palette); - floatingFramesStack.push(new LinkedList()); - } - - public void appendDeclarations(LaTeXDocumentPortion pack, LaTeXDocumentPortion decl) { - if (bNeedGraphicx) { - pack.append("\\usepackage"); - if (config.getBackend()==LaTeXConfig.PDFTEX) pack.append("[pdftex]"); - //else if (config.getBackend()==LaTeXConfig.XETEX) pack.append("[xetex]"); - else if (config.getBackend()==LaTeXConfig.DVIPS) pack.append("[dvips]"); - pack.append("{graphicx}").nl(); - } - } - - public void handleCaption(Element node, LaTeXDocumentPortion ldp, Context oc) { - // Floating frames should be positioned *above* the label, hence - // we use a separate ldp for the paragraphs and add this later - LaTeXDocumentPortion capLdp = new LaTeXDocumentPortion(true); - - // Convert the caption - if (oc.isInFigureFloat()) { // float - capLdp.append("\\caption"); - palette.getCaptionCv().handleCaptionBody(node,capLdp,oc,false); - } - else { // nonfloat - capLdp.append("\\captionof{figure}"); - palette.getCaptionCv().handleCaptionBody(node,capLdp,oc,true); - } - - flushFloatingFrames(ldp,oc); - ldp.append(capLdp); - } - - // Process the first child of a draw:frame - public void handleDrawElement(Element node, LaTeXDocumentPortion ldp, Context oc) { - // node must be an element in the draw namespace - String sName = node.getTagName(); - if (sName.equals(XMLString.DRAW_OBJECT)) { - handleDrawObject(node,ldp,oc); - } - else if (sName.equals(XMLString.DRAW_OBJECT_OLE)) { - handleDrawObject(node,ldp,oc); - } - else if ((!oc.isInHeaderFooter()) && sName.equals(XMLString.DRAW_IMAGE)) { - handleDrawImage(node,ldp,oc); - } - else if ((!oc.isInHeaderFooter()) && sName.equals(XMLString.DRAW_TEXT_BOX)) { - handleDrawTextBox(node,ldp,oc); - } - else if (sName.equals(XMLString.DRAW_A)) { - // we handle this like text:a - palette.getFieldCv().handleAnchor(node,ldp,oc); - } - else if (sName.equals(XMLString.DRAW_FRAME)) { - if (!palette.getMathCv().handleTexMathsEquation(node,ldp)) { - // OpenDocument: Get the actual draw element in the frame - handleDrawElement(Misc.getFirstChildElement(node),ldp,oc); - } - } - else if (sName.equals(XMLString.DRAW_G)) { - if (!palette.getMathCv().handleTexMathsEquation(node,ldp)) { - // Shapes are currently not supported - ldp.append("[Warning: Draw object ignored]"); - } - } - else { - // Other drawing objects are currently not supported - ldp.append("[Warning: Draw object ignored]"); - } - } - - //----------------------------------------------------------------- - // handle draw:object elements (OOo objects such as Chart, Math,...) - - private void handleDrawObject(Element node, LaTeXDocumentPortion ldp, Context oc) { - - String sHref = Misc.getAttribute(node,XMLString.XLINK_HREF); - - if (sHref!=null) { // Embedded object in package or linked object - if (ofr.isInPackage(sHref)) { // Embedded object in package - if (sHref.startsWith("#")) { sHref=sHref.substring(1); } - if (sHref.startsWith("./")) { sHref=sHref.substring(2); } - EmbeddedObject object = palette.getEmbeddedObject(sHref); - if (object!=null) { - if (MIMETypes.MATH.equals(object.getType()) || MIMETypes.ODF.equals(object.getType())) { // Formula! - try { - Document formuladoc = ((EmbeddedXMLObject) object).getContentDOM(); - Element formula = Misc.getChildByTagName(formuladoc,XMLString.MATH); // Since OOo3.2 - if (formula==null) { - formula = Misc.getChildByTagName(formuladoc,XMLString.MATH_MATH); - } - String sLaTeX = palette.getMathCv().convert(formula); - if (!" ".equals(sLaTeX)) { // ignore empty formulas - ldp.append(" $") - .append(sLaTeX) - .append("$"); - if (Character.isLetterOrDigit(OfficeReader.getNextChar(node))) { ldp.append(" "); } - } - } - catch (org.xml.sax.SAXException e) { - e.printStackTrace(); - } - catch (java.io.IOException e) { - e.printStackTrace(); - } - } - else { // unsupported object - boolean bIgnore = true; - if (ofr.isOpenDocument()) { // look for replacement image - Element replacementImage = Misc.getChildByTagName(getFrame(node),XMLString.DRAW_IMAGE); - if (replacementImage!=null) { - handleDrawImage(replacementImage,ldp,oc); - bIgnore = false; - } - } - if (bIgnore) { - ldp.append("[Warning: object ignored]"); - } - } - - } - } - } - else { // flat xml, object is contained in node - Element formula = Misc.getChildByTagName(node,XMLString.MATH); // Since OOo 3.2 - if (formula==null) { - formula = Misc.getChildByTagName(node,XMLString.MATH_MATH); - } - if (formula!=null) { - ldp.append(" $") - .append(palette.getMathCv().convert(formula)) - .append("$"); - if (Character.isLetterOrDigit(OfficeReader.getNextChar(node))) { ldp.append(" "); } - } - else { // unsupported object - boolean bIgnore = true; - if (ofr.isOpenDocument()) { // look for replacement image - Element replacementImage = Misc.getChildByTagName(getFrame(node),XMLString.DRAW_IMAGE); - if (replacementImage!=null) { - handleDrawImage(replacementImage,ldp,oc); - bIgnore = false; - } - } - if (bIgnore) { - ldp.append("[Warning: object ignored]"); - } - } - - } - } - - //-------------------------------------------------------------------------- - // Create float environment - private void applyFigureFloat(BeforeAfter ba, Context oc) { - // todo: check context... - if (config.floatFigures() && !oc.isInFrame() && !oc.isInTable()) { - if (oc.isInMulticols()) { - ba.add("\\begin{figure*}","\\end{figure*}\n"); - } - else { - ba.add("\\begin{figure}","\\end{figure}\n"); - } - if (config.getFloatOptions().length()>0) { - ba.add("["+config.getFloatOptions()+"]",""); - } - ba.add("\n",""); - oc.setInFigureFloat(true); - } - if (!oc.isInFrame() && config.alignFrames()) { - // Avoid nesting center environment - if (config.floatFigures()) { - // Inside floats we don't want the extra glue added by the center environment - ba.add("\\centering\n","\n"); - } - else { - // Outside a float we certainly want it - ba.add("\\begin{center}\n","\n\\end{center}\n"); - } - } - - } - - //-------------------------------------------------------------------------- - // Handle draw:image elements - - private void handleDrawImage(Element node, LaTeXDocumentPortion ldp, Context oc) { - // Include graphics if allowed by the configuration - switch (config.imageContent()) { - case LaTeXConfig.IGNORE: - // Ignore graphics silently - return; - case LaTeXConfig.WARNING: - System.err.println("Warning: Images are not allowed"); - return; - case LaTeXConfig.ERROR: - ldp.append("% Error in document: An image was ignored"); - return; - } - - Element frame = getFrame(node); - String sName = frame.getAttribute(XMLString.DRAW_NAME); - palette.getFieldCv().addTarget(sName,"|graphic",ldp); - String sAnchor = frame.getAttribute(XMLString.TEXT_ANCHOR_TYPE); - - //if (oc.isInFrame() || "as-char".equals(sAnchor)) { - if ("as-char".equals(sAnchor)) { - handleDrawImageAsChar(node,ldp,oc); - } - else { - floatingFramesStack.peek().add(node); - } - } - - private void handleDrawImageAsChar(Element node, LaTeXDocumentPortion ldp, Context oc) { - ldp.append(" "); - includeGraphics(node,ldp,oc); - ldp.append(" "); - } - - private void handleDrawImageFloat(Element node, LaTeXDocumentPortion ldp, Context oc) { - Context ic = (Context) oc.clone(); - BeforeAfter ba = new BeforeAfter(); - - applyFigureFloat(ba,ic); - - ldp.append(ba.getBefore()); - includeGraphics(node,ldp,ic); - ldp.append(ba.getAfter()); - } - - private void includeGraphics(Element node, LaTeXDocumentPortion ldp, Context oc) { - String sFileName = null; - boolean bCommentOut = true; - - BinaryGraphicsDocument bgd = palette.getImageCv().getImage(node); - if (bgd!=null) { - if (!bgd.isLinked()) { // embedded image - if (!bgd.isRecycled()) { palette.addDocument(bgd); } - sFileName = bgd.getFileName(); - String sMIME = bgd.getMIMEType(); - bCommentOut = !( - config.getBackend()==LaTeXConfig.UNSPECIFIED || - (config.getBackend()==LaTeXConfig.PDFTEX && MIMETypes.JPEG.equals(sMIME)) || - (config.getBackend()==LaTeXConfig.PDFTEX && MIMETypes.PNG.equals(sMIME)) || - (config.getBackend()==LaTeXConfig.PDFTEX && MIMETypes.PDF.equals(sMIME)) || - (config.getBackend()==LaTeXConfig.XETEX && MIMETypes.JPEG.equals(sMIME)) || - (config.getBackend()==LaTeXConfig.XETEX && MIMETypes.PNG.equals(sMIME)) || - (config.getBackend()==LaTeXConfig.XETEX && MIMETypes.PDF.equals(sMIME)) || - (config.getBackend()==LaTeXConfig.DVIPS && MIMETypes.EPS.equals(sMIME))); - } - else { // linked image - sFileName = bgd.getFileName(); - String sExt = Misc.getFileExtension(sFileName).toLowerCase(); - // Accept only relative filenames and supported filetypes: - bCommentOut = sFileName.indexOf(":")>-1 || !( - config.getBackend()==LaTeXConfig.UNSPECIFIED || - (config.getBackend()==LaTeXConfig.PDFTEX && MIMETypes.JPEG_EXT.equals(sExt)) || - (config.getBackend()==LaTeXConfig.PDFTEX && MIMETypes.PNG_EXT.equals(sExt)) || - (config.getBackend()==LaTeXConfig.PDFTEX && MIMETypes.PDF_EXT.equals(sExt)) || - (config.getBackend()==LaTeXConfig.XETEX && MIMETypes.JPEG_EXT.equals(sExt)) || - (config.getBackend()==LaTeXConfig.XETEX && MIMETypes.PNG_EXT.equals(sExt)) || - (config.getBackend()==LaTeXConfig.XETEX && MIMETypes.PDF_EXT.equals(sExt)) || - (config.getBackend()==LaTeXConfig.DVIPS && MIMETypes.EPS_EXT.equals(sExt))); - } - } - else { - ldp.append("[Warning: Image not found]"); - return; - } - - // Now for the actual inclusion: - bNeedGraphicx = true; - /* TODO: handle cropping and mirror: - style:mirror can be none, vertical (lodret), horizontal (vandret), - horizontal-on-odd, or - horizontal-on-even (horizontal on odd or even pages). - mirror is handled with scalebox, eg: - %\\scalebox{-1}[1]{...} - can check for even/odd page first!! - - fo:clip="rect(t,r,b,l) svarer til trim - value can be auto - no clip! - cropping is handled with clip and trim: - \\includegraphics[clip,trim=l b r t]{...} - note the different order from xsl-fo! - */ - - if (bCommentOut) { - ldp.append(" [Warning: Image ignored] "); - ldp.append("% Unhandled or unsupported graphics:").nl().append("%"); - } - ldp.append("\\includegraphics"); - - CSVList options = new CSVList(','); - if (!config.originalImageSize()) { - Element frame = getFrame(node); - String sWidth = Calc.truncateLength(frame.getAttribute(XMLString.SVG_WIDTH)); - String sHeight = Calc.truncateLength(frame.getAttribute(XMLString.SVG_HEIGHT)); - if (sWidth!=null) { options.addValue("width="+sWidth); } - if (sHeight!=null) { options.addValue("height="+sHeight); } - } - if (config.getImageOptions().length()>0) { - options.addValue(config.getImageOptions()); // TODO: New CSVList... - } - if (!options.isEmpty()) { - ldp.append("[").append(options.toString()).append("]"); - } - - if (config.removeGraphicsExtension()) { - sFileName = Misc.removeExtension(sFileName); - } - ldp.append("{").append(sFileName).append("}"); - if (bCommentOut) { ldp.nl(); } - } - - //-------------------------------------------------------------------------- - // handle draw:text-box element - - private void handleDrawTextBox(Element node, LaTeXDocumentPortion ldp, Context oc) { - Element frame = getFrame(node); - String sName = frame.getAttribute(XMLString.DRAW_NAME); - palette.getFieldCv().addTarget(sName,"|frame",ldp); - String sAnchor = frame.getAttribute(XMLString.TEXT_ANCHOR_TYPE); - //if (oc.isInFrame() || "as-char".equals(sAnchor)) { - if ("as-char".equals(sAnchor)) { - makeDrawTextBox(node, ldp, oc); - } - else { - floatingFramesStack.peek().add(node); - } - } - - private void handleDrawTextBoxFloat(Element node, LaTeXDocumentPortion ldp, Context oc) { - BeforeAfter ba = new BeforeAfter(); - Context ic = (Context) oc.clone(); - - applyFigureFloat(ba,ic); - - ldp.append(ba.getBefore()); - makeDrawTextBox(node, ldp, ic); - ldp.append(ba.getAfter()); - } - - private void makeDrawTextBox(Element node, LaTeXDocumentPortion ldp, Context oc) { - Context ic = (Context) oc.clone(); - ic.setInFrame(true); - ic.setNoFootnotes(true); - - // Check to see, if this is really a container for a figure caption - boolean bIsCaption = false; - if (OfficeReader.isSingleParagraph(node)) { - Element par = Misc.getFirstChildElement(node); - String sSeqName = ofr.getSequenceName(par); - if (ofr.isFigureSequenceName(sSeqName)) { bIsCaption = true; } - } - - String sWidth = Calc.truncateLength(getFrame(node).getAttribute(XMLString.SVG_WIDTH)); - if (!bIsCaption) { - ldp.append("\\begin{minipage}{").append(sWidth).append("}").nl(); - } - floatingFramesStack.push(new LinkedList()); - palette.getBlockCv().traverseBlockText(node,ldp,ic); - flushFloatingFrames(ldp,ic); - floatingFramesStack.pop(); - if (!bIsCaption) { - ldp.append("\\end{minipage}"); - } - if (!oc.isNoFootnotes()) { palette.getNoteCv().flushFootnotes(ldp,oc); } - - } - - //------------------------------------------------------------------------- - //handle any pending floating frames - - public void flushFloatingFrames(LaTeXDocumentPortion ldp, Context oc) { - // todo: fix language - LinkedList floatingFrames = floatingFramesStack.peek(); - int n = floatingFrames.size(); - if (n==0) { return; } - for (int i=0; i. - * - * Version 1.6 (2015-06-23) - * - */ - -package writer2latex.latex; - -//import java.io.UnsupportedEncodingException; -import java.util.Enumeration; -import java.util.Hashtable; -import java.util.Vector; -import java.util.regex.Pattern; - -import org.json.JSONArray; -import org.json.JSONException; -import org.json.JSONObject; -import org.w3c.dom.Element; -import org.w3c.dom.Node; - -import writer2latex.latex.util.Context; -import writer2latex.latex.util.HeadingMap; -import writer2latex.office.ListStyle; -import writer2latex.office.OfficeReader; -import writer2latex.office.XMLString; -import writer2latex.util.ExportNameCollection; -import writer2latex.util.Misc; -import writer2latex.util.SimpleInputBuffer; - -/** - * This class handles text fields and links in the document. - * Packages: lastpage, hyperref, titleref (all optional) - * TODO: Need proper treatment of "caption" and "text" for sequence - * references not to figures and tables (should be fairly rare, though) - - */ -public class FieldConverter extends ConverterHelper { - - // Identify Zotero items - private static final String ZOTERO_ITEM = "ZOTERO_ITEM"; - // Identify JabRef items - private static final String JABREF_ITEM = "JR_cite"; - - // Links & references - private ExportNameCollection targets = new ExportNameCollection(true); - private ExportNameCollection refnames = new ExportNameCollection(true); - private ExportNameCollection bookmarknames = new ExportNameCollection(true); - private ExportNameCollection seqnames = new ExportNameCollection(true); - private ExportNameCollection seqrefnames = new ExportNameCollection(true); - - // sequence declarations (maps name->text:sequence-decl element) - private Hashtable seqDecl = new Hashtable(); - // first usage of sequence (maps name->text:sequence element) - private Hashtable seqFirst = new Hashtable(); - - private Vector postponedReferenceMarks = new Vector(); - private Vector postponedBookmarks = new Vector(); - - private boolean bUseHyperref = false; - private boolean bUsesPageCount = false; - private boolean bUsesTitleref = false; - private boolean bConvertZotero = false; - private boolean bConvertJabRef = false; - private boolean bIncludeOriginalCitations = false; - private boolean bUseNatbib = false; - - public FieldConverter(OfficeReader ofr, LaTeXConfig config, ConverterPalette palette) { - super(ofr,config,palette); - // hyperref.sty is not compatible with titleref.sty: - bUseHyperref = config.useHyperref() && !config.useTitleref(); - bConvertZotero = config.useBibtex() && config.zoteroBibtexFiles().length()>0; - bConvertJabRef = config.useBibtex() && config.jabrefBibtexFiles().length()>0; - bIncludeOriginalCitations = config.includeOriginalCitations(); - bUseNatbib = config.useBibtex() && config.useNatbib(); - } - - /**

    Append declarations needed by the FieldConverter to - * the preamble.

    - * @param pack the LaTeXDocumentPortion to which - * declarations of packages should be added (\\usepackage). - * @param decl the LaTeXDocumentPortion to which - * other declarations should be added. - */ - public void appendDeclarations(LaTeXDocumentPortion pack, LaTeXDocumentPortion decl) { - // Use natbib - if (config.useBibtex() && config.useNatbib()) { - pack.append("\\usepackage"); - if (config.getNatbibOptions().length()>0) { - pack.append("[").append(config.getNatbibOptions()).append("]"); - } - pack.append("{natbib}").nl(); - } - // use lastpage.sty - if (bUsesPageCount) { - pack.append("\\usepackage{lastpage}").nl(); - } - - // use titleref.sty - if (bUsesTitleref) { - pack.append("\\usepackage{titleref}").nl(); - } - - // use hyperref.sty - if (bUseHyperref){ - pack.append("\\usepackage{hyperref}").nl(); - pack.append("\\hypersetup{"); - if (config.getBackend()==LaTeXConfig.PDFTEX) pack.append("pdftex, "); - else if (config.getBackend()==LaTeXConfig.DVIPS) pack.append("dvips, "); - //else pack.append("hypertex"); - pack.append("colorlinks=true, linkcolor=blue, citecolor=blue, filecolor=blue, urlcolor=blue"); - if (config.getBackend()==LaTeXConfig.PDFTEX) { - pack.append(createPdfMeta("pdftitle",palette.getMetaData().getTitle())); - if (config.metadata()) { - pack.append(createPdfMeta("pdfauthor",palette.getMetaData().getCreator())) - .append(createPdfMeta("pdfsubject",palette.getMetaData().getSubject())) - .append(createPdfMeta("pdfkeywords",palette.getMetaData().getKeywords())); - } - } - pack.append("}").nl(); - } - - // Export sequence declarations - // The number format is fetched from the first occurence of the - // sequence in the text, while the outline level and the separation - // character are fetched from the declaration - Enumeration names = seqFirst.keys(); - while (names.hasMoreElements()) { - // Get first text:sequence element - String sName = names.nextElement(); - Element first = seqFirst.get(sName); - // Collect data - String sNumFormat = Misc.getAttribute(first,XMLString.STYLE_NUM_FORMAT); - if (sNumFormat==null) { sNumFormat="1"; } - int nLevel = 0; - String sSepChar = "."; - if (seqDecl.containsKey(sName)) { - Element sdecl = (Element) seqDecl.get(sName); - nLevel = Misc.getPosInteger(sdecl.getAttribute(XMLString.TEXT_DISPLAY_OUTLINE_LEVEL),0); - if (sdecl.hasAttribute(XMLString.TEXT_SEPARATION_CHARACTER)) { - sSepChar = palette.getI18n().convert( - sdecl.getAttribute(XMLString.TEXT_SEPARATION_CHARACTER), - false,palette.getMainContext().getLang()); - } - } - // Create counter - decl.append("\\newcounter{") - .append(seqnames.addToExport(sName)) - .append("}"); - String sPrefix = ""; - if (nLevel>0) { - HeadingMap hm = config.getHeadingMap(); - int nUsedLevel = nLevel<=hm.getMaxLevel() ? nLevel : hm.getMaxLevel(); - if (nUsedLevel>0) { - decl.append("[").append(hm.getName(nUsedLevel)).append("]"); - sPrefix = "\\the"+hm.getName(nUsedLevel)+sSepChar; - } - } - decl.nl() - .append("\\renewcommand\\the") - .append(seqnames.addToExport(sName)) - .append("{").append(sPrefix) - .append(ListConverter.numFormat(sNumFormat)) - .append("{").append(seqnames.addToExport(sName)) - .append("}}").nl(); - } - } - - /**

    Process sequence declarations

    - * @param node the text:sequence-decls node - */ - public void handleSequenceDecls(Element node) { - Node child = node.getFirstChild(); - while (child!=null) { - if (Misc.isElement(child,XMLString.TEXT_SEQUENCE_DECL)) { - // Don't process the declaration, but store a reference - seqDecl.put(((Element)child).getAttribute(XMLString.TEXT_NAME),child); - } - child = child.getNextSibling(); - } - } - - /**

    Process a sequence field (text:sequence tag)

    - * @param node The element containing the sequence field - * @param ldp the LaTeXDocumentPortion to which - * LaTeX code should be added - * @param oc the current context - */ - public void handleSequence(Element node, LaTeXDocumentPortion ldp, Context oc) { - String sName = Misc.getAttribute(node,XMLString.TEXT_NAME); - String sRefName = Misc.getAttribute(node,XMLString.TEXT_REF_NAME); - String sFormula = Misc.getAttribute(node,XMLString.TEXT_FORMULA); - if (sFormula==null) { - // If there's no formula, we must use the content as formula - // The parser below requires a namespace, so we add that.. - sFormula = "ooow:"+Misc.getPCDATA(node); - } - if (sName!=null) { - if (ofr.isFigureSequenceName(sName) || ofr.isTableSequenceName(sName)) { - // Export \label only, assuming the number is generated by \caption - if (sRefName!=null && ofr.hasSequenceRefTo(sRefName)) { - ldp.append("\\label{seq:") - .append(seqrefnames.addToExport(sRefName)) - .append("}"); - } - } - else { - // General purpose sequence -> export as counter - if (!seqFirst.containsKey(sName)) { - // Save first occurence -> used to determine number format - seqFirst.put(sName,node); - } - if (sRefName!=null && ofr.hasSequenceRefTo(sRefName)) { - // Export as {\refstepcounter{name}\thename\label{refname}} - ldp.append("{").append(changeCounter(sName,sFormula,true)) - .append("\\the").append(seqnames.addToExport(sName)) - .append("\\label{seq:") - .append(seqrefnames.addToExport(sRefName)) - .append("}}"); - } - else { - // Export as \stepcounter{name}{\thename} - ldp.append(changeCounter(sName,sFormula,false)) - .append("{\\the") - .append(seqnames.addToExport(sName)) - .append("}"); - } - } - } - } - - /**

    Create label for a sequence field (text:sequence tag)

    - * @param node The element containing the sequence field - * @param ldp the LaTeXDocumentPortion to which - * LaTeX code should be added - */ - public void handleSequenceLabel(Element node, LaTeXDocumentPortion ldp) { - String sRefName = Misc.getAttribute(node,XMLString.TEXT_REF_NAME); - if (sRefName!=null && ofr.hasSequenceRefTo(sRefName)) { - ldp.append("\\label{seq:") - .append(seqrefnames.addToExport(sRefName)) - .append("}"); - } - } - - // According to the spec for OpenDocument, the formula is application - // specific, prefixed with a namespace. OOo uses the namespace ooow, and - // we accept the formulas ooow:, ooow:, ooow:+ - // and ooow:- - // Note: In OOo a counter is a 16 bit unsigned integer, whereas a (La)TeX - // counter can be negative - thus there will be a slight deviation in the - // (rare) case of a negative number - private String changeCounter(String sName, String sFormula, boolean bRef) { - if (sFormula!=null) { - sFormula = sFormula.trim(); - if (sFormula.startsWith("ooow:")) { - SimpleInputBuffer input = new SimpleInputBuffer(sFormula.substring(5)); - if (input.peekChar()>='0' && input.peekChar()<='9') { - // Value is - String sNumber = input.getInteger(); - if (input.atEnd()) { - return setCounter(sName, Misc.getPosInteger(sNumber,0), bRef); - } - } - else if (input.peekChar()=='-') { - // Value is a negative - input.getChar(); - if (input.peekChar()>='0' && input.peekChar()<='9') { - String sNumber = input.getInteger(); - if (input.atEnd()) { - return setCounter(sName, -Misc.getPosInteger(sNumber,0), bRef); - } - } - } - else { - // Value starts with - String sToken = input.getIdentifier(); - if (sToken.equals(sName)) { - input.skipSpaces(); - if (input.peekChar()=='+') { - // Value is + - input.getChar(); - input.skipSpaces(); - String sNumber = input.getInteger(); - if (input.atEnd()) { - return addtoCounter(sName, Misc.getPosInteger(sNumber,0), bRef); - } - } - else if (input.peekChar()=='-') { - // Value is - - input.getChar(); - input.skipSpaces(); - String sNumber = input.getInteger(); - if (input.atEnd()) { - return addtoCounter(sName, -Misc.getPosInteger(sNumber,0), bRef); - } - } - else if (input.atEnd()) { - // Value is - return addtoCounter(sName, 0, bRef); - } - } - } - } - } - // No formula, or a formula we don't understand -> use default behavior - return stepCounter(sName, bRef); - } - - private String stepCounter(String sName, boolean bRef) { - if (bRef) { - return "\\refstepcounter{" + seqnames.addToExport(sName) + "}"; - } - else { - return "\\stepcounter{" + seqnames.addToExport(sName) + "}"; - } - } - - private String addtoCounter(String sName, int nValue, boolean bRef) { - if (nValue==1) { - return stepCounter(sName, bRef); - } - else if (bRef) { - return "\\addtocounter{" + seqnames.addToExport(sName) + "}" - + "{" + Integer.toString(nValue-1) + "}" - + "\\refstepcounter{" + seqnames.addToExport(sName) + "}"; - } - else if (nValue!=0) { - return "\\addtocounter{" + seqnames.addToExport(sName) + "}" - + "{" + Integer.toString(nValue) + "}"; - } - else { - return ""; - } - } - - private String setCounter(String sName, int nValue, boolean bRef) { - if (bRef) { - return "\\setcounter{" + seqnames.addToExport(sName) + "}" - + "{" + Integer.toString(nValue-1) + "}" - + "\\refstepcounter{" + seqnames.addToExport(sName) + "}"; - } - else { - return "\\setcounter{" + seqnames.addToExport(sName) + "}" - + "{" + Integer.toString(nValue) + "}"; - } - } - - /**

    Process a sequence reference (text:sequence-ref tag)

    - * @param node The element containing the sequence reference - * @param ldp the LaTeXDocumentPortion to which - * LaTeX code should be added - * @param oc the current context - */ - public void handleSequenceRef(Element node, LaTeXDocumentPortion ldp, Context oc) { - String sRefName = Misc.getAttribute(node,XMLString.TEXT_REF_NAME); - String sFormat = Misc.getAttribute(node,XMLString.TEXT_REFERENCE_FORMAT); - String sName = ofr.getSequenceFromRef(sRefName); - if (sRefName!=null) { - if (sFormat==null || "page".equals(sFormat)) { - ldp.append("\\pageref{seq:") - .append(seqrefnames.addToExport(sRefName)) - .append("}"); - } - else if ("value".equals(sFormat)) { - ldp.append("\\ref{seq:") - .append(seqrefnames.addToExport(sRefName)) - .append("}"); - } - else if ("category-and-value".equals(sFormat)) { - // Export as Name~\\ref{refname} - if (sName!=null) { - if (ofr.isFigureSequenceName(sName)) { - ldp.append("\\figurename~"); - } - else if (ofr.isTableSequenceName(sName)) { - ldp.append("\\tablename~"); - } - else { - ldp.append(sName).append("~"); - } - } - ldp.append("\\ref{seq:") - .append(seqrefnames.addToExport(sRefName)) - .append("}"); - } - else if ("caption".equals(sFormat) && config.useTitleref() && - (ofr.isFigureSequenceName(sName) || ofr.isTableSequenceName(sName))) { - ldp.append("\\titleref{seq:") - .append(seqrefnames.addToExport(sRefName)) - .append("}"); - bUsesTitleref = true; - } - else if ("text".equals(sFormat) && config.useTitleref() && - (ofr.isFigureSequenceName(sName) || ofr.isTableSequenceName(sName))) { - // This is a combination of "category-and-value" and "caption" - // Export as \\figurename~\ref{refname}:~\titleref{refname} - if (ofr.isFigureSequenceName(sName)) { - ldp.append("\\figurename"); - } - else if (ofr.isTableSequenceName(sName)) { - ldp.append("\\tablename"); - } - ldp.append("~\\ref{seq:") - .append(seqrefnames.addToExport(sRefName)) - .append("}:~\\titleref{") - .append(seqrefnames.addToExport(sRefName)) - .append("}"); - bUsesTitleref = true; - } - else { // use current value - palette.getInlineCv().traversePCDATA(node,ldp,oc); - } - } - } - - // Try to handle this reference name as a Zotero reference, return true on success - private boolean handleZoteroReferenceName(String sName, LaTeXDocumentPortion ldp, Context oc) { - // First parse the reference name: - // A Zotero reference name has the form ZOTERO_ITEM with a single space separating the items - // The identifier is a unique identifier for the reference and is not used here - if (sName.startsWith(ZOTERO_ITEM)) { - int nObjectStart = sName.indexOf('{'); - int nObjectEnd = sName.lastIndexOf('}'); - if (nObjectStart>-1 && nObjectEnd>-1 && nObjectStart1) { - // For multiple citations, use \citetext, otherwise we cannot add individual prefixes and suffixes - // TODO: If no prefixes or suffixes exist, it's safe to combine the citations - ldp.append("\\citetext{"); - } - - for (int nIndex=0; nIndex0) { - ldp.append("; "); // Separate multiple citations in this reference - } - - // Citation items - String sURI = ""; - boolean bSuppressAuthor = false; - String sPrefix = ""; - String sSuffix = ""; - String sLocator = ""; - String sLocatorType = ""; - - try { // The URI seems to be an array with a single string value(?) - sURI = citationItems.getJSONArray("uri").getString(0); - } - catch (JSONException e) { - } - - try { // SuppressAuthor is a boolean value - bSuppressAuthor = citationItems.getBoolean("suppressAuthor"); - } - catch (JSONException e) { - } - - try { // Prefix is a string value - sPrefix = citationItems.getString("prefix"); - } - catch (JSONException e) { - } - - try { // Suffix is a string value - sSuffix = citationItems.getString("suffix"); - } - catch (JSONException e) { - } - - try { // Locator is a string value, e.g. a page number - sLocator = citationItems.getString("locator"); - } - catch (JSONException e) { - } - - try { - // LocatorType is a string value, e.g. book, verse, page (missing locatorType means page) - sLocatorType = citationItems.getString("locatorType"); - } - catch (JSONException e) { - } - - // Adjust locator type (empty locator type means "page") - // TODO: Handle other locator types (localize and abbreviate): Currently the internal name (e.g. book) is used. - if (sLocator.length()>0 && sLocatorType.length()==0) { - // A locator of the form is interpreted as several pages - if (Pattern.compile("[0-9]+[^0-9]+[0-9]+").matcher(sLocator).find()) { - sLocatorType = "pp."; - } - else { - sLocatorType = "p."; - } - } - - // Insert command. TODO: Evaluate this - if (nCitationCount>1) { // Use commands without parentheses - if (bSuppressAuthor) { ldp.append("\\citeyear"); } - else { ldp.append("\\citet"); } - } - else { - if (bSuppressAuthor) { ldp.append("\\citeyearpar"); } - else { ldp.append("\\citep"); } - } - - if (sPrefix.length()>0) { - ldp.append("[").append(palette.getI18n().convert(sPrefix,true,oc.getLang())).append("]"); - } - - if (sPrefix.length()>0 || sSuffix.length()>0 || sLocatorType.length()>0 || sLocator.length()>0) { - // Note that we need to include an empty suffix if there's a prefix! - ldp.append("[") - .append(palette.getI18n().convert(sSuffix,true,oc.getLang())) - .append(palette.getI18n().convert(sLocatorType,true,oc.getLang())); - if (sLocatorType.length()>0 && sLocator.length()>0) { - ldp.append("~"); - } - ldp.append(palette.getI18n().convert(sLocator,true,oc.getLang())) - .append("]"); - } - - ldp.append("{"); - int nSlash = sURI.lastIndexOf('/'); - if (nSlash>0) { - ldp.append(sURI.substring(nSlash+1)); - } - else { - ldp.append(sURI); - } - ldp.append("}"); - } - } - - if (nCitationCount>1) { // End the \citetext command - ldp.append("}"); - } - } - else { // natbib is not available, use simple \cite command - ldp.append("\\cite{"); - for (int nIndex=0; nIndex0) { - ldp.append(","); // Separate multiple citations in this reference - } - - // Citation items - String sURI = ""; - - try { // The URI seems to be an array with a single string value(?) - sURI = citationItems.getJSONArray("uri").getString(0); - } - catch (JSONException e) { - } - - int nSlash = sURI.lastIndexOf('/'); - if (nSlash>0) { - ldp.append(sURI.substring(nSlash+1)); - } - else { - ldp.append(sURI); - } - } - } - ldp.append("}"); - } - - oc.setInZoteroJabRefText(true); - - return true; - } - } - } - return false; - } - - // Try to handle this reference name as a JabRef reference, return true on success - private boolean handleJabRefReferenceName(String sName, LaTeXDocumentPortion ldp, Context oc) { - // First parse the reference name: - // A JabRef reference name has the form JR_cite__ where - // m is a sequence number to ensure unique citations (may be empty) - // n=1 for (Author date) and n=2 for Author (date) citations - // identifiers is a comma separated list of BibTeX keys - if (sName.startsWith(JABREF_ITEM)) { - String sRemains = sName.substring(JABREF_ITEM.length()); - int nUnderscore = sRemains.indexOf('_'); - if (nUnderscore>-1) { - sRemains = sRemains.substring(nUnderscore+1); - if (sRemains.length()>2) { - String sCommand; - if (bUseNatbib) { - if (sRemains.charAt(0)=='1') { - sCommand = "\\citep"; - } - else { - sCommand = "\\citet"; - } - } - else { - sCommand = "\\cite"; - } - ldp.append(sCommand).append("{").append(sRemains.substring(2)).append("}"); - } - } - oc.setInZoteroJabRefText(true); - return true; - } - return false; - } - - private String shortenRefname(String s) { - // For Zotero items, use the trailing unique identifier - if (s.startsWith(ZOTERO_ITEM)) { - int nLast = s.lastIndexOf(' '); - if (nLast>0) { - return s.substring(nLast+1); - } - } - return s; - } - - /**

    Process a reference mark end (text:reference-mark-end tag)

    - * @param node The element containing the reference mark - * @param ldp the LaTeXDocumentPortion to which - * LaTeX code should be added - * @param oc the current context - */ - public void handleReferenceMarkEnd(Element node, LaTeXDocumentPortion ldp, Context oc) { - // Nothing to do, except to mark that this ends any Zotero/JabRef citation - oc.setInZoteroJabRefText(false); - if (bIncludeOriginalCitations) { // Protect space after comment - ldp.append("{}"); - } - } - - /**

    Process a reference mark (text:reference-mark or text:reference-mark-start tag)

    - * @param node The element containing the reference mark - * @param ldp the LaTeXDocumentPortion to which - * LaTeX code should be added - * @param oc the current context - */ - public void handleReferenceMark(Element node, LaTeXDocumentPortion ldp, Context oc) { - if (!oc.isInSection() && !oc.isInCaption() && !oc.isVerbatim()) { - String sName = node.getAttribute(XMLString.TEXT_NAME); - // Zotero and JabRef (mis)uses reference marks to store citations, so check this first - if (sName!=null && (!bConvertZotero || !handleZoteroReferenceName(sName, ldp, oc)) - && (!bConvertJabRef || !handleJabRefReferenceName(sName, ldp, oc))) { - // Plain reference mark - // Note: Always include \label here, even when it's not used - ldp.append("\\label{ref:"+refnames.addToExport(shortenRefname(sName))+"}"); - } - } - else { - // Reference marks should not appear within \section or \caption - postponedReferenceMarks.add(node); - } - } - - /**

    Process a reference (text:reference-ref tag)

    - * @param node The element containing the reference - * @param ldp the LaTeXDocumentPortion to which - * LaTeX code should be added - * @param oc the current context - */ - public void handleReferenceRef(Element node, LaTeXDocumentPortion ldp, Context oc) { - String sFormat = node.getAttribute(XMLString.TEXT_REFERENCE_FORMAT); - String sName = node.getAttribute(XMLString.TEXT_REF_NAME); - if (("page".equals(sFormat) || "".equals(sFormat)) && sName!=null) { - ldp.append("\\pageref{ref:"+refnames.addToExport(shortenRefname(sName))+"}"); - } - else if ("chapter".equals(sFormat) && ofr.referenceMarkInHeading(sName)) { - // This is safe if the reference mark is contained in a heading - ldp.append("\\ref{ref:"+refnames.addToExport(shortenRefname(sName))+"}"); - } - else { // use current value - palette.getInlineCv().traversePCDATA(node,ldp,oc); - } - } - - /**

    Process a bookmark (text:bookmark tag)

    - *

    A bookmark may be the target for either a hyperlink or a reference, - * so this will generate a \\hyperref and/or a \\label

    - * @param node The element containing the bookmark - * @param ldp the LaTeXDocumentPortion to which - * LaTeX code should be added - * @param oc the current context - */ - public void handleBookmark(Element node, LaTeXDocumentPortion ldp, Context oc) { - if (!oc.isInSection() && !oc.isInCaption() && !oc.isVerbatim()) { - String sName = node.getAttribute(XMLString.TEXT_NAME); - if (sName!=null) { - // A bookmark may be used as a target for a hyperlink as well as - // for a reference. We export whatever is actually used: - addTarget(node,"",ldp); - if (ofr.hasBookmarkRefTo(sName)) { - ldp.append("\\label{bkm:"+bookmarknames.addToExport(sName)+"}"); - } - } - } - else { - // Bookmarks should not appear within \section or \caption - postponedBookmarks.add(node); - } - } - - /**

    Process a bookmark reference (text:bookmark-ref tag).

    - * @param node The element containing the bookmark reference - * @param ldp the LaTeXDocumentPortion to which - * LaTeX code should be added - * @param oc the current context - */ - public void handleBookmarkRef(Element node, LaTeXDocumentPortion ldp, Context oc) { - String sFormat = node.getAttribute(XMLString.TEXT_REFERENCE_FORMAT); - String sName = node.getAttribute(XMLString.TEXT_REF_NAME); - if (("page".equals(sFormat) || "".equals(sFormat)) && sName!=null) { - ldp.append("\\pageref{bkm:"+bookmarknames.addToExport(sName)+"}"); - } - else if ("chapter".equals(sFormat) && ofr.bookmarkInHeading(sName)) { - // This is safe if the bookmark is contained in a heading - ldp.append("\\ref{bkm:"+bookmarknames.addToExport(sName)+"}"); - } - else if (("number".equals(sFormat) || "number-no-superior".equals(sFormat) || "number-all-superior".equals(sFormat)) && - (ofr.bookmarkInHeading(sName) || ofr.bookmarkInList(sName))) { - ListStyle style=null; - int nLevel = 0; - String sPrefix=null; - String sSuffix=null; - // Only convert the prefix and suffix if it is converted at the reference target - if (ofr.bookmarkInHeading(sName)) { - if (config.formatting()>=LaTeXConfig.CONVERT_MOST) { - style = ofr.getOutlineStyle(); - } - nLevel = ofr.getBookmarkHeadingLevel(sName); - } - else { - if (config.formatting()>=LaTeXConfig.CONVERT_BASIC) { - style = ofr.getListStyle(ofr.getBookmarkListStyle(sName)); - } - nLevel = ofr.getBookmarkListLevel(sName); - } - if (style!=null) { - sPrefix = style.getLevelProperty(nLevel, XMLString.STYLE_NUM_PREFIX); - sSuffix = style.getLevelProperty(nLevel, XMLString.STYLE_NUM_SUFFIX); - } - if (sPrefix!=null) ldp.append(palette.getI18n().convert(sPrefix,false,oc.getLang())); - ldp.append("\\ref{bkm:").append(bookmarknames.addToExport(sName)).append("}"); - if (sSuffix!=null) ldp.append(palette.getI18n().convert(sSuffix,false,oc.getLang())); - } - else { // use current value - palette.getInlineCv().traversePCDATA(node,ldp,oc); - } - } - - /** Do we have any pending reference marks or bookmarks, that may be inserted in this context? - * - * @param oc the context to verify against - * @return true if there are pending marks - */ - public boolean hasPendingReferenceMarks(Context oc) { - return !oc.isInSection() && !oc.isInCaption() && !oc.isVerbatim() && - postponedReferenceMarks.size()+postponedBookmarks.size()>0; - } - - /**

    Process pending reference marks and bookmarks (which may have been - * postponed within sections, captions or verbatim text.

    - * @param ldp the LaTeXDocumentPortion to which - * LaTeX code should be added - * @param oc the current context - */ - public void flushReferenceMarks(LaTeXDocumentPortion ldp, Context oc) { - // We may still be in a context with no reference marks - if (!oc.isInSection() && !oc.isInCaption() && !oc.isVerbatim()) { - // Type out all postponed reference marks - int n = postponedReferenceMarks.size(); - for (int i=0; iProcess a hyperlink (text:a tag)

    - * @param node The element containing the hyperlink - * @param ldp the LaTeXDocumentPortion to which - * LaTeX code should be added - * @param oc the current context - */ - public void handleAnchor(Element node, LaTeXDocumentPortion ldp, Context oc) { - String sHref = node.getAttribute(XMLString.XLINK_HREF); - if (sHref!=null) { - if (sHref.startsWith("#")) { - // TODO: hyperlinks to headings (?) and objects - if (bUseHyperref) { - ldp.append("\\hyperlink{") - .append(targets.addToExport(Misc.urlDecode(sHref.substring(1)))) - .append("}{"); - // ignore text style (let hyperref.sty handle the decoration): - palette.getInlineCv().traverseInlineText(node,ldp,oc); - ldp.append("}"); - } - else { // user don't want to include hyperlinks - palette.getInlineCv().handleTextSpan(node,ldp,oc); - } - } - else { - if (bUseHyperref) { - if (OfficeReader.getTextContent(node).trim().equals(sHref)) { - // The link text equals the url - ldp.append("\\url{") - .append(escapeHref(sHref,oc.isInFootnote())) - .append("}"); - } - else { - ldp.append("\\href{") - .append(escapeHref(sHref,oc.isInFootnote())) - .append("}{"); - // ignore text style (let hyperref.sty handle the decoration): - palette.getInlineCv().traverseInlineText(node,ldp,oc); - ldp.append("}"); - } - } - else { // user don't want to include hyperlinks - palette.getInlineCv().handleTextSpan(node,ldp,oc); - } - } - } - else { - palette.getInlineCv().handleTextSpan(node,ldp,oc); - } - } - - /**

    Add a \\hypertarget

    - * @param node The element containing the name of the target - * @param sSuffix A suffix to be added to the target, - * e.g. "|table" for a reference to a table. - * @param ldp the LaTeXDocumentPortion to which - * LaTeX code should be added - */ - public void addTarget(Element node, String sSuffix, LaTeXDocumentPortion ldp) { - // TODO: Remove this and use addTarget by name only - String sName = node.getAttribute(XMLString.TEXT_NAME); - if (sName == null) { sName = node.getAttribute(XMLString.TABLE_NAME); } - if (sName == null || !bUseHyperref) { return; } - if (!ofr.hasLinkTo(sName+sSuffix)) { return; } - ldp.append("\\hypertarget{") - .append(targets.addToExport(sName+sSuffix)) - .append("}{}"); - } - - /**

    Add a \\hypertarget

    - * @param sName The name of the target - * @param sSuffix A suffix to be added to the target, - * e.g. "|table" for a reference to a table. - * @param ldp the LaTeXDocumentPortion to which - * LaTeX code should be added - */ - public void addTarget(String sName, String sSuffix, LaTeXDocumentPortion ldp) { - if (sName!=null && bUseHyperref && ofr.hasLinkTo(sName+sSuffix)) { - ldp.append("\\hypertarget{") - .append(targets.addToExport(sName+sSuffix)) - .append("}{}"); - } - } - - /**

    Process a page number field (text:page-number tag)

    - * @param node The element containing the page number field - * @param ldp the LaTeXDocumentPortion to which - * LaTeX code should be added - * @param oc the current context - */ - public void handlePageNumber(Element node, LaTeXDocumentPortion ldp, Context oc) { - // TODO: Obey attributes! - ldp.append("\\thepage{}"); - } - - /**

    Process a page count field (text:page-count tag)

    - * @param node The element containing the page count field - * @param ldp the LaTeXDocumentPortion to which - * LaTeX code should be added - * @param oc the current context - */ - public void handlePageCount(Element node, LaTeXDocumentPortion ldp, Context oc) { - // TODO: Obey attributes! - // Note: Actually LastPage refers to the page number of the last page, not the number of pages - if (config.useLastpage()) { - bUsesPageCount = true; - ldp.append("\\pageref{LastPage}"); - } - else { - ldp.append("?"); - } - } - - // Helpers: - - private String createPdfMeta(String sName, String sValue) { - if (sValue==null) { return ""; } - // Replace commas with semicolons (the keyval package doesn't like commas): - sValue = sValue.replace(',', ';'); - // Meta data is assumed to be in the default language: - return ", "+sName+"="+palette.getI18n().convert(sValue,false,palette.getMainContext().getLang()); - } - - // For the argument to a href, we have to escape or encode certain characters - private String escapeHref(String s, boolean bInFootnote) { - StringBuilder buf = new StringBuilder(); - for (int i=0; i. - * - * Version 1.6 (2015-04-14) - * - */ - -package writer2latex.latex; - -import org.w3c.dom.Element; -import org.w3c.dom.Node; -import org.w3c.dom.NodeList; - -import writer2latex.latex.util.BeforeAfter; -import writer2latex.latex.util.Context; -import writer2latex.latex.util.HeadingMap; -import writer2latex.office.ListStyle; -import writer2latex.office.OfficeReader; -import writer2latex.office.StyleWithProperties; -import writer2latex.office.XMLString; -import writer2latex.util.Calc; -import writer2latex.util.Misc; - -/* This class converts OpenDocument headings (text:h) and - * paragraph styles/formatting into LaTeX - * Export of formatting depends on the option "formatting": - *
      - *
    • ignore_all - *
    • ignore_most - *
    • convert_basic - *
    • convert_most - *
    • convert_all - *
    - */ -public class HeadingConverter extends ConverterHelper { - private String[] sHeadingStyles = new String[11]; - - // Display hidden text? - private boolean bDisplayHiddenText = false; - - /** Constructs a new HeadingConverter. - */ - public HeadingConverter(OfficeReader ofr, LaTeXConfig config, ConverterPalette palette) { - super(ofr,config,palette); - this.bDisplayHiddenText = config.displayHiddenText(); - } - - public void appendDeclarations(LaTeXDocumentPortion pack, LaTeXDocumentPortion decl) { - appendHeadingStyles(decl); - } - - /** Process a heading - * @param node The text:h element node containing the heading - * @param ldp The LaTeXDocumentPortion to add LaTeX code to - * @param oc The current context - */ - public void handleHeading(Element node, LaTeXDocumentPortion ldp, Context oc) { - // Get the style - String sStyleName = node.getAttribute(XMLString.TEXT_STYLE_NAME); - StyleWithProperties style = ofr.getParStyle(sStyleName); - - // Check for hidden text - if (!bDisplayHiddenText && style!=null && "none".equals(style.getProperty(XMLString.TEXT_DISPLAY))) { - return; - } - - // Get the level - int nLevel = ofr.isOpenDocument() ? - Misc.getPosInteger(Misc.getAttribute(node, XMLString.TEXT_OUTLINE_LEVEL),1) : - Misc.getPosInteger(Misc.getAttribute(node, XMLString.TEXT_LEVEL),1); - boolean bUnNumbered = "true".equals(Misc.getAttribute(node,XMLString.TEXT_IS_LIST_HEADER)); - - // Get the heading map - HeadingMap hm = config.getHeadingMap(); - - if (nLevel<=hm.getMaxLevel()) { - // Always push the font used - palette.getI18n().pushSpecialTable(palette.getCharSc().getFontName(style)); - - Context ic = (Context) oc.clone(); - ic.setInSection(true); - // Footnotes with more than one paragraph are not allowed within - // sections. To be safe, we disallow all footnotes - ic.setNoFootnotes(true); - - // Apply style - BeforeAfter baHardPage = new BeforeAfter(); - BeforeAfter baHardChar = new BeforeAfter(); - applyHardHeadingStyle(nLevel, sStyleName, - baHardPage, baHardChar, ic); - - // Export the heading - ldp.append(baHardPage.getBefore()); - ldp.append("\\"+hm.getName(nLevel)); - if (bUnNumbered) { - ldp.append("*"); - } - else if (baHardChar.getBefore().length()>0 || containsElements(node)) { - // If this heading contains formatting, add optional argument: - ldp.append("["); - palette.getInlineCv().traversePlainInlineText(node,ldp,ic); - ldp.append("]"); - } - ldp.append("{").append(baHardChar.getBefore()); - palette.getInlineCv().traverseInlineText(node,ldp,ic); - ldp.append(baHardChar.getAfter()).append("}").nl(); - ldp.append(baHardPage.getAfter()); - - // Include pending index marks, labels, footnotes & floating frames - palette.getFieldCv().flushReferenceMarks(ldp,oc); - palette.getIndexCv().flushIndexMarks(ldp,oc); - palette.getNoteCv().flushFootnotes(ldp,oc); - palette.getDrawCv().flushFloatingFrames(ldp,ic); - - // Pop the font name - palette.getI18n().popSpecialTable(); - } - else { // beyond supported headings - export as ordinary paragraph - palette.getParCv().handleParagraph(node,ldp,oc,false); - } - } - - /** Use a paragraph style on a heading. If hard paragraph formatting - * is applied to a heading, page break and font is converted - other - * hard formatting is ignored. - * This method also collects name of heading style - * @param nLevel The level of this heading - * @param sStyleName the name of the paragraph style to use - * @param baPage a BeforeAfter to put page break code into - * @param baText a BeforeAfter to put character formatting code into - * @param context the current context. This method will use and update the formatting context - */ - private void applyHardHeadingStyle(int nLevel, String sStyleName, - BeforeAfter baPage, BeforeAfter baText, Context context) { - - // Get the style - StyleWithProperties style = ofr.getParStyle(sStyleName); - if (style==null) { return; } - - // Register heading style - if (sHeadingStyles[nLevel]==null) { - sHeadingStyles[nLevel] = style.isAutomatic() ? style.getParentName() : sStyleName; - } - - // Do conversion - if (style.isAutomatic()) { - palette.getPageSc().applyPageBreak(style,false,baPage); - palette.getCharSc().applyHardCharFormatting(style,baText); - } - - // Update context - context.updateFormattingFromStyle(style); - } - - - /** Convert heading styles and outline numbering to LaTeX. - * An array of stylenames to use is required: The OOo writer file format - * allows different paragraph styles to be applied to individual headings, - * so this is not included in the styles. - * LaTeX (and OOo Writer!) usually uses the same format for all headings. - * @param ldp the LaTeXDocumentPortion to add definitions to. - */ - // TODO: use method from ListStyleConverter to create labels - private void appendHeadingStyles(LaTeXDocumentPortion ldp) { - // The user may not want to convert the formatting of headings - if (config.formatting()<=LaTeXConfig.IGNORE_MOST) { return; } - - HeadingMap hm = config.getHeadingMap(); - - // OK, we are going to convert. First find the max level for headings - int nMaxLevel = 0; - for (int i=1; i<=5; i++) { if (sHeadingStyles[i]!=null) { nMaxLevel=i; } } - if (nMaxLevel==0) { return; } // no headings, nothing to do! - if (nMaxLevel>hm.getMaxLevel()) { nMaxLevel = hm.getMaxLevel(); } - - boolean bOnlyNum = config.formatting()==LaTeXConfig.CONVERT_BASIC; - if (bOnlyNum) { - ldp.append("% Outline numbering").nl(); - } - else { - ldp.append("% Headings and outline numbering").nl() - .append("\\makeatletter").nl(); - } - - // Paragraph style for headings: - if (!bOnlyNum) { - for (int i=1; i<=nMaxLevel; i++) { - if (sHeadingStyles[i]!=null) { - StyleWithProperties style = ofr.getParStyle(sHeadingStyles[i]); - if (style!=null) { - BeforeAfter decl = new BeforeAfter(); - BeforeAfter comm = new BeforeAfter(); - - palette.getPageSc().applyPageBreak(style,true,decl); - - palette.getCharSc().applyNormalFont(decl); - palette.getCharSc().applyFont(style,true,true,decl,new Context()); - palette.getParCv().applyAlignment(style,false,true,decl); - - palette.getI18n().applyLanguage(style,false,true,comm); - palette.getCharSc().applyFontEffects(style,true,comm); - - // Get margin parameters (using first line indent as left margin) - String sMarginTop = style.getAbsoluteLength(XMLString.FO_MARGIN_TOP); - String sMarginBottom = style.getAbsoluteLength(XMLString.FO_MARGIN_BOTTOM); - String sMarginLeft = style.getAbsoluteLength(XMLString.FO_MARGIN_LEFT); - String sTextIndent = style.getAbsoluteLength(XMLString.FO_TEXT_INDENT); - - // Seems that we should *not* override the paragraph style - /*ListStyle outline = ofr.getOutlineStyle(); - if (outline.isNewType(i)) { - String sNumFormat = ListStyleConverter.numFormat(outline.getLevelProperty(i,XMLString.STYLE_NUM_FORMAT)); - if (sNumFormat!=null && !"".equals(sNumFormat)) { - // It there's a numbering, override left margins with the value from the outline - sMarginLeft = outline.getLevelStyleProperty(i, XMLString.FO_MARGIN_LEFT); - if (sMarginLeft==null) { sMarginLeft = "0cm"; } - sTextIndent = outline.getLevelStyleProperty(i, XMLString.FO_TEXT_INDENT); - if (sTextIndent==null) { sTextIndent = "0cm"; } - } - }*/ - - String sSecName = hm.getName(i); - if (!comm.isEmpty()) { // have to create a cs for this heading - ldp.append("\\newcommand\\cs").append(sSecName).append("[1]{") - .append(comm.getBefore()).append("#1").append(comm.getAfter()) - .append("}").nl(); - } - // Note: Use first line as left indent (cannot have separate first line indent) - ldp.append("\\renewcommand\\").append(sSecName) - .append("{\\@startsection{").append(sSecName).append("}{"+hm.getLevel(i)) - .append("}{"+Calc.add(sMarginLeft,sTextIndent)+"}{"); - // Suppress indentation after heading? currently not.. - // ldp.append("-"); - ldp.append(sMarginTop) - .append("}{") - .append(Calc.isZero(sMarginBottom) ? "0.1mm" : sMarginBottom) - .append("}{"); - // Note: decl.getAfter() may include a page break after, which we ignore - ldp.append(decl.getBefore()); - if (!comm.isEmpty()) { - ldp.append("\\cs").append(sSecName); - } - ldp.append("}}").nl(); - } - } - } - } - - // redefine formatting of section counters - // simplified if the user wants to ignore formatting - if (!bOnlyNum) { - ldp.append("\\renewcommand\\@seccntformat[1]{") - .append("\\csname @textstyle#1\\endcsname{\\csname the#1\\endcsname}") - .append("\\csname @distance#1\\endcsname}").nl(); - } - - // Collect numbering styles and set secnumdepth - int nSecnumdepth = nMaxLevel; - ListStyle outline = ofr.getOutlineStyle(); - String[] sNumFormat = new String[6]; - for (int i=nMaxLevel; i>=1; i--) { - sNumFormat[i] = ListConverter.numFormat(outline.getLevelProperty(i, - XMLString.STYLE_NUM_FORMAT)); - if (sNumFormat[i]==null || "".equals(sNumFormat[i])) { - nSecnumdepth = i-1; - } - } - ldp.append("\\setcounter{secnumdepth}{"+nSecnumdepth+"}").nl(); - - for (int i=1; i<=nMaxLevel; i++) { - if (sNumFormat[i]==null || "".equals(sNumFormat[i])) { - // no numbering at this level - if (!bOnlyNum) { - ldp.append("\\newcommand\\@distance") - .append(hm.getName(i)).append("{}").nl() - .append("\\newcommand\\@textstyle") - .append(hm.getName(i)).append("[1]{#1}").nl(); - } - } - else { - if (!bOnlyNum) { - // Distance between label and text: - String sSpaceChar=""; - String sDistance=null; - if (outline.isNewType(i)) { - String sFormat = outline.getLevelStyleProperty(i, XMLString.TEXT_LABEL_FOLLOWED_BY); - if ("listtab".equals(sFormat)) { - String sMarginLeft="0cm"; - String sTextIndent="0cm"; - if (sHeadingStyles[i]!=null) { - StyleWithProperties style = ofr.getParStyle(sHeadingStyles[i]); - if (style!=null) { - sMarginLeft = style.getAbsoluteLength(XMLString.FO_MARGIN_LEFT); - sTextIndent = style.getAbsoluteLength(XMLString.FO_TEXT_INDENT); - } - } - // Seems that we should *not* override the paragraph style - /*String sMarginLeft = outline.getLevelStyleProperty(i, XMLString.FO_MARGIN_LEFT); - if (sMarginLeft==null) { sMarginLeft = "0cm"; } - String sTextIndent = outline.getLevelStyleProperty(i, XMLString.FO_TEXT_INDENT); - if (sTextIndent==null) { sTextIndent = "0cm"; }*/ - String sTabPos = outline.getLevelStyleProperty(i, XMLString.TEXT_LIST_TAB_STOP_POSITION); - if (sTabPos==null) { sTabPos = "0cm"; } - sDistance = Calc.sub(sTabPos, Calc.add(sMarginLeft, sTextIndent)); - } - else if ("space".equals(sFormat)) { - sSpaceChar="\\ "; - } - } - else { - sDistance = outline.getLevelStyleProperty(i,XMLString.TEXT_MIN_LABEL_DISTANCE); - } - ldp.append("\\newcommand\\@distance") - .append(hm.getName(i)).append("{"); - if (sDistance!=null) { - ldp.append("\\hspace{").append(sDistance).append("}"); - } - ldp.append("}").nl(); - - // Label width and alignment - String sTextAlign = outline.getLevelStyleProperty(i,XMLString.FO_TEXT_ALIGN); - String sAlignmentChar = "l"; // start (or left) is default - if (sTextAlign!=null) { - if ("end".equals(sTextAlign)) { sAlignmentChar="r"; } - else if ("right".equals(sTextAlign)) { sAlignmentChar="r"; } - else if ("center".equals(sTextAlign)) { sAlignmentChar="c"; } - } - String sLabelWidth = null; - if (outline.isNewType(i)) { - String sFormat = outline.getLevelStyleProperty(i, XMLString.TEXT_LABEL_FOLLOWED_BY); - if ("listtab".equals(sFormat) || sAlignmentChar=="r") { - sLabelWidth="0cm"; - } - } - else { - sLabelWidth = outline.getLevelStyleProperty(i,XMLString.TEXT_MIN_LABEL_WIDTH); - } - // Textstyle to use for label: - String sStyleName = outline.getLevelProperty(i,XMLString.TEXT_STYLE_NAME); - // Prefix and suffix text to decorate the label - String sPrefix = outline.getLevelProperty(i,XMLString.STYLE_NUM_PREFIX); - String sSuffix = outline.getLevelProperty(i,XMLString.STYLE_NUM_SUFFIX); - // TODO is this correct?? todo: space-before??? start value??? - BeforeAfter baText = new BeforeAfter(); - if (!bOnlyNum) {palette.getCharSc().applyTextStyle(sStyleName,baText,new Context()); } - ldp.append("\\newcommand\\@textstyle") - .append(hm.getName(i)).append("[1]{"); - if (!bOnlyNum && sLabelWidth!=null) { - ldp.append("\\protect\\makebox[").append(sLabelWidth).append("][").append(sAlignmentChar).append("]{"); - } - ldp.append(baText.getBefore()) - .append(sPrefix!=null ? palette.getI18n().convert(sPrefix,false,"en") : "") - .append("#1") - .append(sSuffix!=null ? palette.getI18n().convert(sSuffix,false,"en") : "") - .append(sSpaceChar) - .append(baText.getAfter()); - if (!bOnlyNum && sLabelWidth!=null) { - ldp.append("}"); - } - ldp.append("}").nl(); - } - - // The label: - int nLevels = Misc.getPosInteger(outline.getLevelProperty(i, - XMLString.TEXT_DISPLAY_LEVELS),1); - ldp.append("\\renewcommand\\the") - .append(hm.getName(i)) - .append("{"); - for (int j=i-nLevels+1; j. - * - * Version 1.4 (2014-09-18) - * - */ - -package writer2latex.latex; - -import java.util.Vector; - -import org.w3c.dom.Element; -//import org.w3c.dom.Node; - -import writer2latex.util.Misc; - -import writer2latex.office.IndexMark; -import writer2latex.office.OfficeReader; -import writer2latex.office.XMLString; - -import writer2latex.latex.util.Context; - -/** - *

    This class handles indexes (table of contents, list of tables, list of - * illustrations, object index, user index, alphabetical index) - * as well as their associated index marks.

    - */ -public class IndexConverter extends ConverterHelper { - - private boolean bContainsAlphabeticalIndex = false; - - private Vector postponedIndexMarks = new Vector(); - - /**

    Construct a new IndexConverter. - * @param config the configuration to use - * @param palette the ConverterPalette to link to - * if such a document is created by the IndexConverter - */ - public IndexConverter(OfficeReader ofr,LaTeXConfig config, ConverterPalette palette) { - super(ofr,config,palette); - } - - /**

    Append declarations needed by the IndexConverter to - * the preamble. - * @param pack the LaTeXDocumentPortion to which - * declarations of packages should be added (\\usepackage). - * @param decl the LaTeXDocumentPortion to which - * other declarations should be added. - */ - public void appendDeclarations(LaTeXDocumentPortion pack, LaTeXDocumentPortion decl) { - if (bContainsAlphabeticalIndex) { - pack.append("\\usepackage{makeidx}").nl(); - decl.append("\\makeindex").nl(); - } - } - - /** Process Table of Contents (text:table-of-content tag) - * @param node The element containing the Table of Contents - * @param ldp the LaTeXDocumentPortion to which - * LaTeX code should be added - * @param oc the current context - */ - public void handleTOC (Element node, LaTeXDocumentPortion ldp, Context oc) { - if (config.noIndex()) { return; } - /* TODO: Apply more formatting by modfification of \l@section etc. - Something like this: - \newcommand\l@section[2]{\@dottedtocline{1}{1.5em}{2.3em}{\textbf{#1}}{\textit{#2}} - Textformatting is trivial; see article.cls for examples of more complicated - formatting. Note: The section number can't be formatted indivdually.*/ - - Element source = Misc.getChildByTagName(node,XMLString.TEXT_TABLE_OF_CONTENT_SOURCE); - if (source!=null) { - if ("chapter".equals(source.getAttribute(XMLString.TEXT_INDEX_SOURCE))) { - ldp.append("[Warning: Table of content (for this chapter) ignored!]").nl().nl(); - } - else { - int nLevel = Misc.getPosInteger(source.getAttribute(XMLString.TEXT_OUTLINE_LEVEL),1); - ldp.append("\\setcounter{tocdepth}{"+nLevel+"}").nl(); - Element title = Misc.getChildByTagName(source,XMLString.TEXT_INDEX_TITLE_TEMPLATE); - if (title!=null) { - ldp.append("\\renewcommand\\contentsname{"); - palette.getInlineCv().traversePCDATA(title,ldp,oc); - ldp.append("}").nl(); - } - } - } - ldp.append("\\tableofcontents").nl(); - } - - /** Process List of Illustrations (text:list-of-illustrations tag) - * @param node The element containing the List of Illustrations - * @param ldp the LaTeXDocumentPortion to which - * LaTeX code should be added - * @param oc the current context - */ - public void handleLOF (Element node, LaTeXDocumentPortion ldp, Context oc) { - if (config.noIndex()) { return; } - ldp.append("\\listoffigures").nl(); - } - - /** Process List of Tables (text:list-of-tables tag) - * @param node The element containing the List of Tables - * @param ldp the LaTeXDocumentPortion to which - * LaTeX code should be added - * @param oc the current context - */ - public void handleLOT (Element node, LaTeXDocumentPortion ldp, Context oc) { - if (config.noIndex()) { return; } - ldp.append("\\listoftables").nl(); - } - - /** Process Object Index (text:object index tag) - * @param node The element containing the Object Index - * @param ldp the LaTeXDocumentPortion to which - * LaTeX code should be added - * @param oc the current context - */ - public void handleObjectIndex (Element node, LaTeXDocumentPortion ldp, Context oc) { - if (config.noIndex()) { return; } - ldp.append("[Warning: Object index ignored]").nl().nl(); - } - - /** Process User Index (text:user-index tag) - * @param node The element containing the User Index - * @param ldp the LaTeXDocumentPortion to which - * LaTeX code should be added - * @param oc the current context - */ - public void handleUserIndex (Element node, LaTeXDocumentPortion ldp, Context oc) { - if (config.noIndex()) { return; } - ldp.append("[Warning: User index ignored]").nl().nl(); - } - - - /** Process Alphabetical Index (text:alphabetical-index tag) - * @param node The element containing the Alphabetical Index - * @param ldp the LaTeXDocumentPortion to which - * LaTeX code should be added - * @param oc the current context - */ - public void handleAlphabeticalIndex (Element node, LaTeXDocumentPortion ldp, Context oc) { - if (config.noIndex()) { return; } - ldp.append("\\printindex").nl(); - bContainsAlphabeticalIndex = true; - } - - - /** Process an Alphabetical Index Mark (text:alphabetical-index-mark{-start} tag) - * @param node The element containing the Mark - * @param ldp the LaTeXDocumentPortion to which - * LaTeX code should be added - * @param oc the current context - */ - public void handleAlphabeticalIndexMark(Element node, LaTeXDocumentPortion ldp, Context oc) { - if (!oc.isInSection() && !oc.isInCaption() && !oc.isVerbatim()) { - String sValue = IndexMark.getIndexValue(node); - if (sValue!=null) { - ldp.append("\\index{"); - String sKey1 = IndexMark.getKey1(node); - if (sKey1!=null) { - writeIndexText(sKey1.trim(),ldp,oc); - ldp.append("!"); - } - String sKey2 = IndexMark.getKey2(node); - if (sKey2!=null) { - writeIndexText(sKey2.trim(),ldp,oc); - ldp.append("!"); - } - writeIndexText(sValue.trim(),ldp,oc); - ldp.append("}"); - } - } - else { - // Index marks should not appear within \section or \caption - postponedIndexMarks.add(node); - } - } - - /** Do we have any pending index marks, that may be inserted in this context? - * - * @param oc the context to verify against - * @return true if there are pending index marks - */ - public boolean hasPendingIndexMarks(Context oc) { - return !oc.isInSection() && !oc.isInCaption() && !oc.isVerbatim() && - postponedIndexMarks.size()>0; - } - - public void flushIndexMarks(LaTeXDocumentPortion ldp, Context oc) { - // We may still be in a context with no index marks - if (!oc.isInSection() && !oc.isInCaption() && !oc.isVerbatim()) { - // Type out all postponed index marks - int n = postponedIndexMarks.size(); - for (int i=0; i. - * - * Version 1.6 (2015-06-21) - * - */ - -package writer2latex.latex; - -import org.w3c.dom.Element; - -import writer2latex.util.Misc; -import writer2latex.office.OfficeReader; -import writer2latex.office.StyleWithProperties; -import writer2latex.office.XMLString; - - -/** This class creates various information to the user about the conversion. - */ -class Info extends ConverterHelper { - - @Override public void appendDeclarations(LaTeXDocumentPortion pack, LaTeXDocumentPortion decl) { - // Currently nothing - } - - Info(OfficeReader ofr, LaTeXConfig config, ConverterPalette palette) { - super(ofr,config,palette); - } - - void addDebugInfo(Element node, LaTeXDocumentPortion ldp) { - if (config.debug()) { - ldp.append("% ").append(node.getNodeName()); - addDebugInfo(node,ldp,XMLString.TEXT_ID); - addDebugInfo(node,ldp,XMLString.TEXT_NAME); - addDebugInfo(node,ldp,XMLString.TABLE_NAME); - addDebugInfo(node,ldp,XMLString.TEXT_STYLE_NAME); - if (node.getNodeName().equals(XMLString.TEXT_P) || node.getNodeName().equals(XMLString.TEXT_H)) { - StyleWithProperties style = ofr.getParStyle(node.getAttribute(XMLString.TEXT_STYLE_NAME)); - if (style!=null && style.isAutomatic()) { - ldp.append(" ("+style.getParentName()+")"); - } - ldp.append(" ("+ofr.getParStyles().getDisplayName(node.getAttribute(XMLString.TEXT_STYLE_NAME))+")"); - } - ldp.nl(); - } - } - - void addDebugInfo(Element node, LaTeXDocumentPortion ldp, String sAttribute) { - String sValue = Misc.getAttribute(node,sAttribute); - if (sValue!=null) { - ldp.append(" ").append(sAttribute).append("=\"").append(sValue).append("\""); - } - } - -} \ No newline at end of file diff --git a/src/main/java/writer2latex/latex/InlineConverter.java b/src/main/java/writer2latex/latex/InlineConverter.java deleted file mode 100644 index d9dad92..0000000 --- a/src/main/java/writer2latex/latex/InlineConverter.java +++ /dev/null @@ -1,740 +0,0 @@ -/************************************************************************ - * - * InlineConverter.java - * - * Copyright: 2002-2014 by Henrik Just - * - * This file is part of Writer2LaTeX. - * - * Writer2LaTeX is free software: you can redistribute it and/or modify - * it under the terms of the GNU General Public License as published by - * the Free Software Foundation, either version 3 of the License, or - * (at your option) any later version. - * - * Writer2LaTeX is distributed in the hope that it will be useful, - * but WITHOUT ANY WARRANTY; without even the implied warranty of - * MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the - * GNU General Public License for more details. - * - * You should have received a copy of the GNU General Public License - * along with Writer2LaTeX. If not, see . - * - * Version 1.4 (2014-09-19) - * - */ - -package writer2latex.latex; - -import java.util.Vector; - -import org.w3c.dom.Element; -import org.w3c.dom.Node; -import org.w3c.dom.NodeList; - -import writer2latex.util.Misc; -import writer2latex.office.OfficeReader; -import writer2latex.office.StyleWithProperties; -import writer2latex.office.XMLString; -import writer2latex.latex.util.BeforeAfter; -import writer2latex.latex.util.Context; -import writer2latex.latex.util.HeadingMap; - -/** - *

    This class handles basic inline text.

    - */ -public class InlineConverter extends ConverterHelper { - - // Display hidden text? - private boolean bDisplayHiddenText = false; - - private boolean bIncludeOriginalCitations = false; - private String sTabstop = "\\ \\ "; - private boolean bHasPdfannotation = false; - - public InlineConverter(OfficeReader ofr, LaTeXConfig config, ConverterPalette palette) { - super(ofr,config,palette); - bIncludeOriginalCitations = config.includeOriginalCitations(); - // Get custom code for tab stops - if (config.getTabstop().length()>0) { - sTabstop = config.getTabstop(); - } - this.bDisplayHiddenText = config.displayHiddenText(); - } - - public void appendDeclarations(LaTeXDocumentPortion pack, LaTeXDocumentPortion decl) { - if (bHasPdfannotation) { - decl.append("\\newcommand\\pdfannotation[1]") - .append("{\\ifx\\pdfoutput\\undefined\\marginpar{#1}\\else") - .append("\\pdfstringdef\\tempstring{#1}\\marginpar{") - .append("\\pdfannot width 5cm height 12pt depth 4cm ") - .append("{ /Subtype /Text /Open false /Contents(\\tempstring) /Color [1 0 0]}") - .append("}\\fi}").nl(); - } - } - - /** Handle several text:span elements - * - */ - private void handleTextSpans(Element[] nodes, LaTeXDocumentPortion ldp, Context oc) { - if (oc.isMathMode()) { - for (Element node : nodes) { - handleTextSpanMath(node, ldp, oc); - } - } - else { - handleTextSpanText(ldp, oc, nodes); - } - } - - /** Handle a text:span element - */ - public void handleTextSpan(Element node, LaTeXDocumentPortion ldp, Context oc) { - if (oc.isMathMode()) { handleTextSpanMath(node, ldp, oc); } - else { handleTextSpanText(ldp, oc, node); } - } - - private void handleTextSpanMath(Element node, LaTeXDocumentPortion ldp, Context oc) { - // TODO: Handle a selection of formatting attributes: color, superscript... - String sStyleName = node.getAttribute(XMLString.TEXT_STYLE_NAME); - StyleWithProperties style = ofr.getTextStyle(sStyleName); - - // Check for hidden text - if (!bDisplayHiddenText && style!=null && "none".equals(style.getProperty(XMLString.TEXT_DISPLAY))) { - return; - } - - // Always push the font used - palette.getI18n().pushSpecialTable(palette.getCharSc().getFontName(style)); - - // Convert formatting - BeforeAfter ba = new BeforeAfter(); - if (style!=null) { - String sPos = style.getProperty(XMLString.STYLE_TEXT_POSITION, true); - if (sPos!=null) { - if (sPos.startsWith("sub") || sPos.startsWith("-")) { - ba.add("_{", "}"); - } - else if (sPos.startsWith("super") || !sPos.startsWith("0%")) { - ba.add("^{", "}"); - } - } - } - - ldp.append(ba.getBefore()); - traverseInlineMath(node, ldp, oc); - ldp.append(ba.getAfter()); - - // finally pop the font table - palette.getI18n().popSpecialTable(); - } - - // Handle several spans. - // If the converted formatting happens to be identical (e.g. \textbf{...}), the spans will be merged. - private void handleTextSpanText(LaTeXDocumentPortion ldp, Context oc, Element... nodes) { - // The current formatting - BeforeAfter baCurrent = new BeforeAfter(); - for (Element node : nodes) { - String sStyleName = node.getAttribute(XMLString.TEXT_STYLE_NAME); - StyleWithProperties style = ofr.getTextStyle(sStyleName); - - // First check for hidden text - if (bDisplayHiddenText || style==null || !"none".equals(style.getProperty(XMLString.TEXT_DISPLAY))) { - // Then check for strict handling of styles - String sDisplayName = ofr.getTextStyles().getDisplayName(sStyleName); - if (config.otherStyles()!=LaTeXConfig.ACCEPT && !config.getTextStyleMap().contains(sDisplayName)) { - if (config.otherStyles()==LaTeXConfig.WARNING) { - System.err.println("Warning: Text with style "+sDisplayName+" was ignored"); - } - else if (config.otherStyles()==LaTeXConfig.ERROR) { - ldp.append("% Error in source document: Text with style ") - .append(palette.getI18n().convert(sDisplayName,false,oc.getLang())) - .append(" was ignored").nl(); - } - } - else { - // We do want to convert this span :-) - - // Always push the font used - palette.getI18n().pushSpecialTable(palette.getCharSc().getFontName(ofr.getTextStyle(sStyleName))); - - // Apply the style - BeforeAfter ba = new BeforeAfter(); - Context ic = (Context) oc.clone(); - // Don't style it if - // - we're already within a verbatim environment - // - a {foot|end}note is the only content - // - there is no content - // - this is an automatic style in header/footer (name clash problem, only in package format) - if (!oc.isVerbatim() && !onlyNote(node) && OfficeReader.getCharacterCount(node)>0 - && !(ofr.isPackageFormat() && (style!=null && style.isAutomatic()) && oc.isInHeaderFooter())) { - palette.getCharSc().applyTextStyle(sStyleName,ba,ic); - } - - // Footnote problems: - // No footnotes in sub/superscript (will disappear) - // No multiparagraph footnotes embedded in text command (eg. \textbf{..}) - // Simple solution: styled text element is forbidden area for footnotes - if ((ba.getBefore().length()>0 || ba.getAfter().length()>0) && !ic.isInFootnote()) { - ic.setNoFootnotes(true); - } - - // Merge spans? If the formatting of this span differs from the previous span, we will close the - // previous span and start a new one - if (!ba.getBefore().equals(baCurrent.getBefore()) || !ba.getAfter().equals(baCurrent.getAfter())) { - ldp.append(baCurrent.getAfter()); - ldp.append(ba.getBefore()); - baCurrent = ba; - } - - traverseInlineText(node,ldp,ic); - - // In the special case of pending footnotes, index marks and reference marks, we will close the span now. - // Otherwise we will wait and see - if (palette.getNoteCv().hasPendingFootnotes(oc) - || palette.getIndexCv().hasPendingIndexMarks(oc) - || palette.getFieldCv().hasPendingReferenceMarks(oc)) { - ldp.append(baCurrent.getAfter()); - baCurrent = new BeforeAfter(); - } - - // Flush any pending footnotes, index marks and reference marks - if (!ic.isInFootnote()) { palette.getNoteCv().flushFootnotes(ldp,oc); } - palette.getFieldCv().flushReferenceMarks(ldp,oc); - palette.getIndexCv().flushIndexMarks(ldp,oc); - - // finally pop the special table - palette.getI18n().popSpecialTable(); - } - } - } - ldp.append(baCurrent.getAfter()); - } - - public void traverseInlineText(Element node, LaTeXDocumentPortion ldp, Context oc) { - if (oc.isVerbatim()) { - traverseVerbatimInlineText(node,ldp,oc); - } - else if (oc.isMathMode()) { - traverseInlineMath(node,ldp,oc); - } - else { - traverseOrdinaryInlineText(node,ldp,oc); - } - } - - // Traverse ordinary inline text in text mode (temporarily changing to math - // mode for a sequence of text:span with style "OOoLaTeX") - private void traverseOrdinaryInlineText(Element node,LaTeXDocumentPortion ldp, Context oc) { - Node childNode = node.getFirstChild(); - while (childNode!=null) { - short nodeType = childNode.getNodeType(); - - switch (nodeType) { - case Node.TEXT_NODE: - String s = childNode.getNodeValue(); - if (s.length() > 0) { - if (oc.isInZoteroJabRefText()) { - if (bIncludeOriginalCitations) { // Include original citation as a comment - ldp.append("%") - .append(palette.getI18n().convert(s, false, oc.getLang())) - .nl(); - } - } - else { // Normal text - ldp.append(palette.getI18n().convert(s, false, oc.getLang())); - } - } - break; - - case Node.ELEMENT_NODE: - Element child = (Element)childNode; - String sName = child.getTagName(); - if (sName.equals(XMLString.TEXT_SPAN)) { - String sStyleName = child.getAttribute(XMLString.TEXT_STYLE_NAME); - boolean bIsMathSpan = "OOoLaTeX".equals(ofr.getTextStyles().getDisplayName(sStyleName)); - if (bIsMathSpan) { - // Temporarily change to math mode - Context ic = (Context) oc.clone(); - ic.setMathMode(true); - - ldp.append("$"); - - Node remember; - boolean bContinue = false; - - do { - handleTextSpanMath((Element)childNode, ldp, ic); - remember = childNode; - childNode = childNode.getNextSibling(); - bContinue = false; - if (childNode!=null && childNode.getNodeType()==Node.ELEMENT_NODE && - childNode.getNodeName().equals(XMLString.TEXT_SPAN)) { - sStyleName = Misc.getAttribute(childNode,XMLString.TEXT_STYLE_NAME); - if ("OOoLaTeX".equals(ofr.getTextStyles().getDisplayName(sStyleName))) - //child = (Element) childNode; - bContinue = true; - } - } while(bContinue); - childNode = remember; - - ldp.append("$"); - } - else { - // Collect further spans - Vector spans = new Vector(); - - Node remember; - boolean bContinue = false; - do { - spans.add((Element)childNode); - remember = childNode; - childNode = childNode.getNextSibling(); - bContinue = false; - if (childNode!=null && childNode.getNodeType()==Node.ELEMENT_NODE && - childNode.getNodeName().equals(XMLString.TEXT_SPAN)) { - sStyleName = Misc.getAttribute(childNode,XMLString.TEXT_STYLE_NAME); - if (!"OOoLaTeX".equals(ofr.getTextStyles().getDisplayName(sStyleName))) - bContinue = true; - } - } while(bContinue); - childNode = remember; - - handleTextSpans(spans.toArray(new Element[spans.size()]),ldp,oc); - } - } - else if (child.getNodeName().startsWith("draw:")) { - palette.getDrawCv().handleDrawElement(child,ldp,oc); - } - else if (sName.equals(XMLString.TEXT_S)) { - if (config.ignoreDoubleSpaces()) { - ldp.append(" "); - } - else { - int count= Misc.getPosInteger(child.getAttribute(XMLString.TEXT_C),1); - //String sSpace = config.ignoreDoubleSpaces() ? " " : "\\ "; - for ( ; count > 0; count--) { ldp.append("\\ "); } - } - } - else if (sName.equals(XMLString.TEXT_TAB_STOP) || sName.equals(XMLString.TEXT_TAB)) { // text:tab in oasis - // tab stops are not supported by the converter, but the special usage - // of tab stops in header and footer can be emulated with \hfill - // TODO: Sometimes extra \hfill should be added at end of line - if (oc.isInHeaderFooter()) { ldp.append("\\hfill "); } - else { ldp.append(sTabstop); } - } - else if (sName.equals(XMLString.TEXT_LINE_BREAK)) { - if (!oc.isInHeaderFooter() && !config.ignoreHardLineBreaks()) { - ldp.append("\\newline").nl(); - } - else { ldp.append(" "); } - } - else if (sName.equals(XMLString.TEXT_A)) { - palette.getFieldCv().handleAnchor(child,ldp,oc); - } - else if (sName.equals(XMLString.OFFICE_ANNOTATION)) { - handleOfficeAnnotation(child,ldp,oc); - } - else if (sName.equals(XMLString.TEXT_PAGE_NUMBER)) { - palette.getFieldCv().handlePageNumber(child,ldp,oc); - } - else if (sName.equals(XMLString.TEXT_PAGE_COUNT)) { - palette.getFieldCv().handlePageCount(child,ldp,oc); - } - else if (oc.isInHeaderFooter()) { - if (sName.equals(XMLString.TEXT_CHAPTER)) { - handleChapterField(child,ldp,oc); - } - else if (sName.startsWith("text:")) { - traverseInlineText(child,ldp,oc); - } - } - else { - // These tags are ignored in header and footer - if (sName.equals(XMLString.TEXT_FOOTNOTE)) { - palette.getNoteCv().handleFootnote(child,ldp,oc); - } - else if (sName.equals(XMLString.TEXT_ENDNOTE)) { - palette.getNoteCv().handleEndnote(child,ldp,oc); - } - else if (sName.equals(XMLString.TEXT_NOTE)) { - if ("endnote".equals(child.getAttribute(XMLString.TEXT_NOTE_CLASS))) { - palette.getNoteCv().handleEndnote(child,ldp,oc); - } - else { - palette.getNoteCv().handleFootnote(child,ldp,oc); - } - } - else if (sName.equals(XMLString.TEXT_SEQUENCE)) { - palette.getFieldCv().handleSequence(child,ldp,oc); - } - else if (sName.equals(XMLString.TEXT_SEQUENCE_REF)) { - palette.getFieldCv().handleSequenceRef(child,ldp,oc); - } - else if (sName.equals(XMLString.TEXT_FOOTNOTE_REF)) { - palette.getNoteCv().handleFootnoteRef(child,ldp,oc); - } - else if (sName.equals(XMLString.TEXT_ENDNOTE_REF)) { - palette.getNoteCv().handleEndnoteRef(child,ldp,oc); - } - else if (sName.equals(XMLString.TEXT_NOTE_REF)) { // oasis - palette.getNoteCv().handleNoteRef(child,ldp,oc); - } - else if (sName.equals(XMLString.TEXT_REFERENCE_MARK)) { - palette.getFieldCv().handleReferenceMark(child,ldp,oc); - } - else if (sName.equals(XMLString.TEXT_REFERENCE_MARK_START)) { - palette.getFieldCv().handleReferenceMark(child,ldp,oc); - } - else if (sName.equals(XMLString.TEXT_REFERENCE_MARK_END)) { - palette.getFieldCv().handleReferenceMarkEnd(child,ldp,oc); - } - else if (sName.equals(XMLString.TEXT_REFERENCE_REF)) { - palette.getFieldCv().handleReferenceRef(child,ldp,oc); - } - else if (sName.equals(XMLString.TEXT_BOOKMARK)) { - palette.getFieldCv().handleBookmark(child,ldp,oc); - } - else if (sName.equals(XMLString.TEXT_BOOKMARK_START)) { - palette.getFieldCv().handleBookmark(child,ldp,oc); - } - else if (sName.equals(XMLString.TEXT_BOOKMARK_REF)) { - palette.getFieldCv().handleBookmarkRef(child,ldp,oc); - } - else if (sName.equals(XMLString.TEXT_BIBLIOGRAPHY_MARK)) { - palette.getBibCv().handleBibliographyMark(child,ldp,oc); - } - else if (sName.equals(XMLString.TEXT_ALPHABETICAL_INDEX_MARK)) { - palette.getIndexCv().handleAlphabeticalIndexMark(child,ldp,oc); - } - else if (sName.equals(XMLString.TEXT_ALPHABETICAL_INDEX_MARK_START)) { - palette.getIndexCv().handleAlphabeticalIndexMark(child,ldp,oc); - } - else if (sName.startsWith("text:")) { - traverseInlineText(child,ldp,oc); - } - } - break; - default: - // Do nothing - } - - childNode = childNode.getNextSibling(); - } - - } - - /* traverse inline text, ignoring any draw objects, footnotes, formatting and hyperlinks */ - public void traversePlainInlineText(Element node,LaTeXDocumentPortion ldp, Context oc) { - String styleName = node.getAttribute(XMLString.TEXT_STYLE_NAME); - - // Always push the font used - palette.getI18n().pushSpecialTable(palette.getCharSc().getFontName(ofr.getTextStyle(styleName))); - - Node childNode = node.getFirstChild(); - while (childNode!=null) { - short nodeType = childNode.getNodeType(); - - switch (nodeType) { - case Node.TEXT_NODE: - String s = childNode.getNodeValue(); - if (s.length() > 0) { - // Need to protect ] - for (int j=0; j 0; count--) { - ldp.append("\\ "); - } - } - else if (sName.equals(XMLString.TEXT_TAB_STOP) || sName.equals(XMLString.TEXT_TAB)) { // text:tab in oasis - // tab stops are not supported by the converter - ldp.append(sTabstop); - } - else if (OfficeReader.isNoteElement(child)) { - // ignore - } - else if (OfficeReader.isTextElement(child)) { - traversePlainInlineText(child,ldp,oc); - } - break; - default: - // Do nothing - } - childNode = childNode.getNextSibling(); - } - // finally pop the special table - palette.getI18n().popSpecialTable(); - } - - /* traverse inline math, ignoring any draw objects, footnotes, formatting and hyperlinks */ - public void traverseInlineMath(Element node,LaTeXDocumentPortion ldp, Context oc) { - String styleName = node.getAttribute(XMLString.TEXT_STYLE_NAME); - - // Always push the font used - palette.getI18n().pushSpecialTable(palette.getCharSc().getFontName(ofr.getTextStyle(styleName))); - - Node childNode = node.getFirstChild(); - while (childNode!=null) { - short nodeType = childNode.getNodeType(); - - switch (nodeType) { - case Node.TEXT_NODE: - String s = childNode.getNodeValue(); - ldp.append(palette.getI18n().convert(s,true,oc.getLang())); - break; - - case Node.ELEMENT_NODE: - Element child = (Element)childNode; - String sName = child.getTagName(); - if (sName.equals(XMLString.TEXT_S)) { - int count= Misc.getPosInteger(child.getAttribute(XMLString.TEXT_C),1); - for ( ; count > 0; count--) { - ldp.append("\\ "); - } - } - else if (sName.equals(XMLString.TEXT_TAB_STOP) || sName.equals(XMLString.TEXT_TAB)) { // text:tab in oasis - // tab stops are not supported by the converter - ldp.append(" "); - } - else if (OfficeReader.isNoteElement(child)) { - // ignore - } - else if (OfficeReader.isTextElement(child)) { - traversePlainInlineText(child,ldp,oc); - } - break; - default: - // Do nothing - } - childNode = childNode.getNextSibling(); - } - // finally pop the special table - palette.getI18n().popSpecialTable(); - } - - /* traverse verbatim inline text, ignoring any draw objects, footnotes, formatting and hyperlinks */ - private void traverseVerbatimInlineText(Element node,LaTeXDocumentPortion ldp, Context oc) { - if (node.hasChildNodes()) { - - NodeList nList = node.getChildNodes(); - int len = nList.getLength(); - - for (int i = 0; i < len; i++) { - - Node childNode = nList.item(i); - short nodeType = childNode.getNodeType(); - - switch (nodeType) { - case Node.TEXT_NODE: - String s = childNode.getNodeValue(); - if (s.length() > 0) { - // text is copied verbatim! (Will be replaced by - // question marks if outside inputenc) - ldp.append(s); - } - break; - - case Node.ELEMENT_NODE: - Element child = (Element)childNode; - String sName = child.getTagName(); - if (sName.equals(XMLString.TEXT_S)) { - int count= Misc.getPosInteger(child.getAttribute(XMLString.TEXT_C),1); - for ( ; count > 0; count--) { - ldp.append(" "); - } - } - else if (sName.equals(XMLString.TEXT_TAB_STOP) || sName.equals(XMLString.TEXT_TAB)) { // text:tab in oasis - // tab stops are not supported by the onverter - ldp.append(sTabstop); - } - else if (sName.equals(XMLString.TEXT_LINE_BREAK)) { - if (!oc.isNoLineBreaks()) { ldp.nl(); } - } - else if (sName.equals(XMLString.TEXT_NOTE)) { - // oasis; ignore - } - else if (sName.equals(XMLString.TEXT_FOOTNOTE)) { - // ignore - } - else if (sName.equals(XMLString.TEXT_ENDNOTE)) { - // ignore - } - // The respective handlers know how to postpone these marks in verbatim context: - else if (sName.equals(XMLString.TEXT_ALPHABETICAL_INDEX_MARK)) { - palette.getIndexCv().handleAlphabeticalIndexMark(child,ldp,oc); - } - else if (sName.equals(XMLString.TEXT_ALPHABETICAL_INDEX_MARK_START)) { - palette.getIndexCv().handleAlphabeticalIndexMark(child,ldp,oc); - } - else if (sName.equals(XMLString.TEXT_REFERENCE_MARK)) { - palette.getFieldCv().handleReferenceMark(child,ldp,oc); - } - else if (sName.equals(XMLString.TEXT_REFERENCE_MARK_START)) { - palette.getFieldCv().handleReferenceMark(child,ldp,oc); - } - else if (sName.equals(XMLString.TEXT_BOOKMARK)) { - palette.getFieldCv().handleBookmark(child,ldp,oc); - } - else if (sName.equals(XMLString.TEXT_BOOKMARK_START)) { - palette.getFieldCv().handleBookmark(child,ldp,oc); - } - - else if (sName.startsWith("text:")) { - traverseVerbatimInlineText(child,ldp,oc); - } - break; - default: - // Do nothing - } - } - } - } - - public void traversePCDATA(Element node, LaTeXDocumentPortion ldp, Context oc) { - if (node.hasChildNodes()) { - NodeList nl = node.getChildNodes(); - int nLen = nl.getLength(); - for (int i=0; i. - * - * Version 1.6 (2015-07-23) - * - */ - -package writer2latex.latex; - -import java.util.HashMap; -import java.util.Map; -import java.util.Set; - -import org.w3c.dom.Document; -import org.w3c.dom.Node; -import org.w3c.dom.Element; - -import writer2latex.api.ComplexOption; -import writer2latex.base.BooleanOption; -import writer2latex.base.IntegerOption; -import writer2latex.base.Option; -import writer2latex.latex.util.HeadingMap; -import writer2latex.latex.i18n.ClassicI18n; -import writer2latex.latex.i18n.ReplacementTrie; -import writer2latex.latex.util.StyleMap; -import writer2latex.latex.util.StyleMapItem; -import writer2latex.util.Misc; - -public class LaTeXConfig extends writer2latex.base.ConfigBase { - ///////////////////////////////////////////////////////////////////////// - // I. Define items needed by ConfigBase - - protected int getOptionCount() { return 73; } - protected String getDefaultConfigPath() { return "/writer2latex/latex/config/"; } - - ///////////////////////////////////////////////////////////////////////// - // II. Override getter and setter methods for simple options in order to: - // - Treat the custom preamble like a regular option, even though the xml representation is different - // - Be backwards compatible (renamed the option keep_image_size) - - @Override public void setOption(String sName,String sValue) { - if (sName.equals("custom-preamble")) { - sCustomPreamble = sValue; - } - else { - // this option has been renamed: - if (sName.equals("keep_image_size")) { sName = "original_image_size"; } - super.setOption(sName, sValue); - } - } - - @Override public String getOption(String sName) { - if (sName.equals("custom-preamble")) { - return sCustomPreamble; - } - else { - return super.getOption(sName); - } - } - - ///////////////////////////////////////////////////////////////////////// - // III. Declare all constants - - // Backend - public static final int GENERIC = 0; - public static final int DVIPS = 1; - public static final int PDFTEX = 2; - public static final int UNSPECIFIED = 3; - public static final int XETEX = 4; - - // Formatting (must be ordered) - public static final int IGNORE_ALL = 0; - public static final int IGNORE_MOST = 1; - public static final int CONVERT_BASIC = 2; - public static final int CONVERT_MOST = 3; - public static final int CONVERT_ALL = 4; - // Page formatting - public static final int CONVERT_HEADER_FOOTER = 5; - public static final int CONVERT_GEOMETRY = 6; - - // Handling of other formatting - public static final int IGNORE = 0; - public static final int ACCEPT = 1; - public static final int WARNING = 2; - public static final int ERROR = 3; - - // Notes - //public static final int IGNORE = 0; - public static final int COMMENT = 1; - public static final int PDFANNOTATION = 2; - public static final int MARGINPAR = 3; - public static final int CUSTOM = 4; - - // Options - private static final int BACKEND = 0; - private static final int NO_PREAMBLE = 1; - private static final int NO_INDEX = 2; - private static final int DOCUMENTCLASS = 3; - private static final int GLOBAL_OPTIONS = 4; - private static final int INPUTENCODING = 5; - private static final int MULTILINGUAL = 6; - private static final int GREEK_MATH = 7; - private static final int USE_OOOMATH = 8; - private static final int USE_PIFONT = 9; - private static final int USE_IFSYM = 10; - private static final int USE_WASYSYM = 11; - private static final int USE_BBDING = 12; - private static final int USE_EUROSYM = 13; - private static final int USE_TIPA = 14; - private static final int USE_COLOR = 15; - private static final int USE_COLORTBL = 16; - private static final int USE_GEOMETRY = 17; - private static final int USE_FANCYHDR = 18; - private static final int USE_TITLESEC = 19; - private static final int USE_TITLETOC = 20; - private static final int USE_HYPERREF = 21; - private static final int USE_CAPTION = 22; - private static final int USE_LONGTABLE = 23; - private static final int USE_SUPERTABULAR = 24; - private static final int USE_TABULARY = 25; - private static final int USE_ENDNOTES = 26; - private static final int USE_ULEM = 27; - private static final int USE_LASTPAGE = 28; - private static final int USE_TITLEREF = 29; - private static final int USE_BIBTEX = 30; - private static final int BIBTEX_STYLE = 31; - private static final int EXTERNAL_BIBTEX_FILES = 32; - private static final int BIBTEX_ENCODING = 33; - private static final int ZOTERO_BIBTEX_FILES = 34; - private static final int JABREF_BIBTEX_FILES = 35; - private static final int INCLUDE_ORIGINAL_CITATIONS = 36; - private static final int USE_NATBIB = 37; - private static final int NATBIB_OPTIONS = 38; - private static final int FONT = 39; - private static final int FORMATTING = 40; - private static final int PAGE_FORMATTING = 41; - private static final int OTHER_STYLES = 42; - private static final int IMAGE_CONTENT = 43; - private static final int TABLE_CONTENT = 44; - private static final int TABLE_FIRST_HEAD_STYLE = 45; - private static final int TABLE_HEAD_STYLE = 46; - private static final int TABLE_FOOT_STYLE = 47; - private static final int TABLE_LAST_FOOT_STYLE = 48; - private static final int IGNORE_HARD_PAGE_BREAKS = 49; - private static final int IGNORE_HARD_LINE_BREAKS = 50; - private static final int IGNORE_EMPTY_PARAGRAPHS =51; - private static final int IGNORE_DOUBLE_SPACES = 52; - private static final int DISPLAY_HIDDEN_TEXT = 53; - private static final int ALIGN_FRAMES = 54; - private static final int FLOAT_FIGURES = 55; - private static final int FLOAT_TABLES = 56; - private static final int FLOAT_OPTIONS = 57; - private static final int FIGURE_SEQUENCE_NAME = 58; - private static final int TABLE_SEQUENCE_NAME = 59; - private static final int IMAGE_OPTIONS = 60; - private static final int REMOVE_GRAPHICS_EXTENSION = 61; - private static final int ORIGINAL_IMAGE_SIZE = 62; - private static final int SIMPLE_TABLE_LIMIT = 63; - private static final int NOTES = 64; - private static final int METADATA = 65; - private static final int TABSTOP = 66; - private static final int WRAP_LINES_AFTER = 67; - private static final int SPLIT_LINKED_SECTIONS = 68; - private static final int SPLIT_TOPLEVEL_SECTIONS = 69; - private static final int SAVE_IMAGES_IN_SUBDIR = 70; - private static final int OLD_MATH_COLORS = 71; - private static final int DEBUG = 72; - - ///////////////////////////////////////////////////////////////////////// - // IV. Our options data - - private ComplexOption headingMap; - private ComplexOption parMap; - private ComplexOption parBlockMap; - private ComplexOption listMap; - private ComplexOption listItemMap; - private ComplexOption textMap; - private ComplexOption textAttrMap; - private ComplexOption stringReplace; - private ComplexOption mathSymbols; - private String sCustomPreamble = ""; - - ///////////////////////////////////////////////////////////////////////// - // V. The rather long constructor setting all defaults - - /** Construct a new LaTeXConfig with default values for all options - */ - public LaTeXConfig() { - super(); - - // create options with default values - options[NO_PREAMBLE] = new BooleanOption("no_preamble","false"); - options[NO_INDEX] = new BooleanOption("no_index","false"); - options[DOCUMENTCLASS] = new Option("documentclass","article"); - options[GLOBAL_OPTIONS] = new Option("global_options",""); - options[BACKEND] = new IntegerOption("backend","pdftex") { - public void setString(String sValue) { - super.setString(sValue); - if ("generic".equals(sValue)) nValue = GENERIC; - else if ("dvips".equals(sValue)) nValue = DVIPS; - else if ("pdftex".equals(sValue)) nValue = PDFTEX; - else if ("unspecified".equals(sValue)) nValue = UNSPECIFIED; - else if ("xetex".equals(sValue)) nValue = XETEX; - } - }; - options[INPUTENCODING] = new IntegerOption("inputencoding",ClassicI18n.writeInputenc(ClassicI18n.ASCII)) { - public void setString(String sValue) { - super.setString(sValue); - nValue = ClassicI18n.readInputenc(sValue); - } - }; - options[MULTILINGUAL] = new BooleanOption("multilingual","true"); - options[GREEK_MATH] = new BooleanOption("greek_math","true"); - options[USE_OOOMATH] = new BooleanOption("use_ooomath","false"); - options[USE_PIFONT] = new BooleanOption("use_pifont","false"); - options[USE_IFSYM] = new BooleanOption("use_ifsym","false"); - options[USE_WASYSYM] = new BooleanOption("use_wasysym","false"); - options[USE_BBDING] = new BooleanOption("use_bbding","false"); - options[USE_EUROSYM] = new BooleanOption("use_eurosym","false"); - options[USE_TIPA] = new BooleanOption("use_tipa","false"); - options[USE_COLOR] = new BooleanOption("use_color","true"); - options[USE_COLORTBL] = new BooleanOption("use_colortbl","false"); - options[USE_GEOMETRY] = new BooleanOption("use_geometry","false"); - options[USE_FANCYHDR] = new BooleanOption("use_fancyhdr","false"); - options[USE_TITLESEC] = new BooleanOption("use_titlesec","false"); - options[USE_TITLETOC] = new BooleanOption("use_titletoc","false"); - options[USE_HYPERREF] = new BooleanOption("use_hyperref","true"); - options[USE_CAPTION] = new BooleanOption("use_caption","false"); - options[USE_LONGTABLE] = new BooleanOption("use_longtable","false"); - options[USE_SUPERTABULAR] = new BooleanOption("use_supertabular","true"); - options[USE_TABULARY] = new BooleanOption("use_tabulary","false"); - options[USE_ENDNOTES] = new BooleanOption("use_endnotes","false"); - options[USE_ULEM] = new BooleanOption("use_ulem","false"); - options[USE_LASTPAGE] = new BooleanOption("use_lastpage","false"); - options[USE_TITLEREF] = new BooleanOption("use_titleref","false"); - options[USE_BIBTEX] = new BooleanOption("use_bibtex","false"); - options[BIBTEX_STYLE] = new Option("bibtex_style","plain"); - options[EXTERNAL_BIBTEX_FILES] = new Option("external_bibtex_files",""); - options[BIBTEX_ENCODING] = new IntegerOption("bibtex_encoding","document") { - public void setString(String sValue) { - super.setString(sValue); - if ("document".equals(sValue)) { nValue = -1; } - else { nValue = ClassicI18n.readInputenc(sValue); } - } - }; - options[ZOTERO_BIBTEX_FILES] = new Option("zotero_bibtex_files",""); - options[JABREF_BIBTEX_FILES] = new Option("jabref_bibtex_files",""); - options[INCLUDE_ORIGINAL_CITATIONS] = new BooleanOption("include_original_citations","false"); - options[USE_NATBIB] = new BooleanOption("use_natbib","false"); - options[NATBIB_OPTIONS] = new Option("natbib_options",""); - options[FONT] = new Option("font","default"); - options[FORMATTING] = new IntegerOption("formatting","convert_basic") { - public void setString(String sValue) { - super.setString(sValue); - if ("convert_all".equals(sValue)) nValue = CONVERT_ALL; - else if ("convert_most".equals(sValue)) nValue = CONVERT_MOST; - else if ("convert_basic".equals(sValue)) nValue = CONVERT_BASIC; - else if ("ignore_most".equals(sValue)) nValue = IGNORE_MOST; - else if ("ignore_all".equals(sValue)) nValue = IGNORE_ALL; - } - }; - options[PAGE_FORMATTING] = new IntegerOption("page_formatting","convert_all") { - public void setString(String sValue) { - super.setString(sValue); - if ("convert_all".equals(sValue)) nValue = CONVERT_ALL; - else if ("convert_header_footer".equals(sValue)) nValue = CONVERT_HEADER_FOOTER; - else if ("convert_geometry".equals(sValue)) nValue = CONVERT_GEOMETRY; - else if ("ignore_all".equals(sValue)) nValue = IGNORE_ALL; - } - }; - options[OTHER_STYLES] = new ContentHandlingOption("other_styles","accept"); - options[IMAGE_CONTENT] = new ContentHandlingOption("image_content","accept"); - options[TABLE_CONTENT] = new ContentHandlingOption("table_content","accept"); - options[TABLE_FIRST_HEAD_STYLE] = new Option("table_first_head_style",""); - options[TABLE_HEAD_STYLE] = new Option("table_head_style",""); - options[TABLE_FOOT_STYLE] = new Option("table_foot_style",""); - options[TABLE_LAST_FOOT_STYLE] = new Option("table_last_foot_style",""); - options[IGNORE_HARD_PAGE_BREAKS] = new BooleanOption("ignore_hard_page_breaks","false"); - options[IGNORE_HARD_LINE_BREAKS] = new BooleanOption("ignore_hard_line_breaks","false"); - options[IGNORE_EMPTY_PARAGRAPHS] = new BooleanOption("ignore_empty_paragraphs","false"); - options[IGNORE_DOUBLE_SPACES] = new BooleanOption("ignore_double_spaces","false"); - options[DISPLAY_HIDDEN_TEXT] = new BooleanOption("display_hidden_text","false"); - options[ALIGN_FRAMES] = new BooleanOption("align_frames","true"); - options[FLOAT_FIGURES] = new BooleanOption("float_figures","false"); - options[FLOAT_TABLES] = new BooleanOption("float_tables","false"); - options[FLOAT_OPTIONS] = new Option("float_options","h"); - options[FIGURE_SEQUENCE_NAME] = new BooleanOption("figure_sequence_name",""); - options[TABLE_SEQUENCE_NAME] = new BooleanOption("table_sequence_name",""); - options[IMAGE_OPTIONS] = new Option("image_options",""); - options[REMOVE_GRAPHICS_EXTENSION] = new BooleanOption("remove_graphics_extension","false"); - options[ORIGINAL_IMAGE_SIZE] = new BooleanOption("original_image_size","false"); - options[SIMPLE_TABLE_LIMIT] = new IntegerOption("simple_table_limit","0") { - public void setString(String sValue) { - super.setString(sValue); - nValue = Misc.getPosInteger(sValue,0); - } - }; - options[NOTES] = new IntegerOption("notes","comment") { - public void setString(String sValue) { - super.setString(sValue); - if ("ignore".equals(sValue)) nValue = IGNORE; - else if ("comment".equals(sValue)) nValue = COMMENT; - else if ("pdfannotation".equals(sValue)) nValue = PDFANNOTATION; - else if ("marginpar".equals(sValue)) nValue = MARGINPAR; - else nValue = CUSTOM; - } - }; - options[METADATA] = new BooleanOption("metadata","true"); - options[TABSTOP] = new Option("tabstop",""); - options[WRAP_LINES_AFTER] = new IntegerOption("wrap_lines_after","120") { - public void setString(String sValue) { - super.setString(sValue); - nValue = Misc.getPosInteger(sValue,0); - } - }; - options[SPLIT_LINKED_SECTIONS] = new BooleanOption("split_linked_sections","false"); - options[SPLIT_TOPLEVEL_SECTIONS] = new BooleanOption("split_toplevel_sections","false"); - options[SAVE_IMAGES_IN_SUBDIR] = new BooleanOption("save_images_in_subdir","false"); - options[OLD_MATH_COLORS] = new BooleanOption("old_math_colors","false"); - options[DEBUG] = new BooleanOption("debug","false"); - - // Complex options - heading map - headingMap = addComplexOption("heading-map"); - Map attr = new HashMap(); - attr.put("name", "section"); - attr.put("level", "1"); - headingMap.put("1", attr); - - attr = new HashMap(); - attr.put("name", "subsection"); - attr.put("level", "2"); - headingMap.put("2", attr); - - attr = new HashMap(); - attr.put("name", "subsubsection"); - attr.put("level", "3"); - headingMap.put("3", attr); - - attr = new HashMap(); - attr.put("name", "paragraph"); - attr.put("level", "4"); - headingMap.put("4", attr); - - attr = new HashMap(); - attr.put("name", "subparagraph"); - attr.put("level", "5"); - headingMap.put("5", attr); - - // Complex options - style maps - parMap = addComplexOption("paragraph-map"); - parBlockMap = addComplexOption("paragraph-block-map"); - listMap = addComplexOption("list-map"); - listItemMap = addComplexOption("listitem-map"); - textMap = addComplexOption("text-map"); - textAttrMap = addComplexOption("text-attribute-map"); - - // Complex options - string replace - stringReplace=addComplexOption("string-replace"); - - // Standard string replace: - // Fix french spacing; replace nonbreaking space - // right before em-dash, !, ?, : and ; (babel handles this) - attr = new HashMap(); - attr.put("fontenc", "any"); - attr.put("latex-code", " \u2014"); - stringReplace.put("\u00A0\u2014",attr); - - attr = new HashMap(); - attr.put("fontenc", "any"); - attr.put("latex-code", " !"); - stringReplace.put("\u00A0!",attr); - - attr = new HashMap(); - attr.put("fontenc", "any"); - attr.put("latex-code", " ?"); - stringReplace.put("\u00A0?",attr); - - attr = new HashMap(); - attr.put("fontenc", "any"); - attr.put("latex-code", " :"); - stringReplace.put("\u00A0:",attr); - - attr = new HashMap(); - attr.put("fontenc", "any"); - attr.put("latex-code", " ;"); - stringReplace.put("\u00A0;",attr); - - // Right after opening guillemet and right before closing guillemet: - // Here we must *keep* the non-breaking space - // TODO: Use \og and \fg if the document contains french... - //stringReplace.put("\u00AB\u00A0","\u00AB ",I18n.readFontencs("any")); - //stringReplace.put("\u00A0\u00BB"," \u00BB",I18n.readFontencs("any")); - - // Complex options - math user defined symbols - mathSymbols = addComplexOption("math-symbol-map"); - } - - //////////////////////////////////////////////////////////////////////////// - // VI. Provide methods to fill in the gaps in the supers read and write methods - - protected void readInner(Element elm) { - if (elm.getTagName().equals("heading-map")) { - // Unlike other complex options, a heading map is completely replaced - headingMap.clear(); - Node child = elm.getFirstChild(); - while (child!=null) { - if (child.getNodeType()==Node.ELEMENT_NODE) { - Element childElm = (Element) child; - if (childElm.getTagName().equals("heading-level-map")) { - if (childElm.hasAttribute("writer-level")) { - Map attr = new HashMap(); - attr.put("name",childElm.getAttribute("name")); - attr.put("level",childElm.getAttribute("level")); - headingMap.put(childElm.getAttribute("writer-level"), attr); - } - } - } - child = child.getNextSibling(); - } - } - else if (elm.getTagName().equals("style-map")) { - String sName = elm.getAttribute("name"); - String sFamily = elm.getAttribute("family"); - if (sFamily.length()==0) { // try old name - sFamily = elm.getAttribute("class"); - } - - Map attr = new HashMap(); - attr.put("before", elm.getAttribute("before")); - attr.put("after", elm.getAttribute("after")); - - if ("paragraph".equals(sFamily)) { - if (elm.hasAttribute("line-break")) { attr.put("line-break", elm.getAttribute("line-break")); } - if (elm.hasAttribute("break-after")) { attr.put("break-after", elm.getAttribute("break-after")); } - if (elm.hasAttribute("verbatim")) { attr.put("verbatim", elm.getAttribute("verbatim")); } - parMap.put(sName, attr); - } - if ("paragraph-block".equals(sFamily)) { - attr.put("next", elm.getAttribute("next")); - if (elm.hasAttribute("verbatim")) { attr.put("verbatim", elm.getAttribute("verbatim")); } - parBlockMap.put(sName, attr); - } - else if ("list".equals(sFamily)) { - listMap.put(sName, attr); - } - else if ("listitem".equals(sFamily)) { - listItemMap.put(sName, attr); - } - else if ("text".equals(sFamily)) { - if (elm.hasAttribute("verbatim")) { attr.put("verbatim", elm.getAttribute("verbatim")); } - textMap.put(sName, attr); - } - else if ("text-attribute".equals(sFamily)) { - textAttrMap.put(sName, attr); - } - } - else if (elm.getTagName().equals("string-replace")) { - String sInput = elm.getAttribute("input"); - Map attributes = new HashMap(); - attributes.put("latex-code", elm.getAttribute("latex-code")); - if (elm.hasAttribute("fontenc") && elm.getAttribute("fontenc").length()>0) { - // The fontenc attribute is optional - attributes.put("fontenc", elm.getAttribute("fontenc")); - } - else { - attributes.put("fontenc", "any"); - } - stringReplace.put(sInput,attributes); - } - else if (elm.getTagName().equals("math-symbol-map")) { - String sName = elm.getAttribute("name"); - Map attr = new HashMap(); - attr.put("latex", elm.getAttribute("latex")); - mathSymbols.put(sName, attr); - } - else if (elm.getTagName().equals("custom-preamble")) { - StringBuilder buf = new StringBuilder(); - Node child = elm.getFirstChild(); - while (child!=null) { - if (child.getNodeType()==Node.TEXT_NODE) { - buf.append(child.getNodeValue()); - } - child = child.getNextSibling(); - } - sCustomPreamble = buf.toString(); - } - } - - protected void writeInner(Document dom) { - // Write heading map - int nMaxLevel = 0; - while (nMaxLevel<10 && headingMap.get(Integer.toString(nMaxLevel+1))!=null) { nMaxLevel++; } - - Element hmNode = dom.createElement("heading-map"); - // This attribute is not used anymore, but we keep it for backwards compatibility - hmNode.setAttribute("max-level",Integer.toString(nMaxLevel)); - dom.getDocumentElement().appendChild(hmNode); - for (int i=1; i<=nMaxLevel; i++) { - Element hlmNode = dom.createElement("heading-level-map"); - String sWriterLevel = Integer.toString(i); - hlmNode.setAttribute("writer-level",sWriterLevel); - Map attr = headingMap.get(sWriterLevel); - hlmNode.setAttribute("name",attr.get("name")); - hlmNode.setAttribute("level",attr.get("level")); - hmNode.appendChild(hlmNode); - } - - // Write style maps - writeStyleMap(dom,parMap,"paragraph"); - writeStyleMap(dom,parBlockMap,"paragraph-block"); - writeStyleMap(dom,listMap,"list"); - writeStyleMap(dom,listItemMap,"listitem"); - writeStyleMap(dom,textMap,"text"); - writeStyleMap(dom,textAttrMap,"text-attribute"); - - // Write string replace - Set inputStrings = stringReplace.keySet(); - for (String sInput : inputStrings) { - Map attributes = stringReplace.get(sInput); - Element srNode = dom.createElement("string-replace"); - srNode.setAttribute("input",sInput); - srNode.setAttribute("latex-code",attributes.get("latex-code")); - srNode.setAttribute("fontenc",attributes.get("fontenc")); - dom.getDocumentElement().appendChild(srNode); - } - - // Write math symbol map - for (String sName : mathSymbols.keySet()) { - String sLatex = mathSymbols.get(sName).get("latex"); - Element msNode = dom.createElement("math-symbol-map"); - msNode.setAttribute("name",sName); - msNode.setAttribute("latex",sLatex); - dom.getDocumentElement().appendChild(msNode); - } - - // Write custom preamble - Element cp = dom.createElement("custom-preamble"); - cp.appendChild(dom.createTextNode( sCustomPreamble)); - dom.getDocumentElement().appendChild(cp); - } - - private void writeStyleMap(Document dom, ComplexOption co, String sFamily) { - for (String sName : co.keySet()) { - Map attr = co.get(sName); - Element smNode = dom.createElement("style-map"); - smNode.setAttribute("name",sName); - smNode.setAttribute("family",sFamily); - smNode.setAttribute("before",attr.containsKey("before") ? attr.get("before") : ""); - smNode.setAttribute("after",attr.containsKey("after") ? attr.get("after") : ""); - if (attr.containsKey("next")) { - smNode.setAttribute("next",attr.get("next")); - } - if (attr.containsKey("line-break")) { - smNode.setAttribute("line-break",attr.get("line-break")); - } - if (attr.containsKey("break-after")) { - smNode.setAttribute("break-after", attr.get("break-after")); - } - if (attr.containsKey("verbatim")) { - smNode.setAttribute("verbatim",attr.get("verbatim")); - } - dom.getDocumentElement().appendChild(smNode); - } - } - - ///////////////////////////////////////////////////////////////////////// - // VII. Convenience accessor methods - - public HeadingMap getHeadingMap() { - int nMaxLevel = 0; - while (nMaxLevel<10 && headingMap.get(Integer.toString(nMaxLevel+1))!=null) { nMaxLevel++; } - - HeadingMap map = new HeadingMap(nMaxLevel); - for (int i=1; i<=nMaxLevel; i++) { - String sWriterLevel = Integer.toString(i); - Map attr = headingMap.get(sWriterLevel); - String sName = attr.get("name"); - int nLevel = Misc.getPosInteger(attr.get("level"),0); - map.setLevelData(i, sName, nLevel); - } - return map; - } - - // Get style maps - public StyleMap getParStyleMap() { return getStyleMap(parMap); } - public StyleMap getParBlockStyleMap() { return getStyleMap(parBlockMap); } - public StyleMap getListStyleMap() { return getStyleMap(listMap); } - public StyleMap getListItemStyleMap() { return getStyleMap(listItemMap); } - public StyleMap getTextAttributeStyleMap() { return getStyleMap(textAttrMap); } - public StyleMap getTextStyleMap() { return getStyleMap(textMap); } - - private StyleMap getStyleMap(ComplexOption co) { - StyleMap map = new StyleMap(); - for (String sName : co.keySet()) { - Map attr = co.get(sName); - String sBefore = attr.containsKey("before") ? attr.get("before") : ""; - String sAfter = attr.containsKey("after") ? attr.get("after") : ""; - String sNext = attr.containsKey("next") ? attr.get("next") : ""; - boolean bLineBreak = !"false".equals(attr.get("line-break")); - int nBreakAfter = StyleMapItem.PAR; - String sBreakAfter = attr.get("break-after"); - if ("none".equals(sBreakAfter)) { nBreakAfter = StyleMapItem.NONE; } - else if ("line".equals(sBreakAfter)) { nBreakAfter = StyleMapItem.LINE; } - boolean bVerbatim = "true".equals(attr.get("verbatim")); - map.put(sName, sBefore, sAfter, sNext, bLineBreak, nBreakAfter, bVerbatim); - } - return map; - } - - // Return current string replace as a trie - public ReplacementTrie getStringReplace() { - ReplacementTrie trie = new ReplacementTrie(); - for (String sInput : stringReplace.keySet()) { - Map attributes = stringReplace.get(sInput); - String sLaTeXCode = attributes.get("latex-code"); - String sFontenc = attributes.get("fontenc"); - trie.put(sInput,sLaTeXCode!=null ? sLaTeXCode : "", - ClassicI18n.readFontencs(sFontenc!=null ? sFontenc : "any")); - } - return trie; - } - - // Get the math symbols as a simple Map - public Map getMathSymbols() { - Map map = new HashMap(); - for (String sName : mathSymbols.keySet()) { - String sLatex = mathSymbols.get(sName).get("latex"); - map.put(sName, sLatex); - } - return map; - } - - // Get the custom preamble - public String getCustomPreamble() { return sCustomPreamble; } - - // Common options - public boolean debug() { return ((BooleanOption) options[DEBUG]).getValue(); } - - // General options - public String getDocumentclass() { return options[DOCUMENTCLASS].getString(); } - public String getGlobalOptions() { return options[GLOBAL_OPTIONS].getString(); } - public int getBackend() { return ((IntegerOption) options[BACKEND]).getValue(); } - public int getInputencoding() { return ((IntegerOption) options[INPUTENCODING]).getValue(); } - public boolean multilingual() { return ((BooleanOption) options[MULTILINGUAL]).getValue(); } - public boolean greekMath() { return ((BooleanOption) options[GREEK_MATH]).getValue(); } - public boolean noPreamble() { return ((BooleanOption) options[NO_PREAMBLE]).getValue(); } - public boolean noIndex() { return ((BooleanOption) options[NO_INDEX]).getValue(); } - - // Package options - public boolean useOoomath() { return ((BooleanOption) options[USE_OOOMATH]).getValue(); } - public boolean usePifont() { return ((BooleanOption) options[USE_PIFONT]).getValue(); } - public boolean useIfsym() { return ((BooleanOption) options[USE_IFSYM]).getValue(); } - public boolean useWasysym() { return ((BooleanOption) options[USE_WASYSYM]).getValue(); } - public boolean useBbding() { return ((BooleanOption) options[USE_BBDING]).getValue(); } - public boolean useEurosym() { return ((BooleanOption) options[USE_EUROSYM]).getValue(); } - public boolean useTipa() { return ((BooleanOption) options[USE_TIPA]).getValue(); } - public boolean useColor() { return ((BooleanOption) options[USE_COLOR]).getValue(); } - public boolean useColortbl() { return ((BooleanOption) options[USE_COLORTBL]).getValue(); } - public boolean useGeometry() { return ((BooleanOption) options[USE_GEOMETRY]).getValue(); } - public boolean useFancyhdr() { return ((BooleanOption) options[USE_FANCYHDR]).getValue(); } - public boolean useTitlesec() { return ((BooleanOption) options[USE_TITLESEC]).getValue(); } - public boolean useTitletoc() { return ((BooleanOption) options[USE_TITLETOC]).getValue(); } - public boolean useHyperref() { return ((BooleanOption) options[USE_HYPERREF]).getValue(); } - public boolean useCaption() { return ((BooleanOption) options[USE_CAPTION]).getValue(); } - public boolean useLongtable() { return ((BooleanOption) options[USE_LONGTABLE]).getValue(); } - public boolean useSupertabular() { return ((BooleanOption) options[USE_SUPERTABULAR]).getValue(); } - public boolean useTabulary() { return ((BooleanOption) options[USE_TABULARY]).getValue(); } - public boolean useEndnotes() { return ((BooleanOption) options[USE_ENDNOTES]).getValue(); } - public boolean useUlem() { return ((BooleanOption) options[USE_ULEM]).getValue(); } - public boolean useLastpage() { return ((BooleanOption) options[USE_LASTPAGE]).getValue(); } - public boolean useTitleref() { return ((BooleanOption) options[USE_TITLEREF]).getValue(); } - public boolean useBibtex() { return ((BooleanOption) options[USE_BIBTEX]).getValue(); } - public String bibtexStyle() { return options[BIBTEX_STYLE].getString(); } - public String externalBibtexFiles() { return options[EXTERNAL_BIBTEX_FILES].getString(); } - public int getBibtexEncoding() { return ((IntegerOption) options[BIBTEX_ENCODING]).getValue(); } - public String zoteroBibtexFiles() { return options[ZOTERO_BIBTEX_FILES].getString(); } - public String jabrefBibtexFiles() { return options[JABREF_BIBTEX_FILES].getString(); } - public boolean includeOriginalCitations() { return ((BooleanOption) options[INCLUDE_ORIGINAL_CITATIONS]).getValue(); } - public boolean useNatbib() { return ((BooleanOption) options[USE_NATBIB]).getValue(); } - public String getNatbibOptions() { return options[NATBIB_OPTIONS].getString(); } - - // Formatting options - public String getFont() { return options[FONT].getString(); } - public int formatting() { return ((IntegerOption) options[FORMATTING]).getValue(); } - public int pageFormatting() { return ((IntegerOption) options[PAGE_FORMATTING]).getValue(); } - public int otherStyles() { return ((IntegerOption) options[OTHER_STYLES]).getValue(); } - public int imageContent() { return ((IntegerOption) options[IMAGE_CONTENT]).getValue(); } - public int tableContent() { return ((IntegerOption) options[TABLE_CONTENT]).getValue(); } - public String getTableFirstHeadStyle() { return options[TABLE_FIRST_HEAD_STYLE].getString(); } - public String getTableHeadStyle() { return options[TABLE_HEAD_STYLE].getString(); } - public String getTableFootStyle() { return options[TABLE_FOOT_STYLE].getString(); } - public String getTableLastFootStyle() { return options[TABLE_LAST_FOOT_STYLE].getString(); } - public boolean ignoreHardPageBreaks() { return ((BooleanOption) options[IGNORE_HARD_PAGE_BREAKS]).getValue(); } - public boolean ignoreHardLineBreaks() { return ((BooleanOption) options[IGNORE_HARD_LINE_BREAKS]).getValue(); } - public boolean ignoreEmptyParagraphs() { return ((BooleanOption) options[IGNORE_EMPTY_PARAGRAPHS]).getValue(); } - public boolean ignoreDoubleSpaces() { return ((BooleanOption) options[IGNORE_DOUBLE_SPACES]).getValue(); } - public boolean displayHiddenText() { return ((BooleanOption) options[DISPLAY_HIDDEN_TEXT]).getValue(); } - - // Graphics options - public boolean alignFrames() { return ((BooleanOption) options[ALIGN_FRAMES]).getValue(); } - public boolean floatFigures() { return ((BooleanOption) options[FLOAT_FIGURES]).getValue(); } - public boolean floatTables() { return ((BooleanOption) options[FLOAT_TABLES]).getValue(); } - public String getFloatOptions() { return options[FLOAT_OPTIONS].getString(); } - public String getFigureSequenceName() { return options[FIGURE_SEQUENCE_NAME].getString(); } - public String getTableSequenceName() { return options[TABLE_SEQUENCE_NAME].getString(); } - public String getImageOptions() { return options[IMAGE_OPTIONS].getString(); } - public boolean removeGraphicsExtension() { return ((BooleanOption) options[REMOVE_GRAPHICS_EXTENSION]).getValue(); } - public boolean originalImageSize() { return ((BooleanOption) options[ORIGINAL_IMAGE_SIZE]).getValue(); } - - // Tables - public int getSimpleTableLimit() { return ((IntegerOption) options[SIMPLE_TABLE_LIMIT]).getValue(); } - - // Notes - public int notes() { return ((IntegerOption) options[NOTES]).getValue(); } - public String getNotesCommand() { return options[NOTES].getString(); } - - // Metadata - public boolean metadata() { return ((BooleanOption) options[METADATA]).getValue(); } - - // Tab stops - public String getTabstop() { return options[TABSTOP].getString(); } - - // Files - public int getWrapLinesAfter() { return ((IntegerOption) options[WRAP_LINES_AFTER]).getValue(); } - public boolean splitLinkedSections() { return ((BooleanOption) options[SPLIT_LINKED_SECTIONS]).getValue(); } - public boolean splitToplevelSections() { return ((BooleanOption) options[SPLIT_TOPLEVEL_SECTIONS]).getValue(); } - public boolean saveImagesInSubdir() { return ((BooleanOption) options[SAVE_IMAGES_IN_SUBDIR]).getValue(); } - - // Compatibility options - public boolean oldMathColors() { return ((BooleanOption) options[OLD_MATH_COLORS]).getValue(); } -} - diff --git a/src/main/java/writer2latex/latex/LaTeXDocument.java b/src/main/java/writer2latex/latex/LaTeXDocument.java deleted file mode 100644 index 593e380..0000000 --- a/src/main/java/writer2latex/latex/LaTeXDocument.java +++ /dev/null @@ -1,154 +0,0 @@ -/************************************************************************ - * - * LaTeXDocument.java - * - * Copyright: 2002-2015 by Henrik Just - * - * This file is part of Writer2LaTeX. - * - * Writer2LaTeX is free software: you can redistribute it and/or modify - * it under the terms of the GNU General Public License as published by - * the Free Software Foundation, either version 3 of the License, or - * (at your option) any later version. - * - * Writer2LaTeX is distributed in the hope that it will be useful, - * but WITHOUT ANY WARRANTY; without even the implied warranty of - * MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the - * GNU General Public License for more details. - * - * You should have received a copy of the GNU General Public License - * along with Writer2LaTeX. If not, see . - * - * Version 1.6 (2015-05-05) - * - */ - -package writer2latex.latex; - -import writer2latex.api.MIMETypes; -import writer2latex.api.OutputFile; -import java.io.IOException; -import java.io.OutputStream; -import java.io.OutputStreamWriter; - -/** - *

    Class representing a LaTeX document.

    - * - */ -public class LaTeXDocument implements OutputFile { - private static final String FILE_EXTENSION = ".tex"; - - private String sName; - - private boolean bIsMaster; - - private String sEncoding = "ASCII"; - - private int nWrap; - - private LaTeXDocumentPortion contents; - - /** - *

    Constructs a new LaTeX Document.

    - * - *

    This new document is empty. Document data must added to the preamble and - * the body using appropriate methods.

    - * - * @param sName The name of the LaTeXDocument. - * @param nWrap Lines should be wrapped after this position - * @param bIsMaster true if this is a master document - */ - public LaTeXDocument(String sName,int nWrap,boolean bIsMaster) { - this.nWrap = nWrap; - this.sName = trimDocumentName(sName); - this.bIsMaster = bIsMaster; - contents = new LaTeXDocumentPortion(true); - } - - /** - *

    Returns the Document name with no file extension.

    - * - * @return The Document name with no file extension. - */ - public String getName() { - return sName; - } - - - /** - *

    Returns the Document name with file extension.

    - * - * @return The Document name with file extension. - */ - public String getFileName() { - return new String(sName + FILE_EXTENSION); - } - - public String getMIMEType() { - return MIMETypes.LATEX; - } - - public boolean isMasterDocument() { - return bIsMaster; - } - - public boolean containsMath() { - // We don't use this information currently - return true; - } - - /** - *

    Writes out the Document content to the specified - * OutputStream.

    - * - *

    This method may not be thread-safe. - * Implementations may or may not synchronize this - * method. User code (i.e. caller) must make sure that - * calls to this method are thread-safe.

    - * - * @param os OutputStream to write out the - * Document content. - * - * @throws IOException If any I/O error occurs. - */ - public void write(OutputStream os) throws IOException { - OutputStreamWriter osw = new OutputStreamWriter(os,sEncoding); - contents.write(osw,nWrap,"\n"); - osw.flush(); - osw.close(); - } - - /** - *

    Set the output encoding to use when writing the document.

    - */ - public void setEncoding(String sEncoding) { this.sEncoding = sEncoding; } - - /** - *

    Returns the LaTeXDocumentPortion, that contains the - * contents of the document.

    - * - * @return The content LaTeXDocumentPortion. - */ - public LaTeXDocumentPortion getContents(){ - return contents; - } - - /* - * Utility method to make sure the document name is stripped of any file - * extensions before use. - */ - private String trimDocumentName(String name) { - String temp = name.toLowerCase(); - - if (temp.endsWith(FILE_EXTENSION)) { - // strip the extension - int nlen = name.length(); - int endIndex = nlen - FILE_EXTENSION.length(); - name = name.substring(0,endIndex); - } - - return name; - } - -} - \ No newline at end of file diff --git a/src/main/java/writer2latex/latex/LaTeXDocumentPortion.java b/src/main/java/writer2latex/latex/LaTeXDocumentPortion.java deleted file mode 100644 index 7780147..0000000 --- a/src/main/java/writer2latex/latex/LaTeXDocumentPortion.java +++ /dev/null @@ -1,242 +0,0 @@ -/************************************************************************ - * - * LaTeXDocumentPortion.java - * - * Copyright: 2002-2014 by Henrik Just - * - * This file is part of Writer2LaTeX. - * - * Writer2LaTeX is free software: you can redistribute it and/or modify - * it under the terms of the GNU General Public License as published by - * the Free Software Foundation, either version 3 of the License, or - * (at your option) any later version. - * - * Writer2LaTeX is distributed in the hope that it will be useful, - * but WITHOUT ANY WARRANTY; without even the implied warranty of - * MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the - * GNU General Public License for more details. - * - * You should have received a copy of the GNU General Public License - * along with Writer2LaTeX. If not, see . - * - * Version 1.4 (2014-09-19) - * - */ - -package writer2latex.latex; - -import java.io.OutputStreamWriter; -import java.io.IOException; -import java.util.Vector; - -import writer2latex.util.Misc; - -/** This class represents a portion of a LaTeX document. A portion is any -number of lines, and may include subportions. */ -public class LaTeXDocumentPortion { - - private Vector nodes; // The collection of all nodes in this portion - - private StringBuilder curText; // The currently active node (always the last node) - private boolean bEmpty; // Is the active node empty? - - private boolean bWrap; // Do we allow line wrap in this portion? - - /** Construct a new empty LaTeXDocumentPortion - * - * @param bWrap set to true if lines may be wrapped on writing - */ - public LaTeXDocumentPortion(boolean bWrap){ - this.bWrap = bWrap; - nodes = new Vector(); - curText = new StringBuilder(); - bEmpty = true; - } - - /** Add another portion to the end of this portion - * - * @param ldp The LaTeXDocuemtPortion to add - * @return a reference to this LaTeXDocumentPortion (not the appended one) - */ - public LaTeXDocumentPortion append(LaTeXDocumentPortion ldp) { - if (!bEmpty) { - // add the current node to the node list and create new current node - nodes.add(curText); - curText = new StringBuilder(); - bEmpty = true; - } - nodes.add(ldp); - return this; - } - - /** Add a string to the end of this portion - * - * @param s the string to add - * @return a reference to this LaTeXDocumentPortion - */ - public LaTeXDocumentPortion append(String s){ - curText.append(s); - bEmpty = false; // even if this is the empty string! - return this; - } - - /** Add an integer to the end of this portion - * - * @param n the integer to add - * @return a reference to this LaTeXDocumentPortion - */ - public LaTeXDocumentPortion append(int n){ - curText.append(n); - bEmpty = false; - return this; - } - - /** Add a newline to the end of this portion - * - * @return a reference to this LaTeXDocumentPortion - */ - public LaTeXDocumentPortion nl(){ - curText.append("\n"); - bEmpty = false; - return this; - } - - /** write a segment of text (eg. a word) to the output */ - private void writeSegment(String s, int nStart, int nEnd, OutputStreamWriter osw) throws IOException { - for (int i=nStart; inLineLen) { - // break line before this segment - osw.write(sNewline); - nCurLineLen = nSegmentLen; - } - else { - // segment fits in current line - osw.write(" "); - nCurLineLen += nSegmentLen; - } - writeSegment(s,nBreakPoints[i]+1,nBreakPoints[i+1],osw); - } - osw.write(sNewline); - nStart = nNewline+1; - } - } - - /** write the contents of a StringBuilder to the output without wrap */ - private void writeBuffer(StringBuilder text, OutputStreamWriter osw, String sNewline) throws IOException { - String s = text.toString(); - int nLen = s.length(); - - int nStart = 0; - - while (nStartOutputStreamWriter to write to - * @param nLineLen the line length after which automatic line breaks should occur if allowed (nLineLen=0 means no wrap) - * @param sNewline the newline character(s) to use - * @throws IOException if an exception occurs writing to to osw - */ - public void write(OutputStreamWriter osw, int nLineLen, String sNewline) throws IOException { - int n = nodes.size(); - for (int i=0; i0) { - writeBuffer((StringBuilder) nodes.get(i),osw,nLineLen,sNewline); - } - else { - writeBuffer((StringBuilder) nodes.get(i),osw,sNewline); - } - } - if (!bEmpty) { // write current node as well - if (bWrap && nLineLen>0) { - writeBuffer(curText,osw,nLineLen,sNewline); - } - else { - writeBuffer(curText,osw,sNewline); - } - } - } - - /** Return the content of this LaTeXDocumentPortion as a string - * - * @return a string representation of the LaTeXDocumentPortion - */ - public String toString() { - StringBuilder buf = new StringBuilder(); - int n = nodes.size(); - for (int i=0; i. - * - * Version 1.6 (2015-04-14) - * - */ -package writer2latex.latex; - -import java.util.Hashtable; - -import org.w3c.dom.Element; -import org.w3c.dom.Node; -import org.w3c.dom.NodeList; - -import writer2latex.latex.util.BeforeAfter; -import writer2latex.latex.util.Context; -import writer2latex.office.ListStyle; -import writer2latex.office.OfficeReader; -import writer2latex.office.XMLString; -import writer2latex.util.Calc; -import writer2latex.util.Misc; - -public class ListConverter extends StyleConverter { - boolean bNeedSaveEnumCounter = false; - private Hashtable listStyleLevelNames = new Hashtable(); - - - /** Construct a new ListConverter - */ - public ListConverter(OfficeReader ofr, LaTeXConfig config, ConverterPalette palette) { - super(ofr,config,palette); - } - - @Override public void appendDeclarations(LaTeXDocumentPortion pack, LaTeXDocumentPortion decl) { - if (config.formatting()>=LaTeXConfig.CONVERT_MOST || !styleNames.isEmpty()) { - decl.append("% List styles").nl(); - // May need an extra counter to handle continued numbering in lists - if (bNeedSaveEnumCounter) { - decl.append("\\newcounter{saveenum}").nl(); - } - // If we export formatting, we need some hooks from lists to paragraphs: - if (config.formatting()>=LaTeXConfig.CONVERT_MOST) { - decl.append("\\newcommand\\writerlistleftskip{}").nl() - .append("\\newcommand\\writerlistparindent{}").nl() - .append("\\newcommand\\writerlistlabel{}").nl() - .append("\\newcommand\\writerlistremovelabel{") - .append("\\aftergroup\\let\\aftergroup\\writerlistparindent\\aftergroup\\relax") - .append("\\aftergroup\\let\\aftergroup\\writerlistlabel\\aftergroup\\relax}").nl(); - } - super.appendDeclarations(pack,decl); - } - } - - /**

    Process a list (text:ordered-lst or text:unordered-list tag)

    - * @param node The element containing the list - * @param ldp the LaTeXDocumentPortion to which - * LaTeX code should be added - * @param oc the current context - */ - public void handleList(Element node, LaTeXDocumentPortion ldp, Context oc) { - // Set up new context - Context ic = (Context) oc.clone(); - ic.incListLevel(); - if ("true".equals(node.getAttribute(XMLString.TEXT_CONTINUE_NUMBERING))) { ic.setInContinuedList(true); } - - // Get the style name, if we don't know it already - if (ic.getListStyleName()==null) { - ic.setListStyleName(node.getAttribute(XMLString.TEXT_STYLE_NAME)); - } - - // Use the style to determine the type of list - ListStyle style = ofr.getListStyle(ic.getListStyleName()); - boolean bOrdered = style!=null && style.isNumber(ic.getListLevel()); - - // If the list contains headings, ignore it! - if (ic.isIgnoreLists() || listContainsHeadings(node)) { - ic.setIgnoreLists(true); - traverseList(node,ldp,ic); - return; - } - - // Apply the style - BeforeAfter ba = new BeforeAfter(); - applyListStyle(bOrdered,ba,ic); - - // Export the list - if (ba.getBefore().length()>0) { ldp.append(ba.getBefore()).nl(); } - traverseList(node,ldp,ic); - if (ba.getAfter().length()>0) { ldp.append(ba.getAfter()).nl(); } - } - - /* - * Process the contents of a list - */ - private void traverseList (Element node, LaTeXDocumentPortion ldp, Context oc) { - if (node.hasChildNodes()) { - NodeList list = node.getChildNodes(); - int nLen = list.getLength(); - - for (int i = 0; i < nLen; i++) { - Node child = list.item(i); - - if (child.getNodeType() == Node.ELEMENT_NODE) { - String nodeName = child.getNodeName(); - - palette.getInfo().addDebugInfo((Element)child,ldp); - - if (nodeName.equals(XMLString.TEXT_LIST_ITEM)) { - handleListItem((Element)child,ldp,oc); - } - if (nodeName.equals(XMLString.TEXT_LIST_HEADER)) { - handleListItem((Element)child,ldp,oc); - } - } - } - } - } - - private void handleListItem(Element node, LaTeXDocumentPortion ldp, Context oc) { - // Are we ignoring this list? - if (oc.isIgnoreLists()) { - palette.getBlockCv().traverseBlockText(node,ldp,oc); - return; - } - - // Apply the style - BeforeAfter ba = new BeforeAfter(); - applyListItemStyle( - oc.getListStyleName(), oc.getListLevel(), - node.getNodeName().equals(XMLString.TEXT_LIST_HEADER), - "true".equals(node.getAttribute(XMLString.TEXT_RESTART_NUMBERING)), - Misc.getPosInteger(node.getAttribute(XMLString.TEXT_START_VALUE),1)-1, - ba,oc); - - // export the list item (note the special treatment of lists in tables) - if (ba.getBefore().length()>0) { - ldp.append(ba.getBefore()); - if (config.formatting()>=LaTeXConfig.CONVERT_MOST && !oc.isInTable()) { ldp.nl(); } - } - palette.getBlockCv().traverseBlockText(node,ldp,oc); - if (ba.getAfter().length()>0 || oc.isInTable()) { ldp.append(ba.getAfter()).nl(); } - } - - /* - * Helper: Check to see, if this list contains headings - * (in that case we will ignore the list!) - */ - private boolean listContainsHeadings (Node node) { - if (node.hasChildNodes()) { - NodeList nList = node.getChildNodes(); - int len = nList.getLength(); - for (int i = 0; i < len; i++) { - Node child = nList.item(i); - if (child.getNodeType() == Node.ELEMENT_NODE) { - String nodeName = child.getNodeName(); - if (nodeName.equals(XMLString.TEXT_LIST_ITEM)) { - if (listItemContainsHeadings(child)) return true; - } - if (nodeName.equals(XMLString.TEXT_LIST_HEADER)) { - if (listItemContainsHeadings(child)) return true; - } - } - } - } - return false; - } - - private boolean listItemContainsHeadings(Node node) { - if (node.hasChildNodes()) { - NodeList nList = node.getChildNodes(); - int len = nList.getLength(); - for (int i = 0; i < len; i++) { - Node child = nList.item(i); - if (child.getNodeType() == Node.ELEMENT_NODE) { - String nodeName = child.getNodeName(); - if(nodeName.equals(XMLString.TEXT_H)) { - return true; - } - if (nodeName.equals(XMLString.TEXT_LIST)) { - if (listContainsHeadings(child)) return true; - } - if (nodeName.equals(XMLString.TEXT_ORDERED_LIST)) { - if (listContainsHeadings(child)) return true; - } - if (nodeName.equals(XMLString.TEXT_UNORDERED_LIST)) { - if (listContainsHeadings(child)) return true; - } - } - } - } - return false; - } - - // Convert style information - /**

    Apply a list style to an ordered or unordered list.

    */ - private void applyListStyle(boolean bOrdered, BeforeAfter ba, Context oc) { - // Step 1. We may have a style map, this always takes precedence - String sDisplayName = ofr.getListStyles().getDisplayName(oc.getListStyleName()); - if (config.getListStyleMap().contains(sDisplayName)) { - ba.add(config.getListStyleMap().getBefore(sDisplayName), - config.getListStyleMap().getAfter(sDisplayName)); - return; - } - // Step 2: The list style may not exist, or the user wants to ignore it. - // In this case we create default lists - ListStyle style = ofr.getListStyle(oc.getListStyleName()); - if (style==null || config.formatting()<=LaTeXConfig.IGNORE_MOST) { - if (oc.getListLevel()<=4) { - if (bOrdered) { - ba.add("\\begin{enumerate}","\\end{enumerate}"); - } - else { - ba.add("\\begin{itemize}","\\end{itemize}"); - } - } - return; - } - // Step 3: Export as default lists, but redefine labels - // (for list in tables this is the maximum formatting we export) - if (config.formatting()==LaTeXConfig.CONVERT_BASIC || - (config.formatting()>=LaTeXConfig.CONVERT_MOST && oc.isInTable())) { - if (oc.getListLevel()==1) { - if (!listStyleLevelNames.containsKey(oc.getListStyleName())) { - createListStyleLabels(oc.getListStyleName()); - } - ba.add("\\liststyle"+styleNames.addToExport(getDisplayName(oc.getListStyleName()))+"\n",""); - } - if (oc.getListLevel()<=4) { - String sCounterName = listStyleLevelNames.get(oc.getListStyleName())[oc.getListLevel()]; - if (oc.isInContinuedList() && style.isNumber(oc.getListLevel())) { - bNeedSaveEnumCounter = true; - ba.add("\\setcounter{saveenum}{\\value{"+sCounterName+"}}\n",""); - } - if (bOrdered) { - ba.add("\\begin{enumerate}","\\end{enumerate}"); - } - else { - ba.add("\\begin{itemize}","\\end{itemize}"); - } - if (oc.isInContinuedList() && style.isNumber(oc.getListLevel())) { - ba.add("\n\\setcounter{"+sCounterName+"}{\\value{saveenum}}",""); - } - } - return; - } - // Step 4: Export with formatting, as "Writer style" custom lists - if (oc.getListLevel()<=4) { // TODO: Max level should not be fixed - if (!styleNames.containsName(getDisplayName(oc.getListStyleName()))) { - createListStyle(oc.getListStyleName()); - } - String sTeXName="list"+styleNames.addToExport(getDisplayName(oc.getListStyleName())) - +"level"+Misc.int2roman(oc.getListLevel()); - if (!oc.isInContinuedList() && style.isNumber(oc.getListLevel())) { - int nStartValue = Misc.getPosInteger(style.getLevelProperty(oc.getListLevel(),XMLString.TEXT_START_VALUE),1)-1; - // Note that we need a blank line after certain constructions to get proper indentation - ba.add("\n\\setcounter{"+sTeXName+"}{"+Integer.toString(nStartValue)+"}\n",""); - } - ba.add("\\begin{"+sTeXName+"}","\\end{"+sTeXName+"}"); - } - } - - /**

    Apply a list style to a list item.

    */ - private void applyListItemStyle(String sStyleName, int nLevel, boolean bHeader, - boolean bRestart, int nStartValue, BeforeAfter ba, Context oc) { - // Step 1. We may have a style map, this always takes precedence - String sDisplayName = ofr.getListStyles().getDisplayName(sStyleName); - if (config.getListItemStyleMap().contains(sDisplayName)) { - ba.add(config.getListItemStyleMap().getBefore(sDisplayName), - config.getListItemStyleMap().getAfter(sDisplayName)); - return; - } - // Step 2: The list style may not exist, or the user wants to ignore it. - // In this case we create default lists - ListStyle style = ofr.getListStyle(sStyleName); - if (style==null || config.formatting()<=LaTeXConfig.IGNORE_MOST) { - if (nLevel<=4) { - if (bHeader) { ba.add("\\item[] ",""); } - else { ba.add("\\item ",""); } - } - return; - } - // Step 3: Export as default lists (with redefined labels) - // (for list in tables this is the maximum formatting we export) - if (config.formatting()==LaTeXConfig.CONVERT_BASIC || - (config.formatting()>=LaTeXConfig.CONVERT_MOST && oc.isInTable())) { - if (nLevel<=4) { - if (bHeader) { - ba.add("\\item[] ",""); - } - else if (bRestart && style.isNumber(nLevel)) { - ba.add("\n\\setcounter{enum"+Misc.int2roman(nLevel) - +"}{"+(nStartValue-1)+"}\n\\item ",""); - } - else { - ba.add("\\item ",""); - } - } - return; - } - // Step 4: Export with formatting, as "Writer style" custom lists - if (nLevel<=4 && !bHeader) { // TODO: Max level should not be fixed - String sTeXName="list"+styleNames.addToExport(getDisplayName(sStyleName)) - +"level"+Misc.int2roman(nLevel); - if (bRestart && style.isNumber(nLevel)) { - ba.add("\\setcounter{"+sTeXName+"}{"+(nStartValue-1)+"}\n",""); - } - ba.add("\\item ",""); - } - } - - - /**

    Create labels for default lists (enumerate/itemize) based on - * a List Style - */ - private void createListStyleLabels(String sStyleName) { - String sTeXName = styleNames.addToExport(getDisplayName(sStyleName)); - declarations.append("\\newcommand\\liststyle") - .append(sTeXName).append("{%").nl(); - ListStyle style = ofr.getListStyle(sStyleName); - int nEnum = 0; - int nItem = 0; - String sName[] = new String[5]; - for (int i=1; i<=4; i++) { - if (style.isNumber(i)) { sName[i]="enum"+Misc.int2roman(++nEnum); } - else { sName[i]="item"+Misc.int2roman(++nItem); } - } - listStyleLevelNames.put(sStyleName, sName); - createLabels(style, sName, 4, false, true, false, declarations); - declarations.append("}").nl(); - } - - /**

    Create "Writer style" lists based on a List Style. -

    A list in writer is really a sequence of numbered paragraphs, so - this is also how we implement it in LaTeX. - The enivronment + redefined \item defines three hooks: - \writerlistleftskip, \writerlistparindent, \writerlistlabel - which are used by exported paragraph styles to apply numbering. - */ - private void createListStyle(String sStyleName) { - ListStyle style = ofr.getListStyle(sStyleName); - - // Create labels - String sTeXName = styleNames.addToExport(getDisplayName(sStyleName)); - String[] sLevelName = new String[5]; - for (int i=1; i<=4; i++) { - sLevelName[i]="list"+sTeXName+"level"+Misc.int2roman(i); - } - createLabels(style,sLevelName,4,true,false,true,declarations); - - // Create environments - for (int i=1; i<=4; i++) { - // The alignment of the label works the same for old and new format - String sTextAlign = style.getLevelStyleProperty(i,XMLString.FO_TEXT_ALIGN); - String sAlignmentChar = "l"; // start (or left) is default - if (sTextAlign!=null) { - if ("end".equals(sTextAlign)) { sAlignmentChar="r"; } - else if ("right".equals(sTextAlign)) { sAlignmentChar="r"; } - else if ("center".equals(sTextAlign)) { sAlignmentChar="c"; } - } - - if (style.isNewType(i)) { - // The new type from ODT 1.2 is somewhat weird; we take it step by step - - // Fist the list style defines a left margin (leftskip) and a first line indent (parindent) - // to *replace* the values from the paragraph style - String sMarginLeft = style.getLevelStyleProperty(i, XMLString.FO_MARGIN_LEFT); - if (sMarginLeft==null) { sMarginLeft = "0cm"; } - String sTextIndent = style.getLevelStyleProperty(i, XMLString.FO_TEXT_INDENT); - if (sTextIndent==null) { sTextIndent = "0cm"; } - - // Generate the LaTeX code to replace these values - String sDefWriterlistleftskip = "\\def\\writerlistleftskip{\\setlength\\leftskip{"+sMarginLeft+"}}"; - String sDefWriterlistparindent = "\\def\\writerlistparindent{\\setlength\\parindent{"+sTextIndent+"}}"; - - // Next we have three types of label format: listtab, space, nothing - String sFormat = style.getLevelStyleProperty(i, XMLString.TEXT_LABEL_FOLLOWED_BY); - - // Generate LaTeX code to typeset the label, followed by a space character if required - String sTheLabel = "\\label"+sLevelName[i]+("space".equals(sFormat) ? "\\ " : ""); - - if ("listtab".equals(sFormat) || sAlignmentChar=="r") { - // In these cases we typeset the label aligned at a zero width box (rather than as an integrated part of the text) - sTheLabel = "\\makebox[0cm][" + sAlignmentChar + "]{"+sTheLabel+"}"; - - if ("listtab".equals(sFormat)) { - // In the tab case we must the calculate the hspace to put *after* the zero width box - // This defines the position of an additional tab stop, which really means the start position of the text *after* the label - String sTabPos = style.getLevelStyleProperty(i, XMLString.TEXT_LIST_TAB_STOP_POSITION); - if (sTabPos==null) { sTabPos = "0cm"; } - sTheLabel += "\\hspace{"+Calc.sub(sTabPos, Calc.add(sMarginLeft, sTextIndent))+"}"; - } - } - - // We are now ready to declare the list style - declarations.append("\\newenvironment{").append(sLevelName[i]).append("}{") - // Initialize hooks - .append(sDefWriterlistleftskip) - .append("\\def\\writerlistparindent{}") - .append("\\def\\writerlistlabel{}") - // Redefine \item - .append("\\def\\item{") - // The new parindent is the position of the label - .append(sDefWriterlistparindent) - .append("\\def\\writerlistlabel{"); - if (style.isNumber(i)) { - declarations.append("\\stepcounter{").append(sLevelName[i]).append("}"); - } - declarations.append(sTheLabel).append("\\writerlistremovelabel}}}{}").nl(); - } - else { - String sSpaceBefore = getLength(style,i,XMLString.TEXT_SPACE_BEFORE); - String sLabelWidth = getLength(style,i,XMLString.TEXT_MIN_LABEL_WIDTH); - String sLabelDistance = getLength(style,i,XMLString.TEXT_MIN_LABEL_DISTANCE); - declarations - .append("\\newenvironment{") - .append(sLevelName[i]).append("}{") - .append("\\def\\writerlistleftskip{\\addtolength\\leftskip{") - .append(Calc.add(sSpaceBefore,sLabelWidth)).append("}}") - .append("\\def\\writerlistparindent{}") - .append("\\def\\writerlistlabel{}"); - // Redefine \item - declarations - .append("\\def\\item{") - .append("\\def\\writerlistparindent{\\setlength\\parindent{") - .append("-").append(sLabelWidth).append("}}") - .append("\\def\\writerlistlabel{"); - if (style.isNumber(i)) { - declarations.append("\\stepcounter{") - .append(sLevelName[i]).append("}"); - } - declarations - .append("\\makebox[").append(sLabelWidth).append("][") - .append(sAlignmentChar).append("]{") - .append("\\label").append(sLevelName[i]).append("}") - .append("\\hspace{").append(sLabelDistance).append("}") - .append("\\writerlistremovelabel}}}{}").nl(); - } - } - } - - /**

    Create LaTeX list labels from an OOo list style. Examples:

    - *

    Bullets:

    - *
    \newcommand\labelliststylei{\textbullet}
    -	 *  \newcommand\labelliststyleii{*}
    -	 *  \newcommand\labelliststyleiii{\textstylebullet{>}}
    - *

    Numbering:

    - *
    \newcounter{liststylei}
    -	 *  \newcounter{liststyleii}[liststylei]
    -	 *  \newcounter{liststyleiii}[liststyleii]
    -	 *  \renewcommand\theliststylei{\Roman{liststylei}}
    -	 *  \renewcommand\theliststyleii{\Roman{liststylei}.\arabic{liststyleii}}
    -	 *  \renewcommand\theliststyleiii{\alph{liststyleiii}}
    -	 *  \newcommand\labelliststylei{\textstylelabel{\theliststylei .}}
    -	 *  \newcommand\labelliststyleii{\textstylelabel{\theliststyleii .}}
    -	 *  \newcommand\labelliststyleiii{\textstylelabel{\theliststyleiii )}}
    - * - * @param style the OOo list style to use - * @param sName an array of label basenames to use - * @param nMaxLevel the highest level in this numbering - * @param bDeclareCounters true if counters should be declared (they may - * exist already, eg. "section", "subsection"... or "enumi", "enumii"... - * @param bRenewLabels true if labels should be defined with \renewcommand - * @param bUseTextStyle true if labels should be formatted with the associated text style - * (rather than \newcommand). - * @param ldp the LaTeXDocumentPortion to add LaTeX code to. - */ - private void createLabels(ListStyle style, String[] sName, int nMaxLevel, - boolean bDeclareCounters, boolean bRenewLabels, - boolean bUseTextStyle, LaTeXDocumentPortion ldp) { - // Declare counters if required (eg. "\newcounter{countername1}[countername2]") - if (bDeclareCounters) { - int j = 0; - for (int i=1; i<=nMaxLevel; i++) { - if (style.isNumber(i)) { - ldp.append("\\newcounter{").append(sName[i]).append("}"); - if (j>0) { ldp.append("[").append(sName[j]).append("]"); } - ldp.nl(); - j = i; - } - } - } - // Create numbering for each level (eg. "\arabic{countername}") - String[] sNumFormat = new String[nMaxLevel+1]; - for (int i=1; i<=nMaxLevel; i++) { - String s = numFormat(style.getLevelProperty(i,XMLString.STYLE_NUM_FORMAT)); - if (s==null) { sNumFormat[i]=""; } - else { sNumFormat[i] = s + "{" + sName[i] + "}"; } - } - // Create numberings (ie. define "\thecountername"): - for (int i=1; i<=nMaxLevel; i++) { - if (style.isNumber(i)) { - ldp.append("\\renewcommand\\the").append(sName[i]).append("{"); - int nLevels = Misc.getPosInteger(style.getLevelProperty(i,XMLString.TEXT_DISPLAY_LEVELS),1); - for (int j=i-nLevels+1; j. - * - * Version 1.4 (2014-09-03) - * - */ - -package writer2latex.latex; - - -import java.util.Map; - -import org.w3c.dom.Document; -import org.w3c.dom.Element; -import org.w3c.dom.Node; -import org.w3c.dom.NodeList; - -import writer2latex.base.ConverterBase.TexMathsStyle; -import writer2latex.office.EmbeddedObject; -import writer2latex.office.EmbeddedXMLObject; -import writer2latex.office.MIMETypes; -import writer2latex.office.OfficeReader; -import writer2latex.office.StyleWithProperties; -import writer2latex.office.TableReader; -import writer2latex.office.XMLString; -import writer2latex.util.Misc; - -/** - * This ConverterHelper converts mathematical content to LaTeX. - * It works slightly different than the other helpers: A number of elements may or may not - * have content that should be converted to math. Thus the methods offered first examines - * the content. If it turns out to be a mathematical formula, it is converted. Otherwise - * nothing is done, and the method returns false. - * Mathematical content may be MathML (with StarMath annotation), TexMaths or (the now obsolete) OOoLaTeX - */ -public final class MathConverter extends ConverterHelper { - - private StarMathConverter smc; - - private boolean bContainsFormulas = false; - private boolean bAddParAfterDisplay = false; - - private boolean bNeedTexMathsPreamble = false; - private boolean bNeedOOoLaTeXPreamble = false; - - private Element theEquation = null; - private Element theSequence = null; - - public MathConverter(OfficeReader ofr,LaTeXConfig config, ConverterPalette palette) { - super(ofr,config,palette); - smc = new StarMathConverter(palette.getI18n(),config); - bAddParAfterDisplay = config.formatting()>=LaTeXConfig.CONVERT_MOST; - } - - public void appendDeclarations(LaTeXDocumentPortion pack, LaTeXDocumentPortion decl) { - if (bContainsFormulas) { - smc.appendDeclarations(pack,decl); - } - if (bNeedTexMathsPreamble) { - // The preamble may be stored as a user defined property (newline is represented as paragraph sign) - Map props = palette.getMetaData().getUserDefinedMetaData(); - if (props.containsKey("TexMathsPreamble")) { - decl.append("% TexMaths preamble\n") - .append(props.get("TexMathsPreamble").replace('\u00a7', '\n')); - } - } - if (bNeedOOoLaTeXPreamble) { - // The preamble may be stored in the description - String sDescription = palette.getMetaData().getDescription(); - int nStart = sDescription.indexOf("%%% OOoLatex Preamble %%%%%%%%%%%%%%"); - int nEnd = sDescription.indexOf("%%% End OOoLatex Preamble %%%%%%%%%%%%"); - if (nStart>-1 && nEnd>nStart) { - decl.append("% OOoLaTeX preamble").nl() - .append(sDescription.substring(nStart+37,nEnd)); - } - } - } - - - // TODO: Replace with a method "handleEquation" - public String convert(Element formula) { - // TODO: Use settings to determine display mode/text mode - // formula must be a math:math node - // First try to find a StarMath annotation - Node semantics = Misc.getChildByTagName(formula,XMLString.SEMANTICS); // Since OOo 3.2 - if (semantics==null) { - semantics = Misc.getChildByTagName(formula,XMLString.MATH_SEMANTICS); - } - if (semantics!=null) { - Node annotation = Misc.getChildByTagName(semantics,XMLString.ANNOTATION); // Since OOo 3.2 - if (annotation==null) { - annotation = Misc.getChildByTagName(semantics,XMLString.MATH_ANNOTATION); - } - if (annotation!=null) { - String sStarMath = ""; - if (annotation.hasChildNodes()) { - NodeList anl = annotation.getChildNodes(); - int nLen = anl.getLength(); - for (int i=0; iLaTeX - // XSL transformation could be used here. (Potential problem: - // OOo uses MathML 1.01, not MathML 2) - if (formula.hasChildNodes()) { - return "\\text{Warning: No StarMath annotation}"; - } - else { // empty formula - return " "; - } - - } - - /** Try to convert a draw:frame or draw:g element as an (inline) TexMaths or OOoLaTeX equation - * - * @param node the element containing the equation (draw:frame or draw:g) - * @param ldp the LaTeXDocumentPortion to contain the converted equation - * - * @return true if this elements happen to be a TexMaths equation, otherwise false - */ - public boolean handleTexMathsEquation(Element node, LaTeXDocumentPortion ldp) { - String sLaTeX = null; - Element equation = palette.getTexMathsEquation(node); - if (equation!=null) { - sLaTeX = Misc.getPCDATA(equation); - if (sLaTeX!=null) { bNeedTexMathsPreamble = true; } - } - else { // Try OOoLaTeX - // The LaTeX code is embedded in a custom style attribute: - StyleWithProperties style = ofr.getFrameStyle(Misc.getAttribute(node, XMLString.DRAW_STYLE_NAME)); - if (style!=null) { - sLaTeX = style.getProperty("OOoLatexArgs"); - if (sLaTeX!=null) { bNeedOOoLaTeXPreamble = true; } - } - } - if (sLaTeX!=null) { - // Format is XXXXX - // where X is a paragraph sign - switch (palette.getTexMathsStyle(sLaTeX)) { - case inline: - ldp.append("$").append(palette.getTexMathsEquation(sLaTeX)).append("$"); - break; - case display: - ldp.append("$\\displaystyle ").append(palette.getTexMathsEquation(sLaTeX)).append("$"); - break; - case latex: - ldp.append(palette.getTexMathsEquation(sLaTeX)); - } - return true; - } - return false; - } - - /** Try to convert a table as a display equation: - * A 1 row by 2 columns table in which each cell contains exactly one paragraph, - * the left cell contains exactly one formula and the right cell contains exactly - * one sequence number is treated as a (numbered) display equation. - * This happens to coincide with the AutoText provided with OOo Writer :-) - * @param table the table reader - * @param ldp the LaTeXDocumentPortion to contain the converted equation - * @return true if the conversion was successful, false if the table - * did not represent a display equation - */ - public boolean handleDisplayEquation(TableReader table, LaTeXDocumentPortion ldp) { - if (table.getRowCount()==1 && table.getColCount()==2 && - OfficeReader.isSingleParagraph(table.getCell(0, 0)) && OfficeReader.isSingleParagraph(table.getCell(0, 1)) ) { - // Table of the desired form - if (parseDisplayEquation(Misc.getFirstChildElement(table.getCell(0, 0))) && theEquation!=null && theSequence==null) { - // Found equation in first cell - Element myEquation = theEquation; - if (parseDisplayEquation(Misc.getFirstChildElement(table.getCell(0, 1))) && theEquation==null && theSequence!=null) { - // Found sequence in second cell - handleDisplayEquation(myEquation, theSequence, ldp); - return true; - } - } - } - return false; - } - - /**Try to convert a paragraph as a display equation: - * A paragraph which contains exactly one formula + at most one sequence - * number is treated as a display equation. Other content must be brackets - * or whitespace (possibly with formatting). - * @param node the paragraph - * @param ldp the LaTeXDocumentPortion to contain the converted equation - * @return true if the conversion was successful, false if the paragraph - * did not contain a display equation - */ - public boolean handleDisplayEquation(Element node, LaTeXDocumentPortion ldp) { - if (parseDisplayEquation(node) && theEquation!=null) { - handleDisplayEquation(theEquation, theSequence, ldp); - return true; - } - else { - return false; - } - } - - private void handleDisplayEquation(Element equation, Element sequence, LaTeXDocumentPortion ldp) { - boolean bTexMaths = equation.getTagName().equals(XMLString.SVG_DESC); - TexMathsStyle style = TexMathsStyle.inline; - String sLaTeX; - if (bTexMaths) { - // TeXMaths equation - sLaTeX = palette.getTexMathsEquation(Misc.getPCDATA(equation)); - style = palette.getTexMathsStyle(Misc.getPCDATA(equation)); - if (sLaTeX!=null) { bNeedTexMathsPreamble = true; } - } - else { - // MathML equation - sLaTeX = convert(equation); - } - if (sLaTeX!=null && !" ".equals(sLaTeX)) { // ignore empty formulas - if (!bTexMaths || style!=TexMathsStyle.latex) { - // Unfortunately we can't do numbered equations for TexMaths equations with latex style - if (sequence!=null) { - // Numbered equation - ldp.append("\\begin{equation}"); - palette.getFieldCv().handleSequenceLabel(sequence,ldp); - if (bTexMaths && style==TexMathsStyle.inline) { - ldp.append("\\textstyle "); - } - ldp.nl() - .append(sLaTeX).nl() - .append("\\end{equation}").nl(); - } - else { - // Unnumbered equation - ldp.append("\\begin{equation*}"); - if (bTexMaths && style==TexMathsStyle.inline) { - ldp.append("\\textstyle "); - } - ldp.nl() - .append(sLaTeX).nl() - .append("\\end{equation*}").nl(); - } - } - else { - ldp.append(sLaTeX).nl(); - } - if (bAddParAfterDisplay) { ldp.nl(); } - } - } - - /** Determine whether or not a paragraph contains a display equation. - * A paragraph is a display equation if it contains a single formula and no text content except whitespace - * and an optional sequence number which may be in brackets. - * As a side effect, this method keeps a reference to the equation and the sequence number - * - * @param node the paragraph - * @return true if this is a display equation - */ - private boolean parseDisplayEquation(Node node) { - theEquation = null; - theSequence = null; - return doParseDisplayEquation(node); - } - - private boolean doParseDisplayEquation(Node node) { - Node child = node.getFirstChild(); - while (child!=null) { - if (Misc.isElement(child)) { - Element elm = (Element) child; - String sName = elm.getTagName(); - // First check for MathML or TexMaths equation - Element equation = getMathmlEquation(elm); - if (equation==null) { - equation = palette.getTexMathsEquation(elm); - } - - if (equation!=null) { - if (theEquation==null) { - theEquation = equation; - } - else { // two or more equations -> not a display - return false; - } - } - else if (XMLString.TEXT_SEQUENCE.equals(sName)) { - if (theSequence==null) { - theSequence = elm; - } - else { // two sequence numbers -> not a display - return false; - } - } - else if (XMLString.TEXT_SPAN.equals(sName)) { - if (!doParseDisplayEquation(child)) { - return false; - } - } - else if (XMLString.TEXT_S.equals(sName)) { - // Spaces are allowed - } - else if (XMLString.TEXT_TAB.equals(sName)) { - // Tab stops are allowed - } - else if (XMLString.TEXT_TAB_STOP.equals(sName)) { // old - // Tab stops are allowed - } - else if (XMLString.TEXT_SOFT_PAGE_BREAK.equals(sName)) { // since ODF 1.1 - // Soft page breaks are allowed - } - else { - // Other elements -> not a display - return false; - } - } - else if (Misc.isText(child)) { - String s = child.getNodeValue(); - int nLen = s.length(); - for (int i=0; i not a display - return false; - } - } - } - child = child.getNextSibling(); - } - return true; - } - - /** Get a MathML formula from a draw:frame - * - * @param node the draw:frame - * @return the MathML element, or null if this is not a MathML formula - */ - private Element getMathmlEquation(Element node) { - if (node.getTagName().equals(XMLString.DRAW_FRAME)) { - node=Misc.getFirstChildElement(node); - } - - String sHref = Misc.getAttribute(node,XMLString.XLINK_HREF); - - if (sHref!=null) { // Embedded object in package or linked object - if (ofr.isInPackage(sHref)) { // Embedded object in package - if (sHref.startsWith("#")) { sHref=sHref.substring(1); } - if (sHref.startsWith("./")) { sHref=sHref.substring(2); } - EmbeddedObject object = palette.getEmbeddedObject(sHref); - if (object!=null) { - if (MIMETypes.MATH.equals(object.getType()) || MIMETypes.ODF.equals(object.getType())) { // Formula! - try { - Document formuladoc = ((EmbeddedXMLObject) object).getContentDOM(); - Element formula = Misc.getChildByTagName(formuladoc,XMLString.MATH); // Since OOo 3.2 - if (formula==null) { - formula = Misc.getChildByTagName(formuladoc,XMLString.MATH_MATH); - } - return formula; - } - catch (org.xml.sax.SAXException e) { - e.printStackTrace(); - } - catch (java.io.IOException e) { - e.printStackTrace(); - } - } - } - } - } - else { // flat XML, object is contained in node - Element formula = Misc.getChildByTagName(node,XMLString.MATH); // Since OOo 3.2 - if (formula==null) { - formula = Misc.getChildByTagName(node,XMLString.MATH_MATH); - } - return formula; - } - return null; - } - - -} \ No newline at end of file diff --git a/src/main/java/writer2latex/latex/NoteConverter.java b/src/main/java/writer2latex/latex/NoteConverter.java deleted file mode 100644 index 0e1ebe1..0000000 --- a/src/main/java/writer2latex/latex/NoteConverter.java +++ /dev/null @@ -1,400 +0,0 @@ -/************************************************************************ - * - * NoteConverter.java - * - * Copyright: 2002-2015 by Henrik Just - * - * This file is part of Writer2LaTeX. - * - * Writer2LaTeX is free software: you can redistribute it and/or modify - * it under the terms of the GNU General Public License as published by - * the Free Software Foundation, either version 3 of the License, or - * (at your option) any later version. - * - * Writer2LaTeX is distributed in the hope that it will be useful, - * but WITHOUT ANY WARRANTY; without even the implied warranty of - * MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the - * GNU General Public License for more details. - * - * You should have received a copy of the GNU General Public License - * along with Writer2LaTeX. If not, see . - * - * Version 1.6 (2015-04-15) - * - */ - -// TODO: Get the styles for footnotes and endnotes and use Context.resetFormattingFromStyle... - -package writer2latex.latex; - -import java.util.LinkedList; - -import org.w3c.dom.Element; -import org.w3c.dom.Node; -import org.w3c.dom.NodeList; - -import writer2latex.util.Misc; -import writer2latex.util.ExportNameCollection; -import writer2latex.office.OfficeReader; -import writer2latex.office.PropertySet; -import writer2latex.office.StyleWithProperties; -import writer2latex.office.XMLString; -import writer2latex.latex.util.BeforeAfter; -import writer2latex.latex.util.Context; - -/** - *

    This class handles conversion of footnotes and endnotes, including - * references. It takes advantage of the packages endnotes.sty - * and perpage.sty if allowed in the configuration.

    - */ -public class NoteConverter extends ConverterHelper { - - private ExportNameCollection footnotenames = new ExportNameCollection(true); - private ExportNameCollection endnotenames = new ExportNameCollection(true); - private boolean bContainsEndnotes = false; - private boolean bContainsFootnotes = false; - // Keep track of footnotes (inside minipage etc.), that should be typeset later - private LinkedList postponedFootnotes = new LinkedList(); - - public NoteConverter(OfficeReader ofr, LaTeXConfig config, ConverterPalette palette) { - super(ofr,config,palette); - } - - /**

    Append declarations needed by the NoteConverter to - * the preamble. - * @param pack the LaTeXDocumentPortion to which - * declarations of packages should be added (\\usepackage). - * @param decl the LaTeXDocumentPortion to which - * other declarations should be added. - */ - public void appendDeclarations(LaTeXDocumentPortion pack, LaTeXDocumentPortion decl) { - if (bContainsEndnotes) { pack.append("\\usepackage{endnotes}").nl(); } - if (bContainsFootnotes) convertFootnotesConfiguration(decl); - if (bContainsEndnotes) convertEndnotesConfiguration(decl); - } - - /**

    Process a footnote (text:footnote tag) - * @param node The element containing the footnote - * @param ldp the LaTeXDocumentPortion to which - * LaTeX code should be added - * @param oc the current context - */ - public void handleFootnote(Element node, LaTeXDocumentPortion ldp, Context oc) { - Context ic = (Context) oc.clone(); - ic.setInFootnote(true); - - String sId = node.getAttribute(XMLString.TEXT_ID); - Element fntbody = Misc.getChildByTagName(node,XMLString.TEXT_FOOTNOTE_BODY); - if (fntbody==null) { // try oasis - fntbody = Misc.getChildByTagName(node,XMLString.TEXT_NOTE_BODY); - } - if (fntbody != null) { - bContainsFootnotes = true; - if (ic.isNoFootnotes()) { - ldp.append("\\footnotemark{}"); - postponedFootnotes.add(fntbody); - } - else { - ldp.append("\\footnote"); - ldp.append("{"); - if (sId != null && ofr.hasFootnoteRefTo(sId)) { - ldp.append("\\label{fnt:"+footnotenames.addToExport(sId)+"}"); - } - traverseNoteBody(fntbody,ldp,ic); - ldp.append("}"); - } - } - } - - /** Do we have any pending footnotes, that may be inserted in this context? - * - * @param oc the context to verify against - * @return true if there are pending footnotes - */ - public boolean hasPendingFootnotes(Context oc) { - return !oc.isNoFootnotes() && postponedFootnotes.size()>0; - } - - /** Flush the queue of postponed footnotes */ - public void flushFootnotes(LaTeXDocumentPortion ldp, Context oc) { - // We may still be in a context with no footnotes - if (oc.isNoFootnotes()) { return; } - // Type out all postponed footnotes: - Context ic = (Context) oc.clone(); - ic.setInFootnote(true); - int n = postponedFootnotes.size(); - if (n==1) { - ldp.append("\\footnotetext{"); - traverseNoteBody(postponedFootnotes.get(0),ldp,ic); - ldp.append("}").nl(); - postponedFootnotes.clear(); - } - else if (n>1) { - // Several footnotes; have to adjust the footnote counter - ldp.append("\\addtocounter{footnote}{-"+n+"}").nl(); - for (int i=0; iProcess an endnote (text:endnote tag) - * @param node The element containing the endnote - * @param ldp the LaTeXDocumentPortion to which - * LaTeX code should be added - * @param oc the current context - */ - public void handleEndnote(Element node, LaTeXDocumentPortion ldp, Context oc) { - Context ic = (Context) oc.clone(); - ic.setInFootnote(true); - - String sId = node.getAttribute(XMLString.TEXT_ID); - Element entbody = Misc.getChildByTagName(node,XMLString.TEXT_ENDNOTE_BODY); - if (entbody==null) { // try oasis - entbody = Misc.getChildByTagName(node,XMLString.TEXT_NOTE_BODY); - } - if (entbody != null) { - if (ic.isNoFootnotes() && !config.useEndnotes()) { - ldp.append("\\footnotemark()"); - postponedFootnotes.add(entbody); - } - else { - if (config.useEndnotes()) { - ldp.append("\\endnote"); - bContainsEndnotes = true; - } - else { - ldp.append("\\footnote"); - bContainsFootnotes = true; - } - ldp.append("{"); - if (sId != null && ofr.hasEndnoteRefTo(sId)) { - ldp.append("\\label{ent:"+endnotenames.addToExport(sId)+"}"); - } - traverseNoteBody(entbody,ldp,ic); - ldp.append("}"); - } - } - } - - /**

    Insert the endnotes into the documents. - * @param ldp the LaTeXDocumentPortion to which - * the endnotes should be added. - */ - public void insertEndnotes(LaTeXDocumentPortion ldp) { - if (bContainsEndnotes) { - ldp.append("\\clearpage").nl() - .append("\\theendnotes").nl(); - } - } - - - - /**

    Process a note reference (text:note-ref tag, oasis) - * @param node The element containing the note reference - * @param ldp the LaTeXDocumentPortion to which - * LaTeX code should be added - * @param oc the current context - */ - public void handleNoteRef(Element node, LaTeXDocumentPortion ldp, Context oc) { - String sClass=node.getAttribute(XMLString.TEXT_NOTE_CLASS); - if (sClass.equals("footnote")) { handleFootnoteRef(node,ldp,oc); } - else if (sClass.equals("endnote")) { handleEndnoteRef(node,ldp,oc); } - } - - /**

    Process a footnote reference (text:footnote-ref tag) - * @param node The element containing the footnote reference - * @param ldp the LaTeXDocumentPortion to which - * LaTeX code should be added - * @param oc the current context - */ - public void handleFootnoteRef(Element node, LaTeXDocumentPortion ldp, Context oc) { - String sFormat = node.getAttribute(XMLString.TEXT_REFERENCE_FORMAT); - String sName = node.getAttribute(XMLString.TEXT_REF_NAME); - if (("page".equals(sFormat) || "".equals(sFormat)) && sName!=null) { - ldp.append("\\pageref{fnt:"+footnotenames.addToExport(sName)+"}"); - } - else if ("text".equals(sFormat) && sName!=null) { - ldp.append("\\ref{fnt:"+footnotenames.addToExport(sName)+"}"); - } - else { // use current value - palette.getInlineCv().traversePCDATA(node,ldp,oc); - } - } - - /**

    Process an endnote reference (text:endnote-ref tag) - * @param node The element containing the endnote reference - * @param ldp the LaTeXDocumentPortion to which - * LaTeX code should be added - * @param oc the current context - */ - public void handleEndnoteRef(Element node, LaTeXDocumentPortion ldp, Context oc) { - String sFormat = node.getAttribute(XMLString.TEXT_REFERENCE_FORMAT); - String sName = node.getAttribute(XMLString.TEXT_REF_NAME); - if (("page".equals(sFormat) || "".equals(sFormat)) && sName!=null) { - ldp.append("\\pageref{ent:"+endnotenames.addToExport(sName)+"}"); - } - else if ("text".equals(sFormat) && sName!=null) { - ldp.append("\\ref{ent:"+endnotenames.addToExport(sName)+"}"); - } - else { // use current value - palette.getInlineCv().traversePCDATA(node,ldp,oc); - } - } - - /**

    Add a footnote name. The method handleFootnote includes - * a \label only if the footnote name is already known to the - * NoteConverter. Hence this method is invoked by the prepass - * for each footnote reference. The end result is, that only necessary - * labels will be included. - * @param sName the name (id) of the footnote - */ - public void addFootnoteName(String sName) { footnotenames.addName(sName); } - - /**

    Add an endnote name. The method handleEndnote includes - * a \label only if the endnote name is already known to the - * NoteConverter. Hence this method is invoked by the prepass - * for each endnote reference. The end result is, that only necessary - * labels will be included. - * @param sName the name (id) of the endnote - */ - public void addEndnoteName(String sName) { endnotenames.addName(sName); } - - /* - * Process the contents of a footnote or endnote - * TODO: Merge with BlockConverter.traverseBlockText? - */ - private void traverseNoteBody (Element node, LaTeXDocumentPortion ldp, Context oc) { - if (node.hasChildNodes()) { - NodeList nList = node.getChildNodes(); - int len = nList.getLength(); - - for (int i = 0; i < len; i++) { - Node childNode = nList.item(i); - - if (childNode.getNodeType() == Node.ELEMENT_NODE) { - Element child = (Element)childNode; - String nodeName = child.getTagName(); - - palette.getInfo().addDebugInfo(child,ldp); - - // Headings inside footnotes are considere a mistake and exported as ordinary paragraphs - if (nodeName.equals(XMLString.TEXT_H) || nodeName.equals(XMLString.TEXT_P)) { - StyleWithProperties style = ofr.getParStyle(node.getAttribute(XMLString.TEXT_STYLE_NAME)); - oc.resetFormattingFromStyle(style); - palette.getInlineCv().traverseInlineText(child,ldp,oc); - if (i=LaTeXConfig.CONVERT_MOST) { - // The formatting of the {foot|end}note citation is controlled by \@make{fn|en}mark - String sCitBodyStyle = notes.getProperty(XMLString.TEXT_CITATION_BODY_STYLE_NAME); - if (sCitBodyStyle!=null && ofr.getTextStyle(sCitBodyStyle)!=null) { - BeforeAfter baText = new BeforeAfter(); - palette.getCharSc().applyTextStyle(sCitBodyStyle,baText,new Context()); - ldp.append("\\renewcommand\\@make").append(sTypeShort).append("mark{\\mbox{") - .append(baText.getBefore()) - .append("\\@the").append(sTypeShort).append("mark") - .append(baText.getAfter()) - .append("}}").nl(); - } - - // The layout and formatting of the {foot|end}note is controlled by \@make{fn|en}text - String sCitStyle = notes.getProperty(XMLString.TEXT_CITATION_STYLE_NAME); - String sStyleName = notes.getProperty(XMLString.TEXT_DEFAULT_STYLE_NAME); - if (sStyleName!=null) { - BeforeAfter baText = new BeforeAfter(); - palette.getCharSc().applyTextStyle(sCitStyle,baText,new Context()); - StyleWithProperties style = ofr.getParStyle(sStyleName); - if (style!=null) { - BeforeAfter baPar = new BeforeAfter(); - palette.getCharSc().applyHardCharFormatting(style,baPar); - ldp.append("\\renewcommand\\@make").append(sTypeShort) - .append("text[1]{\\noindent") - .append(baText.getBefore()) - .append("\\@the").append(sTypeShort).append("mark\\ ") - .append(baText.getAfter()) - .append(baPar.getBefore()) - .append("#1") - .append(baPar.getAfter()); - ldp.append("}").nl(); - } - } - } - - ldp.append("\\makeatother").nl(); - } - - -} \ No newline at end of file diff --git a/src/main/java/writer2latex/latex/Package.html b/src/main/java/writer2latex/latex/Package.html deleted file mode 100644 index 09c22a1..0000000 --- a/src/main/java/writer2latex/latex/Package.html +++ /dev/null @@ -1,16 +0,0 @@ - - - - - The package writer2latex.latex - - - -

    This package contains LaTeX specific code.

    -

    It contains a writerlatex.api.Converter implementation for -conversion into LaTeX.

    -

    Since version 1.0 you can build Writer2LaTeX without this package if you -don't need LaTeX support (in this case you can exclude writer2latex.bibtex as -well).

    - - diff --git a/src/main/java/writer2latex/latex/PageStyleConverter.java b/src/main/java/writer2latex/latex/PageStyleConverter.java deleted file mode 100644 index acf37b1..0000000 --- a/src/main/java/writer2latex/latex/PageStyleConverter.java +++ /dev/null @@ -1,596 +0,0 @@ -/************************************************************************ - * - * PageStyleConverter.java - * - * Copyright: 2002-2015 by Henrik Just - * - * This file is part of Writer2LaTeX. - * - * Writer2LaTeX is free software: you can redistribute it and/or modify - * it under the terms of the GNU General Public License as published by - * the Free Software Foundation, either version 3 of the License, or - * (at your option) any later version. - * - * Writer2LaTeX is distributed in the hope that it will be useful, - * but WITHOUT ANY WARRANTY; without even the implied warranty of - * MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the - * GNU General Public License for more details. - * - * You should have received a copy of the GNU General Public License - * along with Writer2LaTeX. If not, see . - * - * Version 1.6 (2015-04-15) - * - */ - -package writer2latex.latex; - -import java.util.Enumeration; - -import org.w3c.dom.Element; -import org.w3c.dom.Node; - -import writer2latex.util.CSVList; -import writer2latex.util.Calc; -import writer2latex.util.Misc; -import writer2latex.office.*; -import writer2latex.latex.util.BeforeAfter; -import writer2latex.latex.util.Context; - -// TODO: chngpage.sty?? - -/* This class creates LaTeX code from OOo page layouts/master pages - */ -public class PageStyleConverter extends StyleConverter { - - // Value of attribute text:display of most recent text:chapter field - // This is used to handle chaptermarks in headings - private String sChapterField1 = null; - private String sChapterField2 = null; - - // The page layout used for the page geometry - // (LaTeX only supports one page geometry per page) - private PageLayout mainPageLayout; - - /**

    Constructs a new PageStyleConverter.

    - */ - public PageStyleConverter(OfficeReader ofr, LaTeXConfig config, - ConverterPalette palette) { - super(ofr,config,palette); - // Determine the main page master - MasterPage firstMasterPage = ofr.getFirstMasterPage(); - String sPageLayoutName = null; - if (firstMasterPage!=null) { - MasterPage nextMasterPage = ofr.getMasterPage( - firstMasterPage.getProperty(XMLString.STYLE_NEXT_STYLE_NAME)); - if (nextMasterPage!=null) { - sPageLayoutName = nextMasterPage.getPageLayoutName(); - } - else { - sPageLayoutName = firstMasterPage.getPageLayoutName(); - } - } - mainPageLayout = ofr.getPageLayout(sPageLayoutName); - } - - public void appendDeclarations(LaTeXDocumentPortion pack, LaTeXDocumentPortion decl) { - if (config.useFancyhdr()) { pack.append("\\usepackage{fancyhdr}").nl(); } - // The first master page must be known - MasterPage firstMasterPage = ofr.getFirstMasterPage(); - if (firstMasterPage!=null) { - styleNames.addName(getDisplayName(firstMasterPage.getName())); - } - // Convert page geometry - convertPageMasterGeometry(pack,decl); - // Convert master pages - convertMasterPages(decl); - if (firstMasterPage!=null) { - BeforeAfter ba = new BeforeAfter(); - applyMasterPage(firstMasterPage.getName(),ba); - decl.append(ba.getBefore()); - } - - } - - public void setChapterField1(String s) { sChapterField1 = s; } - - public void setChapterField2(String s) { sChapterField2 = s; } - - public boolean isTwocolumn() { - return mainPageLayout!=null && mainPageLayout.getColCount()>1; - } - - /**

    Apply page break properties from a style.

    - * @param style the style to use - * @param bInherit true if inheritance from parent style should be used - * @param ba a BeforeAfter to put code into - */ - public void applyPageBreak(StyleWithProperties style, boolean bInherit, BeforeAfter ba) { - if (style==null) { return; } - if (style.isAutomatic() && config.ignoreHardPageBreaks()) { return; } - // A page break can be a simple page break before or after... - String s = style.getProperty(XMLString.FO_BREAK_BEFORE,bInherit); - if ("page".equals(s)) { ba.add("\\clearpage",""); } - s = style.getProperty(XMLString.FO_BREAK_AFTER,bInherit); - if ("page".equals(s)) { ba.add("","\\clearpage"); } - // ...or it can be a new master page - String sMasterPage = style.getMasterPageName(); - if (sMasterPage==null || sMasterPage.length()==0) { return; } - ba.add("\\clearpage",""); - String sPageNumber=style.getProperty(XMLString.STYLE_PAGE_NUMBER); - if (sPageNumber!=null) { - int nPageNumber = Misc.getPosInteger(sPageNumber,1); - ba.add("\\setcounter{page}{"+nPageNumber+"}",""); - } - applyMasterPage(sMasterPage,ba); - } - - /**

    Use a Master Page (pagestyle in LaTeX)

    - * @param sName name of the master page to use - * @param ba the BeforeAfter to add code to. - */ - private void applyMasterPage(String sName, BeforeAfter ba) { - if (config.pageFormatting()==LaTeXConfig.IGNORE_ALL || config.pageFormatting()==LaTeXConfig.CONVERT_GEOMETRY) return; - MasterPage style = ofr.getMasterPage(sName); - if (style==null) { return; } - String sNextName = style.getProperty(XMLString.STYLE_NEXT_STYLE_NAME); - MasterPage nextStyle = ofr.getMasterPage(sNextName); - if (style==nextStyle || nextStyle==null) { - ba.add("\\pagestyle{"+styleNames.addToExport(getDisplayName(sName))+"}\n", ""); - } - else { - ba.add("\\pagestyle{"+styleNames.addToExport(getDisplayName(sNextName))+"}\n"+ - "\\thispagestyle{"+styleNames.addToExport(getDisplayName(sName))+"}\n",""); - } - // todo: should warn the user if next master also contains a next-style-name; - // LaTeX's page style mechanism cannot handle that - } - - /* - * Process header or footer contents - */ - private void convertMasterPages(LaTeXDocumentPortion ldp) { - if (config.pageFormatting()==LaTeXConfig.IGNORE_ALL || config.pageFormatting()==LaTeXConfig.CONVERT_GEOMETRY) { return; } - - Context context = new Context(); - context.resetFormattingFromStyle(ofr.getDefaultParStyle()); - context.setInHeaderFooter(true); - - - Enumeration styles = ofr.getMasterPages().getStylesEnumeration(); - ldp.append("% Pages styles").nl(); - if (!config.useFancyhdr()) { - ldp.append("\\makeatletter").nl(); - } - while (styles.hasMoreElements()) { - MasterPage style = (MasterPage) styles.nextElement(); - String sName = style.getName(); - if (styleNames.containsName(getDisplayName(sName))) { - sChapterField1 = null; - sChapterField2 = null; - - String sPageLayout = style.getPageLayoutName(); - PageLayout pageLayout = ofr.getPageLayout(sPageLayout); - - if (config.useFancyhdr()) { - ldp.append("\\fancypagestyle{") - .append(styleNames.addToExport(getDisplayName(sName))) - .append("}{\\fancyhf{}").nl(); - // Header - odd or both - ldp.append(" \\fancyhead[") - .append(getParAlignment(style.getHeader())) - .append(style.getHeaderLeft()!=null ? "O" : "") - .append("]{"); - traverseHeaderFooter((Element)style.getHeader(),ldp,context); - ldp.append("}").nl(); - // Header - even - if (style.getHeaderLeft()!=null) { - ldp.append(" \\fancyhead[") - .append(getParAlignment(style.getHeaderLeft())) - .append("E]{"); - traverseHeaderFooter((Element)style.getHeaderLeft(),ldp,context); - ldp.append("}").nl(); - } - // Footer - odd or both - ldp.append(" \\fancyfoot[") - .append(getParAlignment(style.getFooter())) - .append(style.getFooterLeft()!=null ? "O" : "") - .append("]{"); - traverseHeaderFooter((Element)style.getFooter(),ldp,context); - ldp.append("}").nl(); - // Footer - even - if (style.getFooterLeft()!=null) { - ldp.append(" \\fancyfoot[") - .append(getParAlignment(style.getFooterLeft())) - .append("E]{"); - traverseHeaderFooter((Element)style.getFooterLeft(),ldp,context); - ldp.append("}").nl(); - } - // Rules - ldp.append(" \\renewcommand\\headrulewidth{") - .append(getBorderWidth(pageLayout,true)) - .append("}").nl() - .append(" \\renewcommand\\footrulewidth{") - .append(getBorderWidth(pageLayout,false)) - .append("}").nl(); - } - else { // use low-level page styles - ldp.append("\\newcommand\\ps@") - .append(styleNames.addToExport(getDisplayName(sName))) - .append("{").nl(); - // Header - ldp.append(" \\renewcommand\\@oddhead{"); - traverseHeaderFooter((Element)style.getHeader(),ldp,context); - ldp.append("}").nl(); - ldp.append(" \\renewcommand\\@evenhead{"); - if (style.getHeaderLeft()!=null) { - traverseHeaderFooter((Element)style.getHeaderLeft(),ldp,context); - } - else if (style.getHeader()!=null) { - ldp.append("\\@oddhead"); - } - ldp.append("}").nl(); - // Footer - ldp.append(" \\renewcommand\\@oddfoot{"); - traverseHeaderFooter((Element)style.getFooter(),ldp,context); - ldp.append("}").nl(); - ldp.append(" \\renewcommand\\@evenfoot{"); - if (style.getFooterLeft()!=null) { - traverseHeaderFooter((Element)style.getFooterLeft(),ldp,context); - } - else if (style.getFooter()!=null) { - ldp.append("\\@oddfoot"); - } - ldp.append("}").nl(); - } - - // Sectionmark and subsectionmark - if (sChapterField1!=null) { - ldp.append(" \\def\\sectionmark##1{\\markboth{"); - if ("name".equals(sChapterField1)) { ldp.append("##1"); } - else if ("number".equals(sChapterField1) || "plain-number".equals(sChapterField1)) { - ldp.append("\\thesection"); - } - else { ldp.append("\\thesection\\ ##1"); } - ldp.append("}{}}").nl(); - } - if (sChapterField2!=null) { - if (sChapterField1==null) { - ldp.append(" \\def\\sectionmark##1{\\markboth{}{}}").nl(); - } - ldp.append(" \\def\\subsectionmark##1{\\markright{"); - if ("name".equals(sChapterField2)) { ldp.append("##1"); } - else if ("number".equals(sChapterField2) || "plain-number".equals(sChapterField1)) { - ldp.append("\\thesubsection"); - } - else { ldp.append("\\thesubsection\\ ##1"); } - ldp.append("}{}}").nl(); - } - // Page number (this is the only part of the page master used in each page style) - if (pageLayout!=null) { - String sNumFormat = pageLayout.getProperty(XMLString.STYLE_NUM_FORMAT); - if (sNumFormat!=null) { - ldp.append(" \\renewcommand\\thepage{") - .append(ListConverter.numFormat(sNumFormat)) - .append("{page}}").nl(); - } - String sPageNumber = pageLayout.getProperty(XMLString.STYLE_FIRST_PAGE_NUMBER); - if (sPageNumber!=null && !sPageNumber.equals("continue")) { - ldp.append(" \\setcounter{page}{") - .append(Misc.getPosInteger(sPageNumber,0)) - .append("}").nl(); - } - } - - ldp.append("}").nl(); - } - } - if (!config.useFancyhdr()) { - ldp.append("\\makeatother").nl(); - } - } - - // Get alignment of first paragraph in node - private String getParAlignment(Node node) { - String sAlign = "L"; - if (node!=null) { - Element par = Misc.getChildByTagName(node,XMLString.TEXT_P); - if (par!=null) { - String sStyleName = Misc.getAttribute(par,XMLString.TEXT_STYLE_NAME); - StyleWithProperties style = ofr.getParStyle(sStyleName); - if (style!=null) { - String s = style.getProperty(XMLString.FO_TEXT_ALIGN); - if ("center".equals(s)) { sAlign = "C"; } - else if ("end".equals(s)) { sAlign = "R"; } - } - } - } - return sAlign; - } - - // Get border width from header/footer style - private String getBorderWidth(PageLayout style, boolean bHeader) { - if (style==null) { return "0pt"; } - String sBorder; - if (bHeader) { - sBorder = style.getHeaderProperty(XMLString.FO_BORDER_BOTTOM); - if (sBorder==null) { - sBorder = style.getHeaderProperty(XMLString.FO_BORDER); - } - } - else { - sBorder = style.getFooterProperty(XMLString.FO_BORDER_TOP); - if (sBorder==null) { - sBorder = style.getFooterProperty(XMLString.FO_BORDER); - } - } - if (sBorder!=null && !sBorder.equals("none")) { - return sBorder.substring(0,sBorder.indexOf(' ')); - } - else { - return "0pt"; - } - } - - private void traverseHeaderFooter(Element node, LaTeXDocumentPortion ldp, Context context) { - if (node==null) { return; } - // get first paragraph; all other content is ignored - Element par = Misc.getChildByTagName(node,XMLString.TEXT_P); - if (par==null) { return; } - - String sStyleName = par.getAttribute(XMLString.TEXT_STYLE_NAME); - BeforeAfter ba = new BeforeAfter(); - // Temp solution: Ignore hard formatting in header/footer (name clash problem) - // only in package format. TODO: Find a better solution! - StyleWithProperties style = ofr.getParStyle(sStyleName); - if (style!=null && (!ofr.isPackageFormat() || !style.isAutomatic())) { - palette.getCharSc().applyHardCharFormatting(style,ba); - } - - if (par.hasChildNodes()) { - ldp.append(ba.getBefore()); - palette.getInlineCv().traverseInlineText(par,ldp,context); - ldp.append(ba.getAfter()); - } - - } - - // TODO: Reenable several geometries per document?? - private void convertPageMasterGeometry(LaTeXDocumentPortion pack, LaTeXDocumentPortion ldp) { - if (config.pageFormatting()!=LaTeXConfig.CONVERT_ALL && config.pageFormatting()!=LaTeXConfig.CONVERT_GEOMETRY) { return; } - if (mainPageLayout==null) { return; } - - // Set global document options - if ("mirrored".equals(mainPageLayout.getPageUsage())) { - palette.addGlobalOption("twoside"); - } - if (isTwocolumn()) { - palette.addGlobalOption("twocolumn"); - } - - // Collect all page geometry - // 1. Page size - String sPaperHeight = mainPageLayout.getAbsoluteProperty(XMLString.FO_PAGE_HEIGHT); - String sPaperWidth = mainPageLayout.getAbsoluteProperty(XMLString.FO_PAGE_WIDTH); - // 2. Margins - String sMarginTop = mainPageLayout.getAbsoluteProperty(XMLString.FO_MARGIN_TOP); - String sMarginBottom = mainPageLayout.getAbsoluteProperty(XMLString.FO_MARGIN_BOTTOM); - String sMarginLeft = mainPageLayout.getAbsoluteProperty(XMLString.FO_MARGIN_LEFT); - String sMarginRight = mainPageLayout.getAbsoluteProperty(XMLString.FO_MARGIN_RIGHT); - // 3. Header+footer dimensions - String sHeadHeight = "0cm"; - String sHeadSep = "0cm"; - String sFootHeight = "0cm"; - String sFootSep = "0cm"; - boolean bIncludeHead = false; - boolean bIncludeFoot = false; - // Look through all applied page layouts and use largest heights - Enumeration masters = ofr.getMasterPages().getStylesEnumeration(); - while (masters.hasMoreElements()) { - MasterPage master = (MasterPage) masters.nextElement(); - if (styleNames.containsName(getDisplayName(master.getName()))) { - PageLayout layout = ofr.getPageLayout(master.getPageLayoutName()); - if (layout!=null) { - if (layout.hasHeaderStyle()) { - String sThisHeadHeight = layout.getHeaderProperty(XMLString.FO_MIN_HEIGHT); - if (sThisHeadHeight!=null && Calc.isLessThan(sHeadHeight,sThisHeadHeight)) { - sHeadHeight = sThisHeadHeight; - } - String sThisHeadSep = layout.getHeaderProperty(XMLString.FO_MARGIN_BOTTOM); - if (sThisHeadSep!=null && Calc.isLessThan(sHeadSep,sThisHeadSep)) { - sHeadSep = sThisHeadSep; - } - bIncludeHead = true; - } - if (layout.hasFooterStyle()) { - String sThisFootHeight = layout.getFooterProperty(XMLString.FO_MIN_HEIGHT); - if (sThisFootHeight!=null && Calc.isLessThan(sFootHeight,sThisFootHeight)) { - sFootHeight = sThisFootHeight; - } - String sThisFootSep = layout.getFooterProperty(XMLString.FO_MARGIN_TOP); - if (sThisFootSep!=null && Calc.isLessThan(sFootSep,sThisFootSep)) { - sFootSep = sThisFootSep; - } - bIncludeFoot = true; - } - } - } - } - // Define 12pt as minimum height (the source may specify 0pt..) - if (bIncludeHead && Calc.isLessThan(sHeadHeight,"12pt")) { - sHeadHeight = "12pt"; - } - if (bIncludeFoot && Calc.isLessThan(sFootHeight,"12pt")) { - sFootHeight = "12pt"; - } - - String sFootSkip = Calc.add(sFootHeight,sFootSep); - - if (config.useGeometry()) { - // Set up options for geometry.sty - CSVList props = new CSVList(","); - if (!standardPaperSize(sPaperWidth,sPaperHeight)) { - props.addValue("paperwidth="+sPaperWidth); - props.addValue("paperheight="+sPaperHeight); - } - props.addValue("top="+sMarginTop); - props.addValue("bottom="+sMarginBottom); - props.addValue("left="+sMarginLeft); - props.addValue("right="+sMarginRight); - if (bIncludeHead) { - props.addValue("includehead"); - props.addValue("head="+sHeadHeight); - props.addValue("headsep="+sHeadSep); - } - else { - props.addValue("nohead"); - } - if (bIncludeFoot) { - props.addValue("includefoot"); - props.addValue("foot="+sFootHeight); - props.addValue("footskip="+sFootSkip); - } - else { - props.addValue("nofoot"); - } - // Use the package - pack.append("\\usepackage[").append(props.toString()).append("]{geometry}").nl(); - - } - else { - // Calculate text height and text width - String sTextHeight = Calc.sub(sPaperHeight,sMarginTop); - sTextHeight = Calc.sub(sTextHeight,sHeadHeight); - sTextHeight = Calc.sub(sTextHeight,sHeadSep); - sTextHeight = Calc.sub(sTextHeight,sFootSkip); - sTextHeight = Calc.sub(sTextHeight,sMarginBottom); - String sTextWidth = Calc.sub(sPaperWidth,sMarginLeft); - sTextWidth = Calc.sub(sTextWidth,sMarginRight); - - ldp.append("% Page layout (geometry)").nl(); - - // Page dimensions - if (!standardPaperSize(sPaperWidth,sPaperHeight)) { - ldp.append("\\setlength\\paperwidth{").append(sPaperWidth).append("}").nl() - .append("\\setlength\\paperheight{").append(sPaperHeight).append("}").nl(); - } - - // PDF page dimensions, only if hyperref.sty is not loaded - if (config.getBackend()==LaTeXConfig.PDFTEX && !config.useHyperref()) { - ldp.append("\\setlength\\pdfpagewidth{").append(sPaperWidth).append("}").nl() - .append("\\setlength\\pdfpageheight{").append(sPaperHeight).append("}").nl(); - } - - // Page starts in upper left corner of paper!! - ldp.append("\\setlength\\voffset{-1in}").nl() - .append("\\setlength\\hoffset{-1in}").nl(); - - // Margins - ldp.append("\\setlength\\topmargin{").append(sMarginTop).append("}").nl() - .append("\\setlength\\oddsidemargin{").append(sMarginLeft).append("}").nl(); - // Left margin for even (left) pages; only for mirrored page master - if ("mirrored".equals(mainPageLayout.getPageUsage())) { - ldp.append("\\setlength\\evensidemargin{").append(sMarginRight).append("}").nl(); - } - - // Text size (sets bottom and right margins indirectly) - ldp.append("\\setlength\\textheight{").append(sTextHeight).append("}").nl(); - ldp.append("\\setlength\\textwidth{").append(sTextWidth).append("}").nl(); - - // Header and footer - ldp.append("\\setlength\\footskip{").append(sFootSkip).append("}").nl(); - ldp.append("\\setlength\\headheight{").append(sHeadHeight).append("}").nl(); - ldp.append("\\setlength\\headsep{").append(sHeadSep).append("}").nl(); - } - - // Footnote rule - // TODO: Support alignment. - String sAdjustment = mainPageLayout.getFootnoteProperty(XMLString.STYLE_ADJUSTMENT); - String sBefore = mainPageLayout.getFootnoteProperty(XMLString.STYLE_DISTANCE_BEFORE_SEP); - if (sBefore==null) { sBefore = "1mm"; } - String sAfter = mainPageLayout.getFootnoteProperty(XMLString.STYLE_DISTANCE_AFTER_SEP); - if (sAfter==null) { sAfter = "1mm"; } - String sHeight = mainPageLayout.getFootnoteProperty(XMLString.STYLE_WIDTH); - if (sHeight==null) { sHeight = "0.2mm"; } - String sWidth = mainPageLayout.getFootnoteProperty(XMLString.STYLE_REL_WIDTH); - if (sWidth==null) { sWidth = "25%"; } - sWidth=Float.toString(Calc.getFloat(sWidth.substring(0,sWidth.length()-1),1)/100); - BeforeAfter baColor = new BeforeAfter(); - String sColor = mainPageLayout.getFootnoteProperty(XMLString.STYLE_COLOR); - palette.getColorCv().applyColor(sColor,false,baColor,new Context()); - - String sSkipFootins = Calc.add(sBefore,sHeight); - - ldp.append("% Footnote rule").nl() - .append("\\setlength{\\skip\\footins}{").append(sSkipFootins).append("}").nl() - .append("\\renewcommand\\footnoterule{\\vspace*{-").append(sHeight) - .append("}"); - if ("right".equals(sAdjustment)) { - ldp.append("\\setlength\\leftskip{0pt plus 1fil}\\setlength\\rightskip{0pt}"); - } - else if ("center".equals(sAdjustment)) { - ldp.append("\\setlength\\leftskip{0pt plus 1fil}\\setlength\\rightskip{0pt plus 1fil}"); - } - else { // default left - ldp.append("\\setlength\\leftskip{0pt}\\setlength\\rightskip{0pt plus 1fil}"); - } - ldp.append("\\noindent") - .append(baColor.getBefore()).append("\\rule{").append(sWidth) - .append("\\columnwidth}{").append(sHeight).append("}") - .append(baColor.getAfter()) - .append("\\vspace*{").append(sAfter).append("}}").nl(); - } - - private boolean standardPaperSize(String sWidth, String sHeight) { - if (standardPaperSize1(sWidth,sHeight)) { - return true; - } - else if (standardPaperSize1(sHeight,sWidth)) { - palette.addGlobalOption("landscape"); - return true; - } - return false; - } - - private boolean standardPaperSize1(String sWidth, String sHeight) { - // The list of known paper sizes in LaTeX's standard classes is rather short - if (compare(sWidth, "210mm", "0.5mm") && compare(sHeight, "297mm", "0.5mm")) { - palette.addGlobalOption("a4paper"); - return true; - } - else if (compare(sWidth, "148mm", "0.5mm") && compare(sHeight, "210mm", "0.5mm")) { - palette.addGlobalOption("a5paper"); - return true; - } - else if (compare(sWidth, "176mm", "0.5mm") && compare(sHeight, "250mm", "0.5mm")) { - palette.addGlobalOption("b5paper"); - return true; - } - else if (compare(sWidth, "8.5in", "0.02in") && compare(sHeight, "11in", "0.02in")) { - palette.addGlobalOption("letterpaper"); - return true; - } - else if (compare(sWidth, "8.5in", "0.02in") && compare(sHeight, "14in", "0.02in")) { - palette.addGlobalOption("legalpaper"); - return true; - } - else if (compare(sWidth, "7.25in", "0.02in") && compare(sHeight, "10.5in", "0.02in")) { - palette.addGlobalOption("executivepaper"); - return true; - } - return false; - } - - private boolean compare(String sLength1, String sLength2, String sTolerance) { - return Calc.isLessThan(Calc.abs(Calc.sub(sLength1,sLength2)),sTolerance); - } - - /* Helper: Get display name, or original name if it doesn't exist */ - private String getDisplayName(String sName) { - String sDisplayName = ofr.getMasterPages().getDisplayName(sName); - return sDisplayName!=null ? sDisplayName : sName; - } - - - -} diff --git a/src/main/java/writer2latex/latex/ParConverter.java b/src/main/java/writer2latex/latex/ParConverter.java deleted file mode 100644 index c6b46a8..0000000 --- a/src/main/java/writer2latex/latex/ParConverter.java +++ /dev/null @@ -1,586 +0,0 @@ -/************************************************************************ - * - * ParConverter.java - * - * Copyright: 2002-2014 by Henrik Just - * - * This file is part of Writer2LaTeX. - * - * Writer2LaTeX is free software: you can redistribute it and/or modify - * it under the terms of the GNU General Public License as published by - * the Free Software Foundation, either version 3 of the License, or - * (at your option) any later version. - * - * Writer2LaTeX is distributed in the hope that it will be useful, - * but WITHOUT ANY WARRANTY; without even the implied warranty of - * MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the - * GNU General Public License for more details. - * - * You should have received a copy of the GNU General Public License - * along with Writer2LaTeX. If not, see . - * - * Version 1.4 (2014-09-08) - * - */ - -package writer2latex.latex; - -import org.w3c.dom.Element; - -import writer2latex.latex.util.BeforeAfter; -import writer2latex.latex.util.Context; -import writer2latex.latex.util.StyleMapItem; -import writer2latex.latex.util.StyleMap; -import writer2latex.office.OfficeReader; -import writer2latex.office.StyleWithProperties; -import writer2latex.office.XMLString; -import writer2latex.util.Calc; - -/*

    This class converts OpenDocument paragraphs (text:p) and - * paragraph styles/formatting into LaTeX

    - *

    Export of formatting depends on the option "formatting":

    - *
      - *
    • ignore_all - *
    • ignore_most - *
    • convert_basic - *
    • convert_most - *
    • convert_all - *
    - *

    TODO: Captions and {foot|end}notes should also use this class - */ -public class ParConverter extends StyleConverter { - - private boolean bNeedArrayBslash = false; - - // Display hidden text? - private boolean bDisplayHiddenText = false; - - /**

    Constructs a new ParConverter.

    - */ - public ParConverter(OfficeReader ofr, LaTeXConfig config, ConverterPalette palette) { - super(ofr,config,palette); - this.bDisplayHiddenText = config.displayHiddenText(); - } - - public void appendDeclarations(LaTeXDocumentPortion pack, LaTeXDocumentPortion decl) { - if (bNeedArrayBslash) { - // centering and raggedright redefines \\, fix this - // Note: aviods nameclash with tabularx (arraybackslash) - // TODO: Should perhaps choose to load tabularx instead? - decl.append("\\makeatletter").nl() - .append("\\newcommand\\arraybslash{\\let\\\\\\@arraycr}").nl() - .append("\\makeatother").nl(); - } - - - if (config.formatting()>=LaTeXConfig.CONVERT_MOST) { - // We typeset with \raggedbottom since OOo doesn't use rubber lengths - // TODO: Maybe turn vertical spacing from OOo into rubber lengths? - decl.append("\\raggedbottom").nl(); - } - - if (config.formatting()>=LaTeXConfig.CONVERT_MOST) { - decl.append("% Paragraph styles").nl(); - // First default paragraph style - palette.getCharSc().applyDefaultFont(ofr.getDefaultParStyle(),decl); - super.appendDeclarations(pack,decl); - } - } - - /** - *

    Process a text:p tag

    - * @param node The text:p element node containing the paragraph - * @param ldp The LaTeXDocumentPortion to add LaTeX code to - * @param oc The current context - * @param bLastInBlock If this is true, the paragraph is the - * last one in a block, and we need no trailing blank line (eg. right before - * \end{enumerate}). - */ - public void handleParagraph(Element node, LaTeXDocumentPortion ldp, Context oc, boolean bLastInBlock) { - // Check for display equation (except in table cells) - if ((!oc.isInTable()) && palette.getMathCv().handleDisplayEquation(node,ldp)) { return; } - - // Get the style for this paragraph - String sStyleName = node.getAttribute(XMLString.TEXT_STYLE_NAME); - StyleWithProperties style = ofr.getParStyle(sStyleName); - String sDisplayName = ofr.getParStyles().getDisplayName(sStyleName); - - // Check for hidden text - if (!bDisplayHiddenText && style!=null && "none".equals(style.getProperty(XMLString.TEXT_DISPLAY))) { - return; - } - - // Check for strict handling of styles - if (config.otherStyles()!=LaTeXConfig.ACCEPT && !config.getParStyleMap().contains(sDisplayName)) { - if (config.otherStyles()==LaTeXConfig.WARNING) { - System.err.println("Warning: A paragraph with style "+sDisplayName+" was ignored"); - } - else if (config.otherStyles()==LaTeXConfig.ERROR) { - ldp.append("% Error in source document: A paragraph with style ") - .append(palette.getI18n().convert(sDisplayName,false,oc.getLang())) - .append(" was ignored").nl(); - } - // Ignore this paragraph: - return; - } - - // Empty paragraphs are often (mis)used to achieve vertical spacing in WYSIWYG - // word processors. Hence we translate an empty paragraph to \bigskip. - // This also solves the problem that LaTeX ignores empty paragraphs, Writer doesn't. - // In a well-structured document, an empty paragraph is probably a mistake, - // hence the configuration can specify that it should be ignored. - // Note: Don't use \bigskip in tables (this can lead to strange results) - if (OfficeReader.isWhitespaceContent(node)) { - // Always add page break; other formatting is ignored - BeforeAfter baPage = new BeforeAfter(); - palette.getPageSc().applyPageBreak(style,true,baPage); - if (!oc.isInTable()) { ldp.append(baPage.getBefore()); } - if (!config.ignoreEmptyParagraphs()) { - if (!oc.isInTable()) { - ldp.nl().append("\\bigskip").nl(); - } - else { - ldp.append("~").nl(); - } - if (!bLastInBlock) { ldp.nl(); } - } - if (!oc.isInTable()) { ldp.append(baPage.getAfter()); } - return; - } - - Context ic = (Context) oc.clone(); - - // Always push the font used - palette.getI18n().pushSpecialTable(palette.getCharSc().getFontName(ofr.getParStyle(sStyleName))); - - // Apply the style - int nBreakAfter; - BeforeAfter ba = new BeforeAfter(); - if (oc.isInTable()) { - nBreakAfter = applyCellParStyle(sStyleName,ba,ic,OfficeReader.getCharacterCount(node)==0,bLastInBlock); - } - else { - nBreakAfter = applyParStyle(sStyleName,ba,ic,OfficeReader.getCharacterCount(node)==0); - } - - // Do conversion - ldp.append(ba.getBefore()); - palette.getInlineCv().traverseInlineText(node,ldp,ic); - ldp.append(ba.getAfter()); - // Add line break if desired - if (nBreakAfter!=StyleMapItem.NONE) { ldp.nl(); } - // Add a blank line except within verbatim and last in a block, and if desired by style map - if (!bLastInBlock && !ic.isVerbatim() && !ic.isInSimpleTable() && nBreakAfter==StyleMapItem.PAR) { ldp.nl(); } - - // Flush any pending index marks, reference marks and floating frames - palette.getFieldCv().flushReferenceMarks(ldp,oc); - palette.getIndexCv().flushIndexMarks(ldp,oc); - palette.getDrawCv().flushFloatingFrames(ldp,oc); - - // pop the font name - palette.getI18n().popSpecialTable(); - } - - private int applyCellParStyle(String sName, BeforeAfter ba, Context context, boolean bNoTextPar, boolean bLastInBlock) { - // Paragraph formatting for paragraphs within table cells - // We always use simple par styles here - - context.setVerbatim(false); - - int nBreakAfter = bLastInBlock ? StyleMapItem.NONE : StyleMapItem.PAR; - - if (context.isInSimpleTable()) { - if (config.formatting()!=LaTeXConfig.IGNORE_ALL) { - // only character formatting! - StyleWithProperties style = ofr.getParStyle(sName); - if (style!=null) { - palette.getI18n().applyLanguage(style,true,true,ba); - palette.getCharSc().applyFont(style,true,true,ba,context); - if (ba.getBefore().length()>0) { ba.add(" ",""); } - } - } - nBreakAfter = StyleMapItem.NONE; - } - else if (config.getParStyleMap().contains(ofr.getParStyles().getDisplayName(sName))) { - // We have a style map in the configuration - StyleMap sm = config.getParStyleMap(); - String sDisplayName = ofr.getParStyles().getDisplayName(sName); - String sBefore = sm.getBefore(sDisplayName); - String sAfter = sm.getAfter(sDisplayName); - ba.add(sBefore, sAfter); - // Add line breaks inside? - if (sm.getLineBreak(sDisplayName)) { - if (sBefore.length()>0) { ba.add("\n",""); } - if (sAfter.length()>0 && !"}".equals(sAfter)) { ba.add("","\n"); } - } - nBreakAfter = sm.getBreakAfter(sDisplayName); - if (sm.getVerbatim(sDisplayName)) { context.setVerbatim(true); } - } - else if (bNoTextPar && (config.formatting()==LaTeXConfig.CONVERT_BASIC || config.formatting()==LaTeXConfig.IGNORE_MOST) ) { - // only alignment! - StyleWithProperties style = ofr.getParStyle(sName); - if (style!=null) { - // Apply hard formatting attributes - // Note: Left justified text is exported as full justified text! - palette.getPageSc().applyPageBreak(style,false,ba); - String sTextAlign = style.getProperty(XMLString.FO_TEXT_ALIGN,true); - if (bLastInBlock && context.isInLastTableColumn()) { // no grouping needed, but need to fix problem with \\ - if ("center".equals(sTextAlign)) { ba.add("\\centering\\arraybslash ",""); } - else if ("end".equals(sTextAlign)) { ba.add("\\raggedleft\\arraybslash ",""); } - bNeedArrayBslash = true; - } - else if (bLastInBlock) { // no grouping needed - if ("center".equals(sTextAlign)) { ba.add("\\centering ",""); } - else if ("end".equals(sTextAlign)) { ba.add("\\raggedleft ",""); } - } - else { - if ("center".equals(sTextAlign)) { ba.add("{\\centering ","\\par}"); } - else if ("end".equals(sTextAlign)) { ba.add("{\\raggedleft ","\\par}"); } - nBreakAfter = StyleMapItem.LINE; - } - } - } - else { - // Export character formatting + alignment only - BeforeAfter baPar = new BeforeAfter(); - BeforeAfter baText = new BeforeAfter(); - - // Apply hard formatting attributes - // Note: Left justified text is exported as full justified text! - StyleWithProperties style = ofr.getParStyle(sName); - if (style!=null) { - String sTextAlign = style.getProperty(XMLString.FO_TEXT_ALIGN,true); - if (bLastInBlock && context.isInLastTableColumn()) { // no grouping needed, but need to fix problem with \\ - if ("center".equals(sTextAlign)) { baPar.add("\\centering\\arraybslash",""); } - else if ("end".equals(sTextAlign)) { baPar.add("\\raggedleft\\arraybslash",""); } - bNeedArrayBslash = true; - } - else if (bLastInBlock) { // no \par needed - if ("center".equals(sTextAlign)) { baPar.add("\\centering",""); } - else if ("end".equals(sTextAlign)) { baPar.add("\\raggedleft",""); } - } - else { - if ("center".equals(sTextAlign)) { baPar.add("\\centering","\\par"); } - else if ("end".equals(sTextAlign)) { baPar.add("\\raggedleft","\\par"); } - } - palette.getI18n().applyLanguage(style,true,true,baText); - palette.getCharSc().applyFont(style,true,true,baText,context); - } - - // Group the contents if this is not the last paragraph in the cell - boolean bIsGrouped = false; - if ((!baPar.isEmpty() || !baText.isEmpty()) && !bLastInBlock) { - ba.add("{","}"); - bIsGrouped = true; - } - ba.add(baPar); - // Group the text formatting in any case (supertabular needs this) - if (!baText.isEmpty() && !bIsGrouped) { - ba.add("{", "}"); - } - ba.add(baText); - if (ba.getBefore().length()>0) { ba.add(" ",""); } - } - - // Update context - StyleWithProperties style = ofr.getParStyle(sName); - if (style!=null) { - context.updateFormattingFromStyle(style); - } - return nBreakAfter; - } - - - /**

    Use a paragraph style in LaTeX.

    - * @param sName the name of the text style - * @param ba a BeforeAfter to put code into - * @param context the current context. This method will use and update the formatting context - * @param bNoTextPar true if this paragraph has no text content (hence character formatting is not needed) - */ - private int applyParStyle(String sName, BeforeAfter ba, Context context, boolean bNoTextPar) { - return applyParStyle(sName,ba,context,bNoTextPar,true); - } - - private int applyParStyle(String sName, BeforeAfter ba, Context context, boolean bNoTextPar, boolean bBreakInside) { - // No style specified? - if (sName==null) { return StyleMapItem.PAR; } - - /*if (context.isInSimpleTable()) { - if (config.formatting()!=LaTeXConfig.IGNORE_ALL) { - // only character formatting! - StyleWithProperties style = ofr.getParStyle(sName); - if (style!=null) { - palette.getI18n().applyLanguage(style,true,true,ba); - palette.getCharSc().applyFont(style,true,true,ba,context); - if (ba.getBefore().length()>0) { ba.add(" ",""); } - } - } - } - else*/ - int nBreakAfter = StyleMapItem.PAR; - - if (bNoTextPar && (config.formatting()==LaTeXConfig.CONVERT_BASIC || config.formatting()==LaTeXConfig.IGNORE_MOST) ) { - //TODO: If there is a style map, we should respect that despite the fact that the paragraph is empty - // only alignment! - StyleWithProperties style = ofr.getParStyle(sName); - if (style!=null) { - // Apply hard formatting attributes - // Note: Left justified text is exported as full justified text! - palette.getPageSc().applyPageBreak(style,false,ba); - String sTextAlign = style.getProperty(XMLString.FO_TEXT_ALIGN,true); - if ("center".equals(sTextAlign)) { ba.add("{\\centering ","\\par}"); nBreakAfter = StyleMapItem.LINE; } - else if ("end".equals(sTextAlign)) { ba.add("{\\raggedleft ","\\par}"); nBreakAfter = StyleMapItem.LINE; } - } - } - else { - // Apply the style - if (!styleMap.contains(sName)) { createParStyle(sName); } - String sBefore = styleMap.getBefore(sName); - String sAfter = styleMap.getAfter(sName); - ba.add(sBefore,sAfter); - // Add line breaks inside? - if (bBreakInside && styleMap.getLineBreak(sName)) { - if (sBefore.length()>0) { ba.add("\n",""); } - if (sAfter.length()>0 && !"}".equals(sAfter)) { ba.add("","\n"); } - } - nBreakAfter = styleMap.getBreakAfter(sName); - } - - // Update context - StyleWithProperties style = ofr.getParStyle(sName); - if (style!=null) { - context.updateFormattingFromStyle(style); - } - context.setVerbatim(styleMap.getVerbatim(sName)); - - return nBreakAfter; - } - - /**

    Convert a paragraph style to LaTeX.

    - *

    A soft style is declared in styleDeclarations as - * \newenvironment...

    - *

    A hard style is used by applying LaTeX code directly

    - * @param sName the OOo name of the style - */ - private void createParStyle(String sName) { - // A paragraph style should always be created relative to main context - Context context = (Context) palette.getMainContext().clone(); - // The style may already be declared in the configuration: - String sDisplayName = ofr.getParStyles().getDisplayName(sName); - StyleMap sm = config.getParStyleMap(); - if (sm.contains(sDisplayName)) { - styleMap.put(sName,sm.getBefore(sDisplayName),sm.getAfter(sDisplayName), - sm.getLineBreak(sDisplayName),sm.getBreakAfter(sDisplayName),sm.getVerbatim(sDisplayName)); - return; - } - // Does the style exist? - StyleWithProperties style = ofr.getParStyle(sName); - if (style==null) { - styleMap.put(sName,"",""); - return; - } - // Convert the style! - switch (config.formatting()) { - case LaTeXConfig.CONVERT_MOST: - if (style.isAutomatic()) { - createAutomaticParStyle(style,context); - return; - } - case LaTeXConfig.CONVERT_ALL: - createSoftParStyle(style,context); - return; - case LaTeXConfig.CONVERT_BASIC: - case LaTeXConfig.IGNORE_MOST: - createSimpleParStyle(style,context); - return; - case LaTeXConfig.IGNORE_ALL: - default: - styleMap.put(sName,"",""); - } - } - - private void createAutomaticParStyle(StyleWithProperties style, Context context) { - // Hard paragraph formatting from this style should be ignored - // (because the user wants to ignore hard paragraph formatting - // or there is a style map for the parent.) - BeforeAfter ba = new BeforeAfter(); - BeforeAfter baPar = new BeforeAfter(); - BeforeAfter baText = new BeforeAfter(); - - // Apply paragraph formatting from parent - // If parent is verbatim, this is all - String sParentName = style.getParentName(); - if (styleMap.getVerbatim(sParentName)) { - styleMap.put(style.getName(),styleMap.getBefore(sParentName),styleMap.getAfter(sParentName), - styleMap.getLineBreak(sParentName),styleMap.getBreakAfter(sParentName),styleMap.getVerbatim(sParentName)); - return; - } - applyParStyle(sParentName,baPar,context,false,false); - - // Apply hard formatting properties: - palette.getPageSc().applyPageBreak(style,false,ba); - palette.getI18n().applyLanguage(style,true,false,baText); - palette.getCharSc().applyFont(style,true,false,baText,context); - - // Assemble the bits. If there is any hard character formatting - // we must group the contents. - if (baPar.isEmpty() && !baText.isEmpty()) { ba.add("{","}"); } - else { ba.add(baPar.getBefore(),baPar.getAfter()); } - ba.add(baText.getBefore(),baText.getAfter()); - boolean bLineBreak = styleMap.getLineBreak(sParentName); - if (!bLineBreak && !baText.isEmpty()) { ba.add(" ",""); } - styleMap.put(style.getName(),ba.getBefore(),ba.getAfter(),bLineBreak,styleMap.getBreakAfter(sParentName), false); - } - - private void createSimpleParStyle(StyleWithProperties style, Context context) { - // Export character formatting + alignment only - if (style.isAutomatic() && config.getParStyleMap().contains(ofr.getParStyles().getDisplayName(style.getParentName()))) { - createAutomaticParStyle(style,context); - return; - } - - BeforeAfter ba = new BeforeAfter(); - BeforeAfter baText = new BeforeAfter(); - - // Apply hard formatting attributes - // Note: Left justified text is exported as full justified text! - palette.getPageSc().applyPageBreak(style,false,ba); - String sTextAlign = style.getProperty(XMLString.FO_TEXT_ALIGN,true); - if ("center".equals(sTextAlign)) { baText.add("\\centering","\\par"); } - else if ("end".equals(sTextAlign)) { baText.add("\\raggedleft","\\par"); } - palette.getI18n().applyLanguage(style,true,true,baText); - palette.getCharSc().applyFont(style,true,true,baText,context); - - // Assemble the bits. If there is any hard character formatting - // or alignment we must group the contents. - if (!baText.isEmpty()) { ba.add("{","}"); } - ba.add(baText.getBefore(),baText.getAfter()); - styleMap.put(style.getName(),ba.getBefore(),ba.getAfter()); - } - - private void createSoftParStyle(StyleWithProperties style, Context context) { - // This style should be converted to an enviroment, except if - // it's automatic and there is a config style map for the parent - if (style.isAutomatic() && config.getParStyleMap().contains(ofr.getParStyles().getDisplayName(style.getParentName()))) { - createAutomaticParStyle(style,context); - } - - BeforeAfter ba = new BeforeAfter(); - applyParProperties(style,ba); - ba.add("\\writerlistparindent\\writerlistleftskip",""); - palette.getI18n().applyLanguage(style,true,true,ba); - ba.add("\\leavevmode",""); - palette.getCharSc().applyNormalFont(ba); - palette.getCharSc().applyFont(style,true,true,ba,context); - ba.add("\\writerlistlabel",""); - ba.add("\\ignorespaces",""); - // Declare the paragraph style (\newenvironment) - String sTeXName = "style" + styleNames.addToExport(style.getDisplayName()); - styleMap.put(style.getName(),"\\begin{"+sTeXName+"}","\\end{"+sTeXName+"}"); - declarations.append("\\newenvironment{").append(sTeXName) - .append("}{").append(ba.getBefore()).append("}{") - .append(ba.getAfter()).append("}").nl(); - } - - // Remaining methods are private helpers - - /**

    Apply line spacing from a style.

    - * @param style the paragraph style to use - * @param ba a BeforeAfter to put code into - */ - private void applyLineSpacing(StyleWithProperties style, BeforeAfter ba) { - if (style==null) { return; } - String sLineHeight = style.getProperty(XMLString.FO_LINE_HEIGHT); - if (sLineHeight==null || !sLineHeight.endsWith("%")) { return; } - float fPercent=Calc.getFloat(sLineHeight.substring(0,sLineHeight.length()-1),100); - // Do not allow less that 120% (LaTeX default) - if (fPercent<120) { fPercent = 120; } - ba.add("\\renewcommand\\baselinestretch{"+fPercent/120+"}",""); - } - - /**

    Helper: Create a horizontal border. Currently unused

    - */ - /*private String createBorder(String sLeft, String sRight, String sTop, - String sHeight, String sColor) { - BeforeAfter baColor = new BeforeAfter(); - palette.getColorCv().applyColor(sColor,false,baColor, new Context()); - return "{\\setlength\\parindent{0pt}\\setlength\\leftskip{" + sLeft + "}" - + "\\setlength\\baselineskip{0pt}\\setlength\\parskip{" + sHeight + "}" - + baColor.getBefore() - + "\\rule{\\textwidth-" + sLeft + "-" + sRight + "}{" + sHeight + "}" - + baColor.getAfter() - + "\\par}"; - }*/ - - /**

    Apply margin+alignment properties from a style.

    - * @param style the paragraph style to use - * @param ba a BeforeAfter to put code into - */ - private void applyMargins(StyleWithProperties style, BeforeAfter ba) { - // Read padding/margin/indentation properties: - //String sPaddingTop = style.getAbsoluteLength(XMLString.FO_PADDING_TOP); - //String sPaddingBottom = style.getAbsoluteLength(XMLString.FO_PADDING_BOTTOM); - //String sPaddingLeft = style.getAbsoluteLength(XMLString.FO_PADDING_LEFT); - //String sPaddingRight = style.getAbsoluteLength(XMLString.FO_PADDING_RIGHT); - String sMarginTop = style.getAbsoluteLength(XMLString.FO_MARGIN_TOP); - String sMarginBottom = style.getAbsoluteLength(XMLString.FO_MARGIN_BOTTOM); - String sMarginLeft = style.getAbsoluteLength(XMLString.FO_MARGIN_LEFT); - String sMarginRight = style.getAbsoluteLength(XMLString.FO_MARGIN_RIGHT); - String sTextIndent; - if ("true".equals(style.getProperty(XMLString.STYLE_AUTO_TEXT_INDENT))) { - sTextIndent = "2em"; - } - else { - sTextIndent = style.getAbsoluteLength(XMLString.FO_TEXT_INDENT); - } - // Read alignment properties: - boolean bRaggedLeft = false; // add 1fil to \leftskip - boolean bRaggedRight = false; // add 1fil to \rightskip - boolean bParFill = false; // add 1fil to \parfillskip - String sTextAlign = style.getProperty(XMLString.FO_TEXT_ALIGN); - if ("center".equals(sTextAlign)) { - bRaggedLeft = true; bRaggedRight = true; // centered paragraph - } - else if ("start".equals(sTextAlign)) { - bRaggedRight = true; bParFill = true; // left aligned paragraph - } - else if ("end".equals(sTextAlign)) { - bRaggedLeft = true; // right aligned paragraph - } - else if (!"justify".equals(style.getProperty(XMLString.FO_TEXT_ALIGN_LAST))) { - bParFill = true; // justified paragraph with ragged last line - } - // Create formatting: - String sRubberMarginTop = Calc.multiply("10%",sMarginTop); - if (Calc.length2px(sRubberMarginTop).equals("0")) { sRubberMarginTop="1pt"; } - String sRubberMarginBottom = Calc.multiply("10%",sMarginBottom); - if (Calc.length2px(sRubberMarginBottom).equals("0")) { sRubberMarginBottom="1pt"; } - ba.add("\\setlength\\leftskip{"+sMarginLeft+(bRaggedLeft?" plus 1fil":"")+"}",""); - ba.add("\\setlength\\rightskip{"+sMarginRight+(bRaggedRight?" plus 1fil":"")+"}",""); - ba.add("\\setlength\\parindent{"+sTextIndent+"}",""); - ba.add("\\setlength\\parfillskip{"+(bParFill?"0pt plus 1fil":"0pt")+"}",""); - ba.add("\\setlength\\parskip{"+sMarginTop+" plus "+sRubberMarginTop+"}", - "\\unskip\\vspace{"+sMarginBottom+" plus "+sRubberMarginBottom+"}"); - } - - public void applyAlignment(StyleWithProperties style, boolean bIsSimple, boolean bInherit, BeforeAfter ba) { - if (bIsSimple || style==null) { return; } - String sTextAlign = style.getProperty(XMLString.FO_TEXT_ALIGN,bInherit); - if ("center".equals(sTextAlign)) { ba.add("\\centering",""); } - else if ("start".equals(sTextAlign)) { ba.add("\\raggedright",""); } - else if ("end".equals(sTextAlign)) { ba.add("\\raggedleft",""); } - } - - - /**

    Apply all paragraph properties.

    - * @param style the paragraph style to use - * @param ba a BeforeAfter to put code into - */ - private void applyParProperties(StyleWithProperties style, BeforeAfter ba) { - palette.getPageSc().applyPageBreak(style,true,ba); - ba.add("","\\par"); - applyLineSpacing(style,ba); - applyMargins(style,ba); - } - -} diff --git a/src/main/java/writer2latex/latex/SectionConverter.java b/src/main/java/writer2latex/latex/SectionConverter.java deleted file mode 100644 index d256514..0000000 --- a/src/main/java/writer2latex/latex/SectionConverter.java +++ /dev/null @@ -1,224 +0,0 @@ -/************************************************************************ - * - * SectionConverter.java - * - * Copyright: 2002-2014 by Henrik Just - * - * This file is part of Writer2LaTeX. - * - * Writer2LaTeX is free software: you can redistribute it and/or modify - * it under the terms of the GNU General Public License as published by - * the Free Software Foundation, either version 3 of the License, or - * (at your option) any later version. - * - * Writer2LaTeX is distributed in the hope that it will be useful, - * but WITHOUT ANY WARRANTY; without even the implied warranty of - * MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the - * GNU General Public License for more details. - * - * You should have received a copy of the GNU General Public License - * along with Writer2LaTeX. If not, see . - * - * Version 1.4 (2014-09-08) - * - */ - -package writer2latex.latex; - -import org.json.JSONArray; -import org.json.JSONException; -import org.json.JSONObject; -import org.w3c.dom.Element; -import org.w3c.dom.Node; - -import writer2latex.util.*; -import writer2latex.office.*; -import writer2latex.latex.i18n.ClassicI18n; -import writer2latex.latex.util.BeforeAfter; -import writer2latex.latex.util.Context; - -/**

    This class creates LaTeX code from OOo sections. - *

    Sections are converted to multicols environments using multicol.sty - */ -public class SectionConverter extends ConverterHelper { - - // Do we need multicols.sty? - private boolean bNeedMulticol = false; - - // Display hidden text? - private boolean bDisplayHiddenText = false; - - // Filenames for external sections - private ExportNameCollection fileNames = new ExportNameCollection(true); - - /**

    Constructs a new SectionStyleConverter.

    - */ - public SectionConverter(OfficeReader ofr, LaTeXConfig config, ConverterPalette palette) { - super(ofr,config,palette); - this.bDisplayHiddenText = config.displayHiddenText(); - } - - public void appendDeclarations(LaTeXDocumentPortion pack, LaTeXDocumentPortion decl) { - if (bNeedMulticol) { pack.append("\\usepackage{multicol}").nl(); } - } - - // Handle a section as a Zotero bibliography - private boolean handleZoteroBibliography(Element node, LaTeXDocumentPortion ldp, Context oc) { - String sName = node.getAttribute(XMLString.TEXT_NAME); - if (config.useBibtex() && config.zoteroBibtexFiles().length()>0 && sName.startsWith("ZOTERO_BIBL")) { - // This section is a Zotero bibliography, and the user wishes to handle it as such - // A Zotero bibliography name has the form ZOTERO_BIBL with a single space separating the items - // The identifier is a unique identifier for the bibliography and is not used here - if (!config.noIndex()) { - // Parse the name (errors are ignored) and add \nocite commands as appropriate - int nObjectStart = sName.indexOf('{'); - int nObjectEnd = sName.lastIndexOf('}'); - if (nObjectStart>-1 && nObjectEnd>-1 && nObjectStart0) { - ldp.append("\\nocite{"); - for (int nIndex=0; nIndex0) { - ldp.append(","); - } - String sURI = null; - try { // Each item is an array containing a single string - sURI = uncited.getJSONArray(nIndex).getString(0); - } - catch (JSONException e) { - } - if (sURI!=null) { - int nSlash = sURI.lastIndexOf('/'); - if (nSlash>0) { ldp.append(sURI.substring(nSlash+1)); } - else { ldp.append(sURI); } - } - } - ldp.append("}").nl(); - } - } - } - } - - // Use the BibTeX style and files given in the configuration - ldp.append("\\bibliographystyle{").append(config.bibtexStyle()).append("}").nl() - .append("\\bibliography{").append(config.zoteroBibtexFiles()).append("}").nl(); - } - return true; - } - else { - return false; - } - } - - // Handle a section as a JabRef bibliography - private boolean handleJabRefBibliography(Element node, LaTeXDocumentPortion ldp, Context oc) { - String sName = node.getAttribute(XMLString.TEXT_NAME); - if (config.useBibtex() && config.jabrefBibtexFiles().length()>0 && sName.equals("JR_bib")) { - // This section is a JabRef bibliography, and the user wishes to handle it as such - // A JabRef bibliography is identified by the name JR_bib - // Use the BibTeX style and files given in the configuration - ldp.append("\\bibliographystyle{").append(config.bibtexStyle()).append("}").nl() - .append("\\bibliography{").append(config.jabrefBibtexFiles()).append("}").nl(); - return true; - } - return false; - } - - /**

    Process a section (text:section tag)

    - * @param node The element containing the section - * @param ldp the LaTeXDocumentPortion to which - * LaTeX code should be added - * @param oc the current context - */ - public void handleSection(Element node, LaTeXDocumentPortion ldp, Context oc) { - // Unlike headings, paragraphs and spans, text:display is not attached to the style: - if (!bDisplayHiddenText && "none".equals(Misc.getAttribute(node,XMLString.TEXT_DISPLAY))) { - return; - } - - // We may need a hyperlink target, add this first - palette.getFieldCv().addTarget(node,"|region",ldp); - - // Create new document, if desired - String sFileName = null; - Element source = Misc.getChildByTagName(node,XMLString.TEXT_SECTION_SOURCE); - if (config.splitLinkedSections() && source!=null) { - sFileName = fileNames.addToExport(Misc.removeExtension(Misc.urlDecode(source.getAttribute(XMLString.XLINK_HREF)))); - } - else if (config.splitToplevelSections() && isToplevel(node)) { - //sFileName = fileNames.getExportName(palette.getOutFileName()+node.getAttribute(XMLString.TEXT_NAME)); - sFileName = fileNames.addToExport(node.getAttribute(XMLString.TEXT_NAME)); - } - - LaTeXDocumentPortion sectionLdp = ldp; - if (sFileName!=null) { - LaTeXDocument newDoc = new LaTeXDocument(sFileName,config.getWrapLinesAfter(),false); - if (config.getBackend()!=LaTeXConfig.XETEX) { - newDoc.setEncoding(ClassicI18n.writeJavaEncoding(config.getInputencoding())); - } - else { - newDoc.setEncoding("UTF-8"); - } - palette.addDocument(newDoc); - sectionLdp = newDoc.getContents(); - } - - // Apply the style - String sStyleName = node.getAttribute(XMLString.TEXT_STYLE_NAME); - BeforeAfter ba = new BeforeAfter(); - Context ic = (Context) oc.clone(); - applySectionStyle(sStyleName,ba,ic); - - // Do conversion - ldp.append(ba.getBefore()); - if (sFileName!=null) { - ldp.append("\\input{").append(sFileName).append("}").nl(); - } - // Zotero or JabRef might have generated this section as a bibliograhy: - if (!handleZoteroBibliography(node,sectionLdp,ic) && !handleJabRefBibliography(node,sectionLdp,ic)) { - palette.getBlockCv().traverseBlockText(node,sectionLdp,ic); - } - if (sectionLdp!=ldp) { sectionLdp.append("\\endinput").nl(); } - ldp.append(ba.getAfter()); - } - - // Create multicols environment as needed - private void applySectionStyle(String sStyleName, BeforeAfter ba, Context context) { - StyleWithProperties style = ofr.getSectionStyle(sStyleName); - // Don't nest multicols and require at least 2 columns - if (context.isInMulticols() || style==null || style.getColCount()<2) { return; } - int nCols = style.getColCount(); - bNeedMulticol = true; - context.setInMulticols(true); - ba.add("\\begin{multicols}{"+(nCols>10 ? 10 : nCols)+"}\n", "\\end{multicols}\n"); - } - - // return true if this node is *not* contained in a text:section element - private boolean isToplevel(Node node) { - Node parent = node.getParentNode(); - if (XMLString.TEXT_SECTION.equals(parent.getNodeName())) { - return false; - } - else if (XMLString.OFFICE_BODY.equals(parent.getNodeName())) { - return true; - } - return isToplevel(parent); - } - - - -} diff --git a/src/main/java/writer2latex/latex/StarMathConverter.java b/src/main/java/writer2latex/latex/StarMathConverter.java deleted file mode 100644 index e9f86ee..0000000 --- a/src/main/java/writer2latex/latex/StarMathConverter.java +++ /dev/null @@ -1,1737 +0,0 @@ -/************************************************************************ - * - * StarMathConverter.java - * - * Copyright: 2002-2015 by Henrik Just - * - * Version 1.6 (2015-05-22) - * - * This file is part of Writer2LaTeX. - * - * Writer2LaTeX is free software: you can redistribute it and/or modify - * it under the terms of the GNU General Public License as published by - * the Free Software Foundation, either version 3 of the License, or - * (at your option) any later version. - * - * Writer2LaTeX is distributed in the hope that it will be useful, - * but WITHOUT ANY WARRANTY; without even the implied warranty of - * MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the - * GNU General Public License for more details. - * - * You should have received a copy of the GNU General Public License - * along with Writer2LaTeX. If not, see . - */ - -package writer2latex.latex; - -import java.util.Map; -import java.util.regex.Pattern; - -import writer2latex.util.*; -import writer2latex.latex.i18n.ClassicI18n; -import writer2latex.latex.i18n.I18n; -import writer2latex.latex.LaTeXDocumentPortion; - -/* TO DO: - * better font handling, currently nested font attributes (eg. italic font fixed) don't work - * text inherits font from text surrounding formula - should this be changed? - * implement implicit left alignment of expressions starting with text - * improve subsup: \sideset should possibly be replaced by \multiscripts - * \multiscripts should only be used when absolutely neccessary - * maybe \leftidx should also be used sometimes - * alignment: how to make stack{{alignr x} % xxx} work?? - * alignment: fractions and binoms? - * ... - */ - -////////////////////////////////////////////////////////////////// -/* The converted formula requires LaTeX2e with the packages - * amsmath.sty, amssymb.sty, amsfonts.sty and (optionally) color.sty. - * Also the following control sequences must be defined for starmath symbols - * and constructions that are not provided by standard LaTeX2e+amsmath: - * \defeq, \lambdabar, \ddotsup, \multimapdotbothA, \multimapdotbothB, - * \llbracket, \rrbracket, \oiint, \oiiint, - * \mathoverstrike, \wideslash, \widebslash, \boldsubformula, - * \normalsubformula. - * These should be declared in the preamble. - * Some are defined in the packages stmaryrd.sty, pxfonts.sty, txfonts.sty, - * but fallback definitions are provided in ooomath.sty if these packages are - * not used. More info in the documentation on ooomath.sty. - */ - -//////////////////////////////////////////////////////////////// -// Helper Classes - -// Some Character classifications -class CharClasses{ - - static final char[] aDelimiterTable = - { ' ', '\t' , '\n', '\r', '+', '-', '*', '/', '=', '#', - '%', '\\', '"', '~', '`', '>', '<', '&', '|', '(', - ')', '{', '}', '[', ']', '^', '_', '\0'}; - - static boolean isDelimiter(char cChar){ - // return true iff cChar is '\0' or a delimiter - if (cChar=='\0') return false; - int i=0; - for (i=0;aDelimiterTable[i]!='\0';i++) - if (aDelimiterTable[i]==cChar) - break; - return aDelimiterTable[i]!='\0'; - } - - static boolean isEndOrLineEnd(char cChar){ - switch (cChar){ - case '\0': - case '\n': - case '\r': - return true; - default: - return false; - } - } - - static boolean isDigitOrDot(char cChar){ - return (cChar>='0' && cChar<='9') || cChar=='.' || cChar==','; - } -} - -// enumerate Tokens -class Token{ - public static final Token END=new Token(); - public static final Token LGROUP=new Token(); - public static final Token RGROUP=new Token(); - public static final Token LPARENT=new Token(); - public static final Token RPARENT=new Token(); - public static final Token LBRACKET=new Token(); - public static final Token RBRACKET=new Token(); - public static final Token PLUS=new Token(); - public static final Token MINUS=new Token(); - public static final Token MULTIPLY=new Token(); - public static final Token DIVIDEBY=new Token(); - public static final Token ASSIGN=new Token(); - public static final Token POUND=new Token(); - public static final Token SPECIAL=new Token(); - public static final Token SLASH=new Token(); - public static final Token BACKSLASH=new Token(); - public static final Token BLANK=new Token(); - public static final Token SBLANK=new Token(); - public static final Token RSUB=new Token(); - public static final Token RSUP=new Token(); - public static final Token CSUB=new Token(); - public static final Token CSUP=new Token(); - public static final Token LSUB=new Token(); - public static final Token LSUP=new Token(); - public static final Token GT=new Token(); - public static final Token LT=new Token(); - public static final Token AND=new Token(); - public static final Token OR=new Token(); - public static final Token INTERSECT=new Token(); - public static final Token UNION=new Token(); - public static final Token NEWLINE=new Token(); - public static final Token BINOM=new Token(); - public static final Token FROM=new Token(); - public static final Token TO=new Token(); - public static final Token INT=new Token(); - public static final Token SUM=new Token(); - public static final Token OPER=new Token(); - public static final Token ABS=new Token(); - public static final Token SQRT=new Token(); - public static final Token FACT=new Token(); - public static final Token NROOT=new Token(); - public static final Token OVER=new Token(); - public static final Token TIMES=new Token(); - public static final Token GE=new Token(); - public static final Token LE=new Token(); - public static final Token GG=new Token(); - public static final Token LL=new Token(); - public static final Token DOTSAXIS=new Token(); - public static final Token DOTSLOW=new Token(); - public static final Token DOTSVERT=new Token(); - public static final Token DOTSDIAG=new Token(); - public static final Token DOTSUP=new Token(); - public static final Token DOTSDOWN=new Token(); - public static final Token ACUTE=new Token(); - public static final Token BAR=new Token(); - public static final Token BREVE=new Token(); - public static final Token CHECK=new Token(); - public static final Token CIRCLE=new Token(); - public static final Token DOT=new Token(); - public static final Token DDOT=new Token(); - public static final Token DDDOT=new Token(); - public static final Token GRAVE=new Token(); - public static final Token HAT=new Token(); - public static final Token TILDE=new Token(); - public static final Token VEC=new Token(); - public static final Token UNDERLINE=new Token(); - public static final Token OVERLINE=new Token(); - public static final Token OVERSTRIKE=new Token(); - public static final Token ITALIC=new Token(); - public static final Token NITALIC=new Token(); - public static final Token BOLD=new Token(); - public static final Token NBOLD=new Token(); - public static final Token PHANTOM=new Token(); - public static final Token FONT=new Token(); - public static final Token SIZE=new Token(); - public static final Token COLOR=new Token(); - public static final Token ALIGNL=new Token(); - public static final Token ALIGNC=new Token(); - public static final Token ALIGNR=new Token(); - public static final Token LEFT=new Token(); - public static final Token RIGHT=new Token(); - public static final Token LANGLE=new Token(); - public static final Token LBRACE=new Token(); - public static final Token LLINE=new Token(); - public static final Token LDLINE=new Token(); - public static final Token LCEIL=new Token(); - public static final Token LFLOOR=new Token(); - public static final Token NONE=new Token(); - public static final Token MLINE=new Token(); - public static final Token RANGLE=new Token(); - public static final Token RBRACE=new Token(); - public static final Token RLINE=new Token(); - public static final Token RDLINE=new Token(); - public static final Token RCEIL=new Token(); - public static final Token RFLOOR=new Token(); - public static final Token SIN=new Token(); - public static final Token COS=new Token(); - public static final Token TAN=new Token(); - public static final Token COT=new Token(); - public static final Token FUNC=new Token(); - public static final Token STACK=new Token(); - public static final Token MATRIX=new Token(); - public static final Token DPOUND=new Token(); - public static final Token PLACE=new Token(); - public static final Token TEXT=new Token(); - public static final Token NUMBER=new Token(); - public static final Token CHARACTER=new Token(); - public static final Token IDENT=new Token(); - public static final Token NEQ=new Token(); - public static final Token EQUIV=new Token(); - public static final Token DEF=new Token(); - public static final Token PROP=new Token(); - public static final Token SIM=new Token(); - public static final Token SIMEQ=new Token(); - public static final Token APPROX=new Token(); - public static final Token PARALLEL=new Token(); - public static final Token ORTHO=new Token(); - public static final Token IN=new Token(); - public static final Token NOTIN=new Token(); - public static final Token SUBSET=new Token(); - public static final Token SUBSETEQ=new Token(); - public static final Token SUPSET=new Token(); - public static final Token SUPSETEQ=new Token(); - public static final Token PLUSMINUS=new Token(); - public static final Token MINUSPLUS=new Token(); - public static final Token OPLUS=new Token(); - public static final Token OMINUS=new Token(); - public static final Token DIV=new Token(); - public static final Token OTIMES=new Token(); - public static final Token ODIVIDE=new Token(); - public static final Token TRANSL=new Token(); - public static final Token TRANSR=new Token(); - public static final Token IINT=new Token(); - public static final Token IIINT=new Token(); - public static final Token LINT=new Token(); - public static final Token LLINT=new Token(); - public static final Token LLLINT=new Token(); - public static final Token PROD=new Token(); - public static final Token COPROD=new Token(); - public static final Token FORALL=new Token(); - public static final Token EXISTS=new Token(); - public static final Token NOTEXISTS = new Token(); - public static final Token LIM=new Token(); - public static final Token NABLA=new Token(); - public static final Token TOWARD=new Token(); - public static final Token SINH=new Token(); - public static final Token COSH=new Token(); - public static final Token TANH=new Token(); - public static final Token COTH=new Token(); - public static final Token ASIN=new Token(); - public static final Token ACOS=new Token(); - public static final Token ATAN=new Token(); - public static final Token LN=new Token(); - public static final Token LOG=new Token(); - public static final Token UOPER=new Token(); - public static final Token BOPER=new Token(); - public static final Token BLACK=new Token(); - public static final Token WHITE=new Token(); - public static final Token RED=new Token(); - public static final Token GREEN=new Token(); - public static final Token BLUE=new Token(); - public static final Token CYAN=new Token(); - public static final Token MAGENTA=new Token(); - public static final Token YELLOW=new Token(); - public static final Token GRAY=new Token(); - public static final Token LIME=new Token(); - public static final Token MAROON=new Token(); - public static final Token NAVY=new Token(); - public static final Token OLIVE=new Token(); - public static final Token PURPLE=new Token(); - public static final Token SILVER=new Token(); - public static final Token TEAL=new Token(); - public static final Token FIXED=new Token(); - public static final Token SANS=new Token(); - public static final Token SERIF=new Token(); - public static final Token POINT=new Token(); - public static final Token ASINH=new Token(); - public static final Token ACOSH=new Token(); - public static final Token ATANH=new Token(); - public static final Token ACOTH=new Token(); - public static final Token ACOT=new Token(); - public static final Token EXP=new Token(); - public static final Token CDOT=new Token(); - public static final Token ODOT=new Token(); - public static final Token LESLANT=new Token(); - public static final Token GESLANT=new Token(); - public static final Token NSUBSET=new Token(); - public static final Token NSUPSET=new Token(); - public static final Token NSUBSETEQ=new Token(); - public static final Token NSUPSETEQ=new Token(); - public static final Token PARTIAL=new Token(); - public static final Token NEG=new Token(); - public static final Token NI=new Token(); - public static final Token BACKEPSILON=new Token(); - public static final Token ALEPH=new Token(); - public static final Token IM=new Token(); - public static final Token RE=new Token(); - public static final Token WP=new Token(); - public static final Token EMPTYSET=new Token(); - public static final Token INFINITY=new Token(); - public static final Token ESCAPE=new Token(); - public static final Token LIMSUP=new Token(); - public static final Token LIMINF=new Token(); - public static final Token NDIVIDES=new Token(); - public static final Token DRARROW=new Token(); - public static final Token DLARROW=new Token(); - public static final Token DLRARROW=new Token(); - public static final Token UNDERBRACE=new Token(); - public static final Token OVERBRACE=new Token(); - public static final Token CIRC=new Token(); - //public static final Token TOP=new Token(); - public static final Token HBAR=new Token(); - public static final Token LAMBDABAR=new Token(); - public static final Token LEFTARROW=new Token(); - public static final Token RIGHTARROW=new Token(); - public static final Token UPARROW=new Token(); - public static final Token DOWNARROW=new Token(); - public static final Token DIVIDES=new Token(); - public static final Token SETN=new Token(); - public static final Token SETZ=new Token(); - public static final Token SETQ=new Token(); - public static final Token SETR=new Token(); - public static final Token SETC=new Token(); - public static final Token WIDEVEC=new Token(); - public static final Token WIDETILDE=new Token(); - public static final Token WIDEHAT=new Token(); - public static final Token WIDESLASH=new Token(); - public static final Token WIDEBACKSLASH=new Token(); - public static final Token LDBRACKET=new Token(); - public static final Token RDBRACKET=new Token(); - public static final Token UNKNOWN=new Token(); - public static final Token NOSPACE=new Token(); - public static final Token PREC=new Token(); - public static final Token NPREC=new Token(); - public static final Token SUCC=new Token(); - public static final Token NSUCC=new Token(); - public static final Token PRECCURLYEQ=new Token(); - public static final Token SUCCCURLYEQ=new Token(); - public static final Token PRECSIM=new Token(); - public static final Token SUCCSIM=new Token(); -} - -// enumerate Token groups -class TGroup{ - public static final TGroup NONE=new TGroup(); - public static final TGroup OPER=new TGroup(); - public static final TGroup RELATION=new TGroup(); - public static final TGroup SUM=new TGroup(); - public static final TGroup PRODUCT=new TGroup(); - public static final TGroup UNOPER=new TGroup(); - public static final TGroup POWER =new TGroup(); - public static final TGroup ATTRIBUT=new TGroup(); - public static final TGroup ALIGN =new TGroup(); - public static final TGroup FUNCTION=new TGroup(); - public static final TGroup BLANK =new TGroup(); - public static final TGroup LBRACES=new TGroup(); - public static final TGroup RBRACES=new TGroup(); - public static final TGroup COLOR =new TGroup(); - public static final TGroup FONT=new TGroup(); - public static final TGroup STANDALONE=new TGroup(); - public static final TGroup LIMIT=new TGroup(); - public static final TGroup FONTATTR=new TGroup(); -} - -// Token tables -class SmTokenTableEntry{ // This is simply a struct - String sIdent; - Token eType; - String sLaTeX; - TGroup eGroup1, eGroup2; - int nLevel; - - SmTokenTableEntry(String sIdent, Token eType, String sLaTeX, - TGroup eGroup1, TGroup eGroup2, int nLevel){ - this.sIdent=sIdent; - this.eType=eType; - this.sLaTeX=sLaTeX; - this.eGroup1=eGroup1; - this.eGroup2=eGroup2; - this.nLevel=nLevel; - } - - SmTokenTableEntry(String sIdent, Token eType, String sLaTeX, - TGroup eGroup1, int nLevel){ - this(sIdent,eType,sLaTeX,eGroup1,TGroup.NONE,nLevel); - } - - SmTokenTableEntry(String sIdent, Token eType, String sLaTeX, - int nLevel){ - this(sIdent,eType,sLaTeX,TGroup.NONE,TGroup.NONE,nLevel); - } -} - -class SmTokenTable{ - private SmTokenTableEntry[] table; - - SmTokenTable(SmTokenTableEntry[] table){this.table=table;} - - boolean lookup(String sIdent, boolean bIgnoreCase, SmToken token){ - for (int i=0; i", TGroup.RELATION, 0), - new SmTokenTableEntry( "hat", Token.HAT, "\\hat", TGroup.ATTRIBUT, 5), - new SmTokenTableEntry( "hbar" , Token.HBAR, "\\hbar ", TGroup.STANDALONE, 5), - new SmTokenTableEntry( "iiint", Token.IIINT, "\\iiint ", TGroup.OPER, 5), - new SmTokenTableEntry( "iint", Token.IINT, "\\iint ", TGroup.OPER, 5), - new SmTokenTableEntry( "in", Token.IN, "\\in ", TGroup.RELATION, 0), - new SmTokenTableEntry( "infinity" , Token.INFINITY, "\\infty ", TGroup.STANDALONE, 5), - new SmTokenTableEntry( "infty" , Token.INFINITY, "\\infty ", TGroup.STANDALONE, 5), - new SmTokenTableEntry( "int", Token.INT, "\\int ", TGroup.OPER, 5), - new SmTokenTableEntry( "intersection", Token.INTERSECT, "\\cap ", TGroup.PRODUCT, 0), - new SmTokenTableEntry( "ital", Token.ITALIC, "\\normalsubformula", TGroup.FONTATTR, 5), - new SmTokenTableEntry( "italic", Token.ITALIC, "\\normalsubformula", TGroup.FONTATTR, 5), - new SmTokenTableEntry( "lambdabar" , Token.LAMBDABAR, "\\lambdabar ", TGroup.STANDALONE, 5), - new SmTokenTableEntry( "langle", Token.LANGLE, "\\langle ", TGroup.LBRACES, 5), - new SmTokenTableEntry( "lbrace", Token.LBRACE, "\\{", TGroup.LBRACES, 5), - new SmTokenTableEntry( "lceil", Token.LCEIL, "\\lceil ", TGroup.LBRACES, 5), - new SmTokenTableEntry( "ldbracket", Token.LDBRACKET, "\\llbracket ", TGroup.LBRACES, 5), - new SmTokenTableEntry( "ldline", Token.LDLINE, "\\|", TGroup.LBRACES, 5), - new SmTokenTableEntry( "le", Token.LE, "\\leq ", TGroup.RELATION, 0), - new SmTokenTableEntry( "left", Token.LEFT, "", 5), - new SmTokenTableEntry( "leftarrow" , Token.LEFTARROW, "\\leftarrow ", TGroup.STANDALONE, 5), - new SmTokenTableEntry( "leslant", Token.LESLANT, "\\leqslant ", TGroup.RELATION, 0 ), - new SmTokenTableEntry( "lfloor", Token.LFLOOR, "\\lfloor ", TGroup.LBRACES, 5), - new SmTokenTableEntry( "lim", Token.LIM, "\\lim ", TGroup.OPER, 5), - new SmTokenTableEntry( "lime", Token.LIME, "\\textcolor{green}", TGroup.COLOR, 0), - new SmTokenTableEntry( "liminf", Token.LIMINF, "\\liminf ", TGroup.OPER, 5), - new SmTokenTableEntry( "limsup", Token.LIMSUP, "\\limsup ", TGroup.OPER, 5), - new SmTokenTableEntry( "lint", Token.LINT, "\\oint ", TGroup.OPER, 5), - new SmTokenTableEntry( "ll", Token.LL, "\\ll ", TGroup.RELATION, 0), - new SmTokenTableEntry( "lline", Token.LLINE, "|", TGroup.LBRACES, 5), - new SmTokenTableEntry( "llint", Token.LLINT, "\\oiint ", TGroup.OPER, 5), - new SmTokenTableEntry( "lllint", Token.LLLINT, "\\oiiint ", TGroup.OPER, 5), - new SmTokenTableEntry( "ln", Token.LN, "\\ln ", TGroup.FUNCTION, 5), - new SmTokenTableEntry( "log", Token.LOG, "\\log ", TGroup.FUNCTION, 5), - new SmTokenTableEntry( "lsub", Token.LSUB, "", TGroup.POWER, 0), - new SmTokenTableEntry( "lsup", Token.LSUP, "", TGroup.POWER, 0), - new SmTokenTableEntry( "lt", Token.LT, "<", TGroup.RELATION, 0), - new SmTokenTableEntry( "magenta", Token.MAGENTA, "\\textcolor{magenta}", TGroup.COLOR, 0), - new SmTokenTableEntry( "maroon", Token.MAROON, "\\textcolor[rgb]{0.5,0,0}", TGroup.COLOR, 0), - new SmTokenTableEntry( "matrix", Token.MATRIX, "", 5), - new SmTokenTableEntry( "minusplus", Token.MINUSPLUS, "\\mp ", TGroup.UNOPER, TGroup.SUM, 5), - new SmTokenTableEntry( "mline", Token.MLINE, "", 0), - new SmTokenTableEntry( "nabla", Token.NABLA, "\\nabla ", TGroup.STANDALONE, 5), - new SmTokenTableEntry( "navy", Token.NAVY, "\\textcolor[rgb]{0,0,0.5}", TGroup.COLOR, 0), - new SmTokenTableEntry( "nbold", Token.NBOLD, "\\normalsubformula", TGroup.FONTATTR, 5), - new SmTokenTableEntry( "ndivides", Token.NDIVIDES, "\\nmid ", TGroup.RELATION, 0), - new SmTokenTableEntry( "neg", Token.NEG, "\\neg ", TGroup.UNOPER, 5 ), - new SmTokenTableEntry( "neq", Token.NEQ, "\\neq ", TGroup.RELATION, 0), - new SmTokenTableEntry( "newline", Token.NEWLINE, "", 0), - new SmTokenTableEntry( "ni", Token.NI, "\\ni ", TGroup.RELATION, 0), - new SmTokenTableEntry( "nitalic", Token.NITALIC, "\\mathrm", TGroup.FONTATTR, 5), - new SmTokenTableEntry( "none", Token.NONE, ".", TGroup.LBRACES, TGroup.RBRACES, 0), - new SmTokenTableEntry( "notin", Token.NOTIN, "\\notin ", TGroup.RELATION, 0), - new SmTokenTableEntry( "nsubset", Token.NSUBSET, "\\not\\subset ", TGroup.RELATION, 0 ), - new SmTokenTableEntry( "nsupset", Token.NSUPSET, "\\not\\supset ", TGroup.RELATION, 0 ), - new SmTokenTableEntry( "nsubseteq", Token.NSUBSETEQ, "\\nsubseteq ", TGroup.RELATION, 0 ), - new SmTokenTableEntry( "nsupseteq", Token.NSUPSETEQ, "\\nsupseteq ", TGroup.RELATION, 0 ), - new SmTokenTableEntry( "nroot", Token.NROOT, "", TGroup.UNOPER, 5), - new SmTokenTableEntry( "odivide", Token.ODIVIDE, "\\oslash ", TGroup.PRODUCT, 0), - new SmTokenTableEntry( "odot", Token.ODOT, "\\odot ", TGroup.PRODUCT, 0), - new SmTokenTableEntry( "olive", Token.OLIVE, "\\textcolor[rgb]{0.5,0.5,0}", TGroup.COLOR, 0), - new SmTokenTableEntry( "ominus", Token.OMINUS, "\\ominus ", TGroup.SUM, 0), - new SmTokenTableEntry( "oper", Token.OPER, "", TGroup.OPER, 5), - new SmTokenTableEntry( "oplus", Token.OPLUS, "\\oplus ", TGroup.SUM, 0), - new SmTokenTableEntry( "or", Token.OR, "\\vee ", TGroup.SUM, 0), - new SmTokenTableEntry( "ortho", Token.ORTHO, "\\perp ", TGroup.RELATION, 0), - new SmTokenTableEntry( "otimes", Token.OTIMES, "\\otimes ", TGroup.PRODUCT, 0), - new SmTokenTableEntry( "over", Token.OVER, "", TGroup.PRODUCT, 0), - new SmTokenTableEntry( "overbrace", Token.OVERBRACE, "", TGroup.PRODUCT, 5), - new SmTokenTableEntry( "overline", Token.OVERLINE, "\\overline", TGroup.ATTRIBUT, 5), - new SmTokenTableEntry( "overstrike", Token.OVERSTRIKE, "\\mathoverstrike", TGroup.ATTRIBUT, 5), - new SmTokenTableEntry( "owns", Token.NI, "\\ni ", TGroup.RELATION, 0), - new SmTokenTableEntry( "parallel", Token.PARALLEL, "\\parallel ", TGroup.RELATION, 0), - new SmTokenTableEntry( "partial", Token.PARTIAL, "\\partial ", TGroup.STANDALONE, 5 ), - new SmTokenTableEntry( "phantom", Token.PHANTOM, "\\phantom", TGroup.FONTATTR, 5), - new SmTokenTableEntry( "plusminus", Token.PLUSMINUS, "\\pm ", TGroup.UNOPER, TGroup.SUM, 5), - new SmTokenTableEntry( "prod", Token.PROD, "\\prod ", TGroup.OPER, 5), - new SmTokenTableEntry( "prop", Token.PROP, "\\propto ", TGroup.RELATION, 0), - new SmTokenTableEntry( "purple", Token.PURPLE, "\\textcolor[rgb]{0.5,0,0.5}", TGroup.COLOR, 0), - new SmTokenTableEntry( "rangle", Token.RANGLE, "\\rangle ", TGroup.RBRACES, 0), - new SmTokenTableEntry( "rbrace", Token.RBRACE, "\\}", TGroup.RBRACES, 0), - new SmTokenTableEntry( "rceil", Token.RCEIL, "\\rceil ", TGroup.RBRACES, 0), - new SmTokenTableEntry( "rdbracket", Token.RDBRACKET, "\\rrbracket ", TGroup.RBRACES, 0), - new SmTokenTableEntry( "rdline", Token.RDLINE, "\\|", TGroup.RBRACES, 0), - new SmTokenTableEntry( "red", Token.RED, "\\textcolor{red}", TGroup.COLOR, 0), - new SmTokenTableEntry( "rfloor", Token.RFLOOR, "\\rfloor", TGroup.RBRACES, 0), - new SmTokenTableEntry( "right", Token.RIGHT, "", 0), - new SmTokenTableEntry( "rightarrow" , Token.RIGHTARROW, "\\rightarrow ", TGroup.STANDALONE, 5), - new SmTokenTableEntry( "rline", Token.RLINE, "|", TGroup.RBRACES, 0), - new SmTokenTableEntry( "rsub", Token.RSUB, "", TGroup.POWER, 0), - new SmTokenTableEntry( "rsup", Token.RSUP, "", TGroup.POWER, 0), - new SmTokenTableEntry( "sans", Token.SANS, "\\mathsf", TGroup.FONT, 0), - new SmTokenTableEntry( "serif", Token.SERIF, "\\mathrm", TGroup.FONT, 0), - new SmTokenTableEntry( "setC" , Token.SETC, "\\mathbb{C}", TGroup.STANDALONE, 5), - new SmTokenTableEntry( "setN" , Token.SETN, "\\mathbb{N}", TGroup.STANDALONE, 5), - new SmTokenTableEntry( "setQ" , Token.SETQ, "\\mathbb{Q}", TGroup.STANDALONE, 5), - new SmTokenTableEntry( "setR" , Token.SETR, "\\mathbb{R}", TGroup.STANDALONE, 5), - new SmTokenTableEntry( "setZ" , Token.SETZ, "\\mathbb{Z}", TGroup.STANDALONE, 5), - new SmTokenTableEntry( "setminus", Token.BACKSLASH, "\\setminus ", TGroup.PRODUCT, 0 ), - new SmTokenTableEntry( "silver", Token.SILVER, "\\textcolor[gray]{0.75}", TGroup.COLOR, 0), - new SmTokenTableEntry( "sim", Token.SIM, "\\sim ", TGroup.RELATION, 0), - new SmTokenTableEntry( "simeq", Token.SIMEQ, "\\simeq ", TGroup.RELATION, 0), - new SmTokenTableEntry( "sin", Token.SIN, "\\sin ", TGroup.FUNCTION, 5), - new SmTokenTableEntry( "sinh", Token.SINH, "\\sinh ", TGroup.FUNCTION, 5), - new SmTokenTableEntry( "size", Token.SIZE, "", TGroup.FONTATTR, 5), - new SmTokenTableEntry( "slash", Token.SLASH, "/", TGroup.PRODUCT, 0 ), - new SmTokenTableEntry( "sqrt", Token.SQRT, "", TGroup.UNOPER, 5), - new SmTokenTableEntry( "stack", Token.STACK, "", 5), - new SmTokenTableEntry( "sub", Token.RSUB, "", TGroup.POWER, 0), - new SmTokenTableEntry( "subset", Token.SUBSET, "\\subset ", TGroup.RELATION, 0), - new SmTokenTableEntry( "subseteq", Token.SUBSETEQ, "\\subseteq ", TGroup.RELATION, 0), - new SmTokenTableEntry( "sum", Token.SUM, "\\sum ", TGroup.OPER, 5), - new SmTokenTableEntry( "sup", Token.RSUP, "", TGroup.POWER, 0), - new SmTokenTableEntry( "supset", Token.SUPSET, "\\supset ", TGroup.RELATION, 0), - new SmTokenTableEntry( "supseteq", Token.SUPSETEQ, "\\supseteq ", TGroup.RELATION, 0), - new SmTokenTableEntry( "tan", Token.TAN, "\\tan ", TGroup.FUNCTION, 5), - new SmTokenTableEntry( "tanh", Token.TANH, "\\tanh ", TGroup.FUNCTION, 5), - new SmTokenTableEntry( "teal", Token.TEAL, "\\textcolor[rgb]{0,0.5,0.5}", TGroup.COLOR, 0), - new SmTokenTableEntry( "tilde", Token.TILDE, "\\tilde ", TGroup.ATTRIBUT, 5), - new SmTokenTableEntry( "times", Token.TIMES, "\\times ", TGroup.PRODUCT, 0), - new SmTokenTableEntry( "to", Token.TO, "", TGroup.LIMIT, 0), - new SmTokenTableEntry( "toward", Token.TOWARD, "\\to ", TGroup.RELATION, 0), - new SmTokenTableEntry( "transl", Token.TRANSL, "\\multimapdotbothA ", TGroup.RELATION, 0), - new SmTokenTableEntry( "transr", Token.TRANSR, "\\multimapdotbothB ", TGroup.RELATION, 0), - new SmTokenTableEntry( "underbrace", Token.UNDERBRACE, "", TGroup.PRODUCT, 5), - new SmTokenTableEntry( "underline", Token.UNDERLINE, "\\underline", TGroup.ATTRIBUT, 5), - new SmTokenTableEntry( "union", Token.UNION, "\\cup ", TGroup.SUM, 0), - new SmTokenTableEntry( "uoper", Token.UOPER, "", TGroup.UNOPER, 5), - new SmTokenTableEntry( "uparrow" , Token.UPARROW, "\\uparrow ", TGroup.STANDALONE, 5), - new SmTokenTableEntry( "vec", Token.VEC, "\\vec", TGroup.ATTRIBUT, 5), - new SmTokenTableEntry( "white", Token.WHITE, "\\textcolor{white}", TGroup.COLOR, 0), - new SmTokenTableEntry( "widebslash", Token.WIDEBACKSLASH, "", TGroup.PRODUCT, 0 ), - new SmTokenTableEntry( "widehat", Token.WIDEHAT, "\\widehat ", TGroup.ATTRIBUT, 5), - new SmTokenTableEntry( "widetilde", Token.WIDETILDE, "\\widetilde", TGroup.ATTRIBUT, 5), - new SmTokenTableEntry( "wideslash", Token.WIDESLASH, "", TGroup.PRODUCT, 0 ), - new SmTokenTableEntry( "widevec", Token.WIDEVEC, "\\overrightarrow", TGroup.ATTRIBUT, 5), - new SmTokenTableEntry( "wp" , Token.WP, "\\wp ", TGroup.STANDALONE, 5), - new SmTokenTableEntry( "yellow", Token.YELLOW, "\\textcolor{yellow}", TGroup.COLOR, 0), - new SmTokenTableEntry( "nospace", Token.NOSPACE, "", TGroup.ATTRIBUT, 0), - // nospace is flagged as standalone in parse.cxx for some reason, but is really treated like an attribute - new SmTokenTableEntry( "prec", Token.PREC, "\\prec ", TGroup.RELATION, 0), - new SmTokenTableEntry( "nprec", Token.NPREC, "\\nprec ", TGroup.RELATION, 0), - new SmTokenTableEntry( "succ", Token.SUCC, "\\succ ", TGroup.RELATION, 0), - new SmTokenTableEntry( "nsucc", Token.NSUCC, "\\nsucc ", TGroup.RELATION, 0), - new SmTokenTableEntry( "preccurlyeq", Token.PRECCURLYEQ, "\\preccurlyeq ", TGroup.RELATION, 0), - new SmTokenTableEntry( "succcurlyeq", Token.SUCCCURLYEQ, "\\succcurlyeq ", TGroup.RELATION, 0), - new SmTokenTableEntry( "precsim", Token.PRECSIM, "\\precsim ", TGroup.RELATION, 0), - new SmTokenTableEntry( "succsim", Token.SUCCSIM, "\\succsim ", TGroup.RELATION, 0)}; - - static final SmTokenTableEntry[] symbols= - {new SmTokenTableEntry("ALPHA",Token.SPECIAL,"A",5), - new SmTokenTableEntry("BETA",Token.SPECIAL,"B",5), - new SmTokenTableEntry("CHI",Token.SPECIAL,"X",5), - new SmTokenTableEntry("DELTA",Token.SPECIAL,"\\Delta ",5), - new SmTokenTableEntry("EPSILON",Token.SPECIAL,"E",5), - new SmTokenTableEntry("ETA",Token.SPECIAL,"H",5), - new SmTokenTableEntry("GAMMA",Token.SPECIAL,"\\Gamma ",5), - new SmTokenTableEntry("IOTA",Token.SPECIAL,"I",5), - new SmTokenTableEntry("KAPPA",Token.SPECIAL,"K",5), - new SmTokenTableEntry("LAMBDA",Token.SPECIAL,"\\Lambda ",5), - new SmTokenTableEntry("MU",Token.SPECIAL,"M",5), - new SmTokenTableEntry("NU",Token.SPECIAL,"N",5), - new SmTokenTableEntry("OMEGA",Token.SPECIAL,"\\Omega ",5), - new SmTokenTableEntry("OMICRON",Token.SPECIAL,"O",5), - new SmTokenTableEntry("PHI",Token.SPECIAL,"\\Phi ",5), - new SmTokenTableEntry("PI",Token.SPECIAL,"\\Pi ",5), - new SmTokenTableEntry("PSI",Token.SPECIAL,"\\Psi ",5), - new SmTokenTableEntry("RHO",Token.SPECIAL,"P",5), - new SmTokenTableEntry("SIGMA",Token.SPECIAL,"\\Sigma ",5), - new SmTokenTableEntry("TAU",Token.SPECIAL,"T",5), - new SmTokenTableEntry("THETA",Token.SPECIAL,"\\Theta ",5), - new SmTokenTableEntry("UPSILON",Token.SPECIAL,"\\Upsilon ",5), - new SmTokenTableEntry("XI",Token.SPECIAL,"\\Xi ",5), - new SmTokenTableEntry("ZETA",Token.SPECIAL,"Z",5), - new SmTokenTableEntry("alpha",Token.SPECIAL,"\\alpha ",5), - new SmTokenTableEntry("beta",Token.SPECIAL,"\\beta ",5), - new SmTokenTableEntry("chi",Token.SPECIAL,"\\chi ",5), - new SmTokenTableEntry("delta",Token.SPECIAL,"\\delta ",5), - new SmTokenTableEntry("epsilon",Token.SPECIAL,"\\epsilon ",5), - new SmTokenTableEntry("eta",Token.SPECIAL,"\\eta ",5), - new SmTokenTableEntry("gamma",Token.SPECIAL,"\\gamma ",5), - new SmTokenTableEntry("iota",Token.SPECIAL,"\\iota ",5), - new SmTokenTableEntry("kappa",Token.SPECIAL,"\\kappa ",5), - new SmTokenTableEntry("lambda",Token.SPECIAL,"\\lambda ",5), - new SmTokenTableEntry("mu",Token.SPECIAL,"\\mu ",5), - new SmTokenTableEntry("nu",Token.SPECIAL,"\\nu ",5), - new SmTokenTableEntry("omega",Token.SPECIAL,"\\omega ",5), - new SmTokenTableEntry("omicron",Token.SPECIAL,"o",5), - new SmTokenTableEntry("phi",Token.SPECIAL,"\\phi ",5), - new SmTokenTableEntry("pi",Token.SPECIAL,"\\pi ",5), - new SmTokenTableEntry("psi",Token.SPECIAL,"\\psi ",5), - new SmTokenTableEntry("rho",Token.SPECIAL,"\\rho ",5), - new SmTokenTableEntry("sigma",Token.SPECIAL,"\\sigma ",5), - new SmTokenTableEntry("tau",Token.SPECIAL,"\\tau ",5), - new SmTokenTableEntry("theta",Token.SPECIAL,"\\theta ",5), - new SmTokenTableEntry("upsilon",Token.SPECIAL,"\\upsilon ",5), - new SmTokenTableEntry("varepsilon",Token.SPECIAL,"\\varepsilon ",5), - new SmTokenTableEntry("varphi",Token.SPECIAL,"\\varphi ",5), - new SmTokenTableEntry("varpi",Token.SPECIAL,"\\varpi ",5), - new SmTokenTableEntry("varrho",Token.SPECIAL,"\\varrho ",5), - new SmTokenTableEntry("varsigma",Token.SPECIAL,"\\varsigma ",5), - new SmTokenTableEntry("vartheta",Token.SPECIAL,"\\vartheta ",5), - new SmTokenTableEntry("xi",Token.SPECIAL,"\\xi ",5), - new SmTokenTableEntry("zeta",Token.SPECIAL,"\\zeta ",5), - new SmTokenTableEntry("and",Token.SPECIAL,"\\wedge ",5), - new SmTokenTableEntry("angle",Token.SPECIAL,"\\sphericalangle ",5), - new SmTokenTableEntry("element",Token.SPECIAL,"\\in ",5), - new SmTokenTableEntry("identical",Token.SPECIAL,"\\equiv ",5), - new SmTokenTableEntry("infinite",Token.SPECIAL,"\\infty ",5), - new SmTokenTableEntry("noelement",Token.SPECIAL,"\\notin ",5), - new SmTokenTableEntry("notequal",Token.SPECIAL,"\\neq ",5), - new SmTokenTableEntry("or",Token.SPECIAL,"\\vee ",5), - new SmTokenTableEntry("perthousand",Token.SPECIAL,"\\text{\\textperthousand}",5), - new SmTokenTableEntry("strictlygreaterthan",Token.SPECIAL,"\\gg ",5), - new SmTokenTableEntry("strictlylessthan",Token.SPECIAL,"\\ll ",5), - new SmTokenTableEntry("tendto",Token.SPECIAL,"\\to ",5)}; -} - -// Token (this is simply a struct) -class SmToken{ - Token eType; - String sLaTeX; - TGroup eGroup1, eGroup2; - int nLevel; - boolean bSingleChar=false; // only used for identifiers - - SmToken(){ - this.assign(Token.UNKNOWN,"",0); - } - - void assign(Token eType, String sLaTeX, TGroup eGroup1, TGroup eGroup2, int nLevel){ - this.eType=eType; - this.sLaTeX=sLaTeX; - this.eGroup1=eGroup1; - this.eGroup2=eGroup2; - this.nLevel=nLevel; - } - - void assign(Token eType, String sLaTeX, TGroup eGroup1, int nLevel){ - assign(eType, sLaTeX, eGroup1, TGroup.NONE, nLevel); - } - - void assign(Token eType, String sLaTeX, int nLevel){ - assign(eType, sLaTeX, TGroup.NONE, TGroup.NONE, nLevel); - } -} - - -/////////////////////////////////////////////////////////////////// -// The converter class -public final class StarMathConverter implements writer2latex.api.StarMathConverter { - - // Variables - private SmTokenTable keywords=new SmTokenTable(SmTokenTable.keywords); - private SmTokenTable symbols=new SmTokenTable(SmTokenTable.symbols); - private LaTeXConfig config; - private Map configSymbols; - private boolean bUseColor; - private int nMaxMatrixCols = 10; // trace the largest number of columns in a matrix - private SmToken curToken=new SmToken(); // contains the data of the current token - private SimpleInputBuffer buffer; // contains the starmath formula - //private Float fBaseSize; // base size for the formula (usually 12pt) - private I18n i18n; - - // Regular expression for numbers - Pattern numberPattern; - - // Flags to track need for ooomath.sty definitions - private boolean bDefeq = false; - private boolean bLambdabar = false; - private boolean bDdotsup = false; - private boolean bMultimapdotbothA = false; - private boolean bMultimapdotbothB = false; - private boolean bLlbracket = false; - private boolean bRrbracket = false; - private boolean bOiint = false; - private boolean bOiiint = false; - private boolean bWideslash = false; - private boolean bWidebslash = false; - private boolean bBoldsubformula = false; - private boolean bNormalsubformula = false; - private boolean bMultiscripts = false; - private boolean bMathoverstrike = false; - - // Match a number (or the empty string) - private void createNumberPattern() { - numberPattern = Pattern.compile("^[0-9]*\\.?[0-9]*$"); - } - - // Constructor for stand alone StarMath converter - public StarMathConverter() { - config = new LaTeXConfig(); - i18n = new ClassicI18n(config); - configSymbols = config.getMathSymbols(); - bUseColor = config.useColor(); - createNumberPattern(); - } - - StarMathConverter(I18n i18n, LaTeXConfig config){ - this.config = config; - this.i18n = i18n; - configSymbols = config.getMathSymbols(); - bUseColor = config.useColor(); - createNumberPattern(); - } - - public void appendDeclarations(LaTeXDocumentPortion pack, LaTeXDocumentPortion decl) { - if (bMultiscripts || bMathoverstrike) { - pack.append("\\usepackage{calc}").nl(); - } - if (config.useOoomath()) { - pack.append("\\usepackage{ooomath}").nl(); - } - else { - if (bDefeq) { - decl.append("\\newcommand\\defeq{\\stackrel{\\mathrm{def}}{=}}").nl(); - } - if (bLambdabar) { - decl.append("\\newcommand\\lambdabar{\\mathchar'26\\mkern-10mu\\lambda}").nl(); - } - if (bDdotsup) { - decl.append("\\newcommand\\ddotsup{\\mathinner{\\mkern1mu\\raise1pt\\vbox{\\kern7pt\\hbox{.}}\\mkern2mu\\raise4pt\\hbox{.}\\mkern2mu\\raise7pt\\hbox{.}\\mkern1mu}}").nl(); - } - if (bMultimapdotbothA) { - decl.append("\\providecommand\\multimapdotbothA{\\bullet\\kern-0.4em-\\kern-0.4em\\circ}").nl(); - } - if (bMultimapdotbothB) { - decl.append("\\providecommand\\multimapdotbothB{\\circ\\kern-0.4em-\\kern-0.4em\\bullet}").nl(); - } - if (bLlbracket) { - decl.append("\\providecommand\\llbracket{[}").nl(); - } - if (bRrbracket) { - decl.append("\\providecommand\\rrbracket{]}").nl(); - } - if (bOiint) { - decl.append("\\providecommand\\oiint{\\oint}").nl(); - } - if (bOiiint) { - decl.append("\\providecommand\\oiiint{\\oint}").nl(); - } - if (bWideslash) { - decl.append("\\newcommand\\wideslash[2]{{}^{#1}/_{#2}}").nl(); - } - if (bWidebslash) { - decl.append("\\newcommand\\widebslash[2]{{}_{#1}\\backslash^{#2}}").nl(); - } - if (bBoldsubformula) { - decl.append("\\newcommand\\boldsubformula[1]{\\text{\\mathversion{bold}$#1$}}").nl(); - } - if (bNormalsubformula) { - decl.append("\\newcommand\\normalsubformula[1]{\\text{\\mathversion{normal}$#1$}}").nl(); - } - if (bMultiscripts || bMathoverstrike) { - decl.append("\\newlength{\\idxmathdepth}\\newlength{\\idxmathtotal}\\newlength{\\idxmathwidth}\\newlength{\\idxraiseme}").nl(); - decl.append("\\newcommand{\\idxdheight}[1]{\\protect\\settoheight{\\idxmathtotal}{\\(\\displaystyle#1\\)}\\protect\\settodepth{\\idxmathdepth}{\\(\\displaystyle#1\\)}\\protect\\settowidth{\\idxmathwidth}{\\(\\displaystyle#1\\)}\\protect\\addtolength{\\idxmathtotal}{\\idxmathdepth}\\protect\\setlength{\\idxraiseme}{\\idxmathtotal/2-\\idxmathdepth}}").nl(); - decl.append("\\newcommand{\\idxtheight}[1]{\\protect\\settoheight{\\idxmathtotal}{\\(\\textstyle #1\\)}\\protect\\settodepth{\\idxmathdepth}{\\(\\textstyle #1\\)}\\protect\\settowidth{\\idxmathwidth}{\\(\\textstyle#1\\)}\\protect\\addtolength{\\idxmathtotal}{\\idxmathdepth}\\protect\\setlength{\\idxraiseme}{\\idxmathtotal/2-\\idxmathdepth}}").nl(); - decl.append("\\newcommand{\\idxsheight}[1]{\\protect\\settoheight{\\idxmathtotal}{\\(\\scriptstyle #1\\)}\\protect\\settodepth{\\idxmathdepth}{\\(\\scriptstyle #1\\)}\\protect\\settowidth{\\idxmathwidth}{\\(\\scriptstyle#1\\)}\\protect\\addtolength{\\idxmathtotal}{\\idxmathdepth}\\protect\\setlength{\\idxraiseme}{\\idxmathtotal/2-\\idxmathdepth}}").nl(); - decl.append("\\newcommand{\\idxssheight}[1]{\\protect\\settoheight{\\idxmathtotal}{\\(\\scriptscriptstyle #1\\)}\\protect\\settodepth{\\idxmathdepth}{\\(\\scriptscriptstyle #1\\)}\\protect\\settowidth{\\idxmathwidth}{\\(\\scriptscriptstyle#1\\)}\\protect\\addtolength{\\idxmathtotal}{\\idxmathdepth}\\protect\\setlength{\\idxraiseme}{\\idxmathtotal/2-\\idxmathdepth}}").nl(); - } - if (bMultiscripts) { - decl.append("\\newcommand\\multiscripts[5]{\\mathchoice") - .append("{\\idxdheight{#4}\\rule[-\\idxmathdepth]{0mm}{\\idxmathtotal}#1\\underset{#2}{\\overset{#3}{#4}}\\rule[-\\idxmathdepth]{0mm}{\\idxmathtotal}#5}") - .append("{\\idxtheight{#4}\\rule[-\\idxmathdepth]{0mm}{\\idxmathtotal}#1\\underset{#2}{\\overset{#3}{#4}}\\rule[-\\idxmathdepth]{0mm}{\\idxmathtotal}#5}") - .append("{\\idxsheight{#4}\\rule[-\\idxmathdepth]{0mm}{\\idxmathtotal}#1\\underset{#2}{\\overset{#3}{#4}}\\rule[-\\idxmathdepth]{0mm}{\\idxmathtotal}#5}") - .append("{\\idxssheight{#4}\\rule[-\\idxmathdepth]{0mm}{\\idxmathtotal}#1\\underset{#2}{\\overset{#3}{#4}}\\rule[-\\idxmathdepth]{0mm}{\\idxmathtotal}#5}}") - .nl(); - } - if (bMathoverstrike) { - decl.append("\\newcommand\\mathoverstrike[1]{\\mathchoice") - .append("{\\idxdheight{#1}\\rlap{\\rule[\\idxraiseme]{\\idxmathwidth}{0.4pt}}{#1}}") - .append("{\\idxtheight{#1}\\rlap{\\rule[\\idxraiseme]{\\idxmathwidth}{0.4pt}}{#1}}") - .append("{\\idxsheight{#1}\\rlap{\\rule[\\idxraiseme]{\\idxmathwidth}{0.4pt}}{#1}}") - .append("{\\idxssheight{#1}\\rlap{\\rule[\\idxraiseme]{\\idxmathwidth}{0.4pt}}{#1}}}") - .nl(); - } - } - if (nMaxMatrixCols>10) { // The default for the matrix environment is at most 10 columns - decl.append("\\setcounter{MaxMatrixCols}{").append(nMaxMatrixCols).append("}").nl(); - } - } - - // Implement writer2latex.api.StarMathConverter - public writer2latex.api.Config getConfig() { - return config; - } - - public String getPreamble() { - LaTeXDocumentPortion decl = new LaTeXDocumentPortion(false); - LaTeXDocumentPortion pack = new LaTeXDocumentPortion(false); - i18n.appendDeclarations(pack,decl); - appendDeclarations(pack,decl); - return pack.toString()+decl.toString(); - } - - - - ///////////////////////////////////////// - // Tokenizer - - private boolean tokenInGroup(TGroup eGroup){ - return curToken.eGroup1==eGroup || curToken.eGroup2==eGroup; - } - - private void skipWhiteSpaces(){ - while (Character.isWhitespace(buffer.peekChar())) buffer.getChar(); - } - - private void skipComment(){ - if (buffer.peekChar()!='%' || buffer.peekFollowingChar()!='%') return; - while (!CharClasses.isEndOrLineEnd(buffer.peekChar())) buffer.getChar(); - } - - private void nextToken(){ - // read next token from buffer and update curToken - int nStart; - do // move to first significant character - { nStart=buffer.getIndex(); - skipWhiteSpaces(); - skipComment(); - } while (nStart'){ - buffer.getChar(); - curToken.assign(Token.NEQ, "\\neq ", TGroup.RELATION, 0); - } - else if (buffer.peekChar()=='?' && buffer.peekFollowingChar()=='>'){ - buffer.getChar(); buffer.getChar(); - curToken.assign(Token.PLACE, "\\Box ", TGroup.STANDALONE, 5); // no group in parse.cxx - } - else { - curToken.assign(Token.LT, "<", TGroup.RELATION, 0); - } - return; - case '>': - if (buffer.peekChar()=='>'){ - buffer.getChar(); - curToken.assign(Token.GG, "\\gg ", TGroup.RELATION, 0); - } - else if (buffer.peekChar()=='='){ - buffer.getChar(); - curToken.assign(Token.GE, "\\ge ", TGroup.RELATION, 0); - } - else { - curToken.assign(Token.GT, ">", TGroup.RELATION, 0); - } - return; - case '[': - curToken.assign(Token.LBRACKET, "[", TGroup.LBRACES, 5); - return; - case '\\': - curToken.assign(Token.ESCAPE, "", 5); - return; - case ']': - curToken.assign(Token.RBRACKET, "]", TGroup.RBRACES, 0); - return; - case '^': - curToken.assign(Token.RSUP, "", TGroup.POWER, 0); - return; - case '_': - curToken.assign(Token.RSUB, "", TGroup.POWER, 0); - return; - case '`': - curToken.assign(Token.SBLANK, "\\;", TGroup.BLANK, 5); - return; - case '{': - curToken.assign(Token.LGROUP, "{", 5); - return; - case '|': - curToken.assign(Token.OR, "\\vee ", TGroup.SUM, 0); - return; - case '}': - curToken.assign(Token.RGROUP, "}", 0); - return; - case '~': - curToken.assign(Token.BLANK, "\\ ", TGroup.BLANK, 5); - return; - case '#': - if (buffer.peekChar()=='#'){ - buffer.getChar(); - curToken.assign(Token.DPOUND, "", 0); - } - else { - curToken.assign(Token.POUND, "", 0); - } - return; - case '&': - curToken.assign(Token.AND, "\\wedge ", TGroup.PRODUCT, 0); - return; - case '(': - curToken.assign(Token.LPARENT, "(", TGroup.LBRACES, 5); - return; - case ')': - curToken.assign(Token.RPARENT, ")", TGroup.RBRACES, 0); - return; - case '*': - curToken.assign(Token.MULTIPLY, "\\ast ", TGroup.PRODUCT, 0); - return; - case '+': - if (buffer.peekChar()=='-'){ - buffer.getChar(); - curToken.assign(Token.PLUSMINUS, "\\pm ", TGroup.UNOPER, TGroup.SUM, 5); - } - else { - curToken.assign(Token.PLUS, "+", TGroup.UNOPER, TGroup.SUM, 5); - } - return; - case '-': - if (buffer.peekChar()=='+'){ - buffer.getChar(); - curToken.assign(Token.MINUSPLUS, "\\mp ", TGroup.UNOPER, TGroup.SUM, 5); - } - else { - curToken.assign(Token.MINUS, "-", TGroup.UNOPER, TGroup.SUM, 5); - } - return; - //case '.': // not relevant... ?? - // curToken.assign(Token.POINT, ".", 0); - // return; - case '/': - curToken.assign(Token.DIVIDEBY, "/", TGroup.PRODUCT, 0); - return; - case '=': - curToken.assign(Token.ASSIGN, "=", TGroup.RELATION, 0); - return; - default: - Character cCharObject=new Character(cChar); - curToken.assign(Token.CHARACTER,i18n.convert(cCharObject.toString(),true,"en"),5); - return; - } - - } - } - - //////////////////////////////////////////////// - // Grammar - - private String table(float fSize, Token eAlign){ - StringBuilder bufTable=new StringBuilder(); - String sLine=line(fSize,eAlign,true); - if (curToken.eType==Token.NEWLINE){ // more than one line - bufTable.append("\\begin{gathered}").append(sLine); - while (curToken.eType==Token.NEWLINE){ - nextToken(); - bufTable.append("\\\\"); - sLine = line(fSize,eAlign,false); - if (sLine.length()>0 && sLine.charAt(0)=='[') { // Protect [ after \\ - bufTable.append("{}"); - } - bufTable.append(sLine); - } - return bufTable.append("\\end{gathered}").toString(); - } - else { // only one line - return sLine; - } - } - - private String align(float fSize, Token eAlign,boolean bUseAlignment,boolean bNeedNull){ - // Alignment works very different in StarMath and LaTeX: - // In LaTeX alignment is accomplished using suitable \hfill's in appropriate spots. - // Hence we need to pass on the current alignment as a parameter to decide where to \hfill. - // bUseAlignment requires us to add a suitable \hfill (set true by table, matrix and stack). - // bNeedNull requires us to add \null (an empty hbox) at the end (the matrix environment - // needs this). - // Currently fractions and binoms are *not* aligned. - // In the other constructions alignment doesn't work if it's put inside a group: - // stack{{alignl a}#aaaa} does not work, while stack{alignl a#aaaa} does work. - - if (tokenInGroup(TGroup.ALIGN)){ - eAlign=curToken.eType; - nextToken(); - } - if (bUseAlignment && eAlign==Token.ALIGNL){ - if (bNeedNull){ - return expression(fSize,eAlign)+"\\hfill\\null "; - } - else { - return expression(fSize,eAlign)+"\\hfill "; - } - } - else if (bUseAlignment && eAlign==Token.ALIGNR){ - return "\\hfill "+expression(fSize,eAlign); - } - else { // center alignment (default!) or no alignment - return expression(fSize,eAlign); - } - } - - private String line(float fSize, Token eAlign, boolean bFirstLine){ - if (curToken.eType!=Token.NEWLINE && curToken.eType!=Token.END){ - // Add implicit left alignment for expressions starting with text - // (Note: Don't pass on this alignment to subexpressions!) - // This alignment is only added if there's more than one line! - if (curToken.eType==Token.TEXT) { - String sExpression = expression(fSize,eAlign); - if (!bFirstLine || curToken.eType==Token.NEWLINE) { - return sExpression+"\\hfill "; - } - else { - return sExpression; - } - } - else { - return align(fSize,eAlign,true,false); - } - } - else { // empty line - return "{}"; // LaTeX doesn't like empty lines in gather - } - } - - private String expression(float fSize, Token eAlign){ - StringBuilder bufExpression=new StringBuilder().append(relation(fSize,eAlign)); - while (curToken.nLevel>=5){ - bufExpression.append(relation(fSize,eAlign)); - } - return bufExpression.toString(); - } - - private String relation(float fSize, Token eAlign){ - StringBuilder bufRelation=new StringBuilder().append(sum(fSize,eAlign)); - while (tokenInGroup(TGroup.RELATION)){ - if (curToken.eType==Token.TRANSL) { bMultimapdotbothA=true; } - else if (curToken.eType==Token.TRANSR) { bMultimapdotbothB=true; } - else if (curToken.eType==Token.DEF) { bDefeq=true; } - bufRelation.append(opsubsup(fSize,eAlign)).append(sum(fSize,eAlign)); - } - return bufRelation.toString(); - } - - private String sum(float fSize, Token eAlign){ - StringBuilder bufSum=new StringBuilder().append(product(fSize,eAlign)); - while (tokenInGroup(TGroup.SUM)){ - bufSum.append(opsubsup(fSize,eAlign)).append(product(fSize,eAlign)); - } - return bufSum.toString(); - } - - private String product(float fSize, Token eAlign){ - String sProduct=power(fSize,eAlign); - while (tokenInGroup(TGroup.PRODUCT)){ - if (curToken.eType==Token.OVER){ - nextToken(); - sProduct="\\frac"+groupsp(sProduct)+groupsp(power(fSize,eAlign)); - } else if (curToken.eType==Token.BOPER){ - nextToken(); - sProduct+=special()+power(fSize,eAlign); - } else if (curToken.eType==Token.OVERBRACE){ - nextToken(); - sProduct="\\overbrace"+groupsp(sProduct)+"^"+group(power(fSize,eAlign)); - } else if (curToken.eType==Token.UNDERBRACE){ - nextToken(); - sProduct="\\underbrace"+groupsp(sProduct)+"_"+group(power(fSize,eAlign)); - } else if (curToken.eType==Token.WIDESLASH){ - bWideslash=true; - nextToken(); - sProduct="\\wideslash"+groupsp(sProduct)+group(power(fSize,eAlign)); - } else if (curToken.eType==Token.WIDEBACKSLASH){ - bWidebslash=true; - nextToken(); - sProduct="\\widebslash"+groupsp(sProduct)+group(power(fSize,eAlign)); - } else { - sProduct+=opsubsup(fSize,eAlign)+power(fSize,eAlign); - } - } - return sProduct; - - } - - private String tosub(String s){ - return s!=null ? "_"+group(s) : ""; - } - - private String tosup(String s){ - return s!=null ? "^"+group(s) : ""; - } - - private String subsup(float fSize, Token eAlign,String sBody, TGroup eActiveGroup){ - // sBody is the string to attach scripts to - // eActiveGroup must be TGroup.LIMIT or TGroup.POWER - // in the former case sBody must contain a large operator (sum, int...) - Token eScriptType; - String sLsub=null, sLsup=null, sCsub=null, sCsup=null, sRsub=null, sRsup=null; - while (tokenInGroup(eActiveGroup)){ - eScriptType=curToken.eType; - nextToken(); - if (eScriptType==Token.FROM) sCsub=relation(fSize,eAlign); - else if (eScriptType==Token.TO) sCsup=relation(fSize,eAlign); - else if (eScriptType==Token.LSUB) sLsub=term(fSize,eAlign); - else if (eScriptType==Token.LSUP) sLsup=term(fSize,eAlign); - else if (eScriptType==Token.CSUB) sCsub=term(fSize,eAlign); - else if (eScriptType==Token.CSUP) sCsup=term(fSize,eAlign); - else if (eScriptType==Token.RSUB) sRsub=term(fSize,eAlign); - else if (eScriptType==Token.RSUP) sRsup=term(fSize,eAlign); - } - if (sLsub==null && sLsup==null && sCsub==null && sCsup==null && sRsub==null && sRsup==null){ - return sBody; - } - if (eActiveGroup==TGroup.LIMIT){ - if (sLsub==null && sLsup==null && sRsub==null && sRsup==null){ - // ordinary limits - return sBody+tosub(sCsub)+tosup(sCsup); - } - else { // nontrivial case: use \sideset - // problem: always typesets the operator in \displaystyle - // solution: use \multiscripts instead??? - return "\\sideset{"+tosub(sLsub)+tosup(sLsup)+"}{"+tosub(sRsub)+tosup(sRsup)+"}" - +sBody+"\\limits"+tosub(sCsub)+tosup(sCsup); - } - } - else { - if (sLsub==null && sLsup==null && sCsub==null && sCsup==null){ - // ordinary scripts - return sBody+tosub(sRsub)+tosup(sRsup); - } - else if (sLsub==null && sLsup==null && sRsub==null && sRsup==null){ - // scripts above/below - if (sCsub==null){ - return "\\overset"+groupsp(sCsup)+"{"+sBody+"}"; - } - else if (sCsup==null){ - return "\\underset"+groupsp(sCsub)+"{"+sBody+"}"; - } - else { - return "\\overset"+groupsp(sCsup)+"{\\underset"+groupsp(sCsub)+"{"+sBody+"}}"; - } - } - else {// general case: use \multiscripts - bMultiscripts=true; - if (sCsub==null) {sCsub="{}";} - if (sCsup==null) {sCsup="{}";} - return "\\multiscripts{"+tosub(sLsub)+tosup(sLsup)+"}"+group(sCsub)+group(sCsup) - +"{"+sBody+"}{"+tosub(sRsub)+tosup(sRsup)+"}"; - } - } - } - - private String opsubsup(float fSize, Token eAlign){ - String sOperator=curToken.sLaTeX; - nextToken(); - return subsup(fSize,eAlign,sOperator,TGroup.POWER); - } - - private String power(float fSize, Token eAlign){ - return subsup(fSize,eAlign,term(fSize,eAlign),TGroup.POWER); - } - - private String blank(){ - StringBuilder bufBlank=new StringBuilder(); - while (tokenInGroup(TGroup.BLANK)){ - bufBlank.append(curToken.sLaTeX); - nextToken(); - } - return bufBlank.toString(); - } - - private String term(float fSize, Token eAlign) { - String sContent; - if (curToken.eType==Token.ESCAPE) - return escape(); - else if (curToken.eType==Token.LGROUP){ - nextToken(); - if (curToken.eType!=Token.RGROUP) - sContent=align(fSize,eAlign,false,false); - else - sContent=""; // empty group - if (curToken.eType==Token.RGROUP) - nextToken(); - // otherwise there is an error in the formula, ignore this - // note that we do not keep the grouping; we add grouping where LaTeX needs it instead - return sContent; - } - else if (curToken.eType==Token.LEFT) - return scalebrace(fSize,eAlign); - else if (tokenInGroup(TGroup.BLANK)) - return blank(); - else if (curToken.eType==Token.TEXT){ - sContent=curToken.sLaTeX; - nextToken(); - if (!numberPattern.matcher(sContent).matches()) { - return "\\text"+groupsp(sContent); - } - else { // In the special case that the text is simply a number, using \text is superflous - return sContent; - } - } - else if (curToken.eType==Token.CHARACTER || curToken.eType==Token.NUMBER - || tokenInGroup(TGroup.STANDALONE)){ - if (curToken.eType==Token.LAMBDABAR) { bLambdabar=true; } - if (curToken.eType==Token.DOTSUP) { bDdotsup=true; } - sContent=curToken.sLaTeX; - nextToken(); - return sContent; - } - else if (curToken.eType==Token.IDENT){ - sContent=curToken.sLaTeX; - boolean bSingleChar = curToken.bSingleChar; - nextToken(); - return bSingleChar ? sContent : "\\mathit{"+sContent+"}"; - } - else if (curToken.eType==Token.SPECIAL) - return special(); - else if (curToken.eType==Token.BINOM) - return binom(fSize,eAlign); - else if (curToken.eType==Token.STACK) - return stack(fSize,eAlign); - else if (curToken.eType==Token.MATRIX) - return matrix(fSize,eAlign); - else if (tokenInGroup(TGroup.LBRACES)) - return brace(fSize,eAlign); - else if (tokenInGroup(TGroup.OPER)) - return operator(fSize,eAlign); - else if (tokenInGroup(TGroup.UNOPER)) - return unoper(fSize,eAlign); - else if (tokenInGroup(TGroup.ATTRIBUT) || tokenInGroup(TGroup.FONTATTR)) - return attributes(fSize,eAlign); - else if (tokenInGroup(TGroup.FUNCTION)) - return function(); - else { // error in formula - if (tokenInGroup(TGroup.RELATION) || tokenInGroup(TGroup.SUM) || tokenInGroup(TGroup.PRODUCT)) { - // Try to repair: At least these groups are mostly symbols that are quite acceptable as terms in LaTeX - sContent=curToken.sLaTeX; - if (sContent.length()==0) { sContent="?"; } - } - else { - sContent="?"; - } - nextToken(); - return sContent; - } - } - - private String escape(){ - String sEscape; - nextToken(); - if ((tokenInGroup(TGroup.LBRACES) || tokenInGroup(TGroup.RBRACES)) - && curToken.eType!=Token.NONE){ - sEscape=curToken.sLaTeX; - nextToken(); - } - else if (curToken.eType==Token.LGROUP){ - sEscape="\\{"; - nextToken(); - } - else if (curToken.eType==Token.RGROUP){ - sEscape="\\}"; - nextToken(); - } - else { // error in formula - sEscape=""; - } - return sEscape; - } - - private String operator(float fSize, Token eAlign){ - String sOperator=oper(); - if (tokenInGroup(TGroup.LIMIT) || tokenInGroup(TGroup.POWER)){ - // Note: TGroup.LIMIT and TGroup.POWER are always in eGroup1, so this is OK: - return subsup(fSize,eAlign,sOperator,curToken.eGroup1)+power(fSize,eAlign); - } - else { - return sOperator+power(fSize,eAlign); - } - } - - private String oper(){ - if (curToken.eType==Token.LLINT) { bOiint=true; } - else if (curToken.eType==Token.LLLINT) { bOiiint=true; } - String sOper; - if (curToken.eType==Token.OPER){ - nextToken(); - if (curToken.eType==Token.SPECIAL) - sOper="\\operatornamewithlimits{"+curToken.sLaTeX+"}"; - else - sOper="\\operatornamewithlimits{?}"; // error in formula - } - else { - sOper=curToken.sLaTeX; - } - nextToken(); - return sOper; - } - - private String unoper(float fSize, Token eAlign){ - if (curToken.eType==Token.ABS){ - nextToken(); - return "\\left|"+power(fSize,eAlign)+"\\right|"; - } - else if (curToken.eType==Token.SQRT){ - nextToken(); - return "\\sqrt"+groupsp(power(fSize,eAlign)); - } - else if (curToken.eType==Token.NROOT){ - nextToken(); - return "\\sqrt["+power(fSize,eAlign)+"]"+group(power(fSize,eAlign)); - } - else if (curToken.eType==Token.UOPER){ - nextToken(); - return special()+power(fSize,eAlign); - } - else if (curToken.eType==Token.FACT){ - String sOperator=opsubsup(fSize,eAlign); - return power(fSize,eAlign)+sOperator; - } - else { // must be PLUS, MINUS, PLUSMINUS, MINUSPLUS or NEG - return opsubsup(fSize,eAlign)+power(fSize,eAlign); - } - } - - private String attributes(float fSize, Token eAlign){ - String sAttribute; - if (curToken.eType==Token.FONT){ - nextToken(); - if (tokenInGroup(TGroup.FONT)){ - sAttribute=curToken.sLaTeX; - nextToken(); - return sAttribute+groupsp(term(fSize,eAlign)); - } - else { // error in formula - return "?"; - } - } - else if (curToken.eType==Token.COLOR){ - nextToken(); - if (tokenInGroup(TGroup.COLOR)){ - Token tokenType = curToken.eType; - sAttribute=curToken.sLaTeX; // the color name - nextToken(); - if (bUseColor) { - // The attribute contains the appropriate \textcolor command - // Note: Since LO 4.4 and AOO 4.1+, StarMath supports the 16 basic HTML colors - // This means that the definition of red, blue, cyan and magenta has changed - // The compatibility option old_math_colors is used to apply the old (dark) variants - // Note: despite the name, \textcolor also works in math mode! - if (config.oldMathColors()) { - if (tokenType==Token.RED) { - sAttribute="\\textcolor[rgb]{0.5,0,0}"; - } - if (tokenType==Token.BLUE) { - sAttribute="\\textcolor[rgb]{0,0,0.5}"; - } - if (tokenType==Token.CYAN) { - sAttribute="\\textcolor[rgb]{0,0.5,0.5}"; - } - if (tokenType==Token.MAGENTA) { - sAttribute="\\textcolor[rgb]{0.5,0,0.5}"; - } - } - return sAttribute+group(term(fSize,eAlign)); - } - else { - return term(fSize,eAlign); - } - } - else { // error in formula - return "?"; - } - } - else if (curToken.eType==Token.SIZE){ - nextToken(); - if (curToken.eType==Token.PLUS){ - nextToken(); - if (curToken.eType==Token.NUMBER){ - fSize+=Calc.getFloat(curToken.sLaTeX,0); - nextToken(); - } // else error in formula: ignore - } - else if(curToken.eType==Token.MINUS){ - nextToken(); - if (curToken.eType==Token.NUMBER){ - fSize-=Calc.getFloat(curToken.sLaTeX,0); - nextToken(); - } // else error in formula: ignore - } - else if(curToken.eType==Token.MULTIPLY){ - nextToken(); - if (curToken.eType==Token.NUMBER){ - fSize*=Calc.getFloat(curToken.sLaTeX,1); - nextToken(); - } // else error in formula: ignore - } - else if(curToken.eType==Token.DIVIDEBY){ - nextToken(); - if (curToken.eType==Token.NUMBER){ - float f=Calc.getFloat(curToken.sLaTeX,1); - if (f!=0) {fSize/=f;} - nextToken(); - } // else error in formula: ignore - } - else if (curToken.eType==Token.NUMBER){ - fSize=Calc.getFloat(curToken.sLaTeX,fSize); - nextToken(); - } // else error in formula: ignore - return term(fSize,eAlign); - // currently only reads the size, it is not used - // should use fSize/fBaseSize to change to - // \displaystyle, \textstyle, \scriptstyle, \scriptscriptstyle - } - else { // must be ATTRIBUT or FONTATTR - if (curToken.eType == Token.OVERSTRIKE) { bMathoverstrike=true; } - else if (curToken.eType == Token.BOLD) { bBoldsubformula=true; } - else if (curToken.eType == Token.NBOLD) { bNormalsubformula=true; } - else if (curToken.eType == Token.ITALIC) { bNormalsubformula=true; } - sAttribute=curToken.sLaTeX; - nextToken(); - return sAttribute+groupsp(term(fSize,eAlign)); - } - } - - private String scalebrace(float fSize, Token eAlign){ - String sLeft, sRight, sBody; - nextToken(); - if (tokenInGroup(TGroup.LBRACES) || tokenInGroup(TGroup.RBRACES)){ - if (curToken.eType==Token.LDBRACKET) { bLlbracket=true; } - else if (curToken.eType==Token.RDBRACKET) { bRrbracket=true; } - sLeft=new String(curToken.sLaTeX); - nextToken(); - sBody=scalebracebody(fSize,eAlign); - if (curToken.eType==Token.RIGHT) { - nextToken(); - if (tokenInGroup(TGroup.LBRACES) || tokenInGroup(TGroup.RBRACES)){ - if (curToken.eType==Token.LDBRACKET) { bLlbracket=true; } - else if (curToken.eType==Token.RDBRACKET) { bRrbracket=true; } - sRight=new String(curToken.sLaTeX); - nextToken(); - } - else { // no brace after right! - sRight="."; - } - } - else { // no right! - return "."; - } - return "\\left"+sLeft+sBody+"\\right"+sRight; - } - else { // no brace after left! - return "?"; - } - } - - private String brace(float fSize, Token eAlign){ - String sLeft, sRight, sBody; - if (curToken.eType==Token.LDBRACKET) { bLlbracket=true; } - sLeft=new String(curToken.sLaTeX); - nextToken(); - sBody=bracebody(fSize,eAlign); - if (tokenInGroup(TGroup.RBRACES)){ - if (curToken.eType==Token.RDBRACKET) { bRrbracket=true; } - sRight=new String(curToken.sLaTeX); - nextToken(); - return sLeft+sBody+sRight; - } - else { // no right brace! (This is an error, we don't care); - return sLeft+sBody; - } - } - - - private String scalebracebody(float fSize, Token eAlign){ - if (curToken.eType==Token.MLINE){ - nextToken(); - return "\\left|"+scalebracebody(fSize,eAlign)+"\\right."; - } - else if (curToken.eType!=Token.RIGHT && curToken.eType!=Token.END){ - return align(fSize,eAlign,false,false)+scalebracebody(fSize,eAlign); - } - else { // Finished recursion - return ""; - } - } - - private String bracebody(float fSize, Token eAlign){ - if (curToken.eType==Token.MLINE){ - nextToken(); - return "|"+bracebody(fSize,eAlign); - } - else if (!tokenInGroup(TGroup.RBRACES) && curToken.eType!=Token.END){ - return align(fSize,eAlign,false,false)+bracebody(fSize,eAlign); - } - else { // Finished recursion - return ""; - } - } - - private String function(){ - String sFunction; - if (curToken.eType==Token.FUNC){ - nextToken(); - if (curToken.eType==Token.IDENT){ - sFunction="\\operatorname{"+curToken.sLaTeX+"}"; - nextToken(); - } - else { // error in formula - sFunction=""; - } - } - else { - sFunction=curToken.sLaTeX; - nextToken(); - } - return sFunction; - } - - private String binom(float fSize, Token eAlign){ - nextToken(); - return "\\genfrac{}{}{0pt}{0}"+group(sum(fSize,eAlign))+group(sum(fSize,eAlign)); - } - - private String stack(float fSize, Token eAlign){ - nextToken(); - if (curToken.eType==Token.LGROUP){ - StringBuilder bufStack=new StringBuilder().append("\\begin{matrix}"); - nextToken(); - bufStack.append(align(fSize,eAlign,true,true)); - while (curToken.eType==Token.POUND) { - bufStack.append("\\\\"); - nextToken(); - String sAlign = align(fSize,eAlign,true,true); - if (sAlign.length()>0 && sAlign.charAt(0)=='[') { // Protect [ after \\ - bufStack.append("{}"); - } - bufStack.append(sAlign); - } - if (curToken.eType==Token.RGROUP) nextToken(); // otherwise error in formula - ignore - return bufStack.append("\\end{matrix}").toString(); - } - else { // error in formula - return ""; - } - } - - private String matrix(float fSize, Token eAlign){ - nextToken(); - if (curToken.eType==Token.LGROUP){ - StringBuilder bufMatrix = new StringBuilder().append("\\begin{matrix}"); - int nCols = 1; - boolean bProtect = false; - do { - nextToken(); - String sAlign = align(fSize,eAlign,true,true); - if (bProtect && sAlign.length()>0 && sAlign.charAt(0)=='[') { // Protect [ after \\ - bufMatrix.append("{}"); - } - bufMatrix.append(sAlign); - if (curToken.eType==Token.POUND) { - bufMatrix.append("&"); - nCols++; - bProtect = false; - } - else if (curToken.eType==Token.DPOUND) { - bufMatrix.append("\\\\"); - nMaxMatrixCols = Math.max(nCols, nMaxMatrixCols); - nCols = 1; - bProtect = true; - } - } while (curToken.eType==Token.POUND || curToken.eType==Token.DPOUND); - if (curToken.eType==Token.RGROUP) nextToken(); // otherwise error in formula- ignore - nMaxMatrixCols = Math.max(nCols, nMaxMatrixCols); - return bufMatrix.append("\\end{matrix}").toString(); - } - else { // error in formula - return ""; - } - } - - private String special() { - String sSpecial=curToken.sLaTeX; - nextToken(); - return sSpecial; - } - - // Group a LaTeX string unless it consists of exactly one character - private String group(String sLaTeX) { - if (sLaTeX.length()!=1) { - return "{"+sLaTeX+"}"; - } - else { - return sLaTeX; - } - } - - // Group a LaTeX string unless it consists of exactly one character which is not a space - // In the latter case, prepend a space character (because this string follows a command sequence) - private String groupsp(String sLaTeX) { - if (sLaTeX.length()!=1 || sLaTeX.charAt(0)==' ') { - return "{"+sLaTeX+"}"; - } - else { - return " "+sLaTeX; - } - } - - //////////////////////////////////////////////// - // Finally, the converter itself - public String convert(String sStarMath){ - String sExport=""; - buffer=new SimpleInputBuffer(sStarMath); - nextToken(); - sExport=table(12.0F,Token.ALIGNC); - return sExport.length()==0 ? " " : sExport; // don't return an empty formula! - } -} - - diff --git a/src/main/java/writer2latex/latex/StyleConverter.java b/src/main/java/writer2latex/latex/StyleConverter.java deleted file mode 100644 index 3acd6d3..0000000 --- a/src/main/java/writer2latex/latex/StyleConverter.java +++ /dev/null @@ -1,50 +0,0 @@ -/************************************************************************ - * - * StyleConverter.java - * - * Copyright: 2002-2008 by Henrik Just - * - * This file is part of Writer2LaTeX. - * - * Writer2LaTeX is free software: you can redistribute it and/or modify - * it under the terms of the GNU General Public License as published by - * the Free Software Foundation, either version 3 of the License, or - * (at your option) any later version. - * - * Writer2LaTeX is distributed in the hope that it will be useful, - * but WITHOUT ANY WARRANTY; without even the implied warranty of - * MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the - * GNU General Public License for more details. - * - * You should have received a copy of the GNU General Public License - * along with Writer2LaTeX. If not, see . - * - * Version 1.0 (2008-09-08) - * - */ - -package writer2latex.latex; - -import writer2latex.latex.util.StyleMap; -import writer2latex.util.ExportNameCollection; -import writer2latex.office.OfficeReader; - -/** - *

    This is an abstract superclass for style converters.

    - */ -public abstract class StyleConverter extends ConverterHelper { - - // Names and maps + necessary declarations for these styles - protected ExportNameCollection styleNames = new ExportNameCollection(false); - protected StyleMap styleMap = new StyleMap(); - protected LaTeXDocumentPortion declarations = new LaTeXDocumentPortion(false); - - protected StyleConverter(OfficeReader ofr, LaTeXConfig config, ConverterPalette palette) { - super(ofr,config,palette); - } - - public void appendDeclarations(LaTeXDocumentPortion pack, LaTeXDocumentPortion decl) { - decl.append(declarations); - } - -} \ No newline at end of file diff --git a/src/main/java/writer2latex/latex/TableConverter.java b/src/main/java/writer2latex/latex/TableConverter.java deleted file mode 100644 index 23d41a9..0000000 --- a/src/main/java/writer2latex/latex/TableConverter.java +++ /dev/null @@ -1,491 +0,0 @@ -/************************************************************************ - * - * TableConverter.java - * - * Copyright: 2002-2014 by Henrik Just - * - * This file is part of Writer2LaTeX. - * - * Writer2LaTeX is free software: you can redistribute it and/or modify - * it under the terms of the GNU General Public License as published by - * the Free Software Foundation, either version 3 of the License, or - * (at your option) any later version. - * - * Writer2LaTeX is distributed in the hope that it will be useful, - * but WITHOUT ANY WARRANTY; without even the implied warranty of - * MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the - * GNU General Public License for more details. - * - * You should have received a copy of the GNU General Public License - * along with Writer2LaTeX. If not, see . - * - * Version 1.4 (2014-09-03) - * - */ - -package writer2latex.latex; - -import org.w3c.dom.Element; -import org.w3c.dom.Node; -import writer2latex.util.*; -import writer2latex.office.*; -import writer2latex.latex.util.BeforeAfter; -import writer2latex.latex.util.Context; - -enum RowType { - FIRST_HEAD, HEAD, BODY, FOOT, LAST_FOOT; -} - -/**

    This class converts OpenDocument tables to LaTeX.

    - *

    The following LaTeX packages are used; some of them are optional

    - *

    array.sty, longtable.sty, supertabular.sty, tabulary.sty, hhline.sty, - * colortbl.sty.

    - *

    Options:

    - *
      - *
    • use_longtable = true|false
    • - *
    • use_supertabular = true|false
    • - *
    • use_tabulary = true|false
    • - *
    • use_colortbl = true|false
    • - *
    • float_tables = true|false
    • - *
    • float_options = <string>
    • - *
    • table_content = accept|ignore|warning|error
    • - *
    - * - */ -public class TableConverter extends ConverterHelper { - private boolean bNeedLongtable = false; - private boolean bNeedSupertabular = false; - private boolean bNeedTabulary = false; - private boolean bNeedColortbl = false; - private boolean bContainsTables = false; - - /**

    Constructs a new TableConverter.

    - */ - public TableConverter(OfficeReader ofr, LaTeXConfig config, - ConverterPalette palette) { - super(ofr,config,palette); - } - - public void appendDeclarations(LaTeXDocumentPortion pack, LaTeXDocumentPortion decl) { - pack.append("\\usepackage{array}").nl(); // TODO: Make this optional - if (bNeedLongtable) { pack.append("\\usepackage{longtable}").nl(); } - if (bNeedSupertabular) { pack.append("\\usepackage{supertabular}").nl(); } - if (bNeedTabulary) { pack.append("\\usepackage{tabulary}").nl(); } - pack.append("\\usepackage{hhline}").nl(); // TODO: Make this optional - if (bNeedColortbl) { pack.append("\\usepackage{colortbl}").nl(); } - - // Set padding for table cells (1mm is default in OOo!) - // For vertical padding we can only specify a relative size - if (bContainsTables) { - decl.append("\\setlength\\tabcolsep{1mm}").nl(); - decl.append("\\renewcommand\\arraystretch{1.3}").nl(); - } - } - - // Export a lonely table caption - public void handleCaption(Element node, LaTeXDocumentPortion ldp, Context oc) { - ldp.append("\\captionof{table}"); - palette.getCaptionCv().handleCaptionBody(node,ldp,oc,true); - } - - /**

    Process a table (table:table or table:sub-table tag)

    - * @param node The element containing the table - * @param ldp the LaTeXDocumentPortion to which - * LaTeX code should be added - * @param oc the current context - */ - public void handleTable(Element node, Element caption, boolean bCaptionAbove, - LaTeXDocumentPortion ldp, Context oc) { - - // Export table, if allowed by the configuration - switch (config.tableContent()) { - case LaTeXConfig.ACCEPT: - new SingleTableConverter().handleTable(node,caption,bCaptionAbove,ldp,oc); - bContainsTables = true; - break; - case LaTeXConfig.IGNORE: - // Ignore table silently - break; - case LaTeXConfig.WARNING: - System.err.println("Warning: Tables are not allowed"); - break; - case LaTeXConfig.ERROR: - ldp.append("% Error in document: A table was ignored"); - } - } - - // Inner class to convert a single table - private class SingleTableConverter { - private TableReader table; - private TableFormatter formatter; - private Element caption; - private boolean bCaptionAbove; - private BeforeAfter baTable; - private BeforeAfter baTableAlign; - private RowType[] rowTypes; - - // Return the paragraph style of the first paragraph/heading within this block text - private String getFirstParStyle(Element node) { - Node child = node.getFirstChild(); - while (child!=null) { - if (Misc.isElement(child, XMLString.TEXT_P) || Misc.isElement(child, XMLString.TEXT_H)) { - String sStyleName = Misc.getAttribute(child, XMLString.TEXT_STYLE_NAME); - if (sStyleName!=null) { - StyleWithProperties style = ofr.getParStyle(sStyleName); - if (style!=null) { - if (style.isAutomatic()) { - sStyleName = style.getParentName(); - } - return ofr.getParStyles().getDisplayName(sStyleName); - } - } - return null; - } - else if (OfficeReader.isTextElement(child)) { - return getFirstParStyle((Element)child); - } - child = child.getNextSibling(); - } - return null; - } - - private boolean hasRowType(RowType test) { - for (RowType type : rowTypes) { - if (type==test) { return true; } - } - return false; - } - - private void handleTable(Element node, Element caption, boolean bCaptionAbove, - LaTeXDocumentPortion ldp, Context oc) { - // Store the caption - this.caption = caption; - this.bCaptionAbove = bCaptionAbove; - - // Read the table - table = ofr.getTableReader(node); - - if (palette.getMathCv().handleDisplayEquation(table,ldp)) { return; } - - // Get formatter and update flags according to formatter - formatter = new TableFormatter(ofr,config,palette,table,!oc.isInMulticols(),oc.isInTable()); - bContainsTables = true; - bNeedLongtable |= formatter.isLongtable(); - bNeedSupertabular |= formatter.isSupertabular(); - bNeedTabulary |= formatter.isTabulary(); - bNeedColortbl |= formatter.isColortbl(); - - // Update the context - Context ic = (Context) oc.clone(); - ic.setInTable(true); - ic.setInSimpleTable(formatter.isSimple()); - // Never allow footnotes in tables - // (longtable.sty *does* allow footnotes in body, but not in head - - // only consistent solution is to disallow all footnotes) - ic.setNoFootnotes(true); - - // Get table declarations - baTable = new BeforeAfter(); - baTableAlign = new BeforeAfter(); - formatter.applyTableStyle(baTable,baTableAlign,config.floatTables() && !ic.isInFrame() && !table.isSubTable()); - - // Identify the row types - rowTypes = new RowType[table.getRowCount()]; - for (int nRow=0; nRow0) { - ldp.append("[").append(config.getFloatOptions()).append("]"); - } - ldp.nl(); - - ldp.append(baTableAlign.getBefore()); - - // Caption above - if (caption!=null && bCaptionAbove) { - handleCaption("\\caption",ldp,oc); - } - - // The table - handleHyperTarget(ldp); - ldp.append(baTable.getBefore()).nl(); - handleRows(ldp,oc,RowType.HEAD,true,true); - ldp.nl(); - handleRows(ldp,oc,RowType.BODY,!hasRowType(RowType.HEAD),true); - ldp.append(baTable.getAfter()).nl(); - - // Caption below - if (caption!=null && !bCaptionAbove) { - handleCaption("\\caption",ldp,oc); - } - - ldp.nl().append(baTableAlign.getAfter()); - - ldp.append("\\end{table}").nl(); - } - - private void handleTabular(LaTeXDocumentPortion ldp, Context oc) { - ldp.append(baTableAlign.getBefore()); - - // Caption above - if (caption!=null && bCaptionAbove) { - TableConverter.this.handleCaption(caption,ldp,oc); - } - - // The table - handleHyperTarget(ldp); - ldp.append(baTable.getBefore()).nl(); - handleRows(ldp,oc,RowType.HEAD,true,true); - ldp.nl(); - handleRows(ldp,oc,RowType.BODY,!hasRowType(RowType.HEAD),true); - ldp.nl().append(baTable.getAfter()).nl(); - - // Caption below - if (caption!=null && !bCaptionAbove) { - TableConverter.this.handleCaption(caption,ldp,oc); - } - - ldp.append(baTableAlign.getAfter()); - } - - private void handleCaption(String sCommand, LaTeXDocumentPortion ldp, Context oc) { - ldp.append(sCommand); - palette.getCaptionCv().handleCaptionBody(caption,ldp,oc,false); - } - - private void handleHyperTarget(LaTeXDocumentPortion ldp) { - // We may need a hyperlink target - if (!table.isSubTable()) { - palette.getFieldCv().addTarget(table.getTableName(),"|table",ldp); - } - } - - private void handleRows(LaTeXDocumentPortion ldp, Context oc, RowType rowType, boolean bLineBefore, boolean bLineAfter) { - int nRowCount = table.getRowCount(); - int nColCount = table.getColCount(); - boolean bFirst = true; - boolean bProtect = false; // Do we need to protect '['? - int nPreviousRow = -1; - for (int nRow=0; nRow-1) { - String sInterRowMaterial = formatter.getInterrowMaterial(nPreviousRow+1); - ldp.append(sInterRowMaterial).nl(); - if (sInterRowMaterial.length()>0) { bProtect=false; } - } - nPreviousRow = nRow; - - // If it's the first row, add top interrow material - if (bFirst && bLineBefore) { - String sInter = formatter.getInterrowMaterial(nRow); - if (sInter.length()>0) { ldp.append(sInter).nl(); } - bFirst=false; - } - // Export columns in this row - LaTeXDocumentPortion rowLdp = new LaTeXDocumentPortion(true); - Context icRow = (Context) oc.clone(); - BeforeAfter baRow = new BeforeAfter(); - formatter.applyRowStyle(nRow,baRow,icRow); - if (!baRow.isEmpty()) { - rowLdp.append(baRow.getBefore()); - if (!formatter.isSimple()) { rowLdp.nl(); } - } - int nCol = 0; - while (nCol0 && sRowLdp.charAt(0)=='[') || sRowLdp.startsWith("\n["))) { - ldp.append("{}"); - } - ldp.append(sRowLdp); - bProtect = true; - } - } - // Add interrow material from last row, if required - if (nPreviousRow>-1 && bLineAfter) { - ldp.append(formatter.getInterrowMaterial(nPreviousRow+1)); - } - - } - - } - - -} diff --git a/src/main/java/writer2latex/latex/TableFormatter.java b/src/main/java/writer2latex/latex/TableFormatter.java deleted file mode 100644 index 50842c8..0000000 --- a/src/main/java/writer2latex/latex/TableFormatter.java +++ /dev/null @@ -1,473 +0,0 @@ -/************************************************************************ - * - * TableFormatter.java - * - * Copyright: 2002-2015 by Henrik Just - * - * This file is part of Writer2LaTeX. - * - * Writer2LaTeX is free software: you can redistribute it and/or modify - * it under the terms of the GNU General Public License as published by - * the Free Software Foundation, either version 3 of the License, or - * (at your option) any later version. - * - * Writer2LaTeX is distributed in the hope that it will be useful, - * but WITHOUT ANY WARRANTY; without even the implied warranty of - * MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the - * GNU General Public License for more details. - * - * You should have received a copy of the GNU General Public License - * along with Writer2LaTeX. If not, see . - * - * Version 1.6 (2015-04-15) - * - */ - -package writer2latex.latex; - -import org.w3c.dom.Element; -import org.w3c.dom.Node; - -import writer2latex.util.*; -import writer2latex.office.*; -import writer2latex.latex.util.BeforeAfter; -import writer2latex.latex.util.Context; - -/** - *

    This class converts OOo table styles to LaTeX.

    - *

    In OOo the table style is distributed on table, column and cell styles. - *

    In LaTeX we have to rearrange this information slightly, so this class - * takes care of that.

    - */ -public class TableFormatter extends ConverterHelper { - - //private boolean bApplyCellFormat; - private TableReader table; - private char[][] cAlign; - private char[] cGlobalAlign; - private boolean[][] bHBorder; - private boolean[][] bVBorder; - private boolean[] bGlobalVBorder; - private String[] sRowColor; - private String[][] sCellColor; - private String[] sColumnWidth; - private boolean bIsLongtable; - private boolean bIsSupertabular; - private boolean bIsTabulary; - private boolean bIsColortbl; - private boolean bIsSimple; - - /**

    Constructor: Create from a TableReader.

    - */ - public TableFormatter(OfficeReader ofr, LaTeXConfig config, ConverterPalette palette, - TableReader table, boolean bAllowPageBreak, boolean bIsInTable) { - super(ofr,config,palette); - this.table = table; - //bApplyCellFormat = config.formatting()>=LaTeXConfig.CONVERT_MOST; - int nRowCount = table.getRowCount(); - int nColCount = table.getColCount(); - int nSimpleTableLimit = config.getSimpleTableLimit(); - - // Step 1: Collect alignment and identify simple tables - bIsSimple = true; - cAlign = new char[nRowCount][nColCount]; - cGlobalAlign = new char[nColCount]; - // Keep track of characters to be counted - int[] nPendingChars = new int[nRowCount]; - int[] nPendingColSpan = new int[nRowCount]; - int nTableWidth = 0; - - for (int nCol=0; nCol=1) { - nPendingChars[nRow] = Math.max(0, nPendingChars[nRow]-nColChars); - nPendingColSpan[nRow]--; - } - } - } - if (nTableWidth>nSimpleTableLimit) bIsSimple = false; - - // Step 2: Create global alignment - for (int nCol=0; nColnLeft) { - if (nRight>nLeft) { cGlobalAlign[nCol] = 'r'; } - else { cGlobalAlign[nCol] = 'c'; } - } - else if (nRight>nLeft) { - cGlobalAlign[nCol] = 'r'; - } - } - - // Step 3: Initialize borders: - bHBorder = new boolean[nRowCount+1][nColCount]; - for (int nRow=0; nRow<=nRowCount; nRow++) { - for (int nCol=0; nCol0); - } - else { // Non-existing cell, treat as empty cell with no borders - nCol++; - } - } - } - - // Step 5: Create global vertical borders based on simple majority - // (in order to minimize the number of \multicolum{1} entries) - bGlobalVBorder = new boolean[nColCount+1]; - for (int nCol=0; nCol<=nColCount; nCol++) { - int nBalance = 0; - for (int nRow=0; nRow0; - } - - // Step 6: Get background colors - sRowColor = new String[nRowCount]; - sCellColor = new String[nRowCount][nColCount]; - if (config.useColortbl()) { - // Table background - String sTableColor = null; - StyleWithProperties tableStyle = ofr.getTableStyle(table.getTableStyleName()); - if (tableStyle!=null) { - sTableColor = tableStyle.getProperty(XMLString.FO_BACKGROUND_COLOR); - } - - // Row background - for (int nRow=0; nRowCreate table environment based on table style.

    - *

    Returns eg. "\begin{longtable}{m{2cm}|m{4cm}}", "\end{longtable}".

    - * @param ba the BeforeAfter to contain the table code - * @param baAlign the BeforeAfter to contain the alignment code, if it's separate - * @param bInFloat true if the table should be floating - */ - public void applyTableStyle(BeforeAfter ba, BeforeAfter baAlign, boolean bInFloat) { - // Read formatting info from table style - // Only supported properties are alignment and may-break-between-rows. - String sStyleName = table.getTableStyleName(); - StyleWithProperties style = ofr.getTableStyle(sStyleName); - char cAlign = 'c'; - if (style!=null && !table.isSubTable()) { - String s = style.getProperty(XMLString.TABLE_ALIGN); - if ("left".equals(s)) { cAlign='l'; } - else if ("right".equals(s)) { cAlign='r'; } - } - String sAlign="center"; - switch (cAlign) { - case 'c': sAlign="center"; break; - case 'r': sAlign="flushright"; break; - case 'l': sAlign="flushleft"; - } - - // Create table alignment (for supertabular, tabular and tabulary) - if (!bIsLongtable && !table.isSubTable()) { - if (bInFloat & !bIsSupertabular) { - // Inside a float we don't want the extra glue added by the flushleft/center/flushright environment - switch (cAlign) { - case 'c' : baAlign.add("\\centering\n", ""); break; - case 'r' : baAlign.add("\\raggedleft\n", ""); break; - case 'l' : baAlign.add("\\raggedright\n", ""); - } - } - else { - // But outside floats we do want it - baAlign.add("\\begin{"+sAlign+"}\n","\\end{"+sAlign+"}\n"); - } - } - - // Create table declaration - if (bIsLongtable) { - ba.add("\\begin{longtable}["+cAlign+"]", "\\end{longtable}"); - } - else if (bIsSupertabular) { - ba.add("\\begin{supertabular}","\\end{supertabular}"); - } - else if (bIsTabulary) { - ba.add("\\begin{tabulary}{"+table.getTableWidth()+"}","\\end{tabulary}"); - } - else if (!table.isSubTable()) { - ba.add("\\begin{tabular}","\\end{tabular}"); - } - else { // subtables should occupy the entire width, including padding! - ba.add("\\hspace*{-\\tabcolsep}\\begin{tabular}", - "\\end{tabular}\\hspace*{-\\tabcolsep}"); - } - - // columns - ba.add("{",""); - if (bGlobalVBorder[0]) { ba.add("|",""); } - int nColCount = table.getColCount(); - for (int nCol=0; nColCreate interrow material

    */ - public String getInterrowMaterial(int nRow) { - int nColCount = table.getColCount(); - int nCount = 0; - for (int nCol=0; nColGet material to put before a table row (background color) - */ - public void applyRowStyle(int nRow, BeforeAfter ba, Context context) { - palette.getColorCv().applyBgColor("\\rowcolor",sRowColor[nRow],ba,context); - } - - /** Get material to put before and after a table cell. - * In case of columnspan or different borders this will contain a \multicolumn command. - */ - public void applyCellStyle(int nRow, int nCol, BeforeAfter ba, Context context) { - Node cell = table.getCell(nRow,nCol); - int nColSpan = Misc.getPosInteger(Misc.getAttribute(cell, - XMLString.TABLE_NUMBER_COLUMNS_SPANNED),1); - // Construct column declaration as needed - boolean bNeedLeft = (nCol==0) && (bVBorder[nRow][0]!=bGlobalVBorder[0]); - boolean bNeedRight = bVBorder[nRow][nCol+1]!=bGlobalVBorder[nCol+1]; - boolean bNeedAlign = bIsSimple && cGlobalAlign[nCol]!=cAlign[nRow][nCol]; - // calculate column width - String sTotalColumnWidth = sColumnWidth[nCol]; - for (int i=nCol+1; i1) { - ba.add("\\multicolumn{"+nColSpan+"}{",""); - if (nCol==0 && bVBorder[nRow][0]) { ba.add("|",""); } - if (bIsSimple) { - ba.add(Character.toString(cAlign[nRow][nCol]),""); - } - else { - ba.add("m{"+sTotalColumnWidth+"}",""); - } - if (bVBorder[nRow][nCol+nColSpan]) { ba.add("|",""); } - ba.add("}{","}"); - } - - palette.getColorCv().applyBgColor("\\cellcolor",sCellColor[nRow][nCol],ba,context); - - } - -} \ No newline at end of file diff --git a/src/main/java/writer2latex/latex/config/clean.xml b/src/main/java/writer2latex/latex/config/clean.xml deleted file mode 100644 index 2291692..0000000 --- a/src/main/java/writer2latex/latex/config/clean.xml +++ /dev/null @@ -1,78 +0,0 @@ - - - - - - diff --git a/src/main/java/writer2latex/latex/config/default.xml b/src/main/java/writer2latex/latex/config/default.xml deleted file mode 100644 index dda78e6..0000000 --- a/src/main/java/writer2latex/latex/config/default.xml +++ /dev/null @@ -1,8 +0,0 @@ - - - - - diff --git a/src/main/java/writer2latex/latex/config/pdfprint.xml b/src/main/java/writer2latex/latex/config/pdfprint.xml deleted file mode 100644 index 290d990..0000000 --- a/src/main/java/writer2latex/latex/config/pdfprint.xml +++ /dev/null @@ -1,44 +0,0 @@ - - - - - - diff --git a/src/main/java/writer2latex/latex/config/pdfscreen.xml b/src/main/java/writer2latex/latex/config/pdfscreen.xml deleted file mode 100644 index b82b509..0000000 --- a/src/main/java/writer2latex/latex/config/pdfscreen.xml +++ /dev/null @@ -1,51 +0,0 @@ - - - - - diff --git a/src/main/java/writer2latex/latex/config/ultraclean.xml b/src/main/java/writer2latex/latex/config/ultraclean.xml deleted file mode 100644 index 0711629..0000000 --- a/src/main/java/writer2latex/latex/config/ultraclean.xml +++ /dev/null @@ -1,78 +0,0 @@ - - - - - - - diff --git a/src/main/java/writer2latex/latex/i18n/ClassicI18n.java b/src/main/java/writer2latex/latex/i18n/ClassicI18n.java deleted file mode 100644 index d2fcf9b..0000000 --- a/src/main/java/writer2latex/latex/i18n/ClassicI18n.java +++ /dev/null @@ -1,773 +0,0 @@ -/************************************************************************ - * - * ClassicI18n.java - * - * Copyright: 2002-2015 by Henrik Just - * - * This file is part of Writer2LaTeX. - * - * Writer2LaTeX is free software: you can redistribute it and/or modify - * it under the terms of the GNU General Public License as published by - * the Free Software Foundation, either version 3 of the License, or - * (at your option) any later version. - * - * Writer2LaTeX is distributed in the hope that it will be useful, - * but WITHOUT ANY WARRANTY; without even the implied warranty of - * MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the - * GNU General Public License for more details. - * - * You should have received a copy of the GNU General Public License - * along with Writer2LaTeX. If not, see . - * - * Version 1.6 (2015-05-12) - * - */ - -package writer2latex.latex.i18n; - -import java.io.InputStream; -import java.util.Hashtable; -import java.util.Stack; -import java.util.Iterator; - -import javax.xml.parsers.SAXParserFactory; -import javax.xml.parsers.SAXParser; - -import writer2latex.util.CSVList; -import writer2latex.latex.LaTeXConfig; -import writer2latex.latex.LaTeXDocumentPortion; -import writer2latex.latex.ConverterPalette; -import writer2latex.latex.util.BeforeAfter; -import writer2latex.office.OfficeReader; -import writer2latex.office.StyleWithProperties; -import writer2latex.office.XMLString; - -/** This class (and the helpers in the same package) takes care of i18n in - * Writer2LaTeX. In classic LaTeX, i18n is a mixture of inputencodings, fontencodings - * and babel languages. The class ClassicI18n thus manages these, and in particular - * implements a Unicode->LaTeX translation that can handle different - * inputencodings and fontencodings. - * The translation is table driven, using symbols.xml (embedded in the jar) - * Various sections of symbols.xml handles different cases: - *
      - *
    • common symbols in various font encodings such as T1, T2A, LGR etc.
    • - *
    • input encodings such as ISO-8859-1 (latin-1), ISO-8859-7 (latin/greek) etc.
    • - *
    • additional symbol fonts such as wasysym, dingbats etc.
    • - *
    • font-specific symbols, eg. for 8-bit fonts/private use area
    • - *
    - * The class uses the packages inputenc, fontenc, babel, tipa, bbding, - * ifsym, pifont, eurosym, amsmath, wasysym, amssymb, amsfonts and textcomp - * in various combinations depending on the configuration. - */ -public class ClassicI18n extends I18n { - // **** Static data and methods: Inputencodings **** - public static final int ASCII = 0; - public static final int LATIN1 = 1; // ISO Latin 1 (ISO-8859-1) - public static final int LATIN2 = 2; // ISO Latin 1 (ISO-8859-1) - public static final int ISO_8859_7 = 3; // ISO latin/greek - public static final int CP1250 = 4; // Microsoft Windows Eastern European - public static final int CP1251 = 5; // Microsoft Windows Cyrillic - public static final int KOI8_R = 6; // Latin/russian - public static final int UTF8 = 7; // UTF-8 - - // Read an inputencoding from a string - public static final int readInputenc(String sInputenc) { - if ("ascii".equals(sInputenc)) return ASCII; - else if ("latin1".equals(sInputenc)) return LATIN1; - else if ("latin2".equals(sInputenc)) return LATIN2; - else if ("iso-8859-7".equals(sInputenc)) return ISO_8859_7; - else if ("cp1250".equals(sInputenc)) return CP1250; - else if ("cp1251".equals(sInputenc)) return CP1251; - else if ("koi8-r".equals(sInputenc)) return KOI8_R; - else if ("utf8".equals(sInputenc)) return UTF8; - else return ASCII; // unknown = ascii - } - - // Return the LaTeX name of an inputencoding - public static final String writeInputenc(int nInputenc) { - switch (nInputenc) { - case ASCII : return "ascii"; - case LATIN1 : return "latin1"; - case LATIN2 : return "latin2"; - case ISO_8859_7 : return "iso-8859-7"; - case CP1250 : return "cp1250"; - case CP1251 : return "cp1251"; - case KOI8_R : return "koi8-r"; - case UTF8 : return "utf8"; - default : return "???"; - } - } - - // Return the java i18n name of an inputencoding - public static final String writeJavaEncoding(int nInputenc) { - switch (nInputenc) { - case ASCII : return "ASCII"; - case LATIN1 : return "ISO8859_1"; - case LATIN2 : return "ISO8859_2"; - case ISO_8859_7 : return "ISO8859_7"; - case CP1250 : return "Cp1250"; - case CP1251 : return "Cp1251"; - case KOI8_R : return "KOI8_R"; - case UTF8 : return "UTF-8"; - default : return "???"; - } - } - - // **** Static data and methods: Fontencodings **** - private static final int T1_ENC = 1; - private static final int T2A_ENC = 2; - private static final int T3_ENC = 4; - private static final int LGR_ENC = 8; - private static final int ANY_ENC = 15; - - // read set of font encodings from a string - public static final int readFontencs(String sFontencs) { - sFontencs = sFontencs.toUpperCase(); - if ("ANY".equals(sFontencs)) return ANY_ENC; - int nFontencs = 0; - if (sFontencs.indexOf("T1")>=0) nFontencs+=T1_ENC; - if (sFontencs.indexOf("T2A")>=0) nFontencs+=T2A_ENC; - if (sFontencs.indexOf("T3")>=0) nFontencs+=T3_ENC; - if (sFontencs.indexOf("LGR")>=0) nFontencs+=LGR_ENC; - return nFontencs; - } - - // return string representation of a single font encoding - /*private static final String writeFontenc(int nFontenc) { - switch (nFontenc) { - case T1_ENC: return "T1"; - case T2A_ENC: return "T2A"; - case T3_ENC: return "T3"; - case LGR_ENC: return "LGR"; - } - return null; - }*/ - - // check that a given set of font encodings contains a specific font encoding - private static final boolean supportsFontenc(int nFontencs, int nFontenc) { - return (nFontencs & nFontenc) != 0; - } - - // get one fontencoding from a set of fontencodings - private static final int getFontenc(int nFontencs) { - if (supportsFontenc(nFontencs,T1_ENC)) return T1_ENC; - if (supportsFontenc(nFontencs,T2A_ENC)) return T2A_ENC; - if (supportsFontenc(nFontencs,T3_ENC)) return T3_ENC; - if (supportsFontenc(nFontencs,LGR_ENC)) return LGR_ENC; - return 0; - } - - // get the font encoding for a specific iso language - private static final int getFontenc(String sLang) { - // Greek uses "local greek" encoding - if ("el".equals(sLang)) return LGR_ENC; - // Russian, ukrainian, bulgarian and serbian uses T2A encoding - else if ("ru".equals(sLang)) return T2A_ENC; - else if ("uk".equals(sLang)) return T2A_ENC; - else if ("bg".equals(sLang)) return T2A_ENC; - else if ("sr".equals(sLang)) return T2A_ENC; - // Other languages uses T1 encoding - else return T1_ENC; - } - - // return cs for a fontencoding - private static final String getFontencCs(int nFontenc) { - switch (nFontenc) { - case T1_ENC: return "\\textlatin"; // requires babel - case T2A_ENC: return "\\textcyrillic"; // requires babel with russian, bulgarian or ukrainian option - case T3_ENC: return "\\textipa"; // requires tipa.sty - case LGR_ENC: return "\\textgreek"; // requires babel with greek option - default: return null; - } - } - - private static Hashtable babelLanguages; // mappings iso->babel language - - static { - babelLanguages = new Hashtable(); - babelLanguages.put("en", "english"); // latin1 - babelLanguages.put("bg", "bulgarian"); // cp1251? - babelLanguages.put("cs", "czech"); // latin2 - babelLanguages.put("da", "danish"); // latin1 - babelLanguages.put("de", "ngerman"); // latin1 - babelLanguages.put("el", "greek"); // iso-8859-7 - babelLanguages.put("es", "spanish"); // latin1 - babelLanguages.put("fi", "finnish"); // latin1 (latin9?) - babelLanguages.put("fr", "french"); // latin1 (latin9?) - babelLanguages.put("ga", "irish"); // latin1 - babelLanguages.put("hr", "croatian"); // latin2 - babelLanguages.put("hu", "magyar"); // latin2 - babelLanguages.put("la", "latin"); // ascii - babelLanguages.put("is", "icelandic"); // latin1 - babelLanguages.put("it", "italian"); // latin1 - babelLanguages.put("nl", "dutch"); // latin1 - babelLanguages.put("nb", "norsk"); // latin1 - babelLanguages.put("nn", "nynorsk"); // latin1 - babelLanguages.put("pl", "polish"); // latin2 - babelLanguages.put("pt", "portuges"); // latin1 - babelLanguages.put("ro", "romanian"); // latin2 - babelLanguages.put("ru", "russian"); // cp1251? - babelLanguages.put("sk", "slovak"); // latin2 - babelLanguages.put("sl", "slovene"); // latin2 - babelLanguages.put("sr", "serbian"); // cp1251? - babelLanguages.put("sv", "swedish"); // latin1 - babelLanguages.put("tr", "turkish"); - babelLanguages.put("uk", "ukrainian"); // cp1251? - } - - // End of static part of I18n! - - // **** Global variables **** - - // Unicode translation - private Hashtable tableSet; // all tables - private UnicodeTable table; // currently active table (top of stack) - private Stack tableStack; // stack of active tables - private UnicodeStringParser ucparser; // Unicode string parser - - // Collected data - private int nDefaultFontenc; // Fontenc for the default language - private boolean bT2A = false; // Do we use cyrillic letters? - private boolean bGreek = false; // Do we use greek letters? - private boolean bPolytonicGreek = false; // Do we use polytonic greek letters? - - // **** Constructors **** - - /** Construct a new ClassicI18n as ConverterHelper - * @param ofr the OfficeReader to get language information from - * @param config the configuration which determines the symbols to use - * @param palette the ConverterPalette (unused) - */ - public ClassicI18n(OfficeReader ofr, LaTeXConfig config, ConverterPalette palette) { - super(ofr,config,palette); - // We don't need the palette and the office reader is only used to - // identify the default language - - nDefaultFontenc = getFontenc(sDefaultLanguage); - - // Unicode stuff - ucparser = new UnicodeStringParser(); - - String sSymbols="ascii"; // always load common symbols - if (config.getInputencoding()!=ASCII) { - sSymbols+="|"+writeInputenc(config.getInputencoding()); - } - - if (config.useWasysym()) sSymbols+="|wasysym"; - if (config.useBbding()) sSymbols+="|bbding"; - if (config.useIfsym()) sSymbols+="|ifsym"; - if (config.usePifont()) sSymbols+="|dingbats"; - if (config.useEurosym()) sSymbols+="|eurosym"; - if (config.useTipa()) sSymbols+="|tipa"; - - tableSet = new Hashtable(); - UnicodeTableHandler handler=new UnicodeTableHandler(tableSet, sSymbols); - SAXParserFactory factory=SAXParserFactory.newInstance(); - InputStream is = this.getClass().getResourceAsStream("symbols.xml"); - try { - SAXParser saxParser=factory.newSAXParser(); - saxParser.parse(is,handler); - } - catch (Throwable t){ - System.err.println("Oops - Unable to read symbols.xml"); - t.printStackTrace(); - } - // put root table at top of stack - tableStack = new Stack(); - tableStack.push(tableSet.get("root")); - table = tableSet.get("root"); - } - - /** Construct a new I18n for general use - * @param config the configuration which determines the symbols to use - */ - public ClassicI18n(LaTeXConfig config) { - this (null, config, null); - } - - /** Add declarations to the preamble to load the required packages - * @param pack usepackage declarations - * @param decl other declarations - */ - public void appendDeclarations(LaTeXDocumentPortion pack, LaTeXDocumentPortion decl) { - useInputenc(pack); - useSymbolFonts(pack); - useTextFonts(pack); - useBabel(pack); - } - - private void useInputenc(LaTeXDocumentPortion ldp) { - ldp.append("\\usepackage[") - .append(writeInputenc(config.getInputencoding())) - .append("]{inputenc}").nl(); - } - - private void useBabel(LaTeXDocumentPortion ldp) { - // If the document contains "anonymous" greek letters we need greek in any case - // If the document contains "anonymous cyrillic letters we need one of the - // languages russian, ukrainian or bulgarian - if (greek() && !languages.contains("el")) languages.add("el"); - if (cyrillic() && !(languages.contains("ru") || languages.contains("uk") || languages.contains("bg"))) { - languages.add("ru"); - } - - // Load babel with the used languages - CSVList babelopt = new CSVList(","); - Iterator langiter = languages.iterator(); - while (langiter.hasNext()) { - String sLang = langiter.next(); - if (!sLang.equals(sDefaultLanguage)) { - if ("el".equals(sLang) && this.polytonicGreek()) { - babelopt.addValue("polutonikogreek"); - } - else { - String sBabelLang = getBabelLanguage(sLang); - if (sBabelLang!=null) { - babelopt.addValue(sBabelLang); - } - } - } - } - - // The default language must be the last one - if (sDefaultLanguage!=null) { - if ("el".equals(sDefaultLanguage) && this.polytonicGreek()) { - babelopt.addValue("polutonikogreek"); - } - else { - String sBabelLang = getBabelLanguage(sDefaultLanguage); - if (sBabelLang!=null) { - babelopt.addValue(sBabelLang); - } - } - } - - if (!babelopt.isEmpty()) { - ldp.append("\\usepackage[") - .append(babelopt.toString()) - .append("]{babel}").nl(); - // For Polish we must undefine \lll which is later defined by ams - if (languages.contains("pl")) { - ldp.append("\\let\\lll\\undefined").nl(); - } - } - } - - private void useSymbolFonts(LaTeXDocumentPortion ldp) { - if (config.useTipa()) { - ldp.append("\\usepackage[noenc]{tipa}").nl() - .append("\\usepackage{tipx}").nl(); - } - - // Has to avoid some nameclashes - if (config.useBbding()) { - ldp.append("\\usepackage{bbding}").nl() - .append("\\let\\bbCross\\Cross\\let\\Cross\\undefined").nl() - .append("\\let\\bbSquare\\Square\\let\\Square\\undefined").nl() - .append("\\let\\bbTrianbleUp\\TriangleUp\\let\\TriangleUp\\undefined").nl() - .append("\\let\\bbTrianlgeDown\\TriangleDown\\let\\TriangleDown\\undefined").nl(); - } - - if (config.useIfsym()) { - ldp.append("\\usepackage[geometry,weather,misc,clock]{ifsym}").nl(); - } - - if (config.usePifont()) { ldp.append("\\usepackage{pifont}").nl(); } - - if (config.useEurosym()) { ldp.append("\\usepackage{eurosym}").nl(); } - - // Always use amsmath - ldp.append("\\usepackage{amsmath}").nl(); - - // wasysym *must* be loaded between amsmath and amsfonts! - if (config.useWasysym()) { - ldp.append("\\usepackage{wasysym}").nl(); - } - - // Always use amssymb, amsfonts, textcomp (always!) - ldp.append("\\usepackage{amssymb,amsfonts,textcomp}").nl(); - } - - private void useTextFonts(LaTeXDocumentPortion ldp) { - // usepackage fontenc - CSVList fontencs = new CSVList(','); - if (bT2A) { fontencs.addValue("T2A"); } - if (bGreek) { fontencs.addValue("LGR"); } - if (config.useTipa()) { fontencs.addValue("T3"); } - fontencs.addValue("T1"); - ldp.append("\\usepackage[").append(fontencs.toString()) - .append("]{fontenc}").nl(); - - // use font package(s) - useFontPackages(ldp); - } - - private void useFontPackages(LaTeXDocumentPortion ldp) { - String sFont = config.getFont(); - // Sources: - // A Survey of Free Math Fonts for TeX and LaTeX, Stephen G. Hartke 2006 - if ("cmbright".equals(sFont)) { // Computer Modern Bright designed by Walter A. Schmidt - ldp.append("\\usepackage{cmbright}").nl(); - } - else if ("ccfonts".equals(sFont)) { // Concrete designed by Donald E. Knuth - ldp.append("\\usepackage{ccfonts}").nl(); - } - else if ("ccfonts-euler".equals(sFont)) { // Concrete with Euler math fonts - ldp.append("\\usepackage{ccfonts,eulervm}").nl(); - } - else if ("iwona".equals(sFont)) { // Iwona - ldp.append("\\usepackage[math]{iwona}").nl(); - } - else if ("kurier".equals(sFont)) { // Kurier - ldp.append("\\usepackage[math]{kurier}").nl(); - } - else if ("anttor".equals(sFont)) { // Antykwa Torunska - ldp.append("\\usepackage[math]{anttor}").nl(); - } - else if ("kmath-kerkis".equals(sFont)) { // Kerkis - ldp.append("\\usepackage{kmath,kerkis}"); - } - else if ("fouriernc".equals(sFont)) { // New Century Schoolbook + Fourier - ldp.append("\\usepackage{fouriernc}"); - } - else if ("pxfonts".equals(sFont)) { // Palatino + pxfonts math - ldp.append("\\usepackage{pxfonts}"); - } - else if ("mathpazo".equals(sFont)) { // Palatino + Pazo math - ldp.append("\\usepackage{mathpazo}"); - } - else if ("mathpple".equals(sFont)) { // Palatino + Euler - ldp.append("\\usepackage{mathpple}"); - } - else if ("txfonts".equals(sFont)) { // Times + txfonts math - ldp.append("\\usepackage[varg]{txfonts}"); - } - else if ("mathptmx".equals(sFont)) { // Times + Symbol - ldp.append("\\usepackage{mathptmx}"); - } - else if ("arev".equals(sFont)) { // Arev Sans + Arev math - ldp.append("\\usepackage{arev}"); - } - else if ("charter-mathdesign".equals(sFont)) { // Bitstream Charter + Math Design - ldp.append("\\usepackage[charter]{mathdesign}"); - } - else if ("utopia-mathdesign".equals(sFont)) { // Utopia + Math Design - ldp.append("\\usepackage[utopia]{mathdesign}"); - } - else if ("fourier".equals(sFont)) { // Utopia + Fourier - ldp.append("\\usepackage{fourier}"); - } - } - - - /** Apply a language language - * @param style the OOo style to read attributes from - * @param bDecl true if declaration form is required - * @param bInherit true if inherited properties should be used - * @param ba the BeforeAfter to add LaTeX code to. - */ - public void applyLanguage(StyleWithProperties style, boolean bDecl, boolean bInherit, BeforeAfter ba) { - if (!bAlwaysUseDefaultLang && style!=null) { - String sISOLang = style.getProperty(XMLString.FO_LANGUAGE,bInherit); - if (sISOLang!=null) { - languages.add(sISOLang); - String sLang = getBabelLanguage(sISOLang); - if (sLang!=null) { - if (bDecl) { - ba.add("\\selectlanguage{"+sLang+"}",""); - //ba.add("\\begin{otherlanguage}{"+sLang+"}","\\end{otherlanguage}"); - } - else { - ba.add("\\foreignlanguage{"+sLang+"}{","}"); - } - } - } - } - } - - /** Push a font to the font stack - * @param sName the name of the font - */ - public void pushSpecialTable(String sName) { - // If no name is specified we should keep the current table - // Otherwise try to find the table, and use root if it's not available - if (sName!=null) { - table = tableSet.get(sName); - if (table==null) { table = tableSet.get("root"); } - } - tableStack.push(table); - } - - /** Pop a font from the font stack - */ - public void popSpecialTable() { - tableStack.pop(); - table = tableStack.peek(); - } - - /** Get the number of characters defined in the current table - * (for informational purposes only) - * @return the number of characters - */ - public int getCharCount() { return table.getCharCount(); } - - /** Convert a string of characters into LaTeX - * @param s the source string - * @param bMathMode true if the string should be rendered in math mode - * @param sLang the iso language of the string - * @return the LaTeX string - */ - public String convert(String s, boolean bMathMode, String sLang){ - if (!bAlwaysUseDefaultLang && sLang!=null) { languages.add(sLang); } - StringBuilder buf=new StringBuilder(); - int nFontenc = bAlwaysUseDefaultLang ? nDefaultFontenc : getFontenc(sLang); - int nLen = s.length(); - int i = 0; - int nStart = i; - while (inStart) { - convert(s,nStart,i,bMathMode,sLang,buf,nFontenc); - } - boolean bOtherFontenc = !supportsFontenc(node.getFontencs(),nFontenc); - if (bOtherFontenc) { - buf.append(getFontencCs(getFontenc(node.getFontencs()))).append("{"); - } - buf.append(node.getLaTeXCode()); - if (bOtherFontenc) { - buf.append("}"); - } - i += node.getInputLength(); - nStart = i; - } - else { - i++; - } - } - if (nStart='\u1F00') && (c<='\u1FFF')) bPolytonicGreek = true; - if (nFontenc==LGR_ENC) bGreek = true; - if (nFontenc==T2A_ENC) bT2A = true; - } - -} diff --git a/src/main/java/writer2latex/latex/i18n/I18n.java b/src/main/java/writer2latex/latex/i18n/I18n.java deleted file mode 100644 index 44ad83b..0000000 --- a/src/main/java/writer2latex/latex/i18n/I18n.java +++ /dev/null @@ -1,142 +0,0 @@ -/************************************************************************ - * - * I18n.java - * - * Copyright: 2002-2011 by Henrik Just - * - * This file is part of Writer2LaTeX. - * - * Writer2LaTeX is free software: you can redistribute it and/or modify - * it under the terms of the GNU General Public License as published by - * the Free Software Foundation, either version 3 of the License, or - * (at your option) any later version. - * - * Writer2LaTeX is distributed in the hope that it will be useful, - * but WITHOUT ANY WARRANTY; without even the implied warranty of - * MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the - * GNU General Public License for more details. - * - * You should have received a copy of the GNU General Public License - * along with Writer2LaTeX. If not, see . - * - * Version 1.2 (2011-05-09) - * - */ - -package writer2latex.latex.i18n; - -import java.util.HashSet; - -import writer2latex.office.*; -import writer2latex.latex.LaTeXConfig; -import writer2latex.latex.LaTeXDocumentPortion; -import writer2latex.latex.ConverterPalette; -import writer2latex.latex.util.BeforeAfter; - -/** This abstract class takes care of i18n in the LaTeX export. - * Since i18n is handled quite differently in LaTeX "Classic" - * and XeTeX, we use two different classes - */ -public abstract class I18n { - // **** Global variables **** - - // The office reader - protected OfficeReader ofr; - - // Configuration items - protected LaTeXConfig config; - protected ReplacementTrie stringReplace; - protected boolean bGreekMath; // Use math mode for Greek letters - protected boolean bAlwaysUseDefaultLang; // Ignore sLang parameter to convert() - - // Collected data - protected String sDefaultCTLLanguage; // The default CTL ISO language to use - protected String sDefaultCTLCountry; // The default CTL ISO country to use - protected String sDefaultLanguage; // The default LCG ISO language to use - protected String sDefaultCountry; // The default LCG ISO country to use - protected HashSet languages = new HashSet(); // All LCG languages used - - // **** Constructors **** - - /** Construct a new I18n as ConverterHelper - * @param ofr the OfficeReader to get language information from - * @param config the configuration which determines the symbols to use - * @param palette the ConverterPalette (unused) - */ - public I18n(OfficeReader ofr, LaTeXConfig config, ConverterPalette palette) { - // We don't need the palette - this.ofr = ofr; - - // Set up config items - this.config = config; - stringReplace = config.getStringReplace(); - bGreekMath = config.greekMath(); - bAlwaysUseDefaultLang = !config.multilingual(); - - // Default language - if (ofr!=null) { - if (config.multilingual()) { - // Read the default language from the default paragraph style - StyleWithProperties style = ofr.getDefaultParStyle(); - if (style!=null) { - sDefaultLanguage = style.getProperty(XMLString.FO_LANGUAGE); - sDefaultCountry = style.getProperty(XMLString.FO_COUNTRY); - sDefaultCTLLanguage = style.getProperty(XMLString.STYLE_LANGUAGE_COMPLEX); - sDefaultCTLCountry = style.getProperty(XMLString.STYLE_COUNTRY_COMPLEX); - } - } - else { - // the most common language is the only language - sDefaultLanguage = ofr.getMajorityLanguage(); - } - } - if (sDefaultLanguage==null) { sDefaultLanguage="en"; } - } - - /** Add declarations to the preamble to load the required packages - * @param pack usepackage declarations - * @param decl other declarations - */ - public abstract void appendDeclarations(LaTeXDocumentPortion pack, LaTeXDocumentPortion decl); - - /** Apply a language language - * @param style the OOo style to read attributes from - * @param bDecl true if declaration form is required - * @param bInherit true if inherited properties should be used - * @param ba the BeforeAfter to add LaTeX code to. - */ - public abstract void applyLanguage(StyleWithProperties style, boolean bDecl, boolean bInherit, BeforeAfter ba); - - /** Push a font to the font stack - * @param sName the name of the font - */ - public abstract void pushSpecialTable(String sName); - - /** Pop a font from the font stack - */ - public abstract void popSpecialTable(); - - /** Convert a string of characters into LaTeX - * @param s the source string - * @param bMathMode true if the string should be rendered in math mode - * @param sLang the ISO language of the string - * @return the LaTeX string - */ - public abstract String convert(String s, boolean bMathMode, String sLang); - - /** Get the default language (either the document language or the most used language) - * - * @return the default language - */ - public String getDefaultLanguage() { - return sDefaultLanguage; - } - - /** Get the default country - * - * @return the default country - */ - public String getDefaultCountry() { - return sDefaultCountry; - } -} diff --git a/src/main/java/writer2latex/latex/i18n/Package.html b/src/main/java/writer2latex/latex/i18n/Package.html deleted file mode 100644 index 2995355..0000000 --- a/src/main/java/writer2latex/latex/i18n/Package.html +++ /dev/null @@ -1,16 +0,0 @@ - - - - - The package writer2latex.xhtml.i18n - - - -

    This package takes care of i18n for LaTeX.

    -

    In LaTeX, i18n is a mixture of inputencodings, fontencodings - and babel languages. In particualar, the package provides a Unicode->LaTeX - translation that can handle different inputencodings and fontencodings.

    -

    The pacakge could (with modification) in theory be used in other programs - that convert unicode to LaTeX.

    - - diff --git a/src/main/java/writer2latex/latex/i18n/Polyglossia.java b/src/main/java/writer2latex/latex/i18n/Polyglossia.java deleted file mode 100644 index 28cf034..0000000 --- a/src/main/java/writer2latex/latex/i18n/Polyglossia.java +++ /dev/null @@ -1,216 +0,0 @@ -/************************************************************************ - * - * XeTeXI18n.java - * - * Copyright: 2002-2010 by Henrik Just - * - * This file is part of Writer2LaTeX. - * - * Writer2LaTeX is free software: you can redistribute it and/or modify - * it under the terms of the GNU General Public License as published by - * the Free Software Foundation, either version 3 of the License, or - * (at your option) any later version. - * - * Writer2LaTeX is distributed in the hope that it will be useful, - * but WITHOUT ANY WARRANTY; without even the implied warranty of - * MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the - * GNU General Public License for more details. - * - * You should have received a copy of the GNU General Public License - * along with Writer2LaTeX. If not, see . - * - * Version 1.2 (2010-12-15) - * - */ - -package writer2latex.latex.i18n; - -import java.util.ArrayList; -import java.util.HashMap; -import java.util.HashSet; -import java.util.List; -import java.util.Map; -import java.util.Set; - -public class Polyglossia { - private static Map languageMap; - private static Map variantMap; - - static { - languageMap = new HashMap(); - languageMap.put("am", "amharic"); - languageMap.put("ar", "arabic"); - languageMap.put("ast", "asturian"); - languageMap.put("bg", "bulgarian"); - languageMap.put("bn", "bengali"); - languageMap.put("br", "breton"); - languageMap.put("ca", "catalan"); - languageMap.put("cop", "coptic"); - languageMap.put("cs", "czech"); - languageMap.put("cy", "welsh"); - languageMap.put("da", "danish"); - languageMap.put("de", "german"); - languageMap.put("dsb", "lsorbian"); - languageMap.put("dv", "divehi"); - languageMap.put("el", "greek"); - languageMap.put("en", "english"); - languageMap.put("eo", "esperanto"); - languageMap.put("es", "spanish"); - languageMap.put("et", "estonian"); - languageMap.put("eu", "basque"); - languageMap.put("fa", "farsi"); - languageMap.put("fi", "finnish"); - languageMap.put("fr", "french"); - languageMap.put("ga", "irish"); - languageMap.put("gd", "scottish"); - languageMap.put("gl", "galician"); - languageMap.put("grc", "greek"); - languageMap.put("he", "hebrew"); - languageMap.put("hi", "hindi"); - languageMap.put("hr", "croatian"); - languageMap.put("hsb", "usorbian"); - languageMap.put("hu", "magyar"); - languageMap.put("hy", "armenian"); - languageMap.put("id", "bahasai"); // Bahasa Indonesia - languageMap.put("ie", "interlingua"); - languageMap.put("is", "icelandic"); - languageMap.put("it", "italian"); - languageMap.put("la", "latin"); - languageMap.put("lo", "lao"); - languageMap.put("lt", "lithuanian"); - languageMap.put("lv", "latvian"); - languageMap.put("ml", "malayalam"); - languageMap.put("mr", "marathi"); - languageMap.put("ms", "bahasam"); // Bahasa Melayu - languageMap.put("nb", "norsk"); - languageMap.put("nl", "dutch"); - languageMap.put("nn", "nynorsk"); - languageMap.put("oc", "occitan"); - languageMap.put("pl", "polish"); - languageMap.put("pt", "portuges"); - languageMap.put("pt-BR", "brazilian"); - languageMap.put("ro", "romanian"); - languageMap.put("ru", "russian"); - languageMap.put("sa", "sanskrit"); - languageMap.put("sk", "slovak"); - languageMap.put("sl", "slovenian"); - languageMap.put("sq", "albanian"); - languageMap.put("sr", "serbian"); - languageMap.put("sv", "swedish"); - languageMap.put("syr", "syriac"); - languageMap.put("ta", "tamil"); - languageMap.put("te", "telugu"); - languageMap.put("th", "thai"); - languageMap.put("tk", "turkmen"); - languageMap.put("tr", "turkish"); - languageMap.put("uk", "ukrainian"); - languageMap.put("ur", "urdu"); - languageMap.put("vi", "vietnamese"); - // TODO: Which language is samin?? One guess could be sami with the n for north? - //languageMap.put("??", "samin"); - - variantMap = new HashMap(); - // English variants - variantMap.put("en-US", "american"); - variantMap.put("en-GB", "british"); - variantMap.put("en-AU", "australian"); - variantMap.put("en-NZ", "newzealand"); - // Greek variants - variantMap.put("el", "monotonic"); - variantMap.put("grc", "ancient"); // Supported in OOo since 3.2 - } - - private static String getEntry(Map map, String sLocale, String sLang) { - if (map.containsKey(sLocale)) { - return map.get(sLocale); - } - else if (map.containsKey(sLang)) { - return map.get(sLang); - } - return null; - } - - // This ended the static part of Polyglossia - - private Set languages = new HashSet(); - private List declarations = new ArrayList(); - private Map commands = new HashMap(); - - /**

    Get the declarations for the applied languages, in the form

    - *

    \\usepackage{polyglossia}

    - *

    \\setdefaultlanguage{language1}

    - *

    \\setotherlanguage{language2}

    - *

    \\setotherlanguage{language3}

    - *

    ...

    - * - * @return the declarations as a string array - */ - public String[] getDeclarations() { - return declarations.toArray(new String[declarations.size()]); - } - - /**

    Add the given locale to the list of applied locales and return definitions for applying the - * language to a text portion:

    - *
      - *
    • A command of the forn \textlanguage[variant=languagevariant]
    • - *
    • An environment in the form - * \begin{language}[variant=languagevariant]...\end{language}
    • - *
    - *

    The first applied language is the default language

    - * - * @param sLang The language - * @param sCountry The country (may be null) - * @return a string array containing definitions to apply the language: Entry 0 contains a command - * and Entry 1 and 2 contains an environment - */ - public String[] applyLanguage(String sLang, String sCountry) { - String sLocale = sCountry!=null ? sLang+"-"+sCountry : sLang; - if (commands.containsKey(sLocale)) { - return commands.get(sLocale); - } - else { - // Get the Polyglossia language and variant - String sPolyLang = getEntry(languageMap,sLocale,sLang); - if (sPolyLang!=null) { - String sVariant = getEntry(variantMap,sLocale,sLang); - if (sVariant!=null) { - sVariant = "[variant="+sVariant+"]"; - } - else { - sVariant = ""; - } - - if (languages.size()==0) { - // First language, load Polyglossia and make the language default - declarations.add("\\usepackage{polyglossia}"); - declarations.add("\\setdefaultlanguage"+sVariant+"{"+sPolyLang+"}"); - languages.add(sPolyLang); - sVariant = ""; // Do not apply variant directly - } - else if (!languages.contains(sPolyLang)) { - // New language, add to declarations - declarations.add("\\setotherlanguage"+sVariant+"{"+sPolyLang+"}"); - languages.add(sPolyLang); - sVariant = ""; // Do not apply variant directly - } - - String[] sCommand = new String[3]; - sCommand[0] = "\\text"+sPolyLang+sVariant; - if ("arabic".equals(sPolyLang)) { sPolyLang="Arabic"; } - sCommand[1] = "\\begin{"+sPolyLang+"}"+sVariant; - sCommand[2] = "\\end{"+sPolyLang+"}"; - commands.put(sLocale, sCommand); - return sCommand; - } - else { - // Unknown language - String[] sCommand = new String[3]; - sCommand[0] = ""; - sCommand[1] = ""; - sCommand[2] = ""; - commands.put(sLocale, sCommand); - return sCommand; - } - } - } -} diff --git a/src/main/java/writer2latex/latex/i18n/ReplacementTrie.java b/src/main/java/writer2latex/latex/i18n/ReplacementTrie.java deleted file mode 100644 index 3111089..0000000 --- a/src/main/java/writer2latex/latex/i18n/ReplacementTrie.java +++ /dev/null @@ -1,60 +0,0 @@ -/************************************************************************ - * - * ReplacementTrie.java - * - * Copyright: 2002-2009 by Henrik Just - * - * This file is part of Writer2LaTeX. - * - * Writer2LaTeX is free software: you can redistribute it and/or modify - * it under the terms of the GNU General Public License as published by - * the Free Software Foundation, either version 3 of the License, or - * (at your option) any later version. - * - * Writer2LaTeX is distributed in the hope that it will be useful, - * but WITHOUT ANY WARRANTY; without even the implied warranty of - * MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the - * GNU General Public License for more details. - * - * You should have received a copy of the GNU General Public License - * along with Writer2LaTeX. If not, see . - * - * Version 1.2 (2009-09-20) - * - */ - -package writer2latex.latex.i18n; - -import java.util.HashSet; -import java.util.Set; - -/** This class contains a trie of string -> LaTeX code replacements -*/ -public class ReplacementTrie extends ReplacementTrieNode { - - public ReplacementTrie() { - super('*',0); - } - - public ReplacementTrieNode get(String sInput) { - return get(sInput,0,sInput.length()); - } - - public ReplacementTrieNode get(String sInput, int nStart, int nEnd) { - if (sInput.length()==0) { return null; } - else { return super.get(sInput,nStart,nEnd); } - } - - public void put(String sInput, String sLaTeXCode, int nFontencs) { - if (sInput.length()==0) { return; } - else { super.put(sInput,sLaTeXCode,nFontencs); } - } - - public Set getInputStrings() { - HashSet strings = new HashSet(); - collectStrings(strings,""); - return strings; - } - - -} diff --git a/src/main/java/writer2latex/latex/i18n/ReplacementTrieNode.java b/src/main/java/writer2latex/latex/i18n/ReplacementTrieNode.java deleted file mode 100644 index 52f74a9..0000000 --- a/src/main/java/writer2latex/latex/i18n/ReplacementTrieNode.java +++ /dev/null @@ -1,139 +0,0 @@ -/************************************************************************ - * - * ReplacementTrieNode.java - * - * Copyright: 2002-2014 by Henrik Just - * - * This file is part of Writer2LaTeX. - * - * Writer2LaTeX is free software: you can redistribute it and/or modify - * it under the terms of the GNU General Public License as published by - * the Free Software Foundation, either version 3 of the License, or - * (at your option) any later version. - * - * Writer2LaTeX is distributed in the hope that it will be useful, - * but WITHOUT ANY WARRANTY; without even the implied warranty of - * MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the - * GNU General Public License for more details. - * - * You should have received a copy of the GNU General Public License - * along with Writer2LaTeX. If not, see . - * - * Version 1.4 (2014-09-24) - * - */ - -package writer2latex.latex.i18n; - -import java.util.Set; - -/** This class contains a node in a trie of string -> LaTeX code replacements -*/ -public class ReplacementTrieNode { - - private char cLetter; - private int nInputLength; - private String sLaTeXCode = null; - private int nFontencs = 0; - private ReplacementTrieNode son = null; - private ReplacementTrieNode brother = null; - - public ReplacementTrieNode(char cLetter, int nInputLength) { - this.cLetter = cLetter; - this.nInputLength = nInputLength; - } - - public char getLetter() { return this.cLetter; } - - public int getInputLength() { return this.nInputLength; } - - public String getLaTeXCode() { return this.sLaTeXCode; } - - public int getFontencs() { return this.nFontencs; } - - protected void setLaTeXCode(String sLaTeXCode) { - this.sLaTeXCode = sLaTeXCode; - } - - protected void setFontencs(int nFontencs) { - this.nFontencs = nFontencs; - } - - protected ReplacementTrieNode getFirstChild() { - return this.son; - } - - protected ReplacementTrieNode getNextSibling() { - return this.brother; - } - - protected ReplacementTrieNode getChildByLetter(char cLetter) { - ReplacementTrieNode child = this.getFirstChild(); - while (child!=null) { - if (cLetter==child.getLetter()) { return child; } - child = child.getNextSibling(); - } - return null; - } - - protected void appendChild(ReplacementTrieNode node) { - if (son==null) { son = node; } - else { son.appendSibling(node); } - } - - protected void appendSibling(ReplacementTrieNode node) { - if (brother==null) { brother = node; } - else { brother.appendSibling(node); } - } - - protected ReplacementTrieNode get(String sInput, int nStart, int nEnd) { - if (nStart>=nEnd) { return null; } - char c = sInput.charAt(nStart); - ReplacementTrieNode child = this.getFirstChild(); - while (child!=null) { - if (child.getLetter()==c) { - if (child.getLaTeXCode()!=null) { return child; } - else { return child.get(sInput,nStart+1,nEnd); } - } - child = child.getNextSibling(); - } - return null; - } - - protected void put(String sInput, String sLaTeXCode, int nFontencs) { - char c = sInput.charAt(0); - ReplacementTrieNode child = this.getChildByLetter(c); - if (child==null) { - child = new ReplacementTrieNode(c,this.getInputLength()+1); - this.appendChild(child); - } - if (sInput.length()>1) { - child.put(sInput.substring(1),sLaTeXCode,nFontencs); - } - else { - child.setLaTeXCode(sLaTeXCode); - child.setFontencs(nFontencs); - } - } - - protected void collectStrings(Set strings, String sPrefix) { - ReplacementTrieNode child = this.getFirstChild(); - while (child!=null) { - if (child.getLaTeXCode()!=null) { - strings.add(sPrefix+child.getLetter()); - } - child.collectStrings(strings, sPrefix+child.getLetter()); - child = child.getNextSibling(); - } - } - - public String toString() { - String s = Character.toString(cLetter); - if (brother!=null) { s+=brother.toString(); } - if (son!=null) { s+="\nInputLength "+(nInputLength+1)+", "+son.toString(); } - else { s+="\n"; } - return s; - } - - -} diff --git a/src/main/java/writer2latex/latex/i18n/UnicodeCharacter.java b/src/main/java/writer2latex/latex/i18n/UnicodeCharacter.java deleted file mode 100644 index 7ce2ea0..0000000 --- a/src/main/java/writer2latex/latex/i18n/UnicodeCharacter.java +++ /dev/null @@ -1,51 +0,0 @@ -/************************************************************************ - * - * UnicodeCharacter.java - * - * Copyright: 2002-2010 by Henrik Just - * - * This file is part of Writer2LaTeX. - * - * Writer2LaTeX is free software: you can redistribute it and/or modify - * it under the terms of the GNU General Public License as published by - * the Free Software Foundation, either version 3 of the License, or - * (at your option) any later version. - * - * Writer2LaTeX is distributed in the hope that it will be useful, - * but WITHOUT ANY WARRANTY; without even the implied warranty of - * MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the - * GNU General Public License for more details. - * - * You should have received a copy of the GNU General Public License - * along with Writer2LaTeX. If not, see . - * - * Version 1.2 (2010-05-11) - * - */ - -package writer2latex.latex.i18n; - -// Helper class: A struct to hold the LaTeX representations of a unicode character -class UnicodeCharacter implements Cloneable { - final static int NORMAL = 0; // this is a normal character - final static int COMBINING = 1; // this character should be ignored - final static int IGNORE = 2; // this is a combining character - final static int UNKNOWN = 3; // this character is unknown - - int nType; // The type of character - String sMath; // LaTeX representation in math mode - String sText; // LaTeX representation in text mode - int nFontencs; // Valid font encoding(s) for the text mode representation - char cProtect; // This character is represented by this character which may produce unwanted ligatures (-, ', `) - - protected Object clone() { - UnicodeCharacter uc = new UnicodeCharacter(); - uc.nType = this.nType; - uc.sMath = this.sMath; - uc.sText = this.sText; - uc.nFontencs = this.nFontencs; - uc.cProtect = this.cProtect; - return uc; - } -} - diff --git a/src/main/java/writer2latex/latex/i18n/UnicodeRow.java b/src/main/java/writer2latex/latex/i18n/UnicodeRow.java deleted file mode 100644 index 9e0165b..0000000 --- a/src/main/java/writer2latex/latex/i18n/UnicodeRow.java +++ /dev/null @@ -1,42 +0,0 @@ -/************************************************************************ - * - * UnicodeRow.java - * - * Copyright: 2002-2007 by Henrik Just - * - * This file is part of Writer2LaTeX. - * - * Writer2LaTeX is free software: you can redistribute it and/or modify - * it under the terms of the GNU General Public License as published by - * the Free Software Foundation, either version 3 of the License, or - * (at your option) any later version. - * - * Writer2LaTeX is distributed in the hope that it will be useful, - * but WITHOUT ANY WARRANTY; without even the implied warranty of - * MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the - * GNU General Public License for more details. - * - * You should have received a copy of the GNU General Public License - * along with Writer2LaTeX. If not, see . - * - * Version 0.5 (2007-07-24) - * - */ - -package writer2latex.latex.i18n; - -// Helper class: A row of 256 unicode characters -class UnicodeRow implements Cloneable { - UnicodeCharacter[] entries; - UnicodeRow(){ entries=new UnicodeCharacter[256]; } - - protected Object clone() { - UnicodeRow ur = new UnicodeRow(); - for (int i=0; i<256; i++) { - if (this.entries[i]!=null) { - ur.entries[i] = (UnicodeCharacter) this.entries[i].clone(); - } - } - return ur; - } -} diff --git a/src/main/java/writer2latex/latex/i18n/UnicodeStringParser.java b/src/main/java/writer2latex/latex/i18n/UnicodeStringParser.java deleted file mode 100644 index 01483bd..0000000 --- a/src/main/java/writer2latex/latex/i18n/UnicodeStringParser.java +++ /dev/null @@ -1,78 +0,0 @@ -/************************************************************************ - * - * UnicodeStringParser.java - * - * Copyright: 2002-2007 by Henrik Just - * - * This file is part of Writer2LaTeX. - * - * Writer2LaTeX is free software: you can redistribute it and/or modify - * it under the terms of the GNU General Public License as published by - * the Free Software Foundation, either version 3 of the License, or - * (at your option) any later version. - * - * Writer2LaTeX is distributed in the hope that it will be useful, - * but WITHOUT ANY WARRANTY; without even the implied warranty of - * MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the - * GNU General Public License for more details. - * - * You should have received a copy of the GNU General Public License - * along with Writer2LaTeX. If not, see . - * - * Version 0.5 (2007-07-24) - * - */ - -package writer2latex.latex.i18n; - -// Helper class: Parse a unicode string. -// Note: Some 8-bit fonts have additional "spacer" characters that are used -// for manual placement of accents. These are ignored between the base character -// and the combining character, thus we are parsing according to the rule -// * ? -class UnicodeStringParser { - private UnicodeTable table; // the table to use - private String s; // the string - private int i; // the current index - private int nEnd; // the maximal index - private char c; // the current character - private char cc; // the current combining character - - protected void reset(UnicodeTable table, String s, int i, int nEnd) { - this.table=table; - this.s=s; - this.i=i; - this.nEnd=nEnd; - } - - protected boolean next() { - if (i>=nEnd) { return false; } - // Pick up base character - c = s.charAt(i++); - if (table.getCharType(c)==UnicodeCharacter.COMBINING) { - // Lonely combining character - combine with space - cc = c; - c = ' '; - return true; - } - - // Skip characters that should be ignored - while (i. - * - * Version 1.2 (2010-05-11) - * - */ - -package writer2latex.latex.i18n; - -// Helper class: Table of up to 65536 unicode characters -class UnicodeTable { - protected UnicodeRow[] table=new UnicodeRow[256]; - private UnicodeTable parent; - - // Constructor; creates a new table, possibly based on a parent - // Note: The parent must be fully loaded before the child is created. - public UnicodeTable(UnicodeTable parent){ - this.parent = parent; - if (parent!=null) { - // *Copy* the rows from the parent - for (int i=0; i<256; i++) { - table[i] = parent.table[i]; - } - } - } - - // Make sure the required entry exists - private void createEntry(int nRow, int nCol) { - if (table[nRow]==null) { - table[nRow]=new UnicodeRow(); - } - else if (parent!=null && table[nRow]==parent.table[nRow]) { - // Before changing a row it must be *cloned* - table[nRow] = (UnicodeRow) parent.table[nRow].clone(); - } - if (table[nRow].entries[nCol]==null) { - table[nRow].entries[nCol]=new UnicodeCharacter(); - } - } - - // Addd a single character (type only), by number - protected void addCharType(char c, int nType) { - int nRow=c/256; int nCol=c%256; - createEntry(nRow,nCol); - table[nRow].entries[nCol].nType = nType; - } - - // Addd a single character (type only), by name - protected void addCharType(char c, String sType) { - int nRow=c/256; int nCol=c%256; - createEntry(nRow,nCol); - if ("combining".equals(sType)) { - table[nRow].entries[nCol].nType = UnicodeCharacter.COMBINING; - } - else if ("ignore".equals(sType)) { - table[nRow].entries[nCol].nType = UnicodeCharacter.IGNORE; - } - else { - table[nRow].entries[nCol].nType = UnicodeCharacter.NORMAL; - } - } - - // Add a single math character to the table - protected void addMathChar(char c, String sLaTeX){ - int nRow=c/256; int nCol=c%256; - createEntry(nRow,nCol); - table[nRow].entries[nCol].sMath=sLaTeX; - } - - // Add a single text character to the table - protected void addTextChar(char c, String sLaTeX, int nFontencs, char cProtect){ - int nRow=c/256; int nCol=c%256; - createEntry(nRow,nCol); - table[nRow].entries[nCol].sText=sLaTeX; - table[nRow].entries[nCol].nFontencs=nFontencs; - table[nRow].entries[nCol].cProtect=cProtect; - } - - // Retrieve entry for a character (or null) - private UnicodeCharacter getEntry(char c) { - int nRow=c/256; int nCol=c%256; - if (table[nRow]==null) return null; - return table[nRow].entries[nCol]; - } - - // Get character type - public int getCharType(char c) { - UnicodeCharacter entry = getEntry(c); - if (entry==null) return UnicodeCharacter.UNKNOWN; - return entry.nType; - } - - // Check to see if this math character exists? - public boolean hasMathChar(char c) { - UnicodeCharacter entry = getEntry(c); - if (entry==null) return false; - return entry.sMath!=null; - } - - // Get math character (or null) - public String getMathChar(char c) { - UnicodeCharacter entry = getEntry(c); - if (entry==null) return null; - return entry.sMath; - } - - // Check to see if this text character exists? - public boolean hasTextChar(char c) { - UnicodeCharacter entry = getEntry(c); - if (entry==null) return false; - return entry.sText!=null; - } - - // Get text character (or null) - public String getTextChar(char c) { - UnicodeCharacter entry = getEntry(c); - if (entry==null) return null; - return entry.sText; - } - - // Get font encoding(s) for text character (or 0) - public int getFontencs(char c) { - UnicodeCharacter entry = getEntry(c); - if (entry==null) return 0; - return entry.nFontencs; - } - - // Get ligature protect character for text character - public char getProtectChar(char c) { - UnicodeCharacter entry = getEntry(c); - if (entry==null) return '\u0000'; - return entry.cProtect; - } - - // Get number of defined characters - public int getCharCount() { - int nCount = 0; - for (int nRow=0; nRow<256; nRow++) { - if (table[nRow]!=null) { - for (int nCol=0; nCol<256; nCol++) { - UnicodeCharacter entry = table[nRow].entries[nCol]; - if (entry!=null) nCount++; - } - } - } - return nCount; - } - -} - diff --git a/src/main/java/writer2latex/latex/i18n/UnicodeTableHandler.java b/src/main/java/writer2latex/latex/i18n/UnicodeTableHandler.java deleted file mode 100644 index c37d7fd..0000000 --- a/src/main/java/writer2latex/latex/i18n/UnicodeTableHandler.java +++ /dev/null @@ -1,172 +0,0 @@ -/************************************************************************ - * - * UnicodeTableHandler.java - * - * Copyright: 2002-2010 by Henrik Just - * - * This file is part of Writer2LaTeX. - * - * Writer2LaTeX is free software: you can redistribute it and/or modify - * it under the terms of the GNU General Public License as published by - * the Free Software Foundation, either version 3 of the License, or - * (at your option) any later version. - * - * Writer2LaTeX is distributed in the hope that it will be useful, - * but WITHOUT ANY WARRANTY; without even the implied warranty of - * MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the - * GNU General Public License for more details. - * - * You should have received a copy of the GNU General Public License - * along with Writer2LaTeX. If not, see . - * - * Version 1.2 (2010-05-11) - * - */ - -package writer2latex.latex.i18n; - -import java.util.Hashtable; - -import org.xml.sax.Attributes; -import org.xml.sax.helpers.DefaultHandler; - -/** Helper classs: SAX handler to parse symbols.xml from jar - */ -public class UnicodeTableHandler extends DefaultHandler{ - private Hashtable tableSet; // collection of all tables - private UnicodeTable table; // the current table - private String sSymbolSets; - private boolean bGlobalReadThisSet; - private boolean bReadThisSet; - private int nGlobalFontencs = 0; // The global fontencodings for current symbol set - private int nFontencs = 0; // The currently active fontencodings - private boolean b8bit = false; - - /** Create a new UnicodeTableHandler - * - * @param tableSet the Hashtable to fill with tables read from the file - * @param sSymbolSets string containing table names to read (separated by |) - */ - public UnicodeTableHandler(Hashtable tableSet, String sSymbolSets){ - this.sSymbolSets = sSymbolSets; - this.tableSet = tableSet; - } - - public void startElement(String nameSpace, String localName, String qName, Attributes attributes){ - if (qName.equals("symbols")) { - //root element - create root table! - table = new UnicodeTable(null); - tableSet.put("root",table); - } - else if (qName.equals("symbol-set")) { - // start a new symbol set; maybe we want to include it? - bGlobalReadThisSet = sSymbolSets.indexOf(attributes.getValue("name")) >= 0; - bReadThisSet = bGlobalReadThisSet; - // Change global and current fontencodings - nGlobalFontencs = ClassicI18n.readFontencs(attributes.getValue("fontenc")); - nFontencs = nGlobalFontencs; - } - else if (qName.equals("special-symbol-set")) { - // start a new special symbol set; this requires a new table - table = new UnicodeTable(tableSet.get("root")); - tableSet.put(attributes.getValue("name"),table); - - // Read it if it requires nothing, or something we read - bGlobalReadThisSet = attributes.getValue("requires")==null || - sSymbolSets.indexOf(attributes.getValue("requires")) >= 0; - bReadThisSet = bGlobalReadThisSet; - b8bit = "true".equals(attributes.getValue("eight-bit")); - // Change global and current fontencodings - nGlobalFontencs = ClassicI18n.readFontencs(attributes.getValue("fontenc")); - nFontencs = nGlobalFontencs; - } - else if (qName.equals("symbol-subset")) { - // Do we requires something here? - if (attributes.getValue("requires")!=null) { - bReadThisSet = sSymbolSets.indexOf(attributes.getValue("requires")) >= 0; - } - // Change current fontencodings - nFontencs = ClassicI18n.readFontencs(attributes.getValue("fontenc")); - } - else if (qName.equals("symbol")) { - if (bReadThisSet) { - char c=(char)Integer.parseInt(attributes.getValue("char"),16); - String sEqChar=attributes.getValue("eq-char"); - if (sEqChar!=null) { // copy existing definitions, if any - char eqc = (char)Integer.parseInt(sEqChar,16); - if (table.getCharType(eqc)!=UnicodeCharacter.UNKNOWN) { - table.addCharType(c,table.getCharType(eqc)); - } - if (table.hasMathChar(eqc)) { - table.addMathChar(c,table.getMathChar(eqc)); - } - if (table.hasTextChar(eqc)) { - table.addTextChar(c,table.getTextChar(eqc),table.getFontencs(eqc),table.getProtectChar(eqc)); - } - } - else { - String sType=attributes.getValue("char-type"); - String sMath=attributes.getValue("math"); - String sText=attributes.getValue("text"); - String sProtect=attributes.getValue("protect"); - char cProtect = sProtect!=null && sProtect.length()>0 ? sProtect.charAt(0) : '\u0000'; - if (sType!=null) table.addCharType(c,sType); - if (sMath!=null) table.addMathChar(c,sMath); - if (sText!=null) table.addTextChar(c,sText,nFontencs,cProtect); - } - } - } - else if (qName.equals("preserve-symbol")) { - if (bReadThisSet) { - String sMode=attributes.getValue("mode"); - char c=(char)Integer.parseInt(attributes.getValue("char"),16); - table.addCharType(c,attributes.getValue("char-type")); - if ("math".equals(sMode) || "both".equals(sMode)) { - table.addMathChar(c,Character.toString(c)); - } - if ("text".equals(sMode) || "both".equals(sMode)) { - table.addTextChar(c,Character.toString(c),nFontencs,'\u0000'); - } - } - } - else if (qName.equals("preserve-symbols")) { - if (bReadThisSet) { - String sMode=attributes.getValue("mode"); - String sType=attributes.getValue("char-type"); - char c1=(char)Integer.parseInt(attributes.getValue("first-char"),16); - char c2=(char)Integer.parseInt(attributes.getValue("last-char"),16); - boolean bMath = "math".equals(sMode) || "both".equals(sMode); - boolean bText = "text".equals(sMode) || "both".equals(sMode); - for (char c=c1; c<=c2; c++) { - table.addCharType(c,sType); - if (bMath) { - table.addMathChar(c,Character.toString(c)); - } - if (bText) { - table.addTextChar(c,Character.toString(c),nFontencs,'\u0000'); - } - } - } - } - } - - public void endElement(String nameSpace, String localName, String qName){ - if (qName.equals("symbol-subset")) { - // Revert to global setting of reading status - bReadThisSet = bGlobalReadThisSet; - // Revert to global fontencoding - nFontencs = nGlobalFontencs; - } - else if (qName.equals("special-symbol-set")) { - if (b8bit) { - // Row 0 = Row 240 (F0) - // Note: 8-bit fonts are supposed to be relocated to F000..F0FF - // This may fail on import from msword, hence this hack - table.table[0] = table.table[240]; - } - b8bit = false; - } - } - -} - diff --git a/src/main/java/writer2latex/latex/i18n/XeTeXI18n.java b/src/main/java/writer2latex/latex/i18n/XeTeXI18n.java deleted file mode 100644 index 7ecc887..0000000 --- a/src/main/java/writer2latex/latex/i18n/XeTeXI18n.java +++ /dev/null @@ -1,231 +0,0 @@ -/************************************************************************ - * - * XeTeXI18n.java - * - * Copyright: 2002-2015 by Henrik Just - * - * This file is part of Writer2LaTeX. - * - * Writer2LaTeX is free software: you can redistribute it and/or modify - * it under the terms of the GNU General Public License as published by - * the Free Software Foundation, either version 3 of the License, or - * (at your option) any later version. - * - * Writer2LaTeX is distributed in the hope that it will be useful, - * but WITHOUT ANY WARRANTY; without even the implied warranty of - * MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the - * GNU General Public License for more details. - * - * You should have received a copy of the GNU General Public License - * along with Writer2LaTeX. If not, see . - * - * Version 1.6 (2015-06-30) - * - */ - -package writer2latex.latex.i18n; - -import java.text.Bidi; - -import writer2latex.office.*; -import writer2latex.latex.LaTeXConfig; -import writer2latex.latex.LaTeXDocumentPortion; -import writer2latex.latex.ConverterPalette; -import writer2latex.latex.util.BeforeAfter; - -/** This class takes care of i18n in XeLaTeX - */ -public class XeTeXI18n extends I18n { - - private Polyglossia polyglossia; - private boolean bLTR; - private boolean bUseXepersian; - private String sLTRCommand=null; - private String sRTLCommand=null; - - /** Construct a new XeTeXI18n as ConverterHelper - * @param ofr the OfficeReader to get language information from - * @param config the configuration which determines the symbols to use - * @param palette the ConverterPalette (unused) - */ - public XeTeXI18n(OfficeReader ofr, LaTeXConfig config, ConverterPalette palette) { - super(ofr,config,palette); - - // CTL support: Currently two CTL languages are supported - // - hebrew (he_IL) using polyglossia.sty - // - farsi (fa_IR) using xepersian.sty - // TODO: Add a use_xepersian option, using polyglossia if false - // For these languages currently only monolingual documents are supported - // For LTR languages, multilingual documents are supported using polyglossia - polyglossia = new Polyglossia(); - bLTR = !"fa".equals(sDefaultCTLLanguage) && !"he".equals(sDefaultCTLLanguage); - if (bLTR) { - polyglossia.applyLanguage(sDefaultLanguage, sDefaultCountry); - } - else { - polyglossia.applyLanguage(sDefaultCTLLanguage, sDefaultCTLCountry); - } - // For farsi, we load xepersian.sty - bUseXepersian = "fa".equals(sDefaultCTLLanguage); - if (bUseXepersian) { - sLTRCommand = "\\lr"; - sRTLCommand = "\\rl"; - } - } - - /** Add declarations to the preamble to load the required packages - * @param pack usepackage declarations - * @param decl other declarations - */ - public void appendDeclarations(LaTeXDocumentPortion pack, LaTeXDocumentPortion decl) { - pack.append("\\usepackage{amsmath,amssymb,amsfonts}").nl() - .append("\\usepackage{fontspec}").nl() - .append("\\usepackage{xunicode}").nl() - .append("\\usepackage{xltxtra}").nl(); - // xepersian.sty and polyglossia (or rather bidi) should be loaded as the last package - // We put it them the declarations part to achieve this - if (!bUseXepersian) { - String[] polyglossiaDeclarations = polyglossia.getDeclarations(); - for (String s: polyglossiaDeclarations) { - decl.append(s).nl(); - } - if (!bLTR) { // Use a default font set for hebrew - decl.append("\\setmainfont[Script=Hebrew]{Frank Ruehl CLM}").nl(); - decl.append("\\setsansfont[Script=Hebrew]{Nachlieli CLM}").nl(); - decl.append("\\setmonofont[Script=Hebrew]{Miriam Mono CLM}").nl(); - } - } - else { - decl.append("\\usepackage{xepersian}").nl(); - // Set the default font to the default CTL font defined in the document - StyleWithProperties defaultStyle = ofr.getDefaultParStyle(); - if (defaultStyle!=null) { - String sDefaultCTLFont = defaultStyle.getProperty(XMLString.STYLE_FONT_NAME_COMPLEX); - if (sDefaultCTLFont!=null) { - decl.append("\\settextfont{").append(sDefaultCTLFont).append("}").nl(); - } - } - } - } - - /** Apply a language - * @param style the OOo style to read attributes from - * @param bDecl true if declaration form is required - * @param bInherit true if inherited properties should be used - * @param ba the BeforeAfter to add LaTeX code to. - */ - public void applyLanguage(StyleWithProperties style, boolean bDecl, boolean bInherit, BeforeAfter ba) { - if (bLTR && !bAlwaysUseDefaultLang && style!=null) { - // TODO: Support CTL and CJK - String sISOLang = style.getProperty(XMLString.FO_LANGUAGE,bInherit); - String sISOCountry = style.getProperty(XMLString.FO_COUNTRY, bInherit); - if (sISOLang!=null) { - String[] sCommand = polyglossia.applyLanguage(sISOLang, sISOCountry); - if (bDecl) { - ba.add(sCommand[1],sCommand[2]); - } - else { - ba.add(sCommand[0]+"{","}"); - } - } - } - } - - /** Push a font to the font stack - * @param sName the name of the font - */ - public void pushSpecialTable(String sName) { - // TODO - } - - /** Pop a font from the font stack - */ - public void popSpecialTable() { - // TODO - } - - /** Convert a string of characters into LaTeX - * @param s the source string - * @param bMathMode true if the string should be rendered in math mode - * @param sLang the ISO language of the string - * @return the LaTeX string - */ - public String convert(String s, boolean bMathMode, String sLang){ - StringBuilder buf = new StringBuilder(); - int nLen = s.length(); - char c; - if (bMathMode) { - // No string replace or writing direction in math mode - for (int i=0; inCurrentLevel) { - if (nLevel%2==0) { // even is LTR - buf.append(sLTRCommand).append("{"); - } - else { // odd is RTL - buf.append(sRTLCommand).append("{"); - } - nCurrentLevel=nLevel; - nNestingLevel++; - } - else if (nLevel0) { - buf.append("}"); - nNestingLevel--; - } - } - - return buf.toString(); - } - - private void convert(char c, StringBuilder buf) { - switch (c) { - case '#' : buf.append("\\#"); break; // Parameter - case '$' : buf.append("\\$"); break; // Math shift - case '%' : buf.append("\\%"); break; // Comment - case '&' : buf.append("\\&"); break; // Alignment tab - case '\\' : buf.append("\\textbackslash{}"); break; // Escape - case '^' : buf.append("\\^{}"); break; // Superscript - case '_' : buf.append("\\_"); break; // Subscript - case '{' : buf.append("\\{"); break; // Begin group - case '}' : buf.append("\\}"); break; // End group - case '~' : buf.append("\\textasciitilde{}"); break; // Active (non-breaking space) - case '\u00A0' : buf.append('~'); break; // Make non-breaking spaces visible - default: buf.append(c); - } - - } - - - - -} diff --git a/src/main/java/writer2latex/latex/i18n/symbols.xml b/src/main/java/writer2latex/latex/i18n/symbols.xml deleted file mode 100644 index 3443c35..0000000 --- a/src/main/java/writer2latex/latex/i18n/symbols.xml +++ /dev/null @@ -1,4021 +0,0 @@ - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - -   - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - -   - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - diff --git a/src/main/java/writer2latex/latex/util/BeforeAfter.java b/src/main/java/writer2latex/latex/util/BeforeAfter.java deleted file mode 100644 index f0e4dfd..0000000 --- a/src/main/java/writer2latex/latex/util/BeforeAfter.java +++ /dev/null @@ -1,96 +0,0 @@ -/************************************************************************ - * - * BeforeAfter.java - * - * Copyright: 2002-2011 by Henrik Just - * - * This file is part of Writer2LaTeX. - * - * Writer2LaTeX is free software: you can redistribute it and/or modify - * it under the terms of the GNU General Public License as published by - * the Free Software Foundation, either version 3 of the License, or - * (at your option) any later version. - * - * Writer2LaTeX is distributed in the hope that it will be useful, - * but WITHOUT ANY WARRANTY; without even the implied warranty of - * MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the - * GNU General Public License for more details. - * - * You should have received a copy of the GNU General Public License - * along with Writer2LaTeX. If not, see . - * - * Version 1.2 (2011-03-29) - * - */ - -package writer2latex.latex.util; - -/** Utility class to hold LaTeX code to put before/after other LaTeX code - */ -public class BeforeAfter { - private String sBefore=""; - private String sAfter=""; - - /** Constructor to initialize the object with a pair of strings - * @param sBefore1 LaTeX code to put before - * @param sAfter1 LaTeX code to put after - */ - public BeforeAfter(String sBefore1, String sAfter1) { - sBefore=sBefore1; sAfter=sAfter1; - } - - /** Default constructor: Create with empty strings - */ - public BeforeAfter() { } - - /**

    Add data to the BeforeAfter

    - *

    The new data will be be added "inside", thus for example

    - *
    • add("\textsf{","}"); - *
    • add("\textit{","}");
    - *

    will create the pair \textsf{\textit{, }}

    - * - * @param sBefore1 LaTeX code to put before - * @param sAfter1 LaTeX code to put after - */ - public void add(String sBefore1, String sAfter1) { - sBefore+=sBefore1; sAfter=sAfter1+sAfter; - } - - /**

    Add data to the BeforeAfter

    - *

    The new data will be be added "outside", thus for example

    - *
    • enclose("\textsf{","}"); - *
    • enclose("\textit{","}");
    - *

    will create the pair \textit{\textsf{, }}

    - * - * @param sBefore1 LaTeX code to put before - * @param sAfter1 LaTeX code to put after - */ - public void enclose(String sBefore1, String sAfter1) { - sBefore=sBefore1+sBefore; sAfter+=sAfter1; - } - - /**

    Add the content of another BeforeAfter to this BeforeAfter

    - *

    The new data will be be added "inside"

    - * - * @param ba the code to add - */ - public void add(BeforeAfter ba) { - add(ba.getBefore(), ba.getAfter()); - } - - /** Get LaTeX code to put before - * @return then LaTeX code - */ - public String getBefore() { return sBefore; } - - /** Get LaTeX code to put after - * @return then LaTeX code - */ - public String getAfter() { return sAfter; } - - /** Check if this BeforeAfter contains any data - * @return true if there is data in at least one part - */ - public boolean isEmpty() { return sBefore.length()==0 && sAfter.length()==0; } - -} \ No newline at end of file diff --git a/src/main/java/writer2latex/latex/util/Context.java b/src/main/java/writer2latex/latex/util/Context.java deleted file mode 100644 index aa76941..0000000 --- a/src/main/java/writer2latex/latex/util/Context.java +++ /dev/null @@ -1,325 +0,0 @@ -/************************************************************************ - * - * Context.java - * - * Copyright: 2002-2011 by Henrik Just - * - * This file is part of Writer2LaTeX. - * - * Writer2LaTeX is free software: you can redistribute it and/or modify - * it under the terms of the GNU General Public License as published by - * the Free Software Foundation, either version 3 of the License, or - * (at your option) any later version. - * - * Writer2LaTeX is distributed in the hope that it will be useful, - * but WITHOUT ANY WARRANTY; without even the implied warranty of - * MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the - * GNU General Public License for more details. - * - * You should have received a copy of the GNU General Public License - * along with Writer2LaTeX. If not, see . - * - * Version 1.2 (2011-01-24) - * - */ - -package writer2latex.latex.util; - -import writer2latex.office.XMLString; -import writer2latex.office.StyleWithProperties; - -/**

    LaTeX code is in general very context dependent. This class tracks the - * current context, which is the used by the converter to create valid and - * optimal LaTeX code.

    - */ -public class Context { - - // *** Formatting Info (current values in the source OOo document) *** - - // Current list style - private String sListStyleName = null; - - // Current background color - private String sBgColor = null; - - // Current character formatting attributes - private String sFontName = null; - private String sFontStyle = null; - private String sFontVariant = null; - private String sFontWeight = null; - private String sFontSize = null; - private String sFontColor = null; - private String sLang = null; - private String sCountry = null; - - // *** Structural Info (identifies contructions in the LaTeX document) *** - - // within the header or footer of a pagestyle - private boolean bInHeaderFooter = false; - - // within a table cell - private boolean bInTable = false; // any column - private boolean bInLastTableColumn = false; // last column - private boolean bInSimpleTable = false; // l, c or r-column - - // within a multicols environment - private boolean bInMulticols = false; - - // within a list of this level - private int nListLevel = 0; - - // within a list that continues numbering - private boolean bInContinuedList = false; - - // within a section command - private boolean bInSection = false; - - // within a caption - private boolean bInCaption = false; - - // within a Zotero/JabRef citation - private boolean bInZoteroJabRefText = false; - - // within a floating figure (figure environment) - private boolean bInFigureFloat = false; - - // within a floating table (table environment) - private boolean bInTableFloat = false; - - // within a minipage environment - private boolean bInFrame = false; - - // within a \footnote or \endnote - private boolean bInFootnote = false; - - // in verbatim mode - private boolean bVerbatim = false; - - // in math mode - private boolean bMathMode = false; - - // *** Special Info *** - - // Inside (inline) verbatim text, where line breaks are disallowed - private boolean bNoLineBreaks = false; - - // Inside a construction, where footnotes are disallowed - private boolean bNoFootnotes = false; - - // Inside an area, where lists are ignored - private boolean bIgnoreLists = false; - - // *** Accessor Methods *** - - public void setBgColor(String sBgColor) { this.sBgColor = sBgColor; } - - public String getBgColor() { return sBgColor; } - - public void setListStyleName(String sListStyleName) { this.sListStyleName = sListStyleName; } - - public String getListStyleName() { return sListStyleName; } - - public void setFontName(String sFontName) { this.sFontName = sFontName; } - - public String getFontName() { return sFontName; } - - public void setFontStyle(String sFontStyle) { this.sFontStyle = sFontStyle; } - - public String getFontStyle() { return sFontStyle; } - - public void setFontVariant(String sFontVariant) { this.sFontVariant = sFontVariant; } - - public String getFontVariant() { return sFontVariant; } - - public void setFontWeight(String sFontWeight) { this.sFontWeight = sFontWeight; } - - public String getFontWeight() { return sFontWeight; } - - public void setFontSize(String sFontSize) { this.sFontSize = sFontSize; } - - public String getFontSize() { return sFontSize; } - - public void setFontColor(String sFontColor) { this.sFontColor = sFontColor; } - - public String getFontColor() { return sFontColor; } - - public void setLang(String sLang) { this.sLang = sLang; } - - public String getLang() { return sLang; } - - public void setCountry(String sCountry) { this.sCountry = sCountry; } - - public String getCountry() { return sCountry; } - - public void setInHeaderFooter(boolean bInHeaderFooter) { - this.bInHeaderFooter = bInHeaderFooter; - } - - public boolean isInHeaderFooter() { return bInHeaderFooter; } - - public void setInTable(boolean bInTable) { this.bInTable = bInTable; } - - public boolean isInTable() { return bInTable; } - - public void setInLastTableColumn(boolean bInLastTableColumn) { this.bInLastTableColumn = bInLastTableColumn; } - - public boolean isInLastTableColumn() { return bInLastTableColumn; } - - public void setInSimpleTable(boolean bInSimpleTable) { this.bInSimpleTable = bInSimpleTable; } - - public boolean isInSimpleTable() { return bInSimpleTable; } - - public void setInMulticols(boolean bInMulticols) { - this.bInMulticols = bInMulticols; - } - - public boolean isInMulticols() { return bInMulticols; } - - public void setListLevel(int nListLevel) { this.nListLevel = nListLevel; } - - public void incListLevel() { nListLevel++; } - - public int getListLevel() { return nListLevel; } - - public void setInContinuedList(boolean bInContinuedList) { this.bInContinuedList=bInContinuedList; } - - public boolean isInContinuedList() { return this.bInContinuedList; } - - public void setInSection(boolean bInSection) { this.bInSection = bInSection; } - - public boolean isInSection() { return bInSection; } - - public void setInCaption(boolean bInCaption) { this.bInCaption = bInCaption; } - - public boolean isInCaption() { return bInCaption; } - - public void setInZoteroJabRefText(boolean bInZoteroJabRefText) { this.bInZoteroJabRefText = bInZoteroJabRefText; } - - public boolean isInZoteroJabRefText() { return bInZoteroJabRefText; } - - public void setInFigureFloat(boolean bInFigureFloat) { this.bInFigureFloat = bInFigureFloat; } - - public boolean isInFigureFloat() { return bInFigureFloat; } - - public void setInTableFloat(boolean bInTableFloat) { this.bInTableFloat = bInTableFloat; } - - public boolean isInTableFloat() { return bInTableFloat; } - - public void setInFrame(boolean bInFrame) { this.bInFrame = bInFrame; } - - public boolean isInFrame() { return bInFrame; } - - public void setInFootnote(boolean bInFootnote) { - this.bInFootnote = bInFootnote; - } - - public boolean isInFootnote() { return bInFootnote; } - - public void setNoFootnotes(boolean bNoFootnotes) { - this.bNoFootnotes = bNoFootnotes; - } - - public boolean isNoFootnotes() { return bNoFootnotes; } - - public void setIgnoreLists(boolean bIgnoreLists) { - this.bIgnoreLists = bIgnoreLists; - } - - public boolean isIgnoreLists() { return bIgnoreLists; } - - public void setNoLineBreaks(boolean bNoLineBreaks) { - this.bNoLineBreaks = bNoLineBreaks; - } - public boolean isNoLineBreaks() { return bNoLineBreaks; } - - public boolean isVerbatim() { return bVerbatim; } - - public void setVerbatim(boolean bVerbatim) { this.bVerbatim = bVerbatim; } - - public boolean isMathMode() { return bMathMode; } - - public void setMathMode(boolean bMathMode) { this.bMathMode = bMathMode; } - - // update context - - public void updateFormattingFromStyle(StyleWithProperties style) { - String s; - - if (style==null) { return; } - - s = style.getProperty(XMLString.STYLE_FONT_NAME); - if (s!=null) { setFontName(s); } - - s = style.getProperty(XMLString.FO_FONT_STYLE); - if (s!=null) { setFontStyle(s); } - - s = style.getProperty(XMLString.FO_FONT_VARIANT); - if (s!=null) { setFontVariant(s); } - - s = style.getProperty(XMLString.FO_FONT_WEIGHT); - if (s!=null) { setFontWeight(s); } - - s = style.getProperty(XMLString.FO_FONT_SIZE); - if (s!=null) { setFontSize(s); } - - s = style.getProperty(XMLString.FO_COLOR); - if (s!=null) { setFontColor(s); } - - s = style.getProperty(XMLString.FO_LANGUAGE); - if (s!=null) { setLang(s); } - - s = style.getProperty(XMLString.FO_COUNTRY); - if (s!=null) { setCountry(s); } - } - - public void resetFormattingFromStyle(StyleWithProperties style) { - setFontName(null); - setFontStyle(null); - setFontVariant(null); - setFontWeight(null); - setFontSize(null); - setFontColor(null); - setLang(null); - setCountry(null); - updateFormattingFromStyle(style); - } - - - // clone this Context - public Object clone() { - Context newContext = new Context(); - - newContext.setListStyleName(sListStyleName); - newContext.setBgColor(sBgColor); - newContext.setFontName(sFontName); - newContext.setFontStyle(sFontStyle); - newContext.setFontVariant(sFontVariant); - newContext.setFontWeight(sFontWeight); - newContext.setFontSize(sFontSize); - newContext.setFontColor(sFontColor); - newContext.setLang(sLang); - newContext.setCountry(sCountry); - newContext.setInHeaderFooter(bInHeaderFooter); - newContext.setInTable(bInTable); - newContext.setInLastTableColumn(bInLastTableColumn); - newContext.setInSimpleTable(bInSimpleTable); - newContext.setInMulticols(bInMulticols); - newContext.setListLevel(nListLevel); - newContext.setInContinuedList(bInContinuedList); - newContext.setInSection(bInSection); - newContext.setInCaption(bInCaption); - newContext.setInZoteroJabRefText(bInZoteroJabRefText); - newContext.setInFigureFloat(bInFigureFloat); - newContext.setInTableFloat(bInTableFloat); - newContext.setInFrame(bInFrame); - newContext.setInFootnote(bInFootnote); - newContext.setVerbatim(bVerbatim); - newContext.setMathMode(bMathMode); - newContext.setNoFootnotes(bNoFootnotes); - newContext.setIgnoreLists(bIgnoreLists); - newContext.setNoLineBreaks(bNoLineBreaks); - - return newContext; - } - -} diff --git a/src/main/java/writer2latex/latex/util/HeadingMap.java b/src/main/java/writer2latex/latex/util/HeadingMap.java deleted file mode 100644 index 36b81bf..0000000 --- a/src/main/java/writer2latex/latex/util/HeadingMap.java +++ /dev/null @@ -1,68 +0,0 @@ -/************************************************************************ - * - * HeadingMap.java - * - * Copyright: 2002-2006 by Henrik Just - * - * This file is part of Writer2LaTeX. - * - * Writer2LaTeX is free software: you can redistribute it and/or modify - * it under the terms of the GNU General Public License as published by - * the Free Software Foundation, either version 3 of the License, or - * (at your option) any later version. - * - * Writer2LaTeX is distributed in the hope that it will be useful, - * but WITHOUT ANY WARRANTY; without even the implied warranty of - * MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the - * GNU General Public License for more details. - * - * You should have received a copy of the GNU General Public License - * along with Writer2LaTeX. If not, see . - * - * Version 0.5 (2006-11-02) - * - */ - -package writer2latex.latex.util; - -/** This class contains data for the mapping of OOo headings to LaTeX headings. - A LaTeX heading is characterized by a name and a level. - The heading is inserted with \name{...} or \name[...]{...} - The headings are supposed to be "normal" LaTeX headings, - ie. the names are also counter names, and the headings - can be reformatted using \@startsection etc. - Otherwise max-level should be zero. -*/ -public class HeadingMap { - private int nMaxLevel; - private String[] sName; - private int[] nLevel; - - /** Constructor: Create a new HeadingMap - @param nMaxLevel the maximal level of headings that are mapped */ - public HeadingMap(int nMaxLevel) { - reset(nMaxLevel); - } - - /** Clear all data associated with this HeadingMap (in order to reuse it) */ - public void reset(int nMaxLevel) { - this.nMaxLevel = nMaxLevel; - sName = new String[nMaxLevel+1]; - nLevel = new int[nMaxLevel+1]; - } - - /** Set data associated with a specific heading level */ - public void setLevelData(int nWriterLevel, String sName, int nLevel) { - this.sName[nWriterLevel] = sName; - this.nLevel[nWriterLevel] = nLevel; - } - - /** Returns the maximal Writer level associated with this HeadingMap */ - public int getMaxLevel() { return nMaxLevel; } - - /** Return the name (for counter and \@startsection) for this level */ - public String getName(int nWriterLevel) { return sName[nWriterLevel]; } - - /** Return the LaTeX level for this Writer level (for \@startsection) */ - public int getLevel(int nWriterLevel) { return nLevel[nWriterLevel]; } -} diff --git a/src/main/java/writer2latex/latex/util/Package.html b/src/main/java/writer2latex/latex/util/Package.html deleted file mode 100644 index e59bf06..0000000 --- a/src/main/java/writer2latex/latex/util/Package.html +++ /dev/null @@ -1,11 +0,0 @@ - - - - - The package writer2latex.xhtml.util - - - -

    Some general utility classes for LaTeX export.

    - - diff --git a/src/main/java/writer2latex/latex/util/StyleMap.java b/src/main/java/writer2latex/latex/util/StyleMap.java deleted file mode 100644 index ce4de48..0000000 --- a/src/main/java/writer2latex/latex/util/StyleMap.java +++ /dev/null @@ -1,116 +0,0 @@ -/************************************************************************ - * - * StyleMap.java - * - * Copyright: 2002-2011 by Henrik Just - * - * This file is part of Writer2LaTeX. - * - * Writer2LaTeX is free software: you can redistribute it and/or modify - * it under the terms of the GNU General Public License as published by - * the Free Software Foundation, either version 3 of the License, or - * (at your option) any later version. - * - * Writer2LaTeX is distributed in the hope that it will be useful, - * but WITHOUT ANY WARRANTY; without even the implied warranty of - * MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the - * GNU General Public License for more details. - * - * You should have received a copy of the GNU General Public License - * along with Writer2LaTeX. If not, see . - * - * Version 1.2 (2011-03-30) - * - */ - -package writer2latex.latex.util; - -import java.util.Hashtable; -import java.util.Enumeration; - -public class StyleMap { - private Hashtable items = new Hashtable(); - - public void put(String sName, String sBefore, String sAfter, String sNext, boolean bLineBreak, int nBreakAfter, boolean bVerbatim) { - StyleMapItem item = new StyleMapItem(); - item.sBefore = sBefore; - item.sAfter = sAfter; - item.sNext = ";"+sNext+";"; - item.bLineBreak = bLineBreak; - item.nBreakAfter = nBreakAfter; - item.bVerbatim = bVerbatim; - items.put(sName,item); - } - - public void put(String sName, String sBefore, String sAfter, boolean bLineBreak, int nBreakAfter, boolean bVerbatim) { - StyleMapItem item = new StyleMapItem(); - item.sBefore = sBefore; - item.sAfter = sAfter; - item.sNext = ";;"; - item.bLineBreak = bLineBreak; - item.nBreakAfter = nBreakAfter; - item.bVerbatim = bVerbatim; - items.put(sName,item); - } - - public void put(String sName, String sBefore, String sAfter, String sNext, boolean bVerbatim) { - StyleMapItem item = new StyleMapItem(); - item.sBefore = sBefore; - item.sAfter = sAfter; - item.sNext = ";"+sNext+";"; - item.bLineBreak = true; - item.nBreakAfter = StyleMapItem.PAR; - item.bVerbatim = bVerbatim; - items.put(sName,item); - } - - public void put(String sName, String sBefore, String sAfter) { - StyleMapItem item = new StyleMapItem(); - item.sBefore = sBefore; - item.sAfter = sAfter; - item.sNext = ";;"; - item.bLineBreak = true; - item.nBreakAfter = StyleMapItem.PAR; - item.bVerbatim = false; - items.put(sName,item); - } - - public boolean contains(String sName) { - return sName!=null && items.containsKey(sName); - } - - public String getBefore(String sName) { - return items.get(sName).sBefore; - } - - public String getAfter(String sName) { - return items.get(sName).sAfter; - } - - public String getNext(String sName) { - String sNext = items.get(sName).sNext; - return sNext.substring(1,sNext.length()-1); - } - - public boolean isNext(String sName, String sNext) { - String sNext1 = items.get(sName).sNext; - return sNext1.indexOf(";"+sNext+";")>-1; - } - - public boolean getLineBreak(String sName) { - return contains(sName) && items.get(sName).bLineBreak; - } - - public int getBreakAfter(String sName) { - return contains(sName) ? items.get(sName).nBreakAfter : StyleMapItem.PAR; - } - - public boolean getVerbatim(String sName) { - return contains(sName) && items.get(sName).bVerbatim; - } - - public Enumeration getNames() { - return items.keys(); - } - -} diff --git a/src/main/java/writer2latex/latex/util/StyleMapItem.java b/src/main/java/writer2latex/latex/util/StyleMapItem.java deleted file mode 100644 index af50f3c..0000000 --- a/src/main/java/writer2latex/latex/util/StyleMapItem.java +++ /dev/null @@ -1,40 +0,0 @@ -/************************************************************************ - * - * StyleMapItem.java - * - * Copyright: 2002-2011 by Henrik Just - * - * This file is part of Writer2LaTeX. - * - * Writer2LaTeX is free software: you can redistribute it and/or modify - * it under the terms of the GNU General Public License as published by - * the Free Software Foundation, either version 3 of the License, or - * (at your option) any later version. - * - * Writer2LaTeX is distributed in the hope that it will be useful, - * but WITHOUT ANY WARRANTY; without even the implied warranty of - * MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the - * GNU General Public License for more details. - * - * You should have received a copy of the GNU General Public License - * along with Writer2LaTeX. If not, see . - * - * Version 1.2 (2011-03-30) - * - */ - -package writer2latex.latex.util; - -// A struct to hold data about a style map -public class StyleMapItem { - public static final int NONE = 0; - public static final int LINE = 1; - public static final int PAR = 2; - - String sBefore; - String sAfter; - String sNext; - int nBreakAfter; - boolean bLineBreak; - boolean bVerbatim; -} diff --git a/src/main/java/writer2latex/xhtml/MathConverter.java b/src/main/java/writer2latex/xhtml/MathConverter.java index 8f4bd5f..3c7834c 100644 --- a/src/main/java/writer2latex/xhtml/MathConverter.java +++ b/src/main/java/writer2latex/xhtml/MathConverter.java @@ -33,13 +33,13 @@ import org.w3c.dom.NamedNodeMap; import writer2latex.office.*; import writer2latex.util.Misc; import writer2latex.base.BinaryGraphicsDocument; -import writer2latex.latex.StarMathConverter; +//import writer2latex.latex.StarMathConverter; /** This class converts formulas: Either as MathML, as an image or as plain text (StarMath or LaTeX format) */ public class MathConverter extends ConverterHelper { - private StarMathConverter smc = null; + //private StarMathConverter smc = null; private boolean bSupportMathML; private boolean bUseImage; @@ -60,7 +60,7 @@ public class MathConverter extends ConverterHelper { this.bUseImage = config.formulas()==XhtmlConfig.IMAGE_LATEX || config.formulas()==XhtmlConfig.IMAGE_STARMATH; this.bUseLaTeX = config.formulas()==XhtmlConfig.IMAGE_LATEX || config.formulas()==XhtmlConfig.LATEX; - if (bUseLaTeX) { smc = new StarMathConverter(); } + // if (bUseLaTeX) { smc = new StarMathConverter(); } } /** Convert a formula @@ -143,7 +143,7 @@ public class MathConverter extends ConverterHelper { sAnnotation+=child.getNodeValue(); child = child.getNextSibling(); } - if (bUseLaTeX) { sAnnotation = smc.convert(sAnnotation); } + // if (bUseLaTeX) { sAnnotation = smc.convert(sAnnotation); } // Next insert the image if required and available if (bUseImage) {