android – 如何在主线程上运行服务?

前端之家收集整理的这篇文章主要介绍了android – 如何在主线程上运行服务?前端之家小编觉得挺不错的,现在分享给大家,也给大家做个参考。
我正在尝试启动服务,然后打开套接字与服务器连接.

在按钮上单击我创建新线程然后启动服务.

Thread t = new Thread(){
        public void run(){
            mIntent= new Intent(MainActivity.this,ConnectonService.class);
            mIntent.putExtra("KEY1","Value used by the service");
            context.startService(mIntent);
        }
    };
t.start();

然后在服务上,我尝试打开套接字并与服务器连接

@Override
public int onStartCommand(Intent intent,int flags,int startId) {
    //TODO do something useful


    try {
        InetAddress serverAddr = InetAddress.getByName(SERVER_IP);
        socket = new Socket(serverAddr,SERVERPORT);
        Scanner scanner = new Scanner(socket.getInputStream());
        message = scanner.nextLine();
    } catch (IOException e) {
        e.printStackTrace();
    }

    return Service.START_NOT_STICKY;
}

但是当我打电话给我时,我有错误

08-30 08:56:49.268: E/AndroidRuntime(3751): java.lang.RuntimeException: Unable to start service com.example.testofconnection.ConnectonService@40ef02a8 with Intent { cmp=com.example.testofconnection/.ConnectonService (has extras) }: android.os.NetworkOnMainThreadException*

我认为问题是服务在主线程上,但是我找不到如何在新的(独立)线程上启动服务以保持连接活动?

解决方法

您可以使用IntentService.只需使用主线程中的Intent正常启动它. onHandleIntent()方法后台线程中执行.把你的套接代码放在那里.这是一个示例代码.
public class MyIntentService extends IntentService {

    public MyIntentService() {
        super("MyIntentService");
    }

    @Override
    protected void onHandleIntent(Intent intent) {
        // this method is called in background thread
    }

    @Override
    public IBinder onBind(Intent intent) {
        return null;
    }

}

在您的活动中,您将按以下方式启动服务.

startService(new Intent(this,MyIntentService.class));

如果您需要持久的服务,您可以创建一个正常的服务并在那里启动一个线程.这是一个例子.确保将其作为“前台”服务启动.这将使服务运行更长时间而不会被Android杀死.

public class MyAsyncService extends Service {

    private Runnable runnable = new Runnable() {
        @Override
        public void run() {
            while(true) {
                // put your socket-code here
                ...
            }
        }
    }

    @Override
    public void onCreate() {

        // start new thread and you your work there
        new Thread(runnable).start();

        // prepare a notification for user and start service foreground
        Notification notification = ...
        // this will ensure your service won't be killed by Android
        startForeground(R.id.notification,notification);
    }
}
原文链接:https://www.f2er.com/android/314138.html

猜你在找的Android相关文章