mirror of
				https://github.com/blakeblackshear/frigate.git
				synced 2025-10-27 10:52:11 +01:00 
			
		
		
		
	* Add api to run face recognition on image * Rework save attempts option * Cleanup mobile object pane buttons * Adjust api signature * Remove param * Cleanup
		
			
				
	
	
		
			71 lines
		
	
	
		
			2.0 KiB
		
	
	
	
		
			Python
		
	
	
	
	
	
			
		
		
	
	
			71 lines
		
	
	
		
			2.0 KiB
		
	
	
	
		
			Python
		
	
	
	
	
	
| """Facilitates communication between processes."""
 | |
| 
 | |
| from enum import Enum
 | |
| from typing import Callable
 | |
| 
 | |
| import zmq
 | |
| 
 | |
| SOCKET_REP_REQ = "ipc:///tmp/cache/embeddings"
 | |
| 
 | |
| 
 | |
| class EmbeddingsRequestEnum(Enum):
 | |
|     clear_face_classifier = "clear_face_classifier"
 | |
|     embed_description = "embed_description"
 | |
|     embed_thumbnail = "embed_thumbnail"
 | |
|     generate_search = "generate_search"
 | |
|     recognize_face = "recognize_face"
 | |
|     register_face = "register_face"
 | |
|     reprocess_face = "reprocess_face"
 | |
|     reprocess_plate = "reprocess_plate"
 | |
| 
 | |
| 
 | |
| class EmbeddingsResponder:
 | |
|     def __init__(self) -> None:
 | |
|         self.context = zmq.Context()
 | |
|         self.socket = self.context.socket(zmq.REP)
 | |
|         self.socket.bind(SOCKET_REP_REQ)
 | |
| 
 | |
|     def check_for_request(self, process: Callable) -> None:
 | |
|         while True:  # load all messages that are queued
 | |
|             has_message, _, _ = zmq.select([self.socket], [], [], 0.01)
 | |
| 
 | |
|             if not has_message:
 | |
|                 break
 | |
| 
 | |
|             try:
 | |
|                 (topic, value) = self.socket.recv_json(flags=zmq.NOBLOCK)
 | |
| 
 | |
|                 response = process(topic, value)
 | |
| 
 | |
|                 if response is not None:
 | |
|                     self.socket.send_json(response)
 | |
|                 else:
 | |
|                     self.socket.send_json([])
 | |
|             except zmq.ZMQError:
 | |
|                 break
 | |
| 
 | |
|     def stop(self) -> None:
 | |
|         self.socket.close()
 | |
|         self.context.destroy()
 | |
| 
 | |
| 
 | |
| class EmbeddingsRequestor:
 | |
|     """Simplifies sending data to EmbeddingsResponder and getting a reply."""
 | |
| 
 | |
|     def __init__(self) -> None:
 | |
|         self.context = zmq.Context()
 | |
|         self.socket = self.context.socket(zmq.REQ)
 | |
|         self.socket.connect(SOCKET_REP_REQ)
 | |
| 
 | |
|     def send_data(self, topic: str, data: any) -> str:
 | |
|         """Sends data and then waits for reply."""
 | |
|         try:
 | |
|             self.socket.send_json((topic, data))
 | |
|             return self.socket.recv_json()
 | |
|         except zmq.ZMQError:
 | |
|             return ""
 | |
| 
 | |
|     def stop(self) -> None:
 | |
|         self.socket.close()
 | |
|         self.context.destroy()
 |