2

我正在尝试将图像添加到我的 ListView 以使其看起来更像一个按钮。我希望图像更小一些,可能是当前图像的 60%。并且图像在列中很好地排列在右侧。这是我目前拥有的屏幕:

在此处输入图像描述

这是我的列表视图 xml:

<?xml version="1.0" encoding="utf-8"?>  

<TextView xmlns:android="http://schemas.android.com/apk/res/android"
    android:layout_height="fill_parent"
    android:padding="10dp"
    android:textSize="16sp"    
    android:layout_width="match_parent"
    android:drawableRight="@drawable/arrow_button" 
     >
</TextView> 

知道我做错了什么吗?

包含此 TextView 的 ListView 定义如下:


请注意,我创建和使用列表的方式是使用 ListAdapter,使用如下代码:

Question q = new Question ();
q.setQuestion( "This is a test question and there are more than one" );

questions.add(q);

adapter = new ArrayAdapter<Question>( this, R.layout.questions_list, questions);

setListAdapter(adapter);

谢谢!

4

2 回答 2

4

啊。您正在使用复合可绘制对象做正确的事情。不确定是否有更好的方法可以扩展复合可绘制对象中的间距,但我知道这会起作用。

<RelativeLayout xmlns:android="http://schemas.android.com/apk/res/android"
    android:layout_height="match_parent"
    android:layout_width="match_parent">

<TextView
    android:layout_height="wrap_content"
    android:layout_width="wrap_content"
    android:padding="10dp"
    android:textSize="16sp"
    android:layout_centerVertical="true"
    android:layout_alignParentLeft="true" />

<View
    android:layout_height="64dip"
    android:layout_width="64dip"
    android:background="@drawable/arrow_button"
    android:layout_centerVertical="true"
    android:layout_alignParentRight="true" />

</RelativeLayout>

基本上只是指出使用左右对齐父级。您可能想要为它们添加一些边距或填充。还要确保将元素垂直居中。

于 2012-07-18T03:26:25.657 回答
1

通过 Frank Sposaro 的评论和建议,您将能够正确定位您的观点。

对于您的下一个问题,我建议您制作自己的适配器,如下所示:

private class CustomAdapter extends ArrayAdapter<Question> {

        private LayoutInflater mInflater;

        public CustomAdapter(Context context) {
            super(context, R.layout.row);
            mInflater = LayoutInflater.from(context);
        }

        public View getView(final int position, View convertView, ViewGroup parent) {
            ViewHolder holder;

            if (convertView == null) {
                convertView = mInflater.inflate(R.layout.row, null);

                holder = new ViewHolder();
                holder.text = (TextView) convertView.findViewById(R.id.mTextView);
                holder.image = (ImageView) convertView.findViewById(R.id.mImage);

                convertView.setTag(holder);
            } else {
                holder = (ViewHolder) convertView.getTag();
            }

            //Fill the views in your row
            holder.text.setText(questions.get(position).getText());
            holder.image.setBackground... (questions.get(position).getImage()));

            return convertView;
        }
    }

    static class ViewHolder {
        TextView text;
        ImageView image;
    }

在您的 onCreate 中:

ListView mListView = (ListView) findViewById(R.id.mListView);
mListView.setAdapter(new CustomAdapter(getApplicationContext(), questions));

可以在此处找到带有适配器的 ListView 的另一个示例

于 2012-07-24T15:16:11.313 回答