20

我想根据一个变量加载不同的属性文件。

基本上,如果进行开发构建使用此属性文件,如果进行测试构建使用此其他属性文件,如果进行生产构建使用第三个属性文件。

4

4 回答 4

26

第 1 步:在您的 NAnt 脚本中定义一个属性以跟踪您正在构建的环境(本地、测试、生产等)。

<property name="environment" value="local" />

第 2 步:如果您还没有所有目标都依赖的配置或初始化目标,则创建一个配置目标,并确保您的其他目标都依赖它。

<target name="config">
    <!-- configuration logic goes here -->
</target>

<target name="buildmyproject" depends="config">
    <!-- this target builds your project, but runs the config target first -->
</target>

第 3 步:更新您的配置目标以根据环境属性拉入适当的属性文件。

<target name="config">
    <property name="configFile" value="${environment}.config.xml" />
    <if test="${file::exists(configFile)}">
        <echo message="Loading ${configFile}..." />
        <include buildfile="${configFile}" />
    </if>
    <if test="${not file::exists(configFile) and environment != 'local'}">
        <fail message="Configuration file '${configFile}' could not be found." />
    </if>
</target>

注意,我喜欢允许团队成员定义他们自己的 local.config.xml 文件,这些文件不会提交到源代码管理。这提供了一个存储本地连接字符串或其他本地环境设置的好地方。

第 4 步:在调用 NAnt 时设置环境属性,例如:

  • 南特-D:环境=开发
  • 南特-D:环境=测试
  • 南特-D:环境=生产
于 2008-09-17T21:16:05.500 回答
5

您可以使用该include任务在主构建文件中包含另一个构建文件(包含您的属性)。任务的if属性include可以针对变量进行测试以确定是否应包含构建文件:

<include buildfile="devPropertyFile.build" if="${buildEnvironment == 'DEV'}"/>
<include buildfile="testPropertyFile.build" if="${buildEnvironment == 'TEST'}"/>
<include buildfile="prodPropertyFile.build" if="${buildEnvironment == 'PROD'}"/>
于 2008-09-17T00:13:51.260 回答
5

我有一个类似的问题,scott.caligan 的答案部分解决了,但是我希望人们能够设置环境并加载适当的属性文件,只需指定一个目标,如下所示:

  • 南特开发
  • 南特测试
  • 南台

您可以通过添加一个设置环境变量的目标来做到这一点。例如:

<target name="dev">
  <property name="environment" value="dev"/>
  <call target="importProperties" cascade="false"/>
</target>

<target name="test">
  <property name="environment" value="test"/>
  <call target="importProperties" cascade="false"/>
</target>

<target name="stage">
  <property name="environment" value="stage"/>
  <call target="importProperties" cascade="false"/>
</target>

<target name="importProperties">
  <property name="propertiesFile" value="properties.${environment}.build"/>
  <if test="${file::exists(propertiesFile)}">
    <include buildfile="${propertiesFile}"/>
  </if>
  <if test="${not file::exists(propertiesFile)}">
    <fail message="Properties file ${propertiesFile} could not be found."/>
  </if>
</target>
于 2008-10-07T21:09:21.883 回答
0

我做这种事情的方式是根据使用nant task的构建类型包含单独的构建文件。一种可能的替代方法是使用nantcontrib 中的 iniread 任务

于 2008-09-16T21:06:56.497 回答