Android: создание динамического listview

#android #listview #dynamic

#Android #listview #динамический

Вопрос:

У меня есть файл JSON, который заполняется в listview.

Я хочу сделать просмотр списка динамическим. Это означает, что мне нужно только одно действие для щелчка по имеющемуся у меня списку. А источник содержимого (изображения, заголовка, описания), которое заполняется в Activity, поступает из файла JSON в Интернете.

Например, у меня в списке 13 проектов, всякий раз, когда я нажимаю на один из них, он переходит к ОДНОМУ действию, содержащему другое изображение, заголовок и описание, в зависимости от элемента, который я нажимаю.

Мне нужен кто-нибудь, чтобы улучшить коды, которые я предоставляю ниже.

Projects.java

 public class Projects {

    public String title;
    public String keyword;
    public String description;
    public String smallImageUrl;
    public String bigImageUrl;
    public int cost;

    @Override
    public String toString()
    {
        return "Title: " title  " Keyword: " keyword  " Image: " smallImageUrl;

    }


}
  

ProjectsAdapter.java

 Public class ProjectsAdapter extends ArrayAdapter<Projects> {

    int resource;
    String response;
    Context context;
    //Initialize adapter
    public ProjectsAdapter(Context context, int resource, List<Projects> items) {
        super(context, resource, items);
        this.resource=resource;

    }

    @Override
    public View getView(int position, View convertView, ViewGroup parent)
    {
        LinearLayout projectView;
        //Get the current alert object
        Projects pro = getItem(position);

        //Inflate the view
        if(convertView==null)
        {
            projectView = new LinearLayout(getContext());
            String inflater = Context.LAYOUT_INFLATER_SERVICE;
            LayoutInflater vi;
            vi = (LayoutInflater)getContext().getSystemService(inflater);
            vi.inflate(resource, projectView, true);
        }
        else
        {
            projectView = (LinearLayout) convertView;
        }

        TextView Title =(TextView)projectView.findViewById(R.id.title);

        try {
              ImageView i = (ImageView)projectView.findViewById(R.id.image);
              Bitmap bitmap = BitmapFactory.decodeStream((InputStream)new URL(pro.smallImageUrl).getContent());
              i.setImageBitmap(bitmap); 
            } catch (MalformedURLException e) {
              e.printStackTrace();
            } catch (IOException e) {
              e.printStackTrace();
            }


        //Assign the appropriate data from our alert object above
        //Image.setImageDrawable(pro.smallImageUrl);
        Title.setText(pro.title);

        return projectView;
    }

}
  

Main.java

 public class Main extends Activity {
    /** Called when the activity is first created. */
    //ListView that will hold our items references back to main.xml
    ListView lstTest;
    //Array Adapter that will hold our ArrayList and display the items on the ListView
    ProjectsAdapter arrayAdapter;

    //List that will  host our items and allow us to modify that array adapter
    ArrayList<Projects> prjcts=null;
    @Override
    public void onCreate(Bundle savedInstanceState) {
        super.onCreate(savedInstanceState);
        setContentView(R.layout.main);
        //Initialize ListView
        lstTest= (ListView)findViewById(R.id.lstText);

         //Initialize our ArrayList
        prjcts = new ArrayList<Projects>();
        //Initialize our array adapter notice how it references the listitems.xml layout
        arrayAdapter = new ProjectsAdapter(Main.this, R.layout.listitems,prjcts);

        //Set the above adapter as the adapter of choice for our list
        lstTest.setAdapter(arrayAdapter);

        //Instantiate the Web Service Class with he URL of the web service not that you must pass
        WebService webService = new WebService("http://pre.spendino.de/test/android/projects.json");

        //Pass the parameters if needed , if not then pass dummy one as follows
        Map<String, String> params = new HashMap<String, String>();
        params.put("var", "");

        //Get JSON response from server the "" are where the method name would normally go if needed example
        // webService.webGet("getMoreAllerts", params);
        String response = webService.webGet("", params);

        try
        {
            //Parse Response into our object
            Type collectionType = new TypeToken<ArrayList<Projects>>(){}.getType();

            //JSON expects an list so can't use our ArrayList from the lstart
            List<Projects> lst= new Gson().fromJson(response, collectionType);

            //Now that we have that list lets add it to the ArrayList which will hold our items.
            for(Projects l : lst)
            {
                prjcts.add(l);
            }

            //Since we've modified the arrayList we now need to notify the adapter that
            //its data has changed so that it updates the UI
            arrayAdapter.notifyDataSetChanged();
        }
        catch(Exception e)
        {
            Log.d("Error: ", e.getMessage());
        }

        lstTest.setOnItemClickListener(new OnItemClickListener() {
        public void onItemClick(AdapterView<?> parent, View view, int position, long id) {              
            @SuppressWarnings("unchecked")
            Projects p = (Projects ) lstTest.getItemAtPosition(position);                   
            //Do your logic and open up a new Activity.
            Intent care = new Intent(Main.this, Organization.class);
            startActivity(care);
        }
    });

    }

}
  

