Skip to content
Snippets Groups Projects
Commit aa80bd15 authored by Eliot Berriot's avatar Eliot Berriot
Browse files

Fixed #4: can now import artists and releases with a clean interface :party:

parent 3ccb70d0
Branches
Tags
No related merge requests found
Showing
with 254 additions and 88 deletions
BACKEND_URL=http://localhost:6001 BACKEND_URL=http://localhost:6001
YOUTUBE_API_KEY=
API_AUTHENTICATION_REQUIRED=True API_AUTHENTICATION_REQUIRED=True
CACHALOT_ENABLED=False
...@@ -4,8 +4,11 @@ from funkwhale_api.music import views ...@@ -4,8 +4,11 @@ from funkwhale_api.music import views
from funkwhale_api.playlists import views as playlists_views from funkwhale_api.playlists import views as playlists_views
from rest_framework_jwt import views as jwt_views from rest_framework_jwt import views as jwt_views
from dynamic_preferences.api.viewsets import GlobalPreferencesViewSet
from dynamic_preferences.users.viewsets import UserPreferencesViewSet
router = routers.SimpleRouter() router = routers.SimpleRouter()
router.register(r'settings', GlobalPreferencesViewSet, base_name='settings')
router.register(r'tags', views.TagViewSet, 'tags') router.register(r'tags', views.TagViewSet, 'tags')
router.register(r'tracks', views.TrackViewSet, 'tracks') router.register(r'tracks', views.TrackViewSet, 'tracks')
router.register(r'trackfiles', views.TrackFileViewSet, 'trackfiles') router.register(r'trackfiles', views.TrackFileViewSet, 'trackfiles')
...@@ -14,17 +17,27 @@ router.register(r'albums', views.AlbumViewSet, 'albums') ...@@ -14,17 +17,27 @@ router.register(r'albums', views.AlbumViewSet, 'albums')
router.register(r'import-batches', views.ImportBatchViewSet, 'import-batches') router.register(r'import-batches', views.ImportBatchViewSet, 'import-batches')
router.register(r'submit', views.SubmitViewSet, 'submit') router.register(r'submit', views.SubmitViewSet, 'submit')
router.register(r'playlists', playlists_views.PlaylistViewSet, 'playlists') router.register(r'playlists', playlists_views.PlaylistViewSet, 'playlists')
router.register(r'playlist-tracks', playlists_views.PlaylistTrackViewSet, 'playlist-tracks') router.register(
r'playlist-tracks',
playlists_views.PlaylistTrackViewSet,
'playlist-tracks')
v1_patterns = router.urls v1_patterns = router.urls
v1_patterns += [ v1_patterns += [
url(r'^providers/', include('funkwhale_api.providers.urls', namespace='providers')), url(r'^providers/',
url(r'^favorites/', include('funkwhale_api.favorites.urls', namespace='favorites')), include('funkwhale_api.providers.urls', namespace='providers')),
url(r'^search$', views.Search.as_view(), name='search'), url(r'^favorites/',
url(r'^radios/', include('funkwhale_api.radios.urls', namespace='radios')), include('funkwhale_api.favorites.urls', namespace='favorites')),
url(r'^history/', include('funkwhale_api.history.urls', namespace='history')), url(r'^search$',
url(r'^users/', include('funkwhale_api.users.api_urls', namespace='users')), views.Search.as_view(), name='search'),
url(r'^token/', jwt_views.obtain_jwt_token), url(r'^radios/',
include('funkwhale_api.radios.urls', namespace='radios')),
url(r'^history/',
include('funkwhale_api.history.urls', namespace='history')),
url(r'^users/',
include('funkwhale_api.users.api_urls', namespace='users')),
url(r'^token/',
jwt_views.obtain_jwt_token),
url(r'^token/refresh/', jwt_views.refresh_jwt_token), url(r'^token/refresh/', jwt_views.refresh_jwt_token),
] ]
......
...@@ -53,6 +53,7 @@ THIRD_PARTY_APPS = ( ...@@ -53,6 +53,7 @@ THIRD_PARTY_APPS = (
'rest_auth', 'rest_auth',
'rest_auth.registration', 'rest_auth.registration',
'mptt', 'mptt',
'dynamic_preferences',
) )
# Apps specific for this project go here. # Apps specific for this project go here.
...@@ -65,6 +66,7 @@ LOCAL_APPS = ( ...@@ -65,6 +66,7 @@ LOCAL_APPS = (
'funkwhale_api.history', 'funkwhale_api.history',
'funkwhale_api.playlists', 'funkwhale_api.playlists',
'funkwhale_api.providers.audiofile', 'funkwhale_api.providers.audiofile',
'funkwhale_api.providers.youtube',
) )
# See: https://docs.djangoproject.com/en/dev/ref/settings/#installed-apps # See: https://docs.djangoproject.com/en/dev/ref/settings/#installed-apps
...@@ -298,11 +300,6 @@ REST_FRAMEWORK = { ...@@ -298,11 +300,6 @@ REST_FRAMEWORK = {
) )
} }
FUNKWHALE_PROVIDERS = {
'youtube': {
'api_key': env('YOUTUBE_API_KEY', default='REPLACE_ME')
}
}
ATOMIC_REQUESTS = False ATOMIC_REQUESTS = False
# Wether we should check user permission before serving audio files (meaning # Wether we should check user permission before serving audio files (meaning
...@@ -314,3 +311,13 @@ PROTECT_AUDIO_FILES = env.bool('PROTECT_AUDIO_FILES', default=True) ...@@ -314,3 +311,13 @@ PROTECT_AUDIO_FILES = env.bool('PROTECT_AUDIO_FILES', default=True)
# Which path will be used to process the internal redirection # Which path will be used to process the internal redirection
# **DO NOT** put a slash at the end # **DO NOT** put a slash at the end
PROTECT_FILES_PATH = env('PROTECT_FILES_PATH', default='/_protected') PROTECT_FILES_PATH = env('PROTECT_FILES_PATH', default='/_protected')
# use this setting to tweak for how long you want to cache
# musicbrainz results. (value is in seconds)
MUSICBRAINZ_CACHE_DURATION = env.int(
'MUSICBRAINZ_CACHE_DURATION',
default=300
)
CACHALOT_ENABLED = env.bool('CACHALOT_ENABLED', default=True)
...@@ -37,13 +37,26 @@ def get_mp3_recording_id(f, k): ...@@ -37,13 +37,26 @@ def get_mp3_recording_id(f, k):
except IndexError: except IndexError:
raise TagNotFound(k) raise TagNotFound(k)
def convert_track_number(v):
try:
return int(v)
except ValueError:
# maybe the position is of the form "1/4"
pass
try:
return int(v.split('/')[0])
except (ValueError, AttributeError, IndexError):
pass
CONF = { CONF = {
'OggVorbis': { 'OggVorbis': {
'getter': lambda f, k: f[k][0], 'getter': lambda f, k: f[k][0],
'fields': { 'fields': {
'track_number': { 'track_number': {
'field': 'TRACKNUMBER', 'field': 'TRACKNUMBER',
'to_application': int 'to_application': convert_track_number
}, },
'title': { 'title': {
'field': 'title' 'field': 'title'
...@@ -74,7 +87,7 @@ CONF = { ...@@ -74,7 +87,7 @@ CONF = {
'fields': { 'fields': {
'track_number': { 'track_number': {
'field': 'TPOS', 'field': 'TPOS',
'to_application': lambda v: int(v.split('/')[0]) 'to_application': convert_track_number
}, },
'title': { 'title': {
'field': 'TIT2' 'field': 'TIT2'
......
import musicbrainzngs import musicbrainzngs
import memoize.djangocache
from django.conf import settings from django.conf import settings
from funkwhale_api import __version__ from funkwhale_api import __version__
_api = musicbrainzngs _api = musicbrainzngs
_api.set_useragent('funkwhale', str(__version__), 'contact@eliotberriot.com') _api.set_useragent('funkwhale', str(__version__), 'contact@eliotberriot.com')
store = memoize.djangocache.Cache('default')
memo = memoize.Memoizer(store, namespace='memoize:musicbrainz')
def clean_artist_search(query, **kwargs): def clean_artist_search(query, **kwargs):
cleaned_kwargs = {} cleaned_kwargs = {}
if kwargs.get('name'): if kwargs.get('name'):
...@@ -17,30 +23,55 @@ class API(object): ...@@ -17,30 +23,55 @@ class API(object):
_api = _api _api = _api
class artists(object): class artists(object):
search = clean_artist_search search = memo(
get = _api.get_artist_by_id clean_artist_search, max_age=settings.MUSICBRAINZ_CACHE_DURATION)
get = memo(
_api.get_artist_by_id,
max_age=settings.MUSICBRAINZ_CACHE_DURATION)
class images(object): class images(object):
get_front = _api.get_image_front get_front = memo(
_api.get_image_front,
max_age=settings.MUSICBRAINZ_CACHE_DURATION)
class recordings(object): class recordings(object):
search = _api.search_recordings search = memo(
get = _api.get_recording_by_id _api.search_recordings,
max_age=settings.MUSICBRAINZ_CACHE_DURATION)
get = memo(
_api.get_recording_by_id,
max_age=settings.MUSICBRAINZ_CACHE_DURATION)
class works(object): class works(object):
search = _api.search_works search = memo(
get = _api.get_work_by_id _api.search_works,
max_age=settings.MUSICBRAINZ_CACHE_DURATION)
get = memo(
_api.get_work_by_id,
max_age=settings.MUSICBRAINZ_CACHE_DURATION)
class releases(object): class releases(object):
search = _api.search_releases search = memo(
get = _api.get_release_by_id _api.search_releases,
browse = _api.browse_releases max_age=settings.MUSICBRAINZ_CACHE_DURATION)
get = memo(
_api.get_release_by_id,
max_age=settings.MUSICBRAINZ_CACHE_DURATION)
browse = memo(
_api.browse_releases,
max_age=settings.MUSICBRAINZ_CACHE_DURATION)
# get_image_front = _api.get_image_front # get_image_front = _api.get_image_front
class release_groups(object): class release_groups(object):
search = _api.search_release_groups search = memo(
get = _api.get_release_group_by_id _api.search_release_groups,
browse = _api.browse_release_groups max_age=settings.MUSICBRAINZ_CACHE_DURATION)
get = memo(
_api.get_release_group_by_id,
max_age=settings.MUSICBRAINZ_CACHE_DURATION)
browse = memo(
_api.browse_release_groups,
max_age=settings.MUSICBRAINZ_CACHE_DURATION)
# get_image_front = _api.get_image_front # get_image_front = _api.get_image_front
api = API() api = API()
import unittest
from test_plus.test import TestCase
from funkwhale_api.musicbrainz import client
class TestAPI(TestCase):
def test_can_search_recording_in_musicbrainz_api(self, *mocks):
r = {'hello': 'world'}
mocked = 'funkwhale_api.musicbrainz.client._api.search_artists'
with unittest.mock.patch(mocked, return_value=r) as m:
self.assertEqual(client.api.artists.search('test'), r)
# now call from cache
self.assertEqual(client.api.artists.search('test'), r)
self.assertEqual(client.api.artists.search('test'), r)
self.assertEqual(m.call_count, 1)
...@@ -2,6 +2,7 @@ from rest_framework import viewsets ...@@ -2,6 +2,7 @@ from rest_framework import viewsets
from rest_framework.views import APIView from rest_framework.views import APIView
from rest_framework.response import Response from rest_framework.response import Response
from rest_framework.decorators import list_route from rest_framework.decorators import list_route
import musicbrainzngs
from funkwhale_api.common.permissions import ConditionalAuthentication from funkwhale_api.common.permissions import ConditionalAuthentication
...@@ -44,7 +45,7 @@ class ReleaseBrowse(APIView): ...@@ -44,7 +45,7 @@ class ReleaseBrowse(APIView):
def get(self, request, *args, **kwargs): def get(self, request, *args, **kwargs):
result = api.releases.browse( result = api.releases.browse(
release_group=kwargs['release_group_uuid'], release_group=kwargs['release_group_uuid'],
includes=['recordings']) includes=['recordings', 'artist-credits'])
return Response(result) return Response(result)
...@@ -54,17 +55,18 @@ class SearchViewSet(viewsets.ViewSet): ...@@ -54,17 +55,18 @@ class SearchViewSet(viewsets.ViewSet):
@list_route(methods=['get']) @list_route(methods=['get'])
def recordings(self, request, *args, **kwargs): def recordings(self, request, *args, **kwargs):
query = request.GET['query'] query = request.GET['query']
results = api.recordings.search(query, artist=query) results = api.recordings.search(query)
return Response(results) return Response(results)
@list_route(methods=['get']) @list_route(methods=['get'])
def releases(self, request, *args, **kwargs): def releases(self, request, *args, **kwargs):
query = request.GET['query'] query = request.GET['query']
results = api.releases.search(query, artist=query) results = api.releases.search(query)
return Response(results) return Response(results)
@list_route(methods=['get']) @list_route(methods=['get'])
def artists(self, request, *args, **kwargs): def artists(self, request, *args, **kwargs):
query = request.GET['query'] query = request.GET['query']
results = api.artists.search(query) results = api.artists.search(query)
# results = musicbrainzngs.search_artists(query)
return Response(results) return Response(results)
...@@ -4,21 +4,20 @@ from apiclient.discovery import build ...@@ -4,21 +4,20 @@ from apiclient.discovery import build
from apiclient.errors import HttpError from apiclient.errors import HttpError
from oauth2client.tools import argparser from oauth2client.tools import argparser
from django.conf import settings from dynamic_preferences.registries import (
global_preferences_registry as registry)
# Set DEVELOPER_KEY to the API key value from the APIs & auth > Registered apps
# tab of
# https://cloud.google.com/console
# Please ensure that you have enabled the YouTube Data API for your project.
DEVELOPER_KEY = settings.FUNKWHALE_PROVIDERS['youtube']['api_key']
YOUTUBE_API_SERVICE_NAME = "youtube" YOUTUBE_API_SERVICE_NAME = "youtube"
YOUTUBE_API_VERSION = "v3" YOUTUBE_API_VERSION = "v3"
VIDEO_BASE_URL = 'https://www.youtube.com/watch?v={0}' VIDEO_BASE_URL = 'https://www.youtube.com/watch?v={0}'
def _do_search(query): def _do_search(query):
youtube = build(YOUTUBE_API_SERVICE_NAME, YOUTUBE_API_VERSION, manager = registry.manager()
developerKey=DEVELOPER_KEY) youtube = build(
YOUTUBE_API_SERVICE_NAME,
YOUTUBE_API_VERSION,
developerKey=manager['providers_youtube__api_key'])
return youtube.search().list( return youtube.search().list(
q=query, q=query,
...@@ -55,4 +54,33 @@ class Client(object): ...@@ -55,4 +54,33 @@ class Client(object):
return results return results
def to_funkwhale(self, result):
"""
We convert youtube results to something more generic.
{
"id": "video id",
"type": "youtube#video",
"url": "https://www.youtube.com/watch?v=id",
"description": "description",
"channelId": "Channel id",
"title": "Title",
"channelTitle": "channel Title",
"publishedAt": "2012-08-22T18:41:03.000Z",
"cover": "http://coverurl"
}
"""
return {
'id': result['id']['videoId'],
'url': 'https://www.youtube.com/watch?v={}'.format(
result['id']['videoId']),
'type': result['id']['kind'],
'title': result['snippet']['title'],
'description': result['snippet']['description'],
'channelId': result['snippet']['channelId'],
'channelTitle': result['snippet']['channelTitle'],
'publishedAt': result['snippet']['publishedAt'],
'cover': result['snippet']['thumbnails']['high']['url'],
}
client = Client() client = Client()
from dynamic_preferences.types import StringPreference, Section
from dynamic_preferences.registries import global_preferences_registry
youtube = Section('providers_youtube')
@global_preferences_registry.register
class APIKey(StringPreference):
section = youtube
name = 'api_key'
default = 'CHANGEME'
verbose_name = 'YouTube API key'
help_text = 'The API key used to query YouTube. Get one at https://console.developers.google.com/.'
...@@ -8,7 +8,7 @@ from funkwhale_api.providers.youtube.client import client ...@@ -8,7 +8,7 @@ from funkwhale_api.providers.youtube.client import client
from . import data as api_data from . import data as api_data
class TestAPI(TestCase): class TestAPI(TestCase):
maxDiff = None
@unittest.mock.patch( @unittest.mock.patch(
'funkwhale_api.providers.youtube.client._do_search', 'funkwhale_api.providers.youtube.client._do_search',
return_value=api_data.search['8 bit adventure']) return_value=api_data.search['8 bit adventure'])
...@@ -25,11 +25,23 @@ class TestAPI(TestCase): ...@@ -25,11 +25,23 @@ class TestAPI(TestCase):
return_value=api_data.search['8 bit adventure']) return_value=api_data.search['8 bit adventure'])
def test_can_get_search_results_from_funkwhale(self, *mocks): def test_can_get_search_results_from_funkwhale(self, *mocks):
query = '8 bit adventure' query = '8 bit adventure'
expected = json.dumps(client.search(query))
url = self.reverse('api:v1:providers:youtube:search') url = self.reverse('api:v1:providers:youtube:search')
response = self.client.get(url + '?query={0}'.format(query)) response = self.client.get(url + '?query={0}'.format(query))
# we should cast the youtube result to something more generic
expected = {
"id": "0HxZn6CzOIo",
"url": "https://www.youtube.com/watch?v=0HxZn6CzOIo",
"type": "youtube#video",
"description": "Make sure to apply adhesive evenly before use. GET IT HERE: http://adhesivewombat.bandcamp.com/album/marsupial-madness Facebook: ...",
"channelId": "UCps63j3krzAG4OyXeEyuhFw",
"title": "AdhesiveWombat - 8 Bit Adventure",
"channelTitle": "AdhesiveWombat",
"publishedAt": "2012-08-22T18:41:03.000Z",
"cover": "https://i.ytimg.com/vi/0HxZn6CzOIo/hqdefault.jpg"
}
self.assertJSONEqual(expected, json.loads(response.content.decode('utf-8'))) self.assertEqual(
json.loads(response.content.decode('utf-8'))[0], expected)
@unittest.mock.patch( @unittest.mock.patch(
'funkwhale_api.providers.youtube.client._do_search', 'funkwhale_api.providers.youtube.client._do_search',
...@@ -66,9 +78,22 @@ class TestAPI(TestCase): ...@@ -66,9 +78,22 @@ class TestAPI(TestCase):
'q': '8 bit adventure', 'q': '8 bit adventure',
} }
expected = json.dumps(client.search_multiple(queries)) expected = {
"id": "0HxZn6CzOIo",
"url": "https://www.youtube.com/watch?v=0HxZn6CzOIo",
"type": "youtube#video",
"description": "Make sure to apply adhesive evenly before use. GET IT HERE: http://adhesivewombat.bandcamp.com/album/marsupial-madness Facebook: ...",
"channelId": "UCps63j3krzAG4OyXeEyuhFw",
"title": "AdhesiveWombat - 8 Bit Adventure",
"channelTitle": "AdhesiveWombat",
"publishedAt": "2012-08-22T18:41:03.000Z",
"cover": "https://i.ytimg.com/vi/0HxZn6CzOIo/hqdefault.jpg"
}
url = self.reverse('api:v1:providers:youtube:searchs') url = self.reverse('api:v1:providers:youtube:searchs')
response = self.client.post( response = self.client.post(
url, json.dumps(queries), content_type='application/json') url, json.dumps(queries), content_type='application/json')
self.assertJSONEqual(expected, json.loads(response.content.decode('utf-8'))) self.assertEqual(
expected,
json.loads(response.content.decode('utf-8'))['1'][0])
...@@ -10,7 +10,10 @@ class APISearch(APIView): ...@@ -10,7 +10,10 @@ class APISearch(APIView):
def get(self, request, *args, **kwargs): def get(self, request, *args, **kwargs):
results = client.search(request.GET['query']) results = client.search(request.GET['query'])
return Response(results) return Response([
client.to_funkwhale(result)
for result in results
])
class APISearchs(APIView): class APISearchs(APIView):
...@@ -18,4 +21,10 @@ class APISearchs(APIView): ...@@ -18,4 +21,10 @@ class APISearchs(APIView):
def post(self, request, *args, **kwargs): def post(self, request, *args, **kwargs):
results = client.search_multiple(request.data) results = client.search_multiple(request.data)
return Response(results) return Response({
key: [
client.to_funkwhale(result)
for result in group
]
for key, group in results.items()
})
...@@ -19,8 +19,11 @@ class User(AbstractUser): ...@@ -19,8 +19,11 @@ class User(AbstractUser):
relevant_permissions = { relevant_permissions = {
# internal_codename : {external_codename} # internal_codename : {external_codename}
'music.add_importbatch': { 'music.add_importbatch': {
'external_codename': 'import.launch' 'external_codename': 'import.launch',
} },
'dynamic_preferences.change_globalpreferencemodel': {
'external_codename': 'settings.change',
},
} }
def __str__(self): def __str__(self):
......
...@@ -47,7 +47,13 @@ class UserTestCase(TestCase): ...@@ -47,7 +47,13 @@ class UserTestCase(TestCase):
# login required # login required
self.assertEqual(response.status_code, 401) self.assertEqual(response.status_code, 401)
user = UserFactory(is_staff=True, perms=['music.add_importbatch']) user = UserFactory(
is_staff=True,
perms=[
'music.add_importbatch',
'dynamic_preferences.change_globalpreferencemodel',
]
)
self.assertTrue(user.has_perm('music.add_importbatch')) self.assertTrue(user.has_perm('music.add_importbatch'))
self.login(user) self.login(user)
...@@ -63,3 +69,5 @@ class UserTestCase(TestCase): ...@@ -63,3 +69,5 @@ class UserTestCase(TestCase):
self.assertEqual(payload['name'], user.name) self.assertEqual(payload['name'], user.name)
self.assertEqual( self.assertEqual(
payload['permissions']['import.launch']['status'], True) payload['permissions']['import.launch']['status'], True)
self.assertEqual(
payload['permissions']['settings.change']['status'], True)
...@@ -50,3 +50,9 @@ beautifulsoup4==4.6.0 ...@@ -50,3 +50,9 @@ beautifulsoup4==4.6.0
Markdown==2.6.8 Markdown==2.6.8
ipython==6.1.0 ipython==6.1.0
mutagen==1.38 mutagen==1.38
# Until this is merged
git+https://github.com/EliotBerriot/PyMemoize.git@django
django-dynamic-preferences>=1.2,<1.3
...@@ -27,7 +27,7 @@ services: ...@@ -27,7 +27,7 @@ services:
env_file: .env.dev env_file: .env.dev
build: build:
context: ./api context: ./api
dockerfile: docker/Dockerfile.local dockerfile: docker/Dockerfile.test
links: links:
- postgres - postgres
- redis - redis
......
import logger from '@/logging' import logger from '@/logging'
import time from '@/utils/time'
const pad = (val) => {
val = Math.floor(val)
if (val < 10) {
return '0' + val
}
return val + ''
}
const Cov = { const Cov = {
on (el, type, func) { on (el, type, func) {
...@@ -108,7 +101,7 @@ class Audio { ...@@ -108,7 +101,7 @@ class Audio {
}) })
this.state.duration = Math.round(this.$Audio.duration * 100) / 100 this.state.duration = Math.round(this.$Audio.duration * 100) / 100
this.state.loaded = Math.round(10000 * this.$Audio.buffered.end(0) / this.$Audio.duration) / 100 this.state.loaded = Math.round(10000 * this.$Audio.buffered.end(0) / this.$Audio.duration) / 100
this.state.durationTimerFormat = this.timeParse(this.state.duration) this.state.durationTimerFormat = time.parse(this.state.duration)
} }
updatePlayState (e) { updatePlayState (e) {
...@@ -116,9 +109,9 @@ class Audio { ...@@ -116,9 +109,9 @@ class Audio {
this.state.duration = Math.round(this.$Audio.duration * 100) / 100 this.state.duration = Math.round(this.$Audio.duration * 100) / 100
this.state.progress = Math.round(10000 * this.state.currentTime / this.state.duration) / 100 this.state.progress = Math.round(10000 * this.state.currentTime / this.state.duration) / 100
this.state.durationTimerFormat = this.timeParse(this.state.duration) this.state.durationTimerFormat = time.parse(this.state.duration)
this.state.currentTimeFormat = this.timeParse(this.state.currentTime) this.state.currentTimeFormat = time.parse(this.state.currentTime)
this.state.lastTimeFormat = this.timeParse(this.state.duration - this.state.currentTime) this.state.lastTimeFormat = time.parse(this.state.duration - this.state.currentTime)
this.hook.playState.forEach(func => { this.hook.playState.forEach(func => {
func(this.state) func(this.state)
...@@ -181,14 +174,6 @@ class Audio { ...@@ -181,14 +174,6 @@ class Audio {
} }
this.$Audio.currentTime = time this.$Audio.currentTime = time
} }
timeParse (sec) {
let min = 0
min = Math.floor(sec / 60)
sec = sec - min * 60
return pad(min) + ':' + pad(sec)
}
} }
export default Audio export default Audio
...@@ -10,14 +10,13 @@ const LOGIN_URL = config.API_URL + 'token/' ...@@ -10,14 +10,13 @@ const LOGIN_URL = config.API_URL + 'token/'
const USER_PROFILE_URL = config.API_URL + 'users/users/me/' const USER_PROFILE_URL = config.API_URL + 'users/users/me/'
// const SIGNUP_URL = API_URL + 'users/' // const SIGNUP_URL = API_URL + 'users/'
export default { let userData = {
// User object will let us check authentication status
user: {
authenticated: false, authenticated: false,
username: '', username: '',
profile: null availablePermissions: {},
}, profile: {}
}
let auth = {
// Send a request to the login URL and save the returned JWT // Send a request to the login URL and save the returned JWT
login (context, creds, redirect, onError) { login (context, creds, redirect, onError) {
...@@ -87,7 +86,14 @@ export default { ...@@ -87,7 +86,14 @@ export default {
let self = this let self = this
this.fetchProfile().then(data => { this.fetchProfile().then(data => {
Vue.set(self.user, 'profile', data) Vue.set(self.user, 'profile', data)
Object.keys(data.permissions).forEach(function (key) {
// this makes it easier to check for permissions in templates
Vue.set(self.user.availablePermissions, key, data.permissions[String(key)].status)
})
}) })
favoriteTracks.fetch() favoriteTracks.fetch()
} }
} }
Vue.set(auth, 'user', userData)
export default auth
...@@ -6,7 +6,7 @@ ...@@ -6,7 +6,7 @@
Welcome on funkwhale Welcome on funkwhale
</h1> </h1>
<p>We think listening music should be simple.</p> <p>We think listening music should be simple.</p>
<router-link class="ui icon teal button" to="/browse"> <router-link class="ui icon teal button" to="/library">
Get me to the library Get me to the library
<i class="right arrow icon"></i> <i class="right arrow icon"></i>
</router-link> </router-link>
...@@ -90,9 +90,9 @@ ...@@ -90,9 +90,9 @@
<p>Funkwhale is dead simple to use.</p> <p>Funkwhale is dead simple to use.</p>
<div class="ui list"> <div class="ui list">
<div class="item"> <div class="item">
<i class="browser icon"></i> <i class="libraryr icon"></i>
<div class="content"> <div class="content">
No add-ons, no plugins : you only need a web browser No add-ons, no plugins : you only need a web libraryr
</div> </div>
</div> </div>
<div class="item"> <div class="item">
......
...@@ -13,7 +13,7 @@ ...@@ -13,7 +13,7 @@
<div class="menu-area"> <div class="menu-area">
<div class="ui compact fluid two item inverted menu"> <div class="ui compact fluid two item inverted menu">
<a class="active item" data-tab="browse">Browse</a> <a class="active item" data-tab="library">Browse</a>
<a class="item" data-tab="queue"> <a class="item" data-tab="queue">
Queue &nbsp; Queue &nbsp;
<template v-if="queue.tracks.length === 0"> <template v-if="queue.tracks.length === 0">
...@@ -26,12 +26,12 @@ ...@@ -26,12 +26,12 @@
</div> </div>
</div> </div>
<div class="tabs"> <div class="tabs">
<div class="ui bottom attached active tab" data-tab="browse"> <div class="ui bottom attached active tab" data-tab="library">
<div class="ui inverted vertical fluid menu"> <div class="ui inverted vertical fluid menu">
<router-link class="item" v-if="auth.user.authenticated" :to="{name: 'profile', params: {username: auth.user.username}}"><i class="user icon"></i> Logged in as {{ auth.user.username }}</router-link> <router-link class="item" v-if="auth.user.authenticated" :to="{name: 'profile', params: {username: auth.user.username}}"><i class="user icon"></i> Logged in as {{ auth.user.username }}</router-link>
<router-link class="item" v-if="auth.user.authenticated" :to="{name: 'logout'}"><i class="sign out icon"></i> Logout</router-link> <router-link class="item" v-if="auth.user.authenticated" :to="{name: 'logout'}"><i class="sign out icon"></i> Logout</router-link>
<router-link class="item" v-else :to="{name: 'login'}"><i class="sign in icon"></i> Login</router-link> <router-link class="item" v-else :to="{name: 'login'}"><i class="sign in icon"></i> Login</router-link>
<router-link class="item" :to="{path: '/browse'}"><i class="sound icon"> </i>Browse library</router-link> <router-link class="item" :to="{path: '/library'}"><i class="sound icon"> </i>Browse library</router-link>
<router-link class="item" :to="{path: '/favorites'}"><i class="heart icon"></i> Favorites</router-link> <router-link class="item" :to="{path: '/favorites'}"><i class="heart icon"></i> Favorites</router-link>
</div> </div>
</div> </div>
......
...@@ -7,14 +7,14 @@ ...@@ -7,14 +7,14 @@
<img v-else src="../../assets/audio/default-cover.png"> <img v-else src="../../assets/audio/default-cover.png">
</div> </div>
<div class="middle aligned content"> <div class="middle aligned content">
<router-link class="small header discrete link track" :to="{name: 'browse.track', params: {id: queue.currentTrack.id }}"> <router-link class="small header discrete link track" :to="{name: 'library.track', params: {id: queue.currentTrack.id }}">
{{ queue.currentTrack.title }} {{ queue.currentTrack.title }}
</router-link> </router-link>
<div class="meta"> <div class="meta">
<router-link class="artist" :to="{name: 'browse.artist', params: {id: queue.currentTrack.artist.id }}"> <router-link class="artist" :to="{name: 'library.artist', params: {id: queue.currentTrack.artist.id }}">
{{ queue.currentTrack.artist.name }} {{ queue.currentTrack.artist.name }}
</router-link> / </router-link> /
<router-link class="album" :to="{name: 'browse.album', params: {id: queue.currentTrack.album.id }}"> <router-link class="album" :to="{name: 'library.album', params: {id: queue.currentTrack.album.id }}">
{{ queue.currentTrack.album.title }} {{ queue.currentTrack.album.title }}
</router-link> </router-link>
</div> </div>
......
0% Loading or .
You are about to add 0 people to the discussion. Proceed with caution.
Please register or to comment