Javaで2つのXMLドキュメントを比較する最良の方法


198

基本的にカスタムメッセージ形式をXMLメッセージに変換し、それを相手側に送信するアプリケーションの自動テストを記述しようとしています。入力/出力メッセージのペアの適切なセットがあるので、必要なのは、入力メッセージを送信し、XMLメッセージが相手側から送信されるのをリッスンすることだけです。

実際の出力と期待される出力を比較するときが来たとき、いくつかの問題が発生しています。私の最初の考えは、期待されるメッセージと実際のメッセージで文字列比較を行うことだけでした。私たちが持っている例のデータは常に一貫してフォーマットされているわけではなく、XMLネームスペースに異なるエイリアスが使用されることがよくあります(時にはネームスペースがまったく使用されないこともあります)。

両方の文字列を解析し、各要素を調べて自分で比較できることはわかっています。これはそれほど難しくはありませんが、より良い方法や活用できるライブラリがあると感じています。

要約すると、問題は次のとおりです。

どちらも有効なXMLを含む2つのJava文字列が与えられた場合、それらが意味的に等しいかどうかをどのように判断しますか?違いを判断する方法がある場合のボーナスポイント。

回答:


197

XMLUnitの仕事のように聞こえる

例:

public class SomeTest extends XMLTestCase {
  @Test
  public void test() {
    String xml1 = ...
    String xml2 = ...

    XMLUnit.setIgnoreWhitespace(true); // ignore whitespace differences

    // can also compare xml Documents, InputSources, Readers, Diffs
    assertXMLEqual(xml1, xml2);  // assertXMLEquals comes from XMLTestCase
  }
}

1
私は過去にXMLUNitで問題を抱えていました。XMLAPIバージョンでは非常に厄介で、信頼性が証明されていません。私がXOMのために捨てたのは久しぶりなので、多分それが必要です。
skaffman 2008

63
XMLUnitの初心者の場合、コントロールドキュメントとテストドキュメントのインデント/改行が異なる場合、デフォルトではmyDiff.similar()はfalseを返すことに注意してください。この動作はmyDiff.identical()からのものであり、myDiff.similar()からのものではなかった。XMLUnit.setIgnoreWhitespace(true);を含めます。setUpメソッドでテストクラスのすべてのテストの動作を変更するか、個々のテストメソッドでそれを使用してそのテストのみの動作を変更します。
シチュー

1
@Stewのコメントに感謝します。XMLUnitから始めただけで、この問題に直面したと思います。+1
ジェイ

2
githubのXMLUnit 2でこれを試している場合、2バージョンは完全に書き直されているため、この例はSourceForgeのXMLUnit 1用です。また、sourceforgeページには「XMLUnit for Java 1.xは引き続き維持される」と記載されています。
Yngvar Kristiansen

1
メソッドはXMLAssert.javaと同じようにassertXMLEqualです。
user2818782

36

以下は、標準のJDKライブラリを使用して、ドキュメントが等しいかどうかをチェックします。

DocumentBuilderFactory dbf = DocumentBuilderFactory.newInstance();
dbf.setNamespaceAware(true);
dbf.setCoalescing(true);
dbf.setIgnoringElementContentWhitespace(true);
dbf.setIgnoringComments(true);
DocumentBuilder db = dbf.newDocumentBuilder();

ドキュメントdoc1 = db.parse(new File( "file1.xml"));
doc1.normalizeDocument();

ドキュメントdoc2 = db.parse(new File( "file2.xml"));
doc2.normalizeDocument();

Assert.assertTrue(doc1.isEqualNode(doc2));

normalize()は、サイクルがないことを確認するためにあります(技術的には存在しません)

上記のコードでは、要素内で空白が同じであることを必要としますが、それはそれを保存して評価するためです。Javaに付属する標準のXMLパーサーでは、正規バージョンを提供する機能を設定したりxml:space、それが問題になるかどうかを理解したりできないため、xercesなどの代替XMLパーサーが必要になるか、JDOMを使用できます。


4
これは、名前空間のない、または「正規化された」名前空間接頭辞があるXMLに対して完全に機能します。1つのXMLが<ns1:a xmlns:ns1 = "ns" />であり、もう1つのXMLが<ns2:a xmlns:ns2 = "ns" />である場合に
機能するとは思えません

