Есть ли способ добавить элементы в XML, если они еще не существуют - PullRequest
1 голос
/ 23 мая 2019

Имея существующий xml, я хочу добавить новый узел, если он еще не существует в xml.

Я - полный новичок в пути XML, и я начал с поиска в Google, потому что я считаю, что это будет довольно стандартнымпроблема.

Я собираюсь использовать для этого xmltask .

Я также нашел небольшой пример здесь

IЯ хочу создать макроопределение в Ant, которое позволит моим потребителям регистрировать свои конечные точки.

Окончательная структура моего XML будет выглядеть следующим образом:

<?xml version="1.0" encoding="UTF-8"?>
<configuration>
  <endpoints>
    <endpoint url="serviceA" />
  </endpoints>
</configuration>

Мой макроопределение будет выглядеть так:

  <macrodef name="appendConfigEndpoints">
    <attribute name="filePath" />
    <attribute name="endpointUrl" />
    <sequential>
      <xmltask source="@{filePath}">
        <copy path="count(/configuration/endpoints/endpoint)" property="existsEndpoint" /> <!-- how to check if the endpoint exists -->
      </xmltask>
      <echo message="found ${existsEndpoint} in xml" />
      <if>
        <isfalse value="${existsEndpoint}"/>
        <then>
          <concat destfile="${currentScriptDirectory}/tempFile.xml">
            <string>&lt;endpoint url="@{endpointUrl}" /&gt;${line.separator}</string>
          </concat>
          <xmltask source="@{filePath}" dest="@{filePath}" outputter="simple:2">
            <insert path="/configuration/endpoints" file="${currentScriptDirectory}/tempFile.xml" position="under" />
          </xmltask>
          <delete file="${currentScriptDirectory}/tempFile.xml"/>
        </then>
        <else>
          <echo message="already exists @{endpointUrl} in xml" />
        </else>
      </if>
    </sequential>
  </macrodef>

Чтобы сгенерировать xml, я бы хотел назвать цель следующим образом:

<appendConfigEndpoints filePath="file.xml" endpointUrl="serviceA" />
<appendConfigEndpoints filePath="file.xml" endpointUrl="serviceB" />
<appendConfigEndpoints filePath="file.xml" endpointUrl="serviceC" />
<appendConfigEndpoints filePath="file.xml" endpointUrl="serviceB" />

Но я еще не там, в настоящее время я даже не могу правильно подсчитать

07:29:32.844: found 0 in xml
07:29:32.876: found 0 in xml
07:29:32.882: found 0 in xml
07:29:32.889: found 0 in xml

но мой вывод в порядке, просто действительно не хватает работы счетчика

<?xml version="1.0" encoding="UTF-8" standalone="no"?>

<configuration>
  <endpoints>
    <endpoint url="serviceA"></endpoint>
    <endpoint url="serviceB"></endpoint>
    <endpoint url="serviceC"></endpoint>
    <endpoint url="serviceB"></endpoint>
  </endpoints>
</configuration>

ОБНОВЛЕНИЕ: Я наконец-то заставил это работать, и в основном это была проблема с моим непониманием последовательности и забываниемо неизменности собственности ... спасибо заelp на ответ, это помогло мне добраться туда.в итоге выглядело так:

  <macrodef name="appendConfigEndpoints">
    <attribute name="filePath" />
    <attribute name="endpointUrl" />
    <sequential>
      <if>
        <not>
          <available file="@{filePath}"/>
        </not>
        <then>
          <echo message="@{filePath} not available, copy template and enrich." />
          <copy file="${currentScriptDirectory}/default/appl/sample.endpoints.xml" tofile="@{filePath}"/>
        </then>
      </if>
      <xmltask source="@{filePath}">
        <copy path="count(//endpoint[@url='@{endpointUrl}'])" property="endpointsCount" />
      </xmltask>
      <if>
        <equals arg1="${endpointsCount}" arg2="0" />
        <then>
          <xmltask source="@{filePath}" dest="@{filePath}" outputter="simple:2" clearBuffers="true">
            <insert path="/configuration/endpoints" xml="&lt;endpoint url='@{endpointUrl}' /&gt;${line.separator}" position="under" />
          </xmltask>
        </then>
        <else>
          <echo message="@{endpointUrl} already found in @{filePath}" />
        </else>
      </if>
      <var name="endpointsCount" unset="true" />
    </sequential>
  </macrodef>

1 Ответ

1 голос
/ 23 мая 2019

Свойство existsEndpoint, имеющее только одно значение, обусловлено неизменностью свойств Ant.Однако вы можете создать в макросе свойство localized , добавив

<local name="existsEndpoint"/>

в начале блока <sequential>.Тогда каждый вызов макроса может иметь свое собственное значение свойства.

...