WebService.java (I don’t think we need to edit this one)

 public class WebService{

    DefaultHttpClient httpClient;
    HttpContext localContext;
    private String ret;

    HttpResponse response1 = null;
    HttpPost httpPost = null;
    HttpGet httpGet = null;
    String webServiceUrl;

    //The serviceName should be the name of the Service you are going to be using.
    public WebService(String serviceName){
        HttpParams myParams = new BasicHttpParams();

        HttpConnectionParams.setConnectionTimeout(myParams, 10000);
        HttpConnectionParams.setSoTimeout(myParams, 10000);
        httpClient = new DefaultHttpClient(myParams);
        localContext = new BasicHttpContext();
        webServiceUrl = serviceName;

    }

    //Use this method to do a HttpPostWebInvoke on a Web Service
    public String webInvoke(String methodName, Map<String, Object> params) {

        JSONObject jsonObject = new JSONObject();

        for (Map.Entry<String, Object> param : params.entrySet()){
            try {
                jsonObject.put(param.getKey(), param.getValue());
            }
            catch (JSONException e) {
                Log.e("Groshie", "JSONException : " e);
            }
        }
        return webInvoke(methodName,  jsonObject.toString(), "application/json");
    }

    private String webInvoke(String methodName, String data, String contentType) {
        ret = null;

        httpClient.getParams().setParameter(ClientPNames.COOKIE_POLICY, CookiePolicy.RFC_2109);

        httpPost = new HttpPost(webServiceUrl   methodName);
        response1 = null;

        StringEntity tmp = null;       

        //httpPost.setHeader("User-Agent", "SET YOUR USER AGENT STRING HERE");
        httpPost.setHeader("Accept",
"text/html,application/xml,application/xhtml xml,text/html;q=0.9,text/plain;q=0.8,image/png,*/*;q=0.5");

        if (contentType != null) {
            httpPost.setHeader("Content-Type", contentType);
        } else {
            httpPost.setHeader("Content-Type", "application/x-www-form-urlencoded");
        }

        try {
            tmp = new StringEntity(data,"UTF-8");
        } catch (UnsupportedEncodingException e) {
            Log.e("Groshie", "HttpUtils : UnsupportedEncodingException : " e);
        }

        httpPost.setEntity(tmp);

        Log.d("Groshie", webServiceUrl   "?"   data);

        try {
            response1 = httpClient.execute(httpPost,localContext);

            if (response1 != null) {
                ret = EntityUtils.toString(response1.getEntity());
            }
        } catch (Exception e) {
            Log.e("Groshie", "HttpUtils: "   e);
        }

        return ret;
    }

    //Use this method to do a HttpGet/WebGet on the web service
    public String webGet(String methodName, Map<String, String> params) {
        String getUrl = webServiceUrl   methodName;

        int i = 0;
        for (Map.Entry<String, String> param : params.entrySet())
        {
            if(i == 0){
                getUrl  = "?";
            }
            else{
                getUrl  = "amp;";
            }

            try {
                getUrl  = param.getKey()   "="   URLEncoder.encode(param.getValue(),"UTF-8");
            } catch (UnsupportedEncodingException e) {
                // TODO Auto-generated catch block
                e.printStackTrace();
            }

            i  ;
        }

        httpGet = new HttpGet(getUrl);
        Log.e("WebGetURL: ",getUrl);

        try {
            response1 = httpClient.execute(httpGet);
        } catch (Exception e) {
            Log.e("Groshie:", e.getMessage());
        }

        // we assume that the response body contains the error message
        try {
            ret = EntityUtils.toString(response1.getEntity());
        } catch (IOException e) {
            Log.e("Groshie:", e.getMessage());
        }

        return ret;
    }

    public static JSONObject Object(Object o){
        try {
            return new JSONObject(new Gson().toJson(o));
        } catch (JSONException e) {
            e.printStackTrace();
        }
        return null;
    }

    public InputStream getHttpStream(String urlString) throws IOException {
        InputStream in = null;
        int response = -1;

        URL url = new URL(urlString);
        URLConnection conn = url.openConnection();

        if (!(conn instanceof HttpURLConnection))
            throw new IOException("Not an HTTP connection");

        try{
            HttpURLConnection httpConn = (HttpURLConnection) conn;
            httpConn.setAllowUserInteraction(false);
            httpConn.setInstanceFollowRedirects(true);
            httpConn.setRequestMethod("GET");
            httpConn.connect();

            response = httpConn.getResponseCode();                

            if (response == HttpURLConnection.HTTP_OK) {
                in = httpConn.getInputStream();
            }
        } catch (Exception e) {
            throw new IOException("Error connecting");
        } // end try-catch

        return in;
    }

    public void clearCookies() {
        httpClient.getCookieStore().clear();
    }

    public void abort() {
        try {
            if (httpClient != null) {
                System.out.println("Abort.");
                httpPost.abort();
            }
        } catch (Exception e) {
            System.out.println("Your App Name Here"   e);
        }
    }


}
  