dbf.setIgnoringElementContentWhitespace(true)には結果がありません<root> name </ root>は<root> name </ name>と等しくないはずです(このソリューションでは2つのスペースが埋め込まれています)が、XMLUnitは同じ結果を返しますこの場合(JDK8)
Miklos Krivan 2016

私にとっては、問題である改行を無視しません。
Flyout91 2017

setIgnoringElementContentWhitespace(false)
Archimedes Trajano

28

Xomには、DOMを通常の形式に変換するCanonicalizerユーティリティがあり、これを文字列化して比較できます。したがって、空白の不規則性や属性の順序に関係なく、ドキュメントの定期的で予測可能な比較を行うことができます。

これは、Eclipseなどの専用のビジュアル文字列コンパレータを備えたIDEで特にうまく機能します。ドキュメント間の意味の違いを視覚的に表現します。


21

XMLUnitの最新バージョンは、2つのXMLが等しいと主張する作業に役立ちます。またXMLUnit.setIgnoreWhitespace()してXMLUnit.setIgnoreAttributeOrder()問題になっている場合に必要になることがあります。

以下のXMLユニットの簡単な使用例の作業コードを参照してください。

import org.custommonkey.xmlunit.DetailedDiff;
import org.custommonkey.xmlunit.XMLUnit;
import org.junit.Assert;

public class TestXml {

    public static void main(String[] args) throws Exception {
        String result = "<abc             attr=\"value1\"                title=\"something\">            </abc>";
        // will be ok
        assertXMLEquals("<abc attr=\"value1\" title=\"something\"></abc>", result);
    }

    public static void assertXMLEquals(String expectedXML, String actualXML) throws Exception {
        XMLUnit.setIgnoreWhitespace(true);
        XMLUnit.setIgnoreAttributeOrder(true);

        DetailedDiff diff = new DetailedDiff(XMLUnit.compareXML(expectedXML, actualXML));

        List<?> allDifferences = diff.getAllDifferences();
        Assert.assertEquals("Differences found: "+ diff.toString(), 0, allDifferences.size());
    }

}

Mavenを使用している場合は、これを以下に追加しますpom.xml

<dependency>
    <groupId>xmlunit</groupId>
    <artifactId>xmlunit</artifactId>
    <version>1.4</version>
</dependency>

これは、静的メソッドから比較する必要がある人に最適です。
アンディB

これは完璧な答えです。ありがとう..しかし、私は存在しないノードを無視する必要があります。結果出力でそのような出力を見たくないので:子ノード「null」の存在が予期されていましたが、......どうすればそれを行うことができますか?よろしく。@acdcjunior
limonik 2016

1
XMLUnit.setIgnoreAttributeOrder(true); 動作しません。一部のノードの順序が異なる場合、比較は失敗します。
2017年

[UPDATE]このソリューションが動作します。stackoverflow.com/questions/33695041/...
Bevor

「IgnoreAttributeOrder」が属性の順序を無視し、ノードの順序を無視しないことを意味することを理解していますか?
acdcjunior

7

ありがとう、私はこれを拡張しました、これを試してください...

import java.io.ByteArrayInputStream;
import java.util.LinkedHashMap;
import java.util.List;
import java.util.Map;

import javax.xml.parsers.DocumentBuilder;
import javax.xml.parsers.DocumentBuilderFactory;

import org.w3c.dom.Document;
import org.w3c.dom.NamedNodeMap;
import org.w3c.dom.Node;

public class XmlDiff 
{
    private boolean nodeTypeDiff = true;
    private boolean nodeValueDiff = true;

    public boolean diff( String xml1, String xml2, List<String> diffs ) throws Exception
    {
        DocumentBuilderFactory dbf = DocumentBuilderFactory.newInstance();
        dbf.setNamespaceAware(true);
        dbf.setCoalescing(true);
        dbf.setIgnoringElementContentWhitespace(true);
        dbf.setIgnoringComments(true);
        DocumentBuilder db = dbf.newDocumentBuilder();


        Document doc1 = db.parse(new ByteArrayInputStream(xml1.getBytes()));
        Document doc2 = db.parse(new ByteArrayInputStream(xml2.getBytes()));

        doc1.normalizeDocument();
        doc2.normalizeDocument();

        return diff( doc1, doc2, diffs );

    }

