1

我正在使用 ListView 来显示一些 JSON 数据,并希望根据其类型(艺术家、发布、标签...)显示每个结果。

我将使用由每种结果类型实现的接口:

public interface Result {
    public Int getId();
    public String getThumb();
    // ...
} 

我想知道这些选择中的哪一个是最好的解决方案(我对更好的事情持开放态度,这正是我的想法):

  • 在交互中创建一个(因此继承的类必须像在方法中enum ResultType一样返回自己的值ResultType.ARTISTgetType()
  • 使用检查实例类型isInstance()

我想知道执行与此 C 代码(函数指针数组)等效的操作的最佳方法是什么,因为我想避免使用许多if/else语句。

typedef struct s_func {
   const char *type_name;
   void* (*func_pointer)(void *result_infos);
} t_func;

static t_func type_array[] = {
 {"artist", artist_function},
 {"label", label_function},
  // ....
 {NULL, NULL}
}

void check_type(const char *type_string)
{
  int i, j = 0;
  char *key_value;

  // compare string and array key
  while (type_array && type_array[i][0]) {
    key_value = type_array[i][0];
    // if key match
    if (type_string && strncmp(type_string, key_value, strlen(type_string)) == 0) {
       type_array[i][1](); // call appropriate function;
    }
    i++;    
  }
}

我猜它会使用 aHashMap但是(我可能错了)它似乎没有文字符号。有没有简单的方法来构建一HashMap对?

谢谢

4

1 回答 1

0

我认为您可以使用 ArrayAdapter。看看这个教程,看看我的意思。

它需要一些玩弄才能处理不同种类的物品。制作一个接口 MyListItem

public interface MyListItem {
    public int getLayout();
    public void bindToView(View v);
}

为 Artist、Release、Label 的显示制作不同的布局。制作实现 MyListItem 的 Artist、Release、Label 类。

public class Artist implements MyListItem {
    private String Name;

    public Artist(String name){
        this.name = name;
    }

    public int getLayout() {
        return R.layout.artistlayout;
    }

    public void bindToView(View v) {
        TextView textView = (TextView) rowView.findViewById(R.id.artistLabel);
        textView.setText(name);
    }
}

现在适配器只需调用正确的方法来填充所选项目的视图。

public class MySimpleArrayAdapter extends ArrayAdapter<MyListItem> {
  private final Context context;
  private final MyListItem[] values;

  public MySimpleArrayAdapter(Context context, MyListItem[] values) {
    super(context, android.R.layout.simple_list_item_1, values);
    this.context = context;
    this.values = values;
  }

  @Override
  public View getView(int position, View convertView, ViewGroup parent) {
    MyListItem item = values[position];

    LayoutInflater inflater = (LayoutInflater) context
        .getSystemService(Context.LAYOUT_INFLATER_SERVICE);
    View view = inflater.inflate(item.getLayout(), parent, false);
    item.bindTo(view);
    return view;
  }
}
于 2013-01-18T22:56:40.823 回答