1

嗨,我目前正在寻找使用 html 页面的选定部分中的值填充微调器的最佳/最简单方法。最终,微调器值必须与 html 选择部分中的值完全相同。我希望以最简单的方式做到这一点。我想到了以下想法:

  • 从 html 页面读取值(例如使用 lxml)
  • 将值添加到微调器(直接或在将值保存在数据库中后如果不可能)

有谁知道最简单的方法(对于阅读部分和人口部分)?是否有允许将值从 html 页面直接链接到微调器的 android 对象/类?

非常感谢您的帮助!本

4

1 回答 1

1

我在 AsyncTask 中使用 jsoup 来获取选项的值和文本,并将它们放入文本/值 TreeMap(排序的 HashMap)中,如下所示:

class TheaterGetter extends AsyncTask<Context, Void, Document> {    
    private Context context;
    @Override
    protected Document doInBackground(Context... contexts) {
        context = contexts[0];
        Document doc = null;
        try {
            doc = Jsoup.connect("http://landmarkcinemas.com").timeout(10000).get();
        } catch (IOException e) {
            Log.e("website connection error", e.getMessage());
        }
        return doc;
    }

    protected void onPostExecute(Document doc) {
        Element allOptions = doc.select("select[id=campaign").first();
        Elements options = allOptions.getElementsByTag("option");
        options.remove(0);
        TreeMap<String, String> theaters = new TreeMap<String, String>();
        for (Element option:options) {
            theaters.put(option.html(), option.attr("value"));
        }

然后我为微调器制作了这个适配器:

public class TreeMapSpinAdapter extends ArrayAdapter{
    private Context context;
    private TreeMap<String, String> treeMap;

    public TreeMapSpinAdapter(Context context, int textViewResourceId, TreeMap<String, String> treeMap){
        super(context, textViewResourceId, treeMap.values().toArray());
        this.context = context;
        this.treeMap = treeMap;
    }

    @Override
    public int getCount() {
        return this.treeMap.values().size();
    }

    @Override
    public Object getItem(int arg0) {
        return this.treeMap.values().toArray()[arg0];
    }

    public Object getItem(String key) {
        return treeMap.get(key);
    }

    @Override
    public long getItemId(int position) {
        return position;
    }

    @Override
    public View getView(int position, View convertView, ViewGroup parent) {
        TextView label = new TextView(context);
        label.setTextColor(Color.BLACK);
        label.setText(treeMap.keySet().toArray()[position].toString());
        return label;
    }

    @Override
    public View getDropDownView(int position, View convertView, ViewGroup parent) {
        TextView label = new TextView(context);
        label.setTextColor(Color.BLACK);
        label.setText(treeMap.keySet().toArray()[position].toString());
        return label;
    }

}

然后,回到我们的 AsyncTask 中,我们像这样设置微调器:

TreeMapSpinAdapter adapter = new TreeMapSpinAdapter(context, android.R.layout.simple_spinner_item, theaters);
final Spinner spinner = (Spinner) ((Activity) context).findViewById(R.id.spinner1);
spinner.setAdapter(adapter);

最后我们像这样调用我们的 AsyncTask:

new TheaterGetter().execute(this);

事情被称为剧院这个和那个,因为在我的情况下,我得到了一个剧院位置的列表。

于 2013-08-11T00:42:01.413 回答