    /**
     * Diff 2 nodes and put the diffs in the list 
     */
    public boolean diff( Node node1, Node node2, List<String> diffs ) throws Exception
    {
        if( diffNodeExists( node1, node2, diffs ) )
        {
            return true;
        }

        if( nodeTypeDiff )
        {
            diffNodeType(node1, node2, diffs );
        }

        if( nodeValueDiff )
        {
            diffNodeValue(node1, node2, diffs );
        }


        System.out.println(node1.getNodeName() + "/" + node2.getNodeName());

        diffAttributes( node1, node2, diffs );
        diffNodes( node1, node2, diffs );

        return diffs.size() > 0;
    }

    /**
     * Diff the nodes
     */
    public boolean diffNodes( Node node1, Node node2, List<String> diffs ) throws Exception
    {
        //Sort by Name
        Map<String,Node> children1 = new LinkedHashMap<String,Node>();      
        for( Node child1 = node1.getFirstChild(); child1 != null; child1 = child1.getNextSibling() )
        {
            children1.put( child1.getNodeName(), child1 );
        }

        //Sort by Name
        Map<String,Node> children2 = new LinkedHashMap<String,Node>();      
        for( Node child2 = node2.getFirstChild(); child2!= null; child2 = child2.getNextSibling() )
        {
            children2.put( child2.getNodeName(), child2 );
        }

        //Diff all the children1
        for( Node child1 : children1.values() )
        {
            Node child2 = children2.remove( child1.getNodeName() );
            diff( child1, child2, diffs );
        }

        //Diff all the children2 left over
        for( Node child2 : children2.values() )
        {
            Node child1 = children1.get( child2.getNodeName() );
            diff( child1, child2, diffs );
        }

        return diffs.size() > 0;
    }


    /**
     * Diff the nodes
     */
    public boolean diffAttributes( Node node1, Node node2, List<String> diffs ) throws Exception
    {        
        //Sort by Name
        NamedNodeMap nodeMap1 = node1.getAttributes();
        Map<String,Node> attributes1 = new LinkedHashMap<String,Node>();        
        for( int index = 0; nodeMap1 != null && index < nodeMap1.getLength(); index++ )
        {
            attributes1.put( nodeMap1.item(index).getNodeName(), nodeMap1.item(index) );
        }

        //Sort by Name
        NamedNodeMap nodeMap2 = node2.getAttributes();
        Map<String,Node> attributes2 = new LinkedHashMap<String,Node>();        
        for( int index = 0; nodeMap2 != null && index < nodeMap2.getLength(); index++ )
        {
            attributes2.put( nodeMap2.item(index).getNodeName(), nodeMap2.item(index) );

        }

        //Diff all the attributes1
        for( Node attribute1 : attributes1.values() )
        {
            Node attribute2 = attributes2.remove( attribute1.getNodeName() );
            diff( attribute1, attribute2, diffs );
        }

        //Diff all the attributes2 left over
        for( Node attribute2 : attributes2.values() )
        {
            Node attribute1 = attributes1.get( attribute2.getNodeName() );
            diff( attribute1, attribute2, diffs );
        }

        return diffs.size() > 0;
    }
    /**
     * Check that the nodes exist
     */
    public boolean diffNodeExists( Node node1, Node node2, List<String> diffs ) throws Exception
    {
        if( node1 == null && node2 == null )
        {
            diffs.add( getPath(node2) + ":node " + node1 + "!=" + node2 + "\n" );
            return true;
        }

        if( node1 == null && node2 != null )
        {
            diffs.add( getPath(node2) + ":node " + node1 + "!=" + node2.getNodeName() );
            return true;
        }

        if( node1 != null && node2 == null )
        {
            diffs.add( getPath(node1) + ":node " + node1.getNodeName() + "!=" + node2 );
            return true;
        }

        return false;
    }

    /**
     * Diff the Node Type
     */
    public boolean diffNodeType( Node node1, Node node2, List<String> diffs ) throws Exception
    {       
        if( node1.getNodeType() != node2.getNodeType() ) 
        {
            diffs.add( getPath(node1) + ":type " + node1.getNodeType() + "!=" + node2.getNodeType() );
            return true;
        }

        return false;
    }

