2013-10-19 33 views
1

我有以下代碼:運行服務器一起無限循環在Python

#!/usr/bin/python 
import StringIO 
import subprocess 
import os 
import time 
from datetime import datetime 
from PIL import Image 

# Original code written by brainflakes and modified to exit 
# image scanning for loop as soon as the sensitivity value is exceeded. 
# this can speed taking of larger photo if motion detected early in scan 

# Motion detection settings: 
# need future changes to read values dynamically via command line parameter or xml file 
# -------------------------- 
# Threshold  - (how much a pixel has to change by to be marked as "changed") 
# Sensitivity - (how many changed pixels before capturing an image) needs to be higher if noisy view 
# ForceCapture - (whether to force an image to be captured every forceCaptureTime seconds) 
# filepath  - location of folder to save photos 
# filenamePrefix - string that prefixes the file name for easier identification of files. 
threshold = 10 
sensitivity = 180 
forceCapture = True 
forceCaptureTime = 60 * 60 # Once an hour 
filepath = "/home/pi/camera" 
filenamePrefix = "capture" 
# File photo size settings 
saveWidth = 1280 
saveHeight = 960 
diskSpaceToReserve = 40 * 1024 * 1024 # Keep 40 mb free on disk 

# Capture a small test image (for motion detection) 
def captureTestImage(): 
    command = "raspistill -w %s -h %s -t 500 -e bmp -o -" % (100, 75) 
    imageData = StringIO.StringIO() 
    imageData.write(subprocess.check_output(command, shell=True)) 
    imageData.seek(0) 
    im = Image.open(imageData) 
    buffer = im.load() 
    imageData.close() 
    return im, buffer 

# Save a full size image to disk 
def saveImage(width, height, diskSpaceToReserve): 
    keepDiskSpaceFree(diskSpaceToReserve) 
    time = datetime.now() 
    filename = filepath + "/" + filenamePrefix + "-%04d%02d%02d-%02d%02d%02d.jpg" % (time.year, time.month, time.day, time.hour, time.minute, time.second) 
    subprocess.call("raspistill -w 1296 -h 972 -t 1000 -e jpg -q 15 -o %s" % filename, shell=True) 
    print "Captured %s" % filename 

# Keep free space above given level 
def keepDiskSpaceFree(bytesToReserve): 
    if (getFreeSpace() < bytesToReserve): 
     for filename in sorted(os.listdir(filepath + "/")): 
      if filename.startswith(filenamePrefix) and filename.endswith(".jpg"): 
       os.remove(filepath + "/" + filename) 
       print "Deleted %s to avoid filling disk" % filename 
       if (getFreeSpace() > bytesToReserve): 
        return 

# Get available disk space 
def getFreeSpace(): 
    st = os.statvfs(".") 
    du = st.f_bavail * st.f_frsize 
    return du 

# Get first image 
image1, buffer1 = captureTestImage() 

# Reset last capture time 
lastCapture = time.time() 

# added this to give visual feedback of camera motion capture activity. Can be removed as required 
os.system('clear') 
print "   Motion Detection Started" 
print "   ------------------------" 
print "Pixel Threshold (How much) = " + str(threshold) 
print "Sensitivity (changed Pixels) = " + str(sensitivity) 
print "File Path for Image Save  = " + filepath 
print "---------- Motion Capture File Activity --------------" 

while (True): 

    # Get comparison image 
    image2, buffer2 = captureTestImage() 

    # Count changed pixels 
    changedPixels = 0 
    for x in xrange(0, 100): 
     # Scan one line of image then check sensitivity for movement 
     for y in xrange(0, 75): 
      # Just check green channel as it's the highest quality channel 
      pixdiff = abs(buffer1[x,y][1] - buffer2[x,y][1]) 
      if pixdiff > threshold: 
       changedPixels += 1 

     # Changed logic - If movement sensitivity exceeded then 
     # Save image and Exit before full image scan complete 
     if changedPixels > sensitivity: 
      lastCapture = time.time() 
      saveImage(saveWidth, saveHeight, diskSpaceToReserve) 
      break 
     continue 

    # Check force capture 
    if forceCapture: 
     if time.time() - lastCapture > forceCaptureTime: 
      changedPixels = sensitivity + 1 

    # Swap comparison buffers 
    image1 = image2 
    buffer1 = buffer2 

此代碼需要的圖片,一旦檢測到移動,並保持這樣做,直到我手動停止。 (我應該指出,該代碼是與樹莓派電腦使用)

我也有彌敦道Jhaveri以下代碼禮貌這裏#2:

import SocketServer 
from BaseHTTPServer import BaseHTTPRequestHandler 

def some_function(): 
    print "some_function got called" 

class MyHandler(BaseHTTPRequestHandler): 
    def do_GET(self): 
     if self.path == '/captureImage': 
      saveImage(saveWidth, saveHeight, diskSpaceToReserve) 

     self.send_response(200) 

httpd = SocketServer.TCPServer(("", 8080), MyHandler) 
httpd.serve_forever() 

此代碼運行,將執行一個簡單的服務器

saveImage(saveWidth, saveHeight, diskSpaceToReserve) 

在服務器上訪問url/captureImage時的功能。儘管如此,我遇到了一個問題。由於這兩段代碼都是無限循環,所以它們不能並排運行。我假設我需要做一些多線程,但這是我以前從未在Python中進行過實驗的東西。如果有人能幫助我回到正軌,我將不勝感激。

回答

0

嘗試把web服務器,並在後臺線程上運行,以便調用「serve_forever()」不會阻止主線程的「while True:」循環。喜歡的東西替換現有的呼叫httpd.serve_forever():

import threading 
class WebThread(threading.Thread): 
    def run(self): 
     httpd = SocketServer.TCPServer(("", 8080), MyHandler) 
     httpd.serve_forever() 

WebThread().start() 

確認的代碼塊中的前運行「而(真):」循環,你應該有兩個Web服務器循環和主線程循環運行。

請記住,讓多個線程變得複雜。當兩個線程同時訪問相同的資源時會發生什麼?正如Velox在另一個答案中提到的,值得更多地瞭解線程。