Vamos a ver como transmitir en streaming la cámara de Raspberry Pi vía web en tiempo real conectándonos a su dirección IP en local. Con este método podremos visualizar la cámara de la Raspberri Pi en tiempo real desde cualquier dispositivo que tenga navegador y este conectado a la misma red local en la que se encuentra esta Raspberry Pi.
Para ello requeriremos una Raspberry Pi con Raspbian instalado, con Python3 y con una cámara conectada. En caso de no tener Python3 instalado, lo podemos instalar con el comando:
sudo apt-get install python3
Con la Raspberry Pi preparada, el primer paso es activar la cámara. para ello, seguiremos los siguientes pasos:
- Abre la ventana Configuración de Raspberry Pi
- Menú Preferencias
- Presionamos sobre la pestaña Interfaces
- En el apartado Camera, presionamos sobre Enable

- Reiniciamos la Raspberry Pi
A continuación crearemos un script en Python que generará una página HTML en la que se mostrará la imagen captada por la cámara en tiempo real, y le asignará un puerto para acceder a ella. Para ello seguiremos los siguientes pasos:
- Abre una terminal de comandos
- Escribe el siguiente código:
nano rpi_camera_stream.py
- En la terminal copiamos el siguiente código:
# Web streaming example
# Source code from the official PiCamera package
# http://picamera.readthedocs.io/en/latest/recipes2.html#web-streaming
import io
import picamera
import logging
import socketserver
from threading import Condition
from http import server
PAGE="""\
<html>
<head>
<title>picamera MJPEG streaming demo</title>
</head>
<body>
<h1>PiCamera MJPEG Streaming Demo</h1>
<img src="stream.mjpg" width="640" height="480" />
</body>
</html>
"""
class StreamingOutput(object):
def __init__(self):
self.frame = None
self.buffer = io.BytesIO()
self.condition = Condition()
def write(self, buf):
if buf.startswith(b'\xff\xd8'):
# New frame, copy the existing buffer's content and notify all
# clients it's available
self.buffer.truncate()
with self.condition:
self.frame = self.buffer.getvalue()
self.condition.notify_all()
self.buffer.seek(0)
return self.buffer.write(buf)
class StreamingHandler(server.BaseHTTPRequestHandler):
def do_GET(self):
if self.path == '/':
self.send_response(301)
self.send_header('Location', '/index.html')
self.end_headers()
elif self.path == '/index.html':
content = PAGE.encode('utf-8')
self.send_response(200)
self.send_header('Content-Type', 'text/html')
self.send_header('Content-Length', len(content))
self.end_headers()
self.wfile.write(content)
elif self.path == '/stream.mjpg':
self.send_response(200)
self.send_header('Age', 0)
self.send_header('Cache-Control', 'no-cache, private')
self.send_header('Pragma', 'no-cache')
self.send_header('Content-Type', 'multipart/x-mixed-replace; boundary=FRAME')
self.end_headers()
try:
while True:
with output.condition:
output.condition.wait()
frame = output.frame
self.wfile.write(b'--FRAME\r\n')
self.send_header('Content-Type', 'image/jpeg')
self.send_header('Content-Length', len(frame))
self.end_headers()
self.wfile.write(frame)
self.wfile.write(b'\r\n')
except Exception as e:
logging.warning(
'Removed streaming client %s: %s',
self.client_address, str(e))
else:
self.send_error(404)
self.end_headers()
class StreamingServer(socketserver.ThreadingMixIn, server.HTTPServer):
allow_reuse_address = True
daemon_threads = True
with picamera.PiCamera(resolution='640x480', framerate=24) as camera:
output = StreamingOutput()
camera.start_recording(output, format='mjpeg')
try:
address = ('', 8000)
server = StreamingServer(address, StreamingHandler)
server.serve_forever()
finally:
camera.stop_recording()
- Presiona Ctrl + X para salir del editor
- Posteriormente presiona Y y Enter para guardar los cambios
- En la terminal, ejecuta la orden ifconfig para averiguar la IP de la Raspberry Pi

- Para finalizar, ejecuta el script que hemos creado anteriormente con el comando siguiente en la terminal:
python3 rpi_camera_stream.py
Visualizar la cámara
Desde cualquier dispositivo con explorador de internet conectado a la misma red local que la Raspberry Pi, acceda a la dirección http://[IP-Raspberry-Pi]:8000/ en nuestro ejemplo quedaría http://192.168.1.112:8000/
Fuente: http://picamera.readthedocs.io/en/latest/recipes2.html#web-streaming