Allow uploading media to media folder (#66143)
This commit is contained in:
parent
0fb2c78b6d
commit
dd48f1e6fc
2 changed files with 221 additions and 2 deletions
|
@ -1,21 +1,29 @@
|
|||
"""Local Media Source Implementation."""
|
||||
from __future__ import annotations
|
||||
|
||||
import logging
|
||||
import mimetypes
|
||||
from pathlib import Path
|
||||
|
||||
from aiohttp import web
|
||||
from aiohttp.web_request import FileField
|
||||
from aioshutil import shutil
|
||||
import voluptuous as vol
|
||||
|
||||
from homeassistant.components.http import HomeAssistantView
|
||||
from homeassistant.components.media_player.const import MEDIA_CLASS_DIRECTORY
|
||||
from homeassistant.components.media_player.errors import BrowseError
|
||||
from homeassistant.core import HomeAssistant, callback
|
||||
from homeassistant.util import raise_if_invalid_path
|
||||
from homeassistant.exceptions import Unauthorized
|
||||
from homeassistant.util import raise_if_invalid_filename, raise_if_invalid_path
|
||||
|
||||
from .const import DOMAIN, MEDIA_CLASS_MAP, MEDIA_MIME_TYPES
|
||||
from .error import Unresolvable
|
||||
from .models import BrowseMediaSource, MediaSource, MediaSourceItem, PlayMedia
|
||||
|
||||
MAX_UPLOAD_SIZE = 1024 * 1024 * 10
|
||||
LOGGER = logging.getLogger(__name__)
|
||||
|
||||
|
||||
@callback
|
||||
def async_setup(hass: HomeAssistant) -> None:
|
||||
|
@ -23,6 +31,7 @@ def async_setup(hass: HomeAssistant) -> None:
|
|||
source = LocalSource(hass)
|
||||
hass.data[DOMAIN][DOMAIN] = source
|
||||
hass.http.register_view(LocalMediaView(hass, source))
|
||||
hass.http.register_view(UploadMediaView(hass, source))
|
||||
|
||||
|
||||
class LocalSource(MediaSource):
|
||||
|
@ -43,11 +52,14 @@ class LocalSource(MediaSource):
|
|||
@callback
|
||||
def async_parse_identifier(self, item: MediaSourceItem) -> tuple[str, str]:
|
||||
"""Parse identifier."""
|
||||
if item.domain != DOMAIN:
|
||||
raise Unresolvable("Unknown domain.")
|
||||
|
||||
if not item.identifier:
|
||||
# Empty source_dir_id and location
|
||||
return "", ""
|
||||
|
||||
source_dir_id, location = item.identifier.split("/", 1)
|
||||
source_dir_id, _, location = item.identifier.partition("/")
|
||||
if source_dir_id not in self.hass.config.media_dirs:
|
||||
raise Unresolvable("Unknown source directory.")
|
||||
|
||||
|
@ -217,3 +229,88 @@ class LocalMediaView(HomeAssistantView):
|
|||
raise web.HTTPNotFound()
|
||||
|
||||
return web.FileResponse(media_path)
|
||||
|
||||
|
||||
class UploadMediaView(HomeAssistantView):
|
||||
"""View to upload images."""
|
||||
|
||||
url = "/api/media_source/local_source/upload"
|
||||
name = "api:media_source:local_source:upload"
|
||||
|
||||
def __init__(self, hass: HomeAssistant, source: LocalSource) -> None:
|
||||
"""Initialize the media view."""
|
||||
self.hass = hass
|
||||
self.source = source
|
||||
self.schema = vol.Schema(
|
||||
{
|
||||
"media_content_id": str,
|
||||
"file": FileField,
|
||||
}
|
||||
)
|
||||
|
||||
async def post(self, request: web.Request) -> web.Response:
|
||||
"""Handle upload."""
|
||||
if not request["hass_user"].is_admin:
|
||||
raise Unauthorized()
|
||||
|
||||
# Increase max payload
|
||||
request._client_max_size = MAX_UPLOAD_SIZE # pylint: disable=protected-access
|
||||
|
||||
try:
|
||||
data = self.schema(dict(await request.post()))
|
||||
except vol.Invalid as err:
|
||||
LOGGER.error("Received invalid upload data: %s", err)
|
||||
raise web.HTTPBadRequest() from err
|
||||
|
||||
try:
|
||||
item = MediaSourceItem.from_uri(self.hass, data["media_content_id"])
|
||||
except ValueError as err:
|
||||
LOGGER.error("Received invalid upload data: %s", err)
|
||||
raise web.HTTPBadRequest() from err
|
||||
|
||||
try:
|
||||
source_dir_id, location = self.source.async_parse_identifier(item)
|
||||
except Unresolvable as err:
|
||||
LOGGER.error("Invalid local source ID")
|
||||
raise web.HTTPBadRequest() from err
|
||||
|
||||
uploaded_file: FileField = data["file"]
|
||||
|
||||
if not uploaded_file.content_type.startswith(("image/", "video/")):
|
||||
LOGGER.error("Content type not allowed")
|
||||
raise vol.Invalid("Only images and video are allowed")
|
||||
|
||||
try:
|
||||
raise_if_invalid_filename(uploaded_file.filename)
|
||||
except ValueError as err:
|
||||
LOGGER.error("Invalid filename")
|
||||
raise web.HTTPBadRequest() from err
|
||||
|
||||
try:
|
||||
await self.hass.async_add_executor_job(
|
||||
self._move_file,
|
||||
self.source.async_full_path(source_dir_id, location),
|
||||
uploaded_file,
|
||||
)
|
||||
except ValueError as err:
|
||||
LOGGER.error("Moving upload failed: %s", err)
|
||||
raise web.HTTPBadRequest() from err
|
||||
|
||||
return self.json(
|
||||
{"media_content_id": f"{data['media_content_id']}/{uploaded_file.filename}"}
|
||||
)
|
||||
|
||||
def _move_file( # pylint: disable=no-self-use
|
||||
self, target_dir: Path, uploaded_file: FileField
|
||||
) -> None:
|
||||
"""Move file to target."""
|
||||
if not target_dir.is_dir():
|
||||
raise ValueError("Target is not an existing directory")
|
||||
|
||||
target_path = target_dir / uploaded_file.filename
|
||||
|
||||
target_path.relative_to(target_dir)
|
||||
raise_if_invalid_path(str(target_path))
|
||||
|
||||
with target_path.open("wb") as target_fp:
|
||||
shutil.copyfileobj(uploaded_file.file, target_fp)
|
||||
|
|
Loading…
Add table
Add a link
Reference in a new issue