android.os.NetworkOnMainThreadException异常

这个异常大概意思是在主线程访问网络时出的异常。 Android在4.0之前的版本 支持在主线程中访问网络,但是在4.0以后对这部分程序进行了优化,也就是说访问网络的代码不能写在主线程中了。

那么如何做才能正常运行呢? 请看这里:

例如:  从网络中获取一个Url地址。 

url = AuthUtil.getAuthorizationURL();
if (url == null) {
	Toast.makeText(WebViewActivity.this, R.string.auth_url_empty, 3000).show();
}

如果直接写在主线程中的话 在2.x 版本中还是能运行 但是在4.0以后就会出现错误。



网上也有很多相关资料比如说在主线程中添加

        // 详见StrictMode文档
        StrictMode.setThreadPolicy(new StrictMode.ThreadPolicy.Builder()
                .detectDiskReads()
                .detectDiskWrites()
                .detectNetwork()   // or .detectAll() for all detectable problems
                .penaltyLog()
                .build());
        StrictMode.setVmPolicy(new StrictMode.VmPolicy.Builder()
                .detectLeakedSqlLiteObjects()
                .detectLeakedClosableObjects()
                .penaltyLog()
                .penaltyDeath()
                .build());

但是

.detectLeakedClosableObjects()  会报错, 



也就是说这个方法不用,但是查看源码发现其方法是公共的


/**
             * Detect when an {@link java.io.Closeable} or other
             * object with a explict termination method is finalized
             * without having been closed.
             *
             * 

You always want to explicitly close such objects to * avoid unnecessary resources leaks. */ public Builder detectLeakedClosableObjects() { return enable(DETECT_VM_CLOSABLE_LEAKS); }


这个我就有点搞不清楚怎么回事,资历尚浅还不会。哈哈。

所以我就用第二种方法 也就是多线程,异步加载的方式加载数据。

代码如下:

在主函数中发送一个空的消息 :

new Thread(){
			@Override
			public void run() {
				// TODO Auto-generated method stub
				super.run();
				url = AuthUtil.getAuthorizationURL();
				if (url == null) {
					Toast.makeText(WebViewActivity.this, R.string.auth_url_empty, 3000).show();
				}
				handler.sendEmptyMessage(0);
			}
		}.start();

在handler中接受到消息 作出相应的处理。

private Handler handler = new Handler() {

		public void handleMessage(Message msg) {
			switch (msg.what) {
				case 0:
					load(url, webView);
					break;
			}
		};
	};

这样就解决的这个异常。

有什么不对的地方,请多指教。

你可能感兴趣的:(android.os.NetworkOnMainThreadException异常)