`

Android JSON解析示例代码

阅读更多
来自Google官方的有关Android平台的JSON解析示例,如果远程服务器使用了json而不是xml的数据提供,在Android平台上已经内置的org.json包可以很方便的实现手机客户端的解析处理。下面Android123一起分析下这个例子,帮助Android开发者需要有关 HTTP通讯、正则表达式、JSON解析、appWidget开发的一些知识。

public class WordWidget extends AppWidgetProvider { //appWidget
    @Override
    public void onUpdate(Context context, AppWidgetManager appWidgetManager,
            int[] appWidgetIds) {

        context.startService(new Intent(context, UpdateService.class)); //避免ANR,所以Widget中开了个服务
    }

    public static class UpdateService extends Service {
        @Override
        public void onStart(Intent intent, int startId) {
            // Build the widget update for today
            RemoteViews updateViews = buildUpdate(this);

            ComponentName thisWidget = new ComponentName(this, WordWidget.class);
            AppWidgetManager manager = AppWidgetManager.getInstance(this);
            manager.updateAppWidget(thisWidget, updateViews);
        }


        public RemoteViews buildUpdate(Context context) {
            // Pick out month names from resources
            Resources res = context.getResources();
            String[] monthNames = res.getStringArray(R.array.month_names);

             Time today = new Time();
            today.setToNow();


            String pageName = res.getString(R.string.template_wotd_title,
                    monthNames[today.month], today.monthDay);
            RemoteViews updateViews = null;
            String pageContent = "";

            try {

                SimpleWikiHelper.prepareUserAgent(context);
                pageContent = SimpleWikiHelper.getPageContent(pageName, false);
            } catch (ApiException e) {
                Log.e("WordWidget", "Couldn't contact API", e);
            } catch (ParseException e) {
                Log.e("WordWidget", "Couldn't parse API response", e);
            }


            Pattern pattern = Pattern.compile(SimpleWikiHelper.WORD_OF_DAY_REGEX); //正则表达式处理,有关定义见下面的SimpleWikiHelper类
            Matcher matcher = pattern.matcher(pageContent);
            if (matcher.find()) {

                updateViews = new RemoteViews(context.getPackageName(), R.layout.widget_word);

                String wordTitle = matcher.group(1);
                updateViews.setTextViewText(R.id.word_title, wordTitle);
                updateViews.setTextViewText(R.id.word_type, matcher.group(2));
                updateViews.setTextViewText(R.id.definition, matcher.group(3).trim());


                String definePage = res.getString(R.string.template_define_url,
                        Uri.encode(wordTitle));
                Intent defineIntent = new Intent(Intent.ACTION_VIEW, Uri.parse(definePage)); //这里是打开相应的网页,所以Uri是http的url,action是view即打开web浏览器
                PendingIntent pendingIntent = PendingIntent.getActivity(context,
                        0 /* no requestCode */, defineIntent, 0 /* no flags */);
                updateViews.setOnClickPendingIntent(R.id.widget, pendingIntent); //单击Widget打开Activity

            } else {

                updateViews = new RemoteViews(context.getPackageName(), R.layout.widget_message);
                CharSequence errorMessage = context.getText(R.string.widget_error);
                updateViews.setTextViewText(R.id.message, errorMessage);
            }
            return updateViews;
        }

        @Override
        public IBinder onBind(Intent intent) {
            // We don't need to bind to this service
            return null;
        }
    }
}

  有关网络通讯的实体类,以及一些常量定义如下:

  public class SimpleWikiHelper {
    private static final String TAG = "SimpleWikiHelper";

    public static final String WORD_OF_DAY_REGEX =
            "(?s)\\{\\{wotd\\|(.+?)\\|(.+?)\\|([^#\\|]+).*?\\}\\}";

    private static final String WIKTIONARY_PAGE =
            "http://en.wiktionary.org/w/api.php?action=query&prop=revisions&titles=%s&" +
            "rvprop=content&format=json%s";

    private static final String WIKTIONARY_EXPAND_TEMPLATES =
            "&rvexpandtemplates=true";

    private static final int HTTP_STATUS_OK = 200;


    private static byte[] sBuffer = new byte[512];


    private static String sUserAgent = null;

     public static class ApiException extends Exception {
        public ApiException(String detailMessage, Throwable throwable) {
            super(detailMessage, throwable);
        }

        public ApiException(String detailMessage) {
            super(detailMessage);
        }
    }


    public static class ParseException extends Exception {
        public ParseException(String detailMessage, Throwable throwable) {
            super(detailMessage, throwable);
        }
    }

    public static void prepareUserAgent(Context context) {
        try {
            // Read package name and version number from manifest
            PackageManager manager = context.getPackageManager();
            PackageInfo info = manager.getPackageInfo(context.getPackageName(), 0);
            sUserAgent = String.format(context.getString(R.string.template_user_agent),
                    info.packageName, info.versionName);

        } catch(NameNotFoundException e) {
            Log.e(TAG, "Couldn't find package information in PackageManager", e);
        }
    }


    public static String getPageContent(String title, boolean expandTemplates)
            throws ApiException, ParseException {

        String encodedTitle = Uri.encode(title);
        String expandClause = expandTemplates ? WIKTIONARY_EXPAND_TEMPLATES : "";


        String content = getUrlContent(String.format(WIKTIONARY_PAGE, encodedTitle, expandClause));
        try {

            JSONObject response = new JSONObject(content);
            JSONObject query = response.getJSONObject("query");
            JSONObject pages = query.getJSONObject("pages");
            JSONObject page = pages.getJSONObject((String) pages.keys().next());
            JSONArray revisions = page.getJSONArray("revisions");
            JSONObject revision = revisions.getJSONObject(0);
            return revision.getString("*");
        } catch (JSONException e) {
            throw new ParseException("Problem parsing API response", e);
        }
    }


    protected static synchronized String getUrlContent(String url) throws ApiException {
        if (sUserAgent == null) {
            throw new ApiException("User-Agent string must be prepared");
        }


        HttpClient client = new DefaultHttpClient();
        HttpGet request = new HttpGet(url);
        request.setHeader("User-Agent", sUserAgent); //设置客户端标识

        try {
            HttpResponse response = client.execute(request);

            StatusLine status = response.getStatusLine();
            if (status.getStatusCode() != HTTP_STATUS_OK) {
                throw new ApiException("Invalid response from server: " +
                        status.toString());
            }

            HttpEntity entity = response.getEntity();
            InputStream inputStream = entity.getContent(); //获取HTTP返回的数据流

            ByteArrayOutputStream content = new ByteArrayOutputStream();

            int readBytes = 0;
            while ((readBytes = inputStream.read(sBuffer)) != -1) {
                content.write(sBuffer, 0, readBytes); //转化为字节数组流
            }

            return new String(content.toByteArray()); //从字节数组构建String
        } catch (IOException e) {
            throw new ApiException("Problem communicating with API", e);
        }
    }
}

有关整个每日维基的widget例子比较简单,主要是帮助大家积累常用代码,了解Android平台 JSON的处理方式,毕竟很多Server还是Java的。

http://www.android123.com.cn/androidkaifa/664.html
分享到:
评论

相关推荐

    Android JSON解析示例代码.txt

    ### Android JSON解析示例代码详解 #### 一、概述 在Android开发中,JSON作为一种轻量级的数据交换格式被广泛应用于客户端与服务器之间的数据交互。本文档将通过一个具体的示例来详细介绍如何在Android应用程序中...

    Android_JSON数据解析

    Retrofit是另一种流行的Android网络库,它允许更优雅地处理网络请求和响应,包括JSON解析。添加依赖: ```groovy implementation 'com.squareup.retrofit2:retrofit:2.9.0' implementation '...

    Android Json 解析demo

    在“Android Json 解析demo”项目中,可能包含了创建JSON解析器的代码示例,以及如何在Android Studio中运行和测试这些功能的步骤。你可以通过查看项目中的JsonDemo文件来学习具体的实现细节,包括如何读取网络上的...

    android JSON解析放入ListView

    2. 示例代码: - 请求数据: ```java OkHttpClient client = new OkHttpClient(); Request request = new Request.Builder() .url("http://example.com/data.json") .build(); client.newCall(request)....

    Android json解析jar包

    在实际开发中,使用Gson库进行JSON解析的示例代码可能如下: ```java import com.google.gson.Gson; // JSON字符串 String jsonString = "{\"name\":\"John\", \"age\":30, \"city\":\"New York\"}"; // 创建对应...

    android之json和gson数据解析最完整的代码例子(包括各种样式的json数据)

    二、Android中的JSON解析 在Android中,我们通常使用`org.json`库或`com.google.gson`库来解析JSON数据。 1. `org.json`库:这是Android SDK自带的一个轻量级库,主要用于解析简单的JSON数据。 - JSONObject:...

    android json解析demo

    在Android开发中,理解并熟练使用JSON解析是至关重要的,因为它允许应用程序与服务器进行高效的数据交互。本示例将深入讲解如何在Android中解析JSON数据。 1. JSON基本结构: JSON基于JavaScript语法,但不依赖...

    Android XML和JSON解析代码

    3. **org.json库**:Android自带的JSON解析库,支持将JSON字符串转换为`JSONObject`和`JSONArray`,并提供相关的方法进行解析。 4. **Fastjson库**:阿里巴巴的高性能JSON库,适用于大量数据处理。 ### Android...

    Android Studio解析JSON对象

    本主题聚焦于“Android Studio解析JSON对象”,这是一个非常关键且实用的技能,因为JSON作为一种轻量级的数据交换格式,广泛应用于网络通信和数据存储。JSON对象可以方便地表示各种复杂的数据结构,包括数组、键值...

    老罗android 解析json数据源码

    9. **测试**:为了确保JSON解析的正确性,编写单元测试和集成测试是必要的。JUnit、Mockito等工具可以帮助进行测试。 在"06.android解析json数据(ppt&源码)"这个文件中,可能包含了讲解PPT和实际的源码示例。通过...

    Android Json解析

    这篇博客文章将探讨如何在Android应用中解析JSON数据,我们将不涉及具体的代码示例,而是深入理解JSON解析的基础和常用方法。 1. JSON基本结构: JSON主要由对象(Objects)和数组(Arrays)构成。对象是一组键值...

    json解析_简单的练习

    `jsontodemo`可能是一个项目文件或者源码示例,它可能包含了解析JSON的完整代码示例,帮助开发者理解如何在实际项目中实现JSON解析。 在实际操作中,解析JSON通常包括以下几个步骤: 1. 获取JSON字符串:这可以通过...

    Android JSON 解析库的使用

    本文将详细介绍两种常用的Android JSON解析库——Gson和Fast-json,以及它们的特点、优势、基本用法,并通过实际应用案例展示如何在Android项目中有效利用它们。 1. Gson库 Gson是Google提供的一个Java库,能够将...

    Android解析json数据示例代码(三种方式)

    "Android解析json数据示例代码(三种方式)" 本篇文章主要介绍了Android平台上解析JSON数据的三种方式,分别是Android自带解析、Gson解析和FastJson解析。 一、Android自带解析 在Android平台上,自带的JSON解析...

    Android Studio解析JSON数组

    这个过程对于任何初学者来说都是一个重要的学习点,因为它涉及到网络数据获取、JSON解析以及UI展示。 首先,我们需要了解JSON(JavaScript Object Notation)是一种轻量级的数据交换格式,易于人阅读和编写,同时也...

    C#使用LitJson解析JSON的示例代码

    JSON(JavaScript Object Notation) 是一种轻量级的数据交换格式。...易于人阅读和编写,同时也易于机器解析和生成。 如果曾经使用过Json,就会清楚Json可以分为两个部分: 1. Json Object(A collection

    android客户端json解析

    在JSPDemo-Android项目中,你可以找到关于这个过程的具体实现,包括请求API、接收响应、解析JSON以及在UI上展示数据等示例代码。通过学习和实践这些代码,你将能够更好地理解和掌握Android客户端的JSON解析技术。

    android json与xml解析 例子 demo

    2. Android JSON解析库: Android提供了org.json库,可以方便地进行JSON解析。主要包括两个主要类:JSONObject用于处理对象,JSONArray用于处理数组。 3. 解析示例: ```java try { String jsonString = "{\"name...

    JSON解析demo.zip

    本示例"JSON解析demo.zip"提供的可能是一个使用自定义封装类快速解析JSON数据的实例,这对于简化代码和提高效率非常有用。 首先,我们来了解`org.json`库中的主要类: 1. **JSONObject**:代表一个JSON对象,它由...

Global site tag (gtag.js) - Google Analytics