    /**
     * Diff the Node Value
     */
    public boolean diffNodeValue( Node node1, Node node2, List<String> diffs ) throws Exception
    {       
        if( node1.getNodeValue() == null && node2.getNodeValue() == null )
        {
            return false;
        }

        if( node1.getNodeValue() == null && node2.getNodeValue() != null )
        {
            diffs.add( getPath(node1) + ":type " + node1 + "!=" + node2.getNodeValue() );
            return true;
        }

        if( node1.getNodeValue() != null && node2.getNodeValue() == null )
        {
            diffs.add( getPath(node1) + ":type " + node1.getNodeValue() + "!=" + node2 );
            return true;
        }

        if( !node1.getNodeValue().equals( node2.getNodeValue() ) )
        {
            diffs.add( getPath(node1) + ":type " + node1.getNodeValue() + "!=" + node2.getNodeValue() );
            return true;
        }

        return false;
    }


    /**
     * Get the node path
     */
    public String getPath( Node node )
    {
        StringBuilder path = new StringBuilder();

        do
        {           
            path.insert(0, node.getNodeName() );
            path.insert( 0, "/" );
        }
        while( ( node = node.getParentNode() ) != null );

        return path.toString();
    }
}

3
かなり遅いですが、このコードにバグがあることに注意したいと思います。diffNodes()では、node2は参照されません-2番目のループがnode1を誤って再利用します(これを修正するためにコードを編集しました)。また、1つの制限があります。キーマップされた子マップへの方法により、このdiffは、要素名が一意でない場合、つまり、繰り返し可能な子要素を含む要素をサポートしません。
aberrant80

7

上で構築トムの答えは、ここXMLUnit V2を使用した例です。

これらのMaven依存関係を使用します

    <dependency>
        <groupId>org.xmlunit</groupId>
        <artifactId>xmlunit-core</artifactId>
        <version>2.0.0</version>
        <scope>test</scope>
    </dependency>
    <dependency>
        <groupId>org.xmlunit</groupId>
        <artifactId>xmlunit-matchers</artifactId>
        <version>2.0.0</version>
        <scope>test</scope>
    </dependency>

..これがテストコードです

import static org.junit.Assert.assertThat;
import static org.xmlunit.matchers.CompareMatcher.isIdenticalTo;
import org.xmlunit.builder.Input;
import org.xmlunit.input.WhitespaceStrippedSource;

public class SomeTest extends XMLTestCase {
    @Test
    public void test() {
        String result = "<root></root>";
        String expected = "<root>  </root>";

        // ignore whitespace differences
        // https://github.com/xmlunit/user-guide/wiki/Providing-Input-to-XMLUnit#whitespacestrippedsource
        assertThat(result, isIdenticalTo(new WhitespaceStrippedSource(Input.from(expected).build())));

        assertThat(result, isIdenticalTo(Input.from(expected).build())); // will fail due to whitespace differences
    }
}

これを概説するドキュメントはhttps://github.com/xmlunit/xmlunit#comparing-two-documentsです


3

スカフマンは良い答えを出しているようです。

