9

我有一个相当复杂的项目画廊。每个项目由一个图像和 2 个按钮组成。当画廊加载一切正常时,按钮会执行它们应该做的事情,并且按钮的按下状态仅在实际按下按钮时发生。

但是,一旦我滚动图库,按钮就会停止工作,并且单击任何位置都会启用按钮的按下状态。

我已经尝试将所有内容嵌入到一个不传递 OnDown 事件的 LinearLayout 中,但是,只会阻止点击事件。

我知道 Gallery 不是像这样的复杂布局的理想小部件,但我想知道是否有更好的解决方法来解决这个问题。

更新:

我将尝试解释一下架构。我有一个包含 ListFragment 的 FragmentActivity,它仅由一个 ListView 组成。

ListView 由一组较小的元素(Bettable)以及一些元信息组成。这些组被实施为画廊。具体来说,我扩展了 Gallery(称为 OneGallery),它做了几件事,它确保一次只滚动一个项目,并在滚动发生时转换画廊项目。这是代码

这是画廊的适配器

这是Bettable 布局的代码

4

2 回答 2

0

尝试在子视图周围添加一个新的包装布局并覆盖 setPressed。画廊将停止将其状态传递给孩子,并且您描述的提到的不良行为将得到修复。

于 2012-08-19T23:03:10.410 回答
-3

这是视图回收。尝试使用 ViewHolder 模式并为每个 getView 调用设置项目状态。如果你想这样做,你必须在你的复杂对象中保持视图状态。例如,您的复杂对象包含 TextView、ImageView 和 CheckBox

public View getView(int position, View convertView, ViewGroup parent) {

    ComplexObject co = objects.get(position);

    // A ViewHolder keeps references to children views to avoid unneccessary calls
    // to findViewById() on each row.
    ViewHolder holder;

    // When convertView is not null, we can reuse it directly, there is no need
    // to reinflate it. We only inflate a new View when the convertView supplied
    // by ListView is null.
    if (convertView == null) {
        convertView = mInflater.inflate(R.layout.list_item_icon_text, null);

        // Creates a ViewHolder and store references to the two children views
        // we want to bind data to.
        holder = new ViewHolder();
        holder.text = (TextView) convertView.findViewById(R.id.text);
        holder.icon = (ImageView) convertView.findViewById(R.id.icon);
        holder.checkbox = (CheckBox)convertView.findViewById(R.id.checkbox);
        convertView.setTag(holder);
    } else {
        // Get the ViewHolder back to get fast access to the TextView
        // and the ImageView.
        holder = (ViewHolder) convertView.getTag();
    }

    // Bind the data efficiently with the holder.
    holder.text.setText(co.getText());
    holder.icon.setImageBitmap((position & 1) == 1 ? mIcon1 : mIcon2);
    holder.checkbox.setChecked(co.isChecked());

    holder.checkbox.setOnCheckedChangeListener(new CompoundButton.OnCheckedChangeListener() {
                @Override
                public void onCheckedChanged(CompoundButton compoundButton, boolean isChecked) {
                    co.setChecked(isChecked);
                }
            });


    return convertView;
}

protected class ViewHolder{
    TextView text;
    ImageView icon;
    CheckBox checkbox; 

}   

希望它会有所帮助

于 2012-08-01T20:41:40.193 回答