1

我有一个ListView位于平板电脑大小屏幕左侧的。我的目标是给它一个坚实的背景,右边有一个边框,然后在列表元素上应用一个重叠的背景来打破这个边框,使它看起来是右边视图的一部分。


ListView 背景

我使用Emile 在另一个问题中建议<layer-list>的可绘制对象实现了正确的边框:

右边框.xml

<?xml version="1.0" encoding="utf-8"?>
<layer-list xmlns:android="http://schemas.android.com/apk/res/android">
    <item>
        <shape android:shape="rectangle">
            <solid android:color="@color/black" />
        </shape>
    </item>
    <item android:right="2dp">
        <shape android:shape="rectangle">
            <solid android:color="@color/white" />
        </shape>
    </item>

</layer-list>

...这是 ListView 的良好衡量标准:

<ListView
    android:id="@+id/msglist"
    android:layout_width="300dp"
    android:layout_height="match_parent"
    android:divider="@color/black"
    android:dividerHeight="1dp"
    android:background="@drawable/rightborder"
    android:paddingRight="0dip">
</ListView>
<!-- I added the android:paddingRight after reading something 
about shape drawables and padding, don't think it actually
did anything. -->

试图用颜色覆盖它

为了达到预期的效果,我在getView我的适配器的函数中放置了以下内容:

//If it's selected, highlight the background
if(position == mSelectedIndex)
    convertView.setBackgroundColor(R.color.light_gray);

else
    convertView.setBackgroundResource(0);

但是,使用这种方法,可绘制的黑色边框ListView仍然可见,只有背景的白色部分被灰色替换。 这是一个屏幕截图:

通过彩色背景显示的边框


用drawable修复它

凭直觉,我用一个shapedrawable替换了我分配的颜色:

selectedmessage.xml:

<?xml version="1.0" encoding="utf-8"?>
<shape android:shape="rectangle"
    xmlns:android="http://schemas.android.com/apk/res/android" >
    <solid android:color="@color/light_gray" />
</shape>

获取视图片段:

//If it's selected, highlight the background
if(position == mSelectedIndex)
    convertView.setBackgroundResource(R.drawable.selectedmessage);

else
    convertView.setBackgroundResource(0);

这样就达到了预期的效果,如下图:

边框不再显示


问题:

为什么为我的ListView元素指定一个矩形作为背景会覆盖整个视图,而指定颜色则允许黑色边框显示出来?我很高兴它能正常工作,但我想知道为什么 Android 会以这种方式呈现视图,以便我可以了解更多关于 Android 如何呈现视图的信息。

其他注意事项:

  • 我正在库存的 Android 3.2 模拟器中运行该项目,如果这有什么不同的话。
  • 一个线索可能是light_gray颜色背景似乎比light_gray shape资源更暗。
  • 我怀疑它会有所作为,但是light_gray

    <color name="light_gray">#FFCCCCCC</color>

4

1 回答 1

1

你不能这样做:

 convertView.setBackgroundColor(R.color.light_gray);

setBackgroundColor 不采用资源 id: http: //developer.android.com/reference/android/view/View.html#setBackgroundColor(int)

所以你得到了一些不符合你期望的偶然行为。

你必须这样做:

 convertView.setBackgroundColor(getResources().getColor(R.color.light_gray);

http://developer.android.com/reference/android/content/res/Resources.html#getColor(int)

于 2012-06-24T22:19:35.733 回答