package dlna import ( "context" "encoding/xml" "fmt" "log" "mime" "net/http" "net/url" "os" "path" "path/filepath" "regexp" "sort" "strings" "github.com/anacrolix/dms/dlna" "github.com/anacrolix/dms/upnp" "github.com/anacrolix/dms/upnpav" "github.com/pkg/errors" "github.com/rclone/rclone/fs" "github.com/rclone/rclone/vfs" ) // Add a minimal number of mime types to augment go's built in types // for environments which don't have access to a mime.types file (eg // Termux on android) func init() { for _, t := range []struct { mimeType string extensions string }{ {"audio/flac", ".flac"}, {"audio/mpeg", ".mpga,.mpega,.mp2,.mp3,.m4a"}, {"audio/ogg", ".oga,.ogg,.opus,.spx"}, {"audio/x-wav", ".wav"}, {"image/tiff", ".tiff,.tif"}, {"video/dv", ".dif,.dv"}, {"video/fli", ".fli"}, {"video/mpeg", ".mpeg,.mpg,.mpe"}, {"video/MP2T", ".ts"}, {"video/mp4", ".mp4"}, {"video/quicktime", ".qt,.mov"}, {"video/ogg", ".ogv"}, {"video/webm", ".webm"}, {"video/x-msvideo", ".avi"}, {"video/x-matroska", ".mpv,.mkv"}, {"text/srt", ".srt"}, } { for _, ext := range strings.Split(t.extensions, ",") { err := mime.AddExtensionType(ext, t.mimeType) if err != nil { panic(err) } } } } type contentDirectoryService struct { *server upnp.Eventing } func (cds *contentDirectoryService) updateIDString() string { return fmt.Sprintf("%d", uint32(os.Getpid())) } var mediaMimeTypeRegexp = regexp.MustCompile("^(video|audio|image)/") // Turns the given entry and DMS host into a UPnP object. A nil object is // returned if the entry is not of interest. func (cds *contentDirectoryService) cdsObjectToUpnpavObject(cdsObject object, fileInfo vfs.Node, resources vfs.Nodes, host string) (ret interface{}, err error) { obj := upnpav.Object{ ID: cdsObject.ID(), Restricted: 1, ParentID: cdsObject.ParentID(), } if fileInfo.IsDir() { children, err := cds.readContainer(cdsObject, host) if err != nil { return nil, err } obj.Class = "object.container.storageFolder" obj.Title = fileInfo.Name() return upnpav.Container{ Object: obj, ChildCount: len(children), }, nil } if !fileInfo.Mode().IsRegular() { return } // Read the mime type from the fs.Object if possible, // otherwise fall back to working out what it is from the file path. var mimeType string if o, ok := fileInfo.DirEntry().(fs.Object); ok { mimeType = fs.MimeType(context.TODO(), o) } else { mimeType = fs.MimeTypeFromName(fileInfo.Name()) } mediaType := mediaMimeTypeRegexp.FindStringSubmatch(mimeType) if mediaType == nil { return } obj.Class = "object.item." + mediaType[1] + "Item" obj.Title = fileInfo.Name() item := upnpav.Item{ Object: obj, Res: make([]upnpav.Resource, 0, 1), } item.Res = append(item.Res, upnpav.Resource{ URL: (&url.URL{ Scheme: "http", Host: host, Path: resPath, RawQuery: url.Values{ "path": {cdsObject.Path}, }.Encode(), }).String(), ProtocolInfo: fmt.Sprintf("http-get:*:%s:%s", mimeType, dlna.ContentFeatures{ SupportRange: true, }.String()), Size: uint64(fileInfo.Size()), }) basePath, _ := path.Split(cdsObject.Path) for _, resource := range resources { subtitleURL := (&url.URL{ Scheme: "http", Host: host, Path: resPath, RawQuery: url.Values{ "path": {basePath + resource.Path()}, }.Encode(), }).String() item.Res = append(item.Res, upnpav.Resource{ URL: subtitleURL, ProtocolInfo: fmt.Sprintf("http-get:*:%s:*", "text/srt"), }) } ret = item return } // Returns all the upnpav objects in a directory. func (cds *contentDirectoryService) readContainer(o object, host string) (ret []interface{}, err error) { node, err := cds.vfs.Stat(o.Path) if err != nil { return } if !node.IsDir() { err = errors.New("not a directory") return } dir := node.(*vfs.Dir) dirEntries, err := dir.ReadDirAll() if err != nil { err = errors.New("failed to list directory") return } dirEntries, extraResources := partitionExtraResources(dirEntries) for _, de := range dirEntries { child := object{ path.Join(o.Path, de.Name()), } obj, err := cds.cdsObjectToUpnpavObject(child, de, extraResources[de], host) if err != nil { fs.Errorf(cds, "error with %s: %s", child.FilePath(), err) continue } if obj == nil { fs.Debugf(cds, "unrecognized file type: %s", de) continue } ret = append(ret, obj) } return } // Given a list of nodes, separate them into potential media items and any associated resources (external subtitles, // thumbnails, metadata, etc.) func partitionExtraResources(nodes vfs.Nodes) (vfs.Nodes, map[vfs.Node]vfs.Nodes) { // First, separate out the subtitles into a separate list from the media media, subtitles := make(vfs.Nodes, 0), make(vfs.Nodes, 0) for _, node := range nodes { name := strings.ToLower(node.Name()) // case insensitive switch path.Ext(name) { case ".srt": subtitles = append(subtitles, node) default: media = append(media, node) } } // Find the associated media file for each subtitle extraResources := make(map[vfs.Node]vfs.Nodes) for _, node := range subtitles { subtitleName := strings.ToLower(node.Name()) // For a media file named "My Video.mp4", we want to associated any subtitles named like // "My Video.srt", "My Video.en.srt", "My Video.es.srt", "My Video.forced.srt" // note: nodes must be sorted! vfs.dir.ReadDirAll() results are already sorted .. mediaIdx := sort.Search(len(media), func(idx int) bool { mediaName := strings.ToLower(media[idx].Name()) basename := strings.SplitN(mediaName, ".", 2)[0] if strings.Compare(subtitleName, basename) <= 0 { return true } if strings.HasPrefix(subtitleName, basename) { return subtitleName[len(basename)] == '.' } return false }) if mediaIdx == -1 { fs.Infof(node, "could not find associated media for subtitle: %s", node.Name()) continue } mediaNode := media[mediaIdx] fs.Debugf(mediaNode, "associating subtitle: %s", node.Name()) extraResources[mediaNode] = append(extraResources[mediaNode], node) } return media, extraResources } type browse struct { ObjectID string BrowseFlag string Filter string StartingIndex int RequestedCount int } // ContentDirectory object from ObjectID. func (cds *contentDirectoryService) objectFromID(id string) (o object, err error) { o.Path, err = url.QueryUnescape(id) if err != nil { return } if o.Path == "0" { o.Path = "/" } o.Path = path.Clean(o.Path) if !path.IsAbs(o.Path) { err = fmt.Errorf("bad ObjectID %v", o.Path) return } return } func (cds *contentDirectoryService) Handle(action string, argsXML []byte, r *http.Request) (map[string]string, error) { host := r.Host switch action { case "GetSystemUpdateID": return map[string]string{ "Id": cds.updateIDString(), }, nil case "GetSortCapabilities": return map[string]string{ "SortCaps": "dc:title", }, nil case "Browse": var browse browse if err := xml.Unmarshal(argsXML, &browse); err != nil { return nil, err } obj, err := cds.objectFromID(browse.ObjectID) if err != nil { return nil, upnp.Errorf(upnpav.NoSuchObjectErrorCode, err.Error()) } switch browse.BrowseFlag { case "BrowseDirectChildren": objs, err := cds.readContainer(obj, host) if err != nil { return nil, upnp.Errorf(upnpav.NoSuchObjectErrorCode, err.Error()) } totalMatches := len(objs) objs = objs[func() (low int) { low = browse.StartingIndex if low > len(objs) { low = len(objs) } return }():] if browse.RequestedCount != 0 && browse.RequestedCount < len(objs) { objs = objs[:browse.RequestedCount] } result, err := xml.Marshal(objs) if err != nil { return nil, err } return map[string]string{ "TotalMatches": fmt.Sprint(totalMatches), "NumberReturned": fmt.Sprint(len(objs)), "Result": didlLite(string(result)), "UpdateID": cds.updateIDString(), }, nil case "BrowseMetadata": node, err := cds.vfs.Stat(obj.Path) if err != nil { return nil, err } // TODO: External subtitles won't appear in the metadata here, but probably should. upnpObject, err := cds.cdsObjectToUpnpavObject(obj, node, vfs.Nodes{}, host) if err != nil { return nil, err } result, err := xml.Marshal(upnpObject) if err != nil { return nil, err } return map[string]string{ "Result": didlLite(string(result)), }, nil default: return nil, upnp.Errorf(upnp.ArgumentValueInvalidErrorCode, "unhandled browse flag: %v", browse.BrowseFlag) } case "GetSearchCapabilities": return map[string]string{ "SearchCaps": "", }, nil // Samsung Extensions case "X_GetFeatureList": return map[string]string{ "FeatureList": ` `}, nil case "X_SetBookmark": // just ignore return map[string]string{}, nil default: return nil, upnp.InvalidActionError } } // Represents a ContentDirectory object. type object struct { Path string // The cleaned, absolute path for the object relative to the server. } // Returns the actual local filesystem path for the object. func (o *object) FilePath() string { return filepath.FromSlash(o.Path) } // Returns the ObjectID for the object. This is used in various ContentDirectory actions. func (o object) ID() string { if !path.IsAbs(o.Path) { log.Panicf("Relative object path: %s", o.Path) } if len(o.Path) == 1 { return "0" } return url.QueryEscape(o.Path) } func (o *object) IsRoot() bool { return o.Path == "/" } // Returns the object's parent ObjectID. Fortunately it can be deduced from the // ObjectID (for now). func (o object) ParentID() string { if o.IsRoot() { return "-1" } o.Path = path.Dir(o.Path) return o.ID() }