Apache FOP ValidationException:在 "fo:inline" 上遇到无效的 属性:font-variant-ligatures

Apache FOP ValidationException: Invalid property encountered on "fo:inline": font-variant-ligatures

我正在使用 Apache FOP 将 FO 文件转换为 PDF。在转换过程中,我遇到了以下异常:

javax.xml.transform.TransformerException: org.apache.fop.fo.ValidationException: Invalid property encountered on "fo:inline": font-variant-ligatures (See position 1222:1124)

FO 文件是使用 XSL-FO 生成的,XSL-FO 是一种用于格式化对象的标记语言,在我们的例子中用于将 XHTML 转换为有效的 FO 块。但是,Apache FOP 不支持一些 HTML 样式属性和属性,但它们不会阻止 PDF 生成(在我的例子中是 font-variant-ligatures 样式 属性)。

如何在不考虑无效的情况下忽略异常并继续生成我的 PDF 属性?

需要 FOP 来抱怨非 XSL-FO 属性。 XSL 1.1 推荐标准 (https://www.w3.org/TR/xsl11/#xsl-namespace) 包括:

It is an error for an element from the XSL namespace to have attributes with expanded-names that have null namespace URIs (i.e., attributes with unprefixed names) other than attributes defined in this document.

但是,如果您为 "relaxed/less strict validation (where available)" 添加 -r 命令行参数,您可能会收到更少的消息。 (参见 https://xmlgraphics.apache.org/fop/2.3/running.html。)

要在验证 FO 时忽略 "invalidProperty" 异常或任何其他事件(查看更多:https://xmlgraphics.apache.org/fop/2.3/events.html),您必须:

1- 首先,创建一个将拦截此事件的事件侦听器。为此,您必须使用 org.apache.fop.events.EventListener 接口并通过描述遇到异常时 FOP 转换器的行为来覆盖 processEvent 方法。

例如;您可以创建一个监听器,将 invalidProperty 异常的异常级别更改为 WARNING,这样它就不会阻止 PDF 生成。

private static class InvalidPropertyEventListener implements EventListener {

    /**
     * Continues processing even if an <code>invalidProperty</code> runtimeException was thrown
     * during FO to PDF transformation.
     * <p>
     * Descends the event's severity level to WARN to avoid the exception throwing.
     *
     * @param event The event to be processed.
     */
    public void processEvent(Event event) {
        if ("org.apache.fop.fo.FOValidationEventProducer.invalidProperty".equals(event.getEventID())) {
            event.setSeverity(EventSeverity.WARN);
        }
    }
}

2- 接下来,您必须向 FOP 注册事件侦听器,获取与用户代理 (FOUserAgent) 关联的 EventBroadcaster 并将其添加到那里:

// Adding FOP eventListeners
FOUserAgent userAgent = Factory.getInstance().getFactory().newFOUserAgent();
userAgent.getEventBroadcaster().addEventListener(getInvalidPropertyEventListener());
Fop fop = Factory.getInstance().getFactory().newFop(MimeConstants.MIME_PDF, userAgent, output);

// Transform the FO to PDF
Result res = new SAXResult(fop.getDefaultHandler());
Source src = new StreamSource(foSource);
Transformer transformer = TRANSFACTORY.newTransformer();
transformer.transform(src, res);

NB: This is done separately for each processing run, i.e. for each new user agent.