Android 異常 android.os.NetworkOnMainThreadException
阿新 • • 發佈:2019-01-03
最近在實現一個Android下的資料採集的SDK,收集使用者使用資料使用HTTP傳送到雲平臺,進行資料分析。但在傳送資料時報如下錯誤:
Caused by: android.os.NetworkOnMainThreadException
第三種、直接忽視,強制使用(強烈不推薦,但是修改簡單)
在MainActivity檔案的setContentView(R.layout.activity_main)下面加上如下程式碼
Caused by: android.os.NetworkOnMainThreadException
產生的原因,官方解釋:
Class Overview The exception that is thrown when an application attempts to perform a networking operation on its main thread. This is only thrown for applications targeting the Honeycomb SDK or higher. Applications targeting earlier SDK versions are allowed to do networking on their main event loop threads, but it's heavily discouraged. See the document Designing for Responsiveness. Also see StrictMode.
http://developer.android.com/intl/zh-cn/reference/android/os/NetworkOnMainThreadException.html
上面的意思是,從SDK3.0開始,google不再允許網路請求(HTTP、Socket)等相關操作直接在主執行緒中,其實本來就不應該這樣做,直接在UI執行緒進行網路操作,會阻塞UI、使用者體驗不好。
也就是說,在SDK3.0以下的版本,還可以繼續在主執行緒裡這樣做,在3.0以上,就不行了。所以,在下面的程式碼中,使用Thread、Runnable、Handler這三個類:
第二種、使用非同步機制如:asynctask,這個舉個簡單的載入網路圖片的例子:public void onCreate(Bundle savedInstanceState) { super.onCreate(savedInstanceState); this.setContentView(R.layout.test); // 開啟一個子執行緒,進行網路操作,等待有返回結果,使用handler通知UI new Thread(networkTask).start(); } Handler handler = new Handler() { @Override public void handleMessage(Message msg) { super.handleMessage(msg); Bundle data = msg.getData(); String val = data.getString("value"); Log.i("mylog", "請求結果為-->" + val); // UI介面的更新等相關操作 } }; /** * 網路操作相關的子執行緒 */ Runnable networkTask = new Runnable() { @Override public void run() { // 在這裡進行 http request.網路請求相關操作 MobEventService.postonKillProcess(context); Message msg = new Message(); Bundle data = new Bundle(); data.putString("value", "請求結果"); msg.setData(data); handler.sendMessage(msg); } };
class DownImage extends AsyncTask { private ImageView imageView; public DownImage(ImageView imageView) { this.imageView = imageView; } @Override protected Bitmap doInBackground(String... params) { String url = params[0]; Bitmap bitmap = null; try { //載入一個網路圖片 InputStream is = new URL(url).openStream(); bitmap = BitmapFactory.decodeStream(is); } catch (Exception e) { e.printStackTrace(); } return bitmap; } @Override protected void onPostExecute(Bitmap result) { imageView.setImageBitmap(result); } }
第三種、直接忽視,強制使用(強烈不推薦,但是修改簡單)
在MainActivity檔案的setContentView(R.layout.activity_main)下面加上如下程式碼
if (android.os.Build.VERSION.SDK_INT > 9) {
StrictMode.ThreadPolicy policy = new StrictMode.ThreadPolicy.Builder().permitAll().build();
StrictMode.setThreadPolicy(policy);
}
請記住,如果在主執行緒裡聲明瞭一個handler,這個handler所Post 的 Runnable(Thread)、以及處理的message都是在當前的主執行緒裡,非子執行緒。