在某些情况下,内联CSS文件比通过URL引用更为容易(例如,在呈现包含HTML的网页时)。该CSS文件可能来自webjar。

这样的通话需要做些什么:

<style th:insert="/webjars/bootstrap/bootstrap.css"></style>


它在没有任何Web服务器的spring-boot环境中运行。

最佳答案

因此,我使用了特殊的TemplateResolver。它的逻辑类似于Spring的WebJarsResourceResolver,并使用WebJarAssetLocator

public class WebJarTemplateResolver extends ClassLoaderTemplateResolver {

    private final static String WEBJARS_PREFIX = "/webjars/";

    private final static int WEBJARS_PREFIX_LENGTH = WEBJARS_PREFIX.length();

    private final WebJarAssetLocator webJarAssetLocator = new WebJarAssetLocator();

    @Override
    protected ITemplateResource computeTemplateResource(IEngineConfiguration configuration, String ownerTemplate, String template, String resourceName, String characterEncoding, Map<String, Object> templateResolutionAttributes) {

        resourceName = findWebJarResourcePath(template);
        if (resourceName == null) {
            return null;
        }

        return super.computeTemplateResource(configuration, ownerTemplate, template, resourceName, characterEncoding, templateResolutionAttributes);
    }

    @Nullable
    protected String findWebJarResourcePath(String templateName) {
        if (!templateName.startsWith(WEBJARS_PREFIX)) {
            return null;
        }

        int startOffset = WEBJARS_PREFIX_LENGTH;
        int endOffset = templateName.indexOf('/', startOffset);

        if (endOffset == -1) {
            return null;
        }

        String webjar = templateName.substring(startOffset, endOffset);
        String partialPath = templateName.substring(endOffset + 1);
        return this.webJarAssetLocator.getFullPathExact(webjar, partialPath);
    }
}


通过以下配置将其集成到应用程序中:

@Configuration
public class ThymeleafConfiguration {

    private SpringTemplateEngine templateEngine;

    public ThymeleafConfiguration(SpringTemplateEngine templateEngine) {
        this.templateEngine = templateEngine;
    }

    @PostConstruct
    public void enableWebjarTemplates() {
        templateEngine.addTemplateResolver(new WebJarTemplateResolver());
    }
}

09-29 23:47