可以通过Class<> Android Layout XML中的对象?

时间:2014-11-20 11:25:02

标签: android xml view

我正在构建一个自定义视图,该视图需要作为其属性之一的类<>反对一个实体。虽然我通过为它添加一个Setter以编程方式工作,但我想知道是否有任何好方法允许将它添加到XML以进行布局?

对于类型为" class"的样式,似乎没有格式选项。我可以使用一个字符串,但是我必须赌一把这个值实际上是一个有效的类并且我失去了类型提示,所以它并不理想。

有没有什么好方法可以让这项工作,或者我应该坚持以编程方式设置它?

1 个答案:

答案 0 :(得分:5)

方法1(有警告):

通用CustomView:

public class CustomView<T> extends View {

    private List<T> typedList = new ArrayList<T>();

    public CustomView(Context context) {
        this(context, null);
    }

    public CustomView(Context context, AttributeSet attrs) {
        this(context, attrs, 0);
    }

    public CustomView(Context context, AttributeSet attrs, int defStyleAttr) {
        super(context, attrs, defStyleAttr);
    }

    public void addTypedValue(T object){
        typedList.add(object);
    }

    public T getTypedValue(int position){
        return typedList.get(position);
    }
}

<强>活动:

//unsafe cast!
CustomView<String> customViewGeneric = (CustomView<String>) findViewById(R.id.customView);  
customViewGeneric.addTypedValue("Test");
String test = customViewGeneric.getTypedValue(0);

<强> XML:

<org.neotech.test.CustomView
    android:id="@+id/customView"
    android:layout_width="wrap_content"
    android:layout_height="match_parent" />

方法2(没有警告,安全!):

此方法使用通用CustomView。对于将在xml中使用的每种类型,您将需要创建一个特定的类。

我添加了一个示例实现:

Generic CustomView:(不要在xml中对此进行充气):

public class CustomView<T> extends View {

    private List<T> typedList = new ArrayList<T>();

    public CustomView(Context context) {
        this(context, null);
    }

    public CustomView(Context context, AttributeSet attrs) {
        this(context, attrs, 0);
    }

    public CustomView(Context context, AttributeSet attrs, int defStyleAttr) {
        super(context, attrs, defStyleAttr);
    }

    public void addTypedValue(T object){
        typedList.add(object);
    }

    public T getTypedValue(int position){
        return typedList.get(position);
    }
}

字符串类型的XML充气视图:

public class CustomViewString extends CustomView<String> {

    //ADD Constructors!

}

整数类型的XML充气视图:

public class CustomViewInteger extends CustomView<Integer> {

    //ADD Constructors!

}

<强>活动:

CustomViewString customViewString = (CustomViewString) findViewById(R.id.customViewString);
CustomView<String> customViewGeneric = customViewString;

<强> XML:

<org.neotech.test.CustomViewString
    android:id="@+id/customViewString"
    android:layout_width="match_parent"
    android:layout_height="wrap_content" />

<org.neotech.test.CustomViewInteger
    android:id="@+id/customViewInteger"
    android:layout_width="match_parent"
    android:layout_height="wrap_content" />