Редактировать
Что я хочу показать в организации.java — это XML-файл:

 <LinearLayout
  xmlns:android="http://schemas.android.com/apk/res/android"
  android:layout_width="fill_parent"
  android:layout_height="fill_parent"
  android:background="@drawable/bg"
  android:orientation="vertical">

  <ImageView
        android:id="@ id/project_image"
        android:layout_marginTop="10dp"   
        android:layout_width="wrap_content"
        android:layout_height="wrap_content"
        android:layout_gravity="center"/>
   <TextView
        android:id="@ id/title"
        android:layout_width="fill_parent"
        android:layout_height="wrap_content"
        android:gravity="center"
        android:text="Default Title"
        android:textSize="18sp"
        android:textStyle="bold"
        android:textColor="#78b257"/>

        <LinearLayout
        xmlns:android="http://schemas.android.com/apk/res/android"
        android:layout_marginTop="15dp"
        android:layout_width="fill_parent"
        android:layout_height="wrap_content"
        android:gravity="center"
        android:orientation="horizontal">
        <Button 
         android:id="@ id/btn_forward"
         android:layout_marginLeft="5dp"
         android:layout_gravity="left"
         android:text="Weitersagen"
         android:layout_height="wrap_content"
         android:layout_width="wrap_content"
         android:layout_marginTop="15dp"/>

         <Button 
        android:id="@ id/btn_sms_spend"
        android:layout_marginTop="15dp"
        android:layout_marginRight="5dp"
        android:text="Per SMS spenden"
        android:layout_gravity="right" 
        android:layout_height="wrap_content"
        android:layout_width="wrap_content"/>

         </LinearLayout>

         <ScrollView
            android:layout_width="fill_parent"
            android:layout_height="wrap_content">

         <LinearLayout
  xmlns:android="http://schemas.android.com/apk/res/android"
  android:layout_width="fill_parent"
  android:layout_height="wrap_content"
  android:background="@drawable/bg_white"
  android:orientation="vertical">

   <TextView
        android:id="@ id/description"
        android:layout_width="fill_parent"
        android:layout_height="wrap_content"
        android:layout_marginTop="5dp"
        android:layout_marginLeft="5dp"
        android:gravity="left"
        android:text="default description"
        android:textSize="18sp"
        android:textColor="#000000"/>


   </LinearLayout>
   </ScrollView>

</LinearLayout>
  

