1

Android用のSIMPLE XMLライブラリを使用して、col_1、col_2 ...などを個別の要素ではなくリストとして扱う方法があるかどうか疑問に思っていました。置換について少し読んでいますが、まだ混乱しています。

現在のフォーマット:

<box-headers 
   dataTable="boxscore" 
   col_1="FINAL" 
   col_2="1" 
   col_3="2" 
   col_4="3" 
   col_5="4" 
   col_6="5" 
   col_7="6" 
   col_8="7" 
   col_9="8" 
   col_10="9" 
   col_11="R" 
   col_12="H" 
   col_13="E">
             table
 </box-headers>

任意の数の列を処理できるように、列を何らかのリストとして解析できるようにしたいと考えています。これは可能ですか?

4

1 に答える 1

2

ngが前に言ったように: これには a を使用しConverterます。Simple は、処理のすべてのステップをカスタマイズできるという点で優れています (一方、複雑な構造であっても、数行のコードで (逆) シリアル化することは可能です)。

次に例を示します。

リストの値を保持するクラス:

@Root(name = "example")
@Convert(value = ListConverter.class) // Specify the Converter that's used for this class
public class Example
{
    // This element will be set with the values from 'box-headers' element
    @ElementList(name = "box-headers")
    private List<String> values;


    // This constructor is used to set the values while de-serializing
    // You can also use setters instead
    Example(List<String> values)
    {
        this.values = values;
    }

    //...
}

Converter:_

public class ExampleConverter implements Converter<Example>
{
    @Override
    public Example read(InputNode node) throws Exception
    {
        List<String> list = new ArrayList<>(); // List to insert the 'col_' values

        NodeMap<InputNode> attributes = node.getAttributes(); // All attributes of the node
        Iterator<String> itr = attributes.iterator();

        while( itr.hasNext() ) // Iterate over all attributes
        {
            final String name = itr.next(); // The name of the attribute

            if( name.startsWith("col_") ) // Check if it is a 'col' attribute
            {
                // Insert the value of the 'col_' attribute
                list.add(attributes.get(name).getValue());
            }
        }

        // Return the result - instead of a constructor you can use setter(s) too
        return new Example(list); 
    }


    @Override
    public void write(OutputNode node, Example value) throws Exception
    {
        // TODO: Implement serializing here - only required if you want to serialize too
    }
}

使い方:

// Serializer, don't forget `AnnotationStrategy` - without it wont work
Serializer ser = new Persister(new AnnotationStrategy());

// Deserialize the object - here the XML is readen from a file, other sources are possible
Example ex = ser.read(Example.class, new File("test.xml")); 

この例ではcol_xy属性のみを使用しており、それ以外はすべて削除されています。これらの値も必要な場合は、簡単に実装できます。からそれらを取得してInputNode、出力に設定するだけです。

于 2013-06-13T12:20:47.480 に答える