2

我的pom.xml文件如下所示:

<testResource>
    <directory>src/test/resources</directory>
    <filtering>true</filtering>
    <includes>
        <include>env.properties</include>
    </includes>
</testResource>

我的env.properties看起来像这样:

my.path=${project.build.directory}

当我构建项目时,生成的env.properties如下所示:

my.path=C:\\path\\to\\directory

我怎样才能得到下面的结果?

my.path=C:\\\\path\\\\to\\\\directory
4

1 回答 1

3

这是一件很奇怪的事情,但你可以使用build-helper-maven-plugin:regex-property目标。这个目标允许创建一个 Maven 属性,该属性是对某个值应用正则表达式的结果,可能带有替换。

在这种情况下,正则表达式将替换所有的黑斜线,即\\因为它们需要在正则表达式中转义,并且替换将是 4 个反斜线。请注意,插件会自动转义 Java 的正则表达式,因此您不需要也对它进行 Java 转义。

<plugin>
  <groupId>org.codehaus.mojo</groupId>
  <artifactId>build-helper-maven-plugin</artifactId>
  <version>1.12</version>
  <executions>
    <execution>
      <id>escape-baskslashes</id>
      <phase>validate</phase>
      <goals>
        <goal>regex-property</goal>
      </goals>
      <configuration>
        <value>${project.build.directory}</value>
        <regex>\\</regex>
        <replacement>\\\\\\\\</replacement>
        <name>escapedBuildDirectory</name>
        <failIfNoMatch>false</failIfNoMatch>
      </configuration>
    </execution>
  </executions>
</plugin>

这会将所需的路径存储在escapedBuildDirectory属性中,您以后可以将其用作标准 Maven 属性,例如${escapedBuildDirectory},在资源文件中。该属性是在validate阶段中创建的,这是 Maven 在构建期间调用的第一个阶段,因此它也可以在其他任何地方使用,作为插件参数。

于 2016-11-27T21:49:00.270 回答