暂停Python中的主线程

时间:2017-01-23 15:17:50

标签: python multithreading gpio

我正在用Python编写一些代码,以便在按下按钮时显示LCD显示屏上的信息。这是我的代码的一部分:

GPIO.setmode(GPIO.BCM)
GPIO.setup(18, GPIO.IN, pull_up_down=GPIO.PUD_UP)

def action1(self):
   temp = "15"
   lcd.clear()
   lcd.message("  Temp. Est.: \n" + "    " + temp + " " + chr(223) + "C")
   time.sleep(5.0) 
   lcd.clear

GPIO.add_event_detect(18, GPIO.RISING,callback=action1, bouncetime=800) 

while True:
date = datetime.now().strftime('%m-%d-%Y %H:%M')
lcd.message(date)
time.sleep(5.0)
lcd.clear()

此代码正常工作,但当我按下按钮时,它会显示温度,然后再显示时间和温度(这取决于我按下按钮的时间)。我已经读过“GPIO.add_event_detect”为回调函数运行第二个线程,它不会暂停主线程。我希望按下按钮后,只要按下按钮,它就会停留在液晶显示屏上然后从底部启动代码,在我的情况下是时间。 我怎么能实现它?谢谢!

1 个答案:

答案 0 :(得分:0)

多线程充满了反直觉的惊喜。为避免它们,我宁愿避免从两个不同的线程更新显示。

相反,我宁愿从处理程序线程发送消息,或者至少更新了它的共享标志。

主循环运行得更快并对更新作出反应(粗略草图):

desired_state = None  # the shared flag, updated from key press handler.
current_state = 'show_date'  # what we used to display
TICK = 0.1  # we check the state every 100 ms.
MAX_TICKS = 50  # we display a value for up to 5 seconds.
ticks_elapsed = 0
while True:
  if desired_state != current_state:
    # State changed, start displaying a new thing.
    current_state = desired_state
    ticks_elapsed = 0
    if desired_state == 'show_date':
      put_date_on_lcd()
    elif desired_state == 'show_temp':
      put_temp_on_lcd()
    elif desired_state == 'blank':
      clear_lcd()
    else:  # unknown state, we have an error in the program.
       signal_error('What? %s' % desired_state)
  # Advance the clock.
  time.sleep(TICK)
  ticks_elapsed += 1
  if ticks_elapsed >= MAX_TICKS:
    # Switch display to either date or blank.
    desired_state = 'show_date' if current_state == 'blank' else 'blank' 
    ticks_elapsed = 0

免责声明:我没有测试此代码。