別の方法は、おそらくxmlstarlet(http://xmlstar.sourceforge.net/)などのコマンドラインユーティリティを使用してXMLをフォーマットし、両方の文字列をフォーマットしてから、任意のdiffユーティリティ(ライブラリ)を使用して、結果の出力ファイルを比較することです。名前空間に問題がある場合、これが良い解決策かどうかはわかりません。



2

XMLファイルを構造的に比較するオプション(文字列データを無視)を備えたAltova DiffDogを使用しています。

これは、( 'ignore text'オプションをチェックしている場合)ことを意味します:

<foo a="xxx" b="xxx">xxx</foo>

そして

<foo b="yyy" a="yyy">yyy</foo> 

それらは構造的に同等であるという意味で同等です。これは、データは異なるが構造は異なるサンプルファイルがある場合に便利です。


3
唯一のマイナスは、無料ではないことです(プロライセンスの場合は99ユーロ)。
Pimin Konstantin Kefaloukos

2
私はユーティリティ(altova.com/diffdog/diff-merge-tool.html)のみを見つけました。ライブラリがあると便利です。
dma_k 2010年

1

これは、完全な文字列XMLを比較します(途中で再フォーマットします)。クリックするだけでIDE(IntelliJ、Eclipse)を簡単に操作でき、XMLファイルの違いを視覚的に確認できます。

import org.apache.xml.security.c14n.CanonicalizationException;
import org.apache.xml.security.c14n.Canonicalizer;
import org.apache.xml.security.c14n.InvalidCanonicalizerException;
import org.w3c.dom.Element;
import org.w3c.dom.bootstrap.DOMImplementationRegistry;
import org.w3c.dom.ls.DOMImplementationLS;
import org.w3c.dom.ls.LSSerializer;
import org.xml.sax.InputSource;
import org.xml.sax.SAXException;

import javax.xml.parsers.DocumentBuilderFactory;
import javax.xml.parsers.ParserConfigurationException;
import javax.xml.transform.TransformerException;
import java.io.IOException;
import java.io.StringReader;

import static org.apache.xml.security.Init.init;
import static org.junit.Assert.assertEquals;

public class XmlUtils {
    static {
        init();
    }

    public static String toCanonicalXml(String xml) throws InvalidCanonicalizerException, ParserConfigurationException, SAXException, CanonicalizationException, IOException {
        Canonicalizer canon = Canonicalizer.getInstance(Canonicalizer.ALGO_ID_C14N_OMIT_COMMENTS);
        byte canonXmlBytes[] = canon.canonicalize(xml.getBytes());
        return new String(canonXmlBytes);
    }

    public static String prettyFormat(String input) throws TransformerException, ParserConfigurationException, IOException, SAXException, InstantiationException, IllegalAccessException, ClassNotFoundException {
        InputSource src = new InputSource(new StringReader(input));
        Element document = DocumentBuilderFactory.newInstance().newDocumentBuilder().parse(src).getDocumentElement();
        Boolean keepDeclaration = input.startsWith("<?xml");
        DOMImplementationRegistry registry = DOMImplementationRegistry.newInstance();
        DOMImplementationLS impl = (DOMImplementationLS) registry.getDOMImplementation("LS");
        LSSerializer writer = impl.createLSSerializer();
        writer.getDomConfig().setParameter("format-pretty-print", Boolean.TRUE);
        writer.getDomConfig().setParameter("xml-declaration", keepDeclaration);
        return writer.writeToString(document);
    }

    public static void assertXMLEqual(String expected, String actual) throws ParserConfigurationException, IOException, SAXException, CanonicalizationException, InvalidCanonicalizerException, TransformerException, IllegalAccessException, ClassNotFoundException, InstantiationException {
        String canonicalExpected = prettyFormat(toCanonicalXml(expected));
        String canonicalActual = prettyFormat(toCanonicalXml(actual));
        assertEquals(canonicalExpected, canonicalActual);
    }
}

クライアントコード(テストコード)がよりクリーンであるため、XmlUnitよりもこれを好みます。


1
これは、私が今行った2つのテストで同じXMLと異なるXMLでうまく機能します。IntelliJ diff itを使用すると、比較したXMLの違いを簡単に見つけることができます。
Yngvar Kristiansen

1
ちなみに、Mavenを使用する場合は、この依存関係が必要になります:<dependency> <groupId> org.apache.santuario </ groupId> <artifactId> xmlsec </ artifactId> <version> 2.0.6 </ version> </依存関係>
Yngvar Kristiansen 2016

1

以下のコードは私のために働きます

String xml1 = ...
String xml2 = ...
XMLUnit.setIgnoreWhitespace(true);
XMLUnit.setIgnoreAttributeOrder(true);
XMLAssert.assertXMLEqual(actualxml, xmlInDb);

1
どんな文脈?ライブラリ参照?
ベン

0

JavaアプリケーションでのJExamXMLの使用

    import com.a7soft.examxml.ExamXML;
    import com.a7soft.examxml.Options;

       .................

       // Reads two XML files into two strings
       String s1 = readFile("orders1.xml");
       String s2 = readFile("orders.xml");

       // Loads options saved in a property file
       Options.loadOptions("options");

       // Compares two Strings representing XML entities
       System.out.println( ExamXML.compareXMLString( s1, s2 ) );

0

メインの質問で要求されたのと同じ機能が必要でした。サードパーティのライブラリを使用することは許可されていなかったので、@ Archimedes Trajanoソリューションに基づいて独自のソリューションを作成しました。

以下は私の解決策です。

import java.io.ByteArrayInputStream;
import java.nio.charset.Charset;
import java.util.HashMap;
import java.util.Map;
import java.util.Map.Entry;
import java.util.regex.Matcher;
import java.util.regex.Pattern;
import javax.xml.parsers.DocumentBuilder;
import javax.xml.parsers.DocumentBuilderFactory;
import javax.xml.parsers.ParserConfigurationException;

import org.junit.Assert;
import org.w3c.dom.Document;

/**
 * Asserts for asserting XML strings.
 */
public final class AssertXml {

    private AssertXml() {
    }

    private static Pattern NAMESPACE_PATTERN = Pattern.compile("xmlns:(ns\\d+)=\"(.*?)\"");

    /**
     * Asserts that two XML are of identical content (namespace aliases are ignored).
     * 
     * @param expectedXml expected XML
     * @param actualXml actual XML
     * @throws Exception thrown if XML parsing fails
     */
    public static void assertEqualXmls(String expectedXml, String actualXml) throws Exception {
        // Find all namespace mappings
        Map<String, String> fullnamespace2newAlias = new HashMap<String, String>();
        generateNewAliasesForNamespacesFromXml(expectedXml, fullnamespace2newAlias);
        generateNewAliasesForNamespacesFromXml(actualXml, fullnamespace2newAlias);

        for (Entry<String, String> entry : fullnamespace2newAlias.entrySet()) {
            String newAlias = entry.getValue();
            String namespace = entry.getKey();
            Pattern nsReplacePattern = Pattern.compile("xmlns:(ns\\d+)=\"" + namespace + "\"");
            expectedXml = transletaNamespaceAliasesToNewAlias(expectedXml, newAlias, nsReplacePattern);
            actualXml = transletaNamespaceAliasesToNewAlias(actualXml, newAlias, nsReplacePattern);
        }

        // nomralize namespaces accoring to given mapping

        DocumentBuilder db = initDocumentParserFactory();

        Document expectedDocuemnt = db.parse(new ByteArrayInputStream(expectedXml.getBytes(Charset.forName("UTF-8"))));
        expectedDocuemnt.normalizeDocument();

        Document actualDocument = db.parse(new ByteArrayInputStream(actualXml.getBytes(Charset.forName("UTF-8"))));
        actualDocument.normalizeDocument();

        if (!expectedDocuemnt.isEqualNode(actualDocument)) {
            Assert.assertEquals(expectedXml, actualXml); //just to better visualize the diffeences i.e. in eclipse
        }
    }


    private static DocumentBuilder initDocumentParserFactory() throws ParserConfigurationException {
        DocumentBuilderFactory dbf = DocumentBuilderFactory.newInstance();
        dbf.setNamespaceAware(false);
        dbf.setCoalescing(true);
        dbf.setIgnoringElementContentWhitespace(true);
        dbf.setIgnoringComments(true);
        DocumentBuilder db = dbf.newDocumentBuilder();
        return db;
    }

    private static String transletaNamespaceAliasesToNewAlias(String xml, String newAlias, Pattern namespacePattern) {
        Matcher nsMatcherExp = namespacePattern.matcher(xml);
        if (nsMatcherExp.find()) {
            xml = xml.replaceAll(nsMatcherExp.group(1) + "[:]", newAlias + ":");
            xml = xml.replaceAll(nsMatcherExp.group(1) + "=", newAlias + "=");
        }
        return xml;
    }

    private static void generateNewAliasesForNamespacesFromXml(String xml, Map<String, String> fullnamespace2newAlias) {
        Matcher nsMatcher = NAMESPACE_PATTERN.matcher(xml);
        while (nsMatcher.find()) {
            if (!fullnamespace2newAlias.containsKey(nsMatcher.group(2))) {
                fullnamespace2newAlias.put(nsMatcher.group(2), "nsTr" + (fullnamespace2newAlias.size() + 1));
            }
        }
    }

}

2つのXML文字列を比較し、不一致の名前空間マッピングを、両方の入力文字列の一意の値に変換することで処理します。

名前空間の翻訳の場合など、微調整できます。しかし、私の要件では、仕事をします。


-2

「意味的に同等」と言っているので、XML出力が(文字列)であることを文字どおりに確認するだけではなく、次のようなことをしたいと思っていると思います

<foo>ここにあるもの</ foo> </ code>

そして

<foo>ここにあるもの</ foo> </ code>

同等のものとしてお読みください。最終的には、メッセージを再構成するオブジェクトに「意味的に同等」をどのように定義するかが問題になります。メッセージからそのオブジェクトを作成し、カスタムのequals()を使用して、探しているものを定義するだけです。


4
答えではなく質問です。
Kartoch
弊社のサイトを使用することにより、あなたは弊社のクッキーポリシーおよびプライバシーポリシーを読み、理解したものとみなされます。
Licensed under cc by-sa 3.0 with attribution required.