и вот файл JSON:

 [{
    "title": "CARE Deutschland-Luxemburg e.V.",
    "keyword": "CARE",
    "description": "<p><b>Das CARE-Komplett-Paket für Menschen in Not</b",
    "smallImageUrl": "http://cdn.spendino.de/web/img/projects/home/1284113658.jpg",
    "bigImageUrl":"http://cdn.spendino.de/web/img/projects/small/1284113658.jpg",
    "cost": "5"
},
{
    "title": "Brot für die Welt",
    "keyword": "BROT",
    "description": "<p>„Brot für die Welt“ unterstützt unter der Maßgabe 'Helfen, wo die Not am größten ist' ausgewählte Projekte weltweit.",
    "smallImageUrl": "http://cdn.spendino.de/web/img/projects/home/1267454286.jpg",
    "bigImageUrl":"http://cdn.spendino.de/web/img/projects/small/1267454286.jpg",
    "cost": "5"
},
{
    "title": "Deutsche AIDS-Stiftung",
    "keyword": "HIV",
    "description": "<p>Die Deutsche AIDS-Stiftung unterstützt mit ihren finanziellen Mitteln seit mehr als 20 Jahren Betroffene, die an HIV und AIDS erkrankt sind.",
    "smallImageUrl": "http://cdn.spendino.de/web/img/projects/home/1258365722.jpg",
    "bigImageUrl":"http://cdn.spendino.de/web/img/projects/small/1258365722.jpg",
    "cost": "5"
}]
  

Скриншот представления списка:
введите описание изображения здесь

Если это шаги, которые я должен выполнить, то у меня возникли проблемы с номерами 4 и 5: 1. Используйте JSON 2. создайте подходящую структуру данных (массив, ArrayList, что угодно) для хранения важных данных о вашем представлении списка 3. Используйте эту структуру данных в качестве источника для вашего представления списка 4. когда пользователь нажимает на любую строку, попытайтесь выяснить позицию строки в представлении списка, и на этой позиции в вашей исходной структуре данных найдите необходимые данные. 5. создайте любое действие, которое обычно обрабатывает эти данные 6. откройте это действие с данными строки, которую пользователь щелкнул на шаге 4 7. Используйте эти данные в своем новом действии

ConstantData.java:

 public class ConstantData extends ArrayList<Projects>{


    private static final long serialVersionUID = 9100099012485622682L;
    public static Object projectsList;

    public ConstantData(){

    }

    public ConstantData(Parcel in){

    }

    @SuppressWarnings("unchecked")

    public static final Parcelable.Creator CREATOR = new Parcelable.Creator(){
        public ConstantData createFromParcel (Parcel in){
            return new ConstantData(in);
        }

        public Object[] newArray(int arg0){
            return null;
        }


    };

    private void readFromParcel(Parcel in){
        this.clear();

        int size = in.readInt();

        for (int i = 0; i < size; i  ){
            Projects p = new Projects();
            p.setTitle(in.readString());
            p.setKeyword(in.readString());
            p.setSmallImageUrl(in.readString());
            p.setBigImageUrl(in.readString());
            p.setCost(in.readInt());
        }

    }


    public int describeContents() {
        return 0;
    }

    public void writeToParcel (Parcel dest, int flags){

        int size = this.size();

        dest.writeInt(size);

        for (int i = 0; i < size; i  ){
            Projects p = this.get(i);
            dest.writeString(p.getTitle());
            dest.writeString(p.getKeyword());
            dest.writeString(p.getDescription());
            dest.writeString(p.getSmallImageUrl());
            dest.writeString(p.getBigImageUrl());
            dest.writeInt(p.getCost());
        }
    }


}
  

Если что-то непонятно, пожалуйста, дайте мне знать.
Большое вам спасибо

Ответ №1:

Для этого вам нужна структура данных, которая содержит все ваши узлы json в индексе, и она должна быть доступна для всех необходимых вам действий [Reco: используйте что-то вроде GlobalVariables или ConstantData, где у вас есть все свойства вашего проекта, и создайте его public static ].

Например: ConstantData.ProjectData, который может быть arraylist или массивом, содержащим только объекты проекта

  1. Теперь из метода просмотра списка onItemClick вы получите индекс ( position который обозначает, в какой строке он щелкнул), передайте его в свое единственное разработанное действие с помощью пакетов и дополнений.

2. Извлеките индекс в нужном вам действии. Извлеките объект project по этому индексу из ConstantData.ProjectData.

Заполните компоненты пользовательского интерфейса из вашего объекта project.

Делая это, вы можете раздувать одно и то же представление снова и снова, передавая только индекс, только заполнение списка может быть тяжелой операцией, но остальное будет быстрее….

Редактировать: позвольте мне предоставить вам фрагменты .

для 1. вкл Main.java вы используете эти строки в методах ItemClick

 Intent care = new Intent(Main.this, Organization.class);
            startActivity(care);
  

Добавьте эту строку между startActivity и инициализацией намерения.

 care.putExtra("yourPackageStructure.Organization.position",position);
  

для 2. В организации.java
2.1 создайте целочисленный элемент с именем mPosition [или другим именем, которое вам нравится]
2.2 в методе onCreate() записать mPosition = getIntent().getExtras().getInt("yourPackageStructure.Organization.position");

 Project project = ConstantData.projectsData.get(mPosition);
  

Поскольку я не знаю, как то, что есть в организации.java и я хотел сказать список массивов или что-то еще, что содержит объекты ваших проектов.

Вот какая у вас может быть организация.метод onCreate в Java.

 onCreate(){
position = getIntent().getExtras().getInt("yourPackageStructure.Organization.position");

//Below line will get you the projects object
Projects project = ConstantData.projectsList.itemAt(position);

ImageView projectImage = (ImageView)findViewById(R.id.project_image);

Bitmap image = getImageFromUrl(this,project.bigImageUrl);

projectImage.setBitmapDrawable(image);

TextView title = (TextView)findViewById(R.id.title);

title.setText(project.title);

TextView description = (TextView)findViewById(R.id.description);

description .setText(project.description);

}
  

Это то, что я использую для метода getImageFromUrl

 public static Bitmap getImageFromUrl(Context context, String urlString) {
        try {
            if (haveInternet(context)) {
                URL url = new URL(urlString);
                HttpURLConnection conn = (HttpURLConnection) url
                        .openConnection();
                conn.setDoInput(true);
                conn.connect();
                int length = conn.getContentLength();
                InputStream is = conn.getInputStream();
                Bitmap bmImg = BitmapFactory.decodeStream(is);
                return bmImg;
            } else {

                return null;
            }
        } catch (MalformedURLException e) {
            Log.e("Problem in image", e.toString(), e);
            e.printStackTrace();
        } catch (Exception e) {
            Log.e("Problem in image", e.toString(), e);
        }
        return null;
    }
  

Это метод haveInternet

 private static boolean haveInternet(Context context) {
        NetworkInfo info = getNetworkInfo(context);
        if (info == null || !info.isConnected()) {
            return false;
        }
        if (info.isRoaming()) {
            // here is the roaming option you can change it if you want to
            // disable internet while roaming, just return false
            return true;
        }
        return true;
    }
  

Надеюсь, это поможет вам должным образом…

Добавлены ConstantData

ConstantData.java

 public class ConstantData{

//All public static members will be here 

public static final long guid = A LONG VAL;

public static String licenceText = A STRING VAL;

//etc... etc... above members are just the idea that what kind of members can be there in //ConstantData... I normally use all public static properties here

//Here is the variable you probably want

public static ArrayList<Projects> projectsList = new ArrayList<Projets>();
}
  

если вы хотите заполнить этот список массивов, вы можете сделать это из main.java проверьте строки

 for(Projects l : lst)
{
      prjcts.add(l);
}
  

Вы можете добавить или заменить эту строку. ConstantData.projectsList.add(l); Я рекомендую вам добавить строку, а не отображать строку…..

Комментарии:

1. Спасибо. У меня уже была структура данных всех моих узлов json на Projects.java коды, которые я разместил вверху. Можете ли вы найти мне решение, предоставив коды? спасибо

2. спасибо, это становится понятнее, я только что отредактировал свои вопросы, предоставив XML-файл для организации. взгляните на java..

3. Отредактировал мой ответ… взгляните

4. Итак, я только что ввел ваш код, но мне интересно, почему я получил ошибку в ‘ConstantData’, она говорит мне, что мне нужно создать класс для этого. А также что это за метод haveInternet? Я думаю, мне нужно снова объявить URL моего файла JSON, не так ли?

5. Обычно я создаю класс ConstantData для обработки данных, которые могут использоваться более чем в двух действиях, и помещаю в него все статические элементы. Итак, эта ошибка произошла из-за разницы в стиле кодирования…. Метод haveInternet был там, чтобы проверить, доступно ли какое-либо подключение к Интернету или нет. Если у вас есть какой-либо подобный метод, замените его … или я опубликую его здесь…..