线程睡眠与python中的中断(来自java的端口)



我有以下Java类,我想(在概念上(将其移植到python。

这个想法是,你有一个闹钟线程,它会睡x秒(直到第二天早上(,除非设置了新的唤醒时间,在这一点上,睡眠线程被中断,新的剩余时间被设置,它会在这段时间内睡觉。如果它完成了睡眠,它会触发警报声,并等待设置新的唤醒时间

我想把它移植到Python,但我只花了几个小时在谷歌上搜索,虽然Python中有1001种管理线程和睡眠的方法,但我找不到如何在x秒内睡眠((,但也发送中断。

需要明确的是,我不需要有人为我编写整个课程,只需要一个简单的睡眠和中断示例就足够了,这样我就可以理解Python中的操作方式。

package com.njitram.bedroomtunes.server.alarm;
import java.text.SimpleDateFormat;
import java.util.Calendar;
import com.njitram.bedroomtunes.log.Logger;
public class AlarmThread extends Thread {
private Calendar wakeupTime;
private Alarm alarm;

/*
* Constructor to disable the alarm
*/
public AlarmThread(Alarm alarm) {
this(null, alarm);
}

public AlarmThread(Calendar wakeupTime, Alarm alarm) {
this.alarm = alarm;
if(wakeupTime == null) {
disable();
} else {
setNewWakeUpTime(wakeupTime);
}
this.start();
}

public void setNewWakeUpTime(Calendar wakeupTime) {
Logger.log("New Wake time set for AlarmThread: " + new SimpleDateFormat("dd-MM-yyyy HH:mm:ss").format(wakeupTime.getTime()));
this.wakeupTime = wakeupTime;
// If the thread was already started, it will be sleeping. Wake it up and recalculate how long it needs to sleep. Interrupting will achieve this.
this.interrupt();
}

public void disable() {
setNewWakeUpTime(getDisabledTime());
}

private Calendar getDisabledTime() {
// The idea is to disable the alarm. If the alarm eventually goes off in the year 3000, I deserve to wake up...
Calendar wakeupTime = Calendar.getInstance();
wakeupTime.set(Calendar.YEAR, 3000);
return wakeupTime;
}

@Override
public void run() {
while(true) {
try {
long sleepTime = getSleepTime();
Logger.log("Sleeping for "+sleepTime);
// Sleep until it is time for the alarm to go off. This can be interrupted if a new wakeUpTime is set
Thread.sleep(sleepTime);
// After sleeping, wake up
wakeUp();
// Wait for the new time to be set and the alarm to send an interrupt to continue the thread
synchronized(this) {
wait();
}
} catch (InterruptedException e) {
Logger.log("Interrupted");
/* The thread can be interrupted when a new wake-up time has been set */
}
}
}

private long getSleepTime() {
return wakeupTime.getTimeInMillis() - Calendar.getInstance().getTimeInMillis();
}

private void wakeUp() {
alarm.wakeUp();
}
}

APScheduler软件包似乎提供了您想要的功能。用户指南应包含有关设置和删除时间表所需的所有功能的信息。

注意,这与使用调度的睡眠方法不同——尽管我建议不要"忙于睡眠",因为它会浪费CPU周期

最新更新