diff --git a/app/src/main/java/code/name/monkey/retromusic/Constants.kt b/app/src/main/java/code/name/monkey/retromusic/Constants.kt index ae1f1da7..011a98c0 100644 --- a/app/src/main/java/code/name/monkey/retromusic/Constants.kt +++ b/app/src/main/java/code/name/monkey/retromusic/Constants.kt @@ -53,6 +53,7 @@ object Constants { ) const val NUMBER_OF_TOP_TRACKS = 99 } +const val EXTRA_PLAYLIST_TYPE = "type" const val EXTRA_GENRE = "extra_genre" const val EXTRA_PLAYLIST = "extra_playlist" const val EXTRA_PLAYLIST_ID = "extra_playlist_id" diff --git a/app/src/main/java/code/name/monkey/retromusic/activities/base/AbsSlidingMusicPanelActivity.kt b/app/src/main/java/code/name/monkey/retromusic/activities/base/AbsSlidingMusicPanelActivity.kt index 2d28cd36..ca21f78b 100644 --- a/app/src/main/java/code/name/monkey/retromusic/activities/base/AbsSlidingMusicPanelActivity.kt +++ b/app/src/main/java/code/name/monkey/retromusic/activities/base/AbsSlidingMusicPanelActivity.kt @@ -86,6 +86,7 @@ abstract class AbsSlidingMusicPanelActivity : AbsMusicServiceActivity() { setMiniPlayerAlphaProgress(slideOffset) dimBackground.show() dimBackground.alpha = slideOffset + println(slideOffset) } override fun onStateChanged(bottomSheet: View, newState: Int) { @@ -97,6 +98,7 @@ abstract class AbsSlidingMusicPanelActivity : AbsMusicServiceActivity() { onPanelCollapsed() dimBackground.hide() } + else -> { println("Do something") } @@ -114,11 +116,11 @@ abstract class AbsSlidingMusicPanelActivity : AbsMusicServiceActivity() { setupBottomSheet() updateColor() - val themeColor = ATHUtil.resolveColor(this, android.R.attr.windowBackground, Color.GRAY) + val themeColor = resolveColor(android.R.attr.windowBackground, Color.GRAY) dimBackground.setBackgroundColor(ColorUtil.withAlpha(themeColor, 0.5f)) dimBackground.setOnClickListener { println("dimBackground") - + collapsePanel() } } @@ -154,6 +156,7 @@ abstract class AbsSlidingMusicPanelActivity : AbsMusicServiceActivity() { fun collapsePanel() { bottomSheetBehavior.state = STATE_COLLAPSED + setMiniPlayerAlphaProgress(0f) } fun expandPanel() { diff --git a/app/src/main/java/code/name/monkey/retromusic/activities/tageditor/WriteTagsAsyncTask.java b/app/src/main/java/code/name/monkey/retromusic/activities/tageditor/WriteTagsAsyncTask.java index 45cb21a6..6e71e4d6 100644 --- a/app/src/main/java/code/name/monkey/retromusic/activities/tageditor/WriteTagsAsyncTask.java +++ b/app/src/main/java/code/name/monkey/retromusic/activities/tageditor/WriteTagsAsyncTask.java @@ -98,7 +98,8 @@ public class WriteTagsAsyncTask extends DialogAsyncTask, - private val mItemLayoutRes: Int + private val mItemLayoutRes: Int, + private val listener: IGenreClickListener ) : RecyclerView.Adapter() { override fun onCreateViewHolder(parent: ViewGroup, viewType: Int): ViewHolder { return ViewHolder(LayoutInflater.from(activity).inflate(mItemLayoutRes, parent, false)) @@ -62,10 +62,8 @@ class GenreAdapter( inner class ViewHolder(itemView: View) : MediaEntryViewHolder(itemView) { override fun onClick(v: View?) { - activity.findNavController(R.id.fragment_container).navigate( - R.id.genreDetailsFragment, - bundleOf(EXTRA_GENRE to dataSet[layoutPosition]) - ) + ViewCompat.setTransitionName(itemView, "genre") + listener.onClickGenre(dataSet[layoutPosition], itemView) } } } diff --git a/app/src/main/java/code/name/monkey/retromusic/adapter/HomeAdapter.kt b/app/src/main/java/code/name/monkey/retromusic/adapter/HomeAdapter.kt index fef1c37d..6e5ce64d 100644 --- a/app/src/main/java/code/name/monkey/retromusic/adapter/HomeAdapter.kt +++ b/app/src/main/java/code/name/monkey/retromusic/adapter/HomeAdapter.kt @@ -38,6 +38,7 @@ import code.name.monkey.retromusic.glide.SongGlideRequest import code.name.monkey.retromusic.helper.MusicPlayerRemote import code.name.monkey.retromusic.interfaces.IAlbumClickListener import code.name.monkey.retromusic.interfaces.IArtistClickListener +import code.name.monkey.retromusic.interfaces.IGenreClickListener import code.name.monkey.retromusic.model.* import code.name.monkey.retromusic.util.PreferenceUtil import com.bumptech.glide.Glide @@ -45,7 +46,8 @@ import com.google.android.material.card.MaterialCardView class HomeAdapter( private val activity: AppCompatActivity -) : RecyclerView.Adapter(), IArtistClickListener, IAlbumClickListener { +) : RecyclerView.Adapter(), IArtistClickListener, IAlbumClickListener, + IGenreClickListener { private var list = listOf() @@ -220,7 +222,8 @@ class HomeAdapter( val genreAdapter = GenreAdapter( activity, home.arrayList as List, - R.layout.item_grid_genre + R.layout.item_grid_genre, + this@HomeAdapter ) recyclerView.apply { layoutManager = GridLayoutManager(activity, 3, GridLayoutManager.HORIZONTAL, false) @@ -267,4 +270,16 @@ class HomeAdapter( ) ) } + + override fun onClickGenre(genre: Genre, view: View) { + activity.findNavController(R.id.fragment_container).navigate( + R.id.genreDetailsFragment, + bundleOf(EXTRA_GENRE to genre), + null, + FragmentNavigatorExtras( + view to "genre" + ) + ) + } + } diff --git a/app/src/main/java/code/name/monkey/retromusic/adapter/SearchAdapter.kt b/app/src/main/java/code/name/monkey/retromusic/adapter/SearchAdapter.kt index 9c527ccc..a0e53380 100644 --- a/app/src/main/java/code/name/monkey/retromusic/adapter/SearchAdapter.kt +++ b/app/src/main/java/code/name/monkey/retromusic/adapter/SearchAdapter.kt @@ -18,6 +18,7 @@ import android.view.LayoutInflater import android.view.View import android.view.ViewGroup import androidx.core.os.bundleOf +import androidx.core.view.isGone import androidx.core.view.isInvisible import androidx.core.view.isVisible import androidx.fragment.app.FragmentActivity @@ -26,6 +27,7 @@ import androidx.recyclerview.widget.RecyclerView import code.name.monkey.appthemehelper.ThemeStore import code.name.monkey.retromusic.* import code.name.monkey.retromusic.adapter.base.MediaEntryViewHolder +import code.name.monkey.retromusic.db.PlaylistEntity import code.name.monkey.retromusic.db.PlaylistWithSongs import code.name.monkey.retromusic.glide.AlbumGlideRequest import code.name.monkey.retromusic.glide.ArtistGlideRequest @@ -52,7 +54,7 @@ class SearchAdapter( if (dataSet[position] is Album) return ALBUM if (dataSet[position] is Artist) return ARTIST if (dataSet[position] is Genre) return GENRE - if (dataSet[position] is PlaylistWithSongs) return PLAYLIST + if (dataSet[position] is PlaylistEntity) return PLAYLIST return if (dataSet[position] is Song) SONG else HEADER } @@ -107,9 +109,9 @@ class SearchAdapter( ) } PLAYLIST -> { - val playlist = dataSet[position] as PlaylistWithSongs - holder.title?.text = playlist.playlistEntity.playlistName - holder.text?.text = MusicUtil.playlistInfoString(activity, playlist.songs) + val playlist = dataSet[position] as PlaylistEntity + holder.title?.text = playlist.playlistName + //holder.text?.text = MusicUtil.playlistInfoString(activity, playlist.songs) } else -> { holder.title?.text = dataSet[position].toString() @@ -137,6 +139,7 @@ class SearchAdapter( itemView.setOnLongClickListener(null) imageTextContainer?.isInvisible = true if (itemViewType == SONG) { + imageTextContainer?.isGone = true menu?.visibility = View.VISIBLE menu?.setOnClickListener(object : SongMenuHelper.OnClickSongMenu(activity) { override val song: Song diff --git a/app/src/main/java/code/name/monkey/retromusic/adapter/album/AlbumAdapter.kt b/app/src/main/java/code/name/monkey/retromusic/adapter/album/AlbumAdapter.kt index 178d16af..b95e5f03 100644 --- a/app/src/main/java/code/name/monkey/retromusic/adapter/album/AlbumAdapter.kt +++ b/app/src/main/java/code/name/monkey/retromusic/adapter/album/AlbumAdapter.kt @@ -89,15 +89,6 @@ open class AlbumAdapter( holder.itemView.isActivated = isChecked holder.title?.text = getAlbumTitle(album) holder.text?.text = getAlbumText(album) - holder.playSongs?.setOnClickListener { - album.songs.let { songs -> - MusicPlayerRemote.openQueue( - songs, - 0, - true - ) - } - } loadAlbumCover(album, holder) } diff --git a/app/src/main/java/code/name/monkey/retromusic/adapter/base/MediaEntryViewHolder.java b/app/src/main/java/code/name/monkey/retromusic/adapter/base/MediaEntryViewHolder.java index 90347616..515a7532 100644 --- a/app/src/main/java/code/name/monkey/retromusic/adapter/base/MediaEntryViewHolder.java +++ b/app/src/main/java/code/name/monkey/retromusic/adapter/base/MediaEntryViewHolder.java @@ -21,6 +21,7 @@ import android.widget.ImageView; import android.widget.TextView; import androidx.annotation.NonNull; import androidx.annotation.Nullable; +import androidx.appcompat.widget.AppCompatImageView; import androidx.recyclerview.widget.RecyclerView; import code.name.monkey.retromusic.R; import com.google.android.material.card.MaterialCardView; @@ -47,11 +48,10 @@ public class MediaEntryViewHolder extends AbstractDraggableSwipeableItemViewHold @Nullable public View mask; - @Nullable public View menu; + @Nullable public AppCompatImageView menu; @Nullable public View paletteColorContainer; - @Nullable public ImageButton playSongs; @Nullable public RecyclerView recyclerView; @@ -83,7 +83,6 @@ public class MediaEntryViewHolder extends AbstractDraggableSwipeableItemViewHold paletteColorContainer = itemView.findViewById(R.id.paletteColorContainer); recyclerView = itemView.findViewById(R.id.recycler_view); mask = itemView.findViewById(R.id.mask); - playSongs = itemView.findViewById(R.id.playSongs); dummyContainer = itemView.findViewById(R.id.dummy_view); if (imageContainerCard != null) { diff --git a/app/src/main/java/code/name/monkey/retromusic/adapter/song/ShuffleButtonSongAdapter.kt b/app/src/main/java/code/name/monkey/retromusic/adapter/song/ShuffleButtonSongAdapter.kt index 8eda478e..781a8faa 100644 --- a/app/src/main/java/code/name/monkey/retromusic/adapter/song/ShuffleButtonSongAdapter.kt +++ b/app/src/main/java/code/name/monkey/retromusic/adapter/song/ShuffleButtonSongAdapter.kt @@ -15,15 +15,18 @@ package code.name.monkey.retromusic.adapter.song import android.view.View -import androidx.appcompat.app.AppCompatActivity +import androidx.fragment.app.FragmentActivity +import code.name.monkey.appthemehelper.ThemeStore import code.name.monkey.retromusic.R +import code.name.monkey.retromusic.extensions.applyColor +import code.name.monkey.retromusic.extensions.applyOutlineColor import code.name.monkey.retromusic.helper.MusicPlayerRemote import code.name.monkey.retromusic.interfaces.ICabHolder import code.name.monkey.retromusic.model.Song import com.google.android.material.button.MaterialButton class ShuffleButtonSongAdapter( - activity: AppCompatActivity, + activity: FragmentActivity, dataSet: MutableList, itemLayoutRes: Int, ICabHolder: ICabHolder? @@ -35,16 +38,19 @@ class ShuffleButtonSongAdapter( override fun onBindViewHolder(holder: SongAdapter.ViewHolder, position: Int) { if (holder.itemViewType == OFFSET_ITEM) { + val color = ThemeStore.accentColor(activity) val viewHolder = holder as ViewHolder viewHolder.playAction?.let { it.setOnClickListener { MusicPlayerRemote.openQueue(dataSet, 0, true) } + it.applyOutlineColor(color) } viewHolder.shuffleAction?.let { it.setOnClickListener { MusicPlayerRemote.openAndShuffleQueue(dataSet, true) } + it.applyColor(color) } } else { super.onBindViewHolder(holder, position - 1) diff --git a/app/src/main/java/code/name/monkey/retromusic/adapter/song/SongAdapter.kt b/app/src/main/java/code/name/monkey/retromusic/adapter/song/SongAdapter.kt index 9960c323..0360e3b5 100644 --- a/app/src/main/java/code/name/monkey/retromusic/adapter/song/SongAdapter.kt +++ b/app/src/main/java/code/name/monkey/retromusic/adapter/song/SongAdapter.kt @@ -111,6 +111,7 @@ open class SongAdapter( holder.title?.setTextColor(color.primaryTextColor) holder.text?.setTextColor(color.secondaryTextColor) holder.paletteColorContainer?.setBackgroundColor(color.backgroundColor) + holder.menu?.imageTintList= ColorStateList.valueOf(color.primaryTextColor) } holder.mask?.backgroundTintList = ColorStateList.valueOf(color.primaryTextColor) } diff --git a/app/src/main/java/code/name/monkey/retromusic/db/RetroDatabase.kt b/app/src/main/java/code/name/monkey/retromusic/db/RetroDatabase.kt index 42eefa7b..80434212 100644 --- a/app/src/main/java/code/name/monkey/retromusic/db/RetroDatabase.kt +++ b/app/src/main/java/code/name/monkey/retromusic/db/RetroDatabase.kt @@ -19,7 +19,7 @@ import androidx.room.RoomDatabase @Database( entities = [PlaylistEntity::class, SongEntity::class, HistoryEntity::class, PlayCountEntity::class, BlackListStoreEntity::class, LyricsEntity::class], - version = 22, + version = 23, exportSchema = false ) abstract class RetroDatabase : RoomDatabase() { diff --git a/app/src/main/java/code/name/monkey/retromusic/extensions/ViewExtensions.kt b/app/src/main/java/code/name/monkey/retromusic/extensions/ViewExtensions.kt index d36d10fe..a343b2c3 100644 --- a/app/src/main/java/code/name/monkey/retromusic/extensions/ViewExtensions.kt +++ b/app/src/main/java/code/name/monkey/retromusic/extensions/ViewExtensions.kt @@ -15,9 +15,12 @@ package code.name.monkey.retromusic.extensions import android.animation.ObjectAnimator +import android.content.Context import android.view.LayoutInflater import android.view.View import android.view.ViewGroup +import android.view.ViewTreeObserver +import android.view.inputmethod.InputMethodManager import android.widget.EditText import androidx.annotation.LayoutRes import androidx.core.animation.doOnEnd @@ -75,3 +78,39 @@ fun BottomSheetBehavior<*>.peekHeightAnimate(value: Int) { start() } } + +fun View.focusAndShowKeyboard() { + /** + * This is to be called when the window already has focus. + */ + fun View.showTheKeyboardNow() { + if (isFocused) { + post { + // We still post the call, just in case we are being notified of the windows focus + // but InputMethodManager didn't get properly setup yet. + val imm = + context.getSystemService(Context.INPUT_METHOD_SERVICE) as InputMethodManager + imm.showSoftInput(this, InputMethodManager.SHOW_IMPLICIT) + } + } + } + + requestFocus() + if (hasWindowFocus()) { + // No need to wait for the window to get focus. + showTheKeyboardNow() + } else { + // We need to wait until the window gets focus. + viewTreeObserver.addOnWindowFocusChangeListener( + object : ViewTreeObserver.OnWindowFocusChangeListener { + override fun onWindowFocusChanged(hasFocus: Boolean) { + // This notification will arrive just before the InputMethodManager gets set up. + if (hasFocus) { + this@focusAndShowKeyboard.showTheKeyboardNow() + // It’s very important to remove this listener once we are done. + viewTreeObserver.removeOnWindowFocusChangeListener(this) + } + } + }) + } +} \ No newline at end of file diff --git a/app/src/main/java/code/name/monkey/retromusic/fragments/CoroutineViewModel.kt b/app/src/main/java/code/name/monkey/retromusic/fragments/CoroutineViewModel.kt deleted file mode 100644 index a1227d9c..00000000 --- a/app/src/main/java/code/name/monkey/retromusic/fragments/CoroutineViewModel.kt +++ /dev/null @@ -1,37 +0,0 @@ -/* - * Copyright (c) 2020 Hemanth Savarla. - * - * Licensed under the GNU General Public License v3 - * - * This is free software: you can redistribute it and/or modify it - * under the terms of the GNU General Public License as published by - * the Free Software Foundation, either version 3 of the License, or (at your option) any later version. - * - * This software is distributed in the hope that it will be useful, but WITHOUT ANY WARRANTY; - * without even the implied warranty of MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. - * See the GNU General Public License for more details. - * - */ -package code.name.monkey.retromusic.fragments - -import androidx.lifecycle.ViewModel -import kotlin.coroutines.CoroutineContext -import kotlinx.coroutines.* - -open class CoroutineViewModel( - private val mainDispatcher: CoroutineDispatcher -) : ViewModel() { - private val job = Job() - protected val scope = CoroutineScope(job + mainDispatcher) - - protected fun launch( - context: CoroutineContext = mainDispatcher, - start: CoroutineStart = CoroutineStart.DEFAULT, - block: suspend CoroutineScope.() -> Unit - ) = scope.launch(context, start, block) - - override fun onCleared() { - super.onCleared() - job.cancel() - } -} diff --git a/app/src/main/java/code/name/monkey/retromusic/fragments/DetailListFragment.kt b/app/src/main/java/code/name/monkey/retromusic/fragments/DetailListFragment.kt index 59267957..5566e102 100644 --- a/app/src/main/java/code/name/monkey/retromusic/fragments/DetailListFragment.kt +++ b/app/src/main/java/code/name/monkey/retromusic/fragments/DetailListFragment.kt @@ -26,6 +26,7 @@ import androidx.recyclerview.widget.RecyclerView.AdapterDataObserver import code.name.monkey.retromusic.* import code.name.monkey.retromusic.adapter.album.AlbumAdapter import code.name.monkey.retromusic.adapter.artist.ArtistAdapter +import code.name.monkey.retromusic.adapter.song.ShuffleButtonSongAdapter import code.name.monkey.retromusic.adapter.song.SongAdapter import code.name.monkey.retromusic.db.toSong import code.name.monkey.retromusic.extensions.dipToPix @@ -34,7 +35,6 @@ import code.name.monkey.retromusic.interfaces.IAlbumClickListener import code.name.monkey.retromusic.interfaces.IArtistClickListener import code.name.monkey.retromusic.model.Album import code.name.monkey.retromusic.model.Artist -import code.name.monkey.retromusic.state.NowPlayingPanelState import code.name.monkey.retromusic.util.RetroUtil import kotlinx.android.synthetic.main.fragment_playlist_detail.* @@ -48,18 +48,10 @@ class DetailListFragment : AbsMainActivityFragment(R.layout.fragment_playlist_de mainActivity.setSupportActionBar(toolbar) progressIndicator.hide() when (args.type) { - TOP_ARTISTS -> { - loadArtists(R.string.top_artists, TOP_ARTISTS) - } - RECENT_ARTISTS -> { - loadArtists(R.string.recent_artists, RECENT_ARTISTS) - } - TOP_ALBUMS -> { - loadAlbums(R.string.top_albums, TOP_ALBUMS) - } - RECENT_ALBUMS -> { - loadAlbums(R.string.recent_albums, RECENT_ALBUMS) - } + TOP_ARTISTS -> loadArtists(R.string.top_artists, TOP_ARTISTS) + RECENT_ARTISTS -> loadArtists(R.string.recent_artists, RECENT_ARTISTS) + TOP_ALBUMS -> loadAlbums(R.string.top_albums, TOP_ALBUMS) + RECENT_ALBUMS -> loadAlbums(R.string.recent_albums, RECENT_ALBUMS) FAVOURITES -> loadFavorite() HISTORY_PLAYLIST -> loadHistory() LAST_ADDED_PLAYLIST -> lastAddedSongs() @@ -77,7 +69,7 @@ class DetailListFragment : AbsMainActivityFragment(R.layout.fragment_playlist_de private fun lastAddedSongs() { toolbar.setTitle(R.string.last_added) - val songAdapter = SongAdapter( + val songAdapter = ShuffleButtonSongAdapter( requireActivity(), mutableListOf(), R.layout.item_list, null @@ -93,7 +85,7 @@ class DetailListFragment : AbsMainActivityFragment(R.layout.fragment_playlist_de private fun topPlayed() { toolbar.setTitle(R.string.my_top_tracks) - val songAdapter = SongAdapter( + val songAdapter = ShuffleButtonSongAdapter( requireActivity(), mutableListOf(), R.layout.item_list, null @@ -110,7 +102,7 @@ class DetailListFragment : AbsMainActivityFragment(R.layout.fragment_playlist_de private fun loadHistory() { toolbar.setTitle(R.string.history) - val songAdapter = SongAdapter( + val songAdapter = ShuffleButtonSongAdapter( requireActivity(), mutableListOf(), R.layout.item_list, null diff --git a/app/src/main/java/code/name/monkey/retromusic/fragments/LibraryViewModel.kt b/app/src/main/java/code/name/monkey/retromusic/fragments/LibraryViewModel.kt index b0cb2d55..2a4bcb81 100644 --- a/app/src/main/java/code/name/monkey/retromusic/fragments/LibraryViewModel.kt +++ b/app/src/main/java/code/name/monkey/retromusic/fragments/LibraryViewModel.kt @@ -15,36 +15,19 @@ package code.name.monkey.retromusic.fragments import android.widget.Toast -import androidx.lifecycle.LiveData -import androidx.lifecycle.MutableLiveData -import androidx.lifecycle.ViewModel -import androidx.lifecycle.liveData -import androidx.lifecycle.viewModelScope -import code.name.monkey.retromusic.App -import code.name.monkey.retromusic.RECENT_ALBUMS -import code.name.monkey.retromusic.RECENT_ARTISTS -import code.name.monkey.retromusic.TOP_ALBUMS -import code.name.monkey.retromusic.TOP_ARTISTS -import code.name.monkey.retromusic.db.PlaylistEntity -import code.name.monkey.retromusic.db.PlaylistWithSongs -import code.name.monkey.retromusic.db.SongEntity -import code.name.monkey.retromusic.db.toSong -import code.name.monkey.retromusic.db.toSongEntity +import androidx.lifecycle.* +import code.name.monkey.retromusic.* +import code.name.monkey.retromusic.db.* import code.name.monkey.retromusic.fragments.ReloadType.* import code.name.monkey.retromusic.helper.MusicPlayerRemote import code.name.monkey.retromusic.interfaces.IMusicServiceEventListener -import code.name.monkey.retromusic.model.Album -import code.name.monkey.retromusic.model.Artist -import code.name.monkey.retromusic.model.Contributor -import code.name.monkey.retromusic.model.Genre -import code.name.monkey.retromusic.model.Home -import code.name.monkey.retromusic.model.Playlist -import code.name.monkey.retromusic.model.Song +import code.name.monkey.retromusic.model.* import code.name.monkey.retromusic.repository.RealRepository -import code.name.monkey.retromusic.state.NowPlayingPanelState import code.name.monkey.retromusic.util.PreferenceUtil import kotlinx.coroutines.Dispatchers.IO +import kotlinx.coroutines.Dispatchers.Main import kotlinx.coroutines.launch +import kotlinx.coroutines.withContext class LibraryViewModel( private val repository: RealRepository @@ -152,9 +135,11 @@ class LibraryViewModel( } } - fun search(query: String?) = viewModelScope.launch(IO) { - val result = repository.search(query) - searchResults.postValue(result) + fun search(query: String?) { + viewModelScope.launch(IO) { + val result = repository.search(query) + withContext(Main) { searchResults.postValue(result) } + } } fun forceReload(reloadType: ReloadType) = viewModelScope.launch { @@ -322,7 +307,8 @@ class LibraryViewModel( viewModelScope.launch(IO) { val playlists = checkPlaylistExists(playlistName) if (playlists.isEmpty()) { - val playlistId: Long = createPlaylist(PlaylistEntity(playlistName = playlistName)) + val playlistId: Long = + createPlaylist(PlaylistEntity(playlistName = playlistName)) insertSongs(songs.map { it.toSongEntity(playlistId) }) forceReload(Playlists) } else { diff --git a/app/src/main/java/code/name/monkey/retromusic/fragments/albums/AlbumDetailsFragment.kt b/app/src/main/java/code/name/monkey/retromusic/fragments/albums/AlbumDetailsFragment.kt index f4008bbe..cb06d353 100644 --- a/app/src/main/java/code/name/monkey/retromusic/fragments/albums/AlbumDetailsFragment.kt +++ b/app/src/main/java/code/name/monkey/retromusic/fragments/albums/AlbumDetailsFragment.kt @@ -17,11 +17,7 @@ package code.name.monkey.retromusic.fragments.albums import android.app.ActivityOptions import android.content.Intent import android.os.Bundle -import android.view.Menu -import android.view.MenuInflater -import android.view.MenuItem -import android.view.SubMenu -import android.view.View +import android.view.* import androidx.appcompat.app.AppCompatActivity import androidx.core.os.bundleOf import androidx.core.text.HtmlCompat @@ -35,7 +31,6 @@ import androidx.recyclerview.widget.DefaultItemAnimator import androidx.recyclerview.widget.GridLayoutManager import androidx.recyclerview.widget.LinearLayoutManager import code.name.monkey.appthemehelper.common.ATHToolbarActivity.getToolbarBackgroundColor -import code.name.monkey.appthemehelper.util.ATHUtil import code.name.monkey.appthemehelper.util.ToolbarContentTintHelper import code.name.monkey.retromusic.EXTRA_ALBUM_ID import code.name.monkey.retromusic.EXTRA_ARTIST_ID @@ -68,7 +63,6 @@ import code.name.monkey.retromusic.util.PreferenceUtil import code.name.monkey.retromusic.util.RetroUtil import code.name.monkey.retromusic.util.color.MediaNotificationProcessor import com.bumptech.glide.Glide -import com.google.android.material.transition.MaterialContainerTransform import kotlinx.android.synthetic.main.fragment_album_content.* import kotlinx.android.synthetic.main.fragment_album_details.* import kotlinx.coroutines.Dispatchers @@ -93,17 +87,6 @@ class AlbumDetailsFragment : AbsMainActivityFragment(R.layout.fragment_album_det private val savedSortOrder: String get() = PreferenceUtil.albumDetailSongSortOrder - private fun setUpTransitions() { - val transform = MaterialContainerTransform() - transform.setAllContainerColors(ATHUtil.resolveColor(requireContext(), R.attr.colorSurface)) - sharedElementEnterTransition = transform - } - - override fun onCreate(savedInstanceState: Bundle?) { - super.onCreate(savedInstanceState) - setUpTransitions() - } - override fun onViewCreated(view: View, savedInstanceState: Bundle?) { super.onViewCreated(view, savedInstanceState) setHasOptionsMenu(true) @@ -287,8 +270,8 @@ class AlbumDetailsFragment : AbsMainActivityFragment(R.layout.fragment_album_det } private fun setColors(color: Int) { - shuffleAction.applyColor(color) - playAction.applyOutlineColor(color) + shuffleAction?.applyColor(color) + playAction?.applyOutlineColor(color) } override fun onAlbumClick(albumId: Long, view: View) { diff --git a/app/src/main/java/code/name/monkey/retromusic/fragments/artists/ArtistDetailsFragment.kt b/app/src/main/java/code/name/monkey/retromusic/fragments/artists/ArtistDetailsFragment.kt index 06ddacaf..503916f3 100644 --- a/app/src/main/java/code/name/monkey/retromusic/fragments/artists/ArtistDetailsFragment.kt +++ b/app/src/main/java/code/name/monkey/retromusic/fragments/artists/ArtistDetailsFragment.kt @@ -14,6 +14,7 @@ */ package code.name.monkey.retromusic.fragments.artists +import android.app.Activity import android.content.Intent import android.os.Bundle import android.text.Spanned @@ -137,7 +138,7 @@ class ArtistDetailsFragment : AbsMainActivityFragment(R.layout.fragment_artist_d } } - fun showArtist(artist: Artist) { + private fun showArtist(artist: Artist) { this.artist = artist loadArtistImage(artist) if (RetroUtil.isAllowedToDownloadMetadata(requireContext())) { @@ -164,7 +165,7 @@ class ArtistDetailsFragment : AbsMainActivityFragment(R.layout.fragment_artist_d songTitle.text = songText albumTitle.text = albumText songAdapter.swapDataSet(artist.songs.sortedBy { it.trackNumber }) - artist.albums?.let { albumAdapter.swapDataSet(it) } + albumAdapter.swapDataSet(artist.albums) } private fun loadBiography( @@ -174,7 +175,7 @@ class ArtistDetailsFragment : AbsMainActivityFragment(R.layout.fragment_artist_d biography = null this.lang = lang detailsViewModel.getArtistInfo(name, lang, null) - .observe(viewLifecycleOwner, Observer { result -> + .observe(viewLifecycleOwner, { result -> when (result) { is Result.Loading -> println("Loading") is Result.Error -> println("Error") @@ -222,8 +223,8 @@ class ArtistDetailsFragment : AbsMainActivityFragment(R.layout.fragment_artist_d } private fun setColors(color: Int) { - shuffleAction.applyColor(color) - playAction.applyOutlineColor(color) + shuffleAction?.applyColor(color) + playAction?.applyOutlineColor(color) } override fun onAlbumClick(albumId: Long, view: View) { @@ -282,6 +283,21 @@ class ArtistDetailsFragment : AbsMainActivityFragment(R.layout.fragment_artist_d return true } + override fun onActivityResult(requestCode: Int, resultCode: Int, data: Intent?) { + super.onActivityResult(requestCode, resultCode, data) + when (requestCode) { + REQUEST_CODE_SELECT_IMAGE -> if (resultCode == Activity.RESULT_OK) { + data?.data?.let { + CustomArtistImageUtil.getInstance(requireContext()) + .setCustomArtistImage(artist, it) + } + } + else -> if (resultCode == Activity.RESULT_OK) { + println("OK") + } + } + } + override fun onCreateOptionsMenu(menu: Menu, inflater: MenuInflater) { super.onCreateOptionsMenu(menu, inflater) inflater.inflate(R.menu.menu_artist_detail, menu) diff --git a/app/src/main/java/code/name/monkey/retromusic/fragments/base/AbsPlayerFragment.kt b/app/src/main/java/code/name/monkey/retromusic/fragments/base/AbsPlayerFragment.kt index 7899823f..43c02dfd 100644 --- a/app/src/main/java/code/name/monkey/retromusic/fragments/base/AbsPlayerFragment.kt +++ b/app/src/main/java/code/name/monkey/retromusic/fragments/base/AbsPlayerFragment.kt @@ -50,13 +50,13 @@ import code.name.monkey.retromusic.model.lyrics.Lyrics import code.name.monkey.retromusic.repository.RealRepository import code.name.monkey.retromusic.service.MusicService import code.name.monkey.retromusic.util.* -import java.io.FileNotFoundException import kotlinx.android.synthetic.main.shadow_statusbar_toolbar.* import kotlinx.coroutines.Dispatchers.IO import kotlinx.coroutines.Dispatchers.Main import kotlinx.coroutines.launch import kotlinx.coroutines.withContext import org.koin.android.ext.android.get +import java.io.FileNotFoundException abstract class AbsPlayerFragment(@LayoutRes layout: Int) : AbsMainActivityFragment(layout), Toolbar.OnMenuItemClickListener, IPaletteColorHolder, PlayerAlbumCoverFragment.Callbacks { diff --git a/app/src/main/java/code/name/monkey/retromusic/fragments/base/AbsRecyclerViewCustomGridSizeFragment.kt b/app/src/main/java/code/name/monkey/retromusic/fragments/base/AbsRecyclerViewCustomGridSizeFragment.kt index 7a03ab2a..749c8205 100644 --- a/app/src/main/java/code/name/monkey/retromusic/fragments/base/AbsRecyclerViewCustomGridSizeFragment.kt +++ b/app/src/main/java/code/name/monkey/retromusic/fragments/base/AbsRecyclerViewCustomGridSizeFragment.kt @@ -112,7 +112,7 @@ abstract class AbsRecyclerViewCustomGridSizeFragment } else { 0 } - recyclerView.setPadding(padding, padding, padding, padding) + //recyclerView.setPadding(padding, padding, padding, padding) } protected abstract fun setGridSize(gridSize: Int) diff --git a/app/src/main/java/code/name/monkey/retromusic/fragments/base/AbsRecyclerViewFragment.kt b/app/src/main/java/code/name/monkey/retromusic/fragments/base/AbsRecyclerViewFragment.kt index df9518ed..c01c6f11 100644 --- a/app/src/main/java/code/name/monkey/retromusic/fragments/base/AbsRecyclerViewFragment.kt +++ b/app/src/main/java/code/name/monkey/retromusic/fragments/base/AbsRecyclerViewFragment.kt @@ -15,10 +15,14 @@ package code.name.monkey.retromusic.fragments.base import android.os.Bundle -import android.view.* +import android.view.Menu +import android.view.MenuInflater +import android.view.MenuItem +import android.view.View import androidx.annotation.NonNull import androidx.annotation.StringRes import androidx.core.text.HtmlCompat +import androidx.core.view.updatePadding import androidx.navigation.fragment.findNavController import androidx.recyclerview.widget.RecyclerView import code.name.monkey.appthemehelper.ThemeStore @@ -28,12 +32,9 @@ import code.name.monkey.retromusic.R import code.name.monkey.retromusic.dialogs.CreatePlaylistDialog import code.name.monkey.retromusic.dialogs.ImportPlaylistDialog import code.name.monkey.retromusic.helper.MusicPlayerRemote -import code.name.monkey.retromusic.state.NowPlayingPanelState import code.name.monkey.retromusic.util.DensityUtil import code.name.monkey.retromusic.util.ThemedFastScroller.create -import code.name.monkey.retromusic.views.ScrollingViewOnApplyWindowInsetsListener import com.google.android.material.appbar.AppBarLayout -import com.google.android.material.transition.Hold import kotlinx.android.synthetic.main.fragment_main_recycler.* import me.zhanghai.android.fastscroll.FastScroller import me.zhanghai.android.fastscroll.FastScrollerBuilder @@ -50,15 +51,6 @@ abstract class AbsRecyclerViewFragment, LM : Recycle protected var adapter: A? = null protected var layoutManager: LM? = null - private fun setUpTransitions() { - exitTransition = Hold() - } - - override fun onCreate(savedInstanceState: Bundle?) { - super.onCreate(savedInstanceState) - setUpTransitions() - } - override fun onViewCreated(view: View, savedInstanceState: Bundle?) { super.onViewCreated(view, savedInstanceState) mainActivity.setBottomBarVisibility(View.VISIBLE) @@ -92,12 +84,7 @@ abstract class AbsRecyclerViewFragment, LM : Recycle layoutManager = this@AbsRecyclerViewFragment.layoutManager adapter = this@AbsRecyclerViewFragment.adapter val fastScroller = create(this) - setOnApplyWindowInsetsListener( - ScrollingViewOnApplyWindowInsetsListener( - recyclerView, - fastScroller - ) - ) + } checkForPadding() } @@ -131,13 +118,13 @@ abstract class AbsRecyclerViewFragment, LM : Recycle private fun checkForPadding() { val itemCount: Int = adapter?.itemCount ?: 0 - val params = container.layoutParams as ViewGroup.MarginLayoutParams + if (itemCount > 0 && MusicPlayerRemote.playingQueue.isNotEmpty()) { - val height = DensityUtil.dip2px(requireContext(), 104f) - params.bottomMargin = height + val height = DensityUtil.dip2px(requireContext(), 112f) + recyclerView.updatePadding(0, 0, 0, height) } else { - val height = DensityUtil.dip2px(requireContext(), 52f) - params.bottomMargin = height + val height = DensityUtil.dip2px(requireContext(), 56f) + recyclerView.updatePadding(0, 0, 0, height) } } @@ -151,12 +138,12 @@ abstract class AbsRecyclerViewFragment, LM : Recycle protected abstract fun createAdapter(): A override fun onOffsetChanged(p0: AppBarLayout?, i: Int) { - container.setPadding( - container.paddingLeft, - container.paddingTop, - container.paddingRight, + /*recyclerView.setPadding( + recyclerView.paddingLeft, + recyclerView.paddingTop, + recyclerView.paddingRight, i - ) + )*/ } override fun onQueueChanged() { diff --git a/app/src/main/java/code/name/monkey/retromusic/fragments/genres/GenreDetailsFragment.kt b/app/src/main/java/code/name/monkey/retromusic/fragments/genres/GenreDetailsFragment.kt index 2f1b70bf..736fecbc 100644 --- a/app/src/main/java/code/name/monkey/retromusic/fragments/genres/GenreDetailsFragment.kt +++ b/app/src/main/java/code/name/monkey/retromusic/fragments/genres/GenreDetailsFragment.kt @@ -19,10 +19,12 @@ import android.view.Menu import android.view.MenuInflater import android.view.MenuItem import android.view.View +import androidx.core.view.ViewCompat import androidx.navigation.fragment.navArgs import androidx.recyclerview.widget.DefaultItemAnimator import androidx.recyclerview.widget.LinearLayoutManager import androidx.recyclerview.widget.RecyclerView +import code.name.monkey.appthemehelper.util.ATHUtil import code.name.monkey.retromusic.R import code.name.monkey.retromusic.adapter.song.SongAdapter import code.name.monkey.retromusic.extensions.dipToPix @@ -30,11 +32,11 @@ import code.name.monkey.retromusic.fragments.base.AbsMainActivityFragment import code.name.monkey.retromusic.helper.menu.GenreMenuHelper import code.name.monkey.retromusic.model.Genre import code.name.monkey.retromusic.model.Song -import code.name.monkey.retromusic.state.NowPlayingPanelState -import java.util.* +import com.google.android.material.transition.MaterialContainerTransform import kotlinx.android.synthetic.main.fragment_playlist_detail.* import org.koin.androidx.viewmodel.ext.android.viewModel import org.koin.core.parameter.parametersOf +import java.util.* class GenreDetailsFragment : AbsMainActivityFragment(R.layout.fragment_playlist_detail) { private val arguments by navArgs() @@ -43,22 +45,31 @@ class GenreDetailsFragment : AbsMainActivityFragment(R.layout.fragment_playlist_ } private lateinit var genre: Genre private lateinit var songAdapter: SongAdapter + private fun setUpTransitions() { + val transform = MaterialContainerTransform() + transform.setAllContainerColors(ATHUtil.resolveColor(requireContext(), R.attr.colorSurface)) + sharedElementEnterTransition = transform + } - override fun onActivityCreated(savedInstanceState: Bundle?) { - super.onActivityCreated(savedInstanceState) + override fun onCreate(savedInstanceState: Bundle?) { + super.onCreate(savedInstanceState) + setUpTransitions() + } + + override fun onViewCreated(view: View, savedInstanceState: Bundle?) { + super.onViewCreated(view, savedInstanceState) setHasOptionsMenu(true) mainActivity.setBottomBarVisibility(View.GONE) mainActivity.addMusicServiceEventListener(detailsViewModel) mainActivity.setSupportActionBar(toolbar) - progressIndicator.hide() + ViewCompat.setTransitionName(container, "genre") + genre = arguments.extraGenre + toolbar?.title = arguments.extraGenre.name setupRecyclerView() - detailsViewModel.getSongs().observe(viewLifecycleOwner, androidx.lifecycle.Observer { + detailsViewModel.getSongs().observe(viewLifecycleOwner, { songs(it) }) - detailsViewModel.getGenre().observe(viewLifecycleOwner, androidx.lifecycle.Observer { - genre = it - toolbar?.title = it.name - }) + } private fun setupRecyclerView() { @@ -77,7 +88,9 @@ class GenreDetailsFragment : AbsMainActivityFragment(R.layout.fragment_playlist_ } fun songs(songs: List) { - songAdapter.swapDataSet(songs) + progressIndicator.hide() + if (songs.isNotEmpty()) songAdapter.swapDataSet(songs) + else songAdapter.swapDataSet(emptyList()) } private fun getEmojiByUnicode(unicode: Int): String { diff --git a/app/src/main/java/code/name/monkey/retromusic/fragments/genres/GenresFragment.kt b/app/src/main/java/code/name/monkey/retromusic/fragments/genres/GenresFragment.kt index e7c5041a..b2e9cb0c 100644 --- a/app/src/main/java/code/name/monkey/retromusic/fragments/genres/GenresFragment.kt +++ b/app/src/main/java/code/name/monkey/retromusic/fragments/genres/GenresFragment.kt @@ -16,13 +16,20 @@ package code.name.monkey.retromusic.fragments.genres import android.os.Bundle import android.view.View +import androidx.core.os.bundleOf import androidx.lifecycle.Observer +import androidx.navigation.fragment.FragmentNavigatorExtras +import androidx.navigation.fragment.findNavController import androidx.recyclerview.widget.LinearLayoutManager +import code.name.monkey.retromusic.EXTRA_GENRE import code.name.monkey.retromusic.R import code.name.monkey.retromusic.adapter.GenreAdapter import code.name.monkey.retromusic.fragments.base.AbsRecyclerViewFragment +import code.name.monkey.retromusic.interfaces.IGenreClickListener +import code.name.monkey.retromusic.model.Genre -class GenresFragment : AbsRecyclerViewFragment() { +class GenresFragment : AbsRecyclerViewFragment(), + IGenreClickListener { override fun onViewCreated(view: View, savedInstanceState: Bundle?) { super.onViewCreated(view, savedInstanceState) libraryViewModel.getGenre().observe(viewLifecycleOwner, Observer { @@ -39,7 +46,7 @@ class GenresFragment : AbsRecyclerViewFragment gridSizeMenu.findItem(R.id.action_grid_size_1).isChecked = - true + 1 -> gridSizeMenu.findItem(R.id.action_grid_size_1).isChecked = true 2 -> gridSizeMenu.findItem(R.id.action_grid_size_2).isChecked = true 3 -> gridSizeMenu.findItem(R.id.action_grid_size_3).isChecked = true 4 -> gridSizeMenu.findItem(R.id.action_grid_size_4).isChecked = true diff --git a/app/src/main/java/code/name/monkey/retromusic/glide/SingleColorTarget.kt b/app/src/main/java/code/name/monkey/retromusic/glide/SingleColorTarget.kt index dbe27624..989419fb 100644 --- a/app/src/main/java/code/name/monkey/retromusic/glide/SingleColorTarget.kt +++ b/app/src/main/java/code/name/monkey/retromusic/glide/SingleColorTarget.kt @@ -25,7 +25,7 @@ import com.bumptech.glide.request.animation.GlideAnimation abstract class SingleColorTarget(view: ImageView) : BitmapPaletteTarget(view) { - protected val defaultFooterColor: Int + private val defaultFooterColor: Int get() = ATHUtil.resolveColor(view.context, R.attr.colorControlNormal) abstract fun onColorReady(color: Int) diff --git a/app/src/main/java/code/name/monkey/retromusic/interfaces/IGenreClickListener.kt b/app/src/main/java/code/name/monkey/retromusic/interfaces/IGenreClickListener.kt new file mode 100644 index 00000000..f5c6aeb4 --- /dev/null +++ b/app/src/main/java/code/name/monkey/retromusic/interfaces/IGenreClickListener.kt @@ -0,0 +1,8 @@ +package code.name.monkey.retromusic.interfaces + +import android.view.View +import code.name.monkey.retromusic.model.Genre + +interface IGenreClickListener { + fun onClickGenre(genre: Genre, view: View) +} \ No newline at end of file diff --git a/app/src/main/java/code/name/monkey/retromusic/interfaces/IHomeClickListener.kt b/app/src/main/java/code/name/monkey/retromusic/interfaces/IHomeClickListener.kt new file mode 100644 index 00000000..db224ee9 --- /dev/null +++ b/app/src/main/java/code/name/monkey/retromusic/interfaces/IHomeClickListener.kt @@ -0,0 +1,13 @@ +package code.name.monkey.retromusic.interfaces + +import code.name.monkey.retromusic.model.Album +import code.name.monkey.retromusic.model.Artist +import code.name.monkey.retromusic.model.Genre + +interface IHomeClickListener { + fun onAlbumClick(album: Album) + + fun onArtistClick(artist: Artist) + + fun onGenreClick(genre: Genre) +} \ No newline at end of file diff --git a/app/src/main/java/code/name/monkey/retromusic/preferences/AlbumCoverStylePreferenceDialog.kt b/app/src/main/java/code/name/monkey/retromusic/preferences/AlbumCoverStylePreferenceDialog.kt index f74f61d6..5c7e91ba 100644 --- a/app/src/main/java/code/name/monkey/retromusic/preferences/AlbumCoverStylePreferenceDialog.kt +++ b/app/src/main/java/code/name/monkey/retromusic/preferences/AlbumCoverStylePreferenceDialog.kt @@ -33,9 +33,7 @@ import androidx.viewpager.widget.ViewPager import code.name.monkey.appthemehelper.common.prefs.supportv7.ATEDialogPreference import code.name.monkey.retromusic.App import code.name.monkey.retromusic.R -import code.name.monkey.retromusic.extensions.colorButtons -import code.name.monkey.retromusic.extensions.colorControlNormal -import code.name.monkey.retromusic.extensions.materialDialog +import code.name.monkey.retromusic.extensions.* import code.name.monkey.retromusic.fragments.AlbumCoverStyle import code.name.monkey.retromusic.fragments.AlbumCoverStyle.* import code.name.monkey.retromusic.util.NavigationUtil @@ -126,9 +124,10 @@ class AlbumCoverStylePreferenceDialog : DialogFragment(), Glide.with(context).load(albumCoverStyle.drawableResId).into(image) title.setText(albumCoverStyle.titleRes) if (isAlbumCoverStyle(albumCoverStyle)) { + proText.show() proText.setText(R.string.pro) } else { - proText.setText(R.string.free) + proText.hide() } return layout } diff --git a/app/src/main/java/code/name/monkey/retromusic/preferences/LibraryPreference.kt b/app/src/main/java/code/name/monkey/retromusic/preferences/LibraryPreference.kt index 7ff912e3..ccf12b4b 100644 --- a/app/src/main/java/code/name/monkey/retromusic/preferences/LibraryPreference.kt +++ b/app/src/main/java/code/name/monkey/retromusic/preferences/LibraryPreference.kt @@ -72,7 +72,7 @@ class LibraryPreferenceDialog : DialogFragment() { categoryAdapter.categoryInfos = PreferenceUtil.defaultCategories } .setNegativeButton(android.R.string.cancel, null) - .setPositiveButton(android.R.string.ok) { _, _ -> updateCategories(categoryAdapter.categoryInfos) } + .setPositiveButton( R.string.done) { _, _ -> updateCategories(categoryAdapter.categoryInfos) } .setView(view) .create() .colorButtons() diff --git a/app/src/main/java/code/name/monkey/retromusic/preferences/NowPlayingScreenPreferenceDialog.kt b/app/src/main/java/code/name/monkey/retromusic/preferences/NowPlayingScreenPreferenceDialog.kt index d5f36405..e6760195 100644 --- a/app/src/main/java/code/name/monkey/retromusic/preferences/NowPlayingScreenPreferenceDialog.kt +++ b/app/src/main/java/code/name/monkey/retromusic/preferences/NowPlayingScreenPreferenceDialog.kt @@ -32,9 +32,7 @@ import androidx.viewpager.widget.ViewPager import code.name.monkey.appthemehelper.common.prefs.supportv7.ATEDialogPreference import code.name.monkey.retromusic.App import code.name.monkey.retromusic.R -import code.name.monkey.retromusic.extensions.colorButtons -import code.name.monkey.retromusic.extensions.colorControlNormal -import code.name.monkey.retromusic.extensions.materialDialog +import code.name.monkey.retromusic.extensions.* import code.name.monkey.retromusic.fragments.NowPlayingScreen import code.name.monkey.retromusic.fragments.NowPlayingScreen.* import code.name.monkey.retromusic.util.NavigationUtil @@ -93,7 +91,7 @@ class NowPlayingScreenPreferenceDialog : DialogFragment(), ViewPager.OnPageChang val nowPlayingScreen = values()[viewPagerPosition] if (isNowPlayingThemes(nowPlayingScreen)) { val result = - getString(nowPlayingScreen.titleRes) + " theme is Pro version feature." + "${getString(nowPlayingScreen.titleRes)} theme is Pro version feature." Toast.makeText(context, result, Toast.LENGTH_SHORT).show() NavigationUtil.goToProVersion(requireContext()) } else { @@ -131,9 +129,10 @@ private class NowPlayingScreenAdapter(private val context: Context) : PagerAdapt Glide.with(context).load(nowPlayingScreen.drawableResId).into(image) title.setText(nowPlayingScreen.titleRes) if (isNowPlayingThemes(nowPlayingScreen)) { + proText.show() proText.setText(R.string.pro) - } else { - proText.setText(R.string.free) + }else{ + proText.hide() } return layout } @@ -160,14 +159,5 @@ private class NowPlayingScreenAdapter(private val context: Context) : PagerAdapt } private fun isNowPlayingThemes(screen: NowPlayingScreen): Boolean { - return (screen == Full || - screen == Card || - screen == Plain || - screen == Blur || - screen == Color || - screen == Simple || - screen == BlurCard || - screen == Circle || - screen == Adaptive) - && !App.isProVersion() + return (screen == Full || screen == Card || screen == Plain || screen == Blur || screen == Color || screen == Simple || screen == BlurCard || screen == Circle || screen == Adaptive) && !App.isProVersion() } \ No newline at end of file diff --git a/app/src/main/java/code/name/monkey/retromusic/repository/SearchRepository.kt b/app/src/main/java/code/name/monkey/retromusic/repository/SearchRepository.kt index 555ead5e..d8bb7b06 100644 --- a/app/src/main/java/code/name/monkey/retromusic/repository/SearchRepository.kt +++ b/app/src/main/java/code/name/monkey/retromusic/repository/SearchRepository.kt @@ -26,7 +26,7 @@ class RealSearchRepository( private val roomRepository: RoomRepository, private val genreRepository: GenreRepository, ) { - suspend fun searchAll(context: Context, query: String?): MutableList { + fun searchAll(context: Context, query: String?): MutableList { val results = mutableListOf() query?.let { searchString -> val songs = songRepository.songs(searchString) @@ -53,14 +53,14 @@ class RealSearchRepository( results.add(context.resources.getString(R.string.genres)) results.addAll(genres) } - val playlist = roomRepository.playlistWithSongs().filter { playlist -> - playlist.playlistEntity.playlistName.toLowerCase(Locale.getDefault()) - .contains(searchString.toLowerCase(Locale.getDefault())) - } - if (playlist.isNotEmpty()) { - results.add(context.getString(R.string.playlists)) - results.addAll(playlist) - } + /* val playlist = roomRepository.playlists().filter { playlist -> + playlist.playlistName.toLowerCase(Locale.getDefault()) + .contains(searchString.toLowerCase(Locale.getDefault())) + } + if (playlist.isNotEmpty()) { + results.add(context.getString(R.string.playlists)) + results.addAll(playlist) + }*/ } return results } diff --git a/app/src/main/java/code/name/monkey/retromusic/service/notification/PlayingNotificationImpl.kt b/app/src/main/java/code/name/monkey/retromusic/service/notification/PlayingNotificationImpl.kt index e7a2ca71..dd7af83d 100644 --- a/app/src/main/java/code/name/monkey/retromusic/service/notification/PlayingNotificationImpl.kt +++ b/app/src/main/java/code/name/monkey/retromusic/service/notification/PlayingNotificationImpl.kt @@ -27,6 +27,8 @@ import androidx.core.text.HtmlCompat import androidx.media.app.NotificationCompat.MediaStyle import code.name.monkey.retromusic.R import code.name.monkey.retromusic.activities.MainActivity +import code.name.monkey.retromusic.db.PlaylistEntity +import code.name.monkey.retromusic.db.toSongEntity import code.name.monkey.retromusic.glide.SongGlideRequest import code.name.monkey.retromusic.glide.palette.BitmapPaletteWrapper import code.name.monkey.retromusic.service.MusicService @@ -38,140 +40,149 @@ import com.bumptech.glide.Glide import com.bumptech.glide.request.animation.GlideAnimation import com.bumptech.glide.request.target.SimpleTarget import com.bumptech.glide.request.target.Target +import kotlinx.coroutines.GlobalScope +import kotlinx.coroutines.launch +import org.koin.core.KoinComponent -class PlayingNotificationImpl : PlayingNotification() { +class PlayingNotificationImpl : PlayingNotification(), KoinComponent { private var target: Target? = null @Synchronized override fun update() { stopped = false + GlobalScope.launch { + val song = service.currentSong + val playlist: PlaylistEntity? = MusicUtil.repository.favoritePlaylist() + val isPlaying = service.isPlaying + val isFavorite = if (playlist != null) { + val songEntity = song.toSongEntity(playlist.playListId) + MusicUtil.repository.isFavoriteSong(songEntity).isNotEmpty() + } else false - val song = service.currentSong - val isPlaying = service.isPlaying - val isFavorite = MusicUtil.isFavorite(service, song) - val playButtonResId = - if (isPlaying) R.drawable.ic_pause_white_48dp else R.drawable.ic_play_arrow_white_48dp - val favoriteResId = - if (isFavorite) R.drawable.ic_favorite else R.drawable.ic_favorite_border + val playButtonResId = + if (isPlaying) R.drawable.ic_pause_white_48dp else R.drawable.ic_play_arrow_white_48dp + val favoriteResId = + if (isFavorite) R.drawable.ic_favorite else R.drawable.ic_favorite_border - val action = Intent(service, MainActivity::class.java) - action.putExtra(MainActivity.EXPAND_PANEL, PreferenceUtil.isExpandPanel) - action.flags = Intent.FLAG_ACTIVITY_NEW_TASK or Intent.FLAG_ACTIVITY_CLEAR_TOP - val clickIntent = - PendingIntent.getActivity(service, 0, action, PendingIntent.FLAG_UPDATE_CURRENT) + val action = Intent(service, MainActivity::class.java) + action.putExtra(MainActivity.EXPAND_PANEL, PreferenceUtil.isExpandPanel) + action.flags = Intent.FLAG_ACTIVITY_NEW_TASK or Intent.FLAG_ACTIVITY_CLEAR_TOP + val clickIntent = + PendingIntent.getActivity(service, 0, action, PendingIntent.FLAG_UPDATE_CURRENT) - val serviceName = ComponentName(service, MusicService::class.java) - val intent = Intent(ACTION_QUIT) - intent.component = serviceName - val deleteIntent = PendingIntent.getService(service, 0, intent, 0) + val serviceName = ComponentName(service, MusicService::class.java) + val intent = Intent(ACTION_QUIT) + intent.component = serviceName + val deleteIntent = PendingIntent.getService(service, 0, intent, 0) - val bigNotificationImageSize = service.resources - .getDimensionPixelSize(R.dimen.notification_big_image_size) - service.runOnUiThread { - if (target != null) { - Glide.clear(target) - } - target = SongGlideRequest.Builder.from(Glide.with(service), song) - .checkIgnoreMediaStore(service) - .generatePalette(service).build() - .centerCrop() - .into(object : SimpleTarget( - bigNotificationImageSize, - bigNotificationImageSize - ) { - override fun onResourceReady( - resource: BitmapPaletteWrapper, - glideAnimation: GlideAnimation + val bigNotificationImageSize = service.resources + .getDimensionPixelSize(R.dimen.notification_big_image_size) + service.runOnUiThread { + if (target != null) { + Glide.clear(target) + } + target = SongGlideRequest.Builder.from(Glide.with(service), song) + .checkIgnoreMediaStore(service) + .generatePalette(service).build() + .centerCrop() + .into(object : SimpleTarget( + bigNotificationImageSize, + bigNotificationImageSize ) { - update( - resource.bitmap, - RetroColorUtil.getColor(resource.palette, Color.TRANSPARENT) - ) - } - - override fun onLoadFailed(e: Exception?, errorDrawable: Drawable?) { - super.onLoadFailed(e, errorDrawable) - update(null, Color.TRANSPARENT) - } - - fun update(bitmap: Bitmap?, color: Int) { - var bitmapFinal = bitmap - if (bitmapFinal == null) { - bitmapFinal = BitmapFactory.decodeResource( - service.resources, - R.drawable.default_audio_art + override fun onResourceReady( + resource: BitmapPaletteWrapper, + glideAnimation: GlideAnimation + ) { + update( + resource.bitmap, + RetroColorUtil.getColor(resource.palette, Color.TRANSPARENT) ) } - val toggleFavorite = NotificationCompat.Action( - favoriteResId, - service.getString(R.string.action_toggle_favorite), - retrievePlaybackAction(TOGGLE_FAVORITE) - ) - val playPauseAction = NotificationCompat.Action( - playButtonResId, - service.getString(R.string.action_play_pause), - retrievePlaybackAction(ACTION_TOGGLE_PAUSE) - ) - val previousAction = NotificationCompat.Action( - R.drawable.ic_skip_previous_round_white_32dp, - service.getString(R.string.action_previous), - retrievePlaybackAction(ACTION_REWIND) - ) - val nextAction = NotificationCompat.Action( - R.drawable.ic_skip_next_round_white_32dp, - service.getString(R.string.action_next), - retrievePlaybackAction(ACTION_SKIP) - ) + override fun onLoadFailed(e: Exception?, errorDrawable: Drawable?) { + super.onLoadFailed(e, errorDrawable) + update(null, Color.TRANSPARENT) + } - val builder = NotificationCompat.Builder( - service, - NOTIFICATION_CHANNEL_ID - ) - .setSmallIcon(R.drawable.ic_notification) - .setLargeIcon(bitmapFinal) - .setContentIntent(clickIntent) - .setDeleteIntent(deleteIntent) - .setContentTitle( - HtmlCompat.fromHtml( - "" + song.title + "", - HtmlCompat.FROM_HTML_MODE_LEGACY + fun update(bitmap: Bitmap?, color: Int) { + var bitmapFinal = bitmap + if (bitmapFinal == null) { + bitmapFinal = BitmapFactory.decodeResource( + service.resources, + R.drawable.default_audio_art ) - ) - .setContentText(song.artistName) - .setSubText( - HtmlCompat.fromHtml( - "" + song.albumName + "", - HtmlCompat.FROM_HTML_MODE_LEGACY - ) - ) - .setOngoing(isPlaying) - .setShowWhen(false) - .addAction(toggleFavorite) - .addAction(previousAction) - .addAction(playPauseAction) - .addAction(nextAction) - - if (Build.VERSION.SDK_INT >= Build.VERSION_CODES.LOLLIPOP) { - builder.setStyle( - MediaStyle() - .setMediaSession(service.mediaSession.sessionToken) - .setShowActionsInCompactView(1, 2, 3) - ) - .setVisibility(NotificationCompat.VISIBILITY_PUBLIC) - if (Build.VERSION.SDK_INT <= - Build.VERSION_CODES.O && PreferenceUtil.isColoredNotification - ) { - builder.color = color } - } - if (stopped) { - return // notification has been stopped before loading was finished + val toggleFavorite = NotificationCompat.Action( + favoriteResId, + service.getString(R.string.action_toggle_favorite), + retrievePlaybackAction(TOGGLE_FAVORITE) + ) + val playPauseAction = NotificationCompat.Action( + playButtonResId, + service.getString(R.string.action_play_pause), + retrievePlaybackAction(ACTION_TOGGLE_PAUSE) + ) + val previousAction = NotificationCompat.Action( + R.drawable.ic_skip_previous_round_white_32dp, + service.getString(R.string.action_previous), + retrievePlaybackAction(ACTION_REWIND) + ) + val nextAction = NotificationCompat.Action( + R.drawable.ic_skip_next_round_white_32dp, + service.getString(R.string.action_next), + retrievePlaybackAction(ACTION_SKIP) + ) + + val builder = NotificationCompat.Builder( + service, + NOTIFICATION_CHANNEL_ID + ) + .setSmallIcon(R.drawable.ic_notification) + .setLargeIcon(bitmapFinal) + .setContentIntent(clickIntent) + .setDeleteIntent(deleteIntent) + .setContentTitle( + HtmlCompat.fromHtml( + "" + song.title + "", + HtmlCompat.FROM_HTML_MODE_LEGACY + ) + ) + .setContentText(song.artistName) + .setSubText( + HtmlCompat.fromHtml( + "" + song.albumName + "", + HtmlCompat.FROM_HTML_MODE_LEGACY + ) + ) + .setOngoing(isPlaying) + .setShowWhen(false) + .addAction(toggleFavorite) + .addAction(previousAction) + .addAction(playPauseAction) + .addAction(nextAction) + + if (Build.VERSION.SDK_INT >= Build.VERSION_CODES.LOLLIPOP) { + builder.setStyle( + MediaStyle() + .setMediaSession(service.mediaSession.sessionToken) + .setShowActionsInCompactView(1, 2, 3) + ) + .setVisibility(NotificationCompat.VISIBILITY_PUBLIC) + if (Build.VERSION.SDK_INT <= + Build.VERSION_CODES.O && PreferenceUtil.isColoredNotification + ) { + builder.color = color + } + } + + if (stopped) { + return // notification has been stopped before loading was finished + } + updateNotifyModeAndPostNotification(builder.build()) } - updateNotifyModeAndPostNotification(builder.build()) - } - }) + }) + } } } diff --git a/app/src/main/java/code/name/monkey/retromusic/util/MusicUtil.kt b/app/src/main/java/code/name/monkey/retromusic/util/MusicUtil.kt index 645b8843..4d4746af 100644 --- a/app/src/main/java/code/name/monkey/retromusic/util/MusicUtil.kt +++ b/app/src/main/java/code/name/monkey/retromusic/util/MusicUtil.kt @@ -15,7 +15,9 @@ import android.widget.Toast import androidx.core.content.FileProvider import androidx.fragment.app.FragmentActivity import code.name.monkey.retromusic.R +import code.name.monkey.retromusic.db.PlaylistEntity import code.name.monkey.retromusic.db.SongEntity +import code.name.monkey.retromusic.db.toSongEntity import code.name.monkey.retromusic.extensions.getLong import code.name.monkey.retromusic.helper.MusicPlayerRemote.removeFromQueue import code.name.monkey.retromusic.model.Artist @@ -24,8 +26,11 @@ import code.name.monkey.retromusic.model.Song import code.name.monkey.retromusic.model.lyrics.AbsSynchronizedLyrics import code.name.monkey.retromusic.repository.RealPlaylistRepository import code.name.monkey.retromusic.repository.RealSongRepository +import code.name.monkey.retromusic.repository.Repository import code.name.monkey.retromusic.repository.SongRepository import code.name.monkey.retromusic.service.MusicService +import kotlinx.coroutines.GlobalScope +import kotlinx.coroutines.launch import org.jaudiotagger.audio.AudioFileIO import org.jaudiotagger.tag.FieldKey import org.koin.core.KoinComponent @@ -89,7 +94,7 @@ object MusicUtil : KoinComponent { fun deleteAlbumArt(context: Context, albumId: Long) { val contentResolver = context.contentResolver val localUri = Uri.parse("content://media/external/audio/albumart") - contentResolver.delete(ContentUris.withAppendedId(localUri, albumId.toLong()), null, null) + contentResolver.delete(ContentUris.withAppendedId(localUri, albumId), null, null) contentResolver.notifyChange(localUri, null) } @@ -160,7 +165,7 @@ object MusicUtil : KoinComponent { try { val newLyrics = FileUtil.read(f) - if (newLyrics != null && !newLyrics.trim { it <= ' ' }.isEmpty()) { + if (newLyrics != null && newLyrics.trim { it <= ' ' }.isNotEmpty()) { if (AbsSynchronizedLyrics.isSynchronized(newLyrics)) { return newLyrics } @@ -278,9 +283,8 @@ object MusicUtil : KoinComponent { path: String? ) { val contentResolver = context.contentResolver - val artworkUri = - Uri.parse("content://media/external/audio/albumart") - contentResolver.delete(ContentUris.withAppendedId(artworkUri, albumId.toLong()), null, null) + val artworkUri = Uri.parse("content://media/external/audio/albumart") + contentResolver.delete(ContentUris.withAppendedId(artworkUri, albumId), null, null) val values = ContentValues() values.put("album_id", albumId) values.put("_data", path) @@ -321,16 +325,21 @@ object MusicUtil : KoinComponent { return playlist.name == context.getString(R.string.favorites) } + val repository = get() fun toggleFavorite(context: Context, song: Song) { - if (isFavorite(context, song)) { - PlaylistsUtil.removeFromPlaylist(context, song, getFavoritesPlaylist(context).id) - } else { - PlaylistsUtil.addToPlaylist( - context, song, getOrCreateFavoritesPlaylist(context).id, - false - ) + GlobalScope.launch { + val playlist: PlaylistEntity? = repository.favoritePlaylist() + if (playlist != null) { + val songEntity = song.toSongEntity(playlist.playListId) + val isFavorite = repository.isFavoriteSong(songEntity).isNotEmpty() + if (isFavorite) { + repository.removeSongFromPlaylist(songEntity) + } else { + repository.insertSongs(listOf(song.toSongEntity(playlist.playListId))) + } + } + context.sendBroadcast(Intent(MusicService.FAVORITE_STATE_CHANGED)) } - context.sendBroadcast(Intent(MusicService.FAVORITE_STATE_CHANGED)) } private fun getFavoritesPlaylist(context: Context): Playlist { @@ -434,9 +443,7 @@ object MusicUtil : KoinComponent { } fun deleteTracks(context: Context, songs: List) { - val projection = arrayOf( - BaseColumns._ID, MediaStore.MediaColumns.DATA - ) + val projection = arrayOf(BaseColumns._ID, MediaStore.MediaColumns.DATA) val selection = StringBuilder() selection.append(BaseColumns._ID + " IN (") for (i in songs.indices) { diff --git a/app/src/main/java/code/name/monkey/retromusic/util/PreferenceUtil.kt b/app/src/main/java/code/name/monkey/retromusic/util/PreferenceUtil.kt index d0dd3beb..e68590c9 100644 --- a/app/src/main/java/code/name/monkey/retromusic/util/PreferenceUtil.kt +++ b/app/src/main/java/code/name/monkey/retromusic/util/PreferenceUtil.kt @@ -1,6 +1,5 @@ package code.name.monkey.retromusic.util -import android.content.Context import android.content.SharedPreferences.OnSharedPreferenceChangeListener import android.net.ConnectivityManager import android.net.NetworkInfo @@ -8,75 +7,7 @@ import androidx.core.content.ContextCompat import androidx.core.content.edit import androidx.preference.PreferenceManager import androidx.viewpager.widget.ViewPager -import code.name.monkey.retromusic.ADAPTIVE_COLOR_APP -import code.name.monkey.retromusic.ALBUM_ARTISTS_ONLY -import code.name.monkey.retromusic.ALBUM_ART_ON_LOCK_SCREEN -import code.name.monkey.retromusic.ALBUM_COVER_STYLE -import code.name.monkey.retromusic.ALBUM_COVER_TRANSFORM -import code.name.monkey.retromusic.ALBUM_DETAIL_SONG_SORT_ORDER -import code.name.monkey.retromusic.ALBUM_GRID_SIZE -import code.name.monkey.retromusic.ALBUM_GRID_SIZE_LAND -import code.name.monkey.retromusic.ALBUM_GRID_STYLE -import code.name.monkey.retromusic.ALBUM_SONG_SORT_ORDER -import code.name.monkey.retromusic.ALBUM_SORT_ORDER -import code.name.monkey.retromusic.ARTIST_ALBUM_SORT_ORDER -import code.name.monkey.retromusic.ARTIST_GRID_SIZE -import code.name.monkey.retromusic.ARTIST_GRID_SIZE_LAND -import code.name.monkey.retromusic.ARTIST_GRID_STYLE -import code.name.monkey.retromusic.ARTIST_SONG_SORT_ORDER -import code.name.monkey.retromusic.ARTIST_SORT_ORDER -import code.name.monkey.retromusic.AUDIO_DUCKING -import code.name.monkey.retromusic.AUTO_DOWNLOAD_IMAGES_POLICY -import code.name.monkey.retromusic.App -import code.name.monkey.retromusic.BLACK_THEME -import code.name.monkey.retromusic.BLUETOOTH_PLAYBACK -import code.name.monkey.retromusic.BLURRED_ALBUM_ART -import code.name.monkey.retromusic.CAROUSEL_EFFECT -import code.name.monkey.retromusic.CHOOSE_EQUALIZER -import code.name.monkey.retromusic.CLASSIC_NOTIFICATION -import code.name.monkey.retromusic.COLORED_APP_SHORTCUTS -import code.name.monkey.retromusic.COLORED_NOTIFICATION -import code.name.monkey.retromusic.DESATURATED_COLOR -import code.name.monkey.retromusic.EXPAND_NOW_PLAYING_PANEL -import code.name.monkey.retromusic.EXTRA_SONG_INFO -import code.name.monkey.retromusic.FILTER_SONG -import code.name.monkey.retromusic.GAP_LESS_PLAYBACK -import code.name.monkey.retromusic.GENERAL_THEME -import code.name.monkey.retromusic.GENRE_SORT_ORDER -import code.name.monkey.retromusic.HOME_ALBUM_GRID_STYLE -import code.name.monkey.retromusic.HOME_ARTIST_GRID_STYLE -import code.name.monkey.retromusic.IGNORE_MEDIA_STORE_ARTWORK -import code.name.monkey.retromusic.INITIALIZED_BLACKLIST -import code.name.monkey.retromusic.KEEP_SCREEN_ON -import code.name.monkey.retromusic.LANGUAGE_NAME -import code.name.monkey.retromusic.LAST_ADDED_CUTOFF -import code.name.monkey.retromusic.LAST_CHANGELOG_VERSION -import code.name.monkey.retromusic.LAST_PAGE -import code.name.monkey.retromusic.LAST_SLEEP_TIMER_VALUE -import code.name.monkey.retromusic.LIBRARY_CATEGORIES -import code.name.monkey.retromusic.LOCK_SCREEN -import code.name.monkey.retromusic.LYRICS_OPTIONS -import code.name.monkey.retromusic.NEXT_SLEEP_TIMER_ELAPSED_REALTIME -import code.name.monkey.retromusic.NOW_PLAYING_SCREEN_ID -import code.name.monkey.retromusic.PAUSE_ON_ZERO_VOLUME -import code.name.monkey.retromusic.PLAYLIST_SORT_ORDER -import code.name.monkey.retromusic.R -import code.name.monkey.retromusic.RECENTLY_PLAYED_CUTOFF -import code.name.monkey.retromusic.SAF_SDCARD_URI -import code.name.monkey.retromusic.SLEEP_TIMER_FINISH_SONG -import code.name.monkey.retromusic.SONG_GRID_SIZE -import code.name.monkey.retromusic.SONG_GRID_SIZE_LAND -import code.name.monkey.retromusic.SONG_GRID_STYLE -import code.name.monkey.retromusic.SONG_SORT_ORDER -import code.name.monkey.retromusic.START_DIRECTORY -import code.name.monkey.retromusic.TAB_TEXT_MODE -import code.name.monkey.retromusic.TOGGLE_ADD_CONTROLS -import code.name.monkey.retromusic.TOGGLE_FULL_SCREEN -import code.name.monkey.retromusic.TOGGLE_HEADSET -import code.name.monkey.retromusic.TOGGLE_HOME_BANNER -import code.name.monkey.retromusic.TOGGLE_SHUFFLE -import code.name.monkey.retromusic.TOGGLE_VOLUME -import code.name.monkey.retromusic.USER_NAME +import code.name.monkey.retromusic.* import code.name.monkey.retromusic.extensions.getIntRes import code.name.monkey.retromusic.extensions.getStringOrDefault import code.name.monkey.retromusic.fragments.AlbumCoverStyle @@ -84,13 +15,7 @@ import code.name.monkey.retromusic.fragments.NowPlayingScreen import code.name.monkey.retromusic.fragments.folder.FoldersFragment import code.name.monkey.retromusic.helper.SortOrder.* import code.name.monkey.retromusic.model.CategoryInfo -import code.name.monkey.retromusic.transform.CascadingPageTransformer -import code.name.monkey.retromusic.transform.DepthTransformation -import code.name.monkey.retromusic.transform.HingeTransformation -import code.name.monkey.retromusic.transform.HorizontalFlipTransformation -import code.name.monkey.retromusic.transform.NormalPageTransformer -import code.name.monkey.retromusic.transform.VerticalFlipTransformation -import code.name.monkey.retromusic.transform.VerticalStackTransformer +import code.name.monkey.retromusic.transform.* import code.name.monkey.retromusic.util.theme.ThemeMode import com.google.android.material.bottomnavigation.LabelVisibilityMode import com.google.gson.Gson @@ -183,13 +108,6 @@ object PreferenceUtil { putString(SAF_SDCARD_URI, value) } - - val selectedEqualizer - get() = sharedPreferences.getStringOrDefault( - CHOOSE_EQUALIZER, - "system" - ) - val autoDownloadImagesPolicy get() = sharedPreferences.getStringOrDefault( AUTO_DOWNLOAD_IMAGES_POLICY, @@ -458,11 +376,6 @@ object PreferenceUtil { putInt(LAST_SLEEP_TIMER_VALUE, value) } - var lastPage - get() = sharedPreferences.getInt(LAST_PAGE, R.id.action_song) - set(value) = sharedPreferences.edit { - putInt(LAST_PAGE, value) - } var nextSleepTimerElapsedRealTime get() = sharedPreferences.getInt( @@ -486,8 +399,8 @@ object PreferenceUtil { val position = sharedPreferences.getStringOrDefault( HOME_ARTIST_GRID_STYLE, "0" ).toInt() - val typedArray = - App.getContext().resources.obtainTypedArray(R.array.pref_home_grid_style_layout) + val typedArray = App.getContext() + .resources.obtainTypedArray(R.array.pref_home_grid_style_layout) val layoutRes = typedArray.getResourceId(position, 0) typedArray.recycle() return if (layoutRes == 0) { @@ -497,10 +410,12 @@ object PreferenceUtil { val homeAlbumGridStyle: Int get() { - val position = sharedPreferences.getStringOrDefault(HOME_ALBUM_GRID_STYLE, "4").toInt() - val typedArray = - App.getContext().resources.obtainTypedArray(R.array.pref_home_grid_style_layout) - val layoutRes = typedArray.getResourceId(position, 0) + val position = sharedPreferences.getStringOrDefault( + HOME_ALBUM_GRID_STYLE, "4" + ).toInt() + val typedArray = App.getContext() + .resources.obtainTypedArray(R.array.pref_home_grid_style_layout) + val layoutRes = typedArray.getResourceId(position, 4) typedArray.recycle() return if (layoutRes == 0) { R.layout.item_artist @@ -510,7 +425,7 @@ object PreferenceUtil { val tabTitleMode: Int get() { return when (sharedPreferences.getStringOrDefault( - TAB_TEXT_MODE, "0" + TAB_TEXT_MODE, "1" ).toInt()) { 1 -> LabelVisibilityMode.LABEL_VISIBILITY_LABELED 0 -> LabelVisibilityMode.LABEL_VISIBILITY_AUTO @@ -639,32 +554,9 @@ object PreferenceUtil { } fun getRecentlyPlayedCutoffTimeMillis(): Long { - return getCutoffTimeMillis(RECENTLY_PLAYED_CUTOFF) - } - - fun getRecentlyPlayedCutoffText(context: Context): String? { - return getCutoffText(RECENTLY_PLAYED_CUTOFF, context) - } - - private fun getCutoffText( - cutoff: String, - context: Context - ): String? { - return when (sharedPreferences.getString(cutoff, "")) { - "today" -> context.getString(R.string.today) - "this_week" -> context.getString(R.string.this_week) - "past_seven_days" -> context.getString(R.string.past_seven_days) - "past_three_months" -> context.getString(R.string.past_three_months) - "this_year" -> context.getString(R.string.this_year) - "this_month" -> context.getString(R.string.this_month) - else -> context.getString(R.string.this_month) - } - } - - private fun getCutoffTimeMillis(cutoff: String): Long { val calendarUtil = CalendarUtil() val interval: Long - interval = when (sharedPreferences.getString(cutoff, "")) { + interval = when (sharedPreferences.getString(RECENTLY_PLAYED_CUTOFF, "")) { "today" -> calendarUtil.elapsedToday "this_week" -> calendarUtil.elapsedWeek "past_seven_days" -> calendarUtil.getElapsedDays(7) @@ -690,5 +582,4 @@ object PreferenceUtil { } return (System.currentTimeMillis() - interval) / 1000 } - } diff --git a/app/src/main/java/code/name/monkey/retromusic/util/RingtoneManager.kt b/app/src/main/java/code/name/monkey/retromusic/util/RingtoneManager.kt index 5a969105..cf8226d9 100644 --- a/app/src/main/java/code/name/monkey/retromusic/util/RingtoneManager.kt +++ b/app/src/main/java/code/name/monkey/retromusic/util/RingtoneManager.kt @@ -73,7 +73,7 @@ class RingtoneManager(val context: Context) { return false } - fun getDialog(context: Context): AlertDialog { + fun getDialog(context: Context) { return MaterialAlertDialogBuilder(context, R.style.MaterialAlertDialogTheme) .setTitle(R.string.dialog_title_set_ringtone) .setMessage(R.string.dialog_message_set_ringtone) @@ -83,7 +83,7 @@ class RingtoneManager(val context: Context) { context.startActivity(intent) } .setNegativeButton(android.R.string.cancel, null) - .create() + .create().show() } } } \ No newline at end of file diff --git a/app/src/main/res/anim/retro_fragment_fade_enter.xml b/app/src/main/res/anim/retro_fragment_fade_enter.xml deleted file mode 100644 index 508ca43e..00000000 --- a/app/src/main/res/anim/retro_fragment_fade_enter.xml +++ /dev/null @@ -1,20 +0,0 @@ - - \ No newline at end of file diff --git a/app/src/main/res/anim/retro_fragment_fade_exit.xml b/app/src/main/res/anim/retro_fragment_fade_exit.xml deleted file mode 100644 index 52b95e86..00000000 --- a/app/src/main/res/anim/retro_fragment_fade_exit.xml +++ /dev/null @@ -1,20 +0,0 @@ - - \ No newline at end of file diff --git a/app/src/main/res/anim/sliding_in_left.xml b/app/src/main/res/anim/sliding_in_left.xml deleted file mode 100644 index 5b01fc74..00000000 --- a/app/src/main/res/anim/sliding_in_left.xml +++ /dev/null @@ -1,11 +0,0 @@ - - - - - \ No newline at end of file diff --git a/app/src/main/res/anim/sliding_out_right.xml b/app/src/main/res/anim/sliding_out_right.xml deleted file mode 100644 index 964d042f..00000000 --- a/app/src/main/res/anim/sliding_out_right.xml +++ /dev/null @@ -1,11 +0,0 @@ - - - - - \ No newline at end of file diff --git a/app/src/main/res/drawable-v24/ic_launcher_foreground.xml b/app/src/main/res/drawable-v24/ic_launcher_foreground.xml deleted file mode 100644 index 2417b12d..00000000 --- a/app/src/main/res/drawable-v24/ic_launcher_foreground.xml +++ /dev/null @@ -1,72 +0,0 @@ - - - - - - - - - - - - - - - - - - - - - - - - - - - - diff --git a/app/src/main/res/drawable/asld_album.xml b/app/src/main/res/drawable/asld_album.xml deleted file mode 100644 index 5102b289..00000000 --- a/app/src/main/res/drawable/asld_album.xml +++ /dev/null @@ -1,15 +0,0 @@ - - - - - \ No newline at end of file diff --git a/app/src/main/res/drawable/asld_home.xml b/app/src/main/res/drawable/asld_home.xml deleted file mode 100644 index fc93ed37..00000000 --- a/app/src/main/res/drawable/asld_home.xml +++ /dev/null @@ -1,15 +0,0 @@ - - - - - \ No newline at end of file diff --git a/app/src/main/res/drawable/asld_music_note.xml b/app/src/main/res/drawable/asld_music_note.xml deleted file mode 100644 index 4297185e..00000000 --- a/app/src/main/res/drawable/asld_music_note.xml +++ /dev/null @@ -1,15 +0,0 @@ - - - - - \ No newline at end of file diff --git a/app/src/main/res/drawable/avd_album.xml b/app/src/main/res/drawable/avd_album.xml deleted file mode 100644 index db1c37de..00000000 --- a/app/src/main/res/drawable/avd_album.xml +++ /dev/null @@ -1,38 +0,0 @@ - - - - - - - - - - - - - - - diff --git a/app/src/main/res/drawable/avd_home.xml b/app/src/main/res/drawable/avd_home.xml deleted file mode 100644 index 3580af4a..00000000 --- a/app/src/main/res/drawable/avd_home.xml +++ /dev/null @@ -1,95 +0,0 @@ - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - diff --git a/app/src/main/res/drawable/avd_music_note.xml b/app/src/main/res/drawable/avd_music_note.xml deleted file mode 100644 index 6f693e16..00000000 --- a/app/src/main/res/drawable/avd_music_note.xml +++ /dev/null @@ -1,114 +0,0 @@ - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - diff --git a/app/src/main/res/drawable/circle_progress.xml b/app/src/main/res/drawable/circle_progress.xml deleted file mode 100644 index d7949891..00000000 --- a/app/src/main/res/drawable/circle_progress.xml +++ /dev/null @@ -1,35 +0,0 @@ - - - - - - - - - - - - - - \ No newline at end of file diff --git a/app/src/main/res/drawable/ic_add_photo.xml b/app/src/main/res/drawable/ic_add_photo.xml deleted file mode 100644 index 8326f2d4..00000000 --- a/app/src/main/res/drawable/ic_add_photo.xml +++ /dev/null @@ -1,18 +0,0 @@ - - - - - - - - \ No newline at end of file diff --git a/app/src/main/res/drawable/ic_app_shortcut_search.xml b/app/src/main/res/drawable/ic_app_shortcut_search.xml deleted file mode 100644 index 4e05cab7..00000000 --- a/app/src/main/res/drawable/ic_app_shortcut_search.xml +++ /dev/null @@ -1,20 +0,0 @@ - - - - - - - \ No newline at end of file diff --git a/app/src/main/res/drawable/ic_artist_selected.xml b/app/src/main/res/drawable/ic_artist_selected.xml deleted file mode 100644 index 4e865f47..00000000 --- a/app/src/main/res/drawable/ic_artist_selected.xml +++ /dev/null @@ -1,11 +0,0 @@ - - - - - \ No newline at end of file diff --git a/app/src/main/res/drawable/ic_bookmark_music.xml b/app/src/main/res/drawable/ic_bookmark_music.xml deleted file mode 100644 index 0674f00c..00000000 --- a/app/src/main/res/drawable/ic_bookmark_music.xml +++ /dev/null @@ -1,9 +0,0 @@ - - - \ No newline at end of file diff --git a/app/src/main/res/drawable/ic_currency_inr.xml b/app/src/main/res/drawable/ic_currency_inr.xml deleted file mode 100644 index 3fa26770..00000000 --- a/app/src/main/res/drawable/ic_currency_inr.xml +++ /dev/null @@ -1,10 +0,0 @@ - - - - \ No newline at end of file diff --git a/app/src/main/res/drawable/ic_invert_colors.xml b/app/src/main/res/drawable/ic_invert_colors.xml deleted file mode 100644 index ff8356e2..00000000 --- a/app/src/main/res/drawable/ic_invert_colors.xml +++ /dev/null @@ -1,10 +0,0 @@ - - - diff --git a/app/src/main/res/drawable/ic_menu.xml b/app/src/main/res/drawable/ic_menu.xml deleted file mode 100644 index 9a28c405..00000000 --- a/app/src/main/res/drawable/ic_menu.xml +++ /dev/null @@ -1,25 +0,0 @@ - - - - - - - \ No newline at end of file diff --git a/app/src/main/res/drawable/ic_rounded_corner.xml b/app/src/main/res/drawable/ic_rounded_corner.xml deleted file mode 100644 index aa36e0ce..00000000 --- a/app/src/main/res/drawable/ic_rounded_corner.xml +++ /dev/null @@ -1,10 +0,0 @@ - - - - \ No newline at end of file diff --git a/app/src/main/res/drawable/ic_scanner.xml b/app/src/main/res/drawable/ic_scanner.xml deleted file mode 100644 index 404f4750..00000000 --- a/app/src/main/res/drawable/ic_scanner.xml +++ /dev/null @@ -1,12 +0,0 @@ - - - - - - \ No newline at end of file diff --git a/app/src/main/res/drawable/line_button.xml b/app/src/main/res/drawable/line_button.xml deleted file mode 100644 index 60808432..00000000 --- a/app/src/main/res/drawable/line_button.xml +++ /dev/null @@ -1,9 +0,0 @@ - - - - - - \ No newline at end of file diff --git a/app/src/main/res/drawable/round_window.xml b/app/src/main/res/drawable/round_window.xml deleted file mode 100755 index cf357a43..00000000 --- a/app/src/main/res/drawable/round_window.xml +++ /dev/null @@ -1,5 +0,0 @@ - - - - - \ No newline at end of file diff --git a/app/src/main/res/drawable/scroll_handler.xml b/app/src/main/res/drawable/scroll_handler.xml deleted file mode 100644 index 5c4f6ce4..00000000 --- a/app/src/main/res/drawable/scroll_handler.xml +++ /dev/null @@ -1,21 +0,0 @@ - - - - - - - \ No newline at end of file diff --git a/app/src/main/res/drawable/shadow_down.xml b/app/src/main/res/drawable/shadow_down.xml deleted file mode 100755 index 2cf5263f..00000000 --- a/app/src/main/res/drawable/shadow_down.xml +++ /dev/null @@ -1,9 +0,0 @@ - - - - \ No newline at end of file diff --git a/app/src/main/res/drawable/side_gradient.xml b/app/src/main/res/drawable/side_gradient.xml deleted file mode 100644 index 733ec817..00000000 --- a/app/src/main/res/drawable/side_gradient.xml +++ /dev/null @@ -1,8 +0,0 @@ - - - - \ No newline at end of file diff --git a/app/src/main/res/drawable/square_window.xml b/app/src/main/res/drawable/square_window.xml deleted file mode 100755 index 1a50b055..00000000 --- a/app/src/main/res/drawable/square_window.xml +++ /dev/null @@ -1,4 +0,0 @@ - - - - \ No newline at end of file diff --git a/app/src/main/res/drawable/tab_indicator.xml b/app/src/main/res/drawable/tab_indicator.xml deleted file mode 100644 index 78af1445..00000000 --- a/app/src/main/res/drawable/tab_indicator.xml +++ /dev/null @@ -1,16 +0,0 @@ - - - - - - - - - - \ No newline at end of file diff --git a/app/src/main/res/layout-land/activity_album_tag_editor.xml b/app/src/main/res/layout-land/activity_album_tag_editor.xml index e720b8fb..8b13076b 100644 --- a/app/src/main/res/layout-land/activity_album_tag_editor.xml +++ b/app/src/main/res/layout-land/activity_album_tag_editor.xml @@ -1,7 +1,6 @@ @@ -64,7 +63,6 @@ app:layout_behavior="com.google.android.material.appbar.AppBarLayout$ScrollingViewBehavior"> diff --git a/app/src/main/res/layout-land/fragment_card_player.xml b/app/src/main/res/layout-land/fragment_card_player.xml index 19654df1..6c6466f6 100644 --- a/app/src/main/res/layout-land/fragment_card_player.xml +++ b/app/src/main/res/layout-land/fragment_card_player.xml @@ -21,7 +21,6 @@ tools:layout="@layout/fragment_album_full_cover" /> diff --git a/app/src/main/res/layout-land/fragment_circle_player.xml b/app/src/main/res/layout-land/fragment_circle_player.xml index 3b318368..07d734c6 100644 --- a/app/src/main/res/layout-land/fragment_circle_player.xml +++ b/app/src/main/res/layout-land/fragment_circle_player.xml @@ -114,7 +114,6 @@ app:tint="@color/md_green_500" /> diff --git a/app/src/main/res/layout-land/fragment_player.xml b/app/src/main/res/layout-land/fragment_player.xml index 327629b8..a4266739 100755 --- a/app/src/main/res/layout-land/fragment_player.xml +++ b/app/src/main/res/layout-land/fragment_player.xml @@ -55,7 +55,6 @@ android:orientation="vertical"> diff --git a/app/src/main/res/layout-land/fragment_simple_player.xml b/app/src/main/res/layout-land/fragment_simple_player.xml index 7d08dba5..36a4fa4e 100644 --- a/app/src/main/res/layout-land/fragment_simple_player.xml +++ b/app/src/main/res/layout-land/fragment_simple_player.xml @@ -16,7 +16,6 @@ app:layout_constraintTop_toTopOf="parent" /> diff --git a/app/src/main/res/layout-land/pager_item.xml b/app/src/main/res/layout-land/pager_item.xml deleted file mode 100644 index 02c76dd9..00000000 --- a/app/src/main/res/layout-land/pager_item.xml +++ /dev/null @@ -1,62 +0,0 @@ - - - - - - - - - - - - - - \ No newline at end of file diff --git a/app/src/main/res/layout-xlarge-land/pager_item.xml b/app/src/main/res/layout-xlarge-land/pager_item.xml deleted file mode 100644 index 8a366925..00000000 --- a/app/src/main/res/layout-xlarge-land/pager_item.xml +++ /dev/null @@ -1,62 +0,0 @@ - - - - - - - - - - - - - - \ No newline at end of file diff --git a/app/src/main/res/layout/abs_playlists.xml b/app/src/main/res/layout/abs_playlists.xml index 73df4233..20128735 100644 --- a/app/src/main/res/layout/abs_playlists.xml +++ b/app/src/main/res/layout/abs_playlists.xml @@ -65,7 +65,6 @@ app:srcCompat="@drawable/ic_library_add" /> diff --git a/app/src/main/res/layout/activity_album_tag_editor.xml b/app/src/main/res/layout/activity_album_tag_editor.xml index 8123cb55..85c265b7 100755 --- a/app/src/main/res/layout/activity_album_tag_editor.xml +++ b/app/src/main/res/layout/activity_album_tag_editor.xml @@ -36,7 +36,6 @@ app:layout_behavior="com.google.android.material.appbar.AppBarLayout$ScrollingViewBehavior"> diff --git a/app/src/main/res/layout/activity_donation.xml b/app/src/main/res/layout/activity_donation.xml index 8e345500..28e7c6aa 100644 --- a/app/src/main/res/layout/activity_donation.xml +++ b/app/src/main/res/layout/activity_donation.xml @@ -2,7 +2,6 @@ diff --git a/app/src/main/res/layout/activity_drive_mode.xml b/app/src/main/res/layout/activity_drive_mode.xml index 5e2c17a2..800b5c4a 100644 --- a/app/src/main/res/layout/activity_drive_mode.xml +++ b/app/src/main/res/layout/activity_drive_mode.xml @@ -63,7 +63,6 @@ app:srcCompat="@drawable/ic_close" /> - - - - - - - - - \ No newline at end of file diff --git a/app/src/main/res/layout/fragment_adaptive_player.xml b/app/src/main/res/layout/fragment_adaptive_player.xml index 09d45e16..d9d5aba3 100644 --- a/app/src/main/res/layout/fragment_adaptive_player.xml +++ b/app/src/main/res/layout/fragment_adaptive_player.xml @@ -25,7 +25,6 @@ @@ -60,7 +59,6 @@ tools:layout="@layout/fragment_album_full_card_cover" /> diff --git a/app/src/main/res/layout/fragment_card_player_playback_controls.xml b/app/src/main/res/layout/fragment_card_player_playback_controls.xml index 6b617b92..bd9a9961 100644 --- a/app/src/main/res/layout/fragment_card_player_playback_controls.xml +++ b/app/src/main/res/layout/fragment_card_player_playback_controls.xml @@ -2,7 +2,6 @@ - - - + + - - + diff --git a/app/src/main/res/layout/fragment_lock_screen_playback_controls.xml b/app/src/main/res/layout/fragment_lock_screen_playback_controls.xml index 90e20e33..91771926 100644 --- a/app/src/main/res/layout/fragment_lock_screen_playback_controls.xml +++ b/app/src/main/res/layout/fragment_lock_screen_playback_controls.xml @@ -2,7 +2,6 @@ - - - - \ No newline at end of file diff --git a/app/src/main/res/layout/fragment_main_recycler.xml b/app/src/main/res/layout/fragment_main_recycler.xml index 5a675847..9de70041 100644 --- a/app/src/main/res/layout/fragment_main_recycler.xml +++ b/app/src/main/res/layout/fragment_main_recycler.xml @@ -42,51 +42,44 @@ - + android:clipToPadding="false" + android:overScrollMode="never" + android:scrollbars="none" + android:transitionGroup="true" + app:layout_behavior="com.google.android.material.appbar.AppBarLayout$ScrollingViewBehavior" + tools:listitem="@layout/item_list" /> - + + + android:layout_marginBottom="16dp" + android:text="@string/empty_text_emoji" + android:textAppearance="@style/TextViewHeadline3" /> - - - - - - - - + android:text="@string/empty" + android:textAppearance="@style/TextViewHeadline5" + android:textColor="?android:attr/textColorSecondary" + tools:visibility="visible" /> + \ No newline at end of file diff --git a/app/src/main/res/layout/fragment_material_playback_controls.xml b/app/src/main/res/layout/fragment_material_playback_controls.xml index 72bd9d36..d2b06546 100644 --- a/app/src/main/res/layout/fragment_material_playback_controls.xml +++ b/app/src/main/res/layout/fragment_material_playback_controls.xml @@ -2,7 +2,6 @@ - - - - - - - - - - - - - - - - - - - diff --git a/app/src/main/res/layout/fragment_synced.xml b/app/src/main/res/layout/fragment_synced.xml deleted file mode 100644 index 8ef770ed..00000000 --- a/app/src/main/res/layout/fragment_synced.xml +++ /dev/null @@ -1,14 +0,0 @@ - - - - - \ No newline at end of file diff --git a/app/src/main/res/layout/fragment_volume.xml b/app/src/main/res/layout/fragment_volume.xml index ac10acb6..86cc0451 100755 --- a/app/src/main/res/layout/fragment_volume.xml +++ b/app/src/main/res/layout/fragment_volume.xml @@ -1,7 +1,6 @@ - + tools:text="@tools:sample/full_names" /> \ No newline at end of file diff --git a/app/src/main/res/layout/item_card.xml b/app/src/main/res/layout/item_card.xml index 86037eef..f2974aab 100644 --- a/app/src/main/res/layout/item_card.xml +++ b/app/src/main/res/layout/item_card.xml @@ -36,12 +36,13 @@ tools:src="@tools:sample/avatars" /> @@ -62,6 +63,17 @@ android:singleLine="true" tools:text="@tools:sample/full_names" /> + + \ No newline at end of file diff --git a/app/src/main/res/layout/item_card_color.xml b/app/src/main/res/layout/item_card_color.xml index 438bfde9..908fe636 100644 --- a/app/src/main/res/layout/item_card_color.xml +++ b/app/src/main/res/layout/item_card_color.xml @@ -34,12 +34,13 @@ tools:src="@tools:sample/avatars" /> @@ -60,6 +61,17 @@ android:singleLine="true" tools:text="@tools:sample/full_names" /> + + \ No newline at end of file diff --git a/app/src/main/res/layout/item_grid.xml b/app/src/main/res/layout/item_grid.xml index 195d9f22..1e67cd8b 100644 --- a/app/src/main/res/layout/item_grid.xml +++ b/app/src/main/res/layout/item_grid.xml @@ -33,12 +33,13 @@ @@ -60,5 +61,16 @@ tools:text="@tools:sample/full_names" /> + + diff --git a/app/src/main/res/layout/item_grid_circle.xml b/app/src/main/res/layout/item_grid_circle.xml index 5308f9a9..7b8944b8 100644 --- a/app/src/main/res/layout/item_grid_circle.xml +++ b/app/src/main/res/layout/item_grid_circle.xml @@ -48,7 +48,6 @@ android:layout_width="wrap_content" android:layout_height="wrap_content" android:gravity="center" - android:paddingTop="4dp" android:singleLine="true" tools:text="@tools:sample/full_names" /> diff --git a/app/src/main/res/layout/item_list_quick_actions.xml b/app/src/main/res/layout/item_list_quick_actions.xml index 0c83b581..1194bb55 100644 --- a/app/src/main/res/layout/item_list_quick_actions.xml +++ b/app/src/main/res/layout/item_list_quick_actions.xml @@ -12,62 +12,48 @@ ~ See the GNU General Public License for more details. --> - + app:cornerRadius="8dp" + app:layout_constraintEnd_toStartOf="@+id/shuffleAction" + app:layout_constraintHorizontal_bias="0.5" + app:layout_constraintStart_toStartOf="parent" + app:layout_constraintTop_toTopOf="parent" /> + app:cornerRadius="8dp" + app:layout_constraintBottom_toBottomOf="@+id/playAction" + app:layout_constraintEnd_toEndOf="parent" + app:layout_constraintHorizontal_bias="0.5" + app:layout_constraintStart_toEndOf="@+id/playAction" + app:layout_constraintTop_toTopOf="@+id/playAction" /> - - - - - - - \ No newline at end of file + \ No newline at end of file diff --git a/app/src/main/res/layout/item_option_menu.xml b/app/src/main/res/layout/item_option_menu.xml deleted file mode 100644 index b2dfaea2..00000000 --- a/app/src/main/res/layout/item_option_menu.xml +++ /dev/null @@ -1,47 +0,0 @@ - - - - - - - - \ No newline at end of file diff --git a/app/src/main/res/layout/item_suggestions.xml b/app/src/main/res/layout/item_suggestions.xml index 046d4dfb..0d346dc5 100644 --- a/app/src/main/res/layout/item_suggestions.xml +++ b/app/src/main/res/layout/item_suggestions.xml @@ -192,7 +192,6 @@ diff --git a/app/src/main/res/layout/lyrics_dialog.xml b/app/src/main/res/layout/lyrics_dialog.xml deleted file mode 100644 index 47f15438..00000000 --- a/app/src/main/res/layout/lyrics_dialog.xml +++ /dev/null @@ -1,60 +0,0 @@ - - - - - - - - - - - - - - - - - - \ No newline at end of file diff --git a/app/src/main/res/layout/metal_section_recycler_view.xml b/app/src/main/res/layout/metal_section_recycler_view.xml deleted file mode 100644 index 9e154c99..00000000 --- a/app/src/main/res/layout/metal_section_recycler_view.xml +++ /dev/null @@ -1,34 +0,0 @@ - - - - - - - \ No newline at end of file diff --git a/app/src/main/res/layout/pager_item.xml b/app/src/main/res/layout/pager_item.xml deleted file mode 100644 index e373a894..00000000 --- a/app/src/main/res/layout/pager_item.xml +++ /dev/null @@ -1,75 +0,0 @@ - - - - - - - - - - - - - - - - \ No newline at end of file diff --git a/app/src/main/res/layout/preference_dialog_library_categories_listitem.xml b/app/src/main/res/layout/preference_dialog_library_categories_listitem.xml index 22b376fc..8ab634aa 100644 --- a/app/src/main/res/layout/preference_dialog_library_categories_listitem.xml +++ b/app/src/main/res/layout/preference_dialog_library_categories_listitem.xml @@ -20,6 +20,7 @@ android:background="?attr/rectSelector" android:descendantFocusability="blocksDescendants" android:focusable="true" + android:minHeight="@dimen/md_listitem_height" android:orientation="horizontal" android:paddingStart="16dp" android:paddingEnd="0dp" @@ -41,11 +42,7 @@ android:layout_weight="1" android:ellipsize="end" android:gravity="center_vertical" - android:minHeight="@dimen/md_listitem_height" - android:paddingStart="@dimen/md_listitem_control_margin" - android:paddingLeft="@dimen/md_listitem_control_margin" - android:paddingTop="@dimen/md_listitem_vertical_margin_choice" - android:paddingBottom="@dimen/md_listitem_vertical_margin_choice" + android:paddingHorizontal="16dp" android:singleLine="true" android:textAppearance="@style/TextViewNormal" android:textColor="?android:attr/textColorPrimary" diff --git a/app/src/main/res/layout/preference_now_playing_screen_item.xml b/app/src/main/res/layout/preference_now_playing_screen_item.xml index 430117ab..1b307302 100644 --- a/app/src/main/res/layout/preference_now_playing_screen_item.xml +++ b/app/src/main/res/layout/preference_now_playing_screen_item.xml @@ -37,9 +37,9 @@ android:layout_gravity="center" android:gravity="center" android:padding="8dp" - android:text="@string/pro" android:textAppearance="@style/TextViewHeadline6" app:layout_constraintBottom_toBottomOf="parent" app:layout_constraintEnd_toEndOf="parent" - app:layout_constraintStart_toStartOf="parent" /> + app:layout_constraintStart_toStartOf="parent" + tools:text="@string/pro" /> \ No newline at end of file diff --git a/app/src/main/res/layout/preference_screen.xml b/app/src/main/res/layout/preference_screen.xml deleted file mode 100644 index feadb600..00000000 --- a/app/src/main/res/layout/preference_screen.xml +++ /dev/null @@ -1,8 +0,0 @@ - - - - \ No newline at end of file diff --git a/app/src/main/res/layout/section_recycler_view.xml b/app/src/main/res/layout/section_recycler_view.xml index a86a9cc0..1b9b26e7 100644 --- a/app/src/main/res/layout/section_recycler_view.xml +++ b/app/src/main/res/layout/section_recycler_view.xml @@ -2,7 +2,6 @@ diff --git a/app/src/main/res/master/values-fr-rFR/strings.xml b/app/src/main/res/master/values-fr-rFR/strings.xml index 78410027..3a6dbae9 100644 --- a/app/src/main/res/master/values-fr-rFR/strings.xml +++ b/app/src/main/res/master/values-fr-rFR/strings.xml @@ -495,7 +495,7 @@ Virtualisateur Volume Recherche internet - Accueillir, + Bienvenue, Que souhaitez-vous partager ? Quoi de neuf Fenêtre diff --git a/app/src/main/res/menu/menu_folders.xml b/app/src/main/res/menu/menu_folders.xml deleted file mode 100644 index 67c5e76b..00000000 --- a/app/src/main/res/menu/menu_folders.xml +++ /dev/null @@ -1,15 +0,0 @@ - - - - - - \ No newline at end of file diff --git a/app/src/main/res/menu/menu_item_cannot_delete_single_songs_playlist_song.xml b/app/src/main/res/menu/menu_item_cannot_delete_single_songs_playlist_song.xml deleted file mode 100644 index dd2b985c..00000000 --- a/app/src/main/res/menu/menu_item_cannot_delete_single_songs_playlist_song.xml +++ /dev/null @@ -1,44 +0,0 @@ - - - - - - - - - - - - - \ No newline at end of file diff --git a/app/src/main/res/menu/menu_item_smart_playlist.xml b/app/src/main/res/menu/menu_item_smart_playlist.xml deleted file mode 100644 index 92d8ed72..00000000 --- a/app/src/main/res/menu/menu_item_smart_playlist.xml +++ /dev/null @@ -1,27 +0,0 @@ - - - - - - - - - - - - - - - \ No newline at end of file diff --git a/app/src/main/res/menu/menu_layout_types.xml b/app/src/main/res/menu/menu_layout_types.xml deleted file mode 100644 index 2a2a12d3..00000000 --- a/app/src/main/res/menu/menu_layout_types.xml +++ /dev/null @@ -1,25 +0,0 @@ - - - - - - - - - - - \ No newline at end of file diff --git a/app/src/main/res/menu/menu_main.xml b/app/src/main/res/menu/menu_main.xml index fc06a2b5..54aa74ab 100644 --- a/app/src/main/res/menu/menu_main.xml +++ b/app/src/main/res/menu/menu_main.xml @@ -22,9 +22,7 @@ android:title="@string/action_grid_size" app:showAsAction="never"> - + @@ -58,9 +56,7 @@ android:title="@string/grid_style_label" app:showAsAction="never"> - + diff --git a/app/src/main/res/menu/menu_playlist_detail.xml b/app/src/main/res/menu/menu_playlist_detail.xml index 722d6d9a..070cad92 100644 --- a/app/src/main/res/menu/menu_playlist_detail.xml +++ b/app/src/main/res/menu/menu_playlist_detail.xml @@ -1,7 +1,6 @@ - - - - - - - - - \ No newline at end of file diff --git a/app/src/main/res/menu/menu_song_sort_order.xml b/app/src/main/res/menu/menu_song_sort_order.xml deleted file mode 100644 index 592b03ad..00000000 --- a/app/src/main/res/menu/menu_song_sort_order.xml +++ /dev/null @@ -1,10 +0,0 @@ - - - - - - \ No newline at end of file diff --git a/app/src/main/res/navigation/library_graph.xml b/app/src/main/res/navigation/library_graph.xml index dd455bc4..52fa309a 100644 --- a/app/src/main/res/navigation/library_graph.xml +++ b/app/src/main/res/navigation/library_graph.xml @@ -2,7 +2,6 @@ - - - - - \ No newline at end of file diff --git a/app/src/main/res/transition/grid_exit_transition.xml b/app/src/main/res/transition/grid_exit_transition.xml deleted file mode 100644 index 6ff14dad..00000000 --- a/app/src/main/res/transition/grid_exit_transition.xml +++ /dev/null @@ -1,27 +0,0 @@ - - - - - - - - - - \ No newline at end of file diff --git a/app/src/main/res/values-af-rZA/strings.xml b/app/src/main/res/values-af-rZA/strings.xml index c4438228..b599615c 100644 --- a/app/src/main/res/values-af-rZA/strings.xml +++ b/app/src/main/res/values-af-rZA/strings.xml @@ -1,14 +1,16 @@ + About %s Team, social links + Accent color The theme accent color, defaults to purple + About Add to favorites Add to playing queue Add to playlist Clear playing queue - Clear playlist Cycle repeat mode Delete Delete from device @@ -46,19 +48,32 @@ Tag editor Toggle favorite Toggle shuffle mode + Adaptive + Add - Add lyrics - Add \nphoto "Add to playlist" - Add time frame lyrics + "Added 1 title to the playing queue." Added %1$d titles to the playing queue. + Album + + + Song + Songs + + Album artist - The title or artist is empty. + Albums + + Album + Albums + + Always + Hey check out this cool music player at: https://play.google.com/store/apps/details?id=%s Shuffle Top Tracks @@ -67,19 +82,25 @@ Classic Small Text + Artist + Artists + Audio focus denied. Change the sound settings and adjust the equalizer controls + Auto - Base color theme - Bass Boost - Bio + Biography + Just Black + Blacklist + Blur Blur Card + Unable to send report Invalid access token. Please contact the app developer. Issues are not enabled for the selected repository. Please contact the app developer. @@ -92,45 +113,56 @@ Please enter an issue title Please enter your valid GitHub username An unexpected error occurred. Sorry you found this bug, if it keeps crashing \"Clear app data\" or send an Email - Uploading report to GitHub… Send using GitHub account + Buy now + Cancel + Card - Circular Colored Card Card - Carousel + Carousel effect on the now playing screen + Cascading - Cast + Changelog Changelog maintained on the Telegram channel + Circle + Circular + Classic + Clear - Clear app data Clear blacklist Clear queue - Clear playlist - %1$s? This can\u2019t be undone!]]> - Close + Color - Color + Colors + Composer + Copied device info to clipboard. + Couldn\u2019t create playlist. "Couldn\u2019t download a matching album cover." Could not restore purchase. Could not scan %d files. + Create + Created playlist %1$s. + Members and contributors + Currently listening to %1$s by %2$s. + Kinda Dark - No Lyrics + Delete playlist %1$s?]]> Delete playlists @@ -139,42 +171,62 @@ Delete songs %1$d playlists?]]> %1$d songs?]]> + Deleted %1$d songs. - Deleting songs + Depth + Description + Device info + Allow Retro Music to modify audio settings Set ringtone + Do you want to clear the blacklist? %1$s from the blacklist?]]> + Donate If you think I deserve to get paid for my work, you can leave some money here + Buy me a: - Download from Last.fm + Drive mode - Edit - Edit cover + Empty + Equalizer - Error + FAQ + Favorites + Finish last song + Fit + Flat + Folders + Follow system + For you + Free + Full Full card + Change the theme and colors of the app Look and feel + Genre + Genres + Fork the project on GitHub - Join the Google Plus community where you can ask for help or follow Retro Music updates + 1 2 3 @@ -184,16 +236,25 @@ 7 8 Grid style + Hinge + History + Home + Horizontal flip + Image Gradient image Change artist image download settings + Inserted %1$d songs into the playlist %2$s. + Share your Retro Music setup to showcase on Instagram + Keyboard + Bitrate Format File name @@ -202,31 +263,45 @@ More from %s Sampling rate Length + Labeled + Last added Last song - Let\'s play some music - Library + Library categories + Licenses + Clearly White + Listeners + Listing files + Loading products… + Login + Lyrics + Made with ❤️ in India + Material + Error Permission error + Name Most played + Never - New banner photo + New playlist - New profile photo %s is the new start directory. + Next Song + You have no albums You have no artists "Play a song first, then try again." @@ -238,45 +313,59 @@ No purchase found. No results You have no songs + Normal Normal lyrics - Normal + %s is not listed in the media store.]]> + Nothing to scan. Nothing to see + Notification Customize the notification style + Now playing Now playing queue Customize the now playing screen 9+ now playing themes + Only on Wi-Fi + Advanced testing features + Other + Password + Past 3 months - Paste lyrics here + Peak + Permission to access external storage denied. + Permissions denied. + Personalize Customize your now playing and UI controls + Pick from local storage - Pick image + Pinterest Follow Pinterest page for Retro Music design inspiration + Plain + The playing notification provides actions for play/pause etc. Playing notification - Empty playlist + Playlist is empty Playlist name + Playlists - Album detail style + Amount of blur applied for blur themes, lower is faster Blur amount - Adjust the bottom sheet dialog corners - Dialog corner Filter songs by length Filter song duration Advanced @@ -293,9 +382,7 @@ Pause on zero Keep in mind that enabling this feature may affect battery life Keep the screen on - Click to open with or slide to without transparent navigation of now playing screen - Click or Slide - Snow fall effect + Select language Use the currently playing song album cover as the lockscreen wallpaper Lower the volume when a system sound is played or a notification is received The content of blacklisted folders is hidden from your library. @@ -305,21 +392,17 @@ Use the classic notification design The background and control button colors change according to the album art from the now playing screen Colors the app shortcuts in the accent color. Every time you change the color please toggle this to take effect - Colors the navigation bar in the primary color "Colors the notification in the album cover\u2019s vibrant color" As per Material Design guide lines in dark mode colors should be desaturated - Most dominant color will be picked from the album or artist cover + Clicking on the notification will show now playing screen instead of the home screen Add extra controls for mini player Show extra Song information, such as file format, bitrate and frequency "Can cause playback issues on some devices." - Toggle genre tab Show or hide the home banner Can increase the album cover quality, but causes slower image loading times. Only enable this if you have problems with low resolution artworks Configure visibility and order of library categories. Use Retro Music\'s custom lockscreen controls License details for open source software - Round the app\'s edges - Toggle titles for the bottom navigation bar tabs Immersive mode Start playing immediately after headphones are connected Shuffle mode will turn off when playing a new list of songs @@ -327,75 +410,76 @@ Show album cover Album cover theme Album cover skip - Album grid Colored app shortcuts - Artist grid Reduce volume on focus loss Auto-download artist images Blacklist Bluetooth playback Blur album cover - Choose equalizer Classic notification design Adaptive color Colored notification Desaturated color + Show now playing screen Extra controls Song info Gapless playback App theme - Show genre tab Artist grid Banner Ignore Media Store covers Last added playlist interval Fullscreen controls - Colored navigation bar Now playing theme Open source licences - Corner edges Tab titles mode Carousel effect - Dominant color Fullscreen app - Tab titles Auto-play Shuffle mode Volume controls - User info - Primary color - The primary theme color, defaults to blue grey, for now works with dark colors + Pro Black theme, Now playing themes, Carousel effect and more.. + Profile + Purchase - *Think before buying, don\'t ask for refund. + Playing Queue + Rate the app Love this app? Let us know in the Google Play Store how we can make it even better + Recent albums Recent artists + Remove - Remove banner photo Remove cover Remove from blacklist - Remove profile photo Remove song from playlist %1$s from the playlist?]]> Remove songs from playlist %1$d songs from the playlist?]]> + Rename playlist + Report an issue Report bug + Reset Reset artist image + Restore + Restored previous purchase. Please restart the app to make use of all features. Restored previous purchases. + Restoring purchase… - Retro Music Equalizer + Retro Music Player Retro Music Pro + File delete failed: %s Can\'t get SAF URI @@ -408,37 +492,48 @@ Do not open any sub-folders Tap \'select\' button at the bottom of the screen File write failed: %s + Save Save as file Save as files + Saved playlist to %s. + Saving changes + Scan media + Scanned %1$d of %2$d files. + Scrobbles - Search your library… + Select all - Select banner photo + Selected - Send crash log + Set Set artist image - Set a profile photo + Share app Share to Stories + Shuffle + Simple + Sleep timer canceled. Sleep timer set for %d minutes from now. - Slide - Small album + Social Share story + Song Song duration + Songs + Sort order Ascending Album @@ -448,93 +543,91 @@ Date modified Year Descending + Sorry! Your device doesn\'t support speech input Search your library + Stack + Start playing music. + Suggestions - Just show your name on home screen + Support development + Swipe to unlock + Synced lyrics - System Equalizer + Telegram Join the Telegram group to discuss bugs, make suggestions, show off and more + Thank you! + The audio file + This month This week This year + Tiny + Tiny card + Title - Dashboard - Good afternoon - Good day - Good evening - Good morning - Good night - What\'s Your Name + Today + Top albums Top artists + "Track (2 for track 2 or 3004 for CD3 track 4)" Track number + Translate Help us translate the app to your language + + Try Retro Music Premium + Twitter Share your design with Retro Music + Unlabeled + Couldn\u2019t play this song. + Up next + Update image + Updating… + Username + Version + Vertical flip - Virtualizer + Volume + Web search + Welcome, + What do you want to share? + What\'s New + Window Rounded corners + Set %1$s as your ringtone. %1$d selected + Year + You have to select at least one category. You will be forwarded to the issue tracker website. + Your account data is only used for authentication. - Amount - Note(Optional) - Start payment - Show now playing screen - Clicking on the notification will show now playing screen instead of the home screen - Tiny card - About %s - Select language - Translators - The people who helped translate this app - Try Retro Music Premium - - Song - Songs - - - Album - Albums - - - %d Song - %d Songs - - - %d Album - %d Albums - - - %d Artist - %d Artists - diff --git a/app/src/main/res/values-ar-rSA/strings.xml b/app/src/main/res/values-ar-rSA/strings.xml index c7b658cf..e3339231 100644 --- a/app/src/main/res/values-ar-rSA/strings.xml +++ b/app/src/main/res/values-ar-rSA/strings.xml @@ -1,14 +1,16 @@ + حول %s الفريق, الروابط للتواصل + اللون الأساسي لون تمييز المظهر ، يتم تعيينه إلى اللون الأرجواني + حول اضافة الى المفضلة إضافة الى قائمة التشغيل الحالية أضف إلى قائمة التشغيل إخلاء قائمة التشغيل الحالية - إخلاء قائمة التشغيل وضع تكرار الدورة حذف حذف من الجهاز @@ -46,19 +48,40 @@ محرر البطاقة تبديل المفضلة تفعيل وضع الخلط + متكيف + إضافة - اضافة كلمات - إضافة صورة "إضافة الى قائمة التشغيل" - اضافة كلمات مع فواصل زمنية + "إضافة ١ من العناوين الى قائمة التشغيل الحالية" إضافة %1$d من العناوين الى قائمة التشغيل الحالية + البوم + + + Songs + Song + Songs + Songs + Songs + Songs + + البوم الفنان - العنوان او الفنان فارغ + الألبومات + + Albums + Album + Albums + Albums + Albums + Albums + + دائما + مرحبا القي نظرة على مشغل الموسيقى الرائع هذا في: https://play.google.com/store/apps/details?id=%s عشوائي المسارات الاكثر شعبية @@ -67,19 +90,25 @@ ريترو ميوزك - تقليدي ريترو ميوزك - صغير ريترو ميوزك - نص + فنان + فنانين + تم منع تركيز الصوت تغيير إعدادات الصوت وضبط عناصر التحكم في موازن الصوت + تلقائي - لون الثيم الاساسي - معزز Bass - الحالة + سيرة ذاتية + أسود لامع + القائمة السوداء + ضبابي بطاقة ضبابية + لم يمكن ارسال التقرير دخول غير مكتمل. الرجاء إبلاغ مطور التطبيق المشاكل غير مفعلة للمستودعات المحددة.الرجاء إبلاغ مطور التطبيق @@ -92,45 +121,56 @@ الرجاء ادخال الخطأ هنا الرجاء ادخال أسم مستخدم صالح حصل خطأ غير متوقع. نأسف لذالك, اذا تكرر معك الخطأ \"قم بمسح بيانات التطبيق\"او ارسل ايميل - رفع التقرير الى چيتهب ارسال بأستخدام حساب چيتهب + اشتري الآن + إلغاء + بطاقة - دائري بطاقة ملونة بطاقة - دائري + التاثير الدائري على شاشة التشغيل الآن + المتتالية - بث + سجل التغيرات سجل التغيرات ثابت على قناة التيليجرام + دائرية + دائري + كلاسيكي + إزالة - مسح بيانات التطبيق إزالة القائمة السوداء مسح التسلسل - إزالة قائمة التشغيل - %1$s؟ هذا يمكن\u2019t التراجع عنه!]]> - اغلاق + لون - لون + الوان + المؤلف + تم نسخ معلومات الجهاز للحافظة. + تعذّر\u2019t إنشاء قائمة. "تعذّر تحميل\u2019t غلاف الألبوم المطابق." لايمكن إسترجاع المشتريات لايمكن فحص الملفات %d + إنشاء + قائمة التشغيل الموجودة %1$s. + الافراد والمساهمين + يستمع حالياً إلى %1$s لـ %2$s + أسود قليلاً - لا يوجد كلمات + حذف قائمة التشغيل %1$s؟]]> حذف قوائم التشغيل @@ -139,43 +179,63 @@ حذف الاغاني %1$d؟]]> %1$d؟]]> + تم حذف %1$d الأغاني. - حذف الأغاني + العمق + الوصف + معلومات الجهاز + السمات لتطبيق ريترو ميوزك بتعديل اعدادات الصوت ك نغمة رنين + هل تريد إزالة القائمة السوداء؟ %1$s من القائمة السوداء]]> + تبرع إذا كنت تعتقد أنني أستحق الحصول على المال مقابل عملي ، يمكنك ترك بعض المال هنا. + اشتري لي: - تنزيل من Last.fm + وضع القيادة - تعديل - تحرير الغلاف + فارغ + موازن الصوت - خطأ + التعليمات + المفضلات + إنهاء الأغنية الأخيرة + تناسق + مسطح + المجلدات + اتبع النظام + لأجلك + مجاني + كامل بطاقة كاملة + تغيير سمات وألوان التطبيق المظهر و الحس + فئة + فئات + اجلب المشروع على GitHub - انضم الى مجتمعنا في Google plus , حيث يمكنك طلب المساعدة او متابعة آخر تطورات تطبيق ريترو ميوزك + 1 2 3 @@ -185,16 +245,25 @@ 7 8 الشبكة والأسلوب + مفصل + السجل + الشاشة الرئيسية + تدوير عمودي + صورة الصورة المتدرجة تغيير إعدادات تنزيل صور الفنان + إدراج %1$d الأغاني في قائمة التشغيل %2$s. + شارك إعداد Retro Music الخاص بك للعرض على إنستقرام + الكيبورد + معدل البت الصيغة اسم الملف @@ -203,31 +272,45 @@ المزيد من %s معدل العينات الامتداد + معنون + المضافة مؤخرا الاغنية الاخيرة - لنشغل بعض الموسيقى - المكتبة + فئات المكتبة الموسيقية + تراخيص + أبيض صافي + المستمعون + قائمة الملفات + تحميل المنتجات... + تسجيل الدخول + كلمات الاغنية + صنع ب❤️في الهند + ماتيريال + خطأ خطأ في الصلاحيات + الأسم الأكثر تشغيل + أبداً - صورة عرض جديدة + قائمة تشغيل جديدة - صورة ملف شخصي جديدة %s هذا دليل البدء الجديد. + الاغنية التالية + لا توجد ألبومات لا يوجد مغنين "قم بتشغيل أغنية أولاً ، ثم حاول مرة أخرى." @@ -239,45 +322,59 @@ لم يتم العثور على عملية شراء. لا يوجد نتائج لا يوجد أغاني + الافتراضي كلمات عادية - الافتراضي + %s غير مدرج في مخزن الوسائط]]> + لاشيء لفحصه. لاشيء لفحصه + إشعارات تخصيص نمط الإشعارات + تشغيل الان تسلسل التشغيل الان تخصيص شاشة التشغيل الآن 9+ من ثيمات التشغيل الان + فقط على الواي فاي + اعدادات اختبارية متقدمة + آخر + كلمة السر + أخر 3 أشهر - الصق الكلمات هنا + الذروة + تم رفض إذن الوصول إلى وحدة التخزين الخارجي. + تم رفض الأذونات. + تخصيص تخصيص المشغل و الواجهة + اختر من وحدة التخزين الداخلي - اختيار صورة + بينتريست متابعة صفحة البينتريست لمشاهدة الهامات التصميم + عادي + اشعارات التشغيل توفر إجراءات للتشغيل / الإيقاف المؤقت إلخ. تنبيهات التشغيل - تفريغ قائمة التشغيل + قائمة التشغيل فارغة اسم قائمة التشغيل + قوائم التشغيل - شكل معلومات الالبوم + مستوى ضبابية الثيم , كلما قل كلما كان افضل مستوى الضبابية - ضبط زوايا مربع لوحة التحكم - زاوية الحوار تصفية الأغاني حسب الطول فلترة المدة الزمنية للاغنية متقدّم @@ -294,9 +391,7 @@ ايقاف عند الصفر ضع في اعتبارك أن تمكين هذه الميزة قد يؤثر على عمر البطارية ابقاء الشاشة تعمل - انقر للفتح أو التمرير بدون الإنتقال الشفاف لشاشة التشغيل الآن - اضغط او أسحب - تأثير تساقط الثلج + حدد اللغة استخدم غلاف ألبوم الأغنية قيد التشغيل حاليًا كخلفية لشاشة القفل خفض مستوى الصوت عند تشغيل صوت نظام أو تلقي إشعارات محتويات مجلدات القائمة السوداء يتم أخفائها من مكتبتك الموسيقية. @@ -306,21 +401,17 @@ أستخدم تصميم الإشعارات التقليدي تتغير ألوان أزرار الخلفية والتحكم وفقًا لصورة الألبوم من شاشة التشغيل الآن تلوين اختصارات التطبيق باللون الثانوي . في كل مرة تقوم فيها بتغيير اللون ، يرجى تفعيل هذا الخيار ليتم تطبيق التغييرات - تلوين شريط التنقل باللون الاساسي "تلوين الإشعارات في غلاف الألبوم\u2019لون نشط" حسب خطوط دليل تصميم المواد بالألوان في الوضع المظلم يجب أن لاتكون مشتته - سيتم اختيار اللون الأكثر انتشارًا من الألبوم أو غلاف الفنان + النقر على الإشعار سيظهر الآن مايتم تشغيله بدلاً من الشاشة الرئيسية لتطبيق اضافة المزيد من التحكم في المشغل المصغر إظهار معلومات الأغنية الإضافية، مثل تنسيق الملف، معدل البت، والتواتر "يمكن أن يسبب مشاكل في التشغيل على بعض الأجهزة." - تفعيل تبويب النوع تفعيل وضع البانر في الشاشة الرئيسية يمكنك أن تزيد من جودة غلاف الألبوم ، لكنه يسبب بطئ في التحميل للصور. قم بتمكين هذا فقط إذا كنت تواجه مشاكل مع صور ألبومات منخفضة الدقة تكوين وعرض وترتيب فئات المكتبة. استخدم شاشة القفل المخصصة من ريترو ميوزك لتحكم بالتشغيل الرخصة والتفاصيل للبرمجيات مفتوحة المصدر - تدوير حواف التطبيق - تفعيل العناوين لتبويبات الشريط السفلي وضع الشاشة الكاملة تشغيل تلقائيا عند توصيل السماعة سوف يتم تعطيل وضع الخلط عند التشغيل من قائمة جديدة @@ -328,75 +419,76 @@ عرض غطاء الالبوم ثيم غطاء الالبوم تخطي غطاء الالبوم - شبكة الالبومات تلوين اختصارات التطبيق - شبكة الفنانين خفض الصوت عند فقد التركيز تحميل تلقائي لصور الالبومات القائمة السوداء تشغيل البلوتوث تضبيب صورة الالبوم - أختر معادل الصوت تصميم التنبيهات الكلاسيكي اللون المتكيف التنبيهات الملونة لون مفصّل + إظهار شاشة التشغيل المزيد من أزرار التحكم معلومات الأغنية تشغيل متتابع سمات التطبيق - عرض تبويب النوع شبكة الفنان الرئيسية صورة الواجهة تجاهل صور تخزين الميديا آخر قائمة تشغيل تمت إضافتها ازار التحكم في كامل الشاشة - تلوين شريط التنقل ثيم التشغيل الان التراخيص مفتوحة المصدر - الحواف الدائرية وضع عناوين التبويبات تاثير التتالي - اللون المنتشر التطبيق في كامل الشاشة - عناوين التبويبات التشغيل التلقائي وضع الخلط التحكم بالصوت - معلومات المستخدم - اللون الاساسي - لون الثيم الاساسي, الافتراضي الان الازرق الرمادي, يتوافق مع الالوان الداكنة + الكامل تشغيل الآن السمات ، وتأثير التكدس ، وموضوع اللون وأكثر من ذلك .. + الملف الشخصي + شراء - *فكر عميقا قبل الشراء, ولاتسال عن الاسترجاع. + تسلسل + تقييم التطبيق أحببت هذا التطبيق؟ أخبرنا في متجر Google Play كيف يمكننا تحسينه + الالبومات الحديثة الفنانون الحديثون + حذف - حذف صورة البانر حذف الغطاء حذف من القائمة السوداء - حذف صورة العرض حذف الأغنية من قائمة التشغيل %1$s من قائمة التشغيل ?]]> حذف الاغاني من قائمة التشغيل %1$d اغنية من قائمة التشغيل?]]> + اعادة تسمية قائمة التشغيل + تبليغ عن مشكلة تقرير الأخطاء + استرداد اعادة ضبط صور الالبومات + استرجاع + تم استرداد عملية الشراء السابقة. الرجاء اعادة تشغيل التطبيق الاستمتاع بكافة المميزات. تم + استرداد عملية الشراء... - معادل ريترو ميوزك + مشغل الموسيقى Retro ريترو ميوزك - الكامل + فشل حذف الملف: %s لا يمكن الحصول على URI SAF @@ -409,37 +501,48 @@ لا تفتح أي مجلدات فرعية اضغط على زر \"تحديد\" في الجزء السفلي من الشاشة فشلت كتابة الملف: %s + حفظ حفظ كملف حفظ كملف + حفظ قائمة التشغيل الى %s. + حفظ التغييرات + فحص الميديا + تم فحص %1$d من %2$d ملف. + تمريرات - البحث في مكتبتك... + تحديد الكل - اختيار صورة البانر + محدد - ارسال تقرير بالخطأ + تعيين اختيار صورة الفنان - تعيين كصورة البروفايل + مشاركة التطبيق شارك في القصص + خلط + بسيط + تم إلغاء مؤقت النوم. تم ضبط مؤقت النوم الى %d دقيقة من الآن. - سحب - ألبوم صغير + أجتماعي مشاركة القصة + الاغنية مدة الأغنية + الاغاني + ترتيب الفرز تصاعدي الالبوم @@ -449,113 +552,91 @@ تاريخ التعديل السنة تنازلي + عذرا! جهازك لايدعم الادخال الصوتي أبحث في مكتبتك + التكدس + أبدا بتشغيل الموسيقى. + اقتراحات - قم بعرض اسمك في الشاشة الرئيسية + دعم التطوير + اسخب للفتح + مزامنة الكلمات - معادل الصوت + تيليجرام انضم لمجموعة التيليجرام لمناقشة المشاكل, و طرح اقتراحات والمزيد + شكرا + الملف الصوتي + هذا الشهر هذا الاسبوع هذه السنة + صغير + بطاقة صغيرة + عنوان - الرئيسية - نهار جميل - يوم جميل - مساء الخير - صباح الخير - ليلة جميلة - ماهو أسمك + اليوم + افضل الالبومات افضل الفنانين + "المسار (2 للمسار 2 أو 3004 لمسار CD3 4)" رقم المسار + ترجمة ساعدها لترجمة التطبيق الى لغتك + + جرب ريترو الموسيقى الإصدار المميز + تويتر شارك تصميمك مع ريترو ميوزك + غير معنون + تعذّر تشغيل\u2019t هذه الأغنية. + التالي + تحديث الصورة + تحديث... + أسم المستخدم + الإصدار + تدوير رأسي - التاثيرات + الصوت + البحث عبر الانترنت + مرحبا, + مالذي تريد مشاركته? + مالجديد + نافذة حواف دائرية + تعيين %1$s كنغمة الرنين الخاصة بك. %1$d تحديد + السنة + عليك اختيار فئة واحدة على الأقل. سيتم تحويلك الى صفحة سجل الاخطاء + بيانات حسابك تستخدم لتوثيق فقط. - الكمية - ملاحظة (اختياري) - بدء عملية الدفع - إظهار شاشة التشغيل - النقر على الإشعار سيظهر الآن مايتم تشغيله بدلاً من الشاشة الرئيسية لتطبيق - بطاقة صغيرة - حول %s - حدد اللغة - المترجمون - الأشخاص الذين ساعدوا في ترجمة هذا التطبيق - جرب ريترو الموسيقى الإصدار المميز - - Songs - Song - Songs - Songs - Songs - Songs - - - Albums - Album - Albums - Albums - Albums - Albums - - - %d لاتوجد أغان - %d أغنية - %d أغنيتان - %d اغاني - %d اغاني - %d أغان - - - %d لاتوجد البومات - %d ألبوم - %d ألبومان - %d البومات - %d الألبومات - %d البومات - - - %d فنانين - %d فنان - %d فنانين - %d فنانون - %d فنانون - %d فنانون - diff --git a/app/src/main/res/values-bn-rIN/strings.xml b/app/src/main/res/values-bn-rIN/strings.xml index c4438228..b599615c 100644 --- a/app/src/main/res/values-bn-rIN/strings.xml +++ b/app/src/main/res/values-bn-rIN/strings.xml @@ -1,14 +1,16 @@ + About %s Team, social links + Accent color The theme accent color, defaults to purple + About Add to favorites Add to playing queue Add to playlist Clear playing queue - Clear playlist Cycle repeat mode Delete Delete from device @@ -46,19 +48,32 @@ Tag editor Toggle favorite Toggle shuffle mode + Adaptive + Add - Add lyrics - Add \nphoto "Add to playlist" - Add time frame lyrics + "Added 1 title to the playing queue." Added %1$d titles to the playing queue. + Album + + + Song + Songs + + Album artist - The title or artist is empty. + Albums + + Album + Albums + + Always + Hey check out this cool music player at: https://play.google.com/store/apps/details?id=%s Shuffle Top Tracks @@ -67,19 +82,25 @@ Classic Small Text + Artist + Artists + Audio focus denied. Change the sound settings and adjust the equalizer controls + Auto - Base color theme - Bass Boost - Bio + Biography + Just Black + Blacklist + Blur Blur Card + Unable to send report Invalid access token. Please contact the app developer. Issues are not enabled for the selected repository. Please contact the app developer. @@ -92,45 +113,56 @@ Please enter an issue title Please enter your valid GitHub username An unexpected error occurred. Sorry you found this bug, if it keeps crashing \"Clear app data\" or send an Email - Uploading report to GitHub… Send using GitHub account + Buy now + Cancel + Card - Circular Colored Card Card - Carousel + Carousel effect on the now playing screen + Cascading - Cast + Changelog Changelog maintained on the Telegram channel + Circle + Circular + Classic + Clear - Clear app data Clear blacklist Clear queue - Clear playlist - %1$s? This can\u2019t be undone!]]> - Close + Color - Color + Colors + Composer + Copied device info to clipboard. + Couldn\u2019t create playlist. "Couldn\u2019t download a matching album cover." Could not restore purchase. Could not scan %d files. + Create + Created playlist %1$s. + Members and contributors + Currently listening to %1$s by %2$s. + Kinda Dark - No Lyrics + Delete playlist %1$s?]]> Delete playlists @@ -139,42 +171,62 @@ Delete songs %1$d playlists?]]> %1$d songs?]]> + Deleted %1$d songs. - Deleting songs + Depth + Description + Device info + Allow Retro Music to modify audio settings Set ringtone + Do you want to clear the blacklist? %1$s from the blacklist?]]> + Donate If you think I deserve to get paid for my work, you can leave some money here + Buy me a: - Download from Last.fm + Drive mode - Edit - Edit cover + Empty + Equalizer - Error + FAQ + Favorites + Finish last song + Fit + Flat + Folders + Follow system + For you + Free + Full Full card + Change the theme and colors of the app Look and feel + Genre + Genres + Fork the project on GitHub - Join the Google Plus community where you can ask for help or follow Retro Music updates + 1 2 3 @@ -184,16 +236,25 @@ 7 8 Grid style + Hinge + History + Home + Horizontal flip + Image Gradient image Change artist image download settings + Inserted %1$d songs into the playlist %2$s. + Share your Retro Music setup to showcase on Instagram + Keyboard + Bitrate Format File name @@ -202,31 +263,45 @@ More from %s Sampling rate Length + Labeled + Last added Last song - Let\'s play some music - Library + Library categories + Licenses + Clearly White + Listeners + Listing files + Loading products… + Login + Lyrics + Made with ❤️ in India + Material + Error Permission error + Name Most played + Never - New banner photo + New playlist - New profile photo %s is the new start directory. + Next Song + You have no albums You have no artists "Play a song first, then try again." @@ -238,45 +313,59 @@ No purchase found. No results You have no songs + Normal Normal lyrics - Normal + %s is not listed in the media store.]]> + Nothing to scan. Nothing to see + Notification Customize the notification style + Now playing Now playing queue Customize the now playing screen 9+ now playing themes + Only on Wi-Fi + Advanced testing features + Other + Password + Past 3 months - Paste lyrics here + Peak + Permission to access external storage denied. + Permissions denied. + Personalize Customize your now playing and UI controls + Pick from local storage - Pick image + Pinterest Follow Pinterest page for Retro Music design inspiration + Plain + The playing notification provides actions for play/pause etc. Playing notification - Empty playlist + Playlist is empty Playlist name + Playlists - Album detail style + Amount of blur applied for blur themes, lower is faster Blur amount - Adjust the bottom sheet dialog corners - Dialog corner Filter songs by length Filter song duration Advanced @@ -293,9 +382,7 @@ Pause on zero Keep in mind that enabling this feature may affect battery life Keep the screen on - Click to open with or slide to without transparent navigation of now playing screen - Click or Slide - Snow fall effect + Select language Use the currently playing song album cover as the lockscreen wallpaper Lower the volume when a system sound is played or a notification is received The content of blacklisted folders is hidden from your library. @@ -305,21 +392,17 @@ Use the classic notification design The background and control button colors change according to the album art from the now playing screen Colors the app shortcuts in the accent color. Every time you change the color please toggle this to take effect - Colors the navigation bar in the primary color "Colors the notification in the album cover\u2019s vibrant color" As per Material Design guide lines in dark mode colors should be desaturated - Most dominant color will be picked from the album or artist cover + Clicking on the notification will show now playing screen instead of the home screen Add extra controls for mini player Show extra Song information, such as file format, bitrate and frequency "Can cause playback issues on some devices." - Toggle genre tab Show or hide the home banner Can increase the album cover quality, but causes slower image loading times. Only enable this if you have problems with low resolution artworks Configure visibility and order of library categories. Use Retro Music\'s custom lockscreen controls License details for open source software - Round the app\'s edges - Toggle titles for the bottom navigation bar tabs Immersive mode Start playing immediately after headphones are connected Shuffle mode will turn off when playing a new list of songs @@ -327,75 +410,76 @@ Show album cover Album cover theme Album cover skip - Album grid Colored app shortcuts - Artist grid Reduce volume on focus loss Auto-download artist images Blacklist Bluetooth playback Blur album cover - Choose equalizer Classic notification design Adaptive color Colored notification Desaturated color + Show now playing screen Extra controls Song info Gapless playback App theme - Show genre tab Artist grid Banner Ignore Media Store covers Last added playlist interval Fullscreen controls - Colored navigation bar Now playing theme Open source licences - Corner edges Tab titles mode Carousel effect - Dominant color Fullscreen app - Tab titles Auto-play Shuffle mode Volume controls - User info - Primary color - The primary theme color, defaults to blue grey, for now works with dark colors + Pro Black theme, Now playing themes, Carousel effect and more.. + Profile + Purchase - *Think before buying, don\'t ask for refund. + Playing Queue + Rate the app Love this app? Let us know in the Google Play Store how we can make it even better + Recent albums Recent artists + Remove - Remove banner photo Remove cover Remove from blacklist - Remove profile photo Remove song from playlist %1$s from the playlist?]]> Remove songs from playlist %1$d songs from the playlist?]]> + Rename playlist + Report an issue Report bug + Reset Reset artist image + Restore + Restored previous purchase. Please restart the app to make use of all features. Restored previous purchases. + Restoring purchase… - Retro Music Equalizer + Retro Music Player Retro Music Pro + File delete failed: %s Can\'t get SAF URI @@ -408,37 +492,48 @@ Do not open any sub-folders Tap \'select\' button at the bottom of the screen File write failed: %s + Save Save as file Save as files + Saved playlist to %s. + Saving changes + Scan media + Scanned %1$d of %2$d files. + Scrobbles - Search your library… + Select all - Select banner photo + Selected - Send crash log + Set Set artist image - Set a profile photo + Share app Share to Stories + Shuffle + Simple + Sleep timer canceled. Sleep timer set for %d minutes from now. - Slide - Small album + Social Share story + Song Song duration + Songs + Sort order Ascending Album @@ -448,93 +543,91 @@ Date modified Year Descending + Sorry! Your device doesn\'t support speech input Search your library + Stack + Start playing music. + Suggestions - Just show your name on home screen + Support development + Swipe to unlock + Synced lyrics - System Equalizer + Telegram Join the Telegram group to discuss bugs, make suggestions, show off and more + Thank you! + The audio file + This month This week This year + Tiny + Tiny card + Title - Dashboard - Good afternoon - Good day - Good evening - Good morning - Good night - What\'s Your Name + Today + Top albums Top artists + "Track (2 for track 2 or 3004 for CD3 track 4)" Track number + Translate Help us translate the app to your language + + Try Retro Music Premium + Twitter Share your design with Retro Music + Unlabeled + Couldn\u2019t play this song. + Up next + Update image + Updating… + Username + Version + Vertical flip - Virtualizer + Volume + Web search + Welcome, + What do you want to share? + What\'s New + Window Rounded corners + Set %1$s as your ringtone. %1$d selected + Year + You have to select at least one category. You will be forwarded to the issue tracker website. + Your account data is only used for authentication. - Amount - Note(Optional) - Start payment - Show now playing screen - Clicking on the notification will show now playing screen instead of the home screen - Tiny card - About %s - Select language - Translators - The people who helped translate this app - Try Retro Music Premium - - Song - Songs - - - Album - Albums - - - %d Song - %d Songs - - - %d Album - %d Albums - - - %d Artist - %d Artists - diff --git a/app/src/main/res/values-ca-rES/strings.xml b/app/src/main/res/values-ca-rES/strings.xml index c4438228..b599615c 100644 --- a/app/src/main/res/values-ca-rES/strings.xml +++ b/app/src/main/res/values-ca-rES/strings.xml @@ -1,14 +1,16 @@ + About %s Team, social links + Accent color The theme accent color, defaults to purple + About Add to favorites Add to playing queue Add to playlist Clear playing queue - Clear playlist Cycle repeat mode Delete Delete from device @@ -46,19 +48,32 @@ Tag editor Toggle favorite Toggle shuffle mode + Adaptive + Add - Add lyrics - Add \nphoto "Add to playlist" - Add time frame lyrics + "Added 1 title to the playing queue." Added %1$d titles to the playing queue. + Album + + + Song + Songs + + Album artist - The title or artist is empty. + Albums + + Album + Albums + + Always + Hey check out this cool music player at: https://play.google.com/store/apps/details?id=%s Shuffle Top Tracks @@ -67,19 +82,25 @@ Classic Small Text + Artist + Artists + Audio focus denied. Change the sound settings and adjust the equalizer controls + Auto - Base color theme - Bass Boost - Bio + Biography + Just Black + Blacklist + Blur Blur Card + Unable to send report Invalid access token. Please contact the app developer. Issues are not enabled for the selected repository. Please contact the app developer. @@ -92,45 +113,56 @@ Please enter an issue title Please enter your valid GitHub username An unexpected error occurred. Sorry you found this bug, if it keeps crashing \"Clear app data\" or send an Email - Uploading report to GitHub… Send using GitHub account + Buy now + Cancel + Card - Circular Colored Card Card - Carousel + Carousel effect on the now playing screen + Cascading - Cast + Changelog Changelog maintained on the Telegram channel + Circle + Circular + Classic + Clear - Clear app data Clear blacklist Clear queue - Clear playlist - %1$s? This can\u2019t be undone!]]> - Close + Color - Color + Colors + Composer + Copied device info to clipboard. + Couldn\u2019t create playlist. "Couldn\u2019t download a matching album cover." Could not restore purchase. Could not scan %d files. + Create + Created playlist %1$s. + Members and contributors + Currently listening to %1$s by %2$s. + Kinda Dark - No Lyrics + Delete playlist %1$s?]]> Delete playlists @@ -139,42 +171,62 @@ Delete songs %1$d playlists?]]> %1$d songs?]]> + Deleted %1$d songs. - Deleting songs + Depth + Description + Device info + Allow Retro Music to modify audio settings Set ringtone + Do you want to clear the blacklist? %1$s from the blacklist?]]> + Donate If you think I deserve to get paid for my work, you can leave some money here + Buy me a: - Download from Last.fm + Drive mode - Edit - Edit cover + Empty + Equalizer - Error + FAQ + Favorites + Finish last song + Fit + Flat + Folders + Follow system + For you + Free + Full Full card + Change the theme and colors of the app Look and feel + Genre + Genres + Fork the project on GitHub - Join the Google Plus community where you can ask for help or follow Retro Music updates + 1 2 3 @@ -184,16 +236,25 @@ 7 8 Grid style + Hinge + History + Home + Horizontal flip + Image Gradient image Change artist image download settings + Inserted %1$d songs into the playlist %2$s. + Share your Retro Music setup to showcase on Instagram + Keyboard + Bitrate Format File name @@ -202,31 +263,45 @@ More from %s Sampling rate Length + Labeled + Last added Last song - Let\'s play some music - Library + Library categories + Licenses + Clearly White + Listeners + Listing files + Loading products… + Login + Lyrics + Made with ❤️ in India + Material + Error Permission error + Name Most played + Never - New banner photo + New playlist - New profile photo %s is the new start directory. + Next Song + You have no albums You have no artists "Play a song first, then try again." @@ -238,45 +313,59 @@ No purchase found. No results You have no songs + Normal Normal lyrics - Normal + %s is not listed in the media store.]]> + Nothing to scan. Nothing to see + Notification Customize the notification style + Now playing Now playing queue Customize the now playing screen 9+ now playing themes + Only on Wi-Fi + Advanced testing features + Other + Password + Past 3 months - Paste lyrics here + Peak + Permission to access external storage denied. + Permissions denied. + Personalize Customize your now playing and UI controls + Pick from local storage - Pick image + Pinterest Follow Pinterest page for Retro Music design inspiration + Plain + The playing notification provides actions for play/pause etc. Playing notification - Empty playlist + Playlist is empty Playlist name + Playlists - Album detail style + Amount of blur applied for blur themes, lower is faster Blur amount - Adjust the bottom sheet dialog corners - Dialog corner Filter songs by length Filter song duration Advanced @@ -293,9 +382,7 @@ Pause on zero Keep in mind that enabling this feature may affect battery life Keep the screen on - Click to open with or slide to without transparent navigation of now playing screen - Click or Slide - Snow fall effect + Select language Use the currently playing song album cover as the lockscreen wallpaper Lower the volume when a system sound is played or a notification is received The content of blacklisted folders is hidden from your library. @@ -305,21 +392,17 @@ Use the classic notification design The background and control button colors change according to the album art from the now playing screen Colors the app shortcuts in the accent color. Every time you change the color please toggle this to take effect - Colors the navigation bar in the primary color "Colors the notification in the album cover\u2019s vibrant color" As per Material Design guide lines in dark mode colors should be desaturated - Most dominant color will be picked from the album or artist cover + Clicking on the notification will show now playing screen instead of the home screen Add extra controls for mini player Show extra Song information, such as file format, bitrate and frequency "Can cause playback issues on some devices." - Toggle genre tab Show or hide the home banner Can increase the album cover quality, but causes slower image loading times. Only enable this if you have problems with low resolution artworks Configure visibility and order of library categories. Use Retro Music\'s custom lockscreen controls License details for open source software - Round the app\'s edges - Toggle titles for the bottom navigation bar tabs Immersive mode Start playing immediately after headphones are connected Shuffle mode will turn off when playing a new list of songs @@ -327,75 +410,76 @@ Show album cover Album cover theme Album cover skip - Album grid Colored app shortcuts - Artist grid Reduce volume on focus loss Auto-download artist images Blacklist Bluetooth playback Blur album cover - Choose equalizer Classic notification design Adaptive color Colored notification Desaturated color + Show now playing screen Extra controls Song info Gapless playback App theme - Show genre tab Artist grid Banner Ignore Media Store covers Last added playlist interval Fullscreen controls - Colored navigation bar Now playing theme Open source licences - Corner edges Tab titles mode Carousel effect - Dominant color Fullscreen app - Tab titles Auto-play Shuffle mode Volume controls - User info - Primary color - The primary theme color, defaults to blue grey, for now works with dark colors + Pro Black theme, Now playing themes, Carousel effect and more.. + Profile + Purchase - *Think before buying, don\'t ask for refund. + Playing Queue + Rate the app Love this app? Let us know in the Google Play Store how we can make it even better + Recent albums Recent artists + Remove - Remove banner photo Remove cover Remove from blacklist - Remove profile photo Remove song from playlist %1$s from the playlist?]]> Remove songs from playlist %1$d songs from the playlist?]]> + Rename playlist + Report an issue Report bug + Reset Reset artist image + Restore + Restored previous purchase. Please restart the app to make use of all features. Restored previous purchases. + Restoring purchase… - Retro Music Equalizer + Retro Music Player Retro Music Pro + File delete failed: %s Can\'t get SAF URI @@ -408,37 +492,48 @@ Do not open any sub-folders Tap \'select\' button at the bottom of the screen File write failed: %s + Save Save as file Save as files + Saved playlist to %s. + Saving changes + Scan media + Scanned %1$d of %2$d files. + Scrobbles - Search your library… + Select all - Select banner photo + Selected - Send crash log + Set Set artist image - Set a profile photo + Share app Share to Stories + Shuffle + Simple + Sleep timer canceled. Sleep timer set for %d minutes from now. - Slide - Small album + Social Share story + Song Song duration + Songs + Sort order Ascending Album @@ -448,93 +543,91 @@ Date modified Year Descending + Sorry! Your device doesn\'t support speech input Search your library + Stack + Start playing music. + Suggestions - Just show your name on home screen + Support development + Swipe to unlock + Synced lyrics - System Equalizer + Telegram Join the Telegram group to discuss bugs, make suggestions, show off and more + Thank you! + The audio file + This month This week This year + Tiny + Tiny card + Title - Dashboard - Good afternoon - Good day - Good evening - Good morning - Good night - What\'s Your Name + Today + Top albums Top artists + "Track (2 for track 2 or 3004 for CD3 track 4)" Track number + Translate Help us translate the app to your language + + Try Retro Music Premium + Twitter Share your design with Retro Music + Unlabeled + Couldn\u2019t play this song. + Up next + Update image + Updating… + Username + Version + Vertical flip - Virtualizer + Volume + Web search + Welcome, + What do you want to share? + What\'s New + Window Rounded corners + Set %1$s as your ringtone. %1$d selected + Year + You have to select at least one category. You will be forwarded to the issue tracker website. + Your account data is only used for authentication. - Amount - Note(Optional) - Start payment - Show now playing screen - Clicking on the notification will show now playing screen instead of the home screen - Tiny card - About %s - Select language - Translators - The people who helped translate this app - Try Retro Music Premium - - Song - Songs - - - Album - Albums - - - %d Song - %d Songs - - - %d Album - %d Albums - - - %d Artist - %d Artists - diff --git a/app/src/main/res/values-cs-rCZ/strings.xml b/app/src/main/res/values-cs-rCZ/strings.xml index cd299285..0505668a 100644 --- a/app/src/main/res/values-cs-rCZ/strings.xml +++ b/app/src/main/res/values-cs-rCZ/strings.xml @@ -1,14 +1,16 @@ + About %s Team, social links + Barva akcentů Barva motivu akcentu je výchozí k růžové barvě. + Informace Přidat k oblíbeným Přidat do fronty Přidat do seznamu skladeb… Vyčistit frontu - Vymazat playlist Cycle repeat mode Smazat Vymazat ze zařízení @@ -46,19 +48,36 @@ Editor tagů Toggle favorite Toggle shuffle mode + Adaptive + Add - Add lyrics - Add \nphoto "Přidat do seznamu skladeb" - Add time frame lyrics + "Přidán 1 titul do fronty přehrávání." Přidány %1$d tituly do fronty přehrávání. + Album + + + Song + Songs + Songs + Songs + + Umělec alba - Titul nebo umělec je prázdný. + Albumy + + Album + Albums + Albums + Albums + + Vždy + Hey check out this cool music player at: https://play.google.com/store/apps/details?id=%s Shuffle Top Tracks @@ -67,19 +86,25 @@ Classic Small Text + Umělec + Umělci + Zaměření zvuku bylo zamítnuto. Change the sound settings and adjust the equalizer controls + Auto - Base color theme - Bass Boost - Bio + Bio + Velmi černá + Blacklist + Blur Blur Card + Unable to send report Invalid access token. Please contact the app developer. Issues are not enabled for the selected repository. Please contact the app developer. @@ -92,45 +117,56 @@ Please enter an issue title Please enter your valid GitHub username An unexpected error occurred. Sorry you found this bug, if it keeps crashing \"Clear app data\" or send an Email - Uploading report to GitHub… Send using GitHub account + Buy now + Zrušit aktuální časovač + Card - Circular Colored Card Card - Carousel + Carousel effect on the now playing screen + Cascading - Cast + Přehled změn Changelog maintained on the Telegram channel + Circle + Circular + Classic + Vyčistit - Clear app data Clear blacklist Clear queue - Vyčistit seznam skladeb - %1$s? Akci nelze vr\u00e1tit zp\u011bt!]]> - Close + Color - Color + Barvy + Composer + Copied device info to clipboard. + Nelze vytvo\u0159it playlist. "Nelze st\u00e1hnout odpov\u00eddaj\u00edc\u00ed obal alba." Could not restore purchase. Nelze skenovat %d soubory. + Vytvořit + Vytvořený seznam skladeb %1$s. + Members and contributors + Aktuálně posloucháš %1$s od %2$s. + Tmavá - No Lyrics + Smazat seznam skladeb %1$s?]]> Smazat seznamy skladeb @@ -139,42 +175,62 @@ Delete songs %1$d seznamů skladeb?]]> %1$d písní?]]> + %1$d skladby byly smazány. - Deleting songs + Depth + Description + Device info + Allow Retro Music to modify audio settings Set ringtone + Do you want to clear the blacklist? %1$s from the blacklist?]]> + Darovat Pokud si myslíte, že si zasloužím odměnu za svou práci, můžete mi nechat pár dolarů. + Buy me a: - Stáhnout z Last.fm + Drive mode - Edit - Edit cover + Prázdný + Equalizer - Error + FAQ + Oblíbené + Finish last song + Fit + Flat + Složky + Follow system + For you + Free + Full Full card + Change the theme and colors of the app Look and feel + Žánr + Genres + Fork the project on GitHub - Join the Google Plus community where you can ask for help or follow Retro Music updates + 1 2 3 @@ -184,16 +240,25 @@ 7 8 Grid style + Hinge + Historie + Domov + Horizontal flip + Image Gradient image Change artist image download settings + Do playlistu %2$s byly vloženy %1$d skladby. + Share your Retro Music setup to showcase on Instagram + Keyboard + Datový tok Formát Název souboru @@ -202,31 +267,45 @@ More from %s Vzorkovací frekvence Délka + Labeled + Poslední Last song - Let\'s play some music - Knihovna + Library categories + Licence + Velmi bílá + Listeners + Výpis souborů + Načítání produktů... + Login + Text + Made with ❤️ in India + Material + Error Permission error + Name Moje top skladby + Nikdy - New banner photo + Nový seznam skladeb - New profile photo %S je nový úvodní adresář. + Next Song + Žádné alba žádní umělci "Přehrajte nejprve píseň a zkuste to znovu." @@ -238,45 +317,59 @@ No purchase found. Žádné výsledky Žádné písně + Normal Normal lyrics - Normal + %s není uveden v úložišti médií.]]> + Nic pro skenování. Nothing to see + Upozornění Customize the notification style + Now playing Aktuální fronta Customize the now playing screen 9+ now playing themes + Pouze přes Wifi + Advanced testing features + Other + Password + Past 3 months - Paste lyrics here + Peak + Povolení přístupu k externímu úložišti bylo zamítnuto. + Oprávnění byla odepřena. + Personalize Customize your now playing and UI controls + Vyberte z místního úložiště - Pick image + Pinterest Follow Pinterest page for Retro Music design inspiration + Plain + The playing notification provides actions for play/pause etc. Playing notification - Prázdny seznam skladeb + Playlist is empty Název playlistu + Seznamy skladeb - Album detail style + Amount of blur applied for blur themes, lower is faster Blur amount - Adjust the bottom sheet dialog corners - Dialog corner Filter songs by length Filter song duration Advanced @@ -293,9 +386,7 @@ Pause on zero Keep in mind that enabling this feature may affect battery life Keep the screen on - Click to open with or slide to without transparent navigation of now playing screen - Click or Slide - Snow fall effect + Select language Používá současný obal alba písní jako tapetu zámku. Oznámení, navigace atd. The content of blacklisted folders is hidden from your library. @@ -305,21 +396,17 @@ Use the classic notification design Pozadí, barva ovládacích tlačítek se mění podle vzhledu alb z obrazovky přehrávače Vybarvit zkratky aplikací v barvě odstínu. Pokaždé, když změníte barvu, přepněte toto nastavení, aby se projevil efekt - Vybarvit navigační lištu v primární barvě. "Vybarv\u00ed ozn\u00e1men\u00ed v \u017eiv\u00e9 barv\u011b krytu alba." As per Material Design guide lines in dark mode colors should be desaturated - Most dominant color will be picked from the album or artist cover + Clicking on the notification will show now playing screen instead of the home screen Add extra controls for mini player Show extra Song information, such as file format, bitrate and frequency "Může způsobit problémy s přehráváním u některých zařízení." - Toggle genre tab Show or hide the home banner Může zvýšit kvalitu obalu alba, ale způsobí pomalejší načítání snímků. Tuto možnost povolte pouze v případě potíží s uměleckými díly s nízkým rozlišením. Configure visibility and order of library categories. Use Retro Music\'s custom lockscreen controls License details for open source software - Rohové okraje oken, alba atd. - Toggle titles for the bottom navigation bar tabs Immersive mode Start playing immediately after headphones are connected Shuffle mode will turn off when playing a new list of songs @@ -327,75 +414,76 @@ Zobrazit obal alba Album cover theme Album cover skip - Album grid Barevné zkratky aplikace - Artist grid Snížit hlasitost při ztrátě zaostření Automatické stahování obrázků interpretů Blacklist Bluetooth playback Blur album cover - Choose equalizer Classic notification design Adaptivní barva Barevné notifikace Desaturated color + Show now playing screen Extra controls Song info Přehrávání bez mezery Hlavní téma - Show genre tab Artist grid Banner Ignorovat obaly v zařízení Last added playlist interval Fullscreen controls - Barevná navigační lišta Vzhled Open source licences - Rohy Tab titles mode Carousel effect - Dominant color Fullscreen app - Tab titles Auto-play Shuffle mode Volume controls - User info - Hlavní barva - Primární barva motivu je výchozí pro indigo. + Pro Black theme, Now playing themes, Carousel effect and more.. + Profile + Purchase - *Think before buying, don\'t ask for refund. + Fronta + Ohodnoťte aplikaci Zanechte pozitivní hodnocení na Google Play pokud máte rádi Retro music. + Recent albums Recent artists + Odstranit - Remove banner photo Odstranit obal Remove from blacklist - Remove profile photo Smazat skladbu ze seznamu skladeb %1$s ze seznamu skladeb?]]> Smazat skladby ze seznamu skladeb %1$d skladby ze seznamu skladeb?]]> + Přejmenovat seznam skladeb + Report an issue Report bug + Reset Reset artist image + Restore + Restored previous purchase. Please restart the app to make use of all features. Předchozí nákupy byly obnoveny. + Restoring purchase… - Retro Music Equalizer + Retro Music Player Retro Music Pro + File delete failed: %s Can\'t get SAF URI @@ -408,37 +496,48 @@ Do not open any sub-folders Tap \'select\' button at the bottom of the screen File write failed: %s + Save Uložit jako soubor Save as files + Seznam skladeb uložený do %s. + Uložení změn + Scan media + Naskenované %1$d z %2$d souborů. + Scrobbles - Prohledat knihovnu... + Select all - Select banner photo + Selected - Send crash log + Set Set artist image - Set a profile photo + Share app Share to Stories + Náhodně + Simple + Časovač vypnutí byl zrušen. Časovač vypnutí byl nastaven na %d minut. - Slide - Small album + Social Share story + Skladba Song duration + Písně + Řazení Ascending Album @@ -448,103 +547,91 @@ Date modified Year Descending + Promiňte! Vaše zařízení nepodporuje vstup řeči Prohledat knihovnu + Stack + Start playing music. + Suggestions - Just show your name on home screen + Podpora vývoje + Swipe to unlock + Synced lyrics - System Equalizer + Telegram Join the Telegram group to discuss bugs, make suggestions, show off and more + Děkujeme! + Audio soubor + This month This week This year + Tiny + Tiny card + Title - Dashboard - Good afternoon - Good day - Good evening - Good morning - Good night - What\'s Your Name + Today + Top albums Top artists + "Skladba (2 pro stopu 2 ​​nebo 3004 pro čtvrtou stopu z CD3)" Track number + Překlad Help us translate the app to your language + + Try Retro Music Premium + Twitter Share your design with Retro Music + Unlabeled + Tuto p\u00edse\u0148 se nepoda\u0159ilo p\u0159ehr\u00e1t. + Up next + Aktualizovat obrázek + Aktualizace... + Username + Verze + Vertical flip - Virtualizer + Volume + Webové vyhledávání + Welcome, + Co chcete sdílet? + What\'s New + Window Rounded corners + Nastavit %1$s jako zvonění %1$d vybrané + Rok + You have to select at least one category. You will be forwarded to the issue tracker website. + Your account data is only used for authentication. - Amount - Note(Optional) - Start payment - Show now playing screen - Clicking on the notification will show now playing screen instead of the home screen - Tiny card - About %s - Select language - Translators - The people who helped translate this app - Try Retro Music Premium - - Song - Songs - Songs - Songs - - - Album - Albums - Albums - Albums - - - %d Song - %d Songs - %d Songs - %d Songs - - - %d Album - %d Albums - %d Albums - %d Albums - - - %d Artist - %d Artists - %d Artists - %d Artists - diff --git a/app/src/main/res/values-da-rDK/strings.xml b/app/src/main/res/values-da-rDK/strings.xml index c4438228..b599615c 100644 --- a/app/src/main/res/values-da-rDK/strings.xml +++ b/app/src/main/res/values-da-rDK/strings.xml @@ -1,14 +1,16 @@ + About %s Team, social links + Accent color The theme accent color, defaults to purple + About Add to favorites Add to playing queue Add to playlist Clear playing queue - Clear playlist Cycle repeat mode Delete Delete from device @@ -46,19 +48,32 @@ Tag editor Toggle favorite Toggle shuffle mode + Adaptive + Add - Add lyrics - Add \nphoto "Add to playlist" - Add time frame lyrics + "Added 1 title to the playing queue." Added %1$d titles to the playing queue. + Album + + + Song + Songs + + Album artist - The title or artist is empty. + Albums + + Album + Albums + + Always + Hey check out this cool music player at: https://play.google.com/store/apps/details?id=%s Shuffle Top Tracks @@ -67,19 +82,25 @@ Classic Small Text + Artist + Artists + Audio focus denied. Change the sound settings and adjust the equalizer controls + Auto - Base color theme - Bass Boost - Bio + Biography + Just Black + Blacklist + Blur Blur Card + Unable to send report Invalid access token. Please contact the app developer. Issues are not enabled for the selected repository. Please contact the app developer. @@ -92,45 +113,56 @@ Please enter an issue title Please enter your valid GitHub username An unexpected error occurred. Sorry you found this bug, if it keeps crashing \"Clear app data\" or send an Email - Uploading report to GitHub… Send using GitHub account + Buy now + Cancel + Card - Circular Colored Card Card - Carousel + Carousel effect on the now playing screen + Cascading - Cast + Changelog Changelog maintained on the Telegram channel + Circle + Circular + Classic + Clear - Clear app data Clear blacklist Clear queue - Clear playlist - %1$s? This can\u2019t be undone!]]> - Close + Color - Color + Colors + Composer + Copied device info to clipboard. + Couldn\u2019t create playlist. "Couldn\u2019t download a matching album cover." Could not restore purchase. Could not scan %d files. + Create + Created playlist %1$s. + Members and contributors + Currently listening to %1$s by %2$s. + Kinda Dark - No Lyrics + Delete playlist %1$s?]]> Delete playlists @@ -139,42 +171,62 @@ Delete songs %1$d playlists?]]> %1$d songs?]]> + Deleted %1$d songs. - Deleting songs + Depth + Description + Device info + Allow Retro Music to modify audio settings Set ringtone + Do you want to clear the blacklist? %1$s from the blacklist?]]> + Donate If you think I deserve to get paid for my work, you can leave some money here + Buy me a: - Download from Last.fm + Drive mode - Edit - Edit cover + Empty + Equalizer - Error + FAQ + Favorites + Finish last song + Fit + Flat + Folders + Follow system + For you + Free + Full Full card + Change the theme and colors of the app Look and feel + Genre + Genres + Fork the project on GitHub - Join the Google Plus community where you can ask for help or follow Retro Music updates + 1 2 3 @@ -184,16 +236,25 @@ 7 8 Grid style + Hinge + History + Home + Horizontal flip + Image Gradient image Change artist image download settings + Inserted %1$d songs into the playlist %2$s. + Share your Retro Music setup to showcase on Instagram + Keyboard + Bitrate Format File name @@ -202,31 +263,45 @@ More from %s Sampling rate Length + Labeled + Last added Last song - Let\'s play some music - Library + Library categories + Licenses + Clearly White + Listeners + Listing files + Loading products… + Login + Lyrics + Made with ❤️ in India + Material + Error Permission error + Name Most played + Never - New banner photo + New playlist - New profile photo %s is the new start directory. + Next Song + You have no albums You have no artists "Play a song first, then try again." @@ -238,45 +313,59 @@ No purchase found. No results You have no songs + Normal Normal lyrics - Normal + %s is not listed in the media store.]]> + Nothing to scan. Nothing to see + Notification Customize the notification style + Now playing Now playing queue Customize the now playing screen 9+ now playing themes + Only on Wi-Fi + Advanced testing features + Other + Password + Past 3 months - Paste lyrics here + Peak + Permission to access external storage denied. + Permissions denied. + Personalize Customize your now playing and UI controls + Pick from local storage - Pick image + Pinterest Follow Pinterest page for Retro Music design inspiration + Plain + The playing notification provides actions for play/pause etc. Playing notification - Empty playlist + Playlist is empty Playlist name + Playlists - Album detail style + Amount of blur applied for blur themes, lower is faster Blur amount - Adjust the bottom sheet dialog corners - Dialog corner Filter songs by length Filter song duration Advanced @@ -293,9 +382,7 @@ Pause on zero Keep in mind that enabling this feature may affect battery life Keep the screen on - Click to open with or slide to without transparent navigation of now playing screen - Click or Slide - Snow fall effect + Select language Use the currently playing song album cover as the lockscreen wallpaper Lower the volume when a system sound is played or a notification is received The content of blacklisted folders is hidden from your library. @@ -305,21 +392,17 @@ Use the classic notification design The background and control button colors change according to the album art from the now playing screen Colors the app shortcuts in the accent color. Every time you change the color please toggle this to take effect - Colors the navigation bar in the primary color "Colors the notification in the album cover\u2019s vibrant color" As per Material Design guide lines in dark mode colors should be desaturated - Most dominant color will be picked from the album or artist cover + Clicking on the notification will show now playing screen instead of the home screen Add extra controls for mini player Show extra Song information, such as file format, bitrate and frequency "Can cause playback issues on some devices." - Toggle genre tab Show or hide the home banner Can increase the album cover quality, but causes slower image loading times. Only enable this if you have problems with low resolution artworks Configure visibility and order of library categories. Use Retro Music\'s custom lockscreen controls License details for open source software - Round the app\'s edges - Toggle titles for the bottom navigation bar tabs Immersive mode Start playing immediately after headphones are connected Shuffle mode will turn off when playing a new list of songs @@ -327,75 +410,76 @@ Show album cover Album cover theme Album cover skip - Album grid Colored app shortcuts - Artist grid Reduce volume on focus loss Auto-download artist images Blacklist Bluetooth playback Blur album cover - Choose equalizer Classic notification design Adaptive color Colored notification Desaturated color + Show now playing screen Extra controls Song info Gapless playback App theme - Show genre tab Artist grid Banner Ignore Media Store covers Last added playlist interval Fullscreen controls - Colored navigation bar Now playing theme Open source licences - Corner edges Tab titles mode Carousel effect - Dominant color Fullscreen app - Tab titles Auto-play Shuffle mode Volume controls - User info - Primary color - The primary theme color, defaults to blue grey, for now works with dark colors + Pro Black theme, Now playing themes, Carousel effect and more.. + Profile + Purchase - *Think before buying, don\'t ask for refund. + Playing Queue + Rate the app Love this app? Let us know in the Google Play Store how we can make it even better + Recent albums Recent artists + Remove - Remove banner photo Remove cover Remove from blacklist - Remove profile photo Remove song from playlist %1$s from the playlist?]]> Remove songs from playlist %1$d songs from the playlist?]]> + Rename playlist + Report an issue Report bug + Reset Reset artist image + Restore + Restored previous purchase. Please restart the app to make use of all features. Restored previous purchases. + Restoring purchase… - Retro Music Equalizer + Retro Music Player Retro Music Pro + File delete failed: %s Can\'t get SAF URI @@ -408,37 +492,48 @@ Do not open any sub-folders Tap \'select\' button at the bottom of the screen File write failed: %s + Save Save as file Save as files + Saved playlist to %s. + Saving changes + Scan media + Scanned %1$d of %2$d files. + Scrobbles - Search your library… + Select all - Select banner photo + Selected - Send crash log + Set Set artist image - Set a profile photo + Share app Share to Stories + Shuffle + Simple + Sleep timer canceled. Sleep timer set for %d minutes from now. - Slide - Small album + Social Share story + Song Song duration + Songs + Sort order Ascending Album @@ -448,93 +543,91 @@ Date modified Year Descending + Sorry! Your device doesn\'t support speech input Search your library + Stack + Start playing music. + Suggestions - Just show your name on home screen + Support development + Swipe to unlock + Synced lyrics - System Equalizer + Telegram Join the Telegram group to discuss bugs, make suggestions, show off and more + Thank you! + The audio file + This month This week This year + Tiny + Tiny card + Title - Dashboard - Good afternoon - Good day - Good evening - Good morning - Good night - What\'s Your Name + Today + Top albums Top artists + "Track (2 for track 2 or 3004 for CD3 track 4)" Track number + Translate Help us translate the app to your language + + Try Retro Music Premium + Twitter Share your design with Retro Music + Unlabeled + Couldn\u2019t play this song. + Up next + Update image + Updating… + Username + Version + Vertical flip - Virtualizer + Volume + Web search + Welcome, + What do you want to share? + What\'s New + Window Rounded corners + Set %1$s as your ringtone. %1$d selected + Year + You have to select at least one category. You will be forwarded to the issue tracker website. + Your account data is only used for authentication. - Amount - Note(Optional) - Start payment - Show now playing screen - Clicking on the notification will show now playing screen instead of the home screen - Tiny card - About %s - Select language - Translators - The people who helped translate this app - Try Retro Music Premium - - Song - Songs - - - Album - Albums - - - %d Song - %d Songs - - - %d Album - %d Albums - - - %d Artist - %d Artists - diff --git a/app/src/main/res/values-de-rDE/strings.xml b/app/src/main/res/values-de-rDE/strings.xml index 1e71cd2e..bfce5fd2 100644 --- a/app/src/main/res/values-de-rDE/strings.xml +++ b/app/src/main/res/values-de-rDE/strings.xml @@ -1,14 +1,16 @@ + About %s Team, soziale Netzwerke + Akzentfarbe Akzentfarbe des Farbthemas, Standard ist Grün + Über Zu Favoriten hinzufügen Zur Wiedergabeliste hinzufügen Zur Playlist hinzufügen... Wiedergabeliste leeren - Playlist leeren Wiederholungsmodus wechseln Löschen Vom Gerät löschen @@ -46,19 +48,32 @@ Tag-Editor Favorit umschalten Toggle shuffle mode + Adaptiv + Hinzufügen - Songtext hinzufügen - Bild \nhinzufügen "Zur Playlist hinzufügen" - Synchronisierten Songtext hinzufügen + "1 Titel wurde zur Wiedergabeliste hinzugefügt." %1$d Titel wurden zur Wiedergabeliste hinzugefügt. + Album + + + Song + Songs + + Album Künstler - Titel oder Künstler ist leer. + Alben + + Album + Albums + + Immer + Hey, schau dir diesen coolen Music Player an: https://play.google.com/store/apps/details?id=%s Zufällig Top Songs @@ -67,19 +82,25 @@ Classic Klein Text + Künstler + Künstler + Audio Fokus verweigert. Sound- und Equalizer-Optionen einstellen + Automatisch - Grundfarbe - Bassboost - Beschreibung + Biografie + Sehr schwarz + Schwarze Liste + Unschärfe Karte (Unschärfe) + Fehler beim Melden Ungültiger Token. Bitte kontaktiere den Entwickler. Für diese Repository sind Fehlermeldungen nicht aktiviert. Bitte den Entwickler kontaktieren. @@ -92,45 +113,56 @@ Bitte gebe einen Titel ein Bitte nutze einen gültigen GitHub-Nutzernamen Sorry! Ein unerwarteter Fehler ist aufgetreten. Die App-Daten zurückzusetzen, könnte helfen. - Meldung zu GitHub hochladen... Via GitHub senden + Jetzt kaufen + Timer stoppen + Karte - Rund Karte (Farbe) Karte - Karussell + Karussell-Effekt auf dem Abspielbildschirm + Kaskadierend - Übertragen + Änderungen Changelog über Telegram-App verwaltet. + Kreis + Rund + Klassik + Leer - App-Daten zurücksetzen Blacklist leeren Leeren - Playlist leeren - %1$s leeren? Dies kann nicht r\u00fcckg\u00e4ngig gemacht werden!]]> - Schließen + Farbe - Farbe + Farben + Komponist + Geräteinformationen wurden kopiert + Playlist konnte nicht erstellt werden. "Passendes Album Cover konnte nicht gedownloadet werden." Kauf konnte nicht wiederhergestellt werden. %d Dateien konnte(n) nicht gescannt werden. + Erstellen + Playlist %1$s erstellt. + Helfende Hände + Spielt zur Zeit %1$s von %2$s. + Dunkel - keine Lyrics + Playlist löschen %1$s löschen?]]> Playlisten löschen @@ -139,42 +171,62 @@ Songs löschen %1$d Playlisten löschen?]]> %1$d Songs löschen?]]> + %1$d Songs gelöscht. - Lösche Songs + Tiefe + Beschreibung + Geräteinfo + Retro Music erlauben, Audioeinstellungen zu verändern Klingelton festlegen + Möchtest du die Blacklist leeren? %1$s von der Blacklist entfernen?]]> + Spenden Falls du denkst ich habe mir etwas für meine Arbeit verdient, kannst du hier gerne ein bisschen Geld hinterlassen. + Kauf\' mir: - Von Last.fm downloaden + Fahrmodus - Bearbeiten - Cover bearbeiten + Leer + Equalizer - Fehler + FAQ + Favoriten + Letzten Song ganz spielen + Anpassen + Flach + Ordner + System folgen + Für dich + Kostenlos + Voll Karte (Voll) + Allgemeine Farben der App ändern Aussehen + Genre + Genres + Projekt von GitHub forken - Tritt\' der Google Plus-Community bei, um nach Hilfe zu fragen oder Updates zu Retro Music zu erhalten + 1 2 3 @@ -184,16 +236,25 @@ 7 8 Vorschaubilder + Scharnier + Verlauf + Zuhause + Horizontale Drehung + Bild Bild mit Farbverlauf Download-Verhalten für Interpretenbilder ändern + %1$d Song(s) in Playlist %2$s eingefügt. + Teile dein Retro Music-Design auf Instagram + Tastatur + Bitrate Formattieren Dateiname @@ -202,31 +263,45 @@ Mehr von %s Sampling Rate Länge + Beschriftet + Zuletzt hinzugefügt Letzter Song - Lass uns etwas abspielen - Bibliothek + Bibliothekkategorien + Lizenzen + Sehr weiß + Zuhörer + Gelistete Dateien + Produkte werden geladen... + Login + Songtext + Hergestellt mit ❤ in Indien + Material + Fehler Berechtigungsfehler + Mein Name Meine Top Lieder + Nie - Neues Banner-Foto + Neue Playlist - Neues Profilbild %s ist das neue Startverzeichnis. + Nächster Song + Keine Alben Keine Künstler "Song abspielen und anschließend erneut versuchen." @@ -238,45 +313,59 @@ Kein Kauf gefunden. Keine Ergebnisse Keine Songs + Normal Normaler Songtext - Normal + %s ist nicht im Medienspeicher aufgeführt.]]> + Nichts zu scannen. Nichts zu sehen + Benachrichtigung Benachrichtigungen bearbeiten + Derzeit gespielt Aktuelle Wiedergabeliste Passe den Abspielbildschirm an Mehr als 10 Abspiel-Themes + Nur über Wi-Fi + Erweiterte Testfunktionen + Anderes + Passwort + Letzte 3 Monate - Songtext hier einfügen + Spitze + Berechtigung für den Zugriff auf externen Speicher verweigert. + Berechtigung verweigert. + Personalisieren Abspiel-Bildschirm und Interface bearbeiten + Vom lokalen Speicher wählen - Bild auswählen + Pinterest Folge der Pinterest-Seite für Retro Music Design Inspirationen + Einfach + Die Abspielbenachrichtigung bietet Play/Pause-Steuerung Abspielbenachrichtigung - Leere Playlist + Playlist ist leer Playlistname + Wiedergabelisten - Style der Albumdetails + Geringere Unschärfe benötigt weniger Rechenleistung. Unschärfe - Adjust the bottom sheet dialog corners - Dialog corner Lieder nach Länge filtern Nach Spieldauer filtern Erweitert @@ -293,9 +382,7 @@ Bei Stummstellung pausieren Beachte, dass diese Funktion sich auf die Akkulaufzeit auswirkt. Bildschirm anlassen - Tippen oder wischen, um den Abspielbildschirm zu öffnen. Ist Wischen aktiv, kann die Navigationsleiste nicht transparent sein. - Wischgesten - Schneefall-Effekt + Select language Aktuelles Album-Cover als Sperrbildschrim verwenden. Benachrichtigungen, Benachrichtigung etc. Die Musik in Ordnern von der schwarzen Liste wird nicht angezeigt. @@ -305,21 +392,17 @@ Nutze das klassische Benachrichtigungs-Design Hintergrund und Bedienelemente färben sich je nach Album-Cover Färbt die App-Verknüpfungen in der Akzentfarbe. Bitte bei Änderung der Akzentfarbe erneut einschalten. - Färbt die Navigationsleiste in der Primärfarbe. "F\u00e4rbt die Benachrichtigung passend zum Albumcover" Wie nach Material Design Leitfaden sollten Linien in dunklen Modusfarben desaturatiert werden - Dominierende Farbe wird vom Album- oder Interpretencover gewählt. + Wenn Sie auf die Benachrichtigung klicken, wird das \"Now Playing\" Bildschirms statt des Startbildschirms angezeigt Zusätzliche Schaltflächen für den Mini-Player Zeige zusätzliche Songinformationen wie Dateiformat, Bitrate und Häufigkeit "Kann bei manchen Geräten Probleme beim Playback verursachen." - Genre-Tab Home-Banner Erhöt die Qualität des Album Covers aber verlangsamt die Ladezeit. Nur aktivieren, falls Probleme mit niedriger Auflösung entstehen. Stelle Sichtbarkeit und Reihenfolge der Bibliothekkategorien ein. Vollständige Musiksteuerung auf dem Sperrbildschirm einschalten. Details zu den Lizensen der Open Source Software - Abgerundete Ecken für den Bildschirm, Album Cover, etc. - Kategorienbezeichnungen in Navigationsleiste ein/ausschalten. Schalte den immersiven Modus ein. Mit Wiedergabe starten, sobald Kopfhörer verbunden sind. Shufflemodus wird ausgeschaltet, sobald neue Wiedergabe gestartet wird @@ -327,75 +410,76 @@ Album Cover anzeigen Aussehen des Albumcovers Stil des Album-Covers - Album-Rasteransicht Gefärbte App Shortcuts - Interpreten-Rasteransicht Lautstärke bei Fokusverlust reduzieren Künstler Bild automatisch downloaden Schwarze Liste Bluetooth-Wiedergabe Album Cover weichzeichnen - Equalizer wählen Klassisches Design für Benachrichtigungen. selbstanpassende Farbe Gefärbte Benachrichtigung Desaturatierte Farbe + \"Now Playing\" Bildschirm anzeigen Zusätzliche Schaltflächen Song-Info Lückenlose Wiedergabe Hauptthema - Genre-Tab anzeigen Künstlerbilder auf der Startseite Home-Banner Media Store Cover ignorieren Zuletzt hinzugefügtes Playlist Intervall Vollbildschirmsteuerung - Gefärbte Navigationsleiste Erscheinungsbild Open Source Lizenzen - abgerundet Ecken Beschriftung der Navigationselemente Karussell-Effekt - Dominante Farbe Vollbild App - Navigationsleistentitel Automatische Wiedergabe Shuffle-Modus Lautstärkeregler - Benutzerinformationen - Hauptfarbe - Primäre Farbe des Farbthemas, Standard ist indigo + Pro Themes für \"Now Playing\", Karussell-Effekte und mehr + Profil + Kaufen - *Denke vor dem Kauf nach, frage nicht nach einer Rückerstattung. + Warteschlange + App bewerten Hinterlasse eine positive Bewertung auf Google Play, wenn die Retro Music gefällt. + Kürzlich gespielte Alben Kürzlich gehörte Interpreten + Entfernen - Banner-Foto entfernen Cover entfernen Von der Blacklist löschen - Profilbild entfernen Songs von Playlist entfernen %1$s von der Playlist entfernen?]]> Songs von Playlist entfernen %1$d Songs von der Playlist entfernen?]]> + Playlist umbenennen + Fehler melden Einen Fehler melden + Zurücksetzen Interpretenbild zurücksetzen + Wiederherstellen + Vorherigen Kauf wiederherstellen. Starte die App bitte neu, um den Vorgang abzuschließen. Käufe wiederhergestellt + Kauf wird wiederhergestellt... - Retro Music-Equalizer + Retro Music Player Retro Music Pro + Löschen der Datei fehlgeschlagen: %s SAF-URI kann nicht geladen werden @@ -408,37 +492,48 @@ Keine Unterordner öffnen Tippe auf die \'auswählen\' Taste am unteren Bildschirmrand Datei schreiben fehlgeschlagen: %s + Speichern Als Datei speichern Als Dateien speichern + Playlist gespeichert zu %s. + Änderungen speichern + Medien scannen + %1$d von %2$d Dateien gescannt. + Scrobbles - Bibliothek durchsuchen... + Alle auswählen - Banner-Foto auswählen + Ausgewähltes beschriftet - Crashlogs senden + Setzen Wähle ein Interpretenbild - Profilfoto festlegen + App teilen In Stories teilen + Zufall + Einfach + Sleep-Timer abgebrochen Sleep-Timer wurde auf %d minuten eingestellt. - Folie - Kleines Album + Sozial Story teilen + Lied Songdauer + Titel + Sortierreihenfolge Aufsteigend Album @@ -448,93 +543,91 @@ Änderungsdatum Jahr Absteigend + Tut uns leid! Dein Gerät unterstützt keine Spracheingabe Bibliothek durchsuchen + Gestapelt + Beginne Musik zu spielen. + Für dich - Zeige nur deinen Namen auf dem Startbildschirm + Entwickler unterstützen + Wischen zum Entsperren + Synchronisierter Songtext - System-Equalizer + Telegram Betritt die Telegram-Gruppe um über Fehler zu diskutieren, um Vorschläge zu geben usw. + Vielen Dank! + Die Audiodatei + Diesen Monat Diese Woche Dieses Jahr + Winzig + Kleinkartenschrank + Titel - Bedienfläche - Guten Nachmittag! - Guten Tag! - Einen schönen Abend! - Guten Morgen! - Gute Nacht - Wie heißt du? + Heute + Top Alben Top Interpreten + "Songnummer (2 für Song 2 oder 3004 für CD3 Song 4)" Songnummer + Übersetzen Hilf\' uns, die App in deine Sprache zu übersetzen! + + Try Retro Music Premium + Twitter-Seite Teile dein Design mit RetroMusic + Unbeschriftet + Song konnte nicht abgespielt werden. + Als Nächstes + Bild aktualisieren + Aktualisieren... + Benutzername + Version + Vertikale Drehung - Surroundsound + Lautstärke + Internetsuche + Willkommen, + Was möchtest du teilen? + Neuigkeiten + Fenster Runde Ecken + %1$s als Klingelton verwenden. %1$d ausgewählt + Jahr + Du musst mindestens eine Kategorie auswählen Du wirst auf die Issue Tracker-Seite weitergeleitet. + Deine Accountdaten werden ausschließlich zur Authentifizierung genutzt - Anzahl - Notiz(Optional) - Zahlung starten - \"Now Playing\" Bildschirm anzeigen - Wenn Sie auf die Benachrichtigung klicken, wird das \"Now Playing\" Bildschirms statt des Startbildschirms angezeigt - Kleinkartenschrank - About %s - Select language - Translators - The people who helped translate this app - Try Retro Music Premium - - Song - Songs - - - Album - Albums - - - %d Song - %d Songs - - - %d Album - %d Albums - - - %d Artist - %d Artists - diff --git a/app/src/main/res/values-el-rGR/strings.xml b/app/src/main/res/values-el-rGR/strings.xml index 8a4f6068..c2671b30 100644 --- a/app/src/main/res/values-el-rGR/strings.xml +++ b/app/src/main/res/values-el-rGR/strings.xml @@ -1,37 +1,39 @@ - Team, social links + Σχετικά με %s + Ομάδα, κοινωνικοί σύνδεσμοι + Χρώμα Τονισμού Το χρώμα τονισμού του θέματος, η προεπιλογή είναι το πράσινο. + Σχετικά με... Προσθήκη στα αγαπημένα - Προσθήκη στην ουρά αναπ/γής - Προσθήκη σε playlist... + Προσθήκη στην ουρά αναπαραγωγής + Προσθήκη στη λίστα αναπαραγωγής... Εκκαθάριση ουράς αναπαραγωγής - Εκκαθάριση playlist - Cycle repeat mode + Λειτουργία κυκλικής επανάληψης Διαγραφή Διαγραφή από την συσκευή Λεπτομέρειες - Πήγαινε στο άλμπουμ - Πήγαινε στον καλλιτέχνη - Go to genre - Αναπήδηση σε κατάλογο εκκίνησης + Μετάβαση στο άλμπουμ + Μετάβαση στον καλλιτέχνη + Μετάβαση στο είδος + Μετάβαση σε κατάλογο εκκίνησης Παραχώρηση Μέγεθος Πλέγματος Μέγεθος Πλέγματος (landscape mode) - New playlist + Νέα λίστα αναπαραγωγής Επόμενο Αναπαραγωγή - Play all + Αναπαραγωγή όλων Αναπαραγωγή επόμενου - Παίξε/Παύση + Αναπαραγωγή/Παύση Προηγούμενο Αφαίρεση από τα αγαπημένα - Αφαίρεση από την ουρά αναπ/γής + Αφαίρεση από την ουρά αναπαραγωγής Αφαίρεση από playlist Μετονομασία - Αποθήκευση τρέχων ουράς αναπ/γής + Αποθήκευση τρέχων ουράς αναπαραγωγής Σάρωση Αναζήτηση Ορισμός @@ -39,26 +41,39 @@ Ορισμός ως κατάλογο εκκίνησης "Ρυθμίσεις" Μοιράσου - Τυχαία αναπ/γη όλων - Τυχαία αναπ/γη playlist + Τυχαία αναπαραγωγή όλων + Τυχαία λίστα αναπαραγωγής Χρονοδιακόπτης Ύπνου - Sort order + Σειρά ταξινόμησης Επεξεργασία Ετικετών - Toggle favorite - Toggle shuffle mode - Adaptive + Εναλλαγή αγαπημένου + Εναλλαγή λειτουργίας τυχαίας σειράς + + Προσαρμοστικό + Προσθήκη - Add lyrics - Προσθήκη εικόνας - "Προσθήκη στη playlist" - Add time frame lyrics - "Προστέθηκε 1 κομμάτι στην ουρά αναπ/γης." - Προστέθηκαν %1$d κομμάτια στην ουρά αναπ/γης. + "Προσθήκη στη λίστα αναπαραγωγής" + + "Προστέθηκε 1 κομμάτι στην ουρά αναπαραγωγής." + Προστέθηκαν %1$d κομμάτια στην ουρά αναπαραγωγής. + Άλμπουμ + + + Κομμάτι + Κομμάτια + + Καλλιτέχνης Άλμπουμ - Ο τίτλος ή το όνομα του καλλιτέχνη είναι κενό + Άλμπουμ + + Άλμπουμ + Άλμπουμς + + Πάντα + Τσεκάρετε αυτό το κούλ music player στο:https://play.google.com/store/apps/details?id=%s Τυχαία αναπαραγωγή Κορυφαία Κομμάτια @@ -66,115 +81,152 @@ Κάρτα Κλασσικό Μικρό - Text + >Κείμενο + Καλλιτέχνης + Καλλιτέχνες + Η εστίαση ήχου απορρίφθηκε. - Change the sound settings and adjust the equalizer controls - Auto - Base color theme - Bass Boost - Bio + Αλλάξτε τις ρυθμίσεις ήχου και προσαρμόστε τα χειριστήρια του ισοσταθμιστή + + Αυτόματο + Βιογραφία + Απλά Μαύρο + Blacklist - Blur - Blur Card - Unable to send report - Invalid access token. Please contact the app developer. - Issues are not enabled for the selected repository. Please contact the app developer. - An unexpected error occurred. Please contact the app developer. - Wrong username or password - Issue - Send manually - Please enter an issue description - Please enter your valid GitHub password - Please enter an issue title - Please enter your valid GitHub username - An unexpected error occurred. Sorry you found this bug, if it keeps crashing \"Clear app data\" or send an Email - Uploading report to GitHub… - Send using GitHub account - Buy now + + Θολούρα + Κάρτα θαμπώματος + + Δεν είναι δυνατή η αποστολή αναφοράς + Μη έγκυρο διακριτικό πρόσβασης. Επικοινωνήστε με τον προγραμματιστή της εφαρμογής. + Τα ζητήματα δεν είναι ενεργοποιημένα για το επιλεγμένο αποθετήριο. Επικοινωνήστε με τον προγραμματιστή της εφαρμογής. + Προέκυψε ένα μη αναμενόμενο σφάλμα. Επικοινωνήστε με τον προγραμματιστή της εφαρμογής. + Λάθος όνομα χρήστη ή κωδικός + Ζήτημα + Αποστολή χειροκίνητα + Παρακαλώ εισαγάγετε μια περιγραφή ζητήματος + Παρακαλώ εισαγάγετε τον έγκυρο κωδικό πρόσβασης GitHub + Παρακαλώ εισαγάγετε έναν τίτλο ζητήματος + Παρακαλώ εισαγάγετε το έγκυρο όνομα χρήστη GitHub + Προέκυψε ένα μη αναμενόμενο σφάλμα. Λυπούμαστε που βρήκατε αυτό το σφάλμα, εάν εξακολουθεί να παρουσιάζεται \""Διαγραφή δεδομένων εφαρμογής\" ή στείλτε ένα Email + Αποστολή χρησιμοποιώντας λογαριασμό GitHub + + Αγορά τώρα + Ακύρωση τρέχων χρονοδιακόπτη - Card - Circular - Colored Card - Card - Carousel - Carousel effect on the now playing screen - Cascading - Cast + + Κάρτα + Έγχρωμη κάρτα + Κάρτα + + Εφέ καρουσέλ στην οθόνη του παίζει τώρα + + Με υπερχείλιση + Λίστα Αλλαγών - Η Λίστα Αλλαγών συντηρείται από το Telegram app - Circle - Circular - Classic + Η Λίστα Αλλαγών συντηρείται από τη εφαρμογή Telegram + + Κύκλος + + >Κυκλικό + + Κλασσικό + Εκκαθάριση - Clear app data Εκκαθάριση blacklist - Clear queue - Εκκαθάριση playlist - %1$s? \u0394\u03b5\u03bd \u03c5\u03c0\u03ac\u03c1\u03c7\u03b5\u03b9 \u03b1\u03bd\u03b1\u03af\u03c1\u03b5\u03c3\u03b7!]]> - Close - Color - Color + Εκκαθάριση ουράς + + Χρώμα + Χρώματα - Composer - Copied device info to clipboard. + + Συνθέτης + + Οι πληροφοριές συσκευής αντιγράφηκαν στο πρόχειρο. + \u0391\u03b4\u03c5\u03bd\u03b1\u03bc\u03af\u03b1 \u03b4\u03b7\u03bc\u03b9\u03bf\u03c5\u03c1\u03b3\u03af\u03b1\u03c2 playlist. "\u0391\u03b4\u03c5\u03bd\u03b1\u03bc\u03af\u03b1 \u03bb\u03ae\u03c8\u03b7\u03c2 \u03c4\u03b1\u03b9\u03c1\u03b9\u03b1\u03c3\u03c4\u03bf\u03cd \u03b5\u03be\u03c9\u03c6\u03cd\u03bb\u03bb\u03bf\u03c5 \u03ac\u03bb\u03bc\u03c0\u03bf\u03c5\u03bc." Could not restore purchase. - Αδυναμία στο σκανάρισμα %d αρχείων. + Αδυναμία στη σάρωση %d αρχείων. + Δημιουργία - Δημιουργήθηκε η playlist %1$s. - Members and contributors + + Δημιουργήθηκε η λίστα αναπαραγωγής %1$s. + + Μέλη και συνεισφέροντες + Παίζει το %1$s από τους %2$s. + Κάπως Σκούρο - Δεν βρέθηκαν στίχοι. + Διαγραφή playlist - %1$s?]]> - Διαγραφή αυτών των playlist + %1$s?]]> + Διαγραφή αυτών των λιστών αναπαραγωγής Delete song %1$s?]]> - Delete songs - %1$d playlist?]]> + Διαγραφή κομματιών + %1$d λίστα αναπαραγωγής?]]> %1$d κομματιών?]]> + Διαγράφηκαν %1$d κομμάτια. - Deleting songs - Depth - Description - Device info - Allow Retro Music to modify audio settings - Set ringtone + + Βάθος + + Περιγραφή + + Πληροφορίες συσκευής + + Επιτρέψτε στο Retro Music να τροποποιεί τις ρυθμίσεις ήχου + Ορισμός ήχου κλήσης + Εκκαθάριση της blacklist? %1$s από τη blacklist?]]> + Δώρισε Αν σου άρεσε η εφαρμογή μπορείς να δωρίσεις εδώ. + Αγορασέ μου ένα - Λήψη από Last.fm - Drive mode - Edit - Edit cover + + Λειτουργία οδήγησης + Κενό + Ισοσταθμιστής - Error + FAQ + Αγαπημένα - Finish last song + + Τελειώσε το τελευταίο κομμάτι + Fit + Επίπεδο + Φάκελοι - Follow system - For you - Free + + Βάση του συστήματος + + Για σένα + + Δωρεάν + Πλήρες - Full card - Change the theme and colors of the app - Look and feel + Πλήρης κάρτα + + Αλλάξτε το θέμα και τα χρώματα της εφαρμογής + Eμφάνιση και Αίσθηση + Είδος - Genres - Fork the project on GitHub - Join the Google Plus community where you can ask for help or follow Retro Music updates + + Είδη + + Fork το έργο στο GitHub + 1 2 3 @@ -183,143 +235,174 @@ 6 7 8 - Grid style + Στυλ πλέγματος + Hinge + Ιστορικό + Αρχική - Horizontal flip - Image - Gradient image - Change artist image download settings - Προστέθηκαν %1$d κομμάτια στη playlist %2$s. - Share your Retro Music setup to showcase on Instagram - Keyboard + + Οριζόντια αναστροφή + + Εικόνα + Διαβαθμισμένη Εικόνα + Αλλαγή των ρυθμίσεων λήψης εικόνων καλλιτέχνη + + Προστέθηκαν %1$d κομμάτια στη λίστα αναπαραγωγής %2$s. + + Μοιραστείτε το setup του Retro Music σας για προβολή στο Instagram + + Πληκτρολόγιο + Bitrate Μορφή Όνομα Αρχείου Διαδρομή Αρχείου Μέγεθος - More from %s - Συχνότητα δείγματος + Περισσότερα από %s + Ρυθμός δειγματοληψίας Μήκος - Labeled + + Με ετικέτα + Προστέθηκαν τελευταία - Last song - Ας παίξουμε κάτι - Περιηγήσου - Library categories + Τελευταίο κομμάτι + + Κατηγορίες βιβλιοθήκης + Άδειες + Ξεκάθαρα Λευκό - Listeners + + Ακροατές + Καταγραφή αρχείων + Φόρτωση προϊόντων... - Login + + Σύνδεση + Στίχοι - Made with ❤️ in India + + Φτιαγμένο με ❤️ στην Ινδία + Material - Error - Permission error + + Σφάλμα + Σφάλμα άδειας + Το Όνομά μου Τα Κορυφαία Κομμάτια μου + Ποτέ - New banner photo - Νέα playlist - New profile photo + + Νέα λίστα αναπαραγωγής %s είναι ο νέος κατάλογος εκκίνησης. - Next Song + + Επόμενο Κομμάτι + Κανένα άλμπουμ Κανένας καλλιτέχνης "Παίξτε ενα κομμάτι πρώτα, και ξαναπροσπαθήστε." Δεν βρέθηκε ισοσταθμιστής. Κανένα είδος Δεν βρέθηκαν στίχοι - No songs playing - Δεν βρέθηκαν playlists - No purchase found. + Δεν παίζει κανένα κομμάτι + Δεν βρέθηκαν λίστες αναπαραγωγής + Δεν βρέθηκε αγορά. Κανένα αποτέλεσμα Δεν βρέθηκαν κομμάτια + Κανονικό - Normal lyrics - Normal + Κανονικοί στίχοι + %s δεν υπάρχει στο media store.]]> + Δεν υπάρχει στοιχείο προς σάρωση. - Nothing to see + Τίποτα για να δείτε + Ειδοποίηση - Customize the notification style - Now playing + Προσαρμόστε το στυλ ειδοποίησης + + Παίζει τώρα Ουρά \"Παίζει Τώρα\" - Customize the now playing screen - 9+ now playing themes + Προσαρμόστε την οθόνη παίζει τώρα + 9+ τώρα παίζει θέματα + Μόνο από Wi-Fi - Advanced testing features - Other - Password + + Προηγμένες δοκιμαστικές δυνατότητες + + Άλλα + + Κωδικός πρόσβασης + Τους περασμένους 3 μήνες - Paste lyrics here - Peak + + Κορυφή + Η άδεια για προσπέλαση του external storage δεν παραχωρήθηκε. + Οι άδειες δεν παραχωρήθηκαν. - Personalize - Customize your now playing and UI controls + + Προσωποποιήση + Προσαρμόστε τα στοιχεία ελέγχου του παίζετε τώρα και του περιβάλλοντως χρήστη + Επιλογή από Χώρο Αποθήκευσης - Pick image + Pinterest - Follow Pinterest page for Retro Music design inspiration + Ακολουθήστε τη σελίδα Pinterest για έμπνευση σχεδιασμού του Retro Music + Απλό - Η ειδοποίηση αναπαραγωγής προσφέρει κουμπιά για play/pause, κλπ. + + Η ειδοποίηση αναπαραγωγής προσφέρει κουμπιά για αναπαραγωγή/παύση, κλπ. Ειδοποίηση Αναπαραγωγής - Κενή playlist - H Playlist είναι κενή - Όνομα Playlist - Playlists - Album detail style - Amount of blur applied for blur themes, lower is faster - Blur amount - Adjust the bottom sheet dialog corners - Dialog corner - Filter songs by length - Filter song duration - Advanced - Album style + + H Λίστα αναπαραγωγής είναι κενή + Όνομα Λίστα αναπαραγωγής + + Λίστες αναπαραγωγής + + Η ποσότητα θαμπώματος που εφαρμόζεται για θέματα θαμπάδων, το χαμηλότερο είναι ταχύτερο + Ποσότητα θαμπώματος + Φιλτράρετε κομμάτια κατά μήκος + Φιλτράρετε τη διάρκεια του κομματιού + Προηγμένες + Στυλ άλμπουμ Ήχος Blacklist Controls - Theme + Θέμα Εικόνες - Library + Βιβλιοθήκη Οθόνη Κλειδώματος - Playlists - Pauses the song when the volume decreases to zero and starts playing back when the volume level rises. Also works outside the app - Pause on zero - Keep in mind that enabling this feature may affect battery life - Keep the screen on - Click to open with or slide to without transparent navigation of now playing screen - Click or Slide - Snow fall effect + Λίστες αναπαραγωγής + Παύει το τραγούδι όταν η ένταση μειώνεται στο μηδέν και αρχίζει να αναπαράγεται όταν αυξάνεται το επίπεδο έντασης. Λειτουργεί επίσης εκτός της εφαρμογής + Παύση στο μηδέν + Λάβετε υπόψη ότι η ενεργοποίηση αυτής της λειτουργίας ενδέχεται να επηρεάσει τη διάρκεια ζωής της μπαταρίας + Διατηρήστε την οθόνη ενεργή + πιλέξτε γλώσσα Χρησιμοποιεί το εξώφυλλο του τρέχων κομματιού ως φόντο οθόνης κλειδώματος. Ειδοποιήσεις, πλοήγηση, κλπ. The content of blacklisted folders is hidden from your library. - Start playing as soon as connected to bluetooth device + Ξεκινά να παίζει μόλις συνδεθείτε με συσκευή Bluetooth Θολώνει το εξώφυλλο άλμπουμ στην οθόνη κλειδώματος. Μπορεί να προκαλέσει προβλήματα με εφαρμογές και widgets. - Carousel effect for the album art in the now playing screen. Note that Card and Blur Card themes won\'t work - Χρήση του κλασσικού design ειδοποιήσεων. + Εφέ καρουζέλ για το εξώφυλλο του άλμπουμ στην οθόνη του παίζει τώρα. Σημειώστε ότι τα θέματα Κάρτας και Θαμπές Κάρτες δεν θα λειτουργήσουν + Χρήση του κλασσικού σχεδιασμού ειδοποιήσεων. Το φόντο και το κουμπί ελέγχου αλλάζουν σύμφωνα με το εξώφυλλο άλμπουμ Χρωματίζει τα app shortcuts με το επιλεγμένο χρώμα τονισμού. - Χρωματίζει το navigation bar με το κύριο χρώμα. "\u03a7\u03c1\u03c9\u03bc\u03b1\u03c4\u03af\u03b6\u03b5\u03b9 \u03c4\u03b7\u03bd \u03b5\u03b9\u03b4\u03bf\u03c0\u03bf\u03af\u03b7\u03c3\u03b7 \u03bc\u03b5 \u03c4\u03bf \u03b6\u03c9\u03bd\u03c4\u03b1\u03bd\u03cc \u03c7\u03c1\u03ce\u03bc\u03b1 \u03c4\u03bf\u03c5 \u03b5\u03be\u03c9\u03c6\u03cd\u03bb\u03bb\u03bf\u03c5 \u03ac\u03bb\u03bc\u03c0\u03bf\u03c5\u03bc." As per Material Design guide lines in dark mode colors should be desaturated - Most dominant color will be picked from the album or artist cover + Clicking on the notification will show now playing screen instead of the home screen Add extra controls for mini player Show extra Song information, such as file format, bitrate and frequency "Μπορεί να προκαλέσει προβλήματα με την αναπαραγωγή σε κάποιες συσκευές." - Toggle genre tab Show or hide the home banner Μπορεί να αυξήσει την ποιότητα των εξωφύλλων άλμπουμ, αλλά προκαλεί αργή φόρτωση εικόνων. Ενεργοποιήστε αυτή την επίλογη μόνο εαν αντιμετωπίζετε προβλήματα με εξώφυλλα χαμηλής ανάλυσης. Configure visibility and order of library categories. Ενεργοποίηση διακοπτών ρύθμισης στην οθόνη κλειδώματος. Λεπτομέρειες άδειας για τη χρήση open source λογισμικού - Στρογγυλεμένες άκρες για το παράθυρο, εξώφυλλα άλμπουμ, κλπ. - Ενεργοποίηση/ Απενεργοποίηση τίτλων από την κάτω μπάρα Ενεργοποίηση της επιλογής για χρήση πλήρους οθόνης Όταν συνδεθούν ηχεία/ακουστικά , αρχίζει η αναπαραγωγή Shuffle mode will turn off when playing a new list of songs @@ -327,214 +410,224 @@ Εμφάνιση εξωφύλλου άλμπουμ. Album cover theme Album cover skip - Album grid Χρωματιστά app shortcuts - Artist grid Μείωση έντασης όταν υπάρχουν εισερχόμενες ειδοποιήσεις Αυτόματη λήψη εικόνων καλλιτεχνών Blacklist Bluetooth playback Θόλωμα εξωφύλλων άλμπουμ - Choose equalizer Κλασσικό design ειδοποίησης Προσαρμοστικό Χρώμα Χρωματιστή ειδοποίηση Desaturated color + Show now playing screen Extra controls Song info Αναπαραγωγή χωρίς κενά Γενικό θέμα - Show genre tab Artist grid Banner Παράληψη Media Store για εξώφυλλα - Χρονικό διάστημα playlist \"Προστέθηκε τελευταία\" + Χρονικό διάστημα λίστα αναπαραγωγής \"Προστέθηκε τελευταία\" Full screen Ρυθμίσεις - Χρωματιστό navigation bar Εμφάνιση Άδειες λογισμικού open source - Στρογγυλεμένες Άκρες Tab titles mode Carousel effect - Dominant color Full screen εφαρμογή - Τίτλοι καρτελών Αυτόματη αναπαραγωγή - Shuffle mode + Τυχαία λειτουργία Πίνακας Ελέγχου Έντασης - Πληροφορίες Χρήστη - Κύριο χρώμα - Το βασικό χρώμα του θέματος, η προεπιλογή είναι το άσπρο. + Pro - Black theme, Now playing themes, Carousel effect and more.. - Profile - Purchase - *Think before buying, don\'t ask for refund. + Μαύρο θέμα, Θέματα στο Τώρα παίζει, εφέ Καρουσέλ και πολλά άλλα.. + + Προφίλ + + Αγορά + Ουρά + Βαθμολόγησε την εφαρμογή Σας αρέσει αυτό το app; Γράψτε μας τις εντυπώσεις σας στο Google Play για να σας παρέχουμε μια καλύτερη εμπειρία - Recent albums - Recent artists + + Πρόσφατα άλμπουμ + Πρόσφατοι καλλιτέχνες + Αφαίρεση - Remove banner photo Αφαίρεση Εξώφυλλου Αφαίρεση από τη blacklist - Remove profile photo - Αφαίρεσε το κομμάτι από την playlist - %1$s από τη playlist?]]> - Αφαίρεσε τα κομμάτια από την playlist - %1$d κομματιών από τη playlist?]]> - Μετονόμασε την playlist - Report an issue - Report bug - Reset + Αφαίρεσε το κομμάτι από τη λίστα αναπαραγωγής + %1$s από τη λίστα αναπαραγωγής?]]> + Αφαίρεσε τα κομμάτια από τη λίστα αναπαραγωγής + %1$d κομματιών από τη λίστα αναπαραγωγής?]]> + + Μετονόμασε τη λίστα αναπαραγωγής + + Αναφέρετε ένα πρόβλημα + Αναφορά προβλήματος + + Επαναφορά Επαναφορά εικόνας καλλιτέχνη - Restore - Restored previous purchase. Please restart the app to make use of all features. + + Επαναφορά + + Επαναφορά προηγούμενης αγοράς. Επανεκκινήστε την εφαρμογή για να χρησιμοποιήσετε όλες τις δυνατότητες. Επαναφορά προηγούμενων αγορών επιτυχής. - Restoring purchase… - Retro Ισοσταθμιστής + + Επαναφορά αγοράς… + Retro Music Player Retro Music Pro - File delete failed: %s + + Η διαγραφή αρχείου απέτυχε: %s Can\'t get SAF URI - Open navigation drawer + Ανοίξτε το συρτάρι πλοήγησης Enable \'Show SD card\' in overflow menu - %s needs SD card access - You need to select your SD card root directory - Select your SD card in navigation drawer - Do not open any sub-folders + %s χρειάζεται πρόσβαση στην κάρτα SD + Πρέπει να επιλέξετε τον ριζικό κατάλογο της κάρτας SD + Επιλέξτε την κάρτα SD στο συρτάρι πλοήγησης + Μην ανοίγετε υποφακέλους Tap \'select\' button at the bottom of the screen - File write failed: %s - Save + Η εγγραφή αρχείου απέτυχε: %s + + Αποθήκευση Αποθήκευσε ως αρχείο - Save as files - Η Playlist αποθηκεύτηκε στο %s. + Αποθήκευση ως αρχεία + + Η Λίστα αναπαραγωγής αποθηκεύτηκε στο %s. + Αποθηκευόνται οι αλλαγές... - Scan media + + Σάρωση μέσων + Σαρώθηκαν %1$d από %2$d αρχεία. + Scrobbles - Αναζήτηση της βιβλιοθήκης σας... - Select all - Select banner photo - Selected - Send crash log - Set + + Επιλογή όλων + + Επιλεγμένα + + Ορισμός Ορισμός εικόνας καλλιτέχνη - Set a profile photo + Share app Share to Stories + Τυχαία Αναπαραγωγή + Απλό + Χρονοδιακόπτης ύπνου ακυρώθηκε. Ο χρονοδιακόπτης ύπνου ορίστικε για %d λεπτά από τώρα. - Slide - Small album + Social Share story + Κομμάτι Διάρκεια κομματιού + Κομμάτια + Σειρά Διάταξης Ascending - Album - Artist - Composer - Date added - Date modified - Year + Άλμπουμ + Καλλιτέχνης + Συνθέτης + Ημερομηνία προσθήκης + Ημερομηνία τροποποιήσης + Έτος Descending + Ουπς! Η συσκευή σου δεν υποστηρίζει εισαγωγή φωνής Αναζητήστε στην Βιβλιοθήκη + Stack - Start playing music. - Suggestions - Δείξτε το όνομά σας στην οθόνη κλειδώματος + + Ξεκινήστε να παίζετε μουσική. + + Προτάσεις + Υποστήριξη ανάπτυξης της εφαρμογής - Swipe to unlock - Synced lyrics - System Equalizer + + Σύρετε για ξεκλείδωμα + + Συγχρονισμένοι στίχοι + Telegram - Join the Telegram group to discuss bugs, make suggestions, show off and more + Γίνετε μέλος της ομάδας Telegram για να συζητήσετε σφάλματα, να κάνετε προτάσεις, να επιδείξετε και άλλα + Σας ευχαριστούμε! + Το αρχείο ήχου + Αυτό το μήνα Αυτή την εβδομάδα Αυτό το χρόνο - Tiny - Title - Ταμπλό - Καλό Μεσημέρι - Καλημέρα - Καλό Απόγευμα - Καλημέρα - Καληνύχτα - Ποιό είναι το όνομά σας; + + Μικροσκοπική + Μικρή κάρτα + + Τίτλος + Σήμερα - Top albums - Top artists + + Κορυφαία άλμπουμ + Κορυφαίοι καλλιτέχνες + "Κομμάτι (2 για κομμάτι 2, ή 3004 για CD3 κομμάτι 4)" Αριθμός Κομματιού + Μετάφραση - Help us translate the app to your language + Βοηθήστε μας να μεταφράσουμε την εφαρμογή στη γλώσσα σας + + Δοκιμάστε το Retro Music Premium + Twitter - Share your design with Retro Music - Unlabeled + Μοιραστείτε το σχέδιό σας με το Retro Music + + Χωρίς ετικέτα + \u0394\u03b5\u03bd \u03bc\u03c0\u03bf\u03c1\u03ad\u03c3\u03b1\u03bc\u03b5 \u03bd\u03b1 \u03c0\u03b1\u03af\u03be\u03bf\u03c5\u03bc\u03b5 \u03b1\u03c5\u03c4\u03cc \u03c4\u03bf \u03ba\u03bf\u03bc\u03bc\u03ac\u03c4\u03b9. + Αμέσως επόμενο + Ενημέρωση εικόνας + Ενημέρωση σε εξέλιξη... - Username + + Όνομα χρήστη + Έκδοση - Vertical flip - Virtualizer - Volume + + Κάθετη αναστροφή + + Ένταση + Αναζήτηση στον ιστό - Welcome, + + Καλώς ήρθατε, + Τι θα θέλατε να μοιραστείτε; + What\'s New - Window - Rounded corners + + Παράθυρο + Στρογγυλεμένες γωνίες + Ορισμός %1$s ως ήχου κλήσης. %1$d έχει επιλεγεί + Χρονιά - You have to select at least one category. - You will be forwarded to the issue tracker website. - Your account data is only used for authentication. - Amount - Note(Optional) - Start payment - Show now playing screen - Clicking on the notification will show now playing screen instead of the home screen - Tiny card - About %s - Select language - Translators - The people who helped translate this app - Try Retro Music Premium - - Song - Songs - - - Album - Albums - - - %d Song - %d Songs - - - %d Album - %d Albums - - - %d Artist - %d Artists - + + Πρέπει να επιλέξετε τουλάχιστον μία κατηγορία. + Θα προωθηθείτε στον ιστότοπο παρακολούθησης ζητημάτων. + + Τα δεδομένα του λογαριασμού σας χρησιμοποιούνται μόνο για έλεγχο ταυτότητας. diff --git a/app/src/main/res/values-en-rHK/strings.xml b/app/src/main/res/values-en-rHK/strings.xml index e028f27c..47e1bc06 100644 --- a/app/src/main/res/values-en-rHK/strings.xml +++ b/app/src/main/res/values-en-rHK/strings.xml @@ -1,14 +1,15 @@ Team, social links + Accent color The theme accent color, defaults to purple + About Add to favorites Add to playing queue Add to playlist Clear playing queue - Clear playlist Cycle repeat mode Delete Delete from device @@ -46,19 +47,22 @@ Tag editor Toggle favorite Toggle shuffle mode + Adaptive + Add - Add lyrics - Add \nphoto "Add to playlist" - Add time frame lyrics + "Added 1 title to the playing queue." Added %1$d titles to the playing queue. + Album Album artist - The title or artist is empty. + Albums + Always + Hey check out this cool music player at: https://play.google.com/store/apps/details?id=%s Shuffle Top Tracks @@ -67,19 +71,25 @@ Classic Small Text + Artist + Artists + Audio focus denied. Change the sound settings and adjust the equalizer controls + Auto - Base color theme - Bass Boost - Bio + Biography + Just Black + Blacklist + Blur Blur Card + Unable to send report Invalid access token. Please contact the app developer. Issues are not enabled for the selected repository. Please contact the app developer. @@ -92,45 +102,56 @@ Please enter an issue title Please enter your valid GitHub username An unexpected error occurred. Sorry you found this bug, if it keeps crashing \"Clear app data\" or send an Email - Uploading report to GitHub… Send using GitHub account + Buy now + Cancel + Card - Circular Colored Card Card - Carousel + Carousel effect on the now playing screen + Cascading - Cast + Changelog Changelog maintained on the Telegram channel + Circle + Circular + Classic + Clear - Clear app data Clear blacklist Clear queue - Clear playlist - %1$s? This can\u2019t be undone!]]> - Close + Color - Color + Colors + Composer + Copied device info to clipboard. + Couldn\u2019t create playlist. "Couldn\u2019t download a matching album cover." Could not restore purchase. Could not scan %d files. + Create + Created playlist %1$s. + Members and contributors + Currently listening to %1$s by %2$s. + Kinda Dark - No Lyrics + Delete playlist %1$s?]]> Delete playlists @@ -139,42 +160,62 @@ Delete songs %1$d playlists?]]> %1$d songs?]]> + Deleted %1$d songs. - Deleting songs + Depth + Description + Device info + Allow Retro Music to modify audio settings Set ringtone + Do you want to clear the blacklist? %1$s from the blacklist?]]> + Donate If you think I deserve to get paid for my work, you can leave some money here + Buy me a: - Download from Last.fm + Drive mode - Edit - Edit cover + Empty + Equalizer - Error + FAQ + Favorites + Finish last song + Fit + Flat + Folders + Follow system + For you + Free + Full Full card + Change the theme and colors of the app Look and feel + Genre + Genres + Fork the project on GitHub - Join the Google Plus community where you can ask for help or follow Retro Music updates + 1 2 3 @@ -184,16 +225,25 @@ 7 8 Grid style + Hinge + History + Home + Horizontal flip + Image Gradient image Change artist image download settings + Inserted %1$d songs into the playlist %2$s. + Share your Retro Music setup to showcase on Instagram + Keyboard + Bitrate Format File name @@ -202,31 +252,45 @@ More from %s Sampling rate Length + Labeled + Last added Last song - Let\'s play some music - Library + Library categories + Licenses + Clearly White + Listeners + Listing files + Loading products… + Login + Lyrics + Made with ❤️ in India + Material + Error Permission error + Name Most played + Never - New banner photo + New playlist - New profile photo %s is the new start directory. + Next Song + You have no albums You have no artists "Play a song first, then try again." @@ -238,45 +302,59 @@ No purchase found. No results You have no songs + Normal Normal lyrics - Normal + %s is not listed in the media store.]]> + Nothing to scan. Nothing to see + Notification Customize the notification style + Now playing Now playing queue Customize the now playing screen 9+ now playing themes + Only on Wi-Fi + Advanced testing features + Other + Password + Past 3 months - Paste lyrics here + Peak + Permission to access external storage denied. + Permissions denied. + Personalize Customize your now playing and UI controls + Pick from local storage - Pick image + Pinterest Follow Pinterest page for Retro Music design inspiration + Plain + The playing notification provides actions for play/pause etc. Playing notification - Empty playlist + Playlist is empty Playlist name + Playlists - Album detail style + Amount of blur applied for blur themes, lower is faster Blur amount - Adjust the bottom sheet dialog corners - Dialog corner Filter songs by length Filter song duration Advanced @@ -293,9 +371,6 @@ Pause on zero Keep in mind that enabling this feature may affect battery life Keep the screen on - Click to open with or slide to without transparent navigation of now playing screen - Click or Slide - Snow fall effect Use the currently playing song album cover as the lockscreen wallpaper Lower the volume when a system sound is played or a notification is received The content of blacklisted folders is hidden from your library. @@ -305,21 +380,17 @@ Use the classic notification design The background and control button colors change according to the album art from the now playing screen Colors the app shortcuts in the accent color. Every time you change the color please toggle this to take effect - Colors the navigation bar in the primary color "Colors the notification in the album cover\u2019s vibrant color" As per Material Design guide lines in dark mode colors should be desaturated - Most dominant color will be picked from the album or artist cover + Clicking on the notification will show now playing screen instead of the home screen Add extra controls for mini player Show extra Song information, such as file format, bitrate and frequency "Can cause playback issues on some devices." - Toggle genre tab Show or hide the home banner Can increase the album cover quality, but causes slower image loading times. Only enable this if you have problems with low resolution artworks Configure visibility and order of library categories. Use Retro Music\'s custom lockscreen controls License details for open source software - Round the app\'s edges - Toggle titles for the bottom navigation bar tabs Immersive mode Start playing immediately after headphones are connected Shuffle mode will turn off when playing a new list of songs @@ -327,75 +398,76 @@ Show album cover Album cover theme Album cover skip - Album grid Colored app shortcuts - Artist grid Reduce volume on focus loss Auto-download artist images Blacklist Bluetooth playback Blur album cover - Choose equalizer Classic notification design Adaptive color Colored notification Desaturated color + Show now playing screen Extra controls Song info Gapless playback App theme - Show genre tab Artist grid Banner Ignore Media Store covers Last added playlist interval Fullscreen controls - Colored navigation bar Now playing theme Open source licences - Corner edges Tab titles mode Carousel effect - Dominant color Fullscreen app - Tab titles Auto-play Shuffle mode Volume controls - User info - Primary color - The primary theme color, defaults to blue grey, for now works with dark colors + Pro Black theme, Now playing themes, Carousel effect and more.. + Profile + Purchase - *Think before buying, don\'t ask for refund. + Playing Queue + Rate the app Love this app? Let us know in the Google Play Store how we can make it even better + Recent albums Recent artists + Remove - Remove banner photo Remove cover Remove from blacklist - Remove profile photo Remove song from playlist %1$s from the playlist?]]> Remove songs from playlist %1$d songs from the playlist?]]> + Rename playlist + Report an issue Report bug + Reset Reset artist image + Restore + Restored previous purchase. Please restart the app to make use of all features. Restored previous purchases. + Restoring purchase… - Retro Music Equalizer + Retro Music Player Retro Music Pro + File delete failed: %s Can\'t get SAF URI @@ -408,37 +480,48 @@ Do not open any sub-folders Tap \'select\' button at the bottom of the screen File write failed: %s + Save Save as file Save as files + Saved playlist to %s. + Saving changes + Scan media + Scanned %1$d of %2$d files. + Scrobbles - Search your library… + Select all - Select banner photo + Selected - Send crash log + Set Set artist image - Set a profile photo + Share app Share to Stories + Shuffle + Simple + Sleep timer canceled. Sleep timer set for %d minutes from now. - Slide - Small album + Social Share story + Song Song duration + Songs + Sort order Ascending Album @@ -448,68 +531,89 @@ Date modified Year Descending + Sorry! Your device doesn\'t support speech input Search your library + Stack + Start playing music. + Suggestions - Just show your name on home screen + Support development + Swipe to unlock + Synced lyrics - System Equalizer + Telegram Join the Telegram group to discuss bugs, make suggestions, show off and more + Thank you! + The audio file + This month This week This year + Tiny + Tiny card + Title - Dashboard - Good afternoon - Good day - Good evening - Good morning - Good night - What\'s Your Name + Today + Top albums Top artists + "Track (2 for track 2 or 3004 for CD3 track 4)" Track number + Translate Help us translate the app to your language + Twitter Share your design with Retro Music + Unlabeled + Couldn\u2019t play this song. + Up next + Update image + Updating… + Username + Version + Vertical flip - Virtualizer + Volume + Web search + Welcome, + What do you want to share? + What\'s New + Window Rounded corners + Set %1$s as your ringtone. %1$d selected + Year + You have to select at least one category. You will be forwarded to the issue tracker website. + Your account data is only used for authentication. - Amount - Note(Optional) - Start payment - Show now playing screen - Clicking on the notification will show now playing screen instead of the home screen - Tiny card diff --git a/app/src/main/res/values-en-rID/strings.xml b/app/src/main/res/values-en-rID/strings.xml index e028f27c..47e1bc06 100644 --- a/app/src/main/res/values-en-rID/strings.xml +++ b/app/src/main/res/values-en-rID/strings.xml @@ -1,14 +1,15 @@ Team, social links + Accent color The theme accent color, defaults to purple + About Add to favorites Add to playing queue Add to playlist Clear playing queue - Clear playlist Cycle repeat mode Delete Delete from device @@ -46,19 +47,22 @@ Tag editor Toggle favorite Toggle shuffle mode + Adaptive + Add - Add lyrics - Add \nphoto "Add to playlist" - Add time frame lyrics + "Added 1 title to the playing queue." Added %1$d titles to the playing queue. + Album Album artist - The title or artist is empty. + Albums + Always + Hey check out this cool music player at: https://play.google.com/store/apps/details?id=%s Shuffle Top Tracks @@ -67,19 +71,25 @@ Classic Small Text + Artist + Artists + Audio focus denied. Change the sound settings and adjust the equalizer controls + Auto - Base color theme - Bass Boost - Bio + Biography + Just Black + Blacklist + Blur Blur Card + Unable to send report Invalid access token. Please contact the app developer. Issues are not enabled for the selected repository. Please contact the app developer. @@ -92,45 +102,56 @@ Please enter an issue title Please enter your valid GitHub username An unexpected error occurred. Sorry you found this bug, if it keeps crashing \"Clear app data\" or send an Email - Uploading report to GitHub… Send using GitHub account + Buy now + Cancel + Card - Circular Colored Card Card - Carousel + Carousel effect on the now playing screen + Cascading - Cast + Changelog Changelog maintained on the Telegram channel + Circle + Circular + Classic + Clear - Clear app data Clear blacklist Clear queue - Clear playlist - %1$s? This can\u2019t be undone!]]> - Close + Color - Color + Colors + Composer + Copied device info to clipboard. + Couldn\u2019t create playlist. "Couldn\u2019t download a matching album cover." Could not restore purchase. Could not scan %d files. + Create + Created playlist %1$s. + Members and contributors + Currently listening to %1$s by %2$s. + Kinda Dark - No Lyrics + Delete playlist %1$s?]]> Delete playlists @@ -139,42 +160,62 @@ Delete songs %1$d playlists?]]> %1$d songs?]]> + Deleted %1$d songs. - Deleting songs + Depth + Description + Device info + Allow Retro Music to modify audio settings Set ringtone + Do you want to clear the blacklist? %1$s from the blacklist?]]> + Donate If you think I deserve to get paid for my work, you can leave some money here + Buy me a: - Download from Last.fm + Drive mode - Edit - Edit cover + Empty + Equalizer - Error + FAQ + Favorites + Finish last song + Fit + Flat + Folders + Follow system + For you + Free + Full Full card + Change the theme and colors of the app Look and feel + Genre + Genres + Fork the project on GitHub - Join the Google Plus community where you can ask for help or follow Retro Music updates + 1 2 3 @@ -184,16 +225,25 @@ 7 8 Grid style + Hinge + History + Home + Horizontal flip + Image Gradient image Change artist image download settings + Inserted %1$d songs into the playlist %2$s. + Share your Retro Music setup to showcase on Instagram + Keyboard + Bitrate Format File name @@ -202,31 +252,45 @@ More from %s Sampling rate Length + Labeled + Last added Last song - Let\'s play some music - Library + Library categories + Licenses + Clearly White + Listeners + Listing files + Loading products… + Login + Lyrics + Made with ❤️ in India + Material + Error Permission error + Name Most played + Never - New banner photo + New playlist - New profile photo %s is the new start directory. + Next Song + You have no albums You have no artists "Play a song first, then try again." @@ -238,45 +302,59 @@ No purchase found. No results You have no songs + Normal Normal lyrics - Normal + %s is not listed in the media store.]]> + Nothing to scan. Nothing to see + Notification Customize the notification style + Now playing Now playing queue Customize the now playing screen 9+ now playing themes + Only on Wi-Fi + Advanced testing features + Other + Password + Past 3 months - Paste lyrics here + Peak + Permission to access external storage denied. + Permissions denied. + Personalize Customize your now playing and UI controls + Pick from local storage - Pick image + Pinterest Follow Pinterest page for Retro Music design inspiration + Plain + The playing notification provides actions for play/pause etc. Playing notification - Empty playlist + Playlist is empty Playlist name + Playlists - Album detail style + Amount of blur applied for blur themes, lower is faster Blur amount - Adjust the bottom sheet dialog corners - Dialog corner Filter songs by length Filter song duration Advanced @@ -293,9 +371,6 @@ Pause on zero Keep in mind that enabling this feature may affect battery life Keep the screen on - Click to open with or slide to without transparent navigation of now playing screen - Click or Slide - Snow fall effect Use the currently playing song album cover as the lockscreen wallpaper Lower the volume when a system sound is played or a notification is received The content of blacklisted folders is hidden from your library. @@ -305,21 +380,17 @@ Use the classic notification design The background and control button colors change according to the album art from the now playing screen Colors the app shortcuts in the accent color. Every time you change the color please toggle this to take effect - Colors the navigation bar in the primary color "Colors the notification in the album cover\u2019s vibrant color" As per Material Design guide lines in dark mode colors should be desaturated - Most dominant color will be picked from the album or artist cover + Clicking on the notification will show now playing screen instead of the home screen Add extra controls for mini player Show extra Song information, such as file format, bitrate and frequency "Can cause playback issues on some devices." - Toggle genre tab Show or hide the home banner Can increase the album cover quality, but causes slower image loading times. Only enable this if you have problems with low resolution artworks Configure visibility and order of library categories. Use Retro Music\'s custom lockscreen controls License details for open source software - Round the app\'s edges - Toggle titles for the bottom navigation bar tabs Immersive mode Start playing immediately after headphones are connected Shuffle mode will turn off when playing a new list of songs @@ -327,75 +398,76 @@ Show album cover Album cover theme Album cover skip - Album grid Colored app shortcuts - Artist grid Reduce volume on focus loss Auto-download artist images Blacklist Bluetooth playback Blur album cover - Choose equalizer Classic notification design Adaptive color Colored notification Desaturated color + Show now playing screen Extra controls Song info Gapless playback App theme - Show genre tab Artist grid Banner Ignore Media Store covers Last added playlist interval Fullscreen controls - Colored navigation bar Now playing theme Open source licences - Corner edges Tab titles mode Carousel effect - Dominant color Fullscreen app - Tab titles Auto-play Shuffle mode Volume controls - User info - Primary color - The primary theme color, defaults to blue grey, for now works with dark colors + Pro Black theme, Now playing themes, Carousel effect and more.. + Profile + Purchase - *Think before buying, don\'t ask for refund. + Playing Queue + Rate the app Love this app? Let us know in the Google Play Store how we can make it even better + Recent albums Recent artists + Remove - Remove banner photo Remove cover Remove from blacklist - Remove profile photo Remove song from playlist %1$s from the playlist?]]> Remove songs from playlist %1$d songs from the playlist?]]> + Rename playlist + Report an issue Report bug + Reset Reset artist image + Restore + Restored previous purchase. Please restart the app to make use of all features. Restored previous purchases. + Restoring purchase… - Retro Music Equalizer + Retro Music Player Retro Music Pro + File delete failed: %s Can\'t get SAF URI @@ -408,37 +480,48 @@ Do not open any sub-folders Tap \'select\' button at the bottom of the screen File write failed: %s + Save Save as file Save as files + Saved playlist to %s. + Saving changes + Scan media + Scanned %1$d of %2$d files. + Scrobbles - Search your library… + Select all - Select banner photo + Selected - Send crash log + Set Set artist image - Set a profile photo + Share app Share to Stories + Shuffle + Simple + Sleep timer canceled. Sleep timer set for %d minutes from now. - Slide - Small album + Social Share story + Song Song duration + Songs + Sort order Ascending Album @@ -448,68 +531,89 @@ Date modified Year Descending + Sorry! Your device doesn\'t support speech input Search your library + Stack + Start playing music. + Suggestions - Just show your name on home screen + Support development + Swipe to unlock + Synced lyrics - System Equalizer + Telegram Join the Telegram group to discuss bugs, make suggestions, show off and more + Thank you! + The audio file + This month This week This year + Tiny + Tiny card + Title - Dashboard - Good afternoon - Good day - Good evening - Good morning - Good night - What\'s Your Name + Today + Top albums Top artists + "Track (2 for track 2 or 3004 for CD3 track 4)" Track number + Translate Help us translate the app to your language + Twitter Share your design with Retro Music + Unlabeled + Couldn\u2019t play this song. + Up next + Update image + Updating… + Username + Version + Vertical flip - Virtualizer + Volume + Web search + Welcome, + What do you want to share? + What\'s New + Window Rounded corners + Set %1$s as your ringtone. %1$d selected + Year + You have to select at least one category. You will be forwarded to the issue tracker website. + Your account data is only used for authentication. - Amount - Note(Optional) - Start payment - Show now playing screen - Clicking on the notification will show now playing screen instead of the home screen - Tiny card diff --git a/app/src/main/res/values-en-rIN/strings.xml b/app/src/main/res/values-en-rIN/strings.xml index e028f27c..47e1bc06 100644 --- a/app/src/main/res/values-en-rIN/strings.xml +++ b/app/src/main/res/values-en-rIN/strings.xml @@ -1,14 +1,15 @@ Team, social links + Accent color The theme accent color, defaults to purple + About Add to favorites Add to playing queue Add to playlist Clear playing queue - Clear playlist Cycle repeat mode Delete Delete from device @@ -46,19 +47,22 @@ Tag editor Toggle favorite Toggle shuffle mode + Adaptive + Add - Add lyrics - Add \nphoto "Add to playlist" - Add time frame lyrics + "Added 1 title to the playing queue." Added %1$d titles to the playing queue. + Album Album artist - The title or artist is empty. + Albums + Always + Hey check out this cool music player at: https://play.google.com/store/apps/details?id=%s Shuffle Top Tracks @@ -67,19 +71,25 @@ Classic Small Text + Artist + Artists + Audio focus denied. Change the sound settings and adjust the equalizer controls + Auto - Base color theme - Bass Boost - Bio + Biography + Just Black + Blacklist + Blur Blur Card + Unable to send report Invalid access token. Please contact the app developer. Issues are not enabled for the selected repository. Please contact the app developer. @@ -92,45 +102,56 @@ Please enter an issue title Please enter your valid GitHub username An unexpected error occurred. Sorry you found this bug, if it keeps crashing \"Clear app data\" or send an Email - Uploading report to GitHub… Send using GitHub account + Buy now + Cancel + Card - Circular Colored Card Card - Carousel + Carousel effect on the now playing screen + Cascading - Cast + Changelog Changelog maintained on the Telegram channel + Circle + Circular + Classic + Clear - Clear app data Clear blacklist Clear queue - Clear playlist - %1$s? This can\u2019t be undone!]]> - Close + Color - Color + Colors + Composer + Copied device info to clipboard. + Couldn\u2019t create playlist. "Couldn\u2019t download a matching album cover." Could not restore purchase. Could not scan %d files. + Create + Created playlist %1$s. + Members and contributors + Currently listening to %1$s by %2$s. + Kinda Dark - No Lyrics + Delete playlist %1$s?]]> Delete playlists @@ -139,42 +160,62 @@ Delete songs %1$d playlists?]]> %1$d songs?]]> + Deleted %1$d songs. - Deleting songs + Depth + Description + Device info + Allow Retro Music to modify audio settings Set ringtone + Do you want to clear the blacklist? %1$s from the blacklist?]]> + Donate If you think I deserve to get paid for my work, you can leave some money here + Buy me a: - Download from Last.fm + Drive mode - Edit - Edit cover + Empty + Equalizer - Error + FAQ + Favorites + Finish last song + Fit + Flat + Folders + Follow system + For you + Free + Full Full card + Change the theme and colors of the app Look and feel + Genre + Genres + Fork the project on GitHub - Join the Google Plus community where you can ask for help or follow Retro Music updates + 1 2 3 @@ -184,16 +225,25 @@ 7 8 Grid style + Hinge + History + Home + Horizontal flip + Image Gradient image Change artist image download settings + Inserted %1$d songs into the playlist %2$s. + Share your Retro Music setup to showcase on Instagram + Keyboard + Bitrate Format File name @@ -202,31 +252,45 @@ More from %s Sampling rate Length + Labeled + Last added Last song - Let\'s play some music - Library + Library categories + Licenses + Clearly White + Listeners + Listing files + Loading products… + Login + Lyrics + Made with ❤️ in India + Material + Error Permission error + Name Most played + Never - New banner photo + New playlist - New profile photo %s is the new start directory. + Next Song + You have no albums You have no artists "Play a song first, then try again." @@ -238,45 +302,59 @@ No purchase found. No results You have no songs + Normal Normal lyrics - Normal + %s is not listed in the media store.]]> + Nothing to scan. Nothing to see + Notification Customize the notification style + Now playing Now playing queue Customize the now playing screen 9+ now playing themes + Only on Wi-Fi + Advanced testing features + Other + Password + Past 3 months - Paste lyrics here + Peak + Permission to access external storage denied. + Permissions denied. + Personalize Customize your now playing and UI controls + Pick from local storage - Pick image + Pinterest Follow Pinterest page for Retro Music design inspiration + Plain + The playing notification provides actions for play/pause etc. Playing notification - Empty playlist + Playlist is empty Playlist name + Playlists - Album detail style + Amount of blur applied for blur themes, lower is faster Blur amount - Adjust the bottom sheet dialog corners - Dialog corner Filter songs by length Filter song duration Advanced @@ -293,9 +371,6 @@ Pause on zero Keep in mind that enabling this feature may affect battery life Keep the screen on - Click to open with or slide to without transparent navigation of now playing screen - Click or Slide - Snow fall effect Use the currently playing song album cover as the lockscreen wallpaper Lower the volume when a system sound is played or a notification is received The content of blacklisted folders is hidden from your library. @@ -305,21 +380,17 @@ Use the classic notification design The background and control button colors change according to the album art from the now playing screen Colors the app shortcuts in the accent color. Every time you change the color please toggle this to take effect - Colors the navigation bar in the primary color "Colors the notification in the album cover\u2019s vibrant color" As per Material Design guide lines in dark mode colors should be desaturated - Most dominant color will be picked from the album or artist cover + Clicking on the notification will show now playing screen instead of the home screen Add extra controls for mini player Show extra Song information, such as file format, bitrate and frequency "Can cause playback issues on some devices." - Toggle genre tab Show or hide the home banner Can increase the album cover quality, but causes slower image loading times. Only enable this if you have problems with low resolution artworks Configure visibility and order of library categories. Use Retro Music\'s custom lockscreen controls License details for open source software - Round the app\'s edges - Toggle titles for the bottom navigation bar tabs Immersive mode Start playing immediately after headphones are connected Shuffle mode will turn off when playing a new list of songs @@ -327,75 +398,76 @@ Show album cover Album cover theme Album cover skip - Album grid Colored app shortcuts - Artist grid Reduce volume on focus loss Auto-download artist images Blacklist Bluetooth playback Blur album cover - Choose equalizer Classic notification design Adaptive color Colored notification Desaturated color + Show now playing screen Extra controls Song info Gapless playback App theme - Show genre tab Artist grid Banner Ignore Media Store covers Last added playlist interval Fullscreen controls - Colored navigation bar Now playing theme Open source licences - Corner edges Tab titles mode Carousel effect - Dominant color Fullscreen app - Tab titles Auto-play Shuffle mode Volume controls - User info - Primary color - The primary theme color, defaults to blue grey, for now works with dark colors + Pro Black theme, Now playing themes, Carousel effect and more.. + Profile + Purchase - *Think before buying, don\'t ask for refund. + Playing Queue + Rate the app Love this app? Let us know in the Google Play Store how we can make it even better + Recent albums Recent artists + Remove - Remove banner photo Remove cover Remove from blacklist - Remove profile photo Remove song from playlist %1$s from the playlist?]]> Remove songs from playlist %1$d songs from the playlist?]]> + Rename playlist + Report an issue Report bug + Reset Reset artist image + Restore + Restored previous purchase. Please restart the app to make use of all features. Restored previous purchases. + Restoring purchase… - Retro Music Equalizer + Retro Music Player Retro Music Pro + File delete failed: %s Can\'t get SAF URI @@ -408,37 +480,48 @@ Do not open any sub-folders Tap \'select\' button at the bottom of the screen File write failed: %s + Save Save as file Save as files + Saved playlist to %s. + Saving changes + Scan media + Scanned %1$d of %2$d files. + Scrobbles - Search your library… + Select all - Select banner photo + Selected - Send crash log + Set Set artist image - Set a profile photo + Share app Share to Stories + Shuffle + Simple + Sleep timer canceled. Sleep timer set for %d minutes from now. - Slide - Small album + Social Share story + Song Song duration + Songs + Sort order Ascending Album @@ -448,68 +531,89 @@ Date modified Year Descending + Sorry! Your device doesn\'t support speech input Search your library + Stack + Start playing music. + Suggestions - Just show your name on home screen + Support development + Swipe to unlock + Synced lyrics - System Equalizer + Telegram Join the Telegram group to discuss bugs, make suggestions, show off and more + Thank you! + The audio file + This month This week This year + Tiny + Tiny card + Title - Dashboard - Good afternoon - Good day - Good evening - Good morning - Good night - What\'s Your Name + Today + Top albums Top artists + "Track (2 for track 2 or 3004 for CD3 track 4)" Track number + Translate Help us translate the app to your language + Twitter Share your design with Retro Music + Unlabeled + Couldn\u2019t play this song. + Up next + Update image + Updating… + Username + Version + Vertical flip - Virtualizer + Volume + Web search + Welcome, + What do you want to share? + What\'s New + Window Rounded corners + Set %1$s as your ringtone. %1$d selected + Year + You have to select at least one category. You will be forwarded to the issue tracker website. + Your account data is only used for authentication. - Amount - Note(Optional) - Start payment - Show now playing screen - Clicking on the notification will show now playing screen instead of the home screen - Tiny card diff --git a/app/src/main/res/values-en-rUS/strings.xml b/app/src/main/res/values-en-rUS/strings.xml index c4438228..b599615c 100644 --- a/app/src/main/res/values-en-rUS/strings.xml +++ b/app/src/main/res/values-en-rUS/strings.xml @@ -1,14 +1,16 @@ + About %s Team, social links + Accent color The theme accent color, defaults to purple + About Add to favorites Add to playing queue Add to playlist Clear playing queue - Clear playlist Cycle repeat mode Delete Delete from device @@ -46,19 +48,32 @@ Tag editor Toggle favorite Toggle shuffle mode + Adaptive + Add - Add lyrics - Add \nphoto "Add to playlist" - Add time frame lyrics + "Added 1 title to the playing queue." Added %1$d titles to the playing queue. + Album + + + Song + Songs + + Album artist - The title or artist is empty. + Albums + + Album + Albums + + Always + Hey check out this cool music player at: https://play.google.com/store/apps/details?id=%s Shuffle Top Tracks @@ -67,19 +82,25 @@ Classic Small Text + Artist + Artists + Audio focus denied. Change the sound settings and adjust the equalizer controls + Auto - Base color theme - Bass Boost - Bio + Biography + Just Black + Blacklist + Blur Blur Card + Unable to send report Invalid access token. Please contact the app developer. Issues are not enabled for the selected repository. Please contact the app developer. @@ -92,45 +113,56 @@ Please enter an issue title Please enter your valid GitHub username An unexpected error occurred. Sorry you found this bug, if it keeps crashing \"Clear app data\" or send an Email - Uploading report to GitHub… Send using GitHub account + Buy now + Cancel + Card - Circular Colored Card Card - Carousel + Carousel effect on the now playing screen + Cascading - Cast + Changelog Changelog maintained on the Telegram channel + Circle + Circular + Classic + Clear - Clear app data Clear blacklist Clear queue - Clear playlist - %1$s? This can\u2019t be undone!]]> - Close + Color - Color + Colors + Composer + Copied device info to clipboard. + Couldn\u2019t create playlist. "Couldn\u2019t download a matching album cover." Could not restore purchase. Could not scan %d files. + Create + Created playlist %1$s. + Members and contributors + Currently listening to %1$s by %2$s. + Kinda Dark - No Lyrics + Delete playlist %1$s?]]> Delete playlists @@ -139,42 +171,62 @@ Delete songs %1$d playlists?]]> %1$d songs?]]> + Deleted %1$d songs. - Deleting songs + Depth + Description + Device info + Allow Retro Music to modify audio settings Set ringtone + Do you want to clear the blacklist? %1$s from the blacklist?]]> + Donate If you think I deserve to get paid for my work, you can leave some money here + Buy me a: - Download from Last.fm + Drive mode - Edit - Edit cover + Empty + Equalizer - Error + FAQ + Favorites + Finish last song + Fit + Flat + Folders + Follow system + For you + Free + Full Full card + Change the theme and colors of the app Look and feel + Genre + Genres + Fork the project on GitHub - Join the Google Plus community where you can ask for help or follow Retro Music updates + 1 2 3 @@ -184,16 +236,25 @@ 7 8 Grid style + Hinge + History + Home + Horizontal flip + Image Gradient image Change artist image download settings + Inserted %1$d songs into the playlist %2$s. + Share your Retro Music setup to showcase on Instagram + Keyboard + Bitrate Format File name @@ -202,31 +263,45 @@ More from %s Sampling rate Length + Labeled + Last added Last song - Let\'s play some music - Library + Library categories + Licenses + Clearly White + Listeners + Listing files + Loading products… + Login + Lyrics + Made with ❤️ in India + Material + Error Permission error + Name Most played + Never - New banner photo + New playlist - New profile photo %s is the new start directory. + Next Song + You have no albums You have no artists "Play a song first, then try again." @@ -238,45 +313,59 @@ No purchase found. No results You have no songs + Normal Normal lyrics - Normal + %s is not listed in the media store.]]> + Nothing to scan. Nothing to see + Notification Customize the notification style + Now playing Now playing queue Customize the now playing screen 9+ now playing themes + Only on Wi-Fi + Advanced testing features + Other + Password + Past 3 months - Paste lyrics here + Peak + Permission to access external storage denied. + Permissions denied. + Personalize Customize your now playing and UI controls + Pick from local storage - Pick image + Pinterest Follow Pinterest page for Retro Music design inspiration + Plain + The playing notification provides actions for play/pause etc. Playing notification - Empty playlist + Playlist is empty Playlist name + Playlists - Album detail style + Amount of blur applied for blur themes, lower is faster Blur amount - Adjust the bottom sheet dialog corners - Dialog corner Filter songs by length Filter song duration Advanced @@ -293,9 +382,7 @@ Pause on zero Keep in mind that enabling this feature may affect battery life Keep the screen on - Click to open with or slide to without transparent navigation of now playing screen - Click or Slide - Snow fall effect + Select language Use the currently playing song album cover as the lockscreen wallpaper Lower the volume when a system sound is played or a notification is received The content of blacklisted folders is hidden from your library. @@ -305,21 +392,17 @@ Use the classic notification design The background and control button colors change according to the album art from the now playing screen Colors the app shortcuts in the accent color. Every time you change the color please toggle this to take effect - Colors the navigation bar in the primary color "Colors the notification in the album cover\u2019s vibrant color" As per Material Design guide lines in dark mode colors should be desaturated - Most dominant color will be picked from the album or artist cover + Clicking on the notification will show now playing screen instead of the home screen Add extra controls for mini player Show extra Song information, such as file format, bitrate and frequency "Can cause playback issues on some devices." - Toggle genre tab Show or hide the home banner Can increase the album cover quality, but causes slower image loading times. Only enable this if you have problems with low resolution artworks Configure visibility and order of library categories. Use Retro Music\'s custom lockscreen controls License details for open source software - Round the app\'s edges - Toggle titles for the bottom navigation bar tabs Immersive mode Start playing immediately after headphones are connected Shuffle mode will turn off when playing a new list of songs @@ -327,75 +410,76 @@ Show album cover Album cover theme Album cover skip - Album grid Colored app shortcuts - Artist grid Reduce volume on focus loss Auto-download artist images Blacklist Bluetooth playback Blur album cover - Choose equalizer Classic notification design Adaptive color Colored notification Desaturated color + Show now playing screen Extra controls Song info Gapless playback App theme - Show genre tab Artist grid Banner Ignore Media Store covers Last added playlist interval Fullscreen controls - Colored navigation bar Now playing theme Open source licences - Corner edges Tab titles mode Carousel effect - Dominant color Fullscreen app - Tab titles Auto-play Shuffle mode Volume controls - User info - Primary color - The primary theme color, defaults to blue grey, for now works with dark colors + Pro Black theme, Now playing themes, Carousel effect and more.. + Profile + Purchase - *Think before buying, don\'t ask for refund. + Playing Queue + Rate the app Love this app? Let us know in the Google Play Store how we can make it even better + Recent albums Recent artists + Remove - Remove banner photo Remove cover Remove from blacklist - Remove profile photo Remove song from playlist %1$s from the playlist?]]> Remove songs from playlist %1$d songs from the playlist?]]> + Rename playlist + Report an issue Report bug + Reset Reset artist image + Restore + Restored previous purchase. Please restart the app to make use of all features. Restored previous purchases. + Restoring purchase… - Retro Music Equalizer + Retro Music Player Retro Music Pro + File delete failed: %s Can\'t get SAF URI @@ -408,37 +492,48 @@ Do not open any sub-folders Tap \'select\' button at the bottom of the screen File write failed: %s + Save Save as file Save as files + Saved playlist to %s. + Saving changes + Scan media + Scanned %1$d of %2$d files. + Scrobbles - Search your library… + Select all - Select banner photo + Selected - Send crash log + Set Set artist image - Set a profile photo + Share app Share to Stories + Shuffle + Simple + Sleep timer canceled. Sleep timer set for %d minutes from now. - Slide - Small album + Social Share story + Song Song duration + Songs + Sort order Ascending Album @@ -448,93 +543,91 @@ Date modified Year Descending + Sorry! Your device doesn\'t support speech input Search your library + Stack + Start playing music. + Suggestions - Just show your name on home screen + Support development + Swipe to unlock + Synced lyrics - System Equalizer + Telegram Join the Telegram group to discuss bugs, make suggestions, show off and more + Thank you! + The audio file + This month This week This year + Tiny + Tiny card + Title - Dashboard - Good afternoon - Good day - Good evening - Good morning - Good night - What\'s Your Name + Today + Top albums Top artists + "Track (2 for track 2 or 3004 for CD3 track 4)" Track number + Translate Help us translate the app to your language + + Try Retro Music Premium + Twitter Share your design with Retro Music + Unlabeled + Couldn\u2019t play this song. + Up next + Update image + Updating… + Username + Version + Vertical flip - Virtualizer + Volume + Web search + Welcome, + What do you want to share? + What\'s New + Window Rounded corners + Set %1$s as your ringtone. %1$d selected + Year + You have to select at least one category. You will be forwarded to the issue tracker website. + Your account data is only used for authentication. - Amount - Note(Optional) - Start payment - Show now playing screen - Clicking on the notification will show now playing screen instead of the home screen - Tiny card - About %s - Select language - Translators - The people who helped translate this app - Try Retro Music Premium - - Song - Songs - - - Album - Albums - - - %d Song - %d Songs - - - %d Album - %d Albums - - - %d Artist - %d Artists - diff --git a/app/src/main/res/values-es-rES/strings.xml b/app/src/main/res/values-es-rES/strings.xml index 3c96555b..98066df7 100644 --- a/app/src/main/res/values-es-rES/strings.xml +++ b/app/src/main/res/values-es-rES/strings.xml @@ -1,14 +1,16 @@ + Acerca de %s Equipo, enlaces sociales + Color de énfasis El color de énfasis del tema, es morado por defecto + Acerca de Retro Music Player Añadir a favoritos Añadir a la cola de reproducción Añadir a la lista de reproducción Vaciar cola de reproducción - Limpiar lista de reproducción Modo de repetición Eliminar Eliminar del dispositivo @@ -46,19 +48,32 @@ Editor de etiquetas Alternar favoritos Alternar el modo aleatorio + Adaptativo + Agregar - Añadir letra - Agregar foto "Agregar a lista de reproducción" - Añadir retraso para letras + "Se ha agregado 1 canción a la cola de reproducción" %1$d canciones agregadas a la cola de reproducción + Álbum + + + Canción + Canciones + + Artista del álbum - El titulo o artista está vacío + Álbumes + + Álbum + Álbumes + + Siempre + Ve este cool reproductor de música en: https://play.google.com/store/apps/details?id=%s Aleatorio Canciones más reproducidas @@ -67,19 +82,25 @@ Clásico Pequeño Texto + Artista + Artistas + Enfoque de audio denegado Modifica los ajustes de sonido y ajusta los controles del ecualizador + Automático - Color base del tema - Refuerzo de graves - Bio + Biografía + Negro + Lista Negra + Desenfoque Tarjeta con desenfoque + Enviando el reporte a GitHub... Token de acceso inválido. Por favor, contacta con el desarrollador de la aplicación El problema no está habilitado para el repositorio seleccionado. Por favor, contacta con el desarrollador de la app. @@ -92,45 +113,56 @@ Por favor, introduce un título para el problema Por favor, introduce tu nombre de usuario de GitHub Ocurrió un error inesperado. Lamento que hayas encontrado este error, si sigue fallando \"Borra los datos de la aplicación\" - Subiendo reporte a GitHub... Enviar usando la cuenta de Github + Comprar ahora + Cancelar + Tarjeta - Circular Tarjeta Coloreada Tarjeta - Carrusel + Efecto carrusel en la pantalla de reproducción + En cascada - Transmitir + Registro de cambios Registro de cambios disponible en el canal de Telegram + Círculo + Circular + Clásico + Limpiar - Borrar datos de la aplicación Limpiar lista negra Limpiar la cola - Vaciar lista de reproducción - %1$s? Esto no se puede deshacer!]]> - Cerrar + Color - Color + Colores + Compositor + Información del dispositivo copiada al portapapeles + No se pudo crear la lista de reproducción. "No se pudo descargar una portada de álbum coincidente." No se pudo restaurar la compra. No se pudieron escanear %d archivos + Crear + Lista de reproducción %1$s creada + Miembros y colaboradores + Actualmente estás escuchando %1$s de %2$s. + Un poco oscuro - No hay letras + Eliminar lista de reproducción %1$s?]]> Eliminar listas de reproducción @@ -139,42 +171,62 @@ Eliminar canciones %1$d listas de reproducción?]]> %1$d canciones?]]> + %1$d canciones eliminadas. - Eliminando canciones + Profundidad + Descripción + Información del dispositivo + Permitir a Retro Music modificar los ajustes de audio Establecer como tono + ¿Deseas limpiar la lista negra? %1$s de la lista negra?]]> + Donar Si crees que merezco que me paguen por mi trabajo, puedes dejar algo de dinero aquí + Cómprame: - Descargar de Last.fm + Modo de conducir - Editar - Editar portada + Vacio + Ecualizador - Error + Preguntas más frecuentes + Favoritos + Termina la última canción + Ajustado + Plano + Carpetas + Seguir al sistema + Para ti + Gratuito + Completo Tarjeta completa + Cambiar el tema y colores de la aplicación Aspecto y la sensación + Género + Géneros + Haz Fork del proyecto en GitHub - Únase a la comunidad de Google Plus donde puede pedir ayuda o seguir las actualizaciones Retro Music + 1 2 3 @@ -184,16 +236,25 @@ 7 8 Cuadrícula y estilo + Giro + Historial + Inicio + Giro horizontal + Imagen Imagen de degradado Cambiar la configuración de descarga de imágenes del artista + %1$d canciones agregadas a la lista de reproducción %2$s. + Comparte tu configuración de Retro Music para exhibirlo en Instagram + Teclado + Velocidad de bits Formato Nombre del archivo @@ -202,31 +263,45 @@ Más de %s Frecuencia de muestreo Duración + Etiquetado + Añadidos recientemente Última canción - Vamos a tocar un poco de música - Biblioteca + Categorías de la Biblioteca + Licencias + Blanco claro + Oyentes + Listando archivos + Cargando productos... + Iniciar Sección + Letras + Hecho con ❤️ en India + Material + Error Error de permisos + Nombre Más reproducidas + Nunca - Nueva foto del banner + Nueva lista - Nueva foto de perfil %s es el nuevo directorio de inicio + Próxima canción + No hay Álbumes No hay Artistas "Primero reproduce una canción, luego intenta de nuevo." @@ -238,45 +313,59 @@ No se encontraron compras. Sin resultados No hay Canciones + Normal Letras normales - Normal + %s no aparece en la lista de medios.]]> + Nada para escanear. Nada para escanear + Notificaciones Personaliza el estilo de la notificación + Reproduciendo ahora Cola de reproducción actual Personalizar la ventana de reproducción Más de 9 temas para la ventana de reproducción + Solo con Wi-Fi + Funciones avanzadas experimentales + Otro + Contraseña + Más de 3 meses - Pegar letra aquí + Pica + Permiso de acceso al almacenamiento externo denegado. + Permiso denegado. + Personalizar Personalizar la ventana de reproducción y los controles de la interfaz + Elegir del almacenamiento local - Escoger imagen + Pinterest Síguenos en Pinterest para inspirarte en el diseño de Retro Music. + Simple + La notificación de reproducción proporciona acciones para reproducir/pausar, etc. Notificación de reproducción - Lista de reproducción vacía + La lista de reproducción está vacía Nombre de la lista + Listas de reproducción - Estilo del detalle del Album + Cantidad de desenfoque aplicado a los temas desenfocados, más bajo es más rápido Cantidad de desenfoque - Ajustar las esquinas del cuadro de diálogo de hoja inferior - Esquina de diálogo Filtrar canciones por longitud Filtro por duración de la canción Avanzado @@ -293,9 +382,7 @@ Pausar en cero Tenga en cuenta que habilitar esta función puede afectar la duración de la batería Mantener la pantalla encendida - Click para abrir con o sin navegación transparente de la pantalla de reproducción actual - Toca o desliza - Efecto de nevada + Seleccionar lenguaje Usar la portada del álbum de la canción en reproducción como fondo de la pantalla de bloqueo Bajar el volumen cuando se reproduzca un sonido del sistema o se reciba una notificación Las carpetas en la lista negra, serán ocultado de tu librería. @@ -305,21 +392,17 @@ Usar el diseño de notificación clásico El color del fondo y los botones de control cambian de acuerdo a la portada del álbum para la ventana de reproducción Colorea los accesos directos de la aplicación en el color de énfasis. Cada vez que cambie el color, active esta opción - Colorea la barra de navegación con el color principal "Colorea la notificación con el color vibrante de la portada del álbum" Según las líneas de la guía Material Design en los colores del modo oscuro deben ser desaturados - Se tomará el color dominante de la portada del álbum o imagen del artista + Al hacer clic en la notificación se mostrará la pantalla de reproducción en lugar de la pantalla de inicio Añadir controles extra al mini reproductor Mostrar información extra de canciones, como el formato de archivo, tasa de bits y frecuencia "Puede causar problemas de reproducción en algunos dispositivos" - Mostrar/Ocultar pestaña Géneros Mostrar/Ocultar banner en Inicio Puede aumentar la calidad de la portada del álbum, pero provoca tiempos de carga de imágenes más lentos. Solo habilite esto si tiene problemas con portadas de baja resolución Configure la visibilidad y el orden de las categorías de la biblioteca. Usar los controles personalizados de Retro Music en la pantalla de bloqueo Detalles de licencia para software de código abierto - Redondear las esquinas de la aplicación - Mostrar/Ocultar nombres de las pestañas de navegación Modo inmersivo Comenzar a reproducir inmediatamente cuando se conecten audífonos El modo aleatorio se desactivará cuando se reproduzca una nueva lista de canciones @@ -327,75 +410,76 @@ Mostrar/Ocultar portada del álbum Tema de la portada del álbum Estilo de portada del álbum en reproducción - Cuadrícula del álbum Accesos directos de la aplicación coloreados - Cuadrícula de los artistas Reducir el volumen cuando se pierda el enfoque Descarga automática de imágenes de artistas Lista Negra Reproducción por Bluetooth Desenfocar portada del álbum - Elegir ecualizador Diseño de notificación clásico Color Adaptativo Notificación coloreada Color Desaturado + Mostrar en pantalla de reproducción Controles extra Información de la canción Reproducción sin pausas Tema de la aplicación - Mostrar pestaña Géneros Cuadrícula de los artistas en inicio Banner de Inicio Ignorar las portadas de la biblioteca de medios Intervalo de la lista \"Añadidos Recientemente\" Controles en pantalla completa - Barra de navegación coloreada Tema de la ventana de reproducción Licencias de código abierto - Bordes de las esquinas Forma de los títulos de las pestañas Efecto Carrusel - Color dominante Aplicación en pantalla completa - Títulos de las pestañas Reproducir automáticamente Aleatorio Controles de volumen - Información de usuario - Color principal - El color principal del tema, por defecto gris azulado, por ahora funciona con colores oscuros + Pro Temas en reproducción, efecto Carrusel, tema de color y más ... + Perfil + Comprar - *Piense antes de comprar, no pida un reembolso. + Cola + Califica la aplicación ¿Te encanta la aplicación? Haznos saber en Google Play Store cómo podemos hacerla aún mejor + Álbumes recientes Artistas recientes + Eliminar - Eliminar foto del banner Eliminar portada Eliminar de la Lista Negra - Eliminar foto de perfil Eliminar canción de la lista %1$s de la lista?]]> Eliminar canciones de la lista %1$d canciones de la lista?]]> + Renombrar lista + Reporta un problema Reportar un error + Restablecer Reiniciar imagen del artista + Restaurar + Compra anterior restaurada. Por favor, reinicie la aplicación para hacer uso de todas las funciones. Compras anteriores restauradas. + Restaurando compra... - Ecualizador de Retro Music + Reproductor de Retro Music Retro Music Pro + La eliminación del archivo falló No se puede obtener SAF URI @@ -408,37 +492,48 @@ No abra ninguna sub-carpeta Toca el botón \'seleccionar\' en la parte inferior de la pantalla Error al escribir: %s + Guardar Guardar como archivo Guardar como archivos + Guardar lista de reproducción a %s + Guardando cambios + Escanear medios + %1$d de %2$d archivos escaneados. + Scrobbles - Busca en tu biblioteca... + Seleccionar todos - Seleccionar foto del banner + Seleccionado - Enviar registro de depuración + Establecer Establecer imagen del artista - Establecer imagen de perfil + Compartir app Compartir en historias + Aleatorio + Sencillo + Temporizador cancelado. Temporizador de apagado establecido para %d minutos desde ahora. - Presentación - Español + Social Compartir historia + Canción Duración de la canción + Canciones + Ordenar por Ascendente Álbum @@ -448,93 +543,91 @@ Fecha de modificación Año Descendente + ¡Lo siento! Su dispositivo no es compatible con la entrada de voz Busca en tu biblioteca + Apilado + Comenzar a reproducir música. + Recomendaciones - Muestra tu nombre en la pantalla de inicio + Apoya el desarrollo + Desbloquear + Letras sincronizadas - Ecualizador del Sistema + Telegram Únete al grupo de Telegram para discutir los errores, hacer sugerencias, presumir y más + ¡Gracias! + El archivo de audio + Este mes Esta semana Este año + Pequeño + Tarjeta pequeña + Titulo - Tablero - ¡Buenas Tardes! - ¡Buen Día! - ¡Buenas Noches! - ¡Buen Día! - ¡Buenas Noches! - ¿Cómo te llamas? + Hoy + Álbumes más reproducidos Artistas más reproducidos + "Pista (2 para pista 2 o 3004 para CD3 pista 4)" Número de pista + Traducir Ayúdanos a traducir la aplicación a tu lenguaje + + Pruebe Retro Music Premium + Twitter Comparte tu diseño con Retro Music + Sin etiqueta + No se pudo reproducir esta canción + A continuación + Actualizar imagen + Actualizando... + Nombre de usuario + Versión + giro vertical - Virtualizador + Volumen + Búsqueda web + Bienvenido, + ¿Qué quieres compartir? + Lo Nuevo + Ventana Esquinas redondeadas + %1$s establecido como tono de llamada. %1$d seleccionados + Año + Tienes que seleccionar al menos una categoría Será redirigido al sitio web para reportar problemas. + Los datos de tu cuenta sólo se utilizan para la autenticación - Cantidad - Nota (Opcional) - Iniciar pago - Mostrar en pantalla de reproducción - Al hacer clic en la notificación se mostrará la pantalla de reproducción en lugar de la pantalla de inicio - Tarjeta pequeña - Acerca de %s - Seleccionar lenguaje - Traductores - Las personas que ayudaron a traducir esta aplicación - Pruebe Retro Music Premium - - Canción - Canciones - - - Álbum - Álbumes - - - %d Canción - %d Canciones - - - %d Álbum - %d Álbumes - - - %d Artista - %d Artistas - diff --git a/app/src/main/res/values-eu-rES/strings.xml b/app/src/main/res/values-eu-rES/strings.xml index 9f9f317f..fdc386d7 100644 --- a/app/src/main/res/values-eu-rES/strings.xml +++ b/app/src/main/res/values-eu-rES/strings.xml @@ -1,14 +1,16 @@ + About %s Team, social links + Azentu kolorea Gaiaren azentu kolorea. Lehenetsia: teal + Honi buruz Gogokoetara gehitu Ilaran gehitu Erreprodukzio zerrendan gehitu Erreprodukzio ilara garbitu - Erreprodukzio zerrenda garbitu Cycle repeat mode Ezabatu Gailutik ezabatu @@ -46,19 +48,32 @@ Etiketa editorea Toggle favorite Toggle shuffle mode + Moldagarria + Gehitu - Add lyrics - Argazkia\ngehitu "Erreprodukzio zerrendan gehitu" - Add time frame lyrics + "Abestia erreprodukzio ilaran gehitu da" %1$d abesti erreproduzkio ilaran gehitu dira + Albuma + + + Song + Songs + + Albumeko artista - Izenburua edo artista hutsik dago + Albumak + + Album + Albums + + Beti + Begiratu musika erreproduzitzaile hau: https://play.google.com/store/apps/details?id=%s Nahastu Pista onenak @@ -67,19 +82,25 @@ Klasikoa Txikia Testua + Artista + Artistak + Audio fokatzea ukatua Aldatu soinu ezarpenak eta doitu nahasgailuaren kontrolak + Automatikoa - Oinarrizko kolore gaia - Baxu Bultzada - Биография + Biografia + Beltza bakarrik + Zerrenda beltza + Lausotzea Txartel lausotua + Ezin izan da txostena bidali Okerreko sarrera fitxa. Mesedez aplikazioaren garatzailearekin harremanetan jarri Arazoak ez daude gaituta aukeratutako biltegian. Mesedez aplikazioaren garatzailearekin harremanetan jarri @@ -92,45 +113,56 @@ Mesedez sartu arazoaren titulu bat Mesedez sartu zure baliozko GitHub-eko erabiltzaile izena Ustekabeko akats bat gertatu da. Sentitzen dugu akats hau aurkitu izana, huts egiten jarraitzen batu \"Garbitu aplikazioaren datuak\" - Txostena GitHub-era igotzen... GitHub kontua erabiliz bidali + Buy now + Ezeztatu + Txartela - Zirkularra Txartel koloreztatua Txartela - Karrusela + Karrusel efektua orain erreproduzitzen pantailan + Ur jauzi moduan - Igorri + Aldaketa zerrenda Aldaketa zerrenda Telegrameko kanalean mantentzen da + Circle + Zirkularra + Classic + Garbitu - Garbitu aplikazioaren datuak Zerrenda beltza garbitu Ilara garbitu - Erreprodukzio zerrenda garbitu - %1$s erreprodukzio zerrenda garbitu? Hau ezin da desegin!]]> - Itxi + Kolorea - Kolorea + Koloreak + Composer + Gailuaren informazioa arbelean kopiatuta + Ezin izan da erreprodukzio zerrenda sortu "Ezin izan da bat datorren albumaren azalik deskargatu" Ezin izan da erosketa leheneratu Ezin izan dira %d fitxategiak eskaneatu + Sortu + %1$s erreprodukzio zerrenda sortua + Kideak eta laguntzaileak + %2$s-(r)en %1$s entzuten ari zara + Nahiko iluna - Letrarik ez + Erreprodukzio zerrenda ezabatu %1$s erreprodukzio zerrenda ezabatu?]]> Erreprodukzio zerrendak ezabatu @@ -139,42 +171,62 @@ Delete songs %1$d erreprodukzio zerrenda ezabatu?]]> %1$d abesti ezabatu?]]> + %1$d abesti ezabatu dira - Deleting songs + Sakonera + Azalpena + Gailuaren informazioa + Allow Retro Music to modify audio settings Set ringtone + Zerrenda beltza garbitu nahi duzu? %1$s zerrenda beltzetik ezabatu nahi duzu?]]> + Lagundu diruz Nire lanagatik ordaindua izan behar dudala pentsatzen baduzu, diru apur bat utzi dezakezu hemen + Erosidazu: - Deskargatu Last.fm-tik + Drive mode - Edit - Azala editatu + Hutsik + Nahasgailua - Akatsa + Ohiko galderak + Gogokoak + Finish last song + Egokitu + Laua + Karpetak + Follow system + Zuretzako + Free + Beteta Txartel betea + Aldatu applikazioaren gai eta koloreak Itxura + Generoa + Generoak + GitHub-en proiektua zatitu - Batu Google Plus-eko komunitatea laguntza eskatzeko edo Retro Music-en eguneraketak jarraitzeko + 1 2 3 @@ -184,16 +236,25 @@ 7 8 Grid style + Bisagra + Historiala + Hasiera + Iraulketa horizontala + Irudia Gradient image Aldatu artisten irudien deskarga ezarpenak + %1$d abesti gehitu dira %2$s erreprodukzio zerrendan + Partekatu zure Retro Music-en konfigurazioa Instagram-en + Keyboard + Bit-tasa Formatua Fitxategiaren izena @@ -202,31 +263,45 @@ More from %s Laginketa tasa Luzera + Etiketaduna + Gehitutako azkenak Last song - Musika erreproduzitu dezagun - Liburutegia + Library categories + Lizentziak + Zuria jakina + Listeners + Fitxategien zerrenda + Produktuak kargatzen... + Saioa hasi + Letrak + ❤️-z Indian egina + Материален + Error Permission error + Nire izena Gehien erreproduzituak + Inoiz ez - Banner argazki berria + Erreprodukzio zerrenda berria - Profileko argazki berria %s da hasierako direktorio berria + Next Song + Albumik ez Artistarik ez "Lehenik erreproduzitu abesti bat, saiatu berriro ondoren" @@ -238,45 +313,59 @@ Ez da erosketarik aurkitu Emaitzarik ez Abestirik ez + Normala Letra normalak - Normala + %s ez dator dendan zerrendatua]]> + Eskaneatzekorik ez Nothing to see + Jakinarazpena Jakinarazpen estiloa pertsonalizatu + Orain erreproduzitzen Erreprodukzio ilara Pertsonalizatu orain erreproduzitzen pantaila 9+ orain erreproduzitzen gai + Wi-Fi-arekin bakarrik + Advanced testing features + Bestelako + Pasahitza + Azken 3 hilabeteak - Paste lyrics here + Peak + Kanpoko biltegiratzera sarbidea ukatua + Baimenak ukatuak izan dira + Pertsonalizatu Pertsonalizatu zure orain erreproduzitzen eta UI kontrolak + Tokiko biltegitik hautatu - Pick image + Pinterest Follow Pinterest page for Retro Music design inspiration + Arrunta + Erreproduzitzen jakinarazpenak erreproduzitu/pausatu etab. ekintzak eskaintzen ditu Erreproduzitzen jakinarazpena - Erreprodukzio zerrenda hutsa + Erreprodukzio zerrenda hutsik dago Erreprodukzio zerrendaren izena + Erreprodukzio zerrendak - Albumaren xehetasunen estiloa + Gai lausoetan ezarritako lausotze maila, baxuagoa azkarragoa da Lausotze maila - Adjust the bottom sheet dialog corners - Dialog corner Filter songs by length Filter song duration Advanced @@ -293,9 +382,7 @@ Pausatu zeroan Gogoan izan eginbide hau aktibatzeak eragina izan dezakeela bateriaren iraupenean Mantendu pantaila pizturik - Orain erreproduzitzen pantailaren nabigazio gardena irekitzeko klikatu, irristatu gardentasunik gabeko nabigaziorako - Klikatu edo irristatu - Elur efektua + Select language Erabili erreproduzitzen ari den abestiaren azala blokeo-pantailako horma-paper gisa Jaitsi bolumena sistemaren soinuren batek jotzean edo jakinarazpen bat jasotzean Zerrenda beltzean jarritako edukiak zure liburutegitik ezkutatuko dira @@ -305,21 +392,17 @@ Erabili jakinarazpenen diseinu klasikoa Orain erreproduzitzen pantailan atzealdeko eta kontrol botoien koloreak album azalaren arabera aldatuko dira Aplikazioaren lasterbideak azentu kolorean ezartzen ditu. Kolorea aldatzen duzun bakoitzean hau birraktibatu aldaketak aplikatzeko - Nabigazio barra kolore nagusian koloreztatu "Jakinarazpena albumaren azalaren kolore nagusian ezarri" As per Material Design guide lines in dark mode colors should be desaturated - Albumaren edo artistaren azaletik kolore menderatzailea hartuko da + Clicking on the notification will show now playing screen instead of the home screen Gehitu kontrol gehigarriak erreproduzitzaile txikirako Show extra Song information, such as file format, bitrate and frequency "Erreprodukzio arazoak sor ditzake gailu batzuetan" - Txandakatu genero fitxa Txandakatu hasierako banner estiloa Album azalaren kalitatea hobetu dezake, baina irudien kargatze-denbora moteltzen du. Soilik bereizmen baxuko azalekin arazoa baduzu aktibatu Configure visibility and order of library categories. Retro Music-en pantaila-blokeoko kontrolak erabili Software librerako lizentziaren xehetasunak - Biribildu aplikazioaren ertzak - Aktibatu beheko nabigazio fitxetarako tituluak Murgiltze modua Hasi erreproduzitzen entzungailuak konektatzeaz bat Nahasketa modua desaktibatuko da abesti zerrenda berria erreproduzitzean @@ -327,75 +410,76 @@ Erakutsi albumaren azala Album azalaren gaia Albumaren azala saltatu - Album sareta Koloreztaturiko aplikazio lasterbideak - Artista sareta Jaitsi bolumena foku galeran Deskargatu artisten irudiak automatikoki Zerrenda beltza Bluetooth playback Lausotu albumaren azala - Hautatu nahasgailua Jakinarazpenen diseinu klasikoa Kolore moldagarria Jakinarazpen koloreztatua Desaturated color + Show now playing screen Kontrol gehigarriak Song info Tarterik gabeko erreprodukzioa Aplikazioaren gaia - Erakutsi genero fitxa Hasierako artista sareta Hasierako bannerra Media dendako azalei ez ikusi egin Gahitutako azkenen erreprodukzio zerrendaren tartea Pantaila osoko kontrolak - Nabigazio barra koloreztatua Orain erreproduzitzen gaia Software libre lizentziak - Izkinako ertzak Fitxen titulu modua Karrusel efektua - Kolore menderatzailea Pantaila osoko aplikazioa - Fitxen tituluak Erreprodukzio automatikoa Nahastu modua Bolumen kontrolak - Erabiltzaileari buruz - Kolore nagusia - Gaiaren kolore nagusiak, lehentsia urdin-grisa, kolore ilunekin funtzionatzen du oraingoz + Pro Black theme, Now playing themes, Carousel effect and more.. + Profila + Erosi - *Pentsatu erosi aurretik, ez eskatu itzulketarik + Ilara + Baloratu aplikazioa Aplikazioa gustatzen zaizu? Esan iezaguzu Google Play Store-n nola hobetu dezakegun + Azken albumak Azken artistak + Kendu - Banner argazkia kendu Azala kendu Zerrenda beltzetik kendu - Profileko argazkia kendu Abestia erreprodukzio zerrendatik kendu %1$s abestia erreprodukzio zerrendatik kendu?]]> Abestiak erreprodukzio zerrendatik kendu %1$d abesti erreprodukzio zerrendatik kendu?]]> + Erreprodukzio zerrenda berrizendatu + Arazo baten berri eman Eman akatsen berri + Reset Artistaren irudia berrezarri + Leheneratu + Aurreko erosketa leheneratua. Mesedez aplikazioa berrabiarazi ezaugarri guztiak erabiltzeko Aurreko erosketa leheneratua + Erosketa leheneratzen... - Retro Music Nahasgailua + Retro Music Player Retro Music Pro + File delete failed: %s Can\'t get SAF URI @@ -408,37 +492,48 @@ Do not open any sub-folders Tap \'select\' button at the bottom of the screen File write failed: %s + Save Gorde fitxategi gisa Gorde fitxategi gisa + Erreprodukzio zerrenda %s-n gorde da + Aldaketak gordetzen + Eskaneatu media + %2$d-tik %1$d fitxategi eskaneatu dira + Scrobbles - Zure liburutegian bilatu... + Hautatu guztiak - Banner argazkia hautatu + Hautatua - Send crash log + Set Artistaren irudia ezarri - Set a profile photo + Partekatu aplikazioa Share to Stories + Nahastu + Soila + Lo tenporizadorea bertan behera utzi da Lo tenporizadorea %d minuturako ezarri da - Slide - Album txikia + Soziala Share story + Abestia Abestiaren iraupena + Abestiak + Ordenatze irizpidea Gorakorra Albuma @@ -448,93 +543,91 @@ Date modified Urtea Beherakorra + Sentitzen dugu! Zure gailuak ez du ahots bidezko idazketa onartzen Zure liburutegian bilatu + Stack + Start playing music. + Iradokizunak - Zure izena bakarrik erakutsi hasiera pantailan + Onartutako garapena + Swipe to unlock + Letra sinkronizatuak - Sistemako nahasgailua + Telegram Batu Telegram-eko kanala akatsak, iradokizunak etab. kontatzeko + Eskerrik asko! + Audio fitxategia + Hilabete hau Aste hau Urte hau + Ñimiñoa + Tiny card + Titulua - Arbela - Arratsalde on - Egun on - Arratsalde on - Egun on - Gabon - Zein da zure izena + Gaur + Album onenak Artista onenak + "Pista (2, 2. pistarako edo 3004 3. CDko 4. pistarako)" Pista zenbakia + Itzuli Lagun iezaguzu aplikazioa zure hizkuntzara itzultzen + + Try Retro Music Premium + Twitter Partekatu zure Retro Music-en diseinua + Etiketa gabe + Ezin izan da abestia erreproduzitu + Jarraian + Irudia eguneratu + Eguneratzen... + Erabiltzaile izena + Bertsioa + Iraulketa bertikala - Birtualizatzailea + Volume + Web bilaketa + Welcome, + Zer partekatu nahi duzu? + Zer berri + Leihoa Ertz biribilduak + Ezarri %1$s dei-tonu gisa %1$d hautaturik + Urtea + You have to select at least one category. Arazo bilatzaile webgunera birbidalia izango zara + Zure kontuaren datuak autentifikaziorako soilik erabiliko dira - Amount - Note(Optional) - Start payment - Show now playing screen - Clicking on the notification will show now playing screen instead of the home screen - Tiny card - About %s - Select language - Translators - The people who helped translate this app - Try Retro Music Premium - - Song - Songs - - - Album - Albums - - - %d Song - %d Songs - - - %d Album - %d Albums - - - %d Artist - %d Artists - diff --git a/app/src/main/res/values-fa-rIR/strings.xml b/app/src/main/res/values-fa-rIR/strings.xml index c4438228..b599615c 100644 --- a/app/src/main/res/values-fa-rIR/strings.xml +++ b/app/src/main/res/values-fa-rIR/strings.xml @@ -1,14 +1,16 @@ + About %s Team, social links + Accent color The theme accent color, defaults to purple + About Add to favorites Add to playing queue Add to playlist Clear playing queue - Clear playlist Cycle repeat mode Delete Delete from device @@ -46,19 +48,32 @@ Tag editor Toggle favorite Toggle shuffle mode + Adaptive + Add - Add lyrics - Add \nphoto "Add to playlist" - Add time frame lyrics + "Added 1 title to the playing queue." Added %1$d titles to the playing queue. + Album + + + Song + Songs + + Album artist - The title or artist is empty. + Albums + + Album + Albums + + Always + Hey check out this cool music player at: https://play.google.com/store/apps/details?id=%s Shuffle Top Tracks @@ -67,19 +82,25 @@ Classic Small Text + Artist + Artists + Audio focus denied. Change the sound settings and adjust the equalizer controls + Auto - Base color theme - Bass Boost - Bio + Biography + Just Black + Blacklist + Blur Blur Card + Unable to send report Invalid access token. Please contact the app developer. Issues are not enabled for the selected repository. Please contact the app developer. @@ -92,45 +113,56 @@ Please enter an issue title Please enter your valid GitHub username An unexpected error occurred. Sorry you found this bug, if it keeps crashing \"Clear app data\" or send an Email - Uploading report to GitHub… Send using GitHub account + Buy now + Cancel + Card - Circular Colored Card Card - Carousel + Carousel effect on the now playing screen + Cascading - Cast + Changelog Changelog maintained on the Telegram channel + Circle + Circular + Classic + Clear - Clear app data Clear blacklist Clear queue - Clear playlist - %1$s? This can\u2019t be undone!]]> - Close + Color - Color + Colors + Composer + Copied device info to clipboard. + Couldn\u2019t create playlist. "Couldn\u2019t download a matching album cover." Could not restore purchase. Could not scan %d files. + Create + Created playlist %1$s. + Members and contributors + Currently listening to %1$s by %2$s. + Kinda Dark - No Lyrics + Delete playlist %1$s?]]> Delete playlists @@ -139,42 +171,62 @@ Delete songs %1$d playlists?]]> %1$d songs?]]> + Deleted %1$d songs. - Deleting songs + Depth + Description + Device info + Allow Retro Music to modify audio settings Set ringtone + Do you want to clear the blacklist? %1$s from the blacklist?]]> + Donate If you think I deserve to get paid for my work, you can leave some money here + Buy me a: - Download from Last.fm + Drive mode - Edit - Edit cover + Empty + Equalizer - Error + FAQ + Favorites + Finish last song + Fit + Flat + Folders + Follow system + For you + Free + Full Full card + Change the theme and colors of the app Look and feel + Genre + Genres + Fork the project on GitHub - Join the Google Plus community where you can ask for help or follow Retro Music updates + 1 2 3 @@ -184,16 +236,25 @@ 7 8 Grid style + Hinge + History + Home + Horizontal flip + Image Gradient image Change artist image download settings + Inserted %1$d songs into the playlist %2$s. + Share your Retro Music setup to showcase on Instagram + Keyboard + Bitrate Format File name @@ -202,31 +263,45 @@ More from %s Sampling rate Length + Labeled + Last added Last song - Let\'s play some music - Library + Library categories + Licenses + Clearly White + Listeners + Listing files + Loading products… + Login + Lyrics + Made with ❤️ in India + Material + Error Permission error + Name Most played + Never - New banner photo + New playlist - New profile photo %s is the new start directory. + Next Song + You have no albums You have no artists "Play a song first, then try again." @@ -238,45 +313,59 @@ No purchase found. No results You have no songs + Normal Normal lyrics - Normal + %s is not listed in the media store.]]> + Nothing to scan. Nothing to see + Notification Customize the notification style + Now playing Now playing queue Customize the now playing screen 9+ now playing themes + Only on Wi-Fi + Advanced testing features + Other + Password + Past 3 months - Paste lyrics here + Peak + Permission to access external storage denied. + Permissions denied. + Personalize Customize your now playing and UI controls + Pick from local storage - Pick image + Pinterest Follow Pinterest page for Retro Music design inspiration + Plain + The playing notification provides actions for play/pause etc. Playing notification - Empty playlist + Playlist is empty Playlist name + Playlists - Album detail style + Amount of blur applied for blur themes, lower is faster Blur amount - Adjust the bottom sheet dialog corners - Dialog corner Filter songs by length Filter song duration Advanced @@ -293,9 +382,7 @@ Pause on zero Keep in mind that enabling this feature may affect battery life Keep the screen on - Click to open with or slide to without transparent navigation of now playing screen - Click or Slide - Snow fall effect + Select language Use the currently playing song album cover as the lockscreen wallpaper Lower the volume when a system sound is played or a notification is received The content of blacklisted folders is hidden from your library. @@ -305,21 +392,17 @@ Use the classic notification design The background and control button colors change according to the album art from the now playing screen Colors the app shortcuts in the accent color. Every time you change the color please toggle this to take effect - Colors the navigation bar in the primary color "Colors the notification in the album cover\u2019s vibrant color" As per Material Design guide lines in dark mode colors should be desaturated - Most dominant color will be picked from the album or artist cover + Clicking on the notification will show now playing screen instead of the home screen Add extra controls for mini player Show extra Song information, such as file format, bitrate and frequency "Can cause playback issues on some devices." - Toggle genre tab Show or hide the home banner Can increase the album cover quality, but causes slower image loading times. Only enable this if you have problems with low resolution artworks Configure visibility and order of library categories. Use Retro Music\'s custom lockscreen controls License details for open source software - Round the app\'s edges - Toggle titles for the bottom navigation bar tabs Immersive mode Start playing immediately after headphones are connected Shuffle mode will turn off when playing a new list of songs @@ -327,75 +410,76 @@ Show album cover Album cover theme Album cover skip - Album grid Colored app shortcuts - Artist grid Reduce volume on focus loss Auto-download artist images Blacklist Bluetooth playback Blur album cover - Choose equalizer Classic notification design Adaptive color Colored notification Desaturated color + Show now playing screen Extra controls Song info Gapless playback App theme - Show genre tab Artist grid Banner Ignore Media Store covers Last added playlist interval Fullscreen controls - Colored navigation bar Now playing theme Open source licences - Corner edges Tab titles mode Carousel effect - Dominant color Fullscreen app - Tab titles Auto-play Shuffle mode Volume controls - User info - Primary color - The primary theme color, defaults to blue grey, for now works with dark colors + Pro Black theme, Now playing themes, Carousel effect and more.. + Profile + Purchase - *Think before buying, don\'t ask for refund. + Playing Queue + Rate the app Love this app? Let us know in the Google Play Store how we can make it even better + Recent albums Recent artists + Remove - Remove banner photo Remove cover Remove from blacklist - Remove profile photo Remove song from playlist %1$s from the playlist?]]> Remove songs from playlist %1$d songs from the playlist?]]> + Rename playlist + Report an issue Report bug + Reset Reset artist image + Restore + Restored previous purchase. Please restart the app to make use of all features. Restored previous purchases. + Restoring purchase… - Retro Music Equalizer + Retro Music Player Retro Music Pro + File delete failed: %s Can\'t get SAF URI @@ -408,37 +492,48 @@ Do not open any sub-folders Tap \'select\' button at the bottom of the screen File write failed: %s + Save Save as file Save as files + Saved playlist to %s. + Saving changes + Scan media + Scanned %1$d of %2$d files. + Scrobbles - Search your library… + Select all - Select banner photo + Selected - Send crash log + Set Set artist image - Set a profile photo + Share app Share to Stories + Shuffle + Simple + Sleep timer canceled. Sleep timer set for %d minutes from now. - Slide - Small album + Social Share story + Song Song duration + Songs + Sort order Ascending Album @@ -448,93 +543,91 @@ Date modified Year Descending + Sorry! Your device doesn\'t support speech input Search your library + Stack + Start playing music. + Suggestions - Just show your name on home screen + Support development + Swipe to unlock + Synced lyrics - System Equalizer + Telegram Join the Telegram group to discuss bugs, make suggestions, show off and more + Thank you! + The audio file + This month This week This year + Tiny + Tiny card + Title - Dashboard - Good afternoon - Good day - Good evening - Good morning - Good night - What\'s Your Name + Today + Top albums Top artists + "Track (2 for track 2 or 3004 for CD3 track 4)" Track number + Translate Help us translate the app to your language + + Try Retro Music Premium + Twitter Share your design with Retro Music + Unlabeled + Couldn\u2019t play this song. + Up next + Update image + Updating… + Username + Version + Vertical flip - Virtualizer + Volume + Web search + Welcome, + What do you want to share? + What\'s New + Window Rounded corners + Set %1$s as your ringtone. %1$d selected + Year + You have to select at least one category. You will be forwarded to the issue tracker website. + Your account data is only used for authentication. - Amount - Note(Optional) - Start payment - Show now playing screen - Clicking on the notification will show now playing screen instead of the home screen - Tiny card - About %s - Select language - Translators - The people who helped translate this app - Try Retro Music Premium - - Song - Songs - - - Album - Albums - - - %d Song - %d Songs - - - %d Album - %d Albums - - - %d Artist - %d Artists - diff --git a/app/src/main/res/values-fi-rFI/strings.xml b/app/src/main/res/values-fi-rFI/strings.xml index c4438228..b599615c 100644 --- a/app/src/main/res/values-fi-rFI/strings.xml +++ b/app/src/main/res/values-fi-rFI/strings.xml @@ -1,14 +1,16 @@ + About %s Team, social links + Accent color The theme accent color, defaults to purple + About Add to favorites Add to playing queue Add to playlist Clear playing queue - Clear playlist Cycle repeat mode Delete Delete from device @@ -46,19 +48,32 @@ Tag editor Toggle favorite Toggle shuffle mode + Adaptive + Add - Add lyrics - Add \nphoto "Add to playlist" - Add time frame lyrics + "Added 1 title to the playing queue." Added %1$d titles to the playing queue. + Album + + + Song + Songs + + Album artist - The title or artist is empty. + Albums + + Album + Albums + + Always + Hey check out this cool music player at: https://play.google.com/store/apps/details?id=%s Shuffle Top Tracks @@ -67,19 +82,25 @@ Classic Small Text + Artist + Artists + Audio focus denied. Change the sound settings and adjust the equalizer controls + Auto - Base color theme - Bass Boost - Bio + Biography + Just Black + Blacklist + Blur Blur Card + Unable to send report Invalid access token. Please contact the app developer. Issues are not enabled for the selected repository. Please contact the app developer. @@ -92,45 +113,56 @@ Please enter an issue title Please enter your valid GitHub username An unexpected error occurred. Sorry you found this bug, if it keeps crashing \"Clear app data\" or send an Email - Uploading report to GitHub… Send using GitHub account + Buy now + Cancel + Card - Circular Colored Card Card - Carousel + Carousel effect on the now playing screen + Cascading - Cast + Changelog Changelog maintained on the Telegram channel + Circle + Circular + Classic + Clear - Clear app data Clear blacklist Clear queue - Clear playlist - %1$s? This can\u2019t be undone!]]> - Close + Color - Color + Colors + Composer + Copied device info to clipboard. + Couldn\u2019t create playlist. "Couldn\u2019t download a matching album cover." Could not restore purchase. Could not scan %d files. + Create + Created playlist %1$s. + Members and contributors + Currently listening to %1$s by %2$s. + Kinda Dark - No Lyrics + Delete playlist %1$s?]]> Delete playlists @@ -139,42 +171,62 @@ Delete songs %1$d playlists?]]> %1$d songs?]]> + Deleted %1$d songs. - Deleting songs + Depth + Description + Device info + Allow Retro Music to modify audio settings Set ringtone + Do you want to clear the blacklist? %1$s from the blacklist?]]> + Donate If you think I deserve to get paid for my work, you can leave some money here + Buy me a: - Download from Last.fm + Drive mode - Edit - Edit cover + Empty + Equalizer - Error + FAQ + Favorites + Finish last song + Fit + Flat + Folders + Follow system + For you + Free + Full Full card + Change the theme and colors of the app Look and feel + Genre + Genres + Fork the project on GitHub - Join the Google Plus community where you can ask for help or follow Retro Music updates + 1 2 3 @@ -184,16 +236,25 @@ 7 8 Grid style + Hinge + History + Home + Horizontal flip + Image Gradient image Change artist image download settings + Inserted %1$d songs into the playlist %2$s. + Share your Retro Music setup to showcase on Instagram + Keyboard + Bitrate Format File name @@ -202,31 +263,45 @@ More from %s Sampling rate Length + Labeled + Last added Last song - Let\'s play some music - Library + Library categories + Licenses + Clearly White + Listeners + Listing files + Loading products… + Login + Lyrics + Made with ❤️ in India + Material + Error Permission error + Name Most played + Never - New banner photo + New playlist - New profile photo %s is the new start directory. + Next Song + You have no albums You have no artists "Play a song first, then try again." @@ -238,45 +313,59 @@ No purchase found. No results You have no songs + Normal Normal lyrics - Normal + %s is not listed in the media store.]]> + Nothing to scan. Nothing to see + Notification Customize the notification style + Now playing Now playing queue Customize the now playing screen 9+ now playing themes + Only on Wi-Fi + Advanced testing features + Other + Password + Past 3 months - Paste lyrics here + Peak + Permission to access external storage denied. + Permissions denied. + Personalize Customize your now playing and UI controls + Pick from local storage - Pick image + Pinterest Follow Pinterest page for Retro Music design inspiration + Plain + The playing notification provides actions for play/pause etc. Playing notification - Empty playlist + Playlist is empty Playlist name + Playlists - Album detail style + Amount of blur applied for blur themes, lower is faster Blur amount - Adjust the bottom sheet dialog corners - Dialog corner Filter songs by length Filter song duration Advanced @@ -293,9 +382,7 @@ Pause on zero Keep in mind that enabling this feature may affect battery life Keep the screen on - Click to open with or slide to without transparent navigation of now playing screen - Click or Slide - Snow fall effect + Select language Use the currently playing song album cover as the lockscreen wallpaper Lower the volume when a system sound is played or a notification is received The content of blacklisted folders is hidden from your library. @@ -305,21 +392,17 @@ Use the classic notification design The background and control button colors change according to the album art from the now playing screen Colors the app shortcuts in the accent color. Every time you change the color please toggle this to take effect - Colors the navigation bar in the primary color "Colors the notification in the album cover\u2019s vibrant color" As per Material Design guide lines in dark mode colors should be desaturated - Most dominant color will be picked from the album or artist cover + Clicking on the notification will show now playing screen instead of the home screen Add extra controls for mini player Show extra Song information, such as file format, bitrate and frequency "Can cause playback issues on some devices." - Toggle genre tab Show or hide the home banner Can increase the album cover quality, but causes slower image loading times. Only enable this if you have problems with low resolution artworks Configure visibility and order of library categories. Use Retro Music\'s custom lockscreen controls License details for open source software - Round the app\'s edges - Toggle titles for the bottom navigation bar tabs Immersive mode Start playing immediately after headphones are connected Shuffle mode will turn off when playing a new list of songs @@ -327,75 +410,76 @@ Show album cover Album cover theme Album cover skip - Album grid Colored app shortcuts - Artist grid Reduce volume on focus loss Auto-download artist images Blacklist Bluetooth playback Blur album cover - Choose equalizer Classic notification design Adaptive color Colored notification Desaturated color + Show now playing screen Extra controls Song info Gapless playback App theme - Show genre tab Artist grid Banner Ignore Media Store covers Last added playlist interval Fullscreen controls - Colored navigation bar Now playing theme Open source licences - Corner edges Tab titles mode Carousel effect - Dominant color Fullscreen app - Tab titles Auto-play Shuffle mode Volume controls - User info - Primary color - The primary theme color, defaults to blue grey, for now works with dark colors + Pro Black theme, Now playing themes, Carousel effect and more.. + Profile + Purchase - *Think before buying, don\'t ask for refund. + Playing Queue + Rate the app Love this app? Let us know in the Google Play Store how we can make it even better + Recent albums Recent artists + Remove - Remove banner photo Remove cover Remove from blacklist - Remove profile photo Remove song from playlist %1$s from the playlist?]]> Remove songs from playlist %1$d songs from the playlist?]]> + Rename playlist + Report an issue Report bug + Reset Reset artist image + Restore + Restored previous purchase. Please restart the app to make use of all features. Restored previous purchases. + Restoring purchase… - Retro Music Equalizer + Retro Music Player Retro Music Pro + File delete failed: %s Can\'t get SAF URI @@ -408,37 +492,48 @@ Do not open any sub-folders Tap \'select\' button at the bottom of the screen File write failed: %s + Save Save as file Save as files + Saved playlist to %s. + Saving changes + Scan media + Scanned %1$d of %2$d files. + Scrobbles - Search your library… + Select all - Select banner photo + Selected - Send crash log + Set Set artist image - Set a profile photo + Share app Share to Stories + Shuffle + Simple + Sleep timer canceled. Sleep timer set for %d minutes from now. - Slide - Small album + Social Share story + Song Song duration + Songs + Sort order Ascending Album @@ -448,93 +543,91 @@ Date modified Year Descending + Sorry! Your device doesn\'t support speech input Search your library + Stack + Start playing music. + Suggestions - Just show your name on home screen + Support development + Swipe to unlock + Synced lyrics - System Equalizer + Telegram Join the Telegram group to discuss bugs, make suggestions, show off and more + Thank you! + The audio file + This month This week This year + Tiny + Tiny card + Title - Dashboard - Good afternoon - Good day - Good evening - Good morning - Good night - What\'s Your Name + Today + Top albums Top artists + "Track (2 for track 2 or 3004 for CD3 track 4)" Track number + Translate Help us translate the app to your language + + Try Retro Music Premium + Twitter Share your design with Retro Music + Unlabeled + Couldn\u2019t play this song. + Up next + Update image + Updating… + Username + Version + Vertical flip - Virtualizer + Volume + Web search + Welcome, + What do you want to share? + What\'s New + Window Rounded corners + Set %1$s as your ringtone. %1$d selected + Year + You have to select at least one category. You will be forwarded to the issue tracker website. + Your account data is only used for authentication. - Amount - Note(Optional) - Start payment - Show now playing screen - Clicking on the notification will show now playing screen instead of the home screen - Tiny card - About %s - Select language - Translators - The people who helped translate this app - Try Retro Music Premium - - Song - Songs - - - Album - Albums - - - %d Song - %d Songs - - - %d Album - %d Albums - - - %d Artist - %d Artists - diff --git a/app/src/main/res/values-fr-rFR/strings.xml b/app/src/main/res/values-fr-rFR/strings.xml index c1d97674..7d53593f 100644 --- a/app/src/main/res/values-fr-rFR/strings.xml +++ b/app/src/main/res/values-fr-rFR/strings.xml @@ -1,14 +1,16 @@ + About %s Équipe, liens sociaux + Couleur d\'accentuation La couleur d\'accentuation du thème, verte par défaut + À propos Ajouter aux favoris Ajouter à la file d\'attente Ajouter à la playlist Vider la file d\'attente - Vider la playlist Mode de répétition du cycle Supprimer Supprimer de l\'appareil @@ -46,19 +48,32 @@ Éditeur de tag Activer/désactiver les favoris Jouer en aléatoire + Adaptatif + Ajouter - Ajouter paroles - Ajouter\nune photo "Ajouter à playlist" - Add time frame lyrics + "1 titre à été ajoutée à la file d'attente." %1$d titres ont été ajoutés à la file d\'attente. + Album + + + Song + Songs + + Artiste de l\'album - Le titre ou l\'artiste est vide. + Albums + + Album + Albums + + Toujours + Hey, jetez un coup d\'œil à ce super lecteur de musique : https://play.google.com/store/apps/details?id=%s Aléatoire Pistes préférées @@ -67,19 +82,25 @@ Retro Music – Classique Retro Music – Petit Texte + Artiste + Artistes + Focus audio refusé. Changer les paramètres audio et ajuster l\'égaliseur + Auto - Couleur de base du thème - Renforcement des basses - Biographie + Biographie + Juste noir + Liste noire + Flou Carte floue + Impossible d\'envoyer le rapport de bug Jeton d\'accès invalide. Veuillez contacter le développeur de l\'application. Les problèmes ne sont pas activés pour le dépôt sélectionné. Veuillez contacter le développeur de l\'application. @@ -92,45 +113,56 @@ Veuillez entrer un titre pour le problème Veuillez entrer votre nom d\'utilisateur GitHub valide Une erreur imprévue s\'est produite. Nous sommes désolé que vous ayez rencontré ce bug, si l\'application continue de planter, effacez les données de l\'application - Envoi du rapport de bug sur GitHub... Envoyer en utilisant un compte GitHub + Acheter maintenant + Annuler + Carte - Circulaire Cartes colorées Carte - Carousel + Effet carousel sur l\'écran de lecture en cours + En cascade - Caster + Liste des changements Liste des changements maintenu sur la canal Telegram + Circle + Circulaire + Classique + Effacer - Effacer les données d\'application Effacer la liste noire Vider la file d\'attente - Effacer la liste de lecture - %1$s ? Cette action ne pourra pas \u00eatre annul\u00e9e !]]> - Fermer + Couleur - Couleur + Couleurs + Compositeur + Informations sur l\'appareil copiées dans le presse-papier. + La liste de lecture n\'a pas pu \u00eatre cr\u00e9\u00e9e. "Impossible de t\u00e9l\u00e9charger une image d'album qui corresponde." Les achats n\'ont pas pu être restaurés. Les fichiers %d n\'ont pas pu être scanné. + Créer + Liste de lecture %1$s créée. + Membres et contributeurs + Vous écoutez actuellement %1$s par %2$s. + Plutôt Sombre - Pas de Paroles + Supprimer la liste de lecture %1$s ?]]> Supprimer les listes de lecture @@ -139,42 +171,62 @@ Supprimer les morceaux %1$d ?]]> %1$d ?]]> + %1$d à été supprimé. - Deleting songs + Profondeur + Description + Infos sur l\'appareil + Autoriser la musique Retro pour modifier les paramètres audio Set ringtone + Voulez vous vraiment vider la liste noire ? %1$s de la liste noire ?]]> + Faire un don Si vous pensez que je mérite d\'être payé pour mon travail, vous pouvez me donner quelques dollars ici + Achetez moi : - Télécharger via Last.fm + Drive mode - Modifier - Modifier la couverture + Vide + Égaliseur - Erreur + FAQ + Favoris + Finissez la dernière chanson + Adapter + Plat + Dossiers + Follow system + Pour vous + Free + Plein Carte complète + Changer le thème et les couleurs de l\'application Apparence + Genre + Genres + Cloner le projet sur GitHub - Rejoignez la communauté Google Plus, où vous pouvez demander de l\'aide ou suivre les mises à jour de Retro Music + 1 2 3 @@ -183,17 +235,27 @@ 6 7 8 - Styles d'affichage + + Les Grilles & Le Style + Charnière + Historique + Accueil + Balayage horizontal + Image Le Gradient de l\'image Changer les paramètres de téléchargement des photos d\'artistes + %1$d morceaux ont été inséré dans la liste %2$s. + Partager votre configuration de Retro Music pour la montrer sur Instagram + Clavier + Débit Format Nom du fichier @@ -202,31 +264,45 @@ More from %s Taux d’échantillonnage Longueur + Étiqueté + Dernier ajout Dernière Chanson - Jouons un peu de musique - Bibliothèque + Catégories + Licences + Clairement blanc + Listeners + Listage des fichiers + Chargement des produits… + Se connecter + Paroles + Fait avec ❤️ en Inde + Material + Erreur Erreur d\'autorisation + Mon nom Plus jouées + jamais - Nouvelle bannière photo + Nouvelle liste de lecture - Nouvelle photo de profil %s est le nouveau dossier de départ. + Prochaine Chanson + Pas d\'albums Pas d\'artistes "Lancez d'abord un morceau, puis réessayez." @@ -238,45 +314,59 @@ Aucun achat trouvé Aucun résultat Aucun morceau + Normal Paroles normales - Normal + %s n\'est pas repertorié dans le stockage média.]]> + Rien à scanner. Rien à afficher + Notification Personnaliser le style de notification + Lecture en cours File d\'attente Personnaliser l\'écran de lecture 9+ thèmes d\'écran de lecture en cours + Uniquement via Wi-Fi + Fonctions de test avancées + Autre + Mot de passe + 3 derniers mois - Coller les paroles ici + Peak + La permission pour accéder au stockage externe a été refusée. + Permission refusée. + Personnaliser Personnalisez le lecteur et l\'interface + Sélectionner depuis le stockage - Choisissez l\'image + Pinterest Suivez la page de Pintrest pour la musique Retro. + Simple + La notification de lecture fournit des actions pour la lecture / pause etc. Lecture de la notification - Liste de lecture vide + Cette liste de lecture est vide Nom de la liste de lecture + Listes de lecture - Style du détail de l\'album + Quantité de flou appliqué aux thèmes flous, bas est plus rapide Quantité de flou - Adjust the bottom sheet dialog corners - Dialog corner Filtrer les sons par temps Filtre de la durée de la chanson Avancé @@ -293,9 +383,7 @@ Pause sur zéro Veuillez garder en tête que l\'activation de cette fonctionnalité peut réduire la durée de vie de la batterie Garder l\'écran allumé - Cliquez pour ouvrir avec ou glisser à sans navigation transparente de l\'écran de lecture - Cliquez ou balayez - Effet chute de neige + Select language Utiliser la couverture d\'album de la piste en cours de lecture comme fond sur l\'écran de verrouillage Baisser le volume quand un son système ou une notification est reçue Le contenu des dossiers en liste noire est masqué de votre bibliothèque. @@ -305,21 +393,17 @@ Utiliser le design classique pour les notifications La couleur du fond et des boutons de contrôles change en fonction de l\'image d\'album sur l\'écran de lecture en cours Les raccourcis rapides de l\'application prendront la couleur d\'accent. Chaque fois que vous changez de couleur, veuillez activer ceci afin que le changement soit pris en compte - Colorer la barre de navigation avec la couleur primaire "Colorer la notification avec la couleur dominante des couvertures d'albums" As per Material Design guide lines in dark mode colors should be desaturated - La couleur dominante sera choisie depuis la couverture de l\'album ou de l\'artiste + Clicking on the notification will show now playing screen instead of the home screen Ajouter des contrôles supplémentaires pour le mini lecteur Show extra Song information, such as file format, bitrate and frequency "Peut causer des problèmes de lecture sur certains appareils." - Activer/désactiver l\'onglet Genres Changer le style de la bannière sur l\'accueil Peut améliorer la qualité de l\'image d\'album, mais ralenti le chargement des images. N\'activez ceci que si vous avez des problèmes avec les images basse résolution Configurer la visibilité et l\'ordre des catégories de la librairie. Utiliser les contrôles personnalisés de Retro Music sur l\'écran de verrouillage Détails des licences pour les logiciels open source - Coins arrondis pour les bords de l\'application - Activer/désactiver les titres des onglets du bas Mode immersif Commencer immédiatement la lecture lors du branchement d\'un casque Le mode aléatoire se désactivera lors de la lecture d\'une nouvelle liste de morceaux @@ -327,75 +411,76 @@ Afficher la couverture de l\'album Thème de la couverture d\'album Style du balayage de l\'image d\'album - Grille d\'albums Raccourcis d\'application colorés - Grille d\'artistes Réduire le volume à la perte de focus Télécharger automatiquement les photos des artistes Liste noire Bluetooth playback Flouter la couverture d\'album - Choisir l\'égalisateur Design de notification classique Couleur adaptative Notification colorée Desaturated color + Show now playing screen Contrôles supplémentaires Détails sur la musique Lecture sans blanc Thème de l\'application - Montrer l\'onglet Genres Disposition de la grille d\'artistes sur l\'accueil Bannière d\'accueil Ignorer les couvertures du stockage média Intervalle de dernière liste de lecture ajoutée Contrôles plein-écran - Barre de navigation colorée Thème d\'écran de lecture Licences open source - Angles arrondis Mode Titres onglets Effet carousel - Couleur dominante App en plein écran - Titres onglets Lecture automatique Mode aléatoire Contrôles de volume - Informations utilisateur - Couleur primaire - La couleur de thème primaire, par défaut bleu-gris, fonctionne maintenant avec les couleurs sombres + Pro Maintenant les thèmes de jeu, L\'effet de carrousel, thème de couleur et plus.. + Profil + Acheter - * Veuillez bien réfléchir avant d\'acheter ! Ne demandez pas de remboursement. + File d\'attente + Noter l\'application Vous aimez l\'application ? Faites-le nous savoir sur le Play Store afin que nous puissions l\'améliorer davantage + Albums récents Artistes récents + Supprimer - Retirer la bannière photo Supprimer la couverture Retirer de la liste noire - Supprimer la photo de profil Supprimer le morceau de la liste de lecture %1$s de la liste de lecture ?]]> Retirer le morceau de la liste de lecture %1$d morceaux de la liste de lecture ?]]> + Renommer la liste de lecture + Signaler un problème Signaler un bug + Réinitialiser Réinitialiser la photo de l\'artiste + Restaurer + Achat précédent restauré. Veuillez redémarrer l\'application pour utiliser toutes les fonctionnalités. Achats précédents restaurés. + Restauration de l\'achat… - Égaliseur Retro Music + Retro Music Player Retro Music Pro + File delete failed: %s Can\'t get SAF URI @@ -408,37 +493,48 @@ Do not open any sub-folders Tap \'select\' button at the bottom of the screen File write failed: %s + Enregistrer Enregistrer en tant que fichier Enregistrer en tant que fichiers + Liste de lecture enregistrée vers %s + Enregistrement des changements + Scanner le média + Fichier %1$d sur %2$d scanné + Scrobbles - Recherche dans votre bibliothèque… + Tout sélectionner - Choisir la bannière photo + Sélectionné - Envoyer le journal du crash + Définir Définir photo de l\'artiste - Définir une photo de profil + Partager l\'app Share to Stories + Aléatoire + Simple + Minuteur d\'extinction annulé. Extinction dans %d minutes. - Diapositive - Petit album + Social Share story + Morceau Durée du morceau + Morceaux + Ordre de classement Ascendant Album @@ -448,93 +544,92 @@ Date de modification Année Descendant + Désolé, votre appareil ne supporte pas l\'entrée vocale Rechercher dans votre bibliothèque + Pile + Commencer à jouer de la musique. + Suggestions - N\'afficher que votre nom sur l\'écran d\'accueil + Aider le développement + Glisser pour déverrouiller + Paroles synchronisées - Égalisateur système + Telegram Rejoignez le groupe Telegram pour discuter des bugs, faire des suggestions, montrer votre configuration, etc. + Merci ! + Le fichier audio + Ce mois Cette semaine Cette année + Petit + Petite carte + Titre - Tableau de bord - Bon après-midi - Bonne journée - Bonsoir - Bonne journée - Bonne soirée - Quel est ton nom + Aujourd\'hui + Top albums Top artistes + "Morceau (2 pour morceau 2, 3004 pour morceau 4 du CD 3)" Numéro du morceau + Traduction Aidez-nous à traduire l\'application dans votre langue + + Essayer Retro Music Premium + Twitter Partager votre design avec Retro Music + Non étiqueté + Impossible de lire ce morceau. + À suivre + Mettre à jour l\'image + Mise à jour... + Nom d\'utilisateur + version + Balayage vertical - Virtualisateur + Volume + Recherche internet - Bonjour, + + Bienvenue, + + Que souhaitez-vous partager ? + Quoi de neuf + Fenêtre Bords arrondis + Définir %1$s comme sonnerie. %1$d sélectionné + Année + Vous devez sélectionner au moins une catégorie. Vous allez être redirigé vers le site web de suivi des problèmes. + Vos données de compte sont utilisées uniquement pour vous authentifier. - Amount - Note (Optionnel) - Commencer le paiement - Show now playing screen - Clicking on the notification will show now playing screen instead of the home screen - Petite carte - About %s - Select language - Translators - Les personnes qui ont contribué à traduire cette application - Essayer Retro Music Premium - - Song - Songs - - - Album - Albums - - - %d Song - %d Songs - - - %d Album - %d Albums - - - %d Artist - %d Artists - diff --git a/app/src/main/res/values-hi-rIN/strings.xml b/app/src/main/res/values-hi-rIN/strings.xml index d5551022..24252bf2 100644 --- a/app/src/main/res/values-hi-rIN/strings.xml +++ b/app/src/main/res/values-hi-rIN/strings.xml @@ -1,14 +1,16 @@ + About %s टीम, सामाजिक लिंक + एक्सेंट रंग एक्सेंट विषयवस्तु रंग, डिफ़ॉल्ट हरा है। + इसके बारे में पसंदीदा में जोड़े कतार में जोड़ें प्लेलिस्ट में जोड़ें कतार निकाल दे - प्लेलिस्ट निकाल दे साइकिल रिपीट मोड हटाएं डिवाइस से हटाएं @@ -46,19 +48,32 @@ टैग एडिटर पसंदीदा टॉगल करें शफल मोड को टॉगल करें + अनुकूली + जोड़ें - गीत जोड़ें - फ़ोटो\nजोड़ें "प्लेलिस्ट में जोड़ें" - समय सीमा गीत जोड़ें + "कतार मे 1 शीर्षक जोड़ा गया है।" कतार मे %1$d शीर्षक जोड़ा गया है। + एल्बम + + + Song + Songs + + एल्बम कलाकार - शीर्षक या कलाकार खाली है + एल्बम + + Album + Albums + + हमेशा + इस बढ़िया म्यूजिक प्लेयर को यहां देखें:https://play.google.com/store/apps/details?id=%s शफ़ल टॉप गीत @@ -67,19 +82,25 @@ रेट्रो म्यूजिक - क्लासिक Small Text + कलाकार + कलाकार + ऑडियो फोकस से इनकार किया। ध्वनि सेटिंग्स बदलें और तुल्यकारक नियंत्रण समायोजित करें + ऑटो - आधार रंग विषय - मंद्र को बढ़ाना - जैव + जीवनी + सिर्फ काला + ब्लैकलिस्ट + कलंक ब्लर कार्ड + रिपोर्ट भेजने में असमर्थ अमान्य प्रवेश टोकन। कृपया ऐप डेवलपर से संपर्क करें। चयनित रिपॉजिटरी के लिए समस्याएँ सक्षम नहीं हैं। कृपया ऐप डेवलपर से संपर्क करें। @@ -92,45 +113,56 @@ कृपया एक समस्या शीर्षक दर्ज करें कृपया अपना वैध GitHub उपयोगकर्ता नाम दर्ज करें एक अप्रत्याशित त्रुटि हुई। क्षमा करें, आपको यह बग मिल गया है, अगर यह \"क्लियर ऐप डेटा\" को क्रैश करता है या ईमेल भेजता है - GitHub पर रिपोर्ट अपलोड कर रहा है ... GitHub खाते का उपयोग करके भेजें + अभी खरीदें + वर्तमान टाइमर को रद्द करें + कार्ड - परिपत्र Colored Card Card - Carousel + Carousel effect on the now playing screen + Cascading - Cast + चेंजलाग साफ़ + Circle + Circular + Classic + साफ़ - Clear app data Clear blacklist Clear queue - Clear playlist - %1$s? This can\u2019t be undone!]]> - Close + Color - Color + Colors + Composer + Copied device info to clipboard. + Couldn\u2019t create playlist. "Couldn\u2019t download a matching album cover." Could not restore purchase. Could not scan %d files. + Create + Created playlist %1$s. + Members and contributors + Currently listening to %1$s by %2$s. + Kinda Dark - No Lyrics + Delete playlist %1$s?]]> Delete playlists @@ -139,42 +171,62 @@ Delete songs %1$d playlists?]]> %1$d songs?]]> + Deleted %1$d songs. - Deleting songs + Depth + Description + Device info + Allow Retro Music to modify audio settings Set ringtone + Do you want to clear the blacklist? %1$s from the blacklist?]]> + Donate If you think I deserve to get paid for my work, you can leave some money here + Buy me a: - Download from Last.fm + Drive mode - Edit - Edit cover + Empty + Equalizer - Error + FAQ + Favorites + Finish last song + Fit + Flat + Folders + Follow system + For you + Free + Full Full card + Change the theme and colors of the app Look and feel + Genre + Genres + Fork the project on GitHub - Join the Google Plus community where you can ask for help or follow Retro Music updates + 1 2 3 @@ -184,16 +236,25 @@ 7 8 Grid style + Hinge + History + Ghar + Horizontal flip + Image Gradient image Change artist image download settings + Inserted %1$d songs into the playlist %2$s. + Share your Retro Music setup to showcase on Instagram + Keyboard + Bitrate Format File name @@ -202,31 +263,45 @@ More from %s Sampling rate Length + Labeled + Last added Last song - Let\'s play some music - Library + Library categories + Licenses + Clearly White + Listeners + Listing files + Loading products… + Login + Lyrics + Made with ❤️ in India + Material + Error Permission error + Name Most played + Never - New banner photo + New playlist - New profile photo %s is the new start directory. + Next Song + You have no albums You have no artists "Play a song first, then try again." @@ -238,45 +313,59 @@ No purchase found. No results You have no songs + Normal Normal lyrics - Normal + %s is not listed in the media store.]]> + Nothing to scan. Nothing to see + Notification Customize the notification style + Now playing Now playing queue Customize the now playing screen 9+ now playing themes + Only on Wi-Fi + Advanced testing features + Other + Password + Past 3 months - Paste lyrics here + Peak + Permission to access external storage denied. + Permissions denied. + Personalize Customize your now playing and UI controls + Pick from local storage - Pick image + Pinterest Follow Pinterest page for Retro Music design inspiration + Plain + The playing notification provides actions for play/pause etc. Playing notification - Empty playlist + Playlist is empty Playlist name + Playlists - Album detail style + Amount of blur applied for blur themes, lower is faster Blur amount - Adjust the bottom sheet dialog corners - Dialog corner Filter songs by length Filter song duration Advanced @@ -293,9 +382,7 @@ Pause on zero Keep in mind that enabling this feature may affect battery life Keep the screen on - Click to open with or slide to without transparent navigation of now playing screen - Click or Slide - Snow fall effect + Select language Use the currently playing song album cover as the lockscreen wallpaper Lower the volume when a system sound is played or a notification is received The content of blacklisted folders is hidden from your library. @@ -305,21 +392,17 @@ Use the classic notification design The background and control button colors change according to the album art from the now playing screen Colors the app shortcuts in the accent color. Every time you change the color please toggle this to take effect - Colors the navigation bar in the primary color "Colors the notification in the album cover\u2019s vibrant color" As per Material Design guide lines in dark mode colors should be desaturated - Most dominant color will be picked from the album or artist cover + Clicking on the notification will show now playing screen instead of the home screen Add extra controls for mini player Show extra Song information, such as file format, bitrate and frequency "Can cause playback issues on some devices." - Toggle genre tab Show or hide the home banner Can increase the album cover quality, but causes slower image loading times. Only enable this if you have problems with low resolution artworks Configure visibility and order of library categories. Use Retro Music\'s custom lockscreen controls License details for open source software - Round the app\'s edges - Toggle titles for the bottom navigation bar tabs Immersive mode Start playing immediately after headphones are connected Shuffle mode will turn off when playing a new list of songs @@ -327,75 +410,76 @@ Show album cover Album cover theme Album cover skip - Album grid Colored app shortcuts - Artist grid Reduce volume on focus loss Auto-download artist images Blacklist Bluetooth playback Blur album cover - Choose equalizer Classic notification design Adaptive color Colored notification Desaturated color + Show now playing screen Extra controls Song info Gapless playback App theme - Show genre tab Artist grid Banner Ignore Media Store covers Last added playlist interval Fullscreen controls - Colored navigation bar Now playing theme Open source licences - Corner edges Tab titles mode Carousel effect - Dominant color Fullscreen app - Tab titles Auto-play Shuffle mode Volume controls - User info - Primary color - The primary theme color, defaults to blue grey, for now works with dark colors + Pro Black theme, Now playing themes, Carousel effect and more.. + Profile + Purchase - *Think before buying, don\'t ask for refund. + Playing Queue + Rate the app Love this app? Let us know in the Google Play Store how we can make it even better + Recent albums Recent artists + Remove - Remove banner photo Remove cover Remove from blacklist - Remove profile photo Remove song from playlist %1$s from the playlist?]]> Remove songs from playlist %1$d songs from the playlist?]]> + Rename playlist + Report an issue Report bug + Reset Reset artist image + Restore + Restored previous purchase. Please restart the app to make use of all features. Restored previous purchases. + Restoring purchase… - Retro Music Equalizer + Retro Music Player Retro Music Pro + File delete failed: %s Can\'t get SAF URI @@ -408,37 +492,48 @@ Do not open any sub-folders Tap \'select\' button at the bottom of the screen File write failed: %s + Save Save as file Save as files + Saved playlist to %s. + Saving changes + Scan media + Scanned %1$d of %2$d files. + Scrobbles - Search your library… + Select all - Select banner photo + Selected - Send crash log + Set Set artist image - Set a profile photo + Share app Share to Stories + Shuffle + Simple + Sleep timer canceled. Sleep timer set for %d minutes from now. - Slide - Small album + Social Share story + Song Song duration + Songs + Sort order Ascending Album @@ -448,93 +543,91 @@ Date modified Year Descending + Sorry! Your device doesn\'t support speech input Search your library + Stack + Start playing music. + Suggestions - Just show your name on home screen + Support development + Swipe to unlock + Synced lyrics - System Equalizer + Telegram Join the Telegram group to discuss bugs, make suggestions, show off and more + Thank you! + The audio file + This month This week This year + Tiny + Tiny card + Title - Dashboard - Good afternoon - Good day - Good evening - Good morning - Good night - What\'s Your Name + Today + Top albums Top artists + "Track (2 for track 2 or 3004 for CD3 track 4)" Track number + Translate Help us translate the app to your language + + Try Retro Music Premium + Twitter Share your design with Retro Music + Unlabeled + Couldn\u2019t play this song. + Up next + Update image + Updating… + Username + Version + Vertical flip - Virtualizer + Volume + Web search + Welcome, + What do you want to share? + What\'s New + Window Rounded corners + Set %1$s as your ringtone. %1$d selected + Year + You have to select at least one category. You will be forwarded to the issue tracker website. + Your account data is only used for authentication. - Amount - Note(Optional) - Start payment - Show now playing screen - Clicking on the notification will show now playing screen instead of the home screen - Tiny card - About %s - Select language - Translators - The people who helped translate this app - Try Retro Music Premium - - Song - Songs - - - Album - Albums - - - %d Song - %d Songs - - - %d Album - %d Albums - - - %d Artist - %d Artists - diff --git a/app/src/main/res/values-hr-rHR/strings.xml b/app/src/main/res/values-hr-rHR/strings.xml index 94ef28b7..d64c27d9 100644 --- a/app/src/main/res/values-hr-rHR/strings.xml +++ b/app/src/main/res/values-hr-rHR/strings.xml @@ -1,14 +1,16 @@ + About %s Team, social links + Naglašena boja Naglašena boja teme, zadana je plavo zelena + O aplikaciji Dodaj u omiljene Dodaj u red čekanja Dodaj na popis naslova Očisti red čekanja - Očisti popis naslova Cycle repeat mode Izbriši Izbriši s uređaja @@ -46,19 +48,34 @@ Uređivač oznaka Toggle favorite Toggle shuffle mode + Prilagodljivo + Dodaj - Add lyrics - Dodaj\nsliku "Dodaj na popis naslova" - Add time frame lyrics + "Dodana 1 pjesma na red reprodukcije." Dodano %1$d pjesama na red reprodukcije. + Album + + + Song + Songs + Songs + + Izvođač albuma - Naziv ili izvođač su prazni. + Albumi + + Album + Albums + Albums + + Uvijek + Hej, pogledajte ovaj cool reproduktor glazbe: https://play.google.com/store/apps/details?id=%s Izmiješaj Najslušanije pjesme @@ -67,19 +84,25 @@ Klasičan Malen Tekst + Izvođač + Izvođači + Fokus zvuka je odbijen. Promijenite postavke zvuka i kontrole ekvalizatora + Automatski - Temeljna boja teme - Pojačalo Bassa - Biografija + Biografija + Samo crna + Crni popis + Zamagljenje Zamagljena kartica + Nije moguće poslati izvješće Pristupni token nije valjan. Molimo kontaktirajte razvojnog programera aplikacije. Problemi nisu omogućeni za odabrani repozitorij. Molimo kontaktirajte razvojnog programera aplikacije. @@ -93,45 +116,56 @@ Molimo unesite vaše valjano GitHub korisničko ime Dogodila se neočekivana pogreška. Žao nam je što ste pronašli ovu pogrešku, ako se aplikacija nastavi rušiti \"Očisti podatke aplikacije\" - Učitavanje izvješća na GitHub... Pošalji putem GitHub računa + Buy now + Odustani + Kartica - Kružno Obojena kartica Kartica - Vrtuljak + Efekt ringišpila za zaslon reprodukcije + Kaskadno - Emitiraj + Popis promjena Popis promjena održavan na Telegramu + Circle + Kružno + Classic + Očisti - Očisti podatke aplikacije Očisti crnu popis Očisti red čekanja - Očisti popis naslova - %1$s? Ovo se ne mo\u017ee poni\u0161titi!]]> - Zatvori + Boja - Boja + Boje + Composer + Informacije o uređaju su kopirane u međuspremnik. + Stvaranje popisa naslova nije uspjelo. "Preuzimanje odgovaraju\u0107eg omota albuma nije uspjelo." Vraćanje kupnje nije uspjelo. Skeniranje %d datoteke nije uspjelo. + Stvori + Popis naslova %1$s je stvoren. + Članovi i dobrinositelji + Trenutno slušaš %1$s od %2$s. + Otprilike mračna - Nema Teksta + Izbriši popis naslova %1$s?]]> Izbriši popise naslova @@ -140,43 +174,63 @@ Delete songs %1$d popisa naslova?]]> %1$d pjesama?]]> + Izbrisano je %1$d pjesama. - Deleting songs + Dubina + Opis + Informacije o uređaju + Allow Retro Music to modify audio settings Set ringtone + Želite li očistiti crni popis? %1$s sa crnog popisa?]]> + Doniraj Ako mislite da zaslužujem biti plaćen za svoj posao, možete mi ostaviti nešto novca ovdje + Kupite mi: - Preuzmi sa Last.fm-a + Drive mode - Uredi - Uredi omot + Prazno + Ekvalizator - Pogreška + Često postavljena pitanja + Favoriti + Finish last song + Podesi + Ravno + Mape + Follow system + Za vas + Free + Puno Potpuna kartica + Promijenite temu i boje aplikacije Izgled i osjećaj + Žanr + Žanri + Forkaj projekt na GitHubu - Pridružite se Google plus zajednici, gdje možete pitati za pomoć ili pratiti ažuriranja Retro Musica + 1 2 3 @@ -186,16 +240,25 @@ 7 8 Grid style + Šarka + Povijest + Početna + Horizontalni okret + Slika Gradient image Promijenite postavke preuzimanja slika izvođača + Dodano je %1$d pjesama na popis naslova %2$s. + Podjelite svoju Retro Music postavu na Instagramu + Keyboard + Brzina prijenosa Format Naziv datoteke @@ -204,31 +267,45 @@ More from %s Brzina uzorkovanja Dužina + Označeno + Posljednje dodano Last song - Reproducirajmo malo glazbe - Biblioteka + Library categories + Licence + Jasno bijela + Listeners + Popisivanje datoteka + Učitavanje proizvoda... + Prijava + Tekst + Napravljeno sa ❤️ u Indiji + Materijal + Error Permission error + Moje ime Najslušanije + Nikad - Nova slika naslovnice + Novi popis naslova - Nova slika profila %s je novi početni direktorij. + Next Song + Nema albuma Nema izvođača "Prvo reproducirajte pjesmu, zatim pokušajte ponovo." @@ -240,45 +317,59 @@ Kupnja nije pronađena. Nema rezultata Nema pjesama + Normalno Normalni tekst - Normalno + %s nije na popisu medijske pohrane.]]> + Nema stavki za skeniranje. Nothing to see + Obavijest Prilagodite stil obavijesti + Zaslon reprodukcije Red reprodukcije Prilagodite zaslon reprodukcije 9+ tema za zaslon reprodukcije + Samo na Wi-Fi-u + Advanced testing features + Ostalo + Lozinka + Prošla 3 mjeseca - Paste lyrics here + Peak + Dopuštenje za pristup eksternoj memoriji odbijeno. + Dopuštenja odbijena. + Prilagodba Prilagodite vaš zaslon reprodukcije i kontrole sučelja + Odaberi sa lokalne pohrane - Pick image + Pinterest Follow Pinterest page for Retro Music design inspiration + Jasno + Obavijest reprodukcije pruža mogućnosti reprodukcije/pauziranja itd. Obavijest reprodukcije - Prazan popis naslova + Popis naslova je prazan Naziv popisa naslova + Popisi naslova - Stil detalja albuma + Količina zamagljenja koja se primjenjuje na teme, manje je brže Količina zamagljenja - Adjust the bottom sheet dialog corners - Dialog corner Filter songs by length Filter song duration Advanced @@ -295,9 +386,7 @@ Pauziraj na nuli Imajte na umu da omogućavanje ove značajke može utjecati na trajanje baterije Drži zaslon uključenim - Dodirnite za otvaranje ili klizanje bez prozirne navigacije zaslona za reprodukciju - Klik ili klizanje - Efekt padanja snijega + Select language Koristite omot albuma trenutne pjesme kao pozadinu zaključanog zaslona. Smanjuje glasnoću kada je reproduciran zvuk sustava ili kad je stigla obavijest Sadržaj mapa na crnom popisu će biti skriven iz vaše biblioteke. @@ -307,21 +396,17 @@ Koristite klasični dizajn obavijesti Pozadina i kontrolne tipke se mijenjaju prema omotu albuma na zaslonu reprodukcije Boja prečace aplikacije u naglašenu boju. Svaki put kad promijenite boju molimo ponovno uključite ovo - Boja navigacijsku traku u primarnu boju "Boja obavijest u istaknutu boju albuma" As per Material Design guide lines in dark mode colors should be desaturated - Najdominantnija boja će biti odabrana iz omota albuma ili izvođača. + Clicking on the notification will show now playing screen instead of the home screen Dodajte dodatne kontrole za mini reproduktor Show extra Song information, such as file format, bitrate and frequency "Može uzrokovati probleme sa reprodukcijom na nekim uređajima." - Uključite/isključite karticu žanra Uključite/isključite način naslovnice na početnoj stranici Može povećati kvalitetu omota albuma, ali uzrokuje sporije učitavanje slika. Omogućite ovo samo ako imate problema sa omotima niske rezolucije Configure visibility and order of library categories. Koristite Retro Music prilagođene kontrole zaklj. zaslona Detalji o licenci za softver otvorenog koda - Zaoblite rubove aplikacije - Uključi/isključi nazive kartica pri dnu Uvjerljivi način Započni reprodukciju odmah nakon što su slušalice povezane Nasumični naćin će biti isključen prilikom sviranja novog popisa pjesama @@ -329,75 +414,76 @@ Prikaži omot albuma Teme omota albuma Preskakanje omota albuma - Rešetka albuma Obojeni prečaci aplikacije - Rešetka izvođača Smanji glasnoću pri gubitku fokusa Automatsko preuzimanje slika izvođača Crni popis Bluetooth playback Zamagli prevlaku albuma - Odaberi ekvalizator Klasični dizajn obavijesti Prilagodljiva boja Obojena obavijest Desaturated color + Show now playing screen Dodatne kontrole Song info Reprodukcija bez prekida Tema aplikacije - Prikaži karticu žanra Rešetka izvođača na početnoj stranici Naslovnica na početnoj stranici Ignoriraj omote iz medijske pohrane Interval zadnje dodanih popisa naslova Kontrole preko cjelog zaslona - Obojena navigacijska traka Tema zaslona reprodukcije Licence otvorenog koda - Rubovi uglova Način oznaka na karticama Efekt ringišpila - Dominantna boja Aplikacija preko cijelog zaslona - Nazivi kartica Automatska reprodukcija Način mješanja Kontrole glasnoće - Informacije o Korisniku - Primarna boja - Primarna boja teme, zadano je plavo-siva, zasad radi s tamnim bojama + Pro Black theme, Now playing themes, Carousel effect and more.. + Profil + Kupi - *Razmisli prije kupnje, ne pitaj za povrat novca. + Red + Ocijeni aplikaciju Volite ovu aplikaciju? Javite nam to na Google Play trgovini kako bi smo vam poboljšali iskustvo + Nedavni albumi Nedavni izvođači + Ukloni - Ukloni sliku naslovnice Ukloni omot Ukloni sa crnog popisa - Ukloni sliku profila Ukloni pjesmu s popisa naslova %1$s sa popisa naslova?]]> Ukloni pjesme sa popisa naslova %1$d pjesama sa popisa naslova?]]> + Preimenuj popis naslova + Prijavi pogrešku Prijavi pogrešku + Reset Resetiraj sliku izvođača + Vrati + Vrati prošlu kupnju. Molimo vas ponovno pokrenite aplikaciju da biste koristili sve značajke. Bivše kupnje vraćene. + Vraćanje kupnje... - Retro Music Ekvalizator + Retro Music Player Retro Music Pro + File delete failed: %s Can\'t get SAF URI @@ -410,37 +496,48 @@ Do not open any sub-folders Tap \'select\' button at the bottom of the screen File write failed: %s + Save Spremi kao datoteku Spremi kao datoteke + Popis naslova je spremljen u %s. + Spremanje promjena + Skeniraj medije + Skenirano %1$d od %2$d datoteka. + Scrobbles - Pretraži svoju biblioteku... + Odaberi sve - Odaberi sliku naslovnice + Odabrano - Send crash log + Set Postavi sliku izvođača - Set a profile photo + Podijeli aplikaciju Share to Stories + Izmiješaj + Jednostavno + Brojač za spavanje je otkazan. Brojač za spavanje je postavljen za %d minuta od sada. - Slide - Mali album + Društveno Share story + Pjesma Trajanje pjesme + Pjesme + Red sortiranja Uzlazno Album @@ -450,98 +547,91 @@ Date modified Godina Silazno + Žao mi je! Tvoj uređaj ne podržava unos govora Pretraži svoju biblioteku + Stack + Start playing music. + Preporuke - Prikažite samo svoje ime na početnoj stranici + Podrži razvijanje + Swipe to unlock + Sinkroniziran tekst - Sustavski ekvalizator + Telegram Pridružite se Telegram grupi da biste raspravili o pogreškama, dali preporuke, te još mnogo toga + Hvala ti! + Zvučna datoteka + Ovaj mjesec Ovaj tjedan Ove godine + Sitno + Tiny card + Naziv - Kontrolna ploča - Dobar dan - Dobar dan - Dobra večer - Dobro jutro - Laku noć - Kako se zoveš + Danas + Najslušaniji albumi Najslušaniji izvođači + "Pjesma (2 za 2. pjesmu ili 3004 za 3. CD 4. pjesmu)" Broj pjesme + Prevedi Pomozite nam prevesti našu aplikaciju na svoj jezik + + Try Retro Music Premium + Twitter Podjeli svoj dizajn sa Retro Music-om + Neoznačeno + Nije mogu\u0107e reproducirati ovu pjesmu. + Sljedeće + Ažuriraj sliku + Ažuriranje... + Korisničko ime + Verzija + Vertikalni okret - Virtualizator + Volume + Web pretraživanje + Welcome, + Što želite podijeliti? + Što je novo + Prozor Zaobljeni kutovi + Postavi %1$s kao zvuk zvona. %1$d odabran + Godina + You have to select at least one category. Biti će te preusmjereni na web stranicu za praćenje pogrešaka. + Vaši podatci o računu su korišteni samo za autentikaciju. - Amount - Note(Optional) - Start payment - Show now playing screen - Clicking on the notification will show now playing screen instead of the home screen - Tiny card - About %s - Select language - Translators - The people who helped translate this app - Try Retro Music Premium - - Song - Songs - Songs - - - Album - Albums - Albums - - - %d Song - %d Songs - %d Songs - - - %d Album - %d Albums - %d Albums - - - %d Artist - %d Artists - %d Artists - diff --git a/app/src/main/res/values-hu-rHU/strings.xml b/app/src/main/res/values-hu-rHU/strings.xml index 1f7bcdf1..23dae79b 100644 --- a/app/src/main/res/values-hu-rHU/strings.xml +++ b/app/src/main/res/values-hu-rHU/strings.xml @@ -1,14 +1,16 @@ + %s -ról Csapat, társadalmi kapcsolatok + Kiemelő szín Az kiemelő téma színe alapértelmezés szerint színtiszta + Rólunk Hozzáadás a kedvencekhez Hozzáadás a lejátszási sorhoz Hozzáadás lejátszási listához Lejátszási sor törlése - Lejátszási lista törlése Ciklus ismétlés üzemmód Törlés Törlés az eszközről @@ -46,19 +48,32 @@ Címkeszerkesztő A kedvenc váltása A véletlenszerű lejátszás megváltoztatása + AdaptÍv + Hozzáad - Dalszöveg hozzáadása - Fénykép\nhozzáadása "Hozzáadás lejátszási listához" - Adjon hozzá időkeretet dalszövegeket + "1 cím lett hozzáadva a lejátszási sorhoz." %1$d cím hozzáadva a lejátszási sorhoz. + Album + + + Dal + Dalok + + Album előadó - A cím vagy az előadó üres. + Albumok + + Album + Albumok + + Mindig + Hé, nézd meg ezt a menő zenelejátszót itt: https://play.google.com/store/apps/details?id=%s Keverés Legjobb zeneszámok @@ -67,19 +82,25 @@ Retro zene - Klasszikus Retro zene - Kicsi Retro zene - Szöveg + Előadó + Előadók + Az audiofókusz megtagadva. Módosítsa a hangbeállításokat és állítsa be a hangszínszabályzó irányítását + Autó - Kiinduló szín témája - Basszuskiemelés - Bio + Életrajz + Csak Fekete + Feketelista + Homályosítás Kártya homályosítása + Nem sikerült elküldeni a jelentést Érvénytelen belépési azonosító. Kérem, lépjen kapcsolatba az alkalmazás fejlesztőjével. A problémák jelentése nincs engedélyezve a repository-ban. Kérem, lépjen kapcsolatba az alkalmazás fejlesztőjével. @@ -92,45 +113,56 @@ Kérem, adjon meg egy címet Kérem, adja meg az érvényes GitHub felhasználónevét Egy váratlan hiba történt. Sajnáljuk, hogy hibába botlottál, ha folyton összeomlik, töröld az alkalmazásadatokat, vagy küldj nekünk E-Mailt. - Jelentés feltöltése GitHub-ra... Küldés a GitHub fiókkal + Vásárolj most + Mégse + Kártya - Kör Színes Kártya Kártya - Körhinta + Kőrhinta effekt a most játszik képernyőn + Növelés - Cast + Változtatási napló A Változtatási napló a Telegram csatornán működik + Kör + Kör alakú + Klasszikus + Kiürítés - App adat törlése Feketelista kiürítése Lejátszási sor törlése - Lejátszási lista kiürítése - %1$s lej\u00e1tsz\u00e1si list\u00e1t? Ezt nem lehet visszavonni!]]> - Bezárás + Szín - Szín + Színek + Zeneszerző + Eszköz információk a vágólapra másolva. + Lej\u00e1tsz\u00e1si lista l\u00e9trehoz\u00e1sa nem siker\u00fclt. "Nem siker\u00fclt lek\u00e9rni a megfelel\u0151 albumbor\u00edt\u00f3t." A vásárlást nem sikerült visszaállítani. Nem sikerült beolvasni %d fájlt. + Létrehozás + Létrehozott lejátszási lista %1$s. + Tagok és támogatók + Jelenleg hallgat %1$s által %2$s + Kissé sötét - Nincs dalszöveg + Lejátszási lista törlése %1$s lejátszási listát?]]> Lejátszási listák törlése @@ -139,42 +171,62 @@ Dalok törlése %1$d lejátszási listát?]]> %1$d zenéket?]]> + Törölte a %1$d zenét. - Dalok törlése + Mélység + Leírás + Eszköz információ + Hagyja, hogy a Retro Music módosítsa az audiobeállításokat Csengőhang beállítás + Szeretné törölni a feketelistát? %1$s a feketelistáról?]]> + Támogatás Ha úgy gondolja, hogy megérdemlem fizetni a munkámért, hagyhatsz néhányat pénzt itt + Vegyél nekem egy: - Letöltés a Last.fm-ről + Vezetés mód - Szerkesztés - Borító szerkesztése + Üres + Hangszínszabályzó - Hiba + GYIK + Kedvencek + Fejezze be az utolsó dalt + Illeszkedő + Lapos + Mappák + Kövesse a rendszert + Neked + Ingyenes + Teljes Teljes kártya + Módosítsa az alkalmazás témáját és színeit Megjelenés + Műfaj + Műfajok + Szerezd meg a projektet a githubon - Csatlakozzon a Google Plus közösséghez ahol segítséget kérhet, vagy követheti a Retro Zene Alkalmazás frissítéseit + 1 2 3 @@ -184,16 +236,25 @@ 7 8 Rácsok és stílus + Zsanér + Előzmény + Kezdőlap + Vízszintes forgatás + Kép Színátmenet kép A művészképek letöltésének megváltoztatása. + %1$d dalt betett a %2$s lejátszási listába. + Ossza meg Retro Music beállításait, hogy bemutassa a Instagram-on + Billentyűzet + Bitrát Formátum Fájl név @@ -202,31 +263,45 @@ Több a következőtől: %s Mintavételi arány Hossz + Címkézve + Utoljára hozzáadva Utolsó dal - Játsszunk le egy zenét - Könyvtár + Könyvtár kategóriák + Licencek + Világos fehér + Hallgatók + Listázási fájlok + A termékek betöltése ... + Bjelentkezés + Dalszöveg + ❤️-el készítve Indiából + Materiál + Hiba Engedély hiba + Név Legjobb számok + Soha - Új banner fotó + Új lejátszási lista - Új profilfotó %s az új indítókönyvtár. + Következő dal + Nincsenek albumok Nincs előadó "Először játssz le egy dalt, majd próbálkozzon újra." @@ -238,45 +313,59 @@ Nincs vásárlás. Nincs eredmény Nincs dal + Normál Normál dalszövegek - Normál + %s nem szerepel a médiában.]]> + Nincs szkennelve. Semmit sem látni + Értesítés Értesítési stílus testreszabása + Most lejátszott Sorban áll Most játszik képernyő személyre szabása 9+ most játszik témák + Csak Wi-Fi-n + Speciális tesztelési szolgáltatások + Egyéb + Jelszó + 3 hónapnál túl - Ide illessze be a dalszövegeket + Csúcs + A külső tárolási hozzáférés engedélyezése tiltva. + Engedélyek megtagadva. + Megszemélyesít Szabd személyre a jelenleg játszott felületet és a kezelőfelületet + Válasszon a helyi tárolóból - Válasszon képet + Pinterest Kövesse a Pinterest oldalt a Retro Music design inspirációjához + Egyszerű + A lejátszási értesítés lejátszási/szüneteltetési intézkedéseket tartalmaz. Értesítés lejátszása - Üres lejátszási lista + A lejátszási lista üres Lejátszási lista neve + Lejátszási listák - Albumrészletek stílusa + Homályosítás mértéke homályos témákhoz, az alacsonyabb gyorsabb Homályosítás mértéke - Állítsa be az alsó párbeszédpanel sarkait - Párbeszéd sarok A dalok szűrése hossz szerint Szűrje a dal időtartamát Haladó @@ -293,9 +382,7 @@ Szünet a nullára Vedd figyelembe, hogy ezen funkció engedélyezése hatással lehet az akkuidőre Tartsa bekapcsolva a képernyőt - Kattintson a megnyitáshoz vagy a csúsztatáshoz a most játszott képernyő átlátható navigálása nélkül - Kattintson vagy Csúsztatson - Hóesés hatás + Válasszon nyelvet A jelenlegi zeneszámok albumborítóját zárolt háttérképként használja. Hangerő csökkentése rendszerhang vagy értesítés érkezik A feketelistán szereplő mappák tartalma el van rejtve a könyvtárban. @@ -305,21 +392,17 @@ Használja a klasszikus értesítési kinézetet. A háttér és a vezérlőgombok színe a most játszott képernyőn megjelenő albumborító szerint változik Színek az alkalmazás parancsikonjai az akcentus színében. Minden alkalommal, amikor megváltoztatta a színét, kérjük, kapcsolja be ezt a hatást - Színezi a navigációs sávot az elsődleges színben. "Sz\u00ednek az \u00e9rtes\u00edt\u00e9st az albumbor\u00edt\u00f3 \u00e9l\u00e9nk sz\u00edn\u00e9ben." Az Anyagtervezés szerint a sötét módban a színeket deszaturálni kell - A legtöbb domináns színt az album vagy az előadó borítója veszi fel. + Az értesítésre kattintva a kezdőképernyő helyett a lejátszási képernyő jelenik meg Extra irányítás a mini lejátszóhoz Mutasson további dalinformációkat, például a fájl formátumát, bitrátáját és frekvenciáját "Egyes eszközökön lejátszási problémákat okozhat." - Műfaj lap kapcsolása Kezdőlap banner stílusának kapcsolása Növelheti az album borításminőségét, de lassabb kép betöltési időt eredményez. Csak akkor engedélyezze ezt, ha problémái vannak az alacsony felbontású művekkel kapcsolatban. A láthatóság és a könyvtári kategóriák sorrendjének beállítása. Retro zeneszámok zárolása a képernyőn. A nyílt forráskódú szoftverek licence részletei - Sarokszegélyek az ablakhoz, albumművészethez stb. - Az alsó fül címének engedélyezése / tiltása. Kiterjesztett üzemmód Indítsa el a lejátszást, amikor a fejhallgató csatlakoztatva van. A véletlen sorrendű mód kikapcsol, ha új számlistát játszik le @@ -327,75 +410,76 @@ Az album borítójának megjelenítése Album borító téma Most játszik album borító stílusa - Album rács stílusa Színes alkalmazás parancsikonok - Előadói rács stílusa Csökkentse a fókuszvesztés hangerejét Automatikus letölti képeket Feketelista Bluetooth lejátszás Elhomályosított albumborító - Válasszon Hangszínszabélyzott Klasszikus értesítési terv Adaptív szín Színes értesítés Deszaturált szín + Jelenítse meg a most játszó képernyőt Extra vezérlők Dalinformáció Gapless lejátszás Általános téma - Mutasd a műfaj lapot Kezdőlapi előadó rács Kezdőlap banner Figyelmen kívül hagyja a médiatárolók fedelét Utoljára hozzáadott lejátszási lista intervallum Teljes képernyős vezérlők - Színes navigációs sáv Megjelenés Nyílt forráskódú licencek - Sarokélek Lap címek módja Carousel hatás - Domináns szín Teljes képernyős alkalmazás - Alcímek Automatikus lejátszás Kevert mód Hangerőszabályzók - Felhasználói adatok - Elsődleges szín - Az elsődleges téma színe, alapértelmezés szerint kék szürke, jelenleg sötét színekkel működik + Pro Jelenleg témákat játszik, körhinta effektus és még sok más .. + Profil + Vásárlás - *Gondolja vásárolása előtt, ne kérjen visszatérítést. + Sorban áll + Értékeld az alkalmazást Szereted ezt az app-ot a Google Play áruházban, hogy jobb élményt nyújtsunk + Legutóbbi albumok Legújabb előadók + Eltávolítás - Banner fotó törlése Borító eltávolítása Eltávolítás a feketelistáról - Profilfotó eltávolítása Távolítsa el a dalt a lejátszási listáról %1$s dalt a lejátszási listából?]]> A dalok eltávolítása a lejátszási listáról %1$d dalt a lejátszási listából?]]> + Lejátszási lista átnevezése + Hibajelentés Hibajelentés + Visszaállítás Az előadó képének visszaállítása + Visszaállítás + Az előző vásárlás helyreállítása. Kérjük, indítsa újra az alkalmazást az összes funkció használatához. Korábbi vásárlások visszaállítása. + A vásárlás visszaállítása ... - Retro Zene Hangszínszabályzó + Retro Music Player Retro Music Pro + A fájl törlése sikertelen: %s Nem lehet SAF URI @@ -408,37 +492,48 @@ Ne nyisson semmilyen almappát Érintse meg a \"select\" gombot a képernyő alján A fájl írása sikertelen: %s + Mentés Mentés fájlként Fájl mentése másként + Mentett lejátszási lista a következőhöz: %s + A változtatások mentése + Média szkennelés + %2$d fájlt %1$d szkennelt. + Scrobblek - Keresés a könyvtárban ... + Minden kiválasztása - Banner fotó kiválasztása + Kiválaszott - Küldjön összeomlási naplót + Beállít Állítsa be az előadó képét - Profilfotó beállítása + Alkalmazás megosztása Ossza meg a Történet-ben + Keverés + Egyszerű + Az elalváskapcsoló kikapcsolva. Az elalvási időzítő beállítása %d perc múlva. - Csúsztatás - Kis album + Közösségi Ossza meg a történetet + Dal A dal időtartama + Dalok + Sorrend Növekvő Album @@ -448,93 +543,91 @@ Módosítás dátuma Év Csökkenő + Sajnálom! A készülék nem támogatja a beszédet Keresés a könyvtárban + Rakás + Kezdje el lejátszani a zenét + Javaslatok - Csak mutassa meg a nevét a kezdőképernyőn + Támogatás fejlesztése + Csúsztasd fel a feloldáshoz + Szinkronizált dalszövegek - Rendszer kiegyenlítő + Telegram Csatlakozz a Telegram csoporthoz hogy megbeszélhesd a hibákat, ajánlásokat tegyél, bemutass valamit stb... + Köszönöm! + Az audio fájl + Ebben a hónapban Ezen a héten Egy éve + Apró + Apró kártya + Cím - Irányítópult - Jó napot - Jó nap - Jó estét - Jó reggelt - Jó éjszakát - Mi a neved? + Ma + Legjobb albumok Legjobb előadok + "Sáv (2 a 2. vagy a 3004-es számhoz a CD3 4. sávjához)" Sáv száma + Fordítás Segítsen nekünk az alkalmazás nyelvének fordításához + + Próbálja ki a Retro Music Premium alkalmazást + Twitter oldal Ossza meg tervét a RetroMusicApp segítségével + Címkézetlen + Nem lehetett j\u00e1tszani ezt a dalt. + A következő + Kép frissítése + Frissítés... + Felhasználónév + Verzió + Függőleges forgatás - Virtualizáló + Hangerő + Webes keresés + Üdvözöljük, + Mit szeretne megosztani? + Mi az újdonság? + Ablak Lekerekített sarkak + Állítsa be a (z) %1$s csengőhangot. %1$d kiválasztása + Év + Legalább egy kategóriát kell kiválasztania Továbbítani fogjuk a problémakezelő weboldalra. + Fiókja adatait kizárólag a hitelesítéshez fogjuk használni. - Tartalom - Megjegyzés (opcionális) - Kezdje a fizetést - Jelenítse meg a most játszó képernyőt - Az értesítésre kattintva a kezdőképernyő helyett a lejátszási képernyő jelenik meg - Apró kártya - %s -ról - Válasszon nyelvet - Fordítók - Az emberek, akik segítették lefordítani ezt az alkalmazást - Próbálja ki a Retro Music Premium alkalmazást - - Dal - Dalok - - - Album - Albumok - - - %d Dal - %d Dalok - - - %d Album - %d Albumok - - - %d Előadó - %d Előadók - diff --git a/app/src/main/res/values-hu/strings.xml b/app/src/main/res/values-hu/strings.xml index 40d1bac9..f3623226 100644 --- a/app/src/main/res/values-hu/strings.xml +++ b/app/src/main/res/values-hu/strings.xml @@ -1,14 +1,16 @@ + %s -ról Csapat, társadalmi kapcsolatok + Kiemelő szín Az kiemelő téma színe alapértelmezés szerint színtiszta + Rólunk Hozzáadás a kedvencekhez Hozzáadás a lejátszási sorhoz Hozzáadás lejátszási listához Lejátszási sor törlése - Lejátszási lista törlése Ciklus ismétlés üzemmód Törlés Törlés az eszközről @@ -46,19 +48,22 @@ Címkeszerkesztő A kedvenc váltása A véletlenszerű lejátszás megváltoztatása + AdaptÍv + Hozzáad - Dalszöveg hozzáadása - Fénykép\nhozzáadása "Hozzáadás lejátszási listához" - Adjon hozzá időkeretet dalszövegeket + "1 cím lett hozzáadva a lejátszási sorhoz." %1$d cím hozzáadva a lejátszási sorhoz. + Album Album előadó - A cím vagy az előadó üres. + Albumok + Mindig + Hé, nézd meg ezt a menő zenelejátszót itt: https://play.google.com/store/apps/details?id=%s Keverés Legjobb zeneszámok @@ -67,19 +72,25 @@ Retro zene - Klasszikus Retro zene - Kicsi Retro zene - Szöveg + Előadó + Előadók + Az audiofókusz megtagadva. Módosítsa a hangbeállításokat és állítsa be a hangszínszabályzó irányítását + Autó - Kiinduló szín témája - Basszuskiemelés - Bio + Életrajz + Csak Fekete + Feketelista + Homályosítás Kártya homályosítása + Nem sikerült elküldeni a jelentést Érvénytelen belépési azonosító. Kérem, lépjen kapcsolatba az alkalmazás fejlesztőjével. A problémák jelentése nincs engedélyezve a repository-ban. Kérem, lépjen kapcsolatba az alkalmazás fejlesztőjével. @@ -92,45 +103,56 @@ Kérem, adjon meg egy címet Kérem, adja meg az érvényes GitHub felhasználónevét Egy váratlan hiba történt. Sajnáljuk, hogy hibába botlottál, ha folyton összeomlik, töröld az alkalmazásadatokat, vagy küldj nekünk E-Mailt. - Jelentés feltöltése GitHub-ra... Küldés a GitHub fiókkal + Vásárolj most + Mégse + Kártya - Kör Színes Kártya Kártya - Körhinta + Kőrhinta effekt a most játszik képernyőn + Növelés - Cast + Változtatási napló A Változtatási napló a Telegram csatornán működik + Kör + Kör alakú + Klasszikus + Kiürítés - App adat törlése Feketelista kiürítése Lejátszási sor törlése - Lejátszási lista kiürítése - %1$s lej\u00e1tsz\u00e1si list\u00e1t? Ezt nem lehet visszavonni!]]> - Bezárás + Szín - Szín + Színek + Zeneszerző + Eszköz információk a vágólapra másolva. + Lej\u00e1tsz\u00e1si lista l\u00e9trehoz\u00e1sa nem siker\u00fclt. "Nem siker\u00fclt lek\u00e9rni a megfelel\u0151 albumbor\u00edt\u00f3t." A vásárlást nem sikerült visszaállítani. Nem sikerült beolvasni %d fájlt. + Létrehozás + Létrehozott lejátszási lista %1$s. + Tagok és támogatók + Jelenleg hallgat %1$s által %2$s + Kissé sötét - Nincs dalszöveg + Lejátszási lista törlése %1$s lejátszási listát?]]> Lejátszási listák törlése @@ -139,42 +161,62 @@ Dalok törlése %1$d lejátszási listát?]]> %1$d zenéket?]]> + Törölte a %1$d zenét. - Dalok törlése + Mélység + Leírás + Eszköz információ + Hagyja, hogy a Retro Music módosítsa az audiobeállításokat Csengőhang beállítás + Szeretné törölni a feketelistát? %1$s a feketelistáról?]]> + Támogatás Ha úgy gondolja, hogy megérdemlem fizetni a munkámért, hagyhatsz néhányat pénzt itt + Vegyél nekem egy: - Letöltés a Last.fm-ről + Vezetés mód - Szerkesztés - Borító szerkesztése + Üres + Hangszínszabályzó - Hiba + GYIK + Kedvencek + Fejezze be az utolsó dalt + Illeszkedő + Lapos + Mappák + Kövesse a rendszert + Neked + Ingyenes + Teljes Teljes kártya + Módosítsa az alkalmazás témáját és színeit Megjelenés + Műfaj + Műfajok + Szerezd meg a projektet a githubon - Csatlakozzon a Google Plus közösséghez ahol segítséget kérhet, vagy követheti a Retro Zene Alkalmazás frissítéseit + 1 2 3 @@ -184,16 +226,25 @@ 7 8 Rácsok és stílus + Zsanér + Előzmény + Kezdőlap + Vízszintes forgatás + Kép Színátmenet kép A művészképek letöltésének megváltoztatása. + %1$d dalt betett a %2$s lejátszási listába. + Ossza meg Retro Music beállításait, hogy bemutassa a Instagram-on + Billentyűzet + Bitrát Formátum Fájl név @@ -202,31 +253,45 @@ Több a következőtől: %s Mintavételi arány Hossz + Címkézve + Utoljára hozzáadva Utolsó dal - Játsszunk le egy zenét - Könyvtár + Könyvtár kategóriák + Licencek + Világos fehér + Hallgatók + Listázási fájlok + A termékek betöltése ... + Bjelentkezés + Dalszöveg + ❤️-el készítve Indiából + Materiál + Hiba Engedély hiba + Név Legjobb számok + Soha - Új banner fotó + Új lejátszási lista - Új profilfotó %s az új indítókönyvtár. + Következő dal + Nincsenek albumok Nincs előadó "Először játssz le egy dalt, majd próbálkozzon újra." @@ -238,45 +303,59 @@ Nincs vásárlás. Nincs eredmény Nincs dal + Normál Normál dalszövegek - Normál + %s nem szerepel a médiában.]]> + Nincs szkennelve. Semmit sem látni + Értesítés Értesítési stílus testreszabása + Most lejátszott Sorban áll Most játszik képernyő személyre szabása 9+ most játszik témák + Csak Wi-Fi-n + Speciális tesztelési szolgáltatások + Egyéb + Jelszó + 3 hónapnál túl - Ide illessze be a dalszövegeket + Csúcs + A külső tárolási hozzáférés engedélyezése tiltva. + Engedélyek megtagadva. + Megszemélyesít Szabd személyre a jelenleg játszott felületet és a kezelőfelületet + Válasszon a helyi tárolóból - Válasszon képet + Pinterest Kövesse a Pinterest oldalt a Retro Music design inspirációjához + Egyszerű + A lejátszási értesítés lejátszási/szüneteltetési intézkedéseket tartalmaz. Értesítés lejátszása - Üres lejátszási lista + A lejátszási lista üres Lejátszási lista neve + Lejátszási listák - Albumrészletek stílusa + Homályosítás mértéke homályos témákhoz, az alacsonyabb gyorsabb Homályosítás mértéke - Állítsa be az alsó párbeszédpanel sarkait - Párbeszéd sarok A dalok szűrése hossz szerint Szűrje a dal időtartamát Haladó @@ -293,9 +372,7 @@ Szünet a nullára Vedd figyelembe, hogy ezen funkció engedélyezése hatással lehet az akkuidőre Tartsa bekapcsolva a képernyőt - Kattintson a megnyitáshoz vagy a csúsztatáshoz a most játszott képernyő átlátható navigálása nélkül - Kattintson vagy Csúsztatson - Hóesés hatás + Select language A jelenlegi zeneszámok albumborítóját zárolt háttérképként használja. Hangerő csökkentése rendszerhang vagy értesítés érkezik A feketelistán szereplő mappák tartalma el van rejtve a könyvtárban. @@ -305,21 +382,17 @@ Használja a klasszikus értesítési kinézetet. A háttér és a vezérlőgombok színe a most játszott képernyőn megjelenő albumborító szerint változik Színek az alkalmazás parancsikonjai az akcentus színében. Minden alkalommal, amikor megváltoztatta a színét, kérjük, kapcsolja be ezt a hatást - Színezi a navigációs sávot az elsődleges színben. "Sz\u00ednek az \u00e9rtes\u00edt\u00e9st az albumbor\u00edt\u00f3 \u00e9l\u00e9nk sz\u00edn\u00e9ben." Az Anyagtervezés szerint a sötét módban a színeket deszaturálni kell - A legtöbb domináns színt az album vagy az előadó borítója veszi fel. + Az értesítésre kattintva a kezdőképernyő helyett a lejátszási képernyő jelenik meg Extra irányítás a mini lejátszóhoz Mutasson további dalinformációkat, például a fájl formátumát, bitrátáját és frekvenciáját "Egyes eszközökön lejátszási problémákat okozhat." - Műfaj lap kapcsolása Kezdőlap banner stílusának kapcsolása Növelheti az album borításminőségét, de lassabb kép betöltési időt eredményez. Csak akkor engedélyezze ezt, ha problémái vannak az alacsony felbontású művekkel kapcsolatban. A láthatóság és a könyvtári kategóriák sorrendjének beállítása. Retro zeneszámok zárolása a képernyőn. A nyílt forráskódú szoftverek licence részletei - Sarokszegélyek az ablakhoz, albumművészethez stb. - Az alsó fül címének engedélyezése / tiltása. Kiterjesztett üzemmód Indítsa el a lejátszást, amikor a fejhallgató csatlakoztatva van. A véletlen sorrendű mód kikapcsol, ha új számlistát játszik le @@ -327,75 +400,76 @@ Az album borítójának megjelenítése Album borító téma Most játszik album borító stílusa - Album rács stílusa Színes alkalmazás parancsikonok - Előadói rács stílusa Csökkentse a fókuszvesztés hangerejét Automatikus letölti képeket Feketelista Bluetooth lejátszás Elhomályosított albumborító - Válasszon Hangszínszabélyzott Klasszikus értesítési terv Adaptív szín Színes értesítés Deszaturált szín + Jelenítse meg a most játszó képernyőt Extra vezérlők Dalinformáció Gapless lejátszás Általános téma - Mutasd a műfaj lapot Kezdőlapi előadó rács Kezdőlap banner Figyelmen kívül hagyja a médiatárolók fedelét Utoljára hozzáadott lejátszási lista intervallum Teljes képernyős vezérlők - Színes navigációs sáv Megjelenés Nyílt forráskódú licencek - Sarokélek Lap címek módja Carousel hatás - Domináns szín Teljes képernyős alkalmazás - Alcímek Automatikus lejátszás Kevert mód Hangerőszabályzók - Felhasználói adatok - Elsődleges szín - Az elsődleges téma színe, alapértelmezés szerint kék szürke, jelenleg sötét színekkel működik + Pro Jelenleg témákat játszik, körhinta effektus és még sok más .. + Profil + Vásárlás - *Gondolja vásárolása előtt, ne kérjen visszatérítést. + Sorban áll + Értékeld az alkalmazást Szereted ezt az app-ot a Google Play áruházban, hogy jobb élményt nyújtsunk + Legutóbbi albumok Legújabb előadók + Eltávolítás - Banner fotó törlése Borító eltávolítása Eltávolítás a feketelistáról - Profilfotó eltávolítása Távolítsa el a dalt a lejátszási listáról %1$s dalt a lejátszási listából?]]> A dalok eltávolítása a lejátszási listáról %1$d dalt a lejátszási listából?]]> + Lejátszási lista átnevezése + Hibajelentés Hibajelentés + Visszaállítás Az előadó képének visszaállítása + Visszaállítás + Az előző vásárlás helyreállítása. Kérjük, indítsa újra az alkalmazást az összes funkció használatához. Korábbi vásárlások visszaállítása. + A vásárlás visszaállítása ... - Retro Zene Hangszínszabályzó + Retro Music Player Retro Music Pro + A fájl törlése sikertelen: %s Nem lehet SAF URI @@ -408,37 +482,48 @@ Ne nyisson semmilyen almappát Érintse meg a \"select\" gombot a képernyő alján A fájl írása sikertelen: %s + Mentés Mentés fájlként Fájl mentése másként + Mentett lejátszási lista a következőhöz: %s + A változtatások mentése + Média szkennelés + %2$d fájlt %1$d szkennelt. + Scrobblek - Keresés a könyvtárban ... + Minden kiválasztása - Banner fotó kiválasztása + Kiválaszott - Küldjön összeomlási naplót + Beállít Állítsa be az előadó képét - Profilfotó beállítása + Alkalmazás megosztása Ossza meg a Történet-ben + Keverés + Egyszerű + Az elalváskapcsoló kikapcsolva. Az elalvási időzítő beállítása %d perc múlva. - Csúsztatás - Kis album + Közösségi Ossza meg a történetet + Dal A dal időtartama + Dalok + Sorrend Növekvő Album @@ -448,70 +533,89 @@ Módosítás dátuma Év Csökkenő + Sajnálom! A készülék nem támogatja a beszédet Keresés a könyvtárban + Rakás + Kezdje el lejátszani a zenét + Javaslatok - Csak mutassa meg a nevét a kezdőképernyőn + Támogatás fejlesztése + Csúsztasd fel a feloldáshoz + Szinkronizált dalszövegek - Rendszer kiegyenlítő + Telegram Csatlakozz a Telegram csoporthoz hogy megbeszélhesd a hibákat, ajánlásokat tegyél, bemutass valamit stb... + Köszönöm! + Az audio fájl + Ebben a hónapban Ezen a héten Egy éve + Apró + Apró kártya + Cím - Irányítópult - Jó napot - Jó nap - Jó estét - Jó reggelt - Jó éjszakát - Mi a neved? + Ma + Legjobb albumok Legjobb előadok + "Sáv (2 a 2. vagy a 3004-es számhoz a CD3 4. sávjához)" Sáv száma + Fordítás Segítsen nekünk az alkalmazás nyelvének fordításához + Twitter oldal Ossza meg tervét a RetroMusicApp segítségével + Címkézetlen + Nem lehetett j\u00e1tszani ezt a dalt. + A következő + Kép frissítése + Frissítés... + Felhasználónév + Verzió + Függőleges forgatás - Virtualizáló + Hangerő + Webes keresés + Üdvözöljük, + Mit szeretne megosztani? + Mi az újdonság? + Ablak Lekerekített sarkak + Állítsa be a (z) %1$s csengőhangot. %1$d kiválasztása + Év + Legalább egy kategóriát kell kiválasztania Továbbítani fogjuk a problémakezelő weboldalra. + Fiókja adatait kizárólag a hitelesítéshez fogjuk használni. - Tartalom - Megjegyzés (opcionális) - Kezdje a fizetést - Jelenítse meg a most játszó képernyőt - Az értesítésre kattintva a kezdőképernyő helyett a lejátszási képernyő jelenik meg - Apró kártya - %s -ról - Select language diff --git a/app/src/main/res/values-in-rID/strings.xml b/app/src/main/res/values-in-rID/strings.xml index 34054952..dbb7250c 100644 --- a/app/src/main/res/values-in-rID/strings.xml +++ b/app/src/main/res/values-in-rID/strings.xml @@ -1,14 +1,16 @@ + Tentang %s Tim, tautan sosial + Warna Aksen Warna aksen tema, bawaan adalah ungu + Tentang Tambahkan ke favorit Tambahkan ke antrean pemutar Tambahkan ke daftar putar Bersihkan antrean pemutaran - Bersihkan daftar putar Mode pengulangan siklus Hapus Hapus dari perangkat @@ -46,19 +48,30 @@ Pengubah tag Toggle favorit Toggle mode acak + Adaptif + Tambah - Tambah lirik - Tambah\nFoto "Tambahkan ke daftar putar" - Tambah frame waktu lirik + "1 judul ditambahkan ke antrean pemutaran." %1$d ditambahkan ke antrean pemutaran. + Album + + + Songs + + Album artis - Judul atau artis kosong + Album + + Albums + + Selalu + Hei lihat pemutar musik keren ini di: https://play.google.com/store/apps/details?id=%s Acak @@ -68,19 +81,25 @@ https://play.google.com/store/apps/details?id=%s Klasik Kecil Teks + Artis + Artis + Fokus audio ditolak Ubah pengaturan suara dan sesuaikan ekualiser + Otomatis - Berdasarkan warna tema - Penguat Bas - Bio + Biografi + Hanya Hitam + Daftar hitam + Buram Kartu Buram + Tidak dapat mengirimkan laporan Token akses tidak valid. Mohon hubungi pengembang apl. Masalah tidak diaktifkan untuk repositori yang dipilih. Mohon hubungi pengembang apl. @@ -94,45 +113,56 @@ https://play.google.com/store/apps/details?id=%s Mohon masukkan nama akun GitHub yang valid Terjadi kesalahan tidak terduga. Maaf kamu mengalami masalah ini, jika tetap bermasalah, \"Hapus data Aplikasi\" atau kirim Email - Mengunggah laporan ke GitHub Kirim menggunakan akun GitHub + Beli sekarang + Batalkan + Kartu - Bulat Kartu Berwarna Kartu - Karosel + Efek karosel pada layar sedang diputar + Tersusun ke bawah - Cast + Catatan perubahan Catatan perubahan ada di aplikasi Telegram + Lingkaran + Bulat + Klasik + Bersihkan - Hapus data aplikasi Bersihkan daftar hitam Hapus antrean - Bersihkan daftar putar - %1$s? Ini tidak bisa dibatalkan]]> - Tutup + Warna - Warna + Warna + Komposer + Info perangkat telah disalin ke papan klip. + Tidak dapat membuat daftar putar "Tidak dapat mengunduh sampul album yang cocok." Tidak dapat mengembalikan pembelian Tidak dapat memindai %d file + Buat + Daftar putar %1$s dibuat + Member dan kontributor + Terakhir kali mengdengarkan %1$s oleh %2$s. + Agak gelap - Tidak ada lirik + Hapus daftar putar %1$s?]]> Hapus daftar putar @@ -141,42 +171,62 @@ tetap bermasalah, \"Hapus data Aplikasi\" atau kirim Email Hapus lagu %1$d daftar putar?]]> %1$d lagu?]]> + Lagu %1$d dihapus - Mengapus lagu + Kedalaman + Deskripsi + Info perangkat + Izinkan Retro Music untuk mengubah pengaturan suara Atur nada dering + Bersihkan daftar hitam? %1$s dari daftar hitam?]]> + Donasi Jika anda rasa saya berhak dibayar untuk karya saya, anda dapat berdonasi disini + Belikan saya: - Unduh dari Last.fm + Mode berkendara - Ubah - Ubah sampul + Kosong + Ekualiser - Galat + Tanya-Jawab + Favorit + Menyelesaikan lagu terakhir + Pas + Datar + Folder + Ikuti sistem + Untuk anda + Gratis + Penuh Kartu penuh + Ubah tema dan warna dari aplikasi Tampilan + Aliran + Aliran + Fork projek di GitHub - Gabung di komunitas Google plus, anda dapat bertanya ataupun mengikuti pembaruan dari aplikasi Retro Music + 1 2 3 @@ -186,16 +236,25 @@ tetap bermasalah, \"Hapus data Aplikasi\" atau kirim Email 7 8 Gaya kisi + Engsel + Riwayat + Beranda + Balik horizontal + Gambar Gradasi gambar Ubah pengaturan pengunduhan gambar artis + Lagu %1$d dimasukan ke daftar putar %2$s + Bagikan pengaturan Retro Musicmu di Instagram untuk menunjukannya + Papan ketik + Bitrate Format Nama berkas @@ -204,31 +263,45 @@ tetap bermasalah, \"Hapus data Aplikasi\" atau kirim Email Selebihnya dari %s Tingkat pengambilan sampel Durasi + Berlabel + Terakhir ditambahkan Lagu terakhir - Mari putar sebuah lagu - Pustaka + Kategori pustaka + Lisensi + Putih jelas + Pendengar + Pengurutan berkas + Memuat produk... + Masuk + Lirik + Dibuat dengan cinta ❤️ di India + Material + Galat Kesalahan perizinan + Nama Sering dimainkan + Tidak pernah - Banner foto baru + Daftar putar baru - Foto profil baru %s adalah direktori awal yang baru. + Lagu selanjutnya + Tidak ada album Tidak ada artis "Putar lagu lebih dahulu, lalu coba lagi" @@ -240,45 +313,59 @@ tetap bermasalah, \"Hapus data Aplikasi\" atau kirim Email Pembelian tidak ditemukan Tidak ada hasil Tidak ada lagu + Normal Lirik normal - Normal + %s tidak ada di daftar media]]> + Tak ada apapun untuk dipindai Tidak ada apapun untuk dilihat + Pemberitahuan Sesuaikan gaya pemberitahuan + Sedang diputar Antrean sedang dimutar Kostumisasi layar sedang diputar 9+ gaya sedang diputar + Hanya melalui Wi-Fi + Fitur percobaan lanjutan + Lainnya + Kata sandi + 3 bulan lalu - Tempel lirik di sini + Peak + Izin untuk mengakses penyimpanan eksternal ditolak. + Izin ditolak. + Personalisasi Sesuaikan sedang diputar dan tampilan kontrol + Pilih dari penyimpanan lokal - Pilih gambar + Pinterest Ikuti laman Pinterest untuk inspirasi desain Retro Music + Polos + Notifikasi pemutaran menyediakan tindakan untuk mainkan/jeda, dsb. Notifikasi pemutaran - Kosongkan daftar putar + Daftar putar kosong Nama daftar putar + Daftar putar - Gaya rinci album + Tingkat keburaman diaplikasikan pada tema buram, lebih rendah membuat lebih cepat Tingkat keburaman - Atur sudut bagian bawah dialog - Sudut dialog Urutkan berdasar panjang lagu Filter berdasar durasi lagu Lanjutan @@ -295,9 +382,7 @@ tetap bermasalah, \"Hapus data Aplikasi\" atau kirim Email Jeda saat volume nol Membiarkan fitur ini aktif mungkin akan berpengaruh pada daya baterai Biarkan layar tetap menyala - Klik atau geser untuk membuka layar sedang diputar - Klik atau geser - Efek salju jatuh + Pilih bahasa Menggunakan sampul album lagu yang sedang diputar sebagai wallpaper layar kunci Volume lebih rendah ketika suara sistem diputar atau terdapat notifikasi baru Konten folder yang telah didaftar hitamkan disembunyikan dari pustaka. @@ -307,21 +392,17 @@ tetap bermasalah, \"Hapus data Aplikasi\" atau kirim Email Gunakan desain notifikasi klasik Latar belakang, Warna tombol kontrol berubah sesuai sampul album lagu yang diputar Warna pintasan aplikasi dalam warna aksen. Setiap kali anda mengubahnya, restart aplikasi untuk menerapkan efek - Warna bar navigasi primer "Warna notifikasi berdasarkan warna dominan sampul album" Berdasarkan peraturan Desain Material dalam mode gelap, warna haruslah didesaturasikan - Warna paling dominan akan dipilih sampul album atau artis. + Mengklik pada notifikasi akan menampilkan layar sedang diputar bukan layar beranda Tambahkan kontrol tambahan untuk pemutar mini Tampilkan informasi lagu tambahan, seperti format file, bitrate dan frekuensi "Dapat menyebabkan masalah pemutaran pada beberapa perangkat." - Toggle tab aliran Toggle gaya banner beranda Dapat meningkatkan kualitas sampul album tetapi menyebabkan waktu pemuatan gambar lebih lambat. Hanya aktifkan ini jika Anda memiliki masalah dengan gambar resolusi rendah. Atur visibilitas dan perintah dari kategori pustaka. Gunakan kontrol layar kunci Retro Music Rincian Lisensi untuk aplikasi sumber terbuka - Lengkungkan sudut aplikasi - Toggle judul untuk tab bilah navigasi bawah Mode immersif Putar segera setelah headphones terhubung. Mode acak akan non-aktif ketika memutar lagu baru dari daftar @@ -329,75 +410,76 @@ tetap bermasalah, \"Hapus data Aplikasi\" atau kirim Email Tampilkan sampul album Tema sampul album Sampul album lewati - Kisi album Pintasan aplikasi berwarna - Gaya grid artis Kurangi volume ketika hilang fokus Otomatis unduh gambar artis Daftar hitam Pemutaran bluetooth Buramkan sampul album - Pilih ekualiser Desain notifikasi klasik Warna adaptif Notifikasi berwarna Desaturasi warna + Tampilkan layar sedang diputar Kontrol tambahan Info lagu Pemutaran tanpa jeda Tema aplikasi - Tampilkan tab aliran Kisi beranda artis Banner beranda Abaikan sampul Media Store Interval daftar putar terbaru Kontrol layar penuh - Bilah navigasi berwarna Tema sedang diputar Lisensi sumber terbuka - Tepi sudut Mode tab judul Efek Karosel - Warna dominan Layar penuh aplikasi - Tab judul Putar otomatis Mode acak Kontrol volume - Info pengguna - Warna primer - Warna tema primer, warna bawaab biru keabu-abuan, untuk saat ini berfungsi dengan warna gelap + Pro Tema hitam, tema sedang diputar, efek karosel dan lainnya.. + Profil + Beli - *Pikirkan sebelum membeli, jangan minta pengembalian uang. + Antrean + Nilai aplikasi Suka aplikasi ini? beri tahu kami di Google Play Store untuk memberikan pengalaman yang lebih baik + Album terbaru Artis terbaru + Hapus - Hapus foto banner Hapus sampul Hapus dari daftar hitam - Hapus foto profil Hapus lagu dari daftar putar %1$s dari daftar putar?]]> Hapus lagu dari daftar putar %1$d dari daftar putar?]]> + Ganti nama daftar putar + Laporkan isu Laporkan bug + Setel ulang Setel ulang gambar artis + Pulihkan + Pembelian dipulihkan. Mulai kembali aplikasi agar semua fitur dapat digunakan Pembelian dipulihkan. + Memulihkan pembelian... - Ekualiser Retro Music + Retro Music Player Retro Music Pro + Gagal menghapus file: %s Gagal mendapatkan SAF URI @@ -410,37 +492,48 @@ tetap bermasalah, \"Hapus data Aplikasi\" atau kirim Email Jangan buka sub-folder apapun Ketuk tombol \'pilih\' pada bagaian bawah layar Gagal menulis file: %s + Simpan Simpan berkas sebagai Simpan file sebagai + Daftar putar disimpan ke %s. + Menyimpan perubahan + Pindai media + %1$d dari %2$d selesai dipindai. + Scrobbles - Cari di pustaka... + Pilih semua - Pilih foto banner + Terpilih - Kirim catatan kerusakan + Atur Setel gambar artis - Atur foto profil + Bagikan Apl Bagikan ke Cerita + Acak + Sederhana + Waktu tidur dibatalkan. Pewaktu tidur diatur %d menit dari sekarang. - Meluncur - Album kecil + Sosial Bagikan cerita + Lagu Durasi lagu + Lagu + Urutkan Meningkat Album @@ -450,88 +543,91 @@ tetap bermasalah, \"Hapus data Aplikasi\" atau kirim Email Tanggal diubah Tahun Menurun + Maaf! Perangkat anda tidak mendukung masukan suara Cari pustaka anda + Tumpuk + Mulai pemutaran musik. + Saran - Hanya tampilkan nama anda di beranda + Dukung pengembangan + Geser untuk membuka + Lirik tersinkron - Ekualiser Sistem + Telegram Gabung ke grup Telegram untuk mendiskusikan masalah, membuat permintaan, memamerkan dan lainnya + Terima kasih! + Berkas audio + Bulan ini Pekan ini Tahun ini + Kecil + Kartu kecil + Judul - Dasbor - Selamat sore - Selamat siang - Selamat malam - Selamat pagi - Selamat malam - Siapa namamu + Hari ini + Album teratas Artis teratas + "Trek (2 untuk trek 2 atau 3004 untuk CD3 trek 4)" Nomor trek + Terjemahkan Bantu kami untuk menerjemahkan aplikasi ke bahasa anda + + Try Retro Music Premium + Twitter Bagikan desain anda dengan Retro Music + Tidak berlabel + Tidak dapat memutar lagu ini. + Selanjutnya + Perbarui gambar + Memperbarui… + Nama pengguna + Versi + Balik vertikal - Virtualiser + Volume + Pencarian web + Selamat datang, + Apa yang ingin anda bagikan? + Apa yang baru + Jendela Sudut melengkung + Atur %1$s sebagai nada dering. %1$d dipilih + Tahun + Anda harus memilih setidaknya satu kategori Anda akan diteruskan ke situs web pelacak masalah. + Data akun anda hanya digunakan untuk otentikasi - Jumlah - Catatan(Opsional) - Mulai pembayaran - Tampilkan layar sedang diputar - Mengklik pada notifikasi akan menampilkan layar sedang diputar bukan layar beranda - Kartu kecil - Tentang %s - Pilih bahasa - Penerjemah - Orang-orang yang membantu menerjemahkan aplikasi ini - Try Retro Music Premium - - Songs - - - Albums - - - %d Songs - - - %d Albums - - - %d Artists - diff --git a/app/src/main/res/values-it-rIT/strings.xml b/app/src/main/res/values-it-rIT/strings.xml index 28938403..ef1a4e3b 100644 --- a/app/src/main/res/values-it-rIT/strings.xml +++ b/app/src/main/res/values-it-rIT/strings.xml @@ -1,14 +1,16 @@ + Info su %s Team e pagine social + Colore in rilievo Il colore secondario del tema, il predefinito è verde + Informazioni Aggiungi ai preferiti Aggiungi alla coda Aggiungi alla playlist Cancella coda - Svuota la playlist Modalità ripetizione continua Elimina Elimina dal dispositivo @@ -46,19 +48,32 @@ Modifica tag Seleziona preferito Seleziona modalità di riproduzione casuale + Adattivo + Aggiungi - Aggiungi testi - Aggiungi foto "Aggiungi alla playlist" - Aggiungi testi sincronizzati + "Aggiunto un brano alla coda." Aggiungi %1$d brani alla coda. + Album + + + Canzone + Canzoni + + Artista dell\'album - Il titolo o l\'artista sono vuoti + Album + + Album + Album + + Sempre + Hey, dai un\'occhiata a questo fantastico lettore musicale: https://play.google.com/store/apps/details?id=%s Casuale @@ -68,19 +83,25 @@ https://play.google.com/store/apps/details?id=%s Classico Piccolo Testo + Artista + Artisti + Focalizzazione audio negata. Modifica le impostazioni audio e regola i controlli dell\'equalizzatore + Automatico - Colore base del tema - Amplificazione bassi - Biografia + Biografia + Solo nero + Blacklist + Sfocatura Card sfocata + Impossibile inviare il rapporto Token di accesso non valido. Contatta lo sviluppatore dell\'app. I problemi non sono abilitati per la repository selezionata. Contatta lo sviluppatore dell\'app. @@ -93,45 +114,56 @@ https://play.google.com/store/apps/details?id=%s Inserisci un titolo al problema Inserisci il tuo nome utente GitHub Si è verificato un errore imprevisto. Mi dispiace, se continua a bloccarsi \"Cancella i dati\" dell\'app o inviami un\'email - Caricando il rapporto su GitHub... Invia con l\'account GitHub + Acquista ora + Annulla + Card - Circolare Card colorata Card - Carosello + Effetto scorrimento sulla schermata di riproduzione + Cascata - Forma + Ultime modifiche Per visualizzare le ultime modifiche, entra nel canale Telegram + Cerchio + Circolare + Classico + Vuoto - Cancella i dati dell\'app Cancella blacklist Cancella coda - Cancella playlist - %1$s ? Questo non pu\u00f2 essere annullato!]]> - Chiudi + Colore - Colore + Colori + Compositore + Info dispositivo copiate negli appunti. + Impossibile creare la playlist. "Impossibile scaricare la copertina dell'album corrispondente." Impossibile ripristinare l\'acquisto. Impossibile scansionare %d file. + Crea + Playlist %1$s creata. + Membri e collaboratori + Ascoltando attualmente %1$s di %2$s. + Scuro - Nessun testo + Elimina playlist %1$s?]]> Elimina playlist @@ -140,42 +172,62 @@ https://play.google.com/store/apps/details?id=%s Elimina brani %1$d playlist?]]> %1$d brani?]]> + Eliminati %1$d brani - Eliminando i brani + Profondità + Descrizione + Info dispositivo + Consenti a Retro Music di modificare le impostazioni audio Imposta suoneria + Vuoi cancellare la blacklist? %1$s dalla blacklist?]]> + Dona Se pensi che io meriti di essere pagato per il mio lavoro, puoi lasciarmi qualche soldo qui + Pagami un: - Scarica da Last.fm + Modalità alla guida - Modifica - Modifica copertina + Vuoto + Equalizzatore - Errore + FAQ + Preferiti + Termina ultimo brano + Adatta + Piatto + Cartelle + Sistema + Per te + Gratis + Pieno Card intera + Cambia il tema e i colori dell\'app Aspetto + Genere + Generi + Sviluppa il progetto su GitHub - Unisciti alla community di Google Plus, dove puoi chiedere aiuto o seguire gli aggiornamenti di Retro Music + 1 2 3 @@ -185,16 +237,25 @@ https://play.google.com/store/apps/details?id=%s 7 8 Griglie e stile + Cerniera + Cronologia + Homepage + Flip orizzontale + Immagine Immagine sfumata Modifica le impostazioni di download delle immagini + Inseriti %1$d brani nella playlist %2$s. + Condividi la tua configurazione di Retro Music per mostrarla su Instagram + Tastiera + Bitrate Formato Nome del file @@ -203,31 +264,45 @@ https://play.google.com/store/apps/details?id=%s Altro da %s Frequenza di campionamento Lunghezza + Etichettato + Ultimi aggiunti Ultimo brano - Suoniamo un po\' di musica - Raccolta + Categorie della raccolta + Licenze + Chiaro + Ascoltatori + Elenco dei file + Caricamento prodotti... + Accedi + Testi + Creato con ❤ in India + Material + Errore Errore di autorizzazione + Nome I più riprodotti + Mai - Nuova immagine copertina + Nuova playlist - Nuova foto del profilo %s è la nuova directory di avvio + Brano successivo + Nessun album Nessun artista "Prima riproduci un brano, poi riprova." @@ -239,45 +314,59 @@ https://play.google.com/store/apps/details?id=%s Nessun acquisto trovato. Nessun risultato Nessun brano + Normale Testi normali - Normale + %s non è presente nel Media Store.]]> + Niente da rilevare Non c\'è niente da vedere + Notifica Modifica lo stile delle notifiche + In riproduzione Coda in riproduzione Personalizza la schermata riproduzione Più di 9 schermate di riproduzione + Solo tramite Wi-fi + Funzionalità sperimentali + Altro + Password + Ultimi 3 mesi - Incolla i testi qui + Picco + Autorizzazione ad accedere all\'archiviazione esterna negata. + Autorizzazione negata. + Personalizza Personalizza i comandi riproduzione + Scegli dalla memoria locale - Scegli immagine + Pinterest Segui la pagina Pinterest per ispirazioni sul design di Retro Music + Piatto + La notifica di riproduzione fornisce azioni per riproduzione/pausa ecc. Notifica di riproduzione - Playlist vuota + La playlist è vuota Nome playlist + Playlist - Stile dettagli album + Quantità di sfocatura applicata per i temi con sfocatura, minore è più veloce Quantità di sfocatura - Regola gli angoli della finestra di dialogo inferiore - Angoli finestra Filtra brani per durata Filtro durata brano Avanzate @@ -294,9 +383,7 @@ https://play.google.com/store/apps/details?id=%s Pausa a zero Ricorda che abilitando questa opzione l\'autonomia del tuo dispositivo potrebbe risentirne Mantieni lo schermo acceso - Premi per aprire o scorri nella schermata di riproduzione - Premi o scorri - Effetto neve + Seleziona lingua Imposta la copertina del brano riprodotto come sfondo del blocco schermo Riduce il volume quando viene riprodotto un suono di sistema o viene ricevuta una notifica Il contenuto delle cartelle nella blacklist non compare nella raccolta @@ -306,21 +393,17 @@ https://play.google.com/store/apps/details?id=%s Usa il design classico delle notifiche Lo sfondo e il pulsante di riproduzione cambiano colore in base alla copertina dell\'album in riproduzione Colora le scorciatoie dell\'app con il colore in rilievo. Ogni volta che cambi colore attiva questo perché abbia effetto - Colora la barra di navigazione con il colore primario "Colora la notifica con il colore principale della copertina dell'album" Secondo le linee guida del Material Design, in modalità scura i colori devono essere desaturati - Il colore dominante verrà selezionato dall\'album o dalla copertina dell\'artista + Cliccando sulla notifica verrà visualizzata la schermata di riproduzione invece della schermata home Aggiungi controlli extra nel mini player Mostra informazioni extra sul brano come formato del file, bitrate e frequenza "Può causare problemi di riproduzione su alcuni dispositivi" - Attiva la scheda Genere Attiva banner nella home Può aumentare la qualità delle copertine degli album, ma causa un rallentamento nel caricamento delle immagini. Abilita solo se hai problemi con la bassa qualità delle copertine Configura la visibilità e l\'ordine delle categorie Usa i comandi di Retro Music nella schermata di blocco Dettagli licenza per il software open source - Arrotonda i bordi dell\'app - Attiva i titoli delle schede Modalità immersiva Inizia la riproduzione subito dopo aver collegato le cuffie La modalità casuale viene disattivata quando si riproduce un nuovo elenco di brani @@ -328,75 +411,76 @@ https://play.google.com/store/apps/details?id=%s Mostra la copertina dell\'album Tema copertina dell\'album Modalità cambio copertina dell\'album - Griglia album Scorciatoie app colorate - Griglia artista Riduzione volume con perdita di focalizzazione audio Scarica automaticamente immagini artista Blacklist Riproduzione bluetooth Copertina dell\'album sfocata - Scegli un equalizzatore Design classico per le notifiche Colore adattivo Notifica colorata Colori desaturati + Mostra la schermata riproduzione Controlli extra Informazioni brano Riproduzione senza interruzioni Tema generale - Mostra scheda Genere Griglia schermata artista Banner Ignora le copertine del Media Store Intervallo playlist ultimi aggiunti Controlli a schermo intero - Barra di navigazione colorata Tema schermata riproduzione Licenze open source - Angoli arrotondati Modalità titoli schede Effetto scorrimento - Colore dominante Applicazione a schermo intero - Titoli schede Riproduzione automatica Modalità casuale Controlli volume - Info utente - Colore primario - Il colore primario del tema, blu-grigio di default, per ora funziona con colori scuri + Pro Temi in riproduzione, effetto scorrimento e molto altro... + Profilo + Acquista - * Pensaci prima di acquistare, non chiedere il rimborso. + Coda + Valuta l\'app Adori quest\'app? Facci sapere sul Play Store come possiamo renderla ancora migliore + Album recenti Artisti recenti + Rimuovi - Rimuovi la foto del banner Rimuovi copertina Rimuovi dalla blacklist - Rimuovi la foto profilo Rimuovi il brano dalla playlist %1$s dalla playlist?]]> Rimuovi brani dalla playlist %1$d dalla playlist?]]> + Rinomina playlist + Segnala un problema Segnala bug + Ripristina Ripristina immagine artista + Ripristina + Acquisto precedente ripristinato. Riavvia l\'app per utilizzare tutte le funzionalità. Acquisti precedenti ripristinati. + Ripristino acquisto... - Equalizzatore di Retro Music + Retro Music Player Retro Music Pro + Eliminazione file fallita: %s Impossibile ottenere l\'URI dal SAF @@ -409,37 +493,48 @@ https://play.google.com/store/apps/details?id=%s Non aprire alcuna sottocartella Tocca \'seleziona\' nella parte inferiore dello schermo Scrittura file fallita: %s + Salva Salva come file Salva come file + Playlist salvata in %s. + Salvataggio modifiche + Scansiona media + Scansionati %1$d di %2$d file. + Scrobbles - Cerca nella tua raccolta... + Seleziona tutto - Seleziona la foto del banner + Selezionato - Invia registro errori + Imposta Imposta immagine artista - Imposta una foto profilo + Condividi app Condividi nelle Storie + Casuale + Semplice + Timer sonno cancellato. Timer sonno impostato per %d minuti da ora. - Scorri - Album piccolo + Social Condividi storia + Brano Durata brano + Brani + Ordina per Crescente Album @@ -449,93 +544,91 @@ https://play.google.com/store/apps/details?id=%s Ultima modifica Anno Decrescente + Il tuo dispositivo non supporta l\'input vocale Cerca nella tua raccolta + Pila + Inizia a riprodurre musica. + Suggerimenti - Mostra il tuo nome nella schermata home + Sostieni lo sviluppo + Scorri per sbloccare + Testi sincronizzati - Equalizzatore di sistema + Telegram Unisciti al gruppo Telegram per discutere dei bug, dare suggerimenti e molto altro + Grazie! + Il file audio + Questo mese Questa settimana Quest\'anno + Piccolo + Card piccola + Titolo - Dashboard - Buon pomeriggio - Buona giornata - Buonasera - Buongiorno - Buonanotte - Qual è il tuo nome + Oggi + Album migliori Artisti migliori + "Traccia (2 per traccia 2 o 3004 per CD3 traccia 4)" Numero traccia + Traduci Aiutaci traducendo l\'app nella tua lingua + + Prova Retro Music Premium + Twitter Condividi il tuo design con Retro Music + Senza etichetta + Impossibile riprodurre il brano. + Prossimo + Aggiorna immagine + Aggiornamento... + Nome utente + Versione + Flip verticale - Virtualizzatore + Volume + Ricerca web + Benvenuto. + Cosa vuoi condividere? + Novità + Finestra Angoli arrotondati + %1$s impostata come suoneria. %1$d selezionato + Anno + Seleziona almeno una categoria. Verrai reindirizzato al sito web dei problemi. + I dati del tuo account vengono utilizzati solo per l\'autenticazione. - Valore - Nota (opzionale) - Inizia pagamento - Mostra la schermata riproduzione - Cliccando sulla notifica verrà visualizzata la schermata di riproduzione invece della schermata home - Card piccola - Info su %s - Seleziona lingua - Traduttori - Le persone che hanno contribuito a tradurre questa app - Prova Retro Music Premium - - Canzone - Canzoni - - - Album - Album - - - %d brano - %d brani - - - %d album - %d album - - - %d artista - %d artisti - diff --git a/app/src/main/res/values-iw-rIL/strings.xml b/app/src/main/res/values-iw-rIL/strings.xml index fa0ac4a3..2ce2e4b0 100644 --- a/app/src/main/res/values-iw-rIL/strings.xml +++ b/app/src/main/res/values-iw-rIL/strings.xml @@ -1,14 +1,16 @@ + About %s Team, social links + Accent color The theme accent color, defaults to purple + About Add to favorites Add to playing queue Add to playlist Clear playing queue - Clear playlist Cycle repeat mode Delete Delete from device @@ -46,19 +48,36 @@ Tag editor Toggle favorite Toggle shuffle mode + Adaptive + Add - Add lyrics - Add \nphoto "Add to playlist" - Add time frame lyrics + "Added 1 title to the playing queue." Added %1$d titles to the playing queue. + Album + + + Song + Songs + Songs + Songs + + Album artist - The title or artist is empty. + Albums + + Album + Albums + Albums + Albums + + Always + Hey check out this cool music player at: https://play.google.com/store/apps/details?id=%s Shuffle Top Tracks @@ -67,19 +86,25 @@ Classic Small Text + Artist + Artists + Audio focus denied. Change the sound settings and adjust the equalizer controls + Auto - Base color theme - Bass Boost - Bio + Biography + Just Black + Blacklist + Blur Blur Card + Unable to send report Invalid access token. Please contact the app developer. Issues are not enabled for the selected repository. Please contact the app developer. @@ -92,45 +117,56 @@ Please enter an issue title Please enter your valid GitHub username An unexpected error occurred. Sorry you found this bug, if it keeps crashing \"Clear app data\" or send an Email - Uploading report to GitHub… Send using GitHub account + Buy now + Cancel + Card - Circular Colored Card Card - Carousel + Carousel effect on the now playing screen + Cascading - Cast + Changelog Changelog maintained on the Telegram channel + Circle + Circular + Classic + Clear - Clear app data Clear blacklist Clear queue - Clear playlist - %1$s? This can\u2019t be undone!]]> - Close + Color - Color + Colors + Composer + Copied device info to clipboard. + Couldn\u2019t create playlist. "Couldn\u2019t download a matching album cover." Could not restore purchase. Could not scan %d files. + Create + Created playlist %1$s. + Members and contributors + Currently listening to %1$s by %2$s. + Kinda Dark - No Lyrics + Delete playlist %1$s?]]> Delete playlists @@ -139,42 +175,62 @@ Delete songs %1$d playlists?]]> %1$d songs?]]> + Deleted %1$d songs. - Deleting songs + Depth + Description + Device info + Allow Retro Music to modify audio settings Set ringtone + Do you want to clear the blacklist? %1$s from the blacklist?]]> + Donate If you think I deserve to get paid for my work, you can leave some money here + Buy me a: - Download from Last.fm + Drive mode - Edit - Edit cover + Empty + Equalizer - Error + FAQ + Favorites + Finish last song + Fit + Flat + Folders + Follow system + For you + Free + Full Full card + Change the theme and colors of the app Look and feel + Genre + Genres + Fork the project on GitHub - Join the Google Plus community where you can ask for help or follow Retro Music updates + 1 2 3 @@ -184,16 +240,25 @@ 7 8 Grid style + Hinge + History + Home + Horizontal flip + Image Gradient image Change artist image download settings + Inserted %1$d songs into the playlist %2$s. + Share your Retro Music setup to showcase on Instagram + Keyboard + Bitrate Format File name @@ -202,31 +267,45 @@ More from %s Sampling rate Length + Labeled + Last added Last song - Let\'s play some music - Library + Library categories + Licenses + Clearly White + Listeners + Listing files + Loading products… + Login + Lyrics + Made with ❤️ in India + Material + Error Permission error + Name Most played + Never - New banner photo + New playlist - New profile photo %s is the new start directory. + Next Song + You have no albums You have no artists "Play a song first, then try again." @@ -238,45 +317,59 @@ No purchase found. No results You have no songs + Normal Normal lyrics - Normal + %s is not listed in the media store.]]> + Nothing to scan. Nothing to see + Notification Customize the notification style + Now playing Now playing queue Customize the now playing screen 9+ now playing themes + Only on Wi-Fi + Advanced testing features + Other + Password + Past 3 months - Paste lyrics here + Peak + Permission to access external storage denied. + Permissions denied. + Personalize Customize your now playing and UI controls + Pick from local storage - Pick image + Pinterest Follow Pinterest page for Retro Music design inspiration + Plain + The playing notification provides actions for play/pause etc. Playing notification - Empty playlist + Playlist is empty Playlist name + Playlists - Album detail style + Amount of blur applied for blur themes, lower is faster Blur amount - Adjust the bottom sheet dialog corners - Dialog corner Filter songs by length Filter song duration Advanced @@ -293,9 +386,7 @@ Pause on zero Keep in mind that enabling this feature may affect battery life Keep the screen on - Click to open with or slide to without transparent navigation of now playing screen - Click or Slide - Snow fall effect + Select language Use the currently playing song album cover as the lockscreen wallpaper Lower the volume when a system sound is played or a notification is received The content of blacklisted folders is hidden from your library. @@ -305,21 +396,17 @@ Use the classic notification design The background and control button colors change according to the album art from the now playing screen Colors the app shortcuts in the accent color. Every time you change the color please toggle this to take effect - Colors the navigation bar in the primary color "Colors the notification in the album cover\u2019s vibrant color" As per Material Design guide lines in dark mode colors should be desaturated - Most dominant color will be picked from the album or artist cover + Clicking on the notification will show now playing screen instead of the home screen Add extra controls for mini player Show extra Song information, such as file format, bitrate and frequency "Can cause playback issues on some devices." - Toggle genre tab Show or hide the home banner Can increase the album cover quality, but causes slower image loading times. Only enable this if you have problems with low resolution artworks Configure visibility and order of library categories. Use Retro Music\'s custom lockscreen controls License details for open source software - Round the app\'s edges - Toggle titles for the bottom navigation bar tabs Immersive mode Start playing immediately after headphones are connected Shuffle mode will turn off when playing a new list of songs @@ -327,75 +414,76 @@ Show album cover Album cover theme Album cover skip - Album grid Colored app shortcuts - Artist grid Reduce volume on focus loss Auto-download artist images Blacklist Bluetooth playback Blur album cover - Choose equalizer Classic notification design Adaptive color Colored notification Desaturated color + Show now playing screen Extra controls Song info Gapless playback App theme - Show genre tab Artist grid Banner Ignore Media Store covers Last added playlist interval Fullscreen controls - Colored navigation bar Now playing theme Open source licences - Corner edges Tab titles mode Carousel effect - Dominant color Fullscreen app - Tab titles Auto-play Shuffle mode Volume controls - User info - Primary color - The primary theme color, defaults to blue grey, for now works with dark colors + Pro Black theme, Now playing themes, Carousel effect and more.. + Profile + Purchase - *Think before buying, don\'t ask for refund. + Playing Queue + Rate the app Love this app? Let us know in the Google Play Store how we can make it even better + Recent albums Recent artists + Remove - Remove banner photo Remove cover Remove from blacklist - Remove profile photo Remove song from playlist %1$s from the playlist?]]> Remove songs from playlist %1$d songs from the playlist?]]> + Rename playlist + Report an issue Report bug + Reset Reset artist image + Restore + Restored previous purchase. Please restart the app to make use of all features. Restored previous purchases. + Restoring purchase… - Retro Music Equalizer + Retro Music Player Retro Music Pro + File delete failed: %s Can\'t get SAF URI @@ -408,37 +496,48 @@ Do not open any sub-folders Tap \'select\' button at the bottom of the screen File write failed: %s + Save Save as file Save as files + Saved playlist to %s. + Saving changes + Scan media + Scanned %1$d of %2$d files. + Scrobbles - Search your library… + Select all - Select banner photo + Selected - Send crash log + Set Set artist image - Set a profile photo + Share app Share to Stories + Shuffle + Simple + Sleep timer canceled. Sleep timer set for %d minutes from now. - Slide - Small album + Social Share story + Song Song duration + Songs + Sort order Ascending Album @@ -448,103 +547,91 @@ Date modified Year Descending + Sorry! Your device doesn\'t support speech input Search your library + Stack + Start playing music. + Suggestions - Just show your name on home screen + Support development + Swipe to unlock + Synced lyrics - System Equalizer + Telegram Join the Telegram group to discuss bugs, make suggestions, show off and more + Thank you! + The audio file + This month This week This year + Tiny + Tiny card + Title - Dashboard - Good afternoon - Good day - Good evening - Good morning - Good night - What\'s Your Name + Today + Top albums Top artists + "Track (2 for track 2 or 3004 for CD3 track 4)" Track number + Translate Help us translate the app to your language + + Try Retro Music Premium + Twitter Share your design with Retro Music + Unlabeled + Couldn\u2019t play this song. + Up next + Update image + Updating… + Username + Version + Vertical flip - Virtualizer + Volume + Web search + Welcome, + What do you want to share? + What\'s New + Window Rounded corners + Set %1$s as your ringtone. %1$d selected + Year + You have to select at least one category. You will be forwarded to the issue tracker website. + Your account data is only used for authentication. - Amount - Note(Optional) - Start payment - Show now playing screen - Clicking on the notification will show now playing screen instead of the home screen - Tiny card - About %s - Select language - Translators - The people who helped translate this app - Try Retro Music Premium - - Song - Songs - Songs - Songs - - - Album - Albums - Albums - Albums - - - %d Song - %d Songs - %d Songs - %d Songs - - - %d Album - %d Albums - %d Albums - %d Albums - - - %d Artist - %d Artists - %d Artists - %d Artists - diff --git a/app/src/main/res/values-ja-rJP/strings.xml b/app/src/main/res/values-ja-rJP/strings.xml index 9d6d2545..4cacbfac 100644 --- a/app/src/main/res/values-ja-rJP/strings.xml +++ b/app/src/main/res/values-ja-rJP/strings.xml @@ -1,14 +1,16 @@ + About %s 我々のチームとソーシャルリンク + アクセントカラー テーマのアクセントカラー、既定は青緑色です。 + このアプリについて お気に入りに追加 再生キューに追加 プレイリストに追加… 再生キューをクリア - プレイリストを削除 Cycle repeat mode 削除 デバイスから削除 @@ -46,19 +48,30 @@ 音楽タグエディター Toggle favorite Toggle shuffle mode + アダプティブ + 追加 - 歌詞を追加 - 写真を\n追加 "プレイリストに追加" - 歌詞に時間枠を組み入れる + "1曲が再生キューに追加されました" %1$d 曲が再生キューに追加されました + アルバム + + + Songs + + アルバム アーティスト - 不明なタイトルまたはアーティスト + アルバム + + Albums + + 常に + クールな音楽プレイヤーをチェックしよう: https://play.google.com/store/apps/details?id=%s シャッフル トップ曲 @@ -67,19 +80,25 @@ レトロミュージック - クラシック レトロミュージック - 小 テキスト + アーティスト + アーティスト + オーディオのフォーカスが拒否されました。 サウンド設定を変更し、イコライザーコントロールを調整する + 自動 - ベースカラーテーマ - 低音ブースト - バイオグラフィー + バイオグラフィー + + ブラックリスト + ぼかし ブラーとカード + レポートを送信できませんでした 無効なトークン:アプリの開発者に連絡してください 選択されたリポジトリで問題が有効になっていません。開発者に連絡してください @@ -93,45 +112,56 @@ 有効なGitHubアカウントのユーザー名を入力してください 予期しないエラーが発生しました。申し訳ございません。 このバグが何度も発生する場合は、端末のアプリ設定より「データを削除する(Androidバージョンによって異なります)」を実行するか、概要をメールで送信してください。 - GitHubにレポートをアップロード中... GitHubアカウントを使って送信 + Buy now + キャンセル + カード - 色付きのカード カード - カルーセル + 再生中画面でのカルーセル効果 + 重ねて表示 - キャスト + パッチノート 電報チャネルで変更ログが維持されています + Circle + + クラシック + 削除 - アプリのデータを削除 ブラックリストを削除 キューを削除 - プレイリストを削除 - %1$s? This can\u2019t be undone!]]> - 閉じる + カラフル - カラフル + + 作曲家 + 端末情報をコピー + \u30d7\u30ec\u30a4\u30ea\u30b9\u30c8\u306e\u4f5c\u6210\u306b\u5931\u6557\u3057\u307e\u3057\u305f\u3002 "\u9069\u5207\u306a\u30a2\u30eb\u30d0\u30e0\u30a2\u30fc\u30c8\u3092\u30c0\u30a6\u30f3\u30ed\u30fc\u30c9\u3067\u304d\u307e\u305b\u3093\u3067\u3057\u305f" 購入の復元に失敗しました %d のファイルをスキャンできませんでした + 作成 + プレイリストを作成しました %1$s + メンバーと貢献者 + 現在、 %1$s によって %2$s で聴いています。 + ちょっと暗い - 歌詞がありません + プレイリストを削除 %1$s を削除しますか?]]> プレイリストを削除 @@ -140,42 +170,62 @@ Delete songs %1$d を削除しますか?]]> %1$d 曲を削除しますか?]]> + %1$d 曲を削除しました - Deleting songs + 深さ + 説明 + 端末の情報 + Retro Musicにオーディオ設定の変更を許可する 着信音に設定 + ブラックリストを削除しますか? %1$s をブラックリストから削除しますか?]]> + 寄付します 私が自分の仕事に払う価値があると思うなら、あなたはここにお金を残すことができます + 俺を購入: - Last.fm からダウンロード + Drive mode - 編集 - カバーを編集 + 空の + イコライザー - エラー + よくある質問 + お気に入り + Finish last song + フィット + フラット + フォルダ + Follow system + あなたのために + Free + いっぱい 全体のカード + このアプリのテーマや色を変更します 見た目と操作感 + ジャンル + ジャンル + GitHubでプロジェクトにフォークする - Google Plus コミュニティに参加してヘルプや Retro Music のアップデート情報を受け取ろう + @@ -185,16 +235,25 @@ Grid style + ヒンジ + 履歴 + ホーム + 水平方向に反転 + 画像 Gradient image アーティスト画像のダウンロード設定を変更する + プレイリスト %2$s に %1$d 曲を追加しました + 君のRetro Music設定を共有してInstagramにショーケースしましょう + Keyboard + ビットレート フォーマット ファイルの名前 @@ -203,31 +262,45 @@ More from %s サンプリングレート 長さ + ラベル付き + 最後に追加された 前の曲 - 何か再生しよう - ライブラリ + Library categories + ライセンス + はっきり白 + Listeners + リスティングファイル + 商品の読み込み中... + ログイン + 歌詞 + Made with ❤️ in India + マテリアル + エラー 権限が付与されていません + 名前 最も再生された + 決して - 新しいバナー画像 + 新しいプレイリスト - 新しいプロフィール画像 %s は新しい開始ディレクトリです。 + 次の曲 + アルバムがありません アーティストがありません "音楽再生してから、再度お試しください" @@ -239,45 +312,59 @@ 購入が見つかりません。 結果なし 曲がありません + 通常 通常の歌詞 - 通常 + %s がリストされたされていません。]]> + スキャン対象がありません Nothing to see + 通知 通知スタイルを変更 + 再生中 再生中のキュー 再生中の画面をカスタマイズ 9種類以上の再生中テーマ + Wi-Fi時のみ + 高度な試験的機能 + その他 + パスワード + 過去3ヶ月 - ここに歌詞を入力してください + Peak + 外部ストレージへのアクセスが拒否されました + 許可が拒否されました + 個人用設定 再生中のUI画面をカスタマイズ + ローカルストレージから選択 - 画像を選択 + Pinterest PintrestでRetro Musicのデザインのインスピレーションを感じましょう! + プレーン + 再生中の通知は再生/停止の操作が利用できます 再生中の通知 - 空のプレイリスト + プレイリストが空です プレイリストの名前 + プレイリスト - アルバムのディテールスタイル + ブラーを使用するテーマを使用した際のブラーの強さを設定します。低いほど処理が早くなります ぼかしの強さ - Adjust the bottom sheet dialog corners - Dialog corner Filter songs by length 曲の長さをフィルター Advanced @@ -294,9 +381,7 @@ 音量をゼロで一時停止 この機能をオンにすると、バッテリー寿命に影響する可能性があります 画面をオンのままにする - 現在再生中の画面に移動せずに、クリックまたはスライドして開く - クリックもしくはスライド - スノーフォールエフェクト + Select language 再生中のジャケットをロック画面の壁紙に適用する システムでサウンドが再生されたとき、または通知が受信されたときに一時的に音量を下げる ブラックリストに登録されたフォルダの内容はコレクションには表示されません。 @@ -306,21 +391,17 @@ 古い通知デザインを使用する ジャケットから抽出された色が背景と再生ボタンに適用されます アプリのショートカットアイコンをアクセントカラーに切り替えます。アクセントカラーを変更した場合はトグルを切り替えて設定を適用してください - ナビゲーションバーにプライマリカラーを適用します "\u30b8\u30e3\u30b1\u30c3\u30c8\u304b\u3089\u62bd\u51fa\u3055\u308c\u305f\u8272\u3067\u901a\u77e5\u3092\u7740\u8272\u3059\u308b" As per Material Design guide lines in dark mode colors should be desaturated - 全体の色はアルバムジャケットまたはアーティストの画像から選択されます + Clicking on the notification will show now playing screen instead of the home screen ミニプレイヤー専用のコントロールボタンを追加する Show extra Song information, such as file format, bitrate and frequency "一部のデバイスでは再生に問題が発生する場合があります" - ジャンルタブを切り替える ホーム画面を切り替える アルバムジャケットのクオリティを上げますが、読み込みに時間がかかる場合があります。低解像度の画像で問題がある場合に有効です。 Configure visibility and order of library categories. Retro Musicのカスタムされたロック画面を使用する オープンソースライセンスの詳細 - アプリの端を丸める - 下部のナビゲーションタブを切り替える フルスクリーンモード ヘッドフォンが接続されたら自動で再生を開始する 新しいリストの楽曲を再生する時にシャッフルは自動的にオフになります @@ -328,75 +409,76 @@ アルバムジャケットを表示 アルバムカバーのテーマ アルバムジャケットをスキップ - アルバムの間隔 色のついたアプリショートカット - アーティストの間隔 フォーカスロス時に音量を下げる アーティスト画像を自動でダウンロードする ブラックリスト Bluetooth playback アルバムジャケットにぼかしを適用する - イコライザーを選択 古い通知デザイン アダプティブカラー 色付きの通知 Desaturated color + Show now playing screen 追加のコントロール Song info ギャップレス再生 アプリのテーマ - ジャンルタブを表示 アーティストの間隔 ホーム画面 Media Store のカバーを無視する 最後に追加されたプレイリストの間隔 フルスクリーンコントロール - ナビゲーションに着色する 再生中のテーマ オープンソースライセンス - コーナーと角 タブのラベルモード カルーセルエフェクト - 全体の色 フルスクリーンアプリ - タブのタイトル 自動再生 シャッフルモード ボリュームコントロール - ユーザー情報 - プライマリカラー - プライマリカラーはデフォルトではブルーグレーに設定されています。現在はダークモードでのみ動作します。 + Pro Black theme, Now playing themes, Carousel effect and more.. + プロフィール + 購入 - 購入後に返金を求めないようにお願い申し上げます。 + キュー + アプリを評価する このアプリを気に入りましたか?アプリをより良いものにするために、Google Play Storeで問題の報告と意見をよろしくお願いします。 + 最近のアルバム 最近のアーティスト + 削除 - バナー画像を削除する ジャケットを削除 ブラックリストから削除 - プロフィール画像を削除 プレイリストから曲を削除 %1$s をプレイリストから削除しますか?]]> プレイリストから曲を削除する %1$d をプレイリストから削除しますか?]]> + プレイリストの名前を変更 + 問題を報告 不具合を報告する + Reset アーティスト画像をリセット + 復元 + 購入を復元しました。アプリを再起動してフルバージョンをご堪能ください! 購入を復元しました + 購入を復元しています... - Retro Music イコライザ + Retro Music Player Retro Music Pro + File delete failed: %s Can\'t get SAF URI @@ -409,37 +491,48 @@ Do not open any sub-folders Tap \'select\' button at the bottom of the screen File write failed: %s + 保存 ファイルとして保存 ファイルとして保存 + %s にプレイリストを保存しました + 変更を保存中 + メディアをスキャン + %2$d のうち、%1$d がスキャンされました + Scrobbles - ライブラリを検索しています... + すべて選択 - バナー画像を選択してください + 選択された - クラッシュログを送信する + 決定 アーティスト画像を設定 - プロフィール画像を設定 + アプリを共有する Share to Stories + シャッフル + シンプル + スリープタイマーがキャンセルされました スリープタイマーは %d 分後に設定されました。 - スライド - 小さなアルバム + ソーシャル Share story + 曲の長さ + + 順番をソート 昇順 アルバム @@ -449,88 +542,91 @@ Date modified 降順 + ごめんなさい! このデバイスは音声入力に対応しておりません ライブラリを検索 + Stack + Start playing music. + 改善を提案 - ホームに名前が表示されます + 開発を支援 + スワイプしてアンロック + 連動した歌詞 - システムのイコライザ + Telegram Telegram のグループに参加して、バグについて話し合ったり、提案したりしましょう + ありがとう! + オーディオファイル + 今月 今週 今年 + 小さい + Tiny card + 主題 - ダッシュボード - こんにちは - 良い一日を - こんばんは - おはようございます - おやすみなさい - あなたの名前はなんですか? + 今日 + トップアルバム トップアーティスト + "トラック(トラック2の場合は「truck 2」、CD3でtruck4の場合は 「3004」)" トラック番号 + 翻訳 翻訳を手伝ってください! + + Try Retro Music Premium + ツイッター あなたのデザインを皆に共有しましょう + ラベル付きでない + \u3053\u306e\u66f2\u3092\u518d\u751f\u3067\u304d\u307e\u305b\u3093\u3067\u3057\u305f + + 画像を更新 + 更新中... + ユーザー名 + バージョン + 垂直方向に反転 - バーチャライザー + Volume + ウェブで検索 + Welcome, + 何を共有しますか? + 更新内容 + ウィンドウ 角を丸める + %1$s をあなたの着信音として設定しました %1$d が選択されました + + You have to select at least one category. issue trackerのウェブサイトに転送されます + あなたのアカウントは認証にのみ使用されます - Amount - Note(Optional) - Start payment - Show now playing screen - Clicking on the notification will show now playing screen instead of the home screen - Tiny card - About %s - Select language - Translators - The people who helped translate this app - Try Retro Music Premium - - Songs - - - Albums - - - %d Songs - - - %d Albums - - - %d Artists - diff --git a/app/src/main/res/values-kn-rIN/strings.xml b/app/src/main/res/values-kn-rIN/strings.xml index c4438228..b599615c 100644 --- a/app/src/main/res/values-kn-rIN/strings.xml +++ b/app/src/main/res/values-kn-rIN/strings.xml @@ -1,14 +1,16 @@ + About %s Team, social links + Accent color The theme accent color, defaults to purple + About Add to favorites Add to playing queue Add to playlist Clear playing queue - Clear playlist Cycle repeat mode Delete Delete from device @@ -46,19 +48,32 @@ Tag editor Toggle favorite Toggle shuffle mode + Adaptive + Add - Add lyrics - Add \nphoto "Add to playlist" - Add time frame lyrics + "Added 1 title to the playing queue." Added %1$d titles to the playing queue. + Album + + + Song + Songs + + Album artist - The title or artist is empty. + Albums + + Album + Albums + + Always + Hey check out this cool music player at: https://play.google.com/store/apps/details?id=%s Shuffle Top Tracks @@ -67,19 +82,25 @@ Classic Small Text + Artist + Artists + Audio focus denied. Change the sound settings and adjust the equalizer controls + Auto - Base color theme - Bass Boost - Bio + Biography + Just Black + Blacklist + Blur Blur Card + Unable to send report Invalid access token. Please contact the app developer. Issues are not enabled for the selected repository. Please contact the app developer. @@ -92,45 +113,56 @@ Please enter an issue title Please enter your valid GitHub username An unexpected error occurred. Sorry you found this bug, if it keeps crashing \"Clear app data\" or send an Email - Uploading report to GitHub… Send using GitHub account + Buy now + Cancel + Card - Circular Colored Card Card - Carousel + Carousel effect on the now playing screen + Cascading - Cast + Changelog Changelog maintained on the Telegram channel + Circle + Circular + Classic + Clear - Clear app data Clear blacklist Clear queue - Clear playlist - %1$s? This can\u2019t be undone!]]> - Close + Color - Color + Colors + Composer + Copied device info to clipboard. + Couldn\u2019t create playlist. "Couldn\u2019t download a matching album cover." Could not restore purchase. Could not scan %d files. + Create + Created playlist %1$s. + Members and contributors + Currently listening to %1$s by %2$s. + Kinda Dark - No Lyrics + Delete playlist %1$s?]]> Delete playlists @@ -139,42 +171,62 @@ Delete songs %1$d playlists?]]> %1$d songs?]]> + Deleted %1$d songs. - Deleting songs + Depth + Description + Device info + Allow Retro Music to modify audio settings Set ringtone + Do you want to clear the blacklist? %1$s from the blacklist?]]> + Donate If you think I deserve to get paid for my work, you can leave some money here + Buy me a: - Download from Last.fm + Drive mode - Edit - Edit cover + Empty + Equalizer - Error + FAQ + Favorites + Finish last song + Fit + Flat + Folders + Follow system + For you + Free + Full Full card + Change the theme and colors of the app Look and feel + Genre + Genres + Fork the project on GitHub - Join the Google Plus community where you can ask for help or follow Retro Music updates + 1 2 3 @@ -184,16 +236,25 @@ 7 8 Grid style + Hinge + History + Home + Horizontal flip + Image Gradient image Change artist image download settings + Inserted %1$d songs into the playlist %2$s. + Share your Retro Music setup to showcase on Instagram + Keyboard + Bitrate Format File name @@ -202,31 +263,45 @@ More from %s Sampling rate Length + Labeled + Last added Last song - Let\'s play some music - Library + Library categories + Licenses + Clearly White + Listeners + Listing files + Loading products… + Login + Lyrics + Made with ❤️ in India + Material + Error Permission error + Name Most played + Never - New banner photo + New playlist - New profile photo %s is the new start directory. + Next Song + You have no albums You have no artists "Play a song first, then try again." @@ -238,45 +313,59 @@ No purchase found. No results You have no songs + Normal Normal lyrics - Normal + %s is not listed in the media store.]]> + Nothing to scan. Nothing to see + Notification Customize the notification style + Now playing Now playing queue Customize the now playing screen 9+ now playing themes + Only on Wi-Fi + Advanced testing features + Other + Password + Past 3 months - Paste lyrics here + Peak + Permission to access external storage denied. + Permissions denied. + Personalize Customize your now playing and UI controls + Pick from local storage - Pick image + Pinterest Follow Pinterest page for Retro Music design inspiration + Plain + The playing notification provides actions for play/pause etc. Playing notification - Empty playlist + Playlist is empty Playlist name + Playlists - Album detail style + Amount of blur applied for blur themes, lower is faster Blur amount - Adjust the bottom sheet dialog corners - Dialog corner Filter songs by length Filter song duration Advanced @@ -293,9 +382,7 @@ Pause on zero Keep in mind that enabling this feature may affect battery life Keep the screen on - Click to open with or slide to without transparent navigation of now playing screen - Click or Slide - Snow fall effect + Select language Use the currently playing song album cover as the lockscreen wallpaper Lower the volume when a system sound is played or a notification is received The content of blacklisted folders is hidden from your library. @@ -305,21 +392,17 @@ Use the classic notification design The background and control button colors change according to the album art from the now playing screen Colors the app shortcuts in the accent color. Every time you change the color please toggle this to take effect - Colors the navigation bar in the primary color "Colors the notification in the album cover\u2019s vibrant color" As per Material Design guide lines in dark mode colors should be desaturated - Most dominant color will be picked from the album or artist cover + Clicking on the notification will show now playing screen instead of the home screen Add extra controls for mini player Show extra Song information, such as file format, bitrate and frequency "Can cause playback issues on some devices." - Toggle genre tab Show or hide the home banner Can increase the album cover quality, but causes slower image loading times. Only enable this if you have problems with low resolution artworks Configure visibility and order of library categories. Use Retro Music\'s custom lockscreen controls License details for open source software - Round the app\'s edges - Toggle titles for the bottom navigation bar tabs Immersive mode Start playing immediately after headphones are connected Shuffle mode will turn off when playing a new list of songs @@ -327,75 +410,76 @@ Show album cover Album cover theme Album cover skip - Album grid Colored app shortcuts - Artist grid Reduce volume on focus loss Auto-download artist images Blacklist Bluetooth playback Blur album cover - Choose equalizer Classic notification design Adaptive color Colored notification Desaturated color + Show now playing screen Extra controls Song info Gapless playback App theme - Show genre tab Artist grid Banner Ignore Media Store covers Last added playlist interval Fullscreen controls - Colored navigation bar Now playing theme Open source licences - Corner edges Tab titles mode Carousel effect - Dominant color Fullscreen app - Tab titles Auto-play Shuffle mode Volume controls - User info - Primary color - The primary theme color, defaults to blue grey, for now works with dark colors + Pro Black theme, Now playing themes, Carousel effect and more.. + Profile + Purchase - *Think before buying, don\'t ask for refund. + Playing Queue + Rate the app Love this app? Let us know in the Google Play Store how we can make it even better + Recent albums Recent artists + Remove - Remove banner photo Remove cover Remove from blacklist - Remove profile photo Remove song from playlist %1$s from the playlist?]]> Remove songs from playlist %1$d songs from the playlist?]]> + Rename playlist + Report an issue Report bug + Reset Reset artist image + Restore + Restored previous purchase. Please restart the app to make use of all features. Restored previous purchases. + Restoring purchase… - Retro Music Equalizer + Retro Music Player Retro Music Pro + File delete failed: %s Can\'t get SAF URI @@ -408,37 +492,48 @@ Do not open any sub-folders Tap \'select\' button at the bottom of the screen File write failed: %s + Save Save as file Save as files + Saved playlist to %s. + Saving changes + Scan media + Scanned %1$d of %2$d files. + Scrobbles - Search your library… + Select all - Select banner photo + Selected - Send crash log + Set Set artist image - Set a profile photo + Share app Share to Stories + Shuffle + Simple + Sleep timer canceled. Sleep timer set for %d minutes from now. - Slide - Small album + Social Share story + Song Song duration + Songs + Sort order Ascending Album @@ -448,93 +543,91 @@ Date modified Year Descending + Sorry! Your device doesn\'t support speech input Search your library + Stack + Start playing music. + Suggestions - Just show your name on home screen + Support development + Swipe to unlock + Synced lyrics - System Equalizer + Telegram Join the Telegram group to discuss bugs, make suggestions, show off and more + Thank you! + The audio file + This month This week This year + Tiny + Tiny card + Title - Dashboard - Good afternoon - Good day - Good evening - Good morning - Good night - What\'s Your Name + Today + Top albums Top artists + "Track (2 for track 2 or 3004 for CD3 track 4)" Track number + Translate Help us translate the app to your language + + Try Retro Music Premium + Twitter Share your design with Retro Music + Unlabeled + Couldn\u2019t play this song. + Up next + Update image + Updating… + Username + Version + Vertical flip - Virtualizer + Volume + Web search + Welcome, + What do you want to share? + What\'s New + Window Rounded corners + Set %1$s as your ringtone. %1$d selected + Year + You have to select at least one category. You will be forwarded to the issue tracker website. + Your account data is only used for authentication. - Amount - Note(Optional) - Start payment - Show now playing screen - Clicking on the notification will show now playing screen instead of the home screen - Tiny card - About %s - Select language - Translators - The people who helped translate this app - Try Retro Music Premium - - Song - Songs - - - Album - Albums - - - %d Song - %d Songs - - - %d Album - %d Albums - - - %d Artist - %d Artists - diff --git a/app/src/main/res/values-ko-rKR/strings.xml b/app/src/main/res/values-ko-rKR/strings.xml index bf3a4d17..a4e8c4fb 100644 --- a/app/src/main/res/values-ko-rKR/strings.xml +++ b/app/src/main/res/values-ko-rKR/strings.xml @@ -1,14 +1,16 @@ + About %s Team, social links + 강조 색상 강조 색상을 지정합니다. 기본값은 녹색입니다. + 정보 즐겨찾기에 추가 재생 대기열에 추가 재생목록에 추가... 재생 대기열 비우기 - 재생목록 비우기 Cycle repeat mode 삭제 기기에서 삭제 @@ -46,19 +48,30 @@ 태그 편집기 Toggle favorite Toggle shuffle mode + Adaptive + 추가 - Add lyrics - 사진\n추가 "재생목록에 추가" - Add time frame lyrics + "재생 대기열에 1곡이 추가되었습니다." 재생 대기열에 %1$d곡이 추가되었습니다. + 앨범 + + + Songs + + 앨범 아티스트 - 제목 또는 아티스트가 없습니다. + 앨범 + + Albums + + 항상 + 이 멋진 뮤직 플레이어를 한 번 써보세요!: https://play.google.com/store/apps/details?id=%s 무작위 자주 재생한 음악 @@ -67,19 +80,25 @@ 클래식 소형 Text + 아티스트 + 아티스트 + 오디오 포커스가 거부되었습니다. 소리 설정 및 이퀄라이저 조정 + Auto - Base color theme - Bass Boost - Bio + 바이오그래피 + 저스트 블랙 + 블랙리스트 + 흐림 효과 블러 카드 + Unable to send report Invalid access token. Please contact the app developer. Issues are not enabled for the selected repository. Please contact the app developer. @@ -92,45 +111,56 @@ Please enter an issue title Please enter your valid GitHub username An unexpected error occurred. Sorry you found this bug, if it keeps crashing \"Clear app data\" or send an Email - Uploading report to GitHub… Send using GitHub account + Buy now + 현재 타이머 취소 + 카드 - Circular Colored Card Card - Carousel + Carousel effect on the now playing screen + Cascading - Cast + 변경 사항 변경 사항은 Telegram을 통해 확인할 수 있습니다 + Circle + Circular + Classic + 비우기 - Clear app data 블랙리스트 비우기 Clear queue - 재생목록 비우기 - %1$s? This can\u2019t be undone!]]> - Close + 색상 - 색상 + 색상 + Composer + Copied device info to clipboard. + \uc7ac\uc0dd\ubaa9\ub85d\uc744 \ub9cc\ub4e4 \uc218 \uc5c6\uc2b5\ub2c8\ub2e4. "\uc774 \uc568\ubc94\uacfc \uc77c\uce58\ud558\ub294 \uc568\ubc94 \ucee4\ubc84\ub97c \ub2e4\uc6b4\ub85c\ub4dc\ud560 \uc218 \uc5c6\uc2b5\ub2c8\ub2e4." 구매내역을 복구할 수 없습니다. %d개의 파일을 스캔하지 못했습니다. + 만들기 + %1$s 재생목록을 만들었습니다. + Members and contributors + 현재 %2$s의 %1$s를 듣는 중입니다. + 카인다 다크 - 가사 없음 + 재생목록 삭제 %1$s 재생목록을 삭제하시겠습니까?]]> 재생목록 삭제 @@ -139,42 +169,62 @@ Delete songs %1$d개의 재생목록을 삭제하시겠습니까?]]> %1$d개의 노래를 삭제하시겠습니까?]]> + %1$d개의 노래를 삭제했습니다. - Deleting songs + Depth + Description + Device info + Allow Retro Music to modify audio settings Set ringtone + 블랙리스트를 비우시겠습니까? %1$s 항목을 제거하시겠습니까?]]> + 기부하기 제 작업에 대한 대가를 받을 자격이 있다고 생각하신다면 여기서 저를 위해 소액을 기부할 수 있습니다. + 사주세요! - Last.fm에서 다운로드 + Drive mode - Edit - Edit cover + 비어 있음 + 이퀄라이저 - Error + FAQ + 즐겨찾기 + Finish last song + Fit + 플랫 + 폴더 + Follow system + 당신을 위해 + Free + 전체 Full card + 앱의 여러 가지 색상 변경 외관 + 장르 + 장르 + Fork the project on GitHub - Join the Google Plus community where you can ask for help or follow Retro Music updates + 1 2 3 @@ -184,16 +234,25 @@ 7 8 Grid style + Hinge + 기록 + + Horizontal flip + Image Gradient image Change artist image download settings + %2$s 재생목록에 %1$d개의 노래를 추가했습니다. + Share your Retro Music setup to showcase on Instagram + Keyboard + 비트레이트 형식 파일 이름 @@ -202,31 +261,45 @@ More from %s 샘플링 레이트 길이 + Labeled + 최근 추가된 목록 Last song - 아무거나 재생해보죠! - 라이브러리 + Library categories + 라이선스 + 클리어리 화이트 + Listeners + 파일 목록 생성 + 제품을 불러오는 중... + Login + 가사 + Made with ❤️ in India + Material + Error Permission error + 내 이름 자주 재생한 음악 + 아니오 - New banner photo + 새 재생목록 - New profile photo 이제 %s 디렉터리가 새 초기 디렉터리입니다. + Next Song + 앨범 없음 아티스트 없음 "먼저 노래를 재생하고 다시 시도해 보십시오." @@ -238,45 +311,59 @@ 구매내역을 찾을 수 없습니다. 결과 없음 노래 없음 + 일반 Normal lyrics - Normal + %s은(는) 미디어 저장소에 없는 항목입니다.]]> + 스캔할 것이 없습니다. Nothing to see + 알림 알림 스타일 변경 + 지금 재생 중 현재 재생 대기열 Customize the now playing screen 9+ now playing themes + Wi-Fi에서만 + Advanced testing features + 기타 + Password + 이전 3개월 - Paste lyrics here + Peak + 외부 저장소 접근 권한이 거부되었습니다. + 권한이 거부되었습니다. + 개인화 지금 재생 중 화면과 UI 변경 + 로컬 저장소에서 선택 - Pick image + Pinterest Follow Pinterest page for Retro Music design inspiration + 단색 + 재생 알림은 재생/일시 정지 등에 대한 작업을 제공합니다. 재생 중 알림 - 빈 재생목록 + 재생목록이 비어 있음 재생목록 이름 + 재생목록 - Album detail style + Amount of blur applied for blur themes, lower is faster Blur amount - Adjust the bottom sheet dialog corners - Dialog corner Filter songs by length Filter song duration Advanced @@ -293,9 +380,7 @@ Pause on zero Keep in mind that enabling this feature may affect battery life Keep the screen on - Click to open with or slide to without transparent navigation of now playing screen - Click or Slide - Snow fall effect + Select language 현재 재생 중인 노래의 앨범 커버를 잠금 화면 배경화면으로 사용합니다. 알림, 탐색 등 The content of blacklisted folders is hidden from your library. @@ -305,21 +390,17 @@ 클래식 알림 디자인을 사용합니다. 배경과 조작 버튼의 색상을 재생 화면의 앨범 사진에 따라 바꿉니다. 강조 색상의 앱 바로 가기 색상을 지정합니다. 색깔을 바꿀 때마다 이 설정을 다시 켜주세요 - 네비게이션 바의 기본 색상을 지정합니다. "\uc568\ubc94 \uc544\ud2b8\ub85c\ubd80\ud130 \ucd94\ucd9c\ud55c \uc0c9\uc0c1\uc73c\ub85c \uc54c\ub9bc \uc0c9\uc0c1\uc744 \uc9c0\uc815\ud569\ub2c8\ub2e4." As per Material Design guide lines in dark mode colors should be desaturated - 앨범 아트나 아티스트 사진에서 가장 많이 사용된 색상을 고릅니다. + Clicking on the notification will show now playing screen instead of the home screen Add extra controls for mini player Show extra Song information, such as file format, bitrate and frequency "몇몇 기기에서 재생 문제를 유발할 수 있습니다." - Toggle genre tab Show or hide the home banner 앨범 커버의 품질을 향상시킬 수 있지만 이미지를 불러오는 시간이 늘어납니다. 저해상도 이미지를 불러오는 데 문제가 있는 경우에만 사용하십시오. Configure visibility and order of library categories. Retro music에서 제공하는 자체 잠금 화면 사용 오픈소스 소프트웨어의 상세 라이센스 정보 - 창이나 앨범 아트 등의 모서리를 둥글게 처리 - 하단 탭에 제목을 보여줄지 결정합니다. 몰입 모드 이어폰이 연결되면 바로 음악을 재생합니다. Shuffle mode will turn off when playing a new list of songs @@ -327,75 +408,76 @@ 앨범 커버 표시 Album cover theme Album cover skip - Album grid 앱 바로가기 색상 틴트 - Artist grid 알림이 올 때 볼륨 감소 아티스트 이미지 자동 다운로드 Blacklist Bluetooth playback 앨범 커버 블러 - Choose equalizer 클래식 알림 디자인 반응형 색상 지정 알림 색상 틴트 Desaturated color + Show now playing screen Extra controls Song info 지연없이 재생하기 기본 테마 - Show genre tab Artist grid Banner 미디어 저장소 커버 무시 최근 추가된 음악 간격 지정 전체 화면 컨트롤 - 네비게이션 바 색상 틴트 테마 오픈소스 라이선스 - 모서리 둥글게 처리 Tab titles mode 회전 효과 - 주요 색상 전체 화면 - 탭 제목 자동 재생 Shuffle mode 볼륨 조절 - 사용자 정보 - 주 색상 - 테마의 주 색상을 선택합니다. 기본값은 회청색입니다. + Pro Black theme, Now playing themes, Carousel effect and more.. + Profile + 구매 - *Think before buying, don\'t ask for refund. + 대기열 + 앱 평가 앱이 마음에 드신다면 Google Play 스토어에 평가를 남겨주세요. + 지난 앨범 지난 아티스트 + 제거 - Remove banner photo 커버 제거 블랙리스트에서 제거 - Remove profile photo 노래를 재생목록에서 제거 %1$s 노래를 재생목록에서 제거하시겠습니까?]]> 노래를 재생목록에서 삭제 %1$d개의 노래를 재생목록에서 삭제하시겠습니까?]]> + 재생목록 이름 바꾸기 + Report an issue Report bug + Reset 아티스트 이미지 초기화 + 복원 + 지난 구매를 복원했습니다. 모든 기능을 사용하기 위해선 앱을 재시작해 주세요. 이전 구매 내역을 복원했습니다. + 구매 복원 중... - Retro 이퀄라이저 + Retro Music Player RetroMusic Pro 구매 + File delete failed: %s Can\'t get SAF URI @@ -408,37 +490,48 @@ Do not open any sub-folders Tap \'select\' button at the bottom of the screen File write failed: %s + Save 파일로 저장 Save as files + 재생목록을 %s 위치에 파일로 저장했습니다. + 변경 사항 저장 + Scan media + %2$d개 파일 중 %1$d개 파일을 스캔했습니다. + Scrobbles - 라이브러리에서 검색… + Select all - Select banner photo + Selected - Send crash log + Set 아티스트 이미지 설정 - Set a profile photo + Share app Share to Stories + 무작위 재생 + 심플 + 수면 타이머가 취소되었습니다. 수면 타이머가 지금으로부터 %d분 후로 설정되었습니다. - Slide - Small album + Social Share story + 노래 노래 길이 + 노래 + 정렬 순서 Ascending Album @@ -448,88 +541,91 @@ Date modified Year Descending + 음성 입력을 지원하지 않는 기기입니다 라이브러리 검색 + Stack + Start playing music. + Suggestions - 홈 화면에 사용자의 이름을 보여줍니다. + 개발 지원 + Swipe to unlock + Synced lyrics - System Equalizer + Telegram Join the Telegram group to discuss bugs, make suggestions, show off and more + 감사합니다! + 오디오 파일 + 이번 달 이번 주 올해 + 작음 + Tiny card + Title - 대시보드 - 좋은 저녁입니다 - 좋은 하루입니다 - 좋은 저녁입니다 - 좋은 아침이에요 - 좋은 밤이에요 - 이름이 무엇인가요? + 오늘 + 인기 앨범 인기 아티스트 + "트랙 (트랙 2는 2, CD3의 트랙 4는 3004)" 트랙 번호 + 번역 Help us translate the app to your language + + Try Retro Music Premium + Twitter Share your design with Retro Music + Unlabeled + \uc774 \ub178\ub798\ub97c \uc7ac\uc0dd\ud560 \uc218 \uc5c6\uc2b5\ub2c8\ub2e4. + 다음 곡으로 재생 + 이미지 갱신 + 갱신 중... + Username + 버전 + Vertical flip - Virtualizer + Volume + 웹 검색 + Welcome, + 무엇을 공유하시겠습니까? + What\'s New + Rounded corners + %1$s을(를) 벨소리로 설정했습니다. %1$d개 항목 선택됨 + 연도 + You have to select at least one category. You will be forwarded to the issue tracker website. + Your account data is only used for authentication. - Amount - Note(Optional) - Start payment - Show now playing screen - Clicking on the notification will show now playing screen instead of the home screen - Tiny card - About %s - Select language - Translators - The people who helped translate this app - Try Retro Music Premium - - Songs - - - Albums - - - %d Songs - - - %d Albums - - - %d Artists - diff --git a/app/src/main/res/values-ml-rIN/strings.xml b/app/src/main/res/values-ml-rIN/strings.xml index c4438228..b599615c 100644 --- a/app/src/main/res/values-ml-rIN/strings.xml +++ b/app/src/main/res/values-ml-rIN/strings.xml @@ -1,14 +1,16 @@ + About %s Team, social links + Accent color The theme accent color, defaults to purple + About Add to favorites Add to playing queue Add to playlist Clear playing queue - Clear playlist Cycle repeat mode Delete Delete from device @@ -46,19 +48,32 @@ Tag editor Toggle favorite Toggle shuffle mode + Adaptive + Add - Add lyrics - Add \nphoto "Add to playlist" - Add time frame lyrics + "Added 1 title to the playing queue." Added %1$d titles to the playing queue. + Album + + + Song + Songs + + Album artist - The title or artist is empty. + Albums + + Album + Albums + + Always + Hey check out this cool music player at: https://play.google.com/store/apps/details?id=%s Shuffle Top Tracks @@ -67,19 +82,25 @@ Classic Small Text + Artist + Artists + Audio focus denied. Change the sound settings and adjust the equalizer controls + Auto - Base color theme - Bass Boost - Bio + Biography + Just Black + Blacklist + Blur Blur Card + Unable to send report Invalid access token. Please contact the app developer. Issues are not enabled for the selected repository. Please contact the app developer. @@ -92,45 +113,56 @@ Please enter an issue title Please enter your valid GitHub username An unexpected error occurred. Sorry you found this bug, if it keeps crashing \"Clear app data\" or send an Email - Uploading report to GitHub… Send using GitHub account + Buy now + Cancel + Card - Circular Colored Card Card - Carousel + Carousel effect on the now playing screen + Cascading - Cast + Changelog Changelog maintained on the Telegram channel + Circle + Circular + Classic + Clear - Clear app data Clear blacklist Clear queue - Clear playlist - %1$s? This can\u2019t be undone!]]> - Close + Color - Color + Colors + Composer + Copied device info to clipboard. + Couldn\u2019t create playlist. "Couldn\u2019t download a matching album cover." Could not restore purchase. Could not scan %d files. + Create + Created playlist %1$s. + Members and contributors + Currently listening to %1$s by %2$s. + Kinda Dark - No Lyrics + Delete playlist %1$s?]]> Delete playlists @@ -139,42 +171,62 @@ Delete songs %1$d playlists?]]> %1$d songs?]]> + Deleted %1$d songs. - Deleting songs + Depth + Description + Device info + Allow Retro Music to modify audio settings Set ringtone + Do you want to clear the blacklist? %1$s from the blacklist?]]> + Donate If you think I deserve to get paid for my work, you can leave some money here + Buy me a: - Download from Last.fm + Drive mode - Edit - Edit cover + Empty + Equalizer - Error + FAQ + Favorites + Finish last song + Fit + Flat + Folders + Follow system + For you + Free + Full Full card + Change the theme and colors of the app Look and feel + Genre + Genres + Fork the project on GitHub - Join the Google Plus community where you can ask for help or follow Retro Music updates + 1 2 3 @@ -184,16 +236,25 @@ 7 8 Grid style + Hinge + History + Home + Horizontal flip + Image Gradient image Change artist image download settings + Inserted %1$d songs into the playlist %2$s. + Share your Retro Music setup to showcase on Instagram + Keyboard + Bitrate Format File name @@ -202,31 +263,45 @@ More from %s Sampling rate Length + Labeled + Last added Last song - Let\'s play some music - Library + Library categories + Licenses + Clearly White + Listeners + Listing files + Loading products… + Login + Lyrics + Made with ❤️ in India + Material + Error Permission error + Name Most played + Never - New banner photo + New playlist - New profile photo %s is the new start directory. + Next Song + You have no albums You have no artists "Play a song first, then try again." @@ -238,45 +313,59 @@ No purchase found. No results You have no songs + Normal Normal lyrics - Normal + %s is not listed in the media store.]]> + Nothing to scan. Nothing to see + Notification Customize the notification style + Now playing Now playing queue Customize the now playing screen 9+ now playing themes + Only on Wi-Fi + Advanced testing features + Other + Password + Past 3 months - Paste lyrics here + Peak + Permission to access external storage denied. + Permissions denied. + Personalize Customize your now playing and UI controls + Pick from local storage - Pick image + Pinterest Follow Pinterest page for Retro Music design inspiration + Plain + The playing notification provides actions for play/pause etc. Playing notification - Empty playlist + Playlist is empty Playlist name + Playlists - Album detail style + Amount of blur applied for blur themes, lower is faster Blur amount - Adjust the bottom sheet dialog corners - Dialog corner Filter songs by length Filter song duration Advanced @@ -293,9 +382,7 @@ Pause on zero Keep in mind that enabling this feature may affect battery life Keep the screen on - Click to open with or slide to without transparent navigation of now playing screen - Click or Slide - Snow fall effect + Select language Use the currently playing song album cover as the lockscreen wallpaper Lower the volume when a system sound is played or a notification is received The content of blacklisted folders is hidden from your library. @@ -305,21 +392,17 @@ Use the classic notification design The background and control button colors change according to the album art from the now playing screen Colors the app shortcuts in the accent color. Every time you change the color please toggle this to take effect - Colors the navigation bar in the primary color "Colors the notification in the album cover\u2019s vibrant color" As per Material Design guide lines in dark mode colors should be desaturated - Most dominant color will be picked from the album or artist cover + Clicking on the notification will show now playing screen instead of the home screen Add extra controls for mini player Show extra Song information, such as file format, bitrate and frequency "Can cause playback issues on some devices." - Toggle genre tab Show or hide the home banner Can increase the album cover quality, but causes slower image loading times. Only enable this if you have problems with low resolution artworks Configure visibility and order of library categories. Use Retro Music\'s custom lockscreen controls License details for open source software - Round the app\'s edges - Toggle titles for the bottom navigation bar tabs Immersive mode Start playing immediately after headphones are connected Shuffle mode will turn off when playing a new list of songs @@ -327,75 +410,76 @@ Show album cover Album cover theme Album cover skip - Album grid Colored app shortcuts - Artist grid Reduce volume on focus loss Auto-download artist images Blacklist Bluetooth playback Blur album cover - Choose equalizer Classic notification design Adaptive color Colored notification Desaturated color + Show now playing screen Extra controls Song info Gapless playback App theme - Show genre tab Artist grid Banner Ignore Media Store covers Last added playlist interval Fullscreen controls - Colored navigation bar Now playing theme Open source licences - Corner edges Tab titles mode Carousel effect - Dominant color Fullscreen app - Tab titles Auto-play Shuffle mode Volume controls - User info - Primary color - The primary theme color, defaults to blue grey, for now works with dark colors + Pro Black theme, Now playing themes, Carousel effect and more.. + Profile + Purchase - *Think before buying, don\'t ask for refund. + Playing Queue + Rate the app Love this app? Let us know in the Google Play Store how we can make it even better + Recent albums Recent artists + Remove - Remove banner photo Remove cover Remove from blacklist - Remove profile photo Remove song from playlist %1$s from the playlist?]]> Remove songs from playlist %1$d songs from the playlist?]]> + Rename playlist + Report an issue Report bug + Reset Reset artist image + Restore + Restored previous purchase. Please restart the app to make use of all features. Restored previous purchases. + Restoring purchase… - Retro Music Equalizer + Retro Music Player Retro Music Pro + File delete failed: %s Can\'t get SAF URI @@ -408,37 +492,48 @@ Do not open any sub-folders Tap \'select\' button at the bottom of the screen File write failed: %s + Save Save as file Save as files + Saved playlist to %s. + Saving changes + Scan media + Scanned %1$d of %2$d files. + Scrobbles - Search your library… + Select all - Select banner photo + Selected - Send crash log + Set Set artist image - Set a profile photo + Share app Share to Stories + Shuffle + Simple + Sleep timer canceled. Sleep timer set for %d minutes from now. - Slide - Small album + Social Share story + Song Song duration + Songs + Sort order Ascending Album @@ -448,93 +543,91 @@ Date modified Year Descending + Sorry! Your device doesn\'t support speech input Search your library + Stack + Start playing music. + Suggestions - Just show your name on home screen + Support development + Swipe to unlock + Synced lyrics - System Equalizer + Telegram Join the Telegram group to discuss bugs, make suggestions, show off and more + Thank you! + The audio file + This month This week This year + Tiny + Tiny card + Title - Dashboard - Good afternoon - Good day - Good evening - Good morning - Good night - What\'s Your Name + Today + Top albums Top artists + "Track (2 for track 2 or 3004 for CD3 track 4)" Track number + Translate Help us translate the app to your language + + Try Retro Music Premium + Twitter Share your design with Retro Music + Unlabeled + Couldn\u2019t play this song. + Up next + Update image + Updating… + Username + Version + Vertical flip - Virtualizer + Volume + Web search + Welcome, + What do you want to share? + What\'s New + Window Rounded corners + Set %1$s as your ringtone. %1$d selected + Year + You have to select at least one category. You will be forwarded to the issue tracker website. + Your account data is only used for authentication. - Amount - Note(Optional) - Start payment - Show now playing screen - Clicking on the notification will show now playing screen instead of the home screen - Tiny card - About %s - Select language - Translators - The people who helped translate this app - Try Retro Music Premium - - Song - Songs - - - Album - Albums - - - %d Song - %d Songs - - - %d Album - %d Albums - - - %d Artist - %d Artists - diff --git a/app/src/main/res/values-my/strings.xml b/app/src/main/res/values-my/strings.xml new file mode 100644 index 00000000..776cc1fe --- /dev/null +++ b/app/src/main/res/values-my/strings.xml @@ -0,0 +1,659 @@ + + + About %s + အဖွဲ့နှင့် လူမှုကွန်ယက်လင့်ခ်များ + + Accent Color + The theme accent color (ခရမ်းရောင်သည်မူလအရောင်) + + About + အကြိုက်ဆုံးသို့ထည့်မည် + နားထောင်နေသည့်စာရင်းထဲသို့ထည့်မည် + Playlist သို့ထည့်မည် + နားထောင်နေသည့်စာရင်းအားရှင်းမည် + Cycle repeat mode + ဖျက်မည် + Device မှဖျက်မည် + အသေးစိတ် + Album သို့သွားမည် + အဆိုတော်သို့သွားမည် + အမျိုးအစားသို့သွားမည် + Directory အစသို့သွားမည် + ခွင့်ပြုမည် + အကွက်အရွယ်အစား + အကွက်အရွယ်အစား (land) + Playlist အသစ် + နောက်တစ်ပုဒ် + Play မည် + အားလုံး play မည် + Play next + Play/ခေတ္တရပ် + ယခင်အပုဒ် + အကြိုက်ဆုံးမှထုတ်မည် + နားထောင်နေသည့်စာရင်းမှထုတ်မည် + Playlist မှထုတ်မည် + နာမည်ပြင်မည် + နားထောင်နေသည့်စာရင်းအားသိမ်းမည် + စကန်ဖတ်မည် + ရှာမည် + စမည် + Ringtone အဖြစ်ထားမည် + Directory အစအဖြစ်ထားမည် + "Settings" + မျှဝေမည် + အားလုံး Shuffle play မည် + Playlist အား Shuffle play မည် + Sleep Timer + အထားအသိုပြင်မည် + Tag တည်းဖြတ်ခြင်း + Toggle favorite + Toggle shuffle mode + + Adaptive + + ထည့်မည် + "အောက်ပါ Playlist သို့ထည့်မည်" + + "နားထောင်နေသည့်စာရင်းထဲသို့ ၁ ပုဒ်ပေါင်းထည့်ခဲ့သည်" + နားထောင်နေသည့်စာရင်းထဲသို့ %1$d ပုဒ်ပေါင်းထည့်ခဲ့သည် + + Album + + + သီချင်း + သီချင်းများ + + + Album အားသီဆိုသူ + + Albums + + Album + Albums + + + Always + + ဟေ့ အရမ်းမိုက်တဲ့ဒီ Music Player ကိုတစ်ချက်ကြည့်ကြည့်! https://play.google.com/store/apps/details?id=%s + Shuffle + ထိပ်ဆုံးသီချင်းများ + ပုံအပြည့် + ကတ် + ရိုးရိုး + အသေး + စာပါဝင်မှုနည်း + + အဆိုတော် + + အဆိုတော်များ + + အသံအာရုံစိုက်ခြင်းအား ပယ်ဖျက်ခဲ့သည် + အသံ Settings များပြောင်းလဲရန်နှင့် Equalizer ချိန်ညှိရန် + + အလိုအလျောက် + + အတ္ထုပတ္တိ + + အနက်ရောင်သာ + + လစ်လျူရှုမည့်စာရင်း + + Blur + ကတ်အဝါး + + သတင်းပို့၍မရနိုင်ပါ + မမှန်ကန်သော Access token ဖြစ်သည်။ ကျေးဇူးပြု၍ App ရေးသားသူအားဆက်သွယ်ပါ။ + ရွေးချယ်ထားသော Repository အတွက် Issue ဖွင့်ခွင့်မပေးထားပါ။ ကျေးဇူးပြု၍ App ရေးသားသူအားဆက်သွယ်ပါ။ + မသိထားသော Error တက်သွားခဲ့သည်။ ကျေးဇူးပြု၍ App ရေးသားသူအားဆက်သွယ်ပါ။ + Username (သို့မဟုတ်) Password မှားနေသည် + အကြောင်းအရာ + ကိုယ်တိုင်အသေးစိတ်သတင်းပို့မည် + ကျေးဇူးပြု၍ အကြောင်းအရာအသေးစိတ်ကိုဖြည့်သွင်းပါ + ကျေးဇူးပြု၍ မှန်ကန်သော Github password ကိုဖြည့်သွင်းပါ + ကျေးဇူးပြု၍အကြောင်းအရာခေါင်းစဉ်အားဖြည့်သွင်းပါ + ကျေးဇူးပြု၍ မှန်ကန်သော Github username ကိုဖြည့်သွင်းပါ + မသိထားတဲ့ Error တစ်ခုတက်ခဲ့တယ်ဆိုပါစို့။ ဆက်ပြီး Crash ဖြစ်နေတယ်ဆိုရင် \"Clear App Data\" လုပ်ပါ (ဒါမှမဟုတ်) အီးမေးလ်ပို့ပါ။ + GitHub အကောင့်ဖြင့်ပို့မည် + + ယခုဝယ်မည် + + ပယ်ဖျက်မည် + + ကတ် + အရောင်ပါသောကတ် + လေးထောင့်ကတ် + ကတ် + + Now Playing Screen ပေါ်တွင် Carousel effect + + Cascading + + ပြောင်းလဲမှုမှတ်တမ်း + Telegram channel ရှိ ပြောင်းလဲမှုမှတ်တမ်း + + အဝိုင်း + + အဝိုင်း + + ရိုးရိုး + + ရှင်းမည် + Blacklist အားရှင်းမည် + နားထောင်နေသည့်စာရင်းအားရှင်းမည် + + အရောင် + + အရောင်များ + + တေးရေးဆရာ + + Device အချက်အလက်အား Clipboard သို့ ကော်ပီကူးခဲ့ပြီး + + Playlist ဖန်တီး၍မရပါ + "ကိုက်ညီသော Album Cover ကို Download မလုပ်နိုင်ပါ" + ဝယ်ယူမှုကိုပြန်မရယူနိုင်ပါ + ဖိုင် %d ခုကိုစကန်မဖတ်နိုင်ပါ + + ဖန်တီးမည် + + ဖန်တီးထားသော Playlist %1$s ခု + + အဖွဲ့ဝင်များနှင့် ကူညီသူများ + + %2$s သီဆိုထားသော %1$s ကိုယခုနားထောင်နေသည် + + အနက်ရောင်ဆန်ဆန် + + Playlist ဖျက်ခြင်း + %1$s Playlist ကိုဖျက်မှာလား]]> + Playlist များဖျက်ခြင်း + သီချင်းဖျက်ခြင်း + %1$s? သီချင်းကိုဖျက်မှာလား]]> + သီချင်းများဖျက်ခြင်း + %1$d ခုကိုဖျက်မှာလား]]> + %1$d ပုဒ်ကိုဖျက်မှာလား]]> + + သီချင်း %1$d ပုဒ်ကိုဖျက်ပစ်ခဲ့သည် + + Depth + + အကြောင်းအရာအသေးစိတ် + + Device အချက်အလက် + + အသံ Settings ပြုပြင်ရန် Retro Music ကိုခွင့်ပြုချက်ပေးပါ + Ringtone ထားခြင်း + + Blacklist ကိုရှင်းလင်းလိုပါသလား + %1$s ကိုဖယ်ရှားလိုပါသလား]]> + + လှူဒါန်းမည် + ကျွန်တော့်ရဲ့လက်ရာအတွက် မုန့်ဖိုးရဖို့ထိုက်တန်တယ်လို့ထင်ရင် ဒီမှာပေးသွားလိုက်ပါ။ + + ဝယ်ပေးမယ်: + + ပြီးပြီ + + Drive mode + + ဘာမှမရှိပါ + + Equalizer + + မေးလေ့ရှိသောမေးခွန်းများ + + အကြိုက်ဆုံး + + Finish last song + + အနေတော် + + အပြားပုံစံ + + Folders + + System အတိုင်း + + သင့်အတွက် + + အခမဲ့ + + အပြည့် + ကတ်အပြည့်ပုံစံ + + App Theme နှင့် အရောင်များကိုပြောင်းလဲရန် + Look and Feel + + အမျိုးအစား + + အမျိုးအစားများ + + Project ကို GitHub မှာ Fork လုပ်ပါ + + Gradient + + + + + + + + + + အကွက်စတိုင် + + အကူအညီထပ်လိုပါသေးလား + + Hinge + + မှတ်တမ်း + + မူလ + + ရေပြင်ညီအတိုင်းဟိုဘက်ဒီဘက်လှန်ခြင်း + + ဓာတ်ပုံ + Gradient ပုံ + အဆိုတော်ပုံအား ဒေါင်းလုဒ်ဆွဲခြင်း Settings များ + + Import + Import playlist + Android မီဒီယာစတိုးမှ Playlist များကိုသီချင်းများနှင့်အတူ import လုပ်သွားမည်ဖြစ်ပြီး ရှိပြီးသား Playlist ဖြစ်ပါကသီချင်းများကိုထည့်ပေါင်းသွားပါမည်။ + + Playlist %2$s သို့သီချင်း %1$d ပုဒ်ထည့်ပြီးပါပြီ + + Instagram + သင့်ရဲ့ Retro Music setup ကို Instagram တွင်ပြသလိုက်ပါ + + ကီးဘုတ် + + Bitrate + အမျိုးအစား + ဖိုင်နာမည် + ဖိုင်နေရာ + အရွယ်အစား + %s ၏နောက်ထပ် Album များ + Sampling rate + ကြာချိန် + + Label ထိုးထားမည် + + နောက်ဆုံးသွင်းထားသော + နောက်ဆုံးအပုဒ် + + Tab အမျိုးအစားများ + + လိုင်စင်များ + + အဖြူရောင်သက်သက် + + နားဆင်သူများ + + ဖိုင်ပြန်စီနေသည်... + + ခဏစောင့်ပါ... + + Login + + သီချင်းစာသား + + အိန္ဒိယနိုင်ငံတွင် ❤️ များဖြင့် ဖန်တီးသည် + + Material + + Error + Storage ခွင့်ပြုချက် error + + နာမည် + အများဆုံးနားထောင်ခဲ့သော + + ဘယ်တော့မှ + + Playlist အသစ် + %s ဟာ Directory အစဖြစ်သွားပါပြီ + + နောက်တစ်ပုဒ် + + Album တစ်ခုမှမရှိပါ + အဆိုတော်တစ်ယောက်မှမရှိပါ + "သီချင်းတစ်ပုဒ်အရင် play ကြည့်ပြီးမှ ပြန်ကြိုးစားပါ" + Equalizer တစ်ခုမှရှာမတွေ့ပါ + အမျိုးအစားခွဲစရာတစ်ခုမှမရှိပါ + သီချင်းစာသားရှာမတွေ့ပါ + သီချင်းတစ်ပုဒ်မှ play မထားပါ + Playlist တစ်ခုမှမရှိပါ + ဝယ်ယူထားမှုမရှိပါ + ရှာမတွေ့ပါ + သီချင်းတစ်ပုဒ်မှမရှိပါ + + ပုံမှန် + ပုံမှန်သီချင်းစာသား + + %s သည် Android မီဒီယာစတိုးတွင် မရှိပါ]]> + မကြာသေးခင်က play မထားပါ + + စကန်ဖတ်စရာမရှိပါ + ကြည့်စရာတစ်ခုမှမရှိပါ + + Notification + Notification ပုံစံကို စိတ်ကြိုက်ပြင်ဆင်မည် + + Now playing + Now playing queue + Now playing screen ကိုစိတ်ကြိုက်ပြင်ခြင်း + Now playing theme (၉) ခုအထက် ရရှိခြင်း + + Wi-Fi ဖြင့်သာ + + အဆင့်မြင့် Settings များ + + အခြား + + Password + + လွန်ခဲ့သော (၃)လ + + Peak ပုံစံ + + External Storage ကြည့်ရှုခွင့်အားငြင်းပယ်ခဲ့သည်။ + သီချင်းဖွင့်ရန်အတွက် ယခု App အား Storage ကြည့်ရှုခွင့်ပေးရန်လိုသည်။ + Storage ကြည့်ရှုခွင့် + + ခွင့်ပြုချက်ငြင်းပယ်ခံရသည် + + မိမိစိတ်ကြိုက် + Now Playing နှင့် UI controls များကိုစိတ်ကြိုက်ပြင်ဆင်မည် + + Local Storage မှ ရွေးမည် + + Pinterest + Retro Music ဒီဇိုင်းအကြံဉာဏ်ကောင်းများအတွက် Pinterest page ကို follow ပါ + + ရှင်းရှင်းလင်းလင်းပုံစံ + + Playing notification သည် play/pause ခလုတ် စသည့်တို့ကိုဖော်ပြပေးသည် + Playing notification + + Playlist တွင်ဘာမှမရှိပါ + Playlist နာမည် + + Playlists + + Blur Themes များအတွက်သက်ရောက်သော အဝါးပမာဏဖြစ်ပြီး ပမာဏနည်းလေ ပိုမြန်လေဖြစ်သည် + အဝါးပမာဏ + ကြာချိန်ဖြင့်သီချင်းစစ်ထုတ်မည် + သီချင်းကြာချိန်စစ်ထုတ်ခြင်း + ပိုမိုဆန်းသစ်သော + Album စတိုင် + အသံပိုင်းဆိုင်ရာ + Blacklist + ထိန်းချုပ်မှုဆိုင်ရာ + Theme + Images + Library + Lockscreen + Playlists + Volume သုညရောက်သွားပါက သီချင်းရပ်ပြီး Volume ပြန်ကျယ်လာသည့်အခါ ပြန် play မည်ဖြစ်သည်။ App ထဲဝင်မထားသော်လည်းအလုပ်လုပ်သည်။ + သုည၌ရပ်ခြင်း + ဤ feature ဖွင့်ထားပါက ဘက်ထရီသက်တမ်းထိခိုက်နိုင်ပါသည် + Screen တစ်ချိန်လုံးဖွင့်ထားမည် + ဘာသာစကားရွေးချယ်မည် + ယခု play နေသောသီချင်း Album cover ပုံအား Lockscreen wallpaper အဖြစ်ထားမည် + Album သီဆိုသူများကိုလည်း အဆိုတော် Category တွင်ထားမည် + System Sound (သို့) Notification တစ်ခုရောက်လာသည့်အခါ သီချင်းအသံကိုတိုးမည် + Blacklist folder သိို့သွင်းထားသည်များကို Library တွင်မြင်ရမည်မဟုတ်ပါ + Bluetooth device နှင့်ချိတ်ဆက်လိုက်သည်နှင့် သီချင်းစဖွင့်မည် + Lockscreen တွင် Album cover ပုံကိုဝါးထားမည်။ Third-party app နှင့် Widget များတွင် ပြဿနာတက်နိုင်သည်။ + Now Playing screen မှ Album cover အတွက် Carousel effect ဖြစ်သည်။ ဤ effect ကြောင့် ကတ်နှင့် ကတ်အဝါး Theme များအလုပ်လုပ်မည်မဟုတ်ပါ။ + Android ၏ Notification ဒီဇိုင်းအဟောင်းကိုသုံးမည် + နောက်ခံအရောင်နှင့်ထိန်းချုပ်ခလုတ်အရောင်များသည် Now Playing screen မှ Album cover အရောင်အတိုင်း ပြောင်းလဲပါမည် + Accent color မှ App shortcuts များကိုအရောင်ပြောင်းလဲသည်။ Accent color ပြောင်းသည့်အခါတိုင်း App ကိုသက်ရောက်မှုရှိစေရန် ဤခလုတ်ကိုအဖွင့်၊အပိတ်လုပ်ပေးပါ။ + "Notification အရောင်ကို Album cover မှထင်ရှားသည့်အရောင်အတိုင်း ပြောင်းမည်" + Material ဒီဇိုင်းညွှန်ကြားချက်များအရ Dark Mode ဖွင့်ထားချိန်တွင်အရောင်များမှိန်နေသင့်သည် + Notification ကိုနှိပ်သည့်အခါ Home screen သို့ရောက်မည့်အစား Now Playing screen သို့တိုက်ရိုက်ရောက်သွားမည် + Mini player တွင် ထိန်းချုပ်ခလုတ်အပိုများထပ်ပေါင်းမည် + သီချင်းဖိုင်၏အသေးစိတ်အချက်အလက်များ ပြသမည်၊ ဥပမာ - ဖိုင်အမျိုးအစား၊ bitrate နှင့် ကြိမ်နှုန်း + "အချို့ device များတွင် playback ပြဿနာများဖြစ်ပေါ်နိုင်သည်" + Home banner အား ပြသခြင်း၊ ဖျောက်ထားခြင်း + Album cover အရည်အသွေးပိုမိုကောင်းမွန်လာနိုင်သော်လည်း Loading time ပိုကြာနိုင်သည်။ အရည်အသွေးနိမ့်သောပုံများနှင့်အဆင်မပြေမှသာလျှင် ဤခလုတ်ကိုဖွင့်ပါ။ + Library category များ ဖော်ခြင်း၊ ဖျောက်ခြင်းနှင့် အထားအသိုများ ချိန်ညှိမည် + Retro Music ၏ ပြင်ဆင်ထားသော Lockscreen controls များကိုသုံးမည် + Open Source software အတွက် လိုင်စင်အချက်အလက်များ + Immersive mode + နားကြပ်နှင့်ချိတ်ဆက်ပြီးသည့်နှင့် စတင် play မည် + သီချင်းဖွင့်မည့်စာရင်း\'အသစ်\'ကို play သည့်အခါ Shuffle Mode ပိတ်သွားပါမည် + နေရာလုံလုံလောက်လောက်ရှိပါက Now Playing screen တွင် အသံအတိုးအကျယ်ခလုတ်များပြသမည် + Album cover ပြသခြင်း + Album သီဆိုသူဖြင့် ရှာဖွေခြင်း + Album cover theme + Album cover skip + Colored App shortcuts + Reduce volume on focus loss + အဆိုတော်ဓာတ်ပုံများကို အလိုအလျောက်ဒေါင်းလုဒ်ဆွဲခြင်း + Blacklist + Bluetooth playback + Album cover အဝါး + Notification ဒီဇိုင်းအဟောင်း + Adaptive color + အရောင်ပါသော notification + Desaturated color + Now Playing screen ပြသခြင်း + အပိုထိန်းချုပ်မှုများ + သီချင်းဖိုင်အချက်အလက် + လစ်ဟာမှုမရှိ play ခြင်း + App theme + Album အကွက်ပုံစံ + အဆိုတော်အကွက်ပုံစံ + Banner + Media Store covers များကိုလျစ်လျူရှုခြင်း + နောက်ဆုံးသွင်းထားသော playlist ရှိသီချင်းများ + Lockscreen အပြည့် controls + Now playing theme + Open source licences + Tab ခေါင်းစဉ်ပြသခြင်း + Carousel effect + App ကို screen အပြည့်ထားမည် + အလိုအလျောက် play ခြင်း + Shuffle mode + အသံထိန်းချုပ်မှု + + Pro + Black theme ၊ Now playing themes နှင့် Carousel effect စသည်များ... + + Profile + + ဝယ်ယူမည် + + နားထောင်နေသည့်စာရင်း + + ဤ app ကို star ပေးမည် + App ကိုကြိုက်ပါသလား။ ယခုထက်ပိုကောင်းမွန်အောင်ဘယ်လိုလုပ်ရမလဲဆိုတာ ကျွန်တော်တို့ကို Google Play Store မှာပြောပြပေးပါ။ + + မကြာသေးခင်ကနားထောင်ထားသော Album များ + မကြာသေးခင်ကနားထောင်ထားသော အဆိုတော်များ + + ပယ်ဖျက်မည် + Cover ကိုဖျက်မည် + Blacklist မှဖျက်မည် + Playlist မှဖျက်မည် + %1$s ကို Playlist ကဖျက်မှာလား]]> + Playlist မှသီချင်းများဖျက်ခြင်း + %1$d ပုဒ်ကို playlist ကဖျက်မှာလား]]> + + Playlist နာမည်ပြင်မည် + + ပြဿနာတစ်ခုသတင်းပို့မည် + Bug report တင်မည် + + Reset + Reset artist image + + ပြန်လည်ရယူမည် + + ယခင်ဝယ်ယူမှုကို ပြန်လည်ရယူပြီးပါပြီ။ Feature အားလုံးအလုပ်လုပ်ရန် app မှထွက်ပြီးပြန်ဝင်ပါ။ + ယခင်ဝယ်ယူမှုအား ပြန်လည်ရယူပြီးပါပြီ + + ယခင်ဝယ်ယူမှုအား ပြန်လည်ရယူနေသည်... + + Retro Music Player + Retro Music Pro + + သီချင်းများကို Ringtone ထားရန် app အား System Settings များကိုပြင်ဆင်ခွင့်ပေးရန်လိုသည်။ + Ringtone + + ဖိုင်ဖျက်ခြင်းမအောင်မြင်ပါ: %s + + SAF URI ကိုမရယူနိုင်ပါ + Navigation drawer ကိုဖွင့်ပါ + Overflow Menu မှ \'Show SD card\' ကိုနှိပ်ပါ + + %s သည် SD card ကြည့်ရှုခွင့်လိုအပ်သည် + SD card ၏ ထိပ်ဆုံး Directory ကိုရွေးပေးရန်လိုအပ်သည် + Navigation drawer တွင် SD card ကိုရွေးချယ်ပါ + Folder အခွဲများကို မဖွင့်ပါနှင့် + Screen ၏အောက်ဆုံးတွင်ရှိသော \'select\' ခလုတ်ကိုနှိပ်ပါ + ဖိုင်ပြုပြင်ခြင်းမအောင်မြင်ပါ: %s + + မှတ်ထားမည် + + + ဖိုင်အဖြစ်သိမ်းမည် + ဖိုင်များအဖြစ်သိမ်းမည် + + %s တွင် playlist ကိုသိမ်းခဲ့သည် + + ပြောင်းလဲမှုများကိုမှတ်သားနေသည် + + မီဒီယာစကန်ဖတ်မည် + + ဖိုင် %2$d ခုအနက် %1$d ခုကို စကန်ဖတ်ပြီးပါပြီ + + Scrobbles + + အားလုံးရွေးမည် + + ရွေးချယ်ထားသော + + ထားမည် + အဆိုတော်ပုံအဖြစ်ထားမည် + + App ကိုမျှဝေမည် + သင့်မိသားစုနှင့် သူငယ်ချင်းများကိုပြန်လည်မျှဝေလိုက်ပါ + Stories သို့မျှဝေမည် + + Shuffle + + ရိုးရိုးရှင်းရှင်း + + Sleep timer ကိုဖျက်ပြီးပါပြီ + ယခုမှစတင်၍ Sleep timer ကို %d မိနစ်အချိန်မှတ်ပြီးပါပြီ + + Social + Story မျှဝေမည် + + သီချင်း + သီချင်းကြာချိန် + + သီချင်းများ + + အထားအသိုပြင်မည် + ငယ်ရာမှကြီးရာ + Album + အဆိုတော် + တေးရေးဆရာ + ထည့်သွင်းသည့်ရက် + ပြင်ဆင်သည့်ရက် + အပုဒ်အရေအတွက် + အပုဒ်အရေအတွက်ပြောင်းပြန် + ထွက်ရှိသည့်နှစ် + ကြီးရာမှငယ်ရာ + + ဆောရီး! သင့် device သည် အသံဖြင့်ပြောဆိုခြင်းအား အထောက်အပံ့မပေးထားပါ + သင့် Library တွင်ရှာဖွေခြင်း + + Stack + + သီချင်းစတင် play ပါပြီ + + အကြံပြုထားသောသီချင်းများ + + Support development + + Swipe to unlock + + ချိန်ကိုက်ထားသောသီချင်းစာသား + + + Telegram + Bugs များကို ဆွေးနွေးရန်၊ အကြံပြုချက်များပေးရန်၊ ကြွားရန်နှင့် စသည်များ... + + ကျေးဇူးတင်ပါတယ် + + အသံဖိုင် + + ယခုလ + ယခုအပတ် + ယခုနှစ် + + Tiny + Tiny card + + နာမည် + + ယနေ့ + + ထိပ်ဆုံး Album များ + ထိပ်ဆုံးအဆိုတော်များ + + "Track (2 for track 2 or 3004 for CD3 track 4)" + အပုဒ်နံပါတ် + + ဘာသာပြန်ခြင်း + App ကိုသင့်ဘာသာစကားသို့ ကူပြန်ပေးပါ + + Retro Music Premium ကိုစမ်းကြည့်ပါ + + Twitter + သင့် Retro Music ဒီဇိုင်းများကိုမျှဝေပါ + + Label မထိုးပါ + + ဤသီချင်းကို မ play နိုင်ပါ + + လာမည့်အပုဒ် + + Update image + + အပ်ဒိတ်လုပ်နေသည်… + + သုံးစွဲသူ + + သုံးစွဲသူအမည် + + Version + + ဒေါင်လိုက်ဟိုဘက်ဒီဘက်လှန်ခြင်း + + အသံအတိုးအကျယ် + + Web search + + မင်္ဂလာပါ + + ဘာများမျှဝေချင်ပါသလဲ + + ဘာအသစ်တွေရှိလဲ + + Window + အနားအကွေးပုံစံ + + %1$s ကို Ringtone အဖြစ်ထားပြီးပါပြီ + %1$d ခုကိုရွေးထားသည် + + ထွက်ရှိသည့်နှစ် + + အနည်းဆုံး category တစ်ခုရွေးချယ်ရန်လိုအပ်သည် + Issue tracker website သို့ခေါ်ဆောင်သွားပါမည် + + သင့်အကောင့်အချက်အလက်ကို အတည်ပြုရန်အတွက်သာအသုံးပြုပါသည်။ + \ No newline at end of file diff --git a/app/src/main/res/values-ne-rIN/strings.xml b/app/src/main/res/values-ne-rIN/strings.xml index c4438228..b599615c 100644 --- a/app/src/main/res/values-ne-rIN/strings.xml +++ b/app/src/main/res/values-ne-rIN/strings.xml @@ -1,14 +1,16 @@ + About %s Team, social links + Accent color The theme accent color, defaults to purple + About Add to favorites Add to playing queue Add to playlist Clear playing queue - Clear playlist Cycle repeat mode Delete Delete from device @@ -46,19 +48,32 @@ Tag editor Toggle favorite Toggle shuffle mode + Adaptive + Add - Add lyrics - Add \nphoto "Add to playlist" - Add time frame lyrics + "Added 1 title to the playing queue." Added %1$d titles to the playing queue. + Album + + + Song + Songs + + Album artist - The title or artist is empty. + Albums + + Album + Albums + + Always + Hey check out this cool music player at: https://play.google.com/store/apps/details?id=%s Shuffle Top Tracks @@ -67,19 +82,25 @@ Classic Small Text + Artist + Artists + Audio focus denied. Change the sound settings and adjust the equalizer controls + Auto - Base color theme - Bass Boost - Bio + Biography + Just Black + Blacklist + Blur Blur Card + Unable to send report Invalid access token. Please contact the app developer. Issues are not enabled for the selected repository. Please contact the app developer. @@ -92,45 +113,56 @@ Please enter an issue title Please enter your valid GitHub username An unexpected error occurred. Sorry you found this bug, if it keeps crashing \"Clear app data\" or send an Email - Uploading report to GitHub… Send using GitHub account + Buy now + Cancel + Card - Circular Colored Card Card - Carousel + Carousel effect on the now playing screen + Cascading - Cast + Changelog Changelog maintained on the Telegram channel + Circle + Circular + Classic + Clear - Clear app data Clear blacklist Clear queue - Clear playlist - %1$s? This can\u2019t be undone!]]> - Close + Color - Color + Colors + Composer + Copied device info to clipboard. + Couldn\u2019t create playlist. "Couldn\u2019t download a matching album cover." Could not restore purchase. Could not scan %d files. + Create + Created playlist %1$s. + Members and contributors + Currently listening to %1$s by %2$s. + Kinda Dark - No Lyrics + Delete playlist %1$s?]]> Delete playlists @@ -139,42 +171,62 @@ Delete songs %1$d playlists?]]> %1$d songs?]]> + Deleted %1$d songs. - Deleting songs + Depth + Description + Device info + Allow Retro Music to modify audio settings Set ringtone + Do you want to clear the blacklist? %1$s from the blacklist?]]> + Donate If you think I deserve to get paid for my work, you can leave some money here + Buy me a: - Download from Last.fm + Drive mode - Edit - Edit cover + Empty + Equalizer - Error + FAQ + Favorites + Finish last song + Fit + Flat + Folders + Follow system + For you + Free + Full Full card + Change the theme and colors of the app Look and feel + Genre + Genres + Fork the project on GitHub - Join the Google Plus community where you can ask for help or follow Retro Music updates + 1 2 3 @@ -184,16 +236,25 @@ 7 8 Grid style + Hinge + History + Home + Horizontal flip + Image Gradient image Change artist image download settings + Inserted %1$d songs into the playlist %2$s. + Share your Retro Music setup to showcase on Instagram + Keyboard + Bitrate Format File name @@ -202,31 +263,45 @@ More from %s Sampling rate Length + Labeled + Last added Last song - Let\'s play some music - Library + Library categories + Licenses + Clearly White + Listeners + Listing files + Loading products… + Login + Lyrics + Made with ❤️ in India + Material + Error Permission error + Name Most played + Never - New banner photo + New playlist - New profile photo %s is the new start directory. + Next Song + You have no albums You have no artists "Play a song first, then try again." @@ -238,45 +313,59 @@ No purchase found. No results You have no songs + Normal Normal lyrics - Normal + %s is not listed in the media store.]]> + Nothing to scan. Nothing to see + Notification Customize the notification style + Now playing Now playing queue Customize the now playing screen 9+ now playing themes + Only on Wi-Fi + Advanced testing features + Other + Password + Past 3 months - Paste lyrics here + Peak + Permission to access external storage denied. + Permissions denied. + Personalize Customize your now playing and UI controls + Pick from local storage - Pick image + Pinterest Follow Pinterest page for Retro Music design inspiration + Plain + The playing notification provides actions for play/pause etc. Playing notification - Empty playlist + Playlist is empty Playlist name + Playlists - Album detail style + Amount of blur applied for blur themes, lower is faster Blur amount - Adjust the bottom sheet dialog corners - Dialog corner Filter songs by length Filter song duration Advanced @@ -293,9 +382,7 @@ Pause on zero Keep in mind that enabling this feature may affect battery life Keep the screen on - Click to open with or slide to without transparent navigation of now playing screen - Click or Slide - Snow fall effect + Select language Use the currently playing song album cover as the lockscreen wallpaper Lower the volume when a system sound is played or a notification is received The content of blacklisted folders is hidden from your library. @@ -305,21 +392,17 @@ Use the classic notification design The background and control button colors change according to the album art from the now playing screen Colors the app shortcuts in the accent color. Every time you change the color please toggle this to take effect - Colors the navigation bar in the primary color "Colors the notification in the album cover\u2019s vibrant color" As per Material Design guide lines in dark mode colors should be desaturated - Most dominant color will be picked from the album or artist cover + Clicking on the notification will show now playing screen instead of the home screen Add extra controls for mini player Show extra Song information, such as file format, bitrate and frequency "Can cause playback issues on some devices." - Toggle genre tab Show or hide the home banner Can increase the album cover quality, but causes slower image loading times. Only enable this if you have problems with low resolution artworks Configure visibility and order of library categories. Use Retro Music\'s custom lockscreen controls License details for open source software - Round the app\'s edges - Toggle titles for the bottom navigation bar tabs Immersive mode Start playing immediately after headphones are connected Shuffle mode will turn off when playing a new list of songs @@ -327,75 +410,76 @@ Show album cover Album cover theme Album cover skip - Album grid Colored app shortcuts - Artist grid Reduce volume on focus loss Auto-download artist images Blacklist Bluetooth playback Blur album cover - Choose equalizer Classic notification design Adaptive color Colored notification Desaturated color + Show now playing screen Extra controls Song info Gapless playback App theme - Show genre tab Artist grid Banner Ignore Media Store covers Last added playlist interval Fullscreen controls - Colored navigation bar Now playing theme Open source licences - Corner edges Tab titles mode Carousel effect - Dominant color Fullscreen app - Tab titles Auto-play Shuffle mode Volume controls - User info - Primary color - The primary theme color, defaults to blue grey, for now works with dark colors + Pro Black theme, Now playing themes, Carousel effect and more.. + Profile + Purchase - *Think before buying, don\'t ask for refund. + Playing Queue + Rate the app Love this app? Let us know in the Google Play Store how we can make it even better + Recent albums Recent artists + Remove - Remove banner photo Remove cover Remove from blacklist - Remove profile photo Remove song from playlist %1$s from the playlist?]]> Remove songs from playlist %1$d songs from the playlist?]]> + Rename playlist + Report an issue Report bug + Reset Reset artist image + Restore + Restored previous purchase. Please restart the app to make use of all features. Restored previous purchases. + Restoring purchase… - Retro Music Equalizer + Retro Music Player Retro Music Pro + File delete failed: %s Can\'t get SAF URI @@ -408,37 +492,48 @@ Do not open any sub-folders Tap \'select\' button at the bottom of the screen File write failed: %s + Save Save as file Save as files + Saved playlist to %s. + Saving changes + Scan media + Scanned %1$d of %2$d files. + Scrobbles - Search your library… + Select all - Select banner photo + Selected - Send crash log + Set Set artist image - Set a profile photo + Share app Share to Stories + Shuffle + Simple + Sleep timer canceled. Sleep timer set for %d minutes from now. - Slide - Small album + Social Share story + Song Song duration + Songs + Sort order Ascending Album @@ -448,93 +543,91 @@ Date modified Year Descending + Sorry! Your device doesn\'t support speech input Search your library + Stack + Start playing music. + Suggestions - Just show your name on home screen + Support development + Swipe to unlock + Synced lyrics - System Equalizer + Telegram Join the Telegram group to discuss bugs, make suggestions, show off and more + Thank you! + The audio file + This month This week This year + Tiny + Tiny card + Title - Dashboard - Good afternoon - Good day - Good evening - Good morning - Good night - What\'s Your Name + Today + Top albums Top artists + "Track (2 for track 2 or 3004 for CD3 track 4)" Track number + Translate Help us translate the app to your language + + Try Retro Music Premium + Twitter Share your design with Retro Music + Unlabeled + Couldn\u2019t play this song. + Up next + Update image + Updating… + Username + Version + Vertical flip - Virtualizer + Volume + Web search + Welcome, + What do you want to share? + What\'s New + Window Rounded corners + Set %1$s as your ringtone. %1$d selected + Year + You have to select at least one category. You will be forwarded to the issue tracker website. + Your account data is only used for authentication. - Amount - Note(Optional) - Start payment - Show now playing screen - Clicking on the notification will show now playing screen instead of the home screen - Tiny card - About %s - Select language - Translators - The people who helped translate this app - Try Retro Music Premium - - Song - Songs - - - Album - Albums - - - %d Song - %d Songs - - - %d Album - %d Albums - - - %d Artist - %d Artists - diff --git a/app/src/main/res/values-nl-rNL/strings.xml b/app/src/main/res/values-nl-rNL/strings.xml index de751b86..f10e1b53 100644 --- a/app/src/main/res/values-nl-rNL/strings.xml +++ b/app/src/main/res/values-nl-rNL/strings.xml @@ -1,14 +1,16 @@ + About %s Team, social links + Accent kleur De accent kleur, standaard naar groen + Over Toevoegen aan favorieten Voeg toe aan afspeel wachtrij Voeg toe aan afspeellijst... Afspeel wachtrij legen - Leeg afspeellijst Cycle repeat mode Verwijder Verwijder van apparaat @@ -46,19 +48,32 @@ Tags aanpassen Toggle favorite Toggle shuffle mode + Adaptive + Toevoegen - Add lyrics - Foto toevoegen "Toevogen aan afspeellijst" - Add time frame lyrics + "1 titel aan afspeel wachtrij toegevoegd." %1$d titels toegevoegd aan afspeel wachtrij + Album + + + Song + Songs + + Album artiest - De titel of artiest mist + Albums + + Album + Albums + + Altijd + Hey, bekijk deze coole muziekspeler op:https://play.google.com/store/apps/details?id=%s Shuffle Top tracks @@ -67,19 +82,25 @@ Klassiek Klein Text + Artiest + Artiesten + Geluid focus geweigerd Change the sound settings and adjust the equalizer controls + Auto - Base color theme - Bass Boost - Bio + Biografie + Gewoon zwart + Zwarte lijst + Blur Blur Card + Unable to send report Invalid access token. Please contact the app developer. Issues are not enabled for the selected repository. Please contact the app developer. @@ -92,45 +113,56 @@ Please enter an issue title Please enter your valid GitHub username An unexpected error occurred. Sorry you found this bug, if it keeps crashing \"Clear app data\" or send an Email - Uploading report to GitHub… Send using GitHub account + Buy now + Annuleer huidige timer + Card - Circular Colored Card Card - Carousel + Carousel effect on the now playing screen + Cascading - Cast + Changelog Changelog onderhouden in Telegram + Circle + Circular + Classic + Legen - Clear app data Leeg zwarte lijst Clear queue - Leeg afspeellijst - %1$s? Dit kan niet ongedaan gemaakt worden!]]> - Close + Color - Color + Kleuren + Composer + Copied device info to clipboard. + Kon geen afspeellijst maken. "Kon geen matchende album cover downloaden." Could not restore purchase. Kon %d files niet scannen. + Aanmaken + Afspeellijst %1$s aangemaakt. + Members and contributors + Nu luisterend naar %1$s van %2$s. + Soort van donker - Geen lyrics + Afspeellijst verwijderen %1$s verwijderen?]]> Afspeellijsten verwijderen @@ -139,42 +171,62 @@ Delete songs %1$d?]]> %1$d?]]> + Liedjes %1$d verwijderd. - Deleting songs + Depth + Description + Device info + Allow Retro Music to modify audio settings Set ringtone + Wil je de zwarte lijst leegmaken? %1$s verwijderen van de zwarte lijst?]]> + Doneren Als je vindt dat ik het verdien om geld te krijgen voor mijn werk, dan kun je hier een paar euro\'s doneren. + Koop mij een - Downloaden van Last.fm + Drive mode - Edit - Edit cover + Leeg + Equalizer - Error + FAQ + Favorieten + Finish last song + Fit + Plat + Mappen + Follow system + For you + Free + Vol Full card + Change the theme and colors of the app Look and feel + Genre + Genres + Fork the project on GitHub - Join the Google Plus community where you can ask for help or follow Retro Music updates + 1 2 3 @@ -184,16 +236,25 @@ 7 8 Grid style + Hinge + Geschiedenis + Start + Horizontal flip + Image Gradient image Change artist image download settings + %1$d liedjes toegevoegd aan afspeellijst %2$s. + Share your Retro Music setup to showcase on Instagram + Keyboard + Bitrate Formaat Bestandsnaam @@ -202,31 +263,45 @@ More from %s Sampling rate Duur + Labeled + Laatst toegevoegd Last song - Laten we iets afspelen - Bibliotheek + Library categories + Licenties + Clearly wit + Listeners + Luister bestanden + Podcasts laden... + Login + Lyrics + Made with ❤️ in India + Material + Error Permission error + Mijn naam Mijn top tracks + Nooit - New banner photo + Nieuwe afspeellijst - New profile photo %s is de nieuwe start folder + Next Song + Geen albums Geen artiesten "Laat eerst een liedje afspelen, probeer dan opniew." @@ -238,45 +313,59 @@ No purchase found. Geen resultaten Geen liedjes + Normaal Normal lyrics - Normal + %s staat niet in de media store]]> + Niets om te scannen Nothing to see + Notificatie Customize the notification style + Now playing Nu afspeel wachtrij Customize the now playing screen 9+ now playing themes + Alleen Wi-Fi + Advanced testing features + Other + Password + Laatste 3 maanden - Paste lyrics here + Peak + Permissie voor toegang tot extern opslag is afgewezen + Permissies afgewezen + Personalize Customize your now playing and UI controls + Kies van local storage - Pick image + Pinterest Follow Pinterest page for Retro Music design inspiration + Vlak + De afspeel notificatie bied acties om af te spelen/pauzeren etc. Afspeel notificatie - Lege afspeellijst + Afspeellijst is leeg Naam afspeellijst + Afspeellijsten - Album detail style + Amount of blur applied for blur themes, lower is faster Blur amount - Adjust the bottom sheet dialog corners - Dialog corner Filter songs by length Filter song duration Advanced @@ -293,9 +382,7 @@ Pause on zero Keep in mind that enabling this feature may affect battery life Keep the screen on - Click to open with or slide to without transparent navigation of now playing screen - Click or Slide - Snow fall effect + Select language Gebruik de huidige cover als vergrendelscherm achtergrond. Notificaties, bediening etc. The content of blacklisted folders is hidden from your library. @@ -305,21 +392,17 @@ Gebruik het klassieke notificatie design. Achtergrond, de kleur van de besturingstoetsen verandert overeenstemmend met de album opmaak van het afspeelscherm Kleurt de app snelkoppelingen naar de accent kleur. Elker keer wanneer je de kleur verandert, toggle dit om de changes te zien - Kleurt de navigatiebalk als de primaire kleur. "Kleurt de notificatie in de kleur van de album cover" As per Material Design guide lines in dark mode colors should be desaturated - Most dominant color will be picked from the album or artist cover + Clicking on the notification will show now playing screen instead of the home screen Add extra controls for mini player Show extra Song information, such as file format, bitrate and frequency "Kan afspeelproblemen veroorzaken op sommige toestellen" - Toggle genre tab Show or hide the home banner Kan album cover kwaliteit verbeteren, maar veroorzaakt langere laadtijden. Alleen aanzetten als je problemen hebt met lage resolutie artworks Configure visibility and order of library categories. Zet besturing knoppen aan op vergrendelscherm Licentie details voor open source software - Afgeronde hoeken voor scherm, album illustratie etc. - Aan/uitzetten tabblad titels Zet dit aan voor immersive mode Wanneer headphones ingeplugd zijn, afspelen start automatisch Shuffle mode will turn off when playing a new list of songs @@ -327,75 +410,76 @@ Laat album cover zien Album cover theme Album cover skip - Album grid Gekleurde app snelkoppelingen - Artist grid Beperk volume bij verliezen focus Automatisch downloaden artisten afbeeldingen Blacklist Bluetooth playback Vervaag album cover - Choose equalizer Klassiek notificatie design Aangepaste kleur Gekleurde notificatie Desaturated color + Show now playing screen Extra controls Song info Afspelen zonder pauzes Basis thema - Show genre tab Artist grid Banner Negeer media store covers Laatst toegevoegde afspeellijst interval Volledig scherm besturing knoppen - Gekleurde navigatiebalk Uiterlijk Open source licenties - Afgeronde hoeken Tab titles mode Carousel effect - Dominant color Volledig scherm app - Tabblad titels Automatisch afspelen Shuffle mode Volume knoppen - Gebruikers info - Primaire kleur - The primary theme color, defaults to blue grey, for now works with dark colors + Pro Black theme, Now playing themes, Carousel effect and more.. + Profile + Purchase - *Think before buying, don\'t ask for refund. + Wachtrij + App beoordelen Vind je deze app leuk? Laat het ons weten in de Google Play Store om de ervaring te verbeteren + Recent albums Recent artists + Verwijderen - Remove banner photo Verwijder cover Verwijder van zwarte lijst - Remove profile photo Verwijder liedje van afspeellijst %1$s van de afspeellijst?]]> Verwijder liedjes van afspeellijst %1$d van de afspeellijst?]]> + Hernoem afspeellijst + Report an issue Report bug + Reset Reset artiest afbeelding + Restore + Restored previous purchase. Please restart the app to make use of all features. Teruggezette aankopen + Restoring purchase… - Retri equalizer + Retro Music Player Retro Music Pro + File delete failed: %s Can\'t get SAF URI @@ -408,37 +492,48 @@ Do not open any sub-folders Tap \'select\' button at the bottom of the screen File write failed: %s + Save Opslaan als bestand Save as files + Afspeellijst opgeslagen in %s. + Aanpassingen opslaan + Scan media + %1$d van de %2$d bestanden gescant + Scrobbles - Zoek in je biebliotheek + Select all - Select banner photo + Selected - Send crash log + Set Stel artiest afbeelding in - Set a profile photo + Share app Share to Stories + Shuffle + Simpel + Slaap timer geannuleerd Slaap timer ingesteld in %d minuten vanaf nu - Slide - Small album + Social Share story + Liedje Duur liedje + Nummers + Volgorde Ascending Album @@ -448,93 +543,91 @@ Date modified Year Descending + Sorry! Je apparaat ondersteunt geen spraak invoer Zoek door je bibliotheek + Stack + Start playing music. + Suggestions - Laat gewoon je naam zien op het startscherm + Ondersteun ontwikkelaars + Swipe to unlock + Synced lyrics - System Equalizer + Telegram Join the Telegram group to discuss bugs, make suggestions, show off and more + Bedankt! + Het geluidsbestand + Deze maand Deze week Dit jaar + Tiny + Tiny card + Title - Dashbord - Goedemiddag - Goededag - Goede avond - Goedemorgen - Goede nacht - Wat is je naam + Vandaag + Top albums Top artists + "Nummer (2 voor nummer 2 of 3004 voor CD3 nummer 4)" Track nummer + Vertalen Help us translate the app to your language + + Try Retro Music Premium + Twitter Share your design with Retro Music + Unlabeled + Kon dit nummer niet afspelen + Volgende + Update afbeelding + Bijwerken... + Username + Versie + Vertical flip - Virtualizer + Volume + Web zoekopdracht + Welcome, + Wat wil je delen? + What\'s New + Window Rounded corners + Stel %1$s in als ringtone %1$d geselecteerd + Jaar + You have to select at least one category. You will be forwarded to the issue tracker website. + Your account data is only used for authentication. - Amount - Note(Optional) - Start payment - Show now playing screen - Clicking on the notification will show now playing screen instead of the home screen - Tiny card - About %s - Select language - Translators - The people who helped translate this app - Try Retro Music Premium - - Song - Songs - - - Album - Albums - - - %d Song - %d Songs - - - %d Album - %d Albums - - - %d Artist - %d Artists - diff --git a/app/src/main/res/values-no-rNO/strings.xml b/app/src/main/res/values-no-rNO/strings.xml index c4438228..b599615c 100644 --- a/app/src/main/res/values-no-rNO/strings.xml +++ b/app/src/main/res/values-no-rNO/strings.xml @@ -1,14 +1,16 @@ + About %s Team, social links + Accent color The theme accent color, defaults to purple + About Add to favorites Add to playing queue Add to playlist Clear playing queue - Clear playlist Cycle repeat mode Delete Delete from device @@ -46,19 +48,32 @@ Tag editor Toggle favorite Toggle shuffle mode + Adaptive + Add - Add lyrics - Add \nphoto "Add to playlist" - Add time frame lyrics + "Added 1 title to the playing queue." Added %1$d titles to the playing queue. + Album + + + Song + Songs + + Album artist - The title or artist is empty. + Albums + + Album + Albums + + Always + Hey check out this cool music player at: https://play.google.com/store/apps/details?id=%s Shuffle Top Tracks @@ -67,19 +82,25 @@ Classic Small Text + Artist + Artists + Audio focus denied. Change the sound settings and adjust the equalizer controls + Auto - Base color theme - Bass Boost - Bio + Biography + Just Black + Blacklist + Blur Blur Card + Unable to send report Invalid access token. Please contact the app developer. Issues are not enabled for the selected repository. Please contact the app developer. @@ -92,45 +113,56 @@ Please enter an issue title Please enter your valid GitHub username An unexpected error occurred. Sorry you found this bug, if it keeps crashing \"Clear app data\" or send an Email - Uploading report to GitHub… Send using GitHub account + Buy now + Cancel + Card - Circular Colored Card Card - Carousel + Carousel effect on the now playing screen + Cascading - Cast + Changelog Changelog maintained on the Telegram channel + Circle + Circular + Classic + Clear - Clear app data Clear blacklist Clear queue - Clear playlist - %1$s? This can\u2019t be undone!]]> - Close + Color - Color + Colors + Composer + Copied device info to clipboard. + Couldn\u2019t create playlist. "Couldn\u2019t download a matching album cover." Could not restore purchase. Could not scan %d files. + Create + Created playlist %1$s. + Members and contributors + Currently listening to %1$s by %2$s. + Kinda Dark - No Lyrics + Delete playlist %1$s?]]> Delete playlists @@ -139,42 +171,62 @@ Delete songs %1$d playlists?]]> %1$d songs?]]> + Deleted %1$d songs. - Deleting songs + Depth + Description + Device info + Allow Retro Music to modify audio settings Set ringtone + Do you want to clear the blacklist? %1$s from the blacklist?]]> + Donate If you think I deserve to get paid for my work, you can leave some money here + Buy me a: - Download from Last.fm + Drive mode - Edit - Edit cover + Empty + Equalizer - Error + FAQ + Favorites + Finish last song + Fit + Flat + Folders + Follow system + For you + Free + Full Full card + Change the theme and colors of the app Look and feel + Genre + Genres + Fork the project on GitHub - Join the Google Plus community where you can ask for help or follow Retro Music updates + 1 2 3 @@ -184,16 +236,25 @@ 7 8 Grid style + Hinge + History + Home + Horizontal flip + Image Gradient image Change artist image download settings + Inserted %1$d songs into the playlist %2$s. + Share your Retro Music setup to showcase on Instagram + Keyboard + Bitrate Format File name @@ -202,31 +263,45 @@ More from %s Sampling rate Length + Labeled + Last added Last song - Let\'s play some music - Library + Library categories + Licenses + Clearly White + Listeners + Listing files + Loading products… + Login + Lyrics + Made with ❤️ in India + Material + Error Permission error + Name Most played + Never - New banner photo + New playlist - New profile photo %s is the new start directory. + Next Song + You have no albums You have no artists "Play a song first, then try again." @@ -238,45 +313,59 @@ No purchase found. No results You have no songs + Normal Normal lyrics - Normal + %s is not listed in the media store.]]> + Nothing to scan. Nothing to see + Notification Customize the notification style + Now playing Now playing queue Customize the now playing screen 9+ now playing themes + Only on Wi-Fi + Advanced testing features + Other + Password + Past 3 months - Paste lyrics here + Peak + Permission to access external storage denied. + Permissions denied. + Personalize Customize your now playing and UI controls + Pick from local storage - Pick image + Pinterest Follow Pinterest page for Retro Music design inspiration + Plain + The playing notification provides actions for play/pause etc. Playing notification - Empty playlist + Playlist is empty Playlist name + Playlists - Album detail style + Amount of blur applied for blur themes, lower is faster Blur amount - Adjust the bottom sheet dialog corners - Dialog corner Filter songs by length Filter song duration Advanced @@ -293,9 +382,7 @@ Pause on zero Keep in mind that enabling this feature may affect battery life Keep the screen on - Click to open with or slide to without transparent navigation of now playing screen - Click or Slide - Snow fall effect + Select language Use the currently playing song album cover as the lockscreen wallpaper Lower the volume when a system sound is played or a notification is received The content of blacklisted folders is hidden from your library. @@ -305,21 +392,17 @@ Use the classic notification design The background and control button colors change according to the album art from the now playing screen Colors the app shortcuts in the accent color. Every time you change the color please toggle this to take effect - Colors the navigation bar in the primary color "Colors the notification in the album cover\u2019s vibrant color" As per Material Design guide lines in dark mode colors should be desaturated - Most dominant color will be picked from the album or artist cover + Clicking on the notification will show now playing screen instead of the home screen Add extra controls for mini player Show extra Song information, such as file format, bitrate and frequency "Can cause playback issues on some devices." - Toggle genre tab Show or hide the home banner Can increase the album cover quality, but causes slower image loading times. Only enable this if you have problems with low resolution artworks Configure visibility and order of library categories. Use Retro Music\'s custom lockscreen controls License details for open source software - Round the app\'s edges - Toggle titles for the bottom navigation bar tabs Immersive mode Start playing immediately after headphones are connected Shuffle mode will turn off when playing a new list of songs @@ -327,75 +410,76 @@ Show album cover Album cover theme Album cover skip - Album grid Colored app shortcuts - Artist grid Reduce volume on focus loss Auto-download artist images Blacklist Bluetooth playback Blur album cover - Choose equalizer Classic notification design Adaptive color Colored notification Desaturated color + Show now playing screen Extra controls Song info Gapless playback App theme - Show genre tab Artist grid Banner Ignore Media Store covers Last added playlist interval Fullscreen controls - Colored navigation bar Now playing theme Open source licences - Corner edges Tab titles mode Carousel effect - Dominant color Fullscreen app - Tab titles Auto-play Shuffle mode Volume controls - User info - Primary color - The primary theme color, defaults to blue grey, for now works with dark colors + Pro Black theme, Now playing themes, Carousel effect and more.. + Profile + Purchase - *Think before buying, don\'t ask for refund. + Playing Queue + Rate the app Love this app? Let us know in the Google Play Store how we can make it even better + Recent albums Recent artists + Remove - Remove banner photo Remove cover Remove from blacklist - Remove profile photo Remove song from playlist %1$s from the playlist?]]> Remove songs from playlist %1$d songs from the playlist?]]> + Rename playlist + Report an issue Report bug + Reset Reset artist image + Restore + Restored previous purchase. Please restart the app to make use of all features. Restored previous purchases. + Restoring purchase… - Retro Music Equalizer + Retro Music Player Retro Music Pro + File delete failed: %s Can\'t get SAF URI @@ -408,37 +492,48 @@ Do not open any sub-folders Tap \'select\' button at the bottom of the screen File write failed: %s + Save Save as file Save as files + Saved playlist to %s. + Saving changes + Scan media + Scanned %1$d of %2$d files. + Scrobbles - Search your library… + Select all - Select banner photo + Selected - Send crash log + Set Set artist image - Set a profile photo + Share app Share to Stories + Shuffle + Simple + Sleep timer canceled. Sleep timer set for %d minutes from now. - Slide - Small album + Social Share story + Song Song duration + Songs + Sort order Ascending Album @@ -448,93 +543,91 @@ Date modified Year Descending + Sorry! Your device doesn\'t support speech input Search your library + Stack + Start playing music. + Suggestions - Just show your name on home screen + Support development + Swipe to unlock + Synced lyrics - System Equalizer + Telegram Join the Telegram group to discuss bugs, make suggestions, show off and more + Thank you! + The audio file + This month This week This year + Tiny + Tiny card + Title - Dashboard - Good afternoon - Good day - Good evening - Good morning - Good night - What\'s Your Name + Today + Top albums Top artists + "Track (2 for track 2 or 3004 for CD3 track 4)" Track number + Translate Help us translate the app to your language + + Try Retro Music Premium + Twitter Share your design with Retro Music + Unlabeled + Couldn\u2019t play this song. + Up next + Update image + Updating… + Username + Version + Vertical flip - Virtualizer + Volume + Web search + Welcome, + What do you want to share? + What\'s New + Window Rounded corners + Set %1$s as your ringtone. %1$d selected + Year + You have to select at least one category. You will be forwarded to the issue tracker website. + Your account data is only used for authentication. - Amount - Note(Optional) - Start payment - Show now playing screen - Clicking on the notification will show now playing screen instead of the home screen - Tiny card - About %s - Select language - Translators - The people who helped translate this app - Try Retro Music Premium - - Song - Songs - - - Album - Albums - - - %d Song - %d Songs - - - %d Album - %d Albums - - - %d Artist - %d Artists - diff --git a/app/src/main/res/values-or-rIN/strings.xml b/app/src/main/res/values-or-rIN/strings.xml index c4438228..b599615c 100644 --- a/app/src/main/res/values-or-rIN/strings.xml +++ b/app/src/main/res/values-or-rIN/strings.xml @@ -1,14 +1,16 @@ + About %s Team, social links + Accent color The theme accent color, defaults to purple + About Add to favorites Add to playing queue Add to playlist Clear playing queue - Clear playlist Cycle repeat mode Delete Delete from device @@ -46,19 +48,32 @@ Tag editor Toggle favorite Toggle shuffle mode + Adaptive + Add - Add lyrics - Add \nphoto "Add to playlist" - Add time frame lyrics + "Added 1 title to the playing queue." Added %1$d titles to the playing queue. + Album + + + Song + Songs + + Album artist - The title or artist is empty. + Albums + + Album + Albums + + Always + Hey check out this cool music player at: https://play.google.com/store/apps/details?id=%s Shuffle Top Tracks @@ -67,19 +82,25 @@ Classic Small Text + Artist + Artists + Audio focus denied. Change the sound settings and adjust the equalizer controls + Auto - Base color theme - Bass Boost - Bio + Biography + Just Black + Blacklist + Blur Blur Card + Unable to send report Invalid access token. Please contact the app developer. Issues are not enabled for the selected repository. Please contact the app developer. @@ -92,45 +113,56 @@ Please enter an issue title Please enter your valid GitHub username An unexpected error occurred. Sorry you found this bug, if it keeps crashing \"Clear app data\" or send an Email - Uploading report to GitHub… Send using GitHub account + Buy now + Cancel + Card - Circular Colored Card Card - Carousel + Carousel effect on the now playing screen + Cascading - Cast + Changelog Changelog maintained on the Telegram channel + Circle + Circular + Classic + Clear - Clear app data Clear blacklist Clear queue - Clear playlist - %1$s? This can\u2019t be undone!]]> - Close + Color - Color + Colors + Composer + Copied device info to clipboard. + Couldn\u2019t create playlist. "Couldn\u2019t download a matching album cover." Could not restore purchase. Could not scan %d files. + Create + Created playlist %1$s. + Members and contributors + Currently listening to %1$s by %2$s. + Kinda Dark - No Lyrics + Delete playlist %1$s?]]> Delete playlists @@ -139,42 +171,62 @@ Delete songs %1$d playlists?]]> %1$d songs?]]> + Deleted %1$d songs. - Deleting songs + Depth + Description + Device info + Allow Retro Music to modify audio settings Set ringtone + Do you want to clear the blacklist? %1$s from the blacklist?]]> + Donate If you think I deserve to get paid for my work, you can leave some money here + Buy me a: - Download from Last.fm + Drive mode - Edit - Edit cover + Empty + Equalizer - Error + FAQ + Favorites + Finish last song + Fit + Flat + Folders + Follow system + For you + Free + Full Full card + Change the theme and colors of the app Look and feel + Genre + Genres + Fork the project on GitHub - Join the Google Plus community where you can ask for help or follow Retro Music updates + 1 2 3 @@ -184,16 +236,25 @@ 7 8 Grid style + Hinge + History + Home + Horizontal flip + Image Gradient image Change artist image download settings + Inserted %1$d songs into the playlist %2$s. + Share your Retro Music setup to showcase on Instagram + Keyboard + Bitrate Format File name @@ -202,31 +263,45 @@ More from %s Sampling rate Length + Labeled + Last added Last song - Let\'s play some music - Library + Library categories + Licenses + Clearly White + Listeners + Listing files + Loading products… + Login + Lyrics + Made with ❤️ in India + Material + Error Permission error + Name Most played + Never - New banner photo + New playlist - New profile photo %s is the new start directory. + Next Song + You have no albums You have no artists "Play a song first, then try again." @@ -238,45 +313,59 @@ No purchase found. No results You have no songs + Normal Normal lyrics - Normal + %s is not listed in the media store.]]> + Nothing to scan. Nothing to see + Notification Customize the notification style + Now playing Now playing queue Customize the now playing screen 9+ now playing themes + Only on Wi-Fi + Advanced testing features + Other + Password + Past 3 months - Paste lyrics here + Peak + Permission to access external storage denied. + Permissions denied. + Personalize Customize your now playing and UI controls + Pick from local storage - Pick image + Pinterest Follow Pinterest page for Retro Music design inspiration + Plain + The playing notification provides actions for play/pause etc. Playing notification - Empty playlist + Playlist is empty Playlist name + Playlists - Album detail style + Amount of blur applied for blur themes, lower is faster Blur amount - Adjust the bottom sheet dialog corners - Dialog corner Filter songs by length Filter song duration Advanced @@ -293,9 +382,7 @@ Pause on zero Keep in mind that enabling this feature may affect battery life Keep the screen on - Click to open with or slide to without transparent navigation of now playing screen - Click or Slide - Snow fall effect + Select language Use the currently playing song album cover as the lockscreen wallpaper Lower the volume when a system sound is played or a notification is received The content of blacklisted folders is hidden from your library. @@ -305,21 +392,17 @@ Use the classic notification design The background and control button colors change according to the album art from the now playing screen Colors the app shortcuts in the accent color. Every time you change the color please toggle this to take effect - Colors the navigation bar in the primary color "Colors the notification in the album cover\u2019s vibrant color" As per Material Design guide lines in dark mode colors should be desaturated - Most dominant color will be picked from the album or artist cover + Clicking on the notification will show now playing screen instead of the home screen Add extra controls for mini player Show extra Song information, such as file format, bitrate and frequency "Can cause playback issues on some devices." - Toggle genre tab Show or hide the home banner Can increase the album cover quality, but causes slower image loading times. Only enable this if you have problems with low resolution artworks Configure visibility and order of library categories. Use Retro Music\'s custom lockscreen controls License details for open source software - Round the app\'s edges - Toggle titles for the bottom navigation bar tabs Immersive mode Start playing immediately after headphones are connected Shuffle mode will turn off when playing a new list of songs @@ -327,75 +410,76 @@ Show album cover Album cover theme Album cover skip - Album grid Colored app shortcuts - Artist grid Reduce volume on focus loss Auto-download artist images Blacklist Bluetooth playback Blur album cover - Choose equalizer Classic notification design Adaptive color Colored notification Desaturated color + Show now playing screen Extra controls Song info Gapless playback App theme - Show genre tab Artist grid Banner Ignore Media Store covers Last added playlist interval Fullscreen controls - Colored navigation bar Now playing theme Open source licences - Corner edges Tab titles mode Carousel effect - Dominant color Fullscreen app - Tab titles Auto-play Shuffle mode Volume controls - User info - Primary color - The primary theme color, defaults to blue grey, for now works with dark colors + Pro Black theme, Now playing themes, Carousel effect and more.. + Profile + Purchase - *Think before buying, don\'t ask for refund. + Playing Queue + Rate the app Love this app? Let us know in the Google Play Store how we can make it even better + Recent albums Recent artists + Remove - Remove banner photo Remove cover Remove from blacklist - Remove profile photo Remove song from playlist %1$s from the playlist?]]> Remove songs from playlist %1$d songs from the playlist?]]> + Rename playlist + Report an issue Report bug + Reset Reset artist image + Restore + Restored previous purchase. Please restart the app to make use of all features. Restored previous purchases. + Restoring purchase… - Retro Music Equalizer + Retro Music Player Retro Music Pro + File delete failed: %s Can\'t get SAF URI @@ -408,37 +492,48 @@ Do not open any sub-folders Tap \'select\' button at the bottom of the screen File write failed: %s + Save Save as file Save as files + Saved playlist to %s. + Saving changes + Scan media + Scanned %1$d of %2$d files. + Scrobbles - Search your library… + Select all - Select banner photo + Selected - Send crash log + Set Set artist image - Set a profile photo + Share app Share to Stories + Shuffle + Simple + Sleep timer canceled. Sleep timer set for %d minutes from now. - Slide - Small album + Social Share story + Song Song duration + Songs + Sort order Ascending Album @@ -448,93 +543,91 @@ Date modified Year Descending + Sorry! Your device doesn\'t support speech input Search your library + Stack + Start playing music. + Suggestions - Just show your name on home screen + Support development + Swipe to unlock + Synced lyrics - System Equalizer + Telegram Join the Telegram group to discuss bugs, make suggestions, show off and more + Thank you! + The audio file + This month This week This year + Tiny + Tiny card + Title - Dashboard - Good afternoon - Good day - Good evening - Good morning - Good night - What\'s Your Name + Today + Top albums Top artists + "Track (2 for track 2 or 3004 for CD3 track 4)" Track number + Translate Help us translate the app to your language + + Try Retro Music Premium + Twitter Share your design with Retro Music + Unlabeled + Couldn\u2019t play this song. + Up next + Update image + Updating… + Username + Version + Vertical flip - Virtualizer + Volume + Web search + Welcome, + What do you want to share? + What\'s New + Window Rounded corners + Set %1$s as your ringtone. %1$d selected + Year + You have to select at least one category. You will be forwarded to the issue tracker website. + Your account data is only used for authentication. - Amount - Note(Optional) - Start payment - Show now playing screen - Clicking on the notification will show now playing screen instead of the home screen - Tiny card - About %s - Select language - Translators - The people who helped translate this app - Try Retro Music Premium - - Song - Songs - - - Album - Albums - - - %d Song - %d Songs - - - %d Album - %d Albums - - - %d Artist - %d Artists - diff --git a/app/src/main/res/values-pl-rPL/strings.xml b/app/src/main/res/values-pl-rPL/strings.xml index 0356f3b5..b1d723c0 100644 --- a/app/src/main/res/values-pl-rPL/strings.xml +++ b/app/src/main/res/values-pl-rPL/strings.xml @@ -1,116 +1,90 @@ - + + O %s Zespół, media społecznościowe Kolor akcentu - Kolor akcentu motywu, domyślnie fioletowy + Kolor akcentu motywu, domyślnie morski O aplikacji - Dodaj do ulubionych Dodaj do kolejki Dodaj do playlisty - Wyczyść kolejkę - Wyczyść playlistę - Przełącz tryb powtarzania - Usuń Usuń z urządzenia - Szczegóły - - Idź do albumu - Idź do artysty + Przejdź do albumu + Przejdź do artysty Idź do gatunku - Idź do katalogu startowego - + Przejdź do katalogu startowego Przyznaj - Rozmiar siatki Rozmiar siatki (poziomo) - Nowa playlista - Następny - Odtwarzaj Odtwórz wszystko Odtwarzaj następne Odtwarzanie/Pauza - Poprzedni - Usuń z ulubionych Usuń z kolejki odtwarzania Usuń z playlisty - Zmień nazwę - Zapisz kolejkę - Skanuj - Szukaj - Rozpocznij Ustaw jako dzwonek Ustaw jako katalog startowy - "Ustawienia" - Udostępnij - - Wszystko losowo + Losowo wszystko Playlista losowo - Wyłącznik czasowy - - Sortuj według - - Tylko artyści albumów - + Sortowanie Edytor tagów - - Przełącz ulubione + Przełącz na ulubione Przełącz tryb losowy Adaptacyjny Dodaj - - Dodaj tekst utworu - - Dodaj \nzdjęcie - "Dodaj do playlisty" - Dodaj znaczniki czasowe do tekstu - - "Dodano 1 tytuł do kolejki odtwarzania." - - Dodano %1$d tytułów do kolejki. + "Dodano 1 tytuł do kolejki odtwarzania" + Dodano %1$d tytułów do kolejki Album + + Utwór + Utwory + Utwory + Utwory + + Artysta albumu - Tytuł lub artysta jest pusty. - Albumy + + Album + Albumy + Albumy + Albumy + Zawsze Hej sprawdź ten fajny odtwarzacz muzyki na: https://play.google.com/store/apps/details?id=%s - Losowo Najczęściej odtwarzane utwory - - Pełne zdjęcie + Duży Karta Klasyczny - Mały + mały Tekst Artysta @@ -118,17 +92,10 @@ Artyści Odrzucono fokus dźwiękowy. - Dostosuj ustawienia dźwięku i equalizera Automatyczny - Bazowy kolor motywu - - Wzmocnienie Bassu - - Bio - Biografia Po prostu czarny @@ -136,7 +103,6 @@ Czarna lista Rozmycie - Rozmyta Karta Nie udało się wysłać raportu @@ -144,14 +110,13 @@ Problemy nie zostały włączone dla wybranego repozytorium. Proszę się skontaktować z twórcą aplikacji. Wystąpił nieoczekiwany błąd. Proszę skontaktować się z twórcą aplikacji. Zła nazwa użytkownika lub hasło - Błąd + Problem Wyślij ręcznie - Proszę opisać problem + Proszę opisać problemu Proszę wpisać poprawne hasło GitHub Proszę wpisać tytuł problemu Proszę wpisać poprawną nazwę użytkownika GitHub - Wystąpił nieoczekiwany błąd. Wyczyść dane podręczne lub jeśli błąd pojawi się ponownie - wyślij nam maila - Wrzucanie raportu na GitHub… + Wystąpił nieoczekiwany błąd. Wyczyść dane podręczne lub - jeśli błąd pojawi się ponownie - wyślij nam maila. Wyślij przez konto GitHub Kup teraz @@ -159,25 +124,14 @@ Anuluj Karta - - Okrągły - - Kolorowa karta - + Kolorowa Karta Karta - Kwadratowa karta - - Karozela - - Efekt karuzeli na ekranie \"Teraz odtwarzane\" + Efekt karuzeli na ekranie Teraz odtwarzane Kaskadowy - Strumieniowanie - Lista zmian - Lista zmian zarządzana z aplikacji Telegram Okręg @@ -187,61 +141,43 @@ Klasyczny Wyczyść - - Wyczyść dane aplikacji - Wyczyść czarną listę - Wyczyść kolejkę - Wyczyść playlistę - %1$s? To nie może być cofnięte!]]> - - Zamknij - Kolor - Kolor - Kolory Kompozytor - Skopiowano informacje o urządzeniu do schowka. + Skopiowano informacje o urządzeniu do schowka - Nie można utworzyć playlisty. - "Nie można pobrać pasującej okładni albumu." - Nie można przywrócić zakupu. + Nie mo\u017cna utworzy\u0107 playlisty. + "Nie mo\u017cna pobra\u0107 dopasowanej ok\u0142adki albumu" + Nie można przywrócić zakupów. Nie można przeskanować %d plików. Utwórz - Utworzono playlistę %1$s. + Stworzono playlistę %1$s. - Członkowie i współpracownicy + Członkowie i współpracownicy Aktualnie odtwarzane %1$s wykonawcy %2$s. Dość ciemny - Brak tekstu utworu - Usuń playlistę - %1$s?]]> - - Usuń playlisty - + %1$s?]]> + Usuń listy odtwarzania Usuń utwór %1$s?]]> - Usuń utwory + %1$d ?]]> + %1$d ?]]> - %1$d playlist?]]> - %1$d utworów?]]> Usunięto %1$d utworów. - Usuwanie utworów - Głębia Opis @@ -249,39 +185,29 @@ Informacje o urządzeniu Pozwól Retro Music na modyfikację ustawień dźwięku - Ustaw jako dzwonek Czy chcesz wyczyścić czarną listę? %1$s z czarnej listy?]]> Wesprzyj nas - Jeżeli uważasz, że zasługuje na zapłatę za moją pracę możesz zostawić tu drobną sumę Kup mi: - Pobierz z Last.fm - Tryb samochodowy - Edytuj - - Edytuj okładkę - Pusto - Equalizer + Korektor dźwięku - Błąd - - Często zadawane pytania + Najczęściej zadawane pytania Ulubione - Dokończ ostatni utwór + Dokończ ostatnią piosenkę - Dopasowany + Dopasuj Płaski @@ -289,12 +215,11 @@ Śledź system - Dla ciebie + Dla Ciebie Darmowe - Pełny - + Pełne Pełna karta Zmień motyw i kolory aplikacji @@ -306,8 +231,6 @@ Zobacz kod na GitHubie - Dołącz do społeczności Google Plus by uzyskać informacje o aktualizacjach i pomoc - 1 2 3 @@ -316,7 +239,6 @@ 6 7 8 - Styl siatki Zawias @@ -327,135 +249,100 @@ Obrót poziomy - Zdjęcie - - Zdjęcie gradient - + Obraz + Obraz gradientowy Zmień ustawienia pobierania obrazka wykonawcy - Dodano %1$d utworów do playlisty %2$s. + Dodano %1$d utworów do listy odtwarzania %2$s. - Instagram Udostępnij swój setup aplikacji Retro Music na Instagramie Klawiatura - Przepustowość - - Format + Przepływność + Typ Nazwa pliku - Ścieżka do pliku + Ścieżka pliku Rozmiar - - Więcej od %s - + Więcej z %s Częstotliwość próbkowania - Długość Wszystkie podpisy Ostatnio dodane - Ostatni utwór - Odtwórzmy jakąś muzykę - - Biblioteka - Kategorie biblioteki Licencje - Śnieżnobiały + Śnieżno biały Słuchacze Listowanie plików - Ładowanie… + Ładowanie... Zaloguj się - Teksty utworów + Tekst utworu Stworzone z ❤️ w Indiach Materialistyczny Błąd - Błąd uprawnień - Nazwa - + Moje imię Najczęściej odtwarzane Nigdy - Nowe zdjęcie banera - - Nowa playlista - - Nowe zdjęcie profilowe - - %s jest nowym domyślnym katalogiem. + Nowa lista odtwarzania + %s jest nowym katalogiem startowym. Następny utwór Brak albumów - Brak artystów - "Odtwórz jakiś utwór i spróbuj ponownie." - - Nie znaleziono equalizera - + Nie znaleziono korektora dźwięku. Brak gatunków - - Brak tekstu utworu - + Nie znaleziono tekstu utworu Brak odtwarzanych utworów - - Brak playlist - - Nie znaleziono zakupu. - - Brak wyników - + Brak list odtwarzania + Nie znaleziono zakupów. + Brak wyników. Brak utworów - Normalnie - + Normalne Normalny tekst utworu - Normalny - %s nie znajduje się w magazynie multimediów.]]> Nic do skanowania. Nic do zobaczenia Powiadomienie - - Zmień wygląd powiadomienia + Zmień wygląd powiadomień Teraz odtwarzane - Kolejka odtwarzania - Dostosuj ekran kolejki odtwarzania - 9+ motywów \"Teraz odtwarzane\" + Kolejka teraz odtwarzanych + Dostosuj panel aktualnie odtwarzanych + 9+ motywów Teraz odtwarzane Tylko przez Wi-Fi Zaawansowane funkcje eksperymentalne - Inne + Inne ustawienia Hasło - Ostatnie 3 miesiące - - Wklej tekst utworu tutaj + Przez 3 miesiące Szczyt @@ -464,12 +351,9 @@ Odmowa dostępu. Personalizuj - Dostosuj interfejs \"Teraz odtwarzane\" - Wybierz z pamięci urządzenia - - Wybierz zdjęcie + Wybierz z pamięci lokalnej Pinterest Śledź stronę Retro Music na Pintrest po więcej inspiracji @@ -479,166 +363,115 @@ Powiadomienie odtwarzania pokazuje przyciski play/pauza itp. Powiadomienie odtwarzania - Wyczyść playlistę + Lista odtwarzania jest pusta + Nazwa listy odtwarzania - Playlista jest pusta - - Nazwa playlisty - - Playlisty - - Styl informacji o albumie + Listy odtwarzania Ilość rozmycia dla motywów, mniejsza ilość jest szybsza - Ilość rozmycia - - Dostosuj rogi dolnego okna dialogowego - Narożniki okna dialogowego - - Filtruj utwory według długości + Wartość rozmycia + Filtruj piosenki według długości Filtruj długość utworów - Zaawansowane - Styl albumów - Audio + Styl okładki + Dźwięk Czarna lista - Przełączniki + Przyciski kontrolne Motyw Obrazki Biblioteka Ekran blokady - Playlisty - + Listy odtwarzania Zatrzymuje odtwarzanie przy zerowym poziomie głośności i wznawia po jego zwiększeniu. Kiedy zwiększysz głośność, odtwarzanie rozpocznie się nawet gdy jesteś poza aplikacją Zatrzymaj przy wyłączonym dźwięku Ta opcja może mieć wpływ na zużycie baterii Pozostaw ekran włączony - - Kliknij aby otworzyć z lub przesunąć do przezroczystej nawigacji ekranu teraz odtwarzane - Kliknij albo przesuń - - Efekt spadającego śniegu - - Pokazuj artystów albumu w kategorii \"Artyści\" + Wybierz język Używaj okładki aktualnie odtwarzanego albumu jako tapety ekranu blokady Zmniejsz głośność kiedy dostajesz powiadomienia Zawartość czarnej listy jest ukryta w twojej bibliotece. Rozpocznij odtwarzanie po podłączeniu urządzenia bluetooth Rozmazuj okładkę albumu na ekranie blokady. Może powodować problemy z aplikacjami i widżetami innych firm - Efekt karuzeli na okładce obecnie odtwarzanego albumu. Zwróć uwagę, że motyw karty i rozmycia nie zadziałają - Użyj klasycznego wyglądu powiadomień + Efekt karuzeli na okładce obecnie odtwarzanego albumu. Zwróć uwagę, że motyw karty i rozmycia nie zadziała + Użyj klasycznego wyglądu powiadomień. Tło oraz kolor przycisku sterującego zmieniają się zgodnie z okładką albumu na ekranie odtwarzacza - Koloruje skróty aplikacji w kolorze akcentującym. Za każdym razem, gdy zmieniasz kolor, włącz tę opcję, aby zmiany odniosły skutek - Koloruje pasek nawigacji kolorem wiodącym - "Koloruje powiadomienie dominującym kolorem okładki albumu" + Koloruje skróty aplikacji w kolorze akcentującym. Za każdym razem, gdy zmieniasz kolor, włącz tę opcję, aby zmiany odniosły skutek. + "Koloruje powiadomienie dominuj\u0105cym kolorem ok\u0142adki albumu." Zgodnie z zaleceniami Material Design, w trybie ciemnym kolory powinny być mniej nasycone - Najbardziej dominujący kolor zostanie wybrany z okładki albumu lub wykonawcy - Dodaj dodatkowe przyciski do małego odtwarzacza + Kliknięcie powiadomienia pokaże teraz odtwarzane zamiast ekranu głównego + Dodaj ekstra przyciski do małego odtwarzacza Pokaż dodatkowe informacje o utworze, takie jak format pliku, częstość próbkowania i częstotliwość "Może powodować problemy z odtwarzaniem na niektórych urządzeniach." - Przełącz kartę gatunku - Pokaż lub ukryj baner strony głównej - Może zwiększyć jakość okładki albumu, ale powoduje spowolnienie ładowania obrazu. Włącz tę opcję tylko jeśli masz problemy z okładkami o niskiej rozdzielczości + Przełącz styl banera strony głównej + Może zwiększyć jakość okładki albumu, ale powoduje spowolnienie ładowania obrazu. Włącz tę opcję tylko jeśli masz problemy z okładkami o niskiej rozdzielczości. Skonfiguruj widoczność i kolejność kategorii w bibliotece. - Sterowanie Retro na zablokowanym ekranie + Sterowanie Retro na zablokowanym ekranie. Szczegóły licencji oprogramowania open source - Zaokrągl rogi w aplikacji - Przełącz tytuły kart u dołu - Tryb immersji + Tryb imersji Zacznij odtwarzanie po podłączanie zestawu słuchawkowego Odtwarzanie losowe zostanie wyłączone podczas odtwarzania nowej listy utworów - Pokaż sterowanie głośnością na ekranie \"teraz odtwarzane\" - - Nawiguj po artystach albumów + Włącz sterowanie głośnością na ekranie \"teraz odtwarzane\" Pokaż okładkę albumu Wygląd okładki albumu Przesuwanie okładki albumu - Siatka albumów Kolorowe skróty aplikacji - Siatka artystów Zmniejsz głośność przy braku skupienia Automatycznie pobierz obrazki wykonawców Czarna lista Odtwarzanie przez Bluetooth Rozmaż okładkę albumu - Wybierz equalizer Klasyczny wygląd powiadomień Kolor adaptacyjny Kolorowe powiadomienia Mniej nasycony kolor + Wyświetl teraz odtwarzane Dodatkowe sterowanie Informacje o utworze Odtwarzanie bez przerw - Motyw aplikacji - Pokaż kartę gatunku - Siatka artystów - Siatka albumów - Baner + Motyw główny + Siatka wykonawców strony głównej + Baner strony głównej Ignoruj okładki z Media Store Ostatnio dodany interwał listy odtwarzania Sterowanie pełno ekranowe - Kolorowy pasek nawigacji - Wygląd \"Teraz odtwarzane\" - Licencje open source - Narożne krawędzie + Wygląd + Licencje Open Source Wygląd tytułów kart Efekt karuzeli - Kolor dominujący Aplikacja pełnoekranowa - Tytuły kart Autoodtwarzanie Tryb losowy Sterowanie głośnością - Informacje użytkownika - - Kolor podstawowy - Główny kolor motywu, domyślnie niebieski, działa teraz z ciemnymi kolorami Pro - - Efekt karuzeli, kolorowe motywy i wiele więcej.. + Efekt karuzeli, kolorowe motywy i wiele więcej... Profil Kup - *Zastanów się przed zakupem, nie proś o zwrot. - - Kolejka odtwarzania + Kolejka Oceń aplikację - - Uwielbiasz tą aplikację? Daj nam znać w sklepie Google Play co o niej sądzisz i co powinniśmy poprawić + Uwielbiasz tą aplikację? Daj nam znać w sklepie Google Play co o niej sądzisz i co powinniśmy poprawić. Ostatnie albumy - Ostatni artyści Usuń - - Usuń zdjęcie banera - Usuń okładkę - Usuń z czarnej listy - - Usuń zdjęcie profilowe - Usuń utwór z listy odtwarzania - %1$s z playlisty?]]> - + %1$s z listy odtwarzania?]]> Usuń te utwory z listy odtwarzania + %1$d z listy odtwarzania?]]> - %1$d utworów z playlisty?]]> - - Zmień nazwę playlisty + Zmień nazwę listy odtwarzania Zgłoś problem - Zgłoś błąd Zresetuj - Zresetuj obrazek wykonawcy Przywróć @@ -646,36 +479,29 @@ Przywrócono poprzedni zakup. Zrestartuj aplikacje aby korzystać z wszystkich funkcji. Przywrócono poprzednie zakupy. - Przywracanie zakupu… - - Retro Music Equalizer + Przywracanie zakupu... Retro Music Player Retro Music Pro Nie udało się usunąć pliku: %s - Nie można uzyskać URI SAF - Otwórz szufladę nawigacji - Włącz \'Pokaż kartę SD\' w menu + Włącz \'Pokaż kartę SD\' w menu przeciążenia %s wymaga dostępu do karty SD Musisz wybrać katalog główny karty SD Wybierz kartę SD w panelu nawigacji Nie otwieraj żadnych podfolderów Dotknij przycisku \'Wybierz\' u dołu ekranu - Nie udało się zapisać do pliku: %s Zapisz - Zapisz jako plik - - Zapisz jako pliki + Zapisz jako Zapisz listę odtwarzania do %s. @@ -683,135 +509,102 @@ Skanuj media - Zeskanowano %1$d z %2$d plików. + Zeskanowano %1$d z plików %2$d. Scrobble - Przeszukaj bibliotekę… - Zaznacz wszystko - Wybierz zdjęcie banera - - Zaznaczono - - Zgłoś awarię + Zaznaczone Ustaw - Ustaw obrazek wykonawcy - Ustaw zdjęcie profilowe - Udostępnij aplikację - - Udostępnij na Stories + Podziel się z opowieściami Losowo Prosty - Wyłącznik czasowy anulowany. + Wyłącznik czasowy wyłączony. Wyłącznik czasowy ustawiony na %d minut. - Ślizg - - Mały album - Społeczność - - Udostępnij na Story + Udostępnij historię Utwór - Długość utworu Utwory - Sortuj według + Porządek sortowania Rosnąco Album Artysta Kompozytor - Data dodania + Dane Data modyfikacji Rok Malejąco Przepraszamy! Twoje urządzenie nie obsługuje wprowadzania głosowego - Przeszukaj swoją bibliotekę Stos - Rozpocznij odtwarzanie. + Rozpocznij odtwarzanie Sugestie - Po prostu pokażę twoje imię na ekranie głównym - Wspieraj rozwój - Przesuń by odblokować + Przesuń, aby odblokować Synchronizowany tekst utworu - Systemowy equalizer - Telegram - Dołącz do grupy Telegramie, aby zgłosić błędy, zasugerować zmiany i inne + Dołącz do grupy Telegram, aby zgłosić błędy, zasugerować zmiany i inne Dziękuję! - Plik dźwiękowy + Pliki dźwiękowy Ten miesiąc - Ten tydzień - Ten rok Mały + Mała karta Tytuł - Ekran główny - - Miłego popołudnia - Dzień dobry - Dobry wieczór - Dzień dobry - Dobry wieczór - - Jak masz na imię? - - Dziś + Dzisiaj Najczęściej odtwarzane albumy - Najczęściej odtwarzani artyści "Ścieżka (2 dla ścieżki 2 lub 3004 dla ścieżki CD3 4)" - Numer utworu Przetłumacz - Pomóż nam tłumaczyć aplikację na swój język - Twitter + Wypróbuj Retro Music Premium + + Strona na Twitterze Podziel się swoim designem z Retro Music Niepodpisane - Nie można odtworzyć utworu. + Nie mo\u017cna odtworzy\u0107 utworu. Następne Zaktualizuj obrazek - Aktualizowanie… + Aktualizowanie... Nazwa użytkownika @@ -819,8 +612,6 @@ Obrót pionowy - Wirtualizator - Głośność Przeszukaj sieć @@ -832,68 +623,15 @@ Co nowego Okno - Zaokrąglone rogi Ustaw %1$s jako dzwonek. - Wybrano %1$d Rok - Musisz zaznaczyć przynajmniej jedną kategorię. - + Musisz zaznaczyć przynajmniej jedną kategorię Będziesz przekierowany do strony ze zgłoszeniami. Informacje o twoim koncie są używane tylko do autoryzacji. - Ilość - Notatka(Opcjonalna) - Rozpocznij płatność - Wyświetl teraz odtwarzane - Kliknięcie powiadomienia pokaże teraz odtwarzane zamiast ekranu głównego - - Mała karta - O %s - Wybierz język - Tłumacze - Osoby, które pomogły przetłumaczyć tę aplikację - Wypróbuj Retro Music Premium - Podziel się aplikacją z rodziną i przyjaciółmi - Potrzebujesz pomocy? - Gradient - Nazwa użytkownika - Nie odtwarzane ostatnio - Ostatnie 7 dni - - - Utwór - Utwory - - - Album - Albumy - - - %d utwór - %d utwory - - - %d Album - %d albumy - - - %d artysta - %d artyści - - Gotowe - Zaimportuj playlisty - Importuje wszystkie playlisty listowane w Media Store z utworami, jeśli playlista istnieje, utwory zostaną połączone. - Import - Liczba utworów - Rosnąco - Song count desc - Aplikacja potrzebuje uprawnienia na dostęp do pamięci urządzenia aby odtwarzać muzykę - Dostęp do pamięci - Dzwonek - Aplikacja potrezbuje uprawnienia na dostęp do ustawień telefonu, aby ustawić utwór jako dzwonek telefonu diff --git a/app/src/main/res/values-pt-rBR/strings.xml b/app/src/main/res/values-pt-rBR/strings.xml index 23349cbf..72e97b7f 100644 --- a/app/src/main/res/values-pt-rBR/strings.xml +++ b/app/src/main/res/values-pt-rBR/strings.xml @@ -1,14 +1,16 @@ + About %s Time, links sociais + Cor de destaque A cor de destaque do tema, o padrão é verde + Sobre Adicionar aos favoritos Adicionar à lista de reprodução Adicionar à lista Limpar a atual fila de reprodução - Remover todos os itens da playlist Alternar modo de repetição Excluir Excluir do dispositivo @@ -46,19 +48,32 @@ Editor de TAG Ativar/Desativar favorito Alternar modo aleatório + Adaptável + Adicionar - Adicionar letras - Adicionar foto "Adicionar à lista" - Adicione tempo de enquadramento das letras + "Uma música foi adicionada à fila de reprodução" Foram adicionadas %1$d músicas na fila de reprodução + Álbum + + + Song + Songs + + Álbum do artista - O título ou artista está vazio + Álbuns + + Album + Albums + + Sempre + Ei, confira este reprodutor de música legal em: https://play.google.com/store/apps/details?id=%s Aleatório Músicas favoritas @@ -67,19 +82,25 @@ Música Retrô-Clássico Música Retrô-Pequeno Música Retrô-Texto + Artista + Artistas + Foco de áudio negado Altere as configurações de som e ajuste os controles do equalizador + Automático - Baseado na cor do tema - Aumento de graves - Biografia + Biografia + Apenas preto + Lista negra + Desfocado Cartão desfocado + Não é possível enviar o relatório Token de acesso inválido. Entre em contato com o desenvolvedor do aplicativo Os problemas não estão ativados para o repositório selecionado. Entre em contato com o desenvolvedor do aplicativo. @@ -92,45 +113,56 @@ Por favor, insira um título do problema Por favor, digite seu nome de usuário válido do GitHub Um erro inesperado ocorreu. Se você tentar novamente e o erro persistir, use a opção \"Limpar dados do aplicativo\" ou envie-nos um e-mail - Enviando relatório para o GitHub... Enviar usando uma conta do GitHub + Compre agora + Cancelar + Cartão - Circular Cartão colorido Cartão - Carrossel + Efeito carrossel na tela de reprodução + Cascata - Transmitir + Lista de mudanças Lista de mudanças mantida no Canal no Telegram + Círculo + Circular + Clássico + Limpar - Limpar dados do aplicativo Limpar lista negra Limpar fila - Limpar playlist - %1$s? Isso n\u00e3o pode ser desfeito!]]> - Fechar + Cor - Cor + Cores + Compositor + Informações do dispositivo copiado para a área de transferência. + N\u00e3o foi poss\u00edvel criar a playlist "N\u00e3o foi poss\u00edvel baixar uma capa do \u00e1lbum correspondente" Não foi possível restaurar a compra Não foi possível escanear %d arquivos + Criar + A playlist %1$s foi criada + Membros e contribuidores + Atualmente ouvindo %1$s por %2$s. + Meio escuro - Sem letras + Excluir playlist %1$s?]]> Excluir playlists @@ -139,42 +171,62 @@ Excluir músicas %1$d playlists?]]> %1$d músicas?]]> + %1$d músicas foram excluídas. - Excluir músicas + Profundidade + Descrição + Informação do dispositivo + Permite que o Retro Music modifique as configurações de áudio Definir toque + Você quer limpar a lista negra? %1$s da lista negra?]]> + Doar Se você acha que eu mereço ser recompensado pelo meu trabalho, você pode me deixar algum dinheiro aqui + Compre-me um: - Baixar do Last.fm + Modo de direção - Editar - Editar capa + Vazio + Equalizador - Erro + Perguntas frequentes + Favoritos + Terminar a última música + Em forma + Plano + Pastas + Seguir sistema + Para você + Grátis + Tela cheia Cartão cheio + Alterar o tema e as cores do aplicativo Aparência + Gênero + Gêneros + Fork o projeto no GitHub - Participe da comunidade do Google+, onde você pode pedir ajuda ou seguir as atualizações do Retro Music + 1 2 3 @@ -184,16 +236,25 @@ 7 8 Grades & Estilos + Dobradiça + Histórico + Início + Giro horizontal + Imagem Imagem degradê Alterar as configurações de download das imagens dos artistas + %1$d músicas adicionadas na playlist %2$s. + Compartilhe seu perfil do Retro Music para mostrá-lo no Instagram + Teclado + Taxa de bits Formato Nome do arquivo @@ -202,31 +263,45 @@ Mais de %s Taxa de amostragem Comprimento + Rotulado + Mais recentes Última música - Vamos reproduzir alguma música - Biblioteca + Categorias da biblioteca + Licenças + Claramente branco + Ouvintes + Listando arquivos... + Carregando produtos... + Entrar + Letras + Feito com ❤️ na Índia + Material + Erro Erro de permissão + Nome Mais tocadas + Nunca - Nova foto do mural + Nova playlist - Nova foto de perfil %s é o novo diretório inicial + Próxima música + Sem álbuns Sem artistas "Reproduza uma música primeiro e tente novamente" @@ -238,45 +313,59 @@ Nenhuma compra encontrada. Sem resultados Sem músicas + Normal Letras normais - Normal + %s não está listado no armazenamento de mídia]]> + Nada para escanear. Nada para escanear + Notificação Personalizar o estilo de notificação + Reproduzindo agora Reproduzindo agora na fila Personalizar tela de reprodução Incríveis 9 temas para a interface do reprodutor + Apenas com Wi-Fi + Recursos avançados em teste + Outro + Senha + Últimos 3 meses - Cole as letras aqui + Peak + Permissão para acessar o armazenamento externo negada + Permissões negadas. + Personalizar Personalizar os controles em Reproduzindo agora e Interface do Usuário + Escolha do armazenamento local - Escolha a imagem + Pinterest Siga a página do Pinterest para inspiração de design do Retro Music + Liso + A notificação de reprodução fornece ações para reprodução/pausa, etc Notificação de reprodução - Playlist vazia + A playlist está vazia Nome da playlist + Playlists - Estilo de detalhe do álbum + Quantidade de desfoque aplicada a temas de desfoque, menor é mais rápido Quantidade de desfoque - Ajustar os cantos da caixa de diálogo - Dialog corner Filtrar músicas por duração Filtrar duração da música Avançado @@ -293,9 +382,7 @@ Pausar quando o volume for zerado Tenha em mente que ativar este recurso pode afetar a duração da bateria Manter a tela ligada - Clique para abrir ou deslizar sem a navegação transparente da tela que está sendo reproduzida agora - Clique ou deslize - Efeito de neve caindo + Select language Usar a capa do álbum da música em reprodução como papel de parede na tela de bloqueio Diminua o volume quando um som do sistema for reproduzido ou uma notificação for recebida O conteúdo das pastas na lista negra está oculto da sua biblioteca. @@ -305,21 +392,17 @@ Use o design de notificação clássico As cores de fundo e do botão de controle mudam de acordo com a capa do álbum a partir da tela que está sendo reproduzida Colore os atalhos do aplicativo na cor de destaque. Toda vez que você mudar a cor alterne essa opção para ter efeito - Colore a barra de navegação na cor primária "Colore a notifica\u00e7\u00e3o na cor vibrante da capa do \u00e1lbum" Conforme o guia do Material Design as cores devem ser dessaturadas no modo escuro - A cor mais dominante será escolhida da capa do álbum/artista + Clicking on the notification will show now playing screen instead of the home screen Adicionar botões extras para o mini reprodutor Mostrar informações extras da música, como formato de arquivo, taxa de bits e frequência "Pode causar problemas de reprodução em alguns dispositivos" - Alternar aba de gêneros Alternar o estilo do mural inicial Pode aumentar a qualidade da capa do álbum, mas diminui a velocidade de carregamento da capa do álbum. Ative isso apenas se você tiver problemas com capas de baixa resolução Configurar visibilidade e ordem de categorias da biblioteca. Usar controles personalizados do Retro Music na tela de bloqueio Detalhes da licença para software de código aberto - Arredondar as bordas do aplicativo - Ativar títulos para as guias da barra de navegação inferior Modo imersivo Comecar a reproduzir imediatamente quando os fones de ouvido forem conectados O modo aleatório será desativado ao reproduzir uma nova lista de músicas @@ -327,75 +410,76 @@ Exibir a capa do álbum Tema da capa do álbum Pular a capa do álbum - Grade do álbum Colorir os atalhos do aplicativo - Grade do artista Reduza o volume na perda de foco Baixar automaticamente as imagens dos artistas Lista negra Reprodução Bluetooth Desfocar a capa do álbum - Escolha o equalizador Design de notificação clássico Cor adaptável Notificações coloridas Cor dessaturada + Show now playing screen Controles extras Informações da música Reprodução contínua Tema do aplicativo - Exibir a aba de gêneros Grade de artistas na tela inicial Mural na tela inicial Ignorar capas do Armazenamento de Mídia Intervalo da playlist \"Mais recentes\" Controles em tela cheia - Barra de navegação colorida Tema da tela \"Reproduzindo agora\" Licenças de código aberto - Bordas arredondadas Modo de títulos nas abas Efeito carrossel - Cor dominante Aplicativo em tela cheia - Títulos das guias Execuções automática Modo aleatório Controles do volume - Informação do usuário - Cor primária - A cor principal do tema por padrão é cinza azulado, por enquanto funciona com cores escuras + Pro Temas do reproduzindo agora, Efeito carrossel, Tema de cor e mais... + Perfil + Comprar - *Pense antes de comprar, não pergunte por reembolso! + Fila + Avalie o aplicativo Adorou este aplicativo? Informe-nos na Google Play Store como podemos melhorar o aplicativo + Álbuns recentes Artistas recentes + Remover - Remover foto do mural Remover capa Remover da lista negra - Remover foto do perfil Remover música da playlist %1$s da playlist?]]> Remover músicas da playlist %1$d músicas da playlist?]]> + Renomear playlist + Reportar um problema Reportar erro + Resetar Restaurar imagem do artista + Restaurar + Compra anterior restaurada. Por favor, reinicie o aplicativo para fazer uso de todos os recursos. Compras anteriores foram restauradas. + Restaurando compra... - Equalizador do Retro Music + Retro Music Player Retro Music Pro + Falha ao excluir arquivo: %s Não foi possível obter URI SAF @@ -408,37 +492,48 @@ Não abra nenhuma subpasta Toque no botão \'selecionar\' na parte inferior da tela Falha na escrita do arquivo: %s + Salvar Salvar como arquivo Salvar como arquivos + Playlist salva para %s + Salvando alterações... + Escanear mídia + Escaneados %1$d dos %2$d arquivos + Scrobbles - Pesquisar na sua biblioteca ... + Selecionar tudo - Selecione a foto do mural + Selecionado - Enviar log de falha + Definir Definir imagem do artista - Definir uma foto de perfil + Compartilhar o aplicativo Share to Stories + Aleatório + Simples + Temporizador cancelado Temporizador definido para %d minutos a partir de agora - Deslizar - Português + Social Share story + Música Duração da música + Músicas + Ordem de classificação Ascendente Álbum @@ -448,93 +543,91 @@ Date modified Ano Decrescente + Desculpe! O seu dispositivo não suporta entrada de voz Pesquisar... + Pilha + Começar a reprodução de música. + Sugestões - Mostrar apenas o seu nome na tela inicial + Apoiar o desenvolvimento + Deslize para desbloquear + Letras sincronizadas - Equalizador do sistema + Telegram Junte-se ao grupo no Telegram para discutir bugs, fazer sugestões e muito mais + Obrigado! + Arquivo de áudio + Este mês Esta semana Este ano + Minúsculo + Tiny card + Título - Painel de controle - Boa tarde - Bom dia - Boa noite - Bom dia - Boa noite - Qual o seu nome? + Hoje + Melhores albuns Artistas principais + "Música (2 para a música 2 ou 3004 para a música 4 do CD3)" Número da música + Traduzir Ajude-nos a traduzir o aplicativo para seu idioma + + Try Retro Music Premium + Twitter Compartilhe seu design com o Retro Music + Não rotulado + N\u00e3o foi poss\u00edvel reproduzir est\u00e1 m\u00fasica. + A seguir + Atualizar imagem + Atualizando... + Nome de usuário + Versão + Giro vertical - Virtualizador + Volume + Pesquisar na internet + Bem-vindo(a), + O que você quer compartilhar? + Novidades + Janela Cantos arredondados + Definir %1$s como toque. %1$sd selecionado + Ano + Você precisa selecionar ao menos uma categoria. Você será encaminhado para o website do rastreador de problemas. + Os dados da sua conta são usados ​​apenas para autenticação. - Amount - Note(Optional) - Start payment - Show now playing screen - Clicking on the notification will show now playing screen instead of the home screen - Tiny card - About %s - Select language - Translators - The people who helped translate this app - Try Retro Music Premium - - Song - Songs - - - Album - Albums - - - %d Song - %d Songs - - - %d Album - %d Albums - - - %d Artist - %d Artists - diff --git a/app/src/main/res/values-pt-rPT/strings.xml b/app/src/main/res/values-pt-rPT/strings.xml index c4438228..b599615c 100644 --- a/app/src/main/res/values-pt-rPT/strings.xml +++ b/app/src/main/res/values-pt-rPT/strings.xml @@ -1,14 +1,16 @@ + About %s Team, social links + Accent color The theme accent color, defaults to purple + About Add to favorites Add to playing queue Add to playlist Clear playing queue - Clear playlist Cycle repeat mode Delete Delete from device @@ -46,19 +48,32 @@ Tag editor Toggle favorite Toggle shuffle mode + Adaptive + Add - Add lyrics - Add \nphoto "Add to playlist" - Add time frame lyrics + "Added 1 title to the playing queue." Added %1$d titles to the playing queue. + Album + + + Song + Songs + + Album artist - The title or artist is empty. + Albums + + Album + Albums + + Always + Hey check out this cool music player at: https://play.google.com/store/apps/details?id=%s Shuffle Top Tracks @@ -67,19 +82,25 @@ Classic Small Text + Artist + Artists + Audio focus denied. Change the sound settings and adjust the equalizer controls + Auto - Base color theme - Bass Boost - Bio + Biography + Just Black + Blacklist + Blur Blur Card + Unable to send report Invalid access token. Please contact the app developer. Issues are not enabled for the selected repository. Please contact the app developer. @@ -92,45 +113,56 @@ Please enter an issue title Please enter your valid GitHub username An unexpected error occurred. Sorry you found this bug, if it keeps crashing \"Clear app data\" or send an Email - Uploading report to GitHub… Send using GitHub account + Buy now + Cancel + Card - Circular Colored Card Card - Carousel + Carousel effect on the now playing screen + Cascading - Cast + Changelog Changelog maintained on the Telegram channel + Circle + Circular + Classic + Clear - Clear app data Clear blacklist Clear queue - Clear playlist - %1$s? This can\u2019t be undone!]]> - Close + Color - Color + Colors + Composer + Copied device info to clipboard. + Couldn\u2019t create playlist. "Couldn\u2019t download a matching album cover." Could not restore purchase. Could not scan %d files. + Create + Created playlist %1$s. + Members and contributors + Currently listening to %1$s by %2$s. + Kinda Dark - No Lyrics + Delete playlist %1$s?]]> Delete playlists @@ -139,42 +171,62 @@ Delete songs %1$d playlists?]]> %1$d songs?]]> + Deleted %1$d songs. - Deleting songs + Depth + Description + Device info + Allow Retro Music to modify audio settings Set ringtone + Do you want to clear the blacklist? %1$s from the blacklist?]]> + Donate If you think I deserve to get paid for my work, you can leave some money here + Buy me a: - Download from Last.fm + Drive mode - Edit - Edit cover + Empty + Equalizer - Error + FAQ + Favorites + Finish last song + Fit + Flat + Folders + Follow system + For you + Free + Full Full card + Change the theme and colors of the app Look and feel + Genre + Genres + Fork the project on GitHub - Join the Google Plus community where you can ask for help or follow Retro Music updates + 1 2 3 @@ -184,16 +236,25 @@ 7 8 Grid style + Hinge + History + Home + Horizontal flip + Image Gradient image Change artist image download settings + Inserted %1$d songs into the playlist %2$s. + Share your Retro Music setup to showcase on Instagram + Keyboard + Bitrate Format File name @@ -202,31 +263,45 @@ More from %s Sampling rate Length + Labeled + Last added Last song - Let\'s play some music - Library + Library categories + Licenses + Clearly White + Listeners + Listing files + Loading products… + Login + Lyrics + Made with ❤️ in India + Material + Error Permission error + Name Most played + Never - New banner photo + New playlist - New profile photo %s is the new start directory. + Next Song + You have no albums You have no artists "Play a song first, then try again." @@ -238,45 +313,59 @@ No purchase found. No results You have no songs + Normal Normal lyrics - Normal + %s is not listed in the media store.]]> + Nothing to scan. Nothing to see + Notification Customize the notification style + Now playing Now playing queue Customize the now playing screen 9+ now playing themes + Only on Wi-Fi + Advanced testing features + Other + Password + Past 3 months - Paste lyrics here + Peak + Permission to access external storage denied. + Permissions denied. + Personalize Customize your now playing and UI controls + Pick from local storage - Pick image + Pinterest Follow Pinterest page for Retro Music design inspiration + Plain + The playing notification provides actions for play/pause etc. Playing notification - Empty playlist + Playlist is empty Playlist name + Playlists - Album detail style + Amount of blur applied for blur themes, lower is faster Blur amount - Adjust the bottom sheet dialog corners - Dialog corner Filter songs by length Filter song duration Advanced @@ -293,9 +382,7 @@ Pause on zero Keep in mind that enabling this feature may affect battery life Keep the screen on - Click to open with or slide to without transparent navigation of now playing screen - Click or Slide - Snow fall effect + Select language Use the currently playing song album cover as the lockscreen wallpaper Lower the volume when a system sound is played or a notification is received The content of blacklisted folders is hidden from your library. @@ -305,21 +392,17 @@ Use the classic notification design The background and control button colors change according to the album art from the now playing screen Colors the app shortcuts in the accent color. Every time you change the color please toggle this to take effect - Colors the navigation bar in the primary color "Colors the notification in the album cover\u2019s vibrant color" As per Material Design guide lines in dark mode colors should be desaturated - Most dominant color will be picked from the album or artist cover + Clicking on the notification will show now playing screen instead of the home screen Add extra controls for mini player Show extra Song information, such as file format, bitrate and frequency "Can cause playback issues on some devices." - Toggle genre tab Show or hide the home banner Can increase the album cover quality, but causes slower image loading times. Only enable this if you have problems with low resolution artworks Configure visibility and order of library categories. Use Retro Music\'s custom lockscreen controls License details for open source software - Round the app\'s edges - Toggle titles for the bottom navigation bar tabs Immersive mode Start playing immediately after headphones are connected Shuffle mode will turn off when playing a new list of songs @@ -327,75 +410,76 @@ Show album cover Album cover theme Album cover skip - Album grid Colored app shortcuts - Artist grid Reduce volume on focus loss Auto-download artist images Blacklist Bluetooth playback Blur album cover - Choose equalizer Classic notification design Adaptive color Colored notification Desaturated color + Show now playing screen Extra controls Song info Gapless playback App theme - Show genre tab Artist grid Banner Ignore Media Store covers Last added playlist interval Fullscreen controls - Colored navigation bar Now playing theme Open source licences - Corner edges Tab titles mode Carousel effect - Dominant color Fullscreen app - Tab titles Auto-play Shuffle mode Volume controls - User info - Primary color - The primary theme color, defaults to blue grey, for now works with dark colors + Pro Black theme, Now playing themes, Carousel effect and more.. + Profile + Purchase - *Think before buying, don\'t ask for refund. + Playing Queue + Rate the app Love this app? Let us know in the Google Play Store how we can make it even better + Recent albums Recent artists + Remove - Remove banner photo Remove cover Remove from blacklist - Remove profile photo Remove song from playlist %1$s from the playlist?]]> Remove songs from playlist %1$d songs from the playlist?]]> + Rename playlist + Report an issue Report bug + Reset Reset artist image + Restore + Restored previous purchase. Please restart the app to make use of all features. Restored previous purchases. + Restoring purchase… - Retro Music Equalizer + Retro Music Player Retro Music Pro + File delete failed: %s Can\'t get SAF URI @@ -408,37 +492,48 @@ Do not open any sub-folders Tap \'select\' button at the bottom of the screen File write failed: %s + Save Save as file Save as files + Saved playlist to %s. + Saving changes + Scan media + Scanned %1$d of %2$d files. + Scrobbles - Search your library… + Select all - Select banner photo + Selected - Send crash log + Set Set artist image - Set a profile photo + Share app Share to Stories + Shuffle + Simple + Sleep timer canceled. Sleep timer set for %d minutes from now. - Slide - Small album + Social Share story + Song Song duration + Songs + Sort order Ascending Album @@ -448,93 +543,91 @@ Date modified Year Descending + Sorry! Your device doesn\'t support speech input Search your library + Stack + Start playing music. + Suggestions - Just show your name on home screen + Support development + Swipe to unlock + Synced lyrics - System Equalizer + Telegram Join the Telegram group to discuss bugs, make suggestions, show off and more + Thank you! + The audio file + This month This week This year + Tiny + Tiny card + Title - Dashboard - Good afternoon - Good day - Good evening - Good morning - Good night - What\'s Your Name + Today + Top albums Top artists + "Track (2 for track 2 or 3004 for CD3 track 4)" Track number + Translate Help us translate the app to your language + + Try Retro Music Premium + Twitter Share your design with Retro Music + Unlabeled + Couldn\u2019t play this song. + Up next + Update image + Updating… + Username + Version + Vertical flip - Virtualizer + Volume + Web search + Welcome, + What do you want to share? + What\'s New + Window Rounded corners + Set %1$s as your ringtone. %1$d selected + Year + You have to select at least one category. You will be forwarded to the issue tracker website. + Your account data is only used for authentication. - Amount - Note(Optional) - Start payment - Show now playing screen - Clicking on the notification will show now playing screen instead of the home screen - Tiny card - About %s - Select language - Translators - The people who helped translate this app - Try Retro Music Premium - - Song - Songs - - - Album - Albums - - - %d Song - %d Songs - - - %d Album - %d Albums - - - %d Artist - %d Artists - diff --git a/app/src/main/res/values-ro-rRO/strings.xml b/app/src/main/res/values-ro-rRO/strings.xml index 6ac56419..e5b845d4 100644 --- a/app/src/main/res/values-ro-rRO/strings.xml +++ b/app/src/main/res/values-ro-rRO/strings.xml @@ -1,14 +1,16 @@ + About %s Team, social links + Culoare ton Culoarea de accent, implicit, se face verde. + Despre Adaugă la favorite Adaugă la coada de redare Adaugă la un playlist Curăță coada de redare - Șterge playlist Cycle repeat mode Șterge Șterge de pe dispozitiv @@ -46,19 +48,34 @@ Redactor info Toggle favorite Toggle shuffle mode + Adaptive + Adaugă - Add lyrics - Adaugă fotografie "Adaugă la playlist" - Add time frame lyrics + "Adăugat 1 titlu la coada de redare." Adăugate %1$d titluri la coada de redare + Album + + + Song + Songs + Songs + + Artistul albumului - Titlul ori numele artistului nu e completat + Albume + + Album + Albums + Albums + + Mereu + Hey! încearcă acest music player la adresa: https://play.google.com/store/apps/details?id=%s Amestecă Top cântece @@ -67,19 +84,25 @@ Classic Mic Text + Artist + Artiști + Folcalizarea audio a fost respinsă. Ajustați setările de sunet și comenzile egalizatorului + Auto - Base color theme - Bass Boost - Bio + Biografie + Negru + Lista neagră + Blur Blur Card + Unable to send report Invalid access token. Please contact the app developer. Issues are not enabled for the selected repository. Please contact the app developer. @@ -92,45 +115,56 @@ Please enter an issue title Please enter your valid GitHub username An unexpected error occurred. Sorry you found this bug, if it keeps crashing \"Clear app data\" or send an Email - Uploading report to GitHub… Send using GitHub account + Buy now + Anulează cronometrul curent + Card - Circular Colored Card Card - Carousel + Carousel effect on the now playing screen + Cascading - Cast + Modificări Lista de modificări păstrată din aplicația \"Telegram\" + Circle + Circular + Classic + Șterge - Clear app data Șterge \"Lista neagră\" Clear queue - Șterge playlist - %1$s? Aceast\u0103 ac\u021biune nu poate fi \u00eenapoiat\u0103!]]> - Close + Culoare - Culoare + Culori + Composer + Copied device info to clipboard. + Nu s-a putut crea playlist. "Nu s-a putut desc\u0103rca o copert\u0103 de album corespunz\u0103toare." Nu a putut fi restabilită achiziția. Nu s-au putut scana %d fișiere + Crează + S-a creat playlist-ul %1$s. + Members and contributors + Acum ascultați %1$s de %2$s. + Suriu - Nu există versuri + Șterge playlist %1$s?]]> Șterge playlist-uri @@ -139,42 +173,62 @@ Delete songs %1$d playlist-uri?]]> %1$d cântece?]]> + Au fost șterse %1$d cântece. - Deleting songs + Depth + Description + Device info + Allow Retro Music to modify audio settings Set ringtone + Doriți să ștergeți lista neagră? %1$s din lista neagră?]]> + Donează Dacă ești de părere că merit să fiu plătit pentru munca mea, poți să donezi aici. + Cumpăraţi-mi o(un) - Descarcă de pe Last.fm + Drive mode - Edit - Edit cover + Gol + Egalizator - Error + FAQ + Favorite + Finish last song + Fit + Uniform + Mape + Follow system + Pentru dvs. + Free + Plin Full card + Schimbați culorile generale ale aplicației Aspect + Gen muzical + Genuri + Fork the project on GitHub - Join the Google Plus community where you can ask for help or follow Retro Music updates + 1 2 3 @@ -184,16 +238,25 @@ 7 8 Grid style + Hinge + Istoric + Acasă + Horizontal flip + Image Gradient image Change artist image download settings + Au fost insertate %1$d cântece în playlist-ul %2$s. + Share your Retro Music setup to showcase on Instagram + Keyboard + Bitrate Format Numele fișierului @@ -202,31 +265,45 @@ More from %s Rata de eșantionare Lungime + Labeled + Adăugate recent Last song - Hai să ascultăm ceva - Biblioteca + Library categories + Licențe + Alb + Listeners + Listarea fișierelor + Se încarcă produsele... + Login + Versuri + Made with ❤️ in India + Material + Error Permission error + Numele Meu Top cântece redate + Niciodată - New banner photo + Playlist nou - New profile photo %s a fost setat ca noul registru principal. + Next Song + Niciun album Niciun artist "Mai întâi redă un cântec, apoi incearcă din nou." @@ -238,45 +315,59 @@ Nu s-a găsit nicio achiziție. Niciun rezultat Niciun cântec + Normal Normal lyrics - Normal + %s nu este litsat în magazinul media.]]> + Nimic de scanat. Nothing to see + Notificare Personalizează stil de notificare + Se redă Coada de redare Customize the now playing screen 9+ now playing themes + Doar pe Wi-Fi + Advanced testing features + Altele + Password + Ultimele 3 luni - Paste lyrics here + Peak + Accesul la stocarea externă este respinsă. + Permisiunile au fost respinse. + Personalizare Personalizează UI si pagina de redare + Alegeți din spațiul de stocare local - Pick image + Pinterest Follow Pinterest page for Retro Music design inspiration + Simplu + Notificarea de redare oferă acțiuni de redare / pauză etc. Notificarea de redare - Playlist gol + Playlist-ul este gol Numele playlist-ului + Playlist-uri - Album detail style + Amount of blur applied for blur themes, lower is faster Blur amount - Adjust the bottom sheet dialog corners - Dialog corner Filter songs by length Filter song duration Advanced @@ -293,9 +384,7 @@ Pause on zero Keep in mind that enabling this feature may affect battery life Keep the screen on - Click to open with or slide to without transparent navigation of now playing screen - Click or Slide - Snow fall effect + Select language Folosește coperta de album curentă ca imagine de fundal pe ecranul de blocare. Notificațiile, navigarea etc. The content of blacklisted folders is hidden from your library. @@ -305,21 +394,17 @@ Folosește designul classic de notificare. Culoarea fundalului și a butonului de control se schimbă în dependență de coperta albumului din ecranul de redare Colorează comenzile rapide în culoarea de accent. De fiecare dată cînd schimbați culoarea, comutați această opțiune pentru effect - Colorează bara de navigare în culoarea primară. "Coloreaz\u0103 notificarea dup\u0103 culoarea copertei de album." As per Material Design guide lines in dark mode colors should be desaturated - Cea mai dominantă culoare va fi selectată din coperta albumului sau a artistului. + Clicking on the notification will show now playing screen instead of the home screen Add extra controls for mini player Show extra Song information, such as file format, bitrate and frequency "Poate cauza probleme de redare pe unele dispozitive." - Toggle genre tab Show or hide the home banner Poate mări calitatea copertei de album, dar cauzează încărcarea mai lentă a imaginilor. Activați această opțiune doar dacă aveți probleme cu coperta de album cu rezoluție mică. Configure visibility and order of library categories. Comenzi pe ecranul de blocare pentru Retro music. Detalii privind licența pentru software open source - Colțuri rotunjite pentru ecran, coperta de album etc. - Activare/Dezactivare file cu titluri de jos Mod imersiv Începe redarea imediat ce sunt conectate căștile. Shuffle mode will turn off when playing a new list of songs @@ -327,75 +412,76 @@ Afișați coperta albumului Album cover theme Album cover skip - Album grid Comenzi rapide colorate - Artist grid Reduce volumul la pierderea focalizării Descărcați automat imagini ale artistului Blacklist Bluetooth playback Spălăcește coperta albumului - Choose equalizer Design classic de notificare Culoare adaptivă Notificare colorată Desaturated color + Show now playing screen Extra controls Song info Redare \"Gapless\" Temă - Show genre tab Artist grid Banner Ignoră copertele de pe Magazinul Media Ultimul interval de playlist adăugat Comenzi ecran complet - Bara de navigare colorată Aspect Licențe open source - Colțuri rotunjite Tab titles mode Efect de carusel - Culoarea dominantă Ecran complet - Titlurile categoriior Redare automată Shuffle mode Controale volum - Info utilizator - Culoarea de bază - Culoarea temei primare, implicită în gri albastru, pentru moment funcționează doar cu culori închise + Pro Black theme, Now playing themes, Carousel effect and more.. + Profile + Procurare - *Think before buying, don\'t ask for refund. + Coadă + Evaluaţi aplicaţia Dacă vă place această aplicație, anunțați-ne în magazinul Google Play pentru a oferi o experiență mai bună + Albume recente Artişti recenţi + Eliminare - Remove banner photo Eliminare copertă Eliminare din lista neagră - Remove profile photo Eliminați melodia din lista de redare %1$s din lista de redare?]]> Eliminare melodii din lista de redare %1$d melodii din lista de redare?]]> + Redenumiţi lista de redare + Report an issue Report bug + Reset Reseteţi imaginea artistului + Restabilire + A fost restaurată achiziția anterioară. Reporniți aplicația pentru a utiliza toate funcțiile. Au fost restabilite achizițiile anterioare. + Se restabilește achiziția... - Retro Egalizator + Retro Music Player Cumpărați RetroMusic Pro + File delete failed: %s Can\'t get SAF URI @@ -408,37 +494,48 @@ Do not open any sub-folders Tap \'select\' button at the bottom of the screen File write failed: %s + Save Salvare ca fişier Save as files + Salvaţi lista de redare în %s. + Salvare modificări + Scan media + Au fost scanate %1$d din %2$d fişiere. + Scrobbles - Căutare în bibliotecă... + Select all - Select banner photo + Selected - Send crash log + Set Setaţi imaginea artistului - Set a profile photo + Share app Share to Stories + Amestecare + Simplu + Temporizatorul a fost anulat. Temporizatorul este setat pentru %d minute de acum. - Slide - Small album + Social Share story + Melodie Durată + Melodii + ordinea de sortare Ascending Album @@ -448,98 +545,91 @@ Date modified Year Descending + Scuze! Dispozitivul tau nu suporta comenzi vocale Caută în colecția ta + Stack + Start playing music. + Suggestions - Numele tău va fi afișat pe ecranul de pornire + Susţineţi dezvoltarea + Swipe to unlock + Synced lyrics - System Equalizer + Telegram Join the Telegram group to discuss bugs, make suggestions, show off and more + Mulțumesc! + Fișier audio + Luna aceasta Săptămâna aceasta Anul acesta + Mic + Tiny card + Title - Tablou de bord - Bună ziua - O zi bună - Bună seara - Bună dimineaţa - Noapte bună - Numele dvs. + Astăzi + Albume de top Artişti de top + "Melodie (2 pentru melodia 2 sau 3004 pentru CD3 melodia 4)" Numărul piesei + Traducere Help us translate the app to your language + + Try Retro Music Premium + Twitter Share your design with Retro Music + Unlabeled + Nu s-a putut reda aceast\u0103 melodie. + Urmează + Actualizare imagine + Se actualizează... + Username + Versiune + Vertical flip - Virtualizer + Volume + Căutare pe internet + Welcome, + Ce doriți să expediați? + What\'s New + Fereastră Rounded corners + Setează %1$s ca ton de apel %1$d selectat + Anul + You have to select at least one category. You will be forwarded to the issue tracker website. + Your account data is only used for authentication. - Amount - Note(Optional) - Start payment - Show now playing screen - Clicking on the notification will show now playing screen instead of the home screen - Tiny card - About %s - Select language - Translators - The people who helped translate this app - Try Retro Music Premium - - Song - Songs - Songs - - - Album - Albums - Albums - - - %d Song - %d Songs - %d Songs - - - %d Album - %d Albums - %d Albums - - - %d Artist - %d Artists - %d Artists - diff --git a/app/src/main/res/values-ru-rRU/strings.xml b/app/src/main/res/values-ru-rRU/strings.xml index dd0fd6c6..bdfc8e5f 100644 --- a/app/src/main/res/values-ru-rRU/strings.xml +++ b/app/src/main/res/values-ru-rRU/strings.xml @@ -1,112 +1,82 @@ + Об альбоме %s Команда, ссылки на соц. сети Основной цвет Основной цвет, по умолчанию фиолетовый О программe - Добавить в избранное Добавить в очередь воспроизведения Добавить в плейлист - - Очистить очередь воспроизведения - Очистить плейлист - + Очистить очередь воспроизведения Режим циклического повтора - Удалить Удалить с устройства - Подробности - Перейти к альбому Перейти к исполнителю Перейти к жанру В начало - Разрешить - Размер сетки Размер сетки (по горизонтали) - Новый плейлист - Далее - Играть Воспроизвести всё Играть далее Воспроизведение/Пауза - Предыдуший - Удалить из избранного Удалить из очереди воспроизведения Удалить из плейлиста - Переименовать - Сохранить очередь воспроизведения - Сканировать - Поиск - Запустить Задать в качества рингтона Установить как стартовый каталог - Настройки - Поделиться - Перемешать всё Перемешать плейлист - Таймер сна - Порядок сортировки - - Только альбомы исполнителей - Редактор тегов - Показать избранное Включить перемешивающий режим Адаптированная Добавить - - Добавить тест песни - - Добавить \nфото - "Добавить в плейлист" - Довавить текст песни - "В очередь добавлен 1 трек" - В очередь добавлено %1$d треков. Альбом + + Песня + Песни + + Исполнитель альбома - Трек или альбом отсутствуют. - Альбомы + + Альбом + Альбомы + Всегда Эй, попробуй этот крутой музыкальный плеер на Android: https://play.google.com/store/apps/details?id=%s - Перемешать Лучшие треки - Полное изображение Компактный Классический @@ -118,17 +88,10 @@ Исполнители Фокус на аудио отключен. - Измените настройки звука и отрегулируйте настройки эквалайзера Авто - Основная цветовая тема - - Усиление басов - - Биография - Биография Чёрная @@ -136,7 +99,6 @@ Черный список Размытие - Карточка с размытием Невозможно отправить отчет @@ -151,7 +113,6 @@ Пожалуйста, введите название отчета о проблеме Пожалуйста, введите корректно ваше имя пользователя GitHub Произошла непредвиденная ошибка. Извините, если это продолжится то \"Очистите данные приложения\" или отправьте сообщение на электронную почту - Загрузка отчета на GitHub… Отправить с помощью учетной записи GitHub Купить сейчас @@ -159,25 +120,15 @@ Отменить Карточка - - Круговой - Цветная карточка - - Карточка - Квадратная Карточка - - Карусель + Карточка Эффект карусели на экране воспроизведения Каскадный - Транслировать - - Список изменений - + Список изменений Список изменений находится на канале Telegram Круг @@ -187,22 +138,11 @@ Классическая Очистить - - Очистить данные приложения - Очистить черный список - Очистить очередь - Очистить плейлист - %1$s? Это действие отменить невозможно!]]> - - Закрыть - Цветная - Цвет - Цвета Композитор @@ -224,23 +164,16 @@ Тёмная - Нет текста песни - Удалить плейлист %1$s?]]> - Удалить плейлисты - Удалить песню %1$s?]]> - Удалить песни - %1$d плейлистов?]]> %1$d песен?]]> - Удалено %1$d песен. - Удаление песен + Удалено %1$d песен. Глубина @@ -249,32 +182,24 @@ Информация об устройстве Разрешить Retro Music изменять настройки звука - Выбрать рингтон Вы хотите очистить черный список? %1$s из черного списка?]]> Пожертвовать - Если вы считаете, что я заслуживаю награды за свой труд, можете отправить мне несколько рублей здесь Купить мне: - Загрузить с Last.fm + Готов Режим вождения - Редактировать - - Изменить обложку - Пусто Эквалайзер - Ошибка - ЧаВО Избранное @@ -294,7 +219,6 @@ Доступно Заполнение - Заполненная карточка Измените тему и цвет в приложении @@ -306,7 +230,7 @@ Развивайте проект на GitHub - Присоединяйтесь к сообществу GooglePlus, где вы можете попросить о помощи или следить за обновлениями Retro Music + Градиент 1 2 @@ -316,9 +240,10 @@ 6 7 8 - Стиль сетки + Нужна ещё помощь? + Пластинки История @@ -328,11 +253,13 @@ Горизонтальный поворот Изображение - Градиентное изображение - Изменение настроек загрузки изображения артиста + Импорт + Импорт плейлиста + Импортирует все плейлисты, перечисленные в Android Media Store с песнями, если плейлисты уже существуют, песни будут объединены. + В плейлист %2$s внесено %1$d песен. Instagram @@ -341,28 +268,19 @@ Клавиатура Битрейт - Формат Имя файла Расположение файла Размер - Больше от %s - Частота дискретизации - Длина Показывать всегда Последние добавленные - Последняя песня - Давайте послушаем немного музыки - - Библиотека - Разделы библиотеки Лицензии @@ -384,60 +302,40 @@ Material Ошибка - Ошибка разрешения Моё имя - Любимые треки Никогда - Новое фото баннера - Новый плейлист - - Новое фото профиля - %s новая стартовая директория. Следующая песня Альбомы отсутствуют - - Исполнители отсутствую - + Исполнители отсутствуют "Сначала проиграйте песню, затем попробуйте заново." - Эквалайзер не найден - Жанры отсутствуют - Текст отсутствует - Нет проигрываемых песен - Плейлисты отсутствуют - Покупки отсутствуют. - Нет результатов - Нет песен Обычная - Обычный текст - Обычный - %s не найден в хранилище медиа.]]> + Сейчас не проигрывается Нет файлов для сканирования. Нет файлов для сканирования Уведомления - Настроить стиль уведомлений Экран воспроизведения @@ -455,22 +353,19 @@ Последние 3 месяца - Вставьте тест песни сюда - Панель снизу Разрешение для доступа у внешнему хранилищу не получено. + Приложению требуется разрешение на доступ к внутренней памяти вашего устройства для воспроизведения музыки. + Доступ к внутренней памяти Разрешения не получены. Персонализация - Настройте управление экрана воспроизведения и интерфейс управления музыкой Выбрать из хранилища - Выбрать изображение - Pinterest Подпишитесь на страницу Retro Music в Pinterest @@ -479,25 +374,15 @@ Уведомление о песне предоставляет действия для воспроизведения/паузы и т.д. Уведомления воспроизведения - Пустой плейлист - Плейлист пуст - Название плейлиста Плейлисты - Стиль деталей альбома - Степень размытия в соответствующих темах; чем ниже, тем быстрее работает устройство Степень размытия - - Регулировка углов нижней панели - Диалоговое окно - Фильтровать песни по длине Фильтровать песни по длительности - Расширенные настройки Стиль альбома Звук @@ -508,19 +393,13 @@ Библиотека Экран блокировки Плейлисты - Ставит музыку на паузу при уменьшении громкости до нуля и играет после увеличения громкости. Предупреждение, когда вы увеличиваете громкость не в приложении, то Retro Music также начнёт воспроизведение Пауза при нулевой громкости Имейте в виду, что включение этой функции может повлиять на заряд батареи Оставить экран включенным - - Нажмите, чтобы открыть экран воспроизведения с прозрачной навигации или проведите чтобы открыть без прозрачной навигации - Нажмите или Проведите - - Эффект снегопада - + Выберите язык + Использовать обложку альбома текущей песни в качестве обоев на экране блокировки. Только альбомы исполнителей - Использовать обложку альбома текущей песни в качестве обоев на экране блокировки. Снизить громкость воспроизведения когда приходит звуковое уведомление Содержимое черного списка скрыто из вашей библиотеки. Начать воспроизведение сразу же после подключения Bluetooth-устройства @@ -529,116 +408,83 @@ Использовать классический дизайн уведомлений. Цвет кнопок фона и кнопок управления изменяется в соответствии с обложкой альбома с экрана воспроизведения Окрашивает ярлыки в основной цвет. Каждый раз, когда вы меняете цвет, вкл-выкл эту настройку, чтобы изменение вступило в силу - Окрашивает панель навигации в главный цвет "Окрашивает уведомление в доминирубщий цвет обложки альбома" Согласно Material Design в темном режиме цвета должны быть немного обесцвечены - Наиболее доминирующий цвет будет выбран из обложки альбома или исполнителя + Нажатие на уведомление будет показывать экран воспроизведения вместо домашнего экрана Добавить дополнительные элементы управления для мини-плеера Показать дополнительную информацию о песне, такую как формат файла, битрейт и частота "Может вызвать проблемы с воспроизведением на некоторых устройствах." - Включить вкладку жанр Показывать кнопку Домой Может повысить качество обложки альбома, но привести к более медленной загрузки изображения. Включите это только в том случае, если у вас есть картинки с низким разрешением Настроить вид и порядок категорий в библиотеке. Используйте собственный экран блокировки Retro Music Сведения о лицензии для программного обеспечения с открытым исходным кодом - Закруглить углы в приложении - Включить заголовки для вкладок нижней панели навигации Полноэкранный режим Начать воспроизведение музыки сразу после подключения наушников Режим перемешивания выключится при проигрывании нового списка песен Если доступно достаточно места, показывать регулировку громкости на экране воспроизведения - + Показать обложку альбома Показывать обложку альбома в разделе исполнители - Показать обложку альбома Тема обложки альбома Стиль смены обложки альбома - Сетка альбомов Цветные ярлыки - Сетка исполнителей Уменьшить громкость при получении уведомлении Автозагрузка изображений исполнителя Черный список Воспроизведение при подключении Bluetooth Размытие обложки альбома - Выбрать эквалайзер Классический дизайн уведомлений Адаптированный цвет Цветное уведомление Немного обесцвеченный цвет + Показать экран воспроизведения Дополнительные элементы управления Информация о песне Непрерывное воспроизведение Тема приложения - Показать вкладку жанра - Сетка исполнителя на Главной странице Сетка альбома на Главной странице - Кнопка Домой + Кнопка Домой Игнорировать обложки из хранилища Дата последнего добавления плейлиста Полноэкранное управление - Цветная панель навигации Тема экрана воспроизведения Лицензии с открытым кодом - Круглые углы Название нижних кнопок Эффект карусели - Доминирующий цвет Полноэкранное приложение - Заголовки Автовоспроизведение Режим перемешивания Регулировка громкости - Информация о пользователе - - Основной цвет - Основной цвет темы, по умолчанию - серо-синий, теперь работает с темными цветами Pro - Черная тема, Темы экрана воспроизведения, Эффект карусели и многое другое.. Профиль Купить - *Подумайте, прежде чем покупать, не просите возврата. - Очередь Оценить приложение - Понравилось это приложение? Напишите нам в Google Play Store о том, как мы можем сделать его еще лучше Последние альбомы - Последние исполнители Удалить - - Удалить фотографию баннера - Удалить обложку - Удалить из черного списка - - Удалить фотографию профиля - Удалить песню из плейлиста %1$s из плейлиста?]]> - Удалить песни из плейлиста - Переименовать плейлист Сообщить об ошибке - Сообщить об ошибке Сбросить - Сбросить изображение исполнителя Восстановить @@ -648,16 +494,15 @@ Восстановление покупки ... - Эквалайзер Retro Music - Retro Music Player Retro Music Pro - Ошибка при удалении файла: %s + Приложению требуется разрешение на доступ к настройкам вашего устройства, чтобы установить музыку в качестве рингтона. + Рингтон + Ошибка при удалении файла: %s Не удается получить SAF URI - Открыть навигационное меню Включите «Показать SD-карту» в всплывающем меню @@ -666,15 +511,12 @@ Выберите SD-карту в меню навигации Не открывайте никакие подпапки Нажмите кнопку «выбрать» в нижней части экрана - Ошибка при записи файла: %s Сохранить - Сохранить как... - Сохранить как... Сохраненный список воспроизведения в %s. @@ -687,24 +529,15 @@ Скробблинг - Найдите свою библиотеку ... - Выбрать все - Выбрать фото баннера - Выбранная кнопка - Отправить лог ошибки - Установить - Установить изображение исполнителя - Выбрать фото профиля - Поделиться приложением - + Поделитесь приложением со своими друзьями и родственниками Поделиться в Историях Перемешать @@ -714,16 +547,10 @@ Таймер отключения отменен. Таймер сна установлен на %d минут. - Провести - - Маленький альбом - Социальный - Поделиться историей Песня - Длительность песни Песни @@ -735,11 +562,12 @@ Композитор Дата Дата изменения + Колличество песен + Количество композиций по убыванию Год По убыванию Извините! Ваше устройство не поддерживает ввод с помощью речи - Поиск в вашей библиотеке Стэк @@ -748,16 +576,12 @@ Предложения - Просто покажите свое имя на главном экране - Поддержать разработку Проведите, чтобы разблокировать Синхронизируемый текст - Системный эквалайзер - Telegram Присоединяйтесь к группе Telegram, чтобы обсуждать ошибки, предлагать улучшения, хвастаться и т.д. @@ -767,39 +591,27 @@ Аудиофайл Этот месяц - Это неделя - Этот год Маленькая + Крошечная карточка Название - Панель приборов - - Добрый день - Добрый день - Добрый вечер - Доброе утро - Доброй ночи - - Как тебя зовут - Сегодня Топ альбомов - Топ исполнителей "Трек (2 для трека 2 или 3004 для CD3 трека 4)" - Номер трека Переведите - Помогите нам перевести приложение на ваш язык + Попробуйте Retro Music Premium + Твиттер Поделитесь своим дизайном Retro Music @@ -813,14 +625,14 @@ Обновляется… + Имя Пользователя + Имя пользователя Версия Вертикальный поворт - Виртуализация - Громкость Поиск в интернете @@ -832,68 +644,16 @@ Что нового : Окно - Закругленные углы Установите %1$s в качестве мелодии звонка. - Выбрано %1$d Год Выберите хотя бы одну категорию. - Вы будете перенаправлены на сайт системы отслеживания ошибок. Данные вашей учетной записи используются только для аутентификации. - Количество - Примечание (необязательно) - Начать оплату - Показать экран воспроизведения - Нажатие на уведомление будет показывать экран воспроизведения вместо домашнего экрана - Крошечная карточка - Об альбоме %s - Выберите язык - Переводчики - Люди которые помогали переводить это приложение - Попробуйте Retro Music Premium - Поделитесь приложением со своими друзьями и родственниками - Нужна ещё помощь? - Градиент - Имя Пользователя - Сейчас не проигрывается - Последние 7 дней - - - Песня - Песни - - - Альбом - Альбомы - - - %d Песня - %d Песен - - - %d Альбом - %d Альбомов - - - %d Исполнитель - %d исполнителей - - Готов - Импорт плейлиста - Импортирует все плейлисты, перечисленные в Android Media Store с песнями, если плейлисты уже существуют, песни будут объединены. - Импорт - Колличество песен - По возрастанию - Количество композиций по убыванию - Приложению требуется разрешение на доступ к внутренней памяти вашего устройства для воспроизведения музыки. - Доступ к внутренней памяти - Рингтон - Приложению требуется разрешение на доступ к настройкам вашего устройства, чтобы установить музыку в качестве рингтона. diff --git a/app/src/main/res/values-sk-rSK/strings.xml b/app/src/main/res/values-sk-rSK/strings.xml index e14f5f04..89c7743f 100644 --- a/app/src/main/res/values-sk-rSK/strings.xml +++ b/app/src/main/res/values-sk-rSK/strings.xml @@ -1,14 +1,16 @@ + About %s Team, social links + Accent color The theme accent color, defaults to purple + About Add to favorites Add to playing queue Add to playlist Clear playing queue - Clear playlist Cycle repeat mode Delete Delete from device @@ -46,19 +48,36 @@ Tag editor Toggle favorite Toggle shuffle mode + Adaptive + Add - Add lyrics - Add \nphoto "Add to playlist" - Add time frame lyrics + "Added 1 title to the playing queue." Added %1$d titles to the playing queue. + Album + + + Song + Songs + Songs + Songs + + Album artist - The title or artist is empty. + Albums + + Album + Albums + Albums + Albums + + Always + Hey check out this cool music player at: https://play.google.com/store/apps/details?id=%s Shuffle Top Tracks @@ -67,19 +86,25 @@ Classic Small Text + Artist + Artists + Audio focus denied. Change the sound settings and adjust the equalizer controls + Auto - Base color theme - Bass Boost - Bio + Biography + Just Black + Blacklist + Blur Blur Card + Unable to send report Invalid access token. Please contact the app developer. Issues are not enabled for the selected repository. Please contact the app developer. @@ -92,45 +117,56 @@ Please enter an issue title Please enter your valid GitHub username An unexpected error occurred. Sorry you found this bug, if it keeps crashing \"Clear app data\" or send an Email - Uploading report to GitHub… Send using GitHub account + Buy now + Cancel + Card - Circular Colored Card Card - Carousel + Carousel effect on the now playing screen + Cascading - Cast + Changelog Changelog maintained on the Telegram channel + Circle + Circular + Classic + Clear - Clear app data Clear blacklist Clear queue - Clear playlist - %1$s? This can\u2019t be undone!]]> - Close + Color - Color + Colors + Composer + Copied device info to clipboard. + Couldn\u2019t create playlist. "Couldn\u2019t download a matching album cover." Could not restore purchase. Could not scan %d files. + Create + Created playlist %1$s. + Members and contributors + Currently listening to %1$s by %2$s. + Kinda Dark - No Lyrics + Delete playlist %1$s?]]> Delete playlists @@ -139,42 +175,62 @@ Delete songs %1$d playlists?]]> %1$d songs?]]> + Deleted %1$d songs. - Deleting songs + Depth + Description + Device info + Allow Retro Music to modify audio settings Set ringtone + Do you want to clear the blacklist? %1$s from the blacklist?]]> + Donate If you think I deserve to get paid for my work, you can leave some money here + Buy me a: - Download from Last.fm + Drive mode - Edit - Edit cover + Empty + Equalizer - Error + FAQ + Favorites + Finish last song + Fit + Flat + Folders + Follow system + For you + Free + Full Full card + Change the theme and colors of the app Look and feel + Genre + Genres + Fork the project on GitHub - Join the Google Plus community where you can ask for help or follow Retro Music updates + 1 2 3 @@ -184,16 +240,25 @@ 7 8 Grid style + Hinge + History + Home + Horizontal flip + Image Gradient image Change artist image download settings + Inserted %1$d songs into the playlist %2$s. + Share your Retro Music setup to showcase on Instagram + Keyboard + Bitrate Format File name @@ -202,31 +267,45 @@ More from %s Sampling rate Length + Labeled + Last added Last song - Let\'s play some music - Library + Library categories + Licenses + Clearly White + Listeners + Listing files + Loading products… + Login + Lyrics + Made with ❤️ in India + Material + Error Permission error + Name Most played + Never - New banner photo + New playlist - New profile photo %s is the new start directory. + Next Song + You have no albums You have no artists "Play a song first, then try again." @@ -238,45 +317,59 @@ No purchase found. No results You have no songs + Normal Normal lyrics - Normal + %s is not listed in the media store.]]> + Nothing to scan. Nothing to see + Notification Customize the notification style + Now playing Now playing queue Customize the now playing screen 9+ now playing themes + Only on Wi-Fi + Advanced testing features + Other + Password + Past 3 months - Paste lyrics here + Peak + Permission to access external storage denied. + Permissions denied. + Personalize Customize your now playing and UI controls + Pick from local storage - Pick image + Pinterest Follow Pinterest page for Retro Music design inspiration + Plain + The playing notification provides actions for play/pause etc. Playing notification - Empty playlist + Playlist is empty Playlist name + Playlists - Album detail style + Amount of blur applied for blur themes, lower is faster Blur amount - Adjust the bottom sheet dialog corners - Dialog corner Filter songs by length Filter song duration Advanced @@ -293,9 +386,7 @@ Pause on zero Keep in mind that enabling this feature may affect battery life Keep the screen on - Click to open with or slide to without transparent navigation of now playing screen - Click or Slide - Snow fall effect + Select language Use the currently playing song album cover as the lockscreen wallpaper Lower the volume when a system sound is played or a notification is received The content of blacklisted folders is hidden from your library. @@ -305,21 +396,17 @@ Use the classic notification design The background and control button colors change according to the album art from the now playing screen Colors the app shortcuts in the accent color. Every time you change the color please toggle this to take effect - Colors the navigation bar in the primary color "Colors the notification in the album cover\u2019s vibrant color" As per Material Design guide lines in dark mode colors should be desaturated - Most dominant color will be picked from the album or artist cover + Clicking on the notification will show now playing screen instead of the home screen Add extra controls for mini player Show extra Song information, such as file format, bitrate and frequency "Can cause playback issues on some devices." - Toggle genre tab Show or hide the home banner Can increase the album cover quality, but causes slower image loading times. Only enable this if you have problems with low resolution artworks Configure visibility and order of library categories. Use Retro Music\'s custom lockscreen controls License details for open source software - Round the app\'s edges - Toggle titles for the bottom navigation bar tabs Immersive mode Start playing immediately after headphones are connected Shuffle mode will turn off when playing a new list of songs @@ -327,75 +414,76 @@ Show album cover Album cover theme Album cover skip - Album grid Colored app shortcuts - Artist grid Reduce volume on focus loss Auto-download artist images Blacklist Bluetooth playback Blur album cover - Choose equalizer Classic notification design Adaptive color Colored notification Desaturated color + Show now playing screen Extra controls Song info Gapless playback App theme - Show genre tab Artist grid Banner Ignore Media Store covers Last added playlist interval Fullscreen controls - Colored navigation bar Now playing theme Open source licences - Corner edges Tab titles mode Carousel effect - Dominant color Fullscreen app - Tab titles Auto-play Shuffle mode Volume controls - User info - Primary color - The primary theme color, defaults to blue grey, for now works with dark colors + Pro Black theme, Now playing themes, Carousel effect and more.. + Profile + Purchase - *Think before buying, don\'t ask for refund. + Playing Queue + Rate the app Love this app? Let us know in the Google Play Store how we can make it even better + Recent albums Recent artists + Remove - Remove banner photo Remove cover Remove from blacklist - Remove profile photo Remove song from playlist %1$s from the playlist?]]> Remove songs from playlist %1$d songs from the playlist?]]> + Rename playlist + Report an issue Report bug + Reset Reset artist image + Restore + Restored previous purchase. Please restart the app to make use of all features. Restored previous purchases. + Restoring purchase… - Retro Music Equalizer + Retro Music Player Retro Music Pro + File delete failed: %s Can\'t get SAF URI @@ -408,37 +496,48 @@ Do not open any sub-folders Tap \'select\' button at the bottom of the screen File write failed: %s + Save Save as file Save as files + Saved playlist to %s. + Saving changes + Scan media + Scanned %1$d of %2$d files. + Scrobbles - Search your library… + Select all - Select banner photo + Selected - Send crash log + Set Set artist image - Set a profile photo + Share app Share to Stories + Shuffle + Simple + Sleep timer canceled. Sleep timer set for %d minutes from now. - Slide - Small album + Social Share story + Song Song duration + Songs + Sort order Ascending Album @@ -448,103 +547,91 @@ Date modified Year Descending + Sorry! Your device doesn\'t support speech input Search your library + Stack + Start playing music. + Suggestions - Just show your name on home screen + Support development + Swipe to unlock + Synced lyrics - System Equalizer + Telegram Join the Telegram group to discuss bugs, make suggestions, show off and more + Thank you! + The audio file + This month This week This year + Tiny + Tiny card + Title - Dashboard - Good afternoon - Good day - Good evening - Good morning - Good night - What\'s Your Name + Today + Top albums Top artists + "Track (2 for track 2 or 3004 for CD3 track 4)" Track number + Translate Help us translate the app to your language + + Try Retro Music Premium + Twitter Share your design with Retro Music + Unlabeled + Couldn\u2019t play this song. + Up next + Update image + Updating… + Username + Version + Vertical flip - Virtualizer + Volume + Web search + Welcome, + What do you want to share? + What\'s New + Window Rounded corners + Set %1$s as your ringtone. %1$d selected + Year + You have to select at least one category. You will be forwarded to the issue tracker website. + Your account data is only used for authentication. - Amount - Note(Optional) - Start payment - Show now playing screen - Clicking on the notification will show now playing screen instead of the home screen - Tiny card - About %s - Select language - Translators - The people who helped translate this app - Try Retro Music Premium - - Song - Songs - Songs - Songs - - - Album - Albums - Albums - Albums - - - %d Song - %d Songs - %d Songs - %d Songs - - - %d Album - %d Albums - %d Albums - %d Albums - - - %d Artist - %d Artists - %d Artists - %d Artists - diff --git a/app/src/main/res/values-sr-rSP/strings.xml b/app/src/main/res/values-sr-rSP/strings.xml index 3fb8f47e..a8762052 100644 --- a/app/src/main/res/values-sr-rSP/strings.xml +++ b/app/src/main/res/values-sr-rSP/strings.xml @@ -1,14 +1,16 @@ + About %s Team, social links + Boja detalja Boja plejera, uobičajena je zelena + O programerima Dodaj u omiljene Dodaj u listu za pustanje Dodaj na plejlistu Izbrisi trenutnu plejlistu za pustanje - Izbrisi plejlistu Cycle repeat mode Obrisi Izbrisi sa uredjaja @@ -46,19 +48,34 @@ Uredjivac tagova Toggle favorite Toggle shuffle mode + Adaptive + Dodaj - Add lyrics - Dodaj sliku "Dodaj na plejlistu" - Add time frame lyrics + "Dodata je 1 pesma na plejlistu" Dodato %1$d pesama na plejlistu + Album + + + Song + Songs + Songs + + Izvodjac albuma - Naziv ili izvodjac su nepoznati + Albumi + + Album + Albums + Albums + + Uvek + Isprobaj ovaj fantastican plejer na: https://play.google.com/store/apps/details?id=%s Reprodukuj nasumicno Najvise slusano @@ -67,19 +84,25 @@ Classic Small Text + Izvodjac + Izvodjac + Zvuk se vec reprodukuje Change the sound settings and adjust the equalizer controls + Auto - Base color theme - Bass Boost - Bio + Biografija + Perfektno crna + Ne trazi muziku u... + Blur Blur Card + Unable to send report Invalid access token. Please contact the app developer. Issues are not enabled for the selected repository. Please contact the app developer. @@ -92,45 +115,56 @@ Please enter an issue title Please enter your valid GitHub username An unexpected error occurred. Sorry you found this bug, if it keeps crashing \"Clear app data\" or send an Email - Uploading report to GitHub… Send using GitHub account + Buy now + Otkazi trenutni tajmer + Card - Circular Colored Card Card - Carousel + Carousel effect on the now playing screen + Cascading - Cast + Izmene Izmene odobrene za Telegram aplikacije + Circle + Circular + Classic + Ocisti - Clear app data Ocisti listu za ignorisanje foldera Clear queue - Ocisti plejlistu - %1$s? Izmene se nece moci opozvati!]]> - Close + Color - Color + Boje + Composer + Copied device info to clipboard. + Nemoguce je napraviti plejlistu "Nemoguce je preuzeti odgovarajucu pozadinu albuma" Could not restore purchase. Nije moguce skenirati %d fajlove + Napravi + Plejlista %1$s je napravljena + Members and contributors + Trenutno se reprodukuje %1$s izvodjaca %2$s + Kao tamno - Nema pronadjenih tekstova + Izbrisi plejlistu %1$s plejlistu?]]> Izbrisi plejlistu @@ -139,42 +173,62 @@ Delete songs %1$d plejliste?]]> %1$d numere?]]> + Izbrisi %1$d numere. - Deleting songs + Depth + Description + Device info + Allow Retro Music to modify audio settings Set ringtone + Da li zelite da ispraznite listu za ignorisanje foldera? %1$s sa liste za ignorisanje foldera?]]> + Doniraj Ako mislis da zasluzujem da budem placen za ovaj posao, mozes mi poslati par dolara + Kupi mi - Preuzmi sa Last.fm + Drive mode - Edit - Edit cover + Nema pesama + Ekvilajzer - Error + FAQ + Favoriti + Finish last song + Fit + Ravno + Folderi + Follow system + Za tebe + Free + Ispunjen Full card + Change the theme and colors of the app Look and feel + Zanr + Genres + Fork the project on GitHub - Join the Google Plus community where you can ask for help or follow Retro Music updates + 1 2 3 @@ -184,16 +238,25 @@ 7 8 Grid style + Hinge + Istorija reprodukovanja + Pocetak + Horizontal flip + Image Gradient image Change artist image download settings + Ubaceno %1$d pesama u plejlistu %2$s. + Share your Retro Music setup to showcase on Instagram + Keyboard + Bitrate Formatiraj Naziv datoteke @@ -202,31 +265,45 @@ More from %s Brzina uzorkovanja Duzina trajanja + Labeled + Poslednje dodato Last song - Slusajmo nesto! - Pretrazi + Library categories + Licence + Perfektno bela + Listeners + Pronalazenje pesama + Ucitavanje datoteka... + Login + Tekst pesme + Made with ❤️ in India + Material + Error Permission error + Moje ime je Najslusanije numere + Nikada - New banner photo + Nova plejlista - New profile photo %s je novi pocetni direktorijum. + Next Song + Nema albuma Nema izvodjaca "Prvo pusti pesmu, a onda pokusaj opet" @@ -238,45 +315,59 @@ No purchase found. Nema rezultata Nema pesama + Normalno Normal lyrics - Normal + %s nije pronadjen u prodavnici pesama]]> + Nema se sta skenirati Nothing to see + Obavestenja Customize the notification style + Now playing Lista za trenutno pustanje Customize the now playing screen 9+ now playing themes + Samo kada je povezan na WiFi + Advanced testing features + Other + Password + Prosla 3 meseca - Paste lyrics here + Peak + Dozvola za pristup spoljasnjem skladistu je odbijena + Dozvola odbijena. + Personalize Customize your now playing and UI controls + Izaberi iz unutrasnjeg skladista - Pick image + Pinterest Follow Pinterest page for Retro Music design inspiration + Jednostavan + Obavestenja obezbedjuju komande za pustanje/pauziranje itd. Obavestenja o reprodukciji - Isprazni plejlistu + Plejlista je prazna Ime plejliste + Plejliste - Album detail style + Amount of blur applied for blur themes, lower is faster Blur amount - Adjust the bottom sheet dialog corners - Dialog corner Filter songs by length Filter song duration Advanced @@ -293,9 +384,7 @@ Pause on zero Keep in mind that enabling this feature may affect battery life Keep the screen on - Click to open with or slide to without transparent navigation of now playing screen - Click or Slide - Snow fall effect + Select language Koristi omot albuma kao pozadinu kada se reprodukuje muzika Obavestenja, navigacija itd. The content of blacklisted folders is hidden from your library. @@ -305,21 +394,17 @@ Koristi klasicni stil obavestenja Pozadina i pusti/pauziraj dugme menjaju boju u zavisnosti od boje omota albuma Oboj precice aplikacije u akcentovanu boju. Svaki puta kada promenis boju molim te omoguci ovo opet kako bi imalo efekta - Oboj navigacijski bar u primarnu boju "Oboj obavestenja u boju omota albuma" As per Material Design guide lines in dark mode colors should be desaturated - Most dominant color will be picked from the album or artist cover + Clicking on the notification will show now playing screen instead of the home screen Add extra controls for mini player Show extra Song information, such as file format, bitrate and frequency "Moze prouzrokovati probleme na pojedinim uredjajima." - Toggle genre tab Show or hide the home banner oze poboljsati kvalitet omota albuma ali uzrokuje njegovo sporije ucitavanje. Omoguci ovo samo ukoliko imas problema sa losim kvalitetom slike omota albuma. Configure visibility and order of library categories. Prikazuj kontrole na zakljucanom ekranu Detalji o licencama za softver otvorenog izvora - Zaobl ivice ekrana, omota albuma itd. - Omoguci/ iskljuci nazive kartica Omoguci ovo za impresivan mod. Kada se prikljuce slusalice automatki pusti pesme Shuffle mode will turn off when playing a new list of songs @@ -327,75 +412,76 @@ Prikazi omot albuma Album cover theme Album cover skip - Album grid Obojene ikone aplikacije - Artist grid Utisaj zvuk prilikom poziva i drugih obavestenja. Automatski preuzmi sliku izvodjaca Blacklist Bluetooth playback Zamuti omot albuma - Choose equalizer Klasican stil obavestenja Prilagodive boje Obojena obavestenja Desaturated color + Show now playing screen Extra controls Song info Neuznemiravano reprodukovanje Opsta tema - Show genre tab Artist grid Banner Ignorisi omote sa prodavnice Interval plejliste poslednje dodato Kontrole preko celog ekrana - Obojeni navigacioni bar Izgled Otvoren izvor licenca - Zaobli ivice Tab titles mode Carousel effect - Dominant color Aplikacija preko celog ekrana - Nazivi kartica Automatsko reprodukovanje Shuffle mode Kontroler jacine zvuka - Podaci o korisniku - Primarna boja - Primarna boja, podrazumevna je bela + Pro Black theme, Now playing themes, Carousel effect and more.. + Profile + Purchase - *Think before buying, don\'t ask for refund. + Trenutno + Oceni aplikaciju Volis ovu aplikaciju? Obavesti nas u Google Play Prodavnici + Recent albums Recent artists + Izbrisi - Remove banner photo Izbrisi omot albuma Izbrisi sa liste za ignorisanje foldera - Remove profile photo Izbrisi pesmu sa plejliste %1$s sa plejliste?]]> Izbrisi pesme sa plejliste %1$d pesama sa plejliste?]]> + Promeni ime plejliste + Report an issue Report bug + Reset Resetuj sliku izvodjaca + Restore + Restored previous purchase. Please restart the app to make use of all features. Obnovljene su prethodne kupovine + Restoring purchase… - Retro ekvalajzer + Retro Music Player Retro Music Pro + File delete failed: %s Can\'t get SAF URI @@ -408,37 +494,48 @@ Do not open any sub-folders Tap \'select\' button at the bottom of the screen File write failed: %s + Save Sacuvaj kao fajl Save as files + Plej lista sacuvana u %s. + Cuvanje izmena + Scan media + Skenirano %1$d od %2$d fajlova + Scrobbles - Pretrazi svoju biblioteku... + Select all - Select banner photo + Selected - Send crash log + Set Postavi sliku izvodjaca - Set a profile photo + Share app Share to Stories + Nasumicno pusti + Jednostavan + Tajmer za iskljucivanje je otkazan Tajmer za iskljucivanje je podesen za %d od sad. - Slide - Small album + Social Share story + Pesma Trajanje pesme + Pesme + Nacin sortiranja Ascending Album @@ -448,98 +545,91 @@ Date modified Year Descending + Izvini! Tvoj uredjaj ne podrzava unos govorom Pretrazi svoju biblioteku + Stack + Start playing music. + Suggestions - Prikazuje tvoje ima na pocetnom ekranu + Podrzi programera + Swipe to unlock + Synced lyrics - System Equalizer + Telegram Join the Telegram group to discuss bugs, make suggestions, show off and more + Hvala! + Audio fajl + Ovog meseca Ove nedelje Ove godine + Sitno + Tiny card + Title - Komandna tabla - Dobar dan - Dobar dan - Dobro vece - Dobro jutro - Laku noc - Kako se zoves? + Danas + Top albums Top artists + "Redni broj (2 za redni broj 2 ili 3004 za CD3 redni broj 4)" Redni broj + Prevod Help us translate the app to your language + + Try Retro Music Premium + Twitter Share your design with Retro Music + Unlabeled + Nije moguce pustiti pesmu. + Sledece + Azuriraj sliku + Azurira se... + Username + Verzija + Vertical flip - Virtualizer + Volume + Web pretraga + Welcome, + Sta zelis da podelis? + What\'s New + Window Rounded corners + Postavi %1$s kao melodiju zvona. Selektovano %1$d + Godina + You have to select at least one category. You will be forwarded to the issue tracker website. + Your account data is only used for authentication. - Amount - Note(Optional) - Start payment - Show now playing screen - Clicking on the notification will show now playing screen instead of the home screen - Tiny card - About %s - Select language - Translators - The people who helped translate this app - Try Retro Music Premium - - Song - Songs - Songs - - - Album - Albums - Albums - - - %d Song - %d Songs - %d Songs - - - %d Album - %d Albums - %d Albums - - - %d Artist - %d Artists - %d Artists - diff --git a/app/src/main/res/values-sv-rSE/strings.xml b/app/src/main/res/values-sv-rSE/strings.xml index fc395119..c255933b 100644 --- a/app/src/main/res/values-sv-rSE/strings.xml +++ b/app/src/main/res/values-sv-rSE/strings.xml @@ -1,14 +1,16 @@ + Om %s Vårt team, länkar + Accentfärg Temats accentfärg, standard är lila + Om Lägg till i favoriter Lägg till i spelkön Lägg till i spellista Rensa spelkön - Rensa spellista Loopläge Radera Radera från enheten @@ -46,19 +48,32 @@ Tag redigerare Favorit Shuffleläge + Adaptiv + Lägg till - Lägg till låttext - Lägg till \nbild "Lägg till i spellista" - Lägg till synkad låttext + "Lade till en titel i spelkön." Lade till %1$d titlar i spelkön. + Album + + + Låt + Låtar + + Albumartist - Titeln eller artisten är ej ifylld. + Album + + Album + Album + + Alltid + Kolla in den här coola musikspelaren på: https://play.google.com/store/apps/details?id=%s Shuffle Topplåtar @@ -67,19 +82,25 @@ Klassisk Liten Text + Artist + Artister + Ljudfokus nekas. Ändra ljudinställningarna och justera equalizer-kontrollerna + Auto - Grundtema - Bass boost - Bio + Biografi + Helt svart + Svartlista + Oskärpa Kort med oskärpa + Det gick inte att skicka rapport Invalid access token. Please contact the app developer. Issues are not enabled for the selected repository. Please contact the app developer. @@ -92,45 +113,56 @@ Please enter an issue title Please enter your valid GitHub username Ett oväntat fel uppstod. Tråkigt att du hittade denna bug, om det fortsätter att krascha, testa att \"Rensa appdata\" eller skicka ett e-postmeddelande - Uploading report to GitHub… Send using GitHub account + Köp nu + Avbryt + Kort - Cirkulär Färgat kort Kort - Karusell + Karuselleffekt på spelarskärmen + Släng iväg - Cast + Ändringslogg Ändringsloggen befinner sig på Telegram + Cirkel + Cirkulär + Klassisk + Rensa - Rensa appdata Rensa svartlista Rensa spelkö - Rensa spellista - %1$s? Detta kan inte ångras!]]> - Stäng + Färg - Färg + Färger + Kompositör + Kopierade enhetsinfo till urklipp. + Det gick inte att skapa spellista. "Kunde inte ladda ner ett matchande albumomslag." Det gick inte att återställa köpet. Det gick inte att skanna %d filer. + Skapa + Skapade spellistan %1$s. + Medlemmar och bidragsgivare + Lyssnar just nu på %1$s av %2$s. + Ganska mörkt - Inga texter + Radera spellista %1$s?]]> Radera spellistor @@ -139,42 +171,62 @@ Radera låtar %1$d spellistor?]]> %1$d låtar?]]> + %1$d låtar har raderats. - Tar bort låtar + Djup + Beskrivning + Enhetsinformation + Låt Retro Music ändra ljudinställningar Ställ in ringsignal + Vill du rensa svartlistan? %1$s från svartlistan?]]> + Donera Om du tycker att jag förtjänar någon ersättning för mitt arbete, kan du gärna donera lite pengar här + Köp mig en: - Ladda ner från Last.fm + Förarläge - Redigera - Redigera omslaget + Tom + Equalizer - Fel + FAQ + Favoriter + Spela färdigt sista låten + Passa + Platt + Mappar + Följ systemet + För dig + Fri + Full Fullt kort + Ändra appens tema och färger Utseende och känsla + Genre + Genrer + Gör en fork av projektet på GitHub - Gå med i Google Plus-communityn där du kan be om hjälp eller följa uppdateringar av Retro Music + 1 2 3 @@ -184,16 +236,25 @@ 7 8 Rutnätstil + Gångjärn + Historik + Hem + Vänd horisontellt + Bild Tonad bild Ändra inställningar för nedladdning av artistbild + La till %1$d låtar i spellistan %2$s. + Dela din Retro Music-setup för att visa upp på Instagram + Tangentbord + Bitrate Format Filnamn @@ -202,31 +263,45 @@ Mer från %s Sampling rate Längd + Labeled + Senast tillagd Sista låten - Det när dags att spela lite musik - Bibliotek + Bibliotekskategorier + Licenser + Snövitt + Lyssnare + Listar filer + Laddar produkter… + Logga in + Låttext + Skapad med ❤️ i Indien + Material + Fel Behörighetsfel + Namn Mest spelade + Aldrig - Ny bannerbild + Ny spellista - Ny profilbild %s är den nya startmappen. + Nästa låt + Du har inga album Du har inga artister "Spela en låt först och försök igen." @@ -238,45 +313,59 @@ Inget köp hittades. Inga resultat Du har inga låtar + Normal Normal låttext - Normal + %s är inte listad i Media Store.]]> + Inget att skanna. Ingenting att se + Notis Anpassa utseendet på notisen + Spelare Spelkö Anpassa spelarskärmen 9+ spelarteman + Endast via Wi-Fi + Avancerade testfunktioner + Övrigt + Lösenord + De senaste 3 månaderna - Klistra in låttext här + Peak + Behörighet att få tillgång till extern lagring nekas. + Behörighet nekas. + Skräddarsy Anpassa appens UI till din smak + Välj från lokal lagring - Välj bild + Pinterest Följ vår Pinterestsida för lite designinspiration till Retro Music + Enkel + Notisen har knappar för play/pause etc. Notis - Tom spellista + Spellistan är tom Namn på spellista + Spellistor - Stil för albumdetaljer + Mängden oskärpa som används för suddiga teman, lägre är snabbare Oskärpa - Justera rundheten på den nedre dialogrutans hörn - Hörn på dialogruta Filtrera låtar efter dess längd Filtrera låtlängd Avancerad @@ -293,9 +382,7 @@ Pausa på noll Tänk på att aktivering av den här funktionen kan påverka batteritiden Håll skärmen på - Klicka för att öppna med eller svep till utan genomskinlig navigering av spelarskärmen - Klicka eller Svep - Snöfallseffekt + Välj språk Använd det spelade albumets omslag som låsskärmsbakgrund Sänk volymen när ett systemljud spelas upp eller ett meddelande tas emot Innehållet i svartlistade mappar döljs från ditt bibliotek. @@ -305,21 +392,17 @@ Använd den klassiska notissdesignen Bakgrunds- och kontrollknapparnas färger ändras enligt albumomslaget från spelarskärmen Färgar appens genvägar i accentfärgen. Se till att aktivera detta varje gång du ändrar färg, för att ändringen ska träda i kraft - Färgar navigeringsfältet i primärfärgen "Färgar notisen i albumomslagets framträdande färg" I enlighet med riktlinjer för Material Design ska färger desatureras i mörkt läge - Den dominantaste färgen väljs från artist eller albumomslag + När du klickar på notisen visas spelarskärmen istället för hemskärmen Lägg till extra kontroller för minispelaren Visa extra låtinformation, till exempel filformat, bitrate och frekvens "Kan orsaka uppspelningsproblem på vissa enheter." - Aktivera genrefliken Visar en banner på hemfliken Kan öka albumomslagens kvalitet, men orsakar långsammare laddningstider för bilder. Aktivera endast om du har problem med lågupplösta bilder Konfigurera synlighet och ordning för bibliotekskategorier. Använd Retro Music:s anpassade låsskärmskontroller Licensinformation för programvara med öppen källkod - Runda appens kanter - Visa titlar för det nedre navigeringsfältets flikar Uppslukande läge Börja spela direkt då hörlurar ansluts Shuffleläget stängs av när du spelar en ny lista med låtar @@ -327,75 +410,76 @@ Visa albumomslag Tema för albumomslag Nästa albumomslag - Albumrutnät Färgade appgenvägar - Artistrutnät Minska volymen vid fokusförlust Ladda ner artistbilder automatiskt Svartlista Bluetooth-uppspelning Oskärpa hos albumomslaget - Välj equalizer Klassisk notisssdesign Adaptiv färg Färgad notis Desaturerad färg + Öppna spelaren Extra kontroller Låtinfo Sömlös uppspelning Apptema - Visa genrefliken Artistruntnät för hem Hem-banner Ignorera omslag i Media Store Intervall för senast tillagda spellista Helskärmskontroller - Färgat navigeringsfält Spelartema Licenser för öppen källkod - Hörnkanter Fliktitlar Karuselleffekt - Dominant färg Helskärmsapp - Fliktitlar Auto-play Shuffleläge Volymkontroller - Användarinformation - Primärfärg - Den primära temafärgen, standard är blågrå. Fungerar för närvarande med mörka färger + Pro Helt svart tema, spelarteman, karuselleffekt med mera… + Profil + Köp - *Tänk innan du köper, be inte om återbetalning. + Spelkö + Betygsätt appen Älskar du den här appen? Låt oss veta i Google Play Store hur vi kan göra den ännu bättre + Senaste album Senaste artister + Ta bort - Ta bort bannerbild Ta bort omslag Ta bort från svartlistan - Ta bort profilbild Ta bort låten från spellistan %1$s från spellistan?]]> Ta bort låtar från spellistan %1$d låtar från spellistan?]]> + Byt namn på spellista + Rapportera ett problem Rapportera fel + Återställ Återställ artistbild + Restore + Återställde tidigare köp. Starta om appen för att använda alla funktioner. Återställde tidigare köp. + Återställer köp… - Retro Music Equalizer + Retro Music Player Retro Music Pro + Radering av fil misslyckades: %s Kan inte hämta SAF URI @@ -408,37 +492,48 @@ Öppna inga submappar Klicka på \'välj\'-knappen längst ner på skärmen Filskrivning misslyckades: %s + Spara Spara som fil Spara som filer + Sparade spellista till %s. + Sparar ändringar + Skanna media + Skannade %1$d av %2$d filer. + Scrobbles - Sök i ditt bibliotek… + Välj alla - Välj bannerbild + Vald - Skicka kraschlogg + Ställ in Ställ in artistbild - Ställ in en profilbild + Dela app Dela till Stories + Shuffle + Enkel + Sömntimer inaktiverad. Sömntimern är inställd på %d minuter från och med nu. - Svep - Litet album + Socialt Dela Story + Låt Låtlängd + Låtar + Sorteras efter Stigande Album @@ -448,93 +543,91 @@ Ändringsdatum År Sjunkande + Hoppsan! Din enhet stöder inte talinmatning Sök i ditt bibliotek + Stack + Börja spela musik. + Förslag - Visa bara ditt namn på hemskärmen + Stöd utvecklingen + Svep för att låsa upp + Synkad låttext - System-equalizer + Telegram Gå med i Telegram-gruppen för att diskutera buggar, lämna förslag, briljera och mycket annat + Tack! + Ljudfilen + Den här månaden Denna vecka Det här året + Minimal + Litet kort + Titel - Dashboard - God eftermiddag - God dag - God kväll - God morgon - Godnatt - Vad heter du? + I dag + Toppalbum Toppartister + "Spår (2 för spår 2 eller 3004 för CD3 spår 4)" Spårnummer + Översätt Hjälp oss att översätta appen till ditt språk + + Prova Retro Music Premium + Twitter Dela din design med Retro Music + Omärkt + Kunde inte spela den här låten. + Spelas härnäst + Uppdatera bilden + Uppdaterar… + Användarnamn + Version + Vänd vertikalt - Virtualizer + Volym + Webbsökning + Välkommen, + Vad vill du dela? + Vad är nytt? + Fönster Rundade hörn + Använd %1$s som ringsignal. %1$d valda + År + Du måste välja minst en kategori. You will be forwarded to the issue tracker website. + Dina kontodata används endast för verifiering. - Belopp - Anteckning (Valfritt) - Starta betalningen - Öppna spelaren - När du klickar på notisen visas spelarskärmen istället för hemskärmen - Litet kort - Om %s - Välj språk - Översättare - Människorna som hjälpte till att översätta den här appen - Prova Retro Music Premium - - Låt - Låtar - - - Album - Album - - - %d Låt - %d Låtar - - - %d Album - %d Album - - - %d Artist - %d Artister - diff --git a/app/src/main/res/values-ta-rIN/strings.xml b/app/src/main/res/values-ta-rIN/strings.xml index c4438228..b599615c 100644 --- a/app/src/main/res/values-ta-rIN/strings.xml +++ b/app/src/main/res/values-ta-rIN/strings.xml @@ -1,14 +1,16 @@ + About %s Team, social links + Accent color The theme accent color, defaults to purple + About Add to favorites Add to playing queue Add to playlist Clear playing queue - Clear playlist Cycle repeat mode Delete Delete from device @@ -46,19 +48,32 @@ Tag editor Toggle favorite Toggle shuffle mode + Adaptive + Add - Add lyrics - Add \nphoto "Add to playlist" - Add time frame lyrics + "Added 1 title to the playing queue." Added %1$d titles to the playing queue. + Album + + + Song + Songs + + Album artist - The title or artist is empty. + Albums + + Album + Albums + + Always + Hey check out this cool music player at: https://play.google.com/store/apps/details?id=%s Shuffle Top Tracks @@ -67,19 +82,25 @@ Classic Small Text + Artist + Artists + Audio focus denied. Change the sound settings and adjust the equalizer controls + Auto - Base color theme - Bass Boost - Bio + Biography + Just Black + Blacklist + Blur Blur Card + Unable to send report Invalid access token. Please contact the app developer. Issues are not enabled for the selected repository. Please contact the app developer. @@ -92,45 +113,56 @@ Please enter an issue title Please enter your valid GitHub username An unexpected error occurred. Sorry you found this bug, if it keeps crashing \"Clear app data\" or send an Email - Uploading report to GitHub… Send using GitHub account + Buy now + Cancel + Card - Circular Colored Card Card - Carousel + Carousel effect on the now playing screen + Cascading - Cast + Changelog Changelog maintained on the Telegram channel + Circle + Circular + Classic + Clear - Clear app data Clear blacklist Clear queue - Clear playlist - %1$s? This can\u2019t be undone!]]> - Close + Color - Color + Colors + Composer + Copied device info to clipboard. + Couldn\u2019t create playlist. "Couldn\u2019t download a matching album cover." Could not restore purchase. Could not scan %d files. + Create + Created playlist %1$s. + Members and contributors + Currently listening to %1$s by %2$s. + Kinda Dark - No Lyrics + Delete playlist %1$s?]]> Delete playlists @@ -139,42 +171,62 @@ Delete songs %1$d playlists?]]> %1$d songs?]]> + Deleted %1$d songs. - Deleting songs + Depth + Description + Device info + Allow Retro Music to modify audio settings Set ringtone + Do you want to clear the blacklist? %1$s from the blacklist?]]> + Donate If you think I deserve to get paid for my work, you can leave some money here + Buy me a: - Download from Last.fm + Drive mode - Edit - Edit cover + Empty + Equalizer - Error + FAQ + Favorites + Finish last song + Fit + Flat + Folders + Follow system + For you + Free + Full Full card + Change the theme and colors of the app Look and feel + Genre + Genres + Fork the project on GitHub - Join the Google Plus community where you can ask for help or follow Retro Music updates + 1 2 3 @@ -184,16 +236,25 @@ 7 8 Grid style + Hinge + History + Home + Horizontal flip + Image Gradient image Change artist image download settings + Inserted %1$d songs into the playlist %2$s. + Share your Retro Music setup to showcase on Instagram + Keyboard + Bitrate Format File name @@ -202,31 +263,45 @@ More from %s Sampling rate Length + Labeled + Last added Last song - Let\'s play some music - Library + Library categories + Licenses + Clearly White + Listeners + Listing files + Loading products… + Login + Lyrics + Made with ❤️ in India + Material + Error Permission error + Name Most played + Never - New banner photo + New playlist - New profile photo %s is the new start directory. + Next Song + You have no albums You have no artists "Play a song first, then try again." @@ -238,45 +313,59 @@ No purchase found. No results You have no songs + Normal Normal lyrics - Normal + %s is not listed in the media store.]]> + Nothing to scan. Nothing to see + Notification Customize the notification style + Now playing Now playing queue Customize the now playing screen 9+ now playing themes + Only on Wi-Fi + Advanced testing features + Other + Password + Past 3 months - Paste lyrics here + Peak + Permission to access external storage denied. + Permissions denied. + Personalize Customize your now playing and UI controls + Pick from local storage - Pick image + Pinterest Follow Pinterest page for Retro Music design inspiration + Plain + The playing notification provides actions for play/pause etc. Playing notification - Empty playlist + Playlist is empty Playlist name + Playlists - Album detail style + Amount of blur applied for blur themes, lower is faster Blur amount - Adjust the bottom sheet dialog corners - Dialog corner Filter songs by length Filter song duration Advanced @@ -293,9 +382,7 @@ Pause on zero Keep in mind that enabling this feature may affect battery life Keep the screen on - Click to open with or slide to without transparent navigation of now playing screen - Click or Slide - Snow fall effect + Select language Use the currently playing song album cover as the lockscreen wallpaper Lower the volume when a system sound is played or a notification is received The content of blacklisted folders is hidden from your library. @@ -305,21 +392,17 @@ Use the classic notification design The background and control button colors change according to the album art from the now playing screen Colors the app shortcuts in the accent color. Every time you change the color please toggle this to take effect - Colors the navigation bar in the primary color "Colors the notification in the album cover\u2019s vibrant color" As per Material Design guide lines in dark mode colors should be desaturated - Most dominant color will be picked from the album or artist cover + Clicking on the notification will show now playing screen instead of the home screen Add extra controls for mini player Show extra Song information, such as file format, bitrate and frequency "Can cause playback issues on some devices." - Toggle genre tab Show or hide the home banner Can increase the album cover quality, but causes slower image loading times. Only enable this if you have problems with low resolution artworks Configure visibility and order of library categories. Use Retro Music\'s custom lockscreen controls License details for open source software - Round the app\'s edges - Toggle titles for the bottom navigation bar tabs Immersive mode Start playing immediately after headphones are connected Shuffle mode will turn off when playing a new list of songs @@ -327,75 +410,76 @@ Show album cover Album cover theme Album cover skip - Album grid Colored app shortcuts - Artist grid Reduce volume on focus loss Auto-download artist images Blacklist Bluetooth playback Blur album cover - Choose equalizer Classic notification design Adaptive color Colored notification Desaturated color + Show now playing screen Extra controls Song info Gapless playback App theme - Show genre tab Artist grid Banner Ignore Media Store covers Last added playlist interval Fullscreen controls - Colored navigation bar Now playing theme Open source licences - Corner edges Tab titles mode Carousel effect - Dominant color Fullscreen app - Tab titles Auto-play Shuffle mode Volume controls - User info - Primary color - The primary theme color, defaults to blue grey, for now works with dark colors + Pro Black theme, Now playing themes, Carousel effect and more.. + Profile + Purchase - *Think before buying, don\'t ask for refund. + Playing Queue + Rate the app Love this app? Let us know in the Google Play Store how we can make it even better + Recent albums Recent artists + Remove - Remove banner photo Remove cover Remove from blacklist - Remove profile photo Remove song from playlist %1$s from the playlist?]]> Remove songs from playlist %1$d songs from the playlist?]]> + Rename playlist + Report an issue Report bug + Reset Reset artist image + Restore + Restored previous purchase. Please restart the app to make use of all features. Restored previous purchases. + Restoring purchase… - Retro Music Equalizer + Retro Music Player Retro Music Pro + File delete failed: %s Can\'t get SAF URI @@ -408,37 +492,48 @@ Do not open any sub-folders Tap \'select\' button at the bottom of the screen File write failed: %s + Save Save as file Save as files + Saved playlist to %s. + Saving changes + Scan media + Scanned %1$d of %2$d files. + Scrobbles - Search your library… + Select all - Select banner photo + Selected - Send crash log + Set Set artist image - Set a profile photo + Share app Share to Stories + Shuffle + Simple + Sleep timer canceled. Sleep timer set for %d minutes from now. - Slide - Small album + Social Share story + Song Song duration + Songs + Sort order Ascending Album @@ -448,93 +543,91 @@ Date modified Year Descending + Sorry! Your device doesn\'t support speech input Search your library + Stack + Start playing music. + Suggestions - Just show your name on home screen + Support development + Swipe to unlock + Synced lyrics - System Equalizer + Telegram Join the Telegram group to discuss bugs, make suggestions, show off and more + Thank you! + The audio file + This month This week This year + Tiny + Tiny card + Title - Dashboard - Good afternoon - Good day - Good evening - Good morning - Good night - What\'s Your Name + Today + Top albums Top artists + "Track (2 for track 2 or 3004 for CD3 track 4)" Track number + Translate Help us translate the app to your language + + Try Retro Music Premium + Twitter Share your design with Retro Music + Unlabeled + Couldn\u2019t play this song. + Up next + Update image + Updating… + Username + Version + Vertical flip - Virtualizer + Volume + Web search + Welcome, + What do you want to share? + What\'s New + Window Rounded corners + Set %1$s as your ringtone. %1$d selected + Year + You have to select at least one category. You will be forwarded to the issue tracker website. + Your account data is only used for authentication. - Amount - Note(Optional) - Start payment - Show now playing screen - Clicking on the notification will show now playing screen instead of the home screen - Tiny card - About %s - Select language - Translators - The people who helped translate this app - Try Retro Music Premium - - Song - Songs - - - Album - Albums - - - %d Song - %d Songs - - - %d Album - %d Albums - - - %d Artist - %d Artists - diff --git a/app/src/main/res/values-te-rIN/strings.xml b/app/src/main/res/values-te-rIN/strings.xml index f95ca9ce..b9d7c0d7 100644 --- a/app/src/main/res/values-te-rIN/strings.xml +++ b/app/src/main/res/values-te-rIN/strings.xml @@ -1,14 +1,16 @@ + సుమారు% s బృందం, సామాజిక లింకులు + యాస రంగు థీమ్ యాస రంగు పర్పుల్ రంగుకు డిఫాల్ట్ అవుతుంది + గురించి ఇష్టమైన వాటికి జోడించండి క్యూ ఆడటానికి జోడించండి పాటల క్రమంలో చేర్చు క్యూ ప్లే చేయడం క్లియర్ - ప్లేజాబితాను క్లియర్ చేయండి సైకిల్ రిపీట్ మోడ్ తొలగించు పరికరం నుండి తొలగించండి @@ -46,19 +48,32 @@ ట్యాగ్ ఎడిటర్ ఇష్టమైన టోగుల్ చేయండి షఫుల్ మోడ్‌ను టోగుల్ చేయండి + అనుకూల + చేర్చు - సాహిత్యాన్ని జోడించండి - ఫోటోను జోడించండి "పాటల క్రమంలో చేర్చు" - సమయ ఫ్రేమ్ సాహిత్యాన్ని జోడించండి + "ప్లే క్యూలో 1 శీర్షిక జోడించబడింది." ప్లే క్యూలో %1$d శీర్షికలను చేర్చారు. + ఆల్బమ్ + + + Song + Songs + + ఆల్బమ్ ఆర్టిస్ట్ - టైటిల్ లేదా ఆర్టిస్ట్ ఖాళీగా ఉంది. + ఆల్బమ్లు + + Album + Albums + + ఎల్లప్పుడూ + హే ఈ చల్లని మ్యూజిక్ ప్లేయర్‌ను ఇక్కడ చూడండి: https://play.google.com/store/apps/details?id=%s షఫుల్ అగ్ర ట్రాక్‌లు @@ -67,19 +82,25 @@ రెట్రో సంగీతం - క్లాసిక్ రెట్రో సంగీతం - చిన్నది రెట్రో సంగీతం - టెక్స్ట్ + ఆర్టిస్ట్ + ఆర్టిస్ట్స్ + ఆడియో ఫోకస్ తిరస్కరించబడింది. ధ్వని సెట్టింగులను మార్చండి మరియు ఈక్వలైజర్ నియంత్రణలను సర్దుబాటు చేయండి + దానంతట అదే - బేస్ కలర్ థీమ్ - బాస్ బూస్ట్ - బయో + బయోగ్రఫీ + జస్ట్ బ్లాక్ + బ్లాక్లిస్ట్ + బ్లర్ బ్లర్ కార్డ్ + నివేదిక పంపడం సాధ్యం కాలేదు చెల్లని యాక్యిస్ టోకను. దయచేసి అనువర్తన డెవలపర్‌ను సంప్రదించండి. ఎంచుకున్న రిపోజిటరీ కోసం సమస్యలు ప్రారంభించబడవు. దయచేసి అనువర్తన డెవలపర్‌ను సంప్రదించండి. @@ -92,45 +113,56 @@ దయచేసి సమస్య శీర్షికను నమోదు చేయండి దయచేసి మీ చెల్లుబాటు అయ్యే GitHub వినియోగదారు పేరును నమోదు చేయండి అనుకోని తప్పు జరిగినది. క్షమించండి, మీరు ఈ బగ్‌ను కనుగొన్నారు, అది \"అనువర్తన డేటాను క్లియర్ చేయి\" క్రాష్ చేస్తూ ఉంటే లేదా ఇమెయిల్ పంపండి - గిట్‌హబ్‌కు నివేదికను అప్‌లోడ్ చేస్తోంది… GitHub ఖాతాను ఉపయోగించి పంపండి + ఇప్పుడే కొనండి + రద్దు చేయండి + కార్డ్ - సర్క్యులర్ రంగు కార్డు కార్డ్ - రంగులరాట్నం + ఇప్పుడు ప్లే అవుతున్న తెరపై రంగులరాట్నం ప్రభావం + క్యాస్కేడింగ్ - తారాగణం + చేంజ్లాగ్ టెలిగ్రామ్ ఛానెల్‌లో చేంజ్లాగ్ నిర్వహించబడుతుంది + వృత్తం + సర్క్యులర్ + క్లాసిక్ + ప్రశాంతంగా - అనువర్తన డేటాను క్లియర్ చేయండి బ్లాక్లిస్ట్ క్లియర్ క్యూ క్లియర్ - ప్లేజాబితాను క్లియర్ చేయండి - % 1 $ s ప్లేజాబితాను క్లియర్ చేయాలా? ఇది రద్దు చేయబడదు!]]> - దగ్గరగా + రంగు - రంగు + రంగులు + కంపోజర్ + పరికర సమాచారం క్లిప్‌బోర్డ్‌కు కాపీ చేయబడింది + ప్లేజాబితాను సృష్టించడం సాధ్యం కాలేదు "సరిపోయే ఆల్బమ్ కవర్‌ను డౌన్‌లోడ్ చేయలేము." కొనుగోలును పునరుద్ధరించడం సాధ్యం కాలేదు. % D ఫైళ్ళను స్కాన్ చేయలేకపోయింది. + సృష్టించు + ప్లేజాబితా% 1 $ s సృష్టించబడింది. + సభ్యులు మరియు సహాయకులు + ప్రస్తుతం% 2 by s ద్వారా% 1 $ s వింటున్నారు. + కైండా డార్క్ - సాహిత్యం లేదు + ప్లేజాబితాను తొలగించండి % 1 $ s ప్లేజాబితాను తొలగించాలా?]]> ప్లేజాబితాలను తొలగించండి @@ -139,42 +171,62 @@ పాటలను తొలగించండి % 1 $ d ప్లేజాబితాలను తొలగించాలా?]]> % 1 $ d పాటలను తొలగించాలా?]]> + % 1 $ d పాటలు తొలగించబడ్డాయి. - పాటలను తొలగిస్తోంది + లోతు + వివరణ + పరికర సమాచారం + ఆడియో సెట్టింగులను సవరించడానికి రెట్రో సంగీతాన్ని అనుమతించండి రింగ్‌టోన్ సెట్ చేయండి + మీరు బ్లాక్లిస్ట్ క్లియర్ చేయాలనుకుంటున్నారా? % 1 $ s ను తొలగించాలనుకుంటున్నారా?]]> + దానం నా పనికి డబ్బు సంపాదించడానికి నేను అర్హుడని మీరు అనుకుంటే, మీరు ఇక్కడ కొంత డబ్బును వదిలివేయవచ్చు + నన్ను కొనండి: - Last.fm నుండి డౌన్‌లోడ్ చేయండి + డ్రైవ్ మోడ్ - మార్చు - కవర్‌ను సవరించండి + ఖాళీ + సమం - లోపం + ఎఫ్ ఎ క్యూ + ఇష్టమైన + చివరి పాటను ముగించండి + ఫిట్ + ఫ్లాట్ + ఫోల్డర్లు + వ్యవస్థను అనుసరించండి + మీ కోసం + ఉచిత + పూర్తి పూర్తి కార్డు + అనువర్తనం యొక్క థీమ్ మరియు రంగులను మార్చండి చూడండి మరియు అనుభూతి + చూడండి మరియు అనుభూతి + కళలు + GitHub లో ప్రాజెక్ట్ను ఫోర్క్ చేయండి - మీరు సహాయం కోసం అడగగల లేదా రెట్రో మ్యూజిక్ నవీకరణలను అనుసరించగల Google ప్లస్ సంఘంలో చేరండి + 1 2 3 @@ -184,16 +236,25 @@ 7 8 గ్రిడ్ శైలి + హింగ్ + చరిత్ర + హోమ్ + క్షితిజసమాంతర ఫ్లిప్ + చిత్రం ప్రవణత చిత్రం ఆర్టిస్ట్ ఇమేజ్ డౌన్‌లోడ్ సెట్టింగులను మార్చండి + % 1 $ d పాటలను ప్లేజాబితా% 2 $ s లో చేర్చారు. + Instagram లో ప్రదర్శించడానికి మీ రెట్రో మ్యూజిక్ సెటప్‌ను భాగస్వామ్యం చేయండి + కీబోర్డ్ + బిట్రేటుని ఫార్మాట్ ఫైల్ పేరు @@ -202,31 +263,45 @@ % S నుండి ఎక్కువ మాదిరి రేటు పొడవు + లేబుల్ + చివరిగా జోడించబడింది చివరి పాట - కొంత సంగీతం ప్లే చేద్దాం - గ్రంధాలయం + లైబ్రరీ వర్గాలు + లైసెన్సుల + Clearly White + శ్రోతలు + ఫైళ్ళను జాబితా చేస్తోంది + ఉత్పత్తులను లోడ్ చేస్తోంది… + ప్రవేశించండి + సాహిత్యం - భారతదేశంలో 🖤 తో తయారు చేయబడింది + + భారతదేశంలో 🖤 తో తయారు చేయబడింది + మెటీరియల్ + లోపం అనుమతి లోపం + పేరు ఎక్కువగా ఆడారు + నెవర్ - క్రొత్త బ్యానర్ ఫోటో + క్రొత్త ప్లేజాబితా - క్రొత్త ప్రొఫైల్ ఫోటో % s క్రొత్త ప్రారంభ డైరెక్టరీ. + తదుపరి పాట + మీకు ఆల్బమ్‌లు లేవు మీకు కళాకారులు లేరు "మొదట పాటను ప్లే చేయండి, ఆపై మళ్లీ ప్రయత్నించండి." @@ -238,45 +313,59 @@ కొనుగోలు కనుగొనబడలేదు. ఫలితాలు లేవు మీకు పాటలు లేవు + సాధారణ సాధారణ సాహిత్యం - సాధారణ + % s మీడియా స్టోర్‌లో జాబితా చేయబడలేదు.]]> + స్కాన్ చేయడానికి ఏమీ లేదు. చూడటానికి ఏమీ లేదు + నోటిఫికేషన్ నోటిఫికేషన్ శైలిని అనుకూలీకరించండి + ఇప్పుడు ఆడుతున్నారు ఇప్పుడు క్యూ ఆడుతున్నారు ఇప్పుడు ప్లే అవుతున్న స్క్రీన్‌ను అనుకూలీకరించండి 9+ ఇప్పుడు థీమ్‌లను ప్లే చేస్తోంది + Wi-Fi లో మాత్రమే + అధునాతన పరీక్ష లక్షణాలు + ఇతర + పాస్వర్డ్ + గత 3 నెలలు - సాహిత్యాన్ని ఇక్కడ అతికించండి + శిఖరం + బాహ్య నిల్వను యాక్సెస్ చేయడానికి అనుమతి నిరాకరించబడింది. + అనుమతులు తిరస్కరించబడ్డాయి. + వ్యక్తిగతీకరించండి మీరు ఇప్పుడు ఆడుతున్న మరియు UI నియంత్రణలను అనుకూలీకరించండి + స్థానిక నిల్వ నుండి ఎంచుకోండి - చిత్రాన్ని ఎంచుకోండి + Pinterest రెట్రో మ్యూజిక్ డిజైన్ ప్రేరణ కోసం Pinterest పేజీని అనుసరించండి + సాదా + ప్లే నోటిఫికేషన్ ఆట / పాజ్ మొదలైన వాటి కోసం చర్యలను అందిస్తుంది. నోటిఫికేషన్ ప్లే అవుతోంది - ఖాళీ ప్లేజాబితా + ప్లేజాబితా ఖాళీగా ఉంది ప్లేజాబితా పేరు + ప్లేజాబితాలు - ఆల్బమ్ వివరాల శైలి + బ్లర్ థీమ్స్ కోసం బ్లర్ మొత్తం వర్తించబడుతుంది, తక్కువ వేగంగా ఉంటుంది అస్పష్టమైన మొత్తం - దిగువ షీట్ డైలాగ్ మూలలను సర్దుబాటు చేయండి - డైలాగ్ మూలలో పాటలను పొడవు వడపోత పాట వ్యవధిని ఫిల్టర్ చేయండి ఆధునిక @@ -293,9 +382,7 @@ సున్నాపై పాజ్ చేయండి ఈ లక్షణాన్ని ప్రారంభించడం బ్యాటరీ జీవితాన్ని ప్రభావితం చేస్తుందని గుర్తుంచుకోండి స్క్రీన్‌ను ఆన్‌లో ఉంచండి - ఇప్పుడు ప్లే స్క్రీన్ యొక్క పారదర్శక నావిగేషన్ లేకుండా తెరవడానికి క్లిక్ చేయండి లేదా స్లైడ్ చేయండి - క్లిక్ చేయండి లేదా స్లైడ్ చేయండి - మంచు పతనం ప్రభావం + భాషను ఎంచుకోండి ప్రస్తుతం ప్లే అవుతున్న పాట ఆల్బమ్ కవర్‌ను లాక్‌స్క్రీన్ వాల్‌పేపర్‌గా ఉపయోగించండి సిస్టమ్ ధ్వనిని ప్లే చేసినప్పుడు లేదా నోటిఫికేషన్ వచ్చినప్పుడు వాల్యూమ్‌ను తగ్గించండి బ్లాక్ లిస్ట్ చేసిన ఫోల్డర్ల కంటెంట్ మీ లైబ్రరీ నుండి దాచబడింది. @@ -305,21 +392,17 @@ క్లాసిక్ నోటిఫికేషన్ డిజైన్‌ను ఉపయోగించండి ఇప్పుడు ప్లే అవుతున్న స్క్రీన్ నుండి ఆల్బమ్ ఆర్ట్ ప్రకారం నేపథ్యం మరియు నియంత్రణ బటన్ రంగులు మారుతాయి అనువర్తన సత్వరమార్గాలను యాస రంగులో రంగులు వేస్తుంది. మీరు రంగును మార్చిన ప్రతిసారీ దయచేసి దీనిని అమలు చేయడానికి టోగుల్ చేయండి - నావిగేషన్ బార్‌ను ప్రాథమిక రంగులో రంగులు వేస్తుంది "ఆల్బమ్ కవర్ in u2019 యొక్క శక్తివంతమైన రంగులోని నోటిఫికేషన్‌ను రంగులు వేస్తుంది" మెటీరియల్ డిజైన్ ప్రకారం డార్క్ మోడ్ రంగులలోని గైడ్ పంక్తులు డీసచురేటెడ్ అయి ఉండాలి - ఆల్బమ్ లేదా ఆర్టిస్ట్ కవర్ నుండి చాలా ఆధిపత్య రంగు తీసుకోబడుతుంది + నోటిఫికేషన్‌పై క్లిక్ చేస్తే హోమ్ స్క్రీన్‌కు బదులుగా ఇప్పుడు ప్లే స్క్రీన్ కనిపిస్తుంది మినీ ప్లేయర్ కోసం అదనపు నియంత్రణలను జోడించండి ఫైల్ ఫార్మాట్, బిట్రేట్ మరియు ఫ్రీక్వెన్సీ వంటి అదనపు పాట సమాచారాన్ని చూపించు "కొన్ని పరికరాల్లో ప్లేబ్యాక్ సమస్యలను కలిగిస్తుంది." - శైలి టాబ్‌ను టోగుల్ చేయండి హోమ్ బ్యానర్ శైలిని టోగుల్ చేయండి ఆల్బమ్ కవర్ నాణ్యతను పెంచగలదు, కానీ నెమ్మదిగా చిత్రం లోడింగ్ సమయాలకు కారణమవుతుంది. మీకు తక్కువ రిజల్యూషన్ కళాకృతులతో సమస్యలు ఉంటే మాత్రమే దీన్ని ప్రారంభించండి లైబ్రరీ వర్గాల దృశ్యమానత మరియు క్రమాన్ని కాన్ఫిగర్ చేయండి. రెట్రో మ్యూజిక్ యొక్క అనుకూల లాక్‌స్క్రీన్ నియంత్రణలను ఉపయోగించండి ఓపెన్ సోర్స్ సాఫ్ట్‌వేర్ కోసం లైసెన్స్ వివరాలు - అనువర్తనం యొక్క అంచులను రౌండ్ చేయండి - దిగువ నావిగేషన్ బార్ ట్యాబ్‌ల కోసం శీర్షికలను టోగుల్ చేయండి లీనమయ్యే మోడ్ హెడ్‌ఫోన్‌లు కనెక్ట్ అయిన వెంటనే ప్లే చేయడం ప్రారంభించండి కొత్త పాటల జాబితాను ప్లే చేసేటప్పుడు షఫుల్ మోడ్ ఆపివేయబడుతుంది @@ -327,75 +410,76 @@ ఆల్బమ్ కవర్ చూపించు ఆల్బమ్ కవర్ థీమ్ ఆల్బమ్ కవర్ దాటవేయి - Album grid రంగు అనువర్తన సత్వరమార్గాలు - ఆర్టిస్ట్ గ్రిడ్ ఫోకస్ నష్టంపై వాల్యూమ్‌ను తగ్గించండి ఆర్టిస్ట్ చిత్రాలను ఆటో-డౌన్‌లోడ్ చేయండి బ్లాక్లిస్ట్ బ్లూటూత్ ప్లేబ్యాక్ బ్లర్ ఆల్బమ్ కవర్ - ఈక్వలైజర్ ఎంచుకోండి క్లాసిక్ నోటిఫికేషన్ డిజైన్ అనుకూల రంగు రంగు నోటిఫికేషన్ అసంతృప్త రంగు + ఇప్పుడు ప్లే స్క్రీన్ చూపించు అదనపు నియంత్రణలు పాట సమాచారం గ్యాప్‌లెస్ ప్లేబ్యాక్ అనువర్తన థీమ్ - శైలి టాబ్ చూపించు హోమ్ ఆర్టిస్ట్ గ్రిడ్ హోమ్ బ్యానర్ మీడియా స్టోర్ కవర్లను విస్మరించండి చివరిగా జోడించిన ప్లేజాబితా విరామం పూర్తి స్క్రీన్ నియంత్రణలు - రంగు నావిగేషన్ బార్ ఇప్పుడు థీమ్ ప్లే అవుతోంది ఓపెన్ సోర్స్ లైసెన్సులు - కార్నర్ అంచులు టాబ్ శీర్షికల మోడ్ రంగులరాట్నం ప్రభావం - ఆధిపత్య రంగు పూర్తి స్క్రీన్ అనువర్తనం - టాబ్ శీర్షికలు ఆటో ప్లే షఫుల్ మోడ్ వాల్యూమ్ నియంత్రణలు - వినియోగదారు సమాచారం - ప్రాథమిక రంగు - ప్రాధమిక థీమ్ రంగు, డిఫాల్ట్‌గా నీలం బూడిద రంగులో ఉంది, ఎందుకంటే ఇప్పుడు ముదురు రంగులతో పనిచేస్తుంది + ప్రో బ్లాక్ థీమ్, ఇప్పుడు థీమ్స్ ప్లే, రంగులరాట్నం ప్రభావం మరియు మరిన్ని .. + ప్రొఫైల్ + కొనుగోలు - * కొనడానికి ముందు ఆలోచించండి, వాపసు కోసం అడగవద్దు. + క్యూ + అనువర్తనాన్ని రేట్ చేయండి ఈ అనువర్తనాన్ని ఇష్టపడుతున్నారా? దీన్ని మరింత మెరుగ్గా ఎలా చేయవచ్చో గూగుల్ ప్లే స్టోర్‌లో మాకు తెలియజేయండి + ఇటీవలి ఆల్బమ్‌లు ఇటీవలి కళాకారులు + తొలగించు - బ్యానర్ ఫోటోను తొలగించండి కవర్ తొలగించండి బ్లాక్లిస్ట్ నుండి తొలగించండి - ప్రొఫైల్ ఫోటోను తొలగించండి ప్లేజాబితా నుండి పాటను తొలగించండి % 1 $ s పాటను ప్లేజాబితా నుండి తొలగించాలా?]]> ప్లేజాబితా నుండి పాటలను తొలగించండి % 1 $ d పాటలను ప్లేజాబితా నుండి తొలగించాలా?]]> + ప్లేజాబితా పేరు మార్చండి + సమస్యను నివేదించండి బగ్‌ను నివేదించండి + రీసెట్ ఆర్టిస్ట్ చిత్రాన్ని రీసెట్ చేయండి + పునరుద్ధరించు + మునుపటి కొనుగోలు పునరుద్ధరించబడింది. దయచేసి అన్ని లక్షణాలను ఉపయోగించడానికి అనువర్తనాన్ని పున art ప్రారంభించండి. మునుపటి కొనుగోళ్లను పునరుద్ధరించారు. + కొనుగోలును పునరుద్ధరిస్తోంది… - రెట్రో మ్యూజిక్ ఈక్వలైజర్ + రెట్రో మ్యూజిక్ ప్లేయర్ రెట్రో మ్యూజిక్ ప్రో + ఫైల్ తొలగింపు విఫలమైంది:% s SAF URI పొందలేము @@ -408,37 +492,48 @@ ఉప ఫోల్డర్‌లను తెరవవద్దు స్క్రీన్ దిగువన ఉన్న \'ఎంచుకోండి\' బటన్ నొక్కండి ఫైల్ రాయడం విఫలమైంది:% s + సేవ్ ఫైల్‌గా సేవ్ చేయండి ఫైల్‌లుగా సేవ్ చేయండి + Saved playlist to %s. + మార్పులను సేవ్ చేస్తోంది + మీడియాను స్కాన్ చేయండి + % 2 $ d ఫైళ్ళలో% 1 $ d స్కాన్ చేయబడింది. + Scrobbles - మీ లైబ్రరీని శోధించండి… + అన్ని ఎంచుకోండి - బ్యానర్ ఫోటోను ఎంచుకోండి + ఎంచుకున్న - క్రాష్ లాగ్ పంపండి + సెట్ ఆర్టిస్ట్ చిత్రాన్ని సెట్ చేయండి - ప్రొఫైల్ ఫోటోను సెట్ చేయండి + అనువర్తనాన్ని భాగస్వామ్యం చేయండి కథలకు భాగస్వామ్యం చేయండి + షఫుల్ + సాధారణ + స్లీప్ టైమర్ రద్దు చేయబడింది. స్లీప్ టైమర్ ఇప్పటి నుండి% d నిమిషాలు సెట్ చేయబడింది. - స్లయిడ్ - చిన్న ఆల్బమ్ + సామాజిక కథను భాగస్వామ్యం చేయండి + సాంగ్ పాట వ్యవధి + సాంగ్స్ + క్రమాన్ని క్రమబద్ధీకరించు ఆరోహణ ఆల్బమ్ @@ -448,93 +543,91 @@ తేదీ సవరించబడింది ఇయర్ అవరోహణ + క్షమించాలి! మీ పరికరం ప్రసంగ ఇన్‌పుట్‌కు మద్దతు ఇవ్వదు మీ లైబ్రరీని శోధించండి + స్టాక్ + సంగీతం ఆడటం ప్రారంభించండి. + సలహాలు - Just show your name on home screen + అభివృద్ధికి మద్దతు ఇవ్వండి + అన్‌లాక్ చేయడానికి స్వైప్ చేయండి + సమకాలీకరించిన సాహిత్యం - సిస్టమ్ ఈక్వలైజర్ + టెలిగ్రాం దోషాలను చర్చించడానికి, సూచనలు చేయడానికి, ప్రదర్శించడానికి మరియు మరిన్ని చేయడానికి టెలిగ్రామ్ సమూహంలో చేరండి + ధన్యవాదాలు! + ఆడియో ఫైల్ + ఈ నెల ఈ వారం ఈ సంవత్సరం + చిన్న + చిన్న కార్డు + శీర్షిక - డాష్బోర్డ్ - శుభ మద్యాహ్నం - మంచి రోజు - శుభ సాయంత్రం - శుభోదయం - శుభ రాత్రి - మీ పేరు ఏమిటి + నేడు + అగ్ర ఆల్బమ్‌లు అగ్ర కళాకారులు + "ట్రాక్ (ట్రాక్ 2 కోసం 2 లేదా సిడి 3 ట్రాక్ 4 కోసం 3004)" ట్రాక్ సంఖ్య + అనువదించు మీ భాషకు అనువర్తనాన్ని అనువదించడానికి మాకు సహాయపడండి + + Try Retro Music Premium + ట్విట్టర్ మీ డిజైన్‌ను రెట్రో మ్యూజిక్‌తో పంచుకోండి + అన్ లేబుల్ + ఈ పాటను ప్లే చేయలేదు. + తదుపరిది + చిత్రాన్ని నవీకరించండి + నవీకరిస్తోంది… + యూజర్ పేరు + సంస్కరణ + లంబ ఫ్లిప్ - Virtualizer + వాల్యూమ్ + వెబ్ సెర్చ్ + స్వాగతం + మీరు ఏమి భాగస్వామ్యం చేయాలనుకుంటున్నారు? + కొత్తది ఏమిటి + కిటికీ గుండ్రని మూలలు + % 1 $ s ను మీ రింగ్‌టోన్‌గా సెట్ చేయండి. % 1 $ d ఎంచుకోబడింది + ఇయర్ + మీరు కనీసం ఒక వర్గాన్ని ఎంచుకోవాలి. మీరు ఇష్యూ ట్రాకర్ వెబ్‌సైట్‌కు ఫార్వార్డ్ చేయబడతారు. + మీ ఖాతా డేటా ప్రామాణీకరణ కోసం మాత్రమే ఉపయోగించబడుతుంది. - మొత్తం - గమనిక (ఆప్షనల్) - చెల్లింపు ప్రారంభించండి - ఇప్పుడు ప్లే స్క్రీన్ చూపించు - నోటిఫికేషన్‌పై క్లిక్ చేస్తే హోమ్ స్క్రీన్‌కు బదులుగా ఇప్పుడు ప్లే స్క్రీన్ కనిపిస్తుంది - చిన్న కార్డు - సుమారు% s - భాషను ఎంచుకోండి - అనువాదకుల - ఈ అనువర్తనాన్ని అనువదించడానికి సహాయం చేసిన వ్యక్తులు - Try Retro Music Premium - - Song - Songs - - - Album - Albums - - - %d Song - %d Songs - - - %d Album - %d Albums - - - %d Artist - %d Artists - diff --git a/app/src/main/res/values-tr-rTR/strings.xml b/app/src/main/res/values-tr-rTR/strings.xml index 2ee1b60a..00c4e11c 100644 --- a/app/src/main/res/values-tr-rTR/strings.xml +++ b/app/src/main/res/values-tr-rTR/strings.xml @@ -1,14 +1,16 @@ + %s kadar Ekip, sosyal medya linkleri + Vurgu rengi Tema vurgu rengi, varsayılan olarak mor renktedir + Hakkında Favorilere ekle Oynatma kuyruğuna ekle Oynatma listesine ekle Oynatma kuyruğunu temizle - Oynatma listesini temizle Tekrarlı oynatma modu Sil Cihazdan sil @@ -46,19 +48,32 @@ Şarkı bilgilerini düzenle Favori değiştir Karışık Çal + Uyarlanabilir + Ekle - Şarkı sözleri ekle - Fotoğraf ekle "Oynatma listesine ekle" - Süreli şarkı sözleri ekle + "Kuyruğa 1 parça eklendi." %1$d şarkı kuyruğuna eklendi. + Albüm + + + Şarkı + Şarkılar + + Albüm sanatçısı - Şarkı ismi veya şarkıcı adı boş. + Albümler + + Albüm + Albümler + + Her zaman + Hey, şu havalı müzik çalara şuradan bir göz atmaya ne dersin: https://play.google.com/store/apps/details?id=%s Karıştır Sık oynatılan parçalar @@ -67,19 +82,25 @@ Retro müzik - Klasik Retro müzik - Küçük Retro müzik - Metin + Sanatçı + Sanatçılar + Ses odaklaması reddedildi. Ses ayarlarını değiştirin ve ekolayzır kontrollerini ayarlayın + Otomatik - Temel renk teması - Bas Kuvvetlendirme - Biyografi + Yaşam öyküsü + Sade Siyah + Kara Liste + Bulanıklık Bulanık kart + Bildiri gönderilemiyor Geçersiz erişim belirteci. Lütfen uygulama geliştiricisine başvurun. Seçilen depo için sorunlar etkin değil. Lütfen uygulama geliştiricisiyle iletişime geçin. @@ -92,45 +113,56 @@ Lütfen bir sorun başlığı girin Lütfen geçerli GitHub kullanıcı adınızı girin Beklenmedik bir hata oluştu. Bu hatayı bulduğunuz için üzgünüz, eğer durmadan hata veriyorsa \"Verileri Temizleyin\" ya da bir E-posta yollayın - Rapor GitHub\'a yükleniyor ... GitHub hesabını kullanarak gönder + Şimdi satın alın + İptal et + Kart - Yuvarlak Renkli Kart Kart - Atlıkarınca + Şimdi oynatılıyor ekranında atlıkarınca efekti + Basamaklı - Yayınla + Değişim kayıt günlüğü Sürümlerdeki değişiklik kayıtları Telegram üzerinde tutulmaktadır. + Çember + Dairesel + Klasik + Temizle - Uygulama verilerini temizle Kara listeyi temizle Kuyruğu temizle - Oynatma listesini temizle - %1$s isimli oynatma listesini temizlemekten emin misiniz? Bu işlem geri alınamaz!]]> - Kapat + Renk - Renk + Renkler + Besteci + Cihaz bilgileri panoya kopyalandı. + Oynatma listesi oluşturulamadı\u2019. "Eşleşen albüm kapağı indirilemedi\u2019." Satın alma bulunamadı. %d dosyası taranamadı. + Oluştur + %1$s adında oynatma listesi oluşturuldu. + Üyeler ve katkıda bulunanlar + Şu anda %2$s şarkıcısından %1$s dinleniyor. + Koyu - Şarkı sözü yok + Çalma listesini sil %1$s silinsin mi?]]> Çalma listelerini sil @@ -139,42 +171,62 @@ Şarkıları sil %1$d çalma listeleri silinsin mi?]]> %1$d parçaları silinsin mi?]]> + %1$d parça silindi. - Şarkılar siliniyor + Derinlik + Açıklama + Cihaz Bilgisi + Retro Müzik\'in ses ayarlarını değiştirmesine izin verin Zil sesini ayarla + Kara listeyi temizlemek istiyor musunuz? %1$s\'i kaldırmak istiyor musunuz?]]> + Bağış yapın Çalışmalarımın karşılığı olarak para hakettiğimi düşünüyorsanız bana biraz bahşiş bırakabilirsiniz + Bağışlayacağınız tutar: - Last.fm\'den yükle + Sürüş modu - Düzenle - Albüm kapağını düzenle + Boş + Ekolayzır - Hata + SSS + Favoriler + Son şarkıyı sonlandır + Uydur + Düz + Klasörler + Sistemi izle + Sizin için + Bedava + Dolu Dolu kart + Uygulamanın arayüzünü ve renklerini değiştirin Bak ve Hisset + Janr + Janrlar + Projeyi GitHub\'da çatalla - Yardım istemek veya Retro Müzik güncellemelerini takip etmek için Google+ topluluğumuza katılın + 1 2 3 @@ -184,16 +236,25 @@ 7 8 Izgara şekli + Menteşe + Geçmiş + Ana sayfa + Yatay çevir + Görüntü Gradyan görüntü Şarkıcı resimlerinin indirme ayarlarını değiştirin + %2$s listesine %1$d parçalar eklendi. + Instagram\'da Retro Müzik temanızı paylaşın + Klavye + Bit Hızı Biçim Dosya adı @@ -202,31 +263,45 @@ %s\'dan daha fazla Örnekleme oranı Uzunluk + Etiketli + Son eklenen Son şarkı - Hadi biraz müzik çalalım - Kütüphane + Kütüphane kategorileri + Lisanslar + Açık Beyaz + Dinleyiciler + Dosyalar listeleniyor + Ürünler yükleniyor ... + Giriş + Şarkı sözleri + Hindistan\'da ❤️ ile yapıldı + Materyal + Hata İzin hatası + İsim Sık oynatılanlar + Asla - Yeni afiş fotoğrafı + Yeni şarkı listesi - Yeni profil fotoğrafı %s yeni başlangıç dizini. + Sonraki Şarkı + Hiç albümünüz bulunmuyor Hiç sanatçınız bulunmuyor "Önce bir şarkı çal, sonra tekrar dene" @@ -238,45 +313,59 @@ Satın alma bulunamadı. Sonuç yok Hiç şarkınız bulunmuyor + Normal Normal şarkı sözleri - Normal + %s medya deposunda listelenmiyor.]]> + Aranacak herhangi bir şey yok. Hiçbir şey yok + Bildirim Bildirim stilini özelleştirin + Şimdi oynatılıyor Şimdi çalınıyor kuyruğu Şimdi oynatılıyor ekranını özelleştirin 9+ şimdi oynatılıyor teması + Sadece Wi-Fi\'da + Gelişmiş test özellikleri + Diğer + Şifre + Son 3 ay - Şarkı sözlerini buraya yapıştırın + Zirve + Harici depolama izni reddedildi. + İzinler reddedildi. + Kişiselleştirme Şimdi çalıyor ve kullanıcı arayüzü kontrollerinizi özelleştirin + Yerel depolama alanından seç - Resim koy + Pinterest Retro Müzik tasarım ilhamı almak için Pinterest sayfasını takip edin + Sade + Oynatılıyor bildirimi, oynatma/duraklatma vb. için eylemler sağlar. Oynatılıyor bildirimi - Boş oynatma listesi + Oynatma listesi boş Oynatma listesi ismi + Oynatma listeleri - Albüm detay stili + Bulanıklık içeren arayüzler için bulanıklık tutarı, ne kadar azsa o kadar hızlı. Bulanıklık miktarı - Alt katman diyalog köşelerini ayarlayın - Diyalog köşesi Şarkıları uzunluğa göre filtrele Şarkı süresini filtrele Gelişmiş @@ -293,9 +382,7 @@ Sıfırda dur Bu özelliği etkinleştirmenin pil ömrünü etkileyebileceğini unutmayın. Ekranı açık tut - Çalmakta olan ekrana şeffaf gezinme olmadan açmak veya kaydırmak için tıklayın - Tıkla veya Kaydır - Kar yağışı efekti + Dil seçiniz Çalmakta olan şarkı albüm kapağını kilit ekranı duvar kağıdı olarak kullanın Sistem sesi çalındığında veya bir bildirim alındığında sesi kısın Kara listedeki klasörlerin içeriği kütüphanenizden gizlenir. @@ -305,21 +392,17 @@ Klasik bildirim tasarımını kullanın Arka plan ve kontrol düğmesinin renkleri, çalmakta olan ekranda albüm resmine göre değişir Vurgu rengindeki uygulama kısayollarını renklendirir. Lütfen rengi her değiştirdiğinizde, etkili olması için bu düğmeyi değiştirin. - Birincil renkteki gezinme çubuğunu renklendirir. "Alb\u00fcm kapa\u011f\u0131n\u0131n canl\u0131 rengindeki bildirimi renklendirir" Karanlık modda malzeme tasarım kurallarına göre renkler doymamış olmalıdır - En baskın renk, albüm veya sanatçı kapağından seçilecektir + Bildirime tıklamak ana ekran yerine şimdi oynatılıyor ekranını gösterecek Mini oynatıcı için ekstra kontroller ekle Dosya formatı, bit hızı ve frekans gibi fazladan şarkı bilgilerini göster "Bazı cihazlarda oynatma sorunlarına neden olabilir" - Janr sekmesine erkinleştir Ana sayfa afişini etkinleştir Albüm kapağı kalitesini artırabilir, ancak fotoğrafın yavaş yüklenmesine neden olur. Bunu, yalnızca düşük çözünürlüklü resimlerle ilgili sorunlarınız varsa etkinleştirin. Kütüphane kategorilerinin görünürlük ve sırasını yapılandırın Retro Müzik\'in özel kilit ekranı kontrollerini kullanın Açık kaynaklı yazılım için lisans detayları - Uygulamanın kenarlarını yuvarlaklaştır - Alt gezinti çubuğu sekmeleri için başlıkları etkinleştir Sürükleyici modu Kulaklık bağlandıktan hemen sonra çalmaya başla Yeni bir şarkı listesi çalınırken karıştırma modu kapanacak @@ -327,75 +410,76 @@ Albüm kapağını göster Albüm kapağı teması Albüm kapağını atla - Albüm ızgarası Renkli uygulama kısayolları - Sanatçı ızgarası Odak kaybında ses hacmini azaltın Sanatçı resimlerini otomatik indir Kara Liste Bluetooth playback Albüm kapağını bulanıklaştır - Ekolayzır seç Klasik bildirim tasarımı Adaptif renk Renkli bildirim Doymamış renk + Şimdi oynatılıyor ekranını göster Ekstra kontroller Şarkı bilgisi Boşluksuz playback Uygulama teması - Janr sekmesini göster Ana sayfa sanatçı ızgarası Ana sayfa afişi Media Store kapaklarını yoksay Son eklenen çalma listesi aralığı Tam ekran kontrolleri - Renkli gezinme çubuğu Şimdi oynatılıyor teması Açık kaynak lisansları - Köşe kenarları Sekme başlıkları modu Atlıkarınca efekti - Baskın renk Uygulamayı tam ekran yapın - Sekme başlıkları Otomatik oynatma Karıştır modu Ses kontrolleri - Kullanıcı bilgisi - Ana renk - Ana tema rengi, varsayılanı mavi griye, şimdilik koyu renklerle çalışıyor + Pro Şimdi Oynatılıyor temaları, Atlıkarınca efekti, Renkli tema ve daha fazlası.. + Profil + Satın al - Lütfen satın almadan önce düşünün. Para iadesi yapılmaz. + Kuyruk + Uygulamayı değerlendirin Bu uygulamayı beğendiniz mi? Nasıl daha iyi yapabileceğimiz konusunda lütfen Google Play Store\'da bize bildirin + Son albümler Son sanatçılar + Kaldır - Afiş fotoğrafını kaldır Kapağı kaldır Kara listeden kaldır - Profil fotoğrafını kaldır Şarkıyı oynatma listesinden kaldır %1$s adlı şarkı oynatma listesinden kaldırılsın mı?]]> Şarkıları oynatma listesinden kaldır %1$d adlı şarkılar oynatma listesinden kaldırılsın mı?]]> + Oynatma listesini yeniden adlandır + Sorun Bildir Hata bildir + Sıfırla Sanatçı resmini sıfırla + Geri yükle + Önceki satın alma işlemi geri yüklendi. Tüm özelliklerden yararlanmak için lütfen uygulamayı yeniden başlatın. Önceki satın almalar geri yüklendi. + Satın alım geri yükleniyor ... - Retro Müzik Ekolayzırı + Retro Müzik Çalar Retro Müzik Pro + Dosya silme başarısız oldu: %s SAF url\'si alınamıyor. @@ -408,37 +492,48 @@ Herhangi bir alt klasörü açmayın Ekranın alt kısmındaki \'Seç\' düğmesine dokunun Dosya yazma başarısız oldu: %s + Kaydet Dosya olarak kaydet Dosya olarak kaydet + Oynatma listesi %s olarak kaydedildi. + Değişiklikler kaydediliyor + Medyayı tara + %1$d / %2$d dosya tarandı. + Gönderilen şarkı adları - Kütüphanenizi arayın… + Hepsini seç - Afiş fotoğrafını seçin + Seçilmiş - Çökme raporu gönder + Ayarla Sanatçı resmini ayarla - Profil fotoğrafı seç + Uygulamayı paylaş Hikayende paylaş + Karıştır + Basit + Uyku zamanlayıcısı iptal edildi. Uyku zamanlayıcısı %d dakikaya ayarlandı. - Kaydır - Küçük albüm + Sosyal Hikaye olarak paylaş + Şarkı Şarkı süresi + Şarkılar + Sıralama Ölçütü Yükselen Albüm @@ -448,93 +543,91 @@ Zaman ayarlandı Yıl Azalan + Üzgünüz, ancak cihazın konuşma girişini desteklemiyor. Kütüphanenizde arayın + Kümele + Müzik çalmayı başlat. + Öneriler - İsmini sadece ana ekranda göster + Destek geliştirme + Açmak için kaydırın + Senkronize şarkı sözleri - Sistem Ekolayzırı + Telegram Hataları tartışmak, önerilerde bulunmak ve daha fazlası için Telegram grubuna katılın + Teşekkür ederiz! + Ses dosyası + Bu ay Bu hafta Bu yıl + Küçük + Ufak kart + Şarkı adı - Gösterge paneli - Tünaydın - İyi günler - İyi akşamlar - Günaydın - İyi geceler - Adın Ne? + Bugün + En iyi albümler En iyi sanatçılar + "Parça (parça 2 için 2 veya CD3 parça 4 için 3004)" Parça numarası + Çevir Uygulamayı diline çevirmek için bize yardımcı ol. + + Retro Müzik Premium\'u deneyin + Twitter Tasarımınızı Retro Müzik\'le paylaşın + Etiketsiz + Bu şarkı oynatılamadı\u2019. + Bir sonraki + Resmi güncelle + Güncelleniyor ... + Kullanıcı Adı + Sürüm + Dikey çevir - Sanallaştırıcı + Ses + İnternette ara + Hoşgeldiniz, + Ne paylaşmak istiyorsunuz? + Yenilikler + Pencere Yuvarlatılmış kenarlar + %1$s\'i zil sesi olarak ayarla. %1$d seçildi + Yıl + En az bir kategori seçmek zorundasınız. Sorun izleyici web sitesine yönlendirileceksiniz. + Hesap verileriniz sadece kimlik doğrulama için kullanılır. - Miktar - Not (İsteğe bağlı) - Ödemeyi başlat - Şimdi oynatılıyor ekranını göster - Bildirime tıklamak ana ekran yerine şimdi oynatılıyor ekranını gösterecek - Ufak kart - %s kadar - Dil seçiniz - Çevirmenler - Bu uygulamayı çevirmeye yardım edenler - Retro Müzik Premium\'u deneyin - - Şarkı - Şarkılar - - - Albüm - Albümler - - - %d Şarkı - %d Şarkılar - - - %d Albüm - %d Albümler - - - %d Sanatçı - %d Sanatçılar - diff --git a/app/src/main/res/values-uk-rUA/strings.xml b/app/src/main/res/values-uk-rUA/strings.xml index 77533a1b..183617be 100644 --- a/app/src/main/res/values-uk-rUA/strings.xml +++ b/app/src/main/res/values-uk-rUA/strings.xml @@ -1,14 +1,16 @@ + Про додаток %s Команда, посилання на соц. мережі + Акцентний колір Акцентний колір, за замовчуванням фіолетовий + Про додаток Додати в обране Додати до черги відтворення Додати до списку відтворення Очистити чергу відтворення - Очистити список відтворення Циклічне повторення Видалити Видалити з пристрою @@ -46,19 +48,36 @@ Редактор тегів Перемкнути улюблене Перемкнути режим змішування + Адаптивний + Додати - Додати текст пісні - Додати \nфото "Додати до списку відтворення" - Додати текст з мітками часу + "Додано 1 композицію до черги відтворення." Додано %1$d композицій до черги відтворення. + Альбом + + + Пісня + Пісні + Пісні + Пісні + + Виконавець альбому - Назва або виконавець відсутні. + Альбоми + + Альбом + Альбоми + Альбоми + Альбоми + + Завжди + Привіт, перегляньте цей крутий музичний плеєр за адресою: https://play.google.com/store/apps/details?id=%s Перемішати Кращі треки @@ -67,19 +86,25 @@ Ретро-музика - Класичний Ретро-музика - Малий Ретро-музика - Текст + Виконавець + Виконавці + В отриманні аудіофокусу відмовлено. Змінити налаштування звуку та налаштувати параметри еквалайзера + Автоматично - Основна колірна тема - Підсилення басу - Життєпис + Життєпис + Чорний + Чорний список + Розмиття Розмита картка + Не вдалося надіслати звіт Недійсний токен доступу. Зв’яжіться з розробником додатка. Проблеми не включені для вибраного сховища. Зверніться до розробника програми. @@ -92,45 +117,56 @@ Введіть заголовок проблеми Введіть своє дійсне ім’я користувача GitHub Сталася неочікувана помилка. Вибачте, що натрапили на цю помилку, якщо вона постійно повторюється, спробуйте \"Очистити дані додатка\" або надішліть лист на ел. пошту - Завантаження звіту на GitHub… Надіслати через обліковий запис GitHub + Придбайте вже + Відмінити + Картка - Кільце Кольорова картка Картка - Карусель + Карусель на екрані відтворення + Каскад - Транслювати + Історія змін Журнал змін доступний у каналі Telegram + Коло + Круглий + Класичний + Очистити - Очистити дані додатку Очистити чорний список Очистити чергу - Очистити список відтворення - %1$s? Це незворотня дія!]]> - Закрити + Колір - Колір + Кольори + Композитор + Скопійовано інформацію про пристрій у буфер обміну. + Не вдалося створити список відтворення. "Не вдалося завантажити відповідну обкладинку альбому." Не вдалося відновити покупку. Не вдалося просканувати %d файлів. + Створити + Створено список відтворення %1$s. + Учасники та меценати + Зараз грає %1$s від %2$s. + Майже темна - Текст відсутній + Видалити список відтворення %1$s?]]> Видалити списки відтворення @@ -139,42 +175,62 @@ Видалити пісні %1$d списки відтворення?]]> %1$d пісень?]]> + Видалено %1$d пісень. - Видалення пісень + Глибина + Опис + Інформація про пристрій + Дозволити Retro Music змінювати налаштування звуку Встановити як мелодію дзвінка + Ви хочете очистити чорний список? %1$s з чорного списку?]]> + Підтримати Якщо ви вважаєте, що я заслуговую на оплату своєї праці, ви можете залишити гроші тут + Купіть мені: - Завантажити з Last.fm + Режим водія - Редагувати - Редагувати обкладинку + Порожньо + Еквалайзер - Помилка + ЧаП + Обране + Закінчити останню пісню + Вмістити + Плоский + Папки + Наслідувати систему + Для Вас + Безкоштовно + Повний Повна картка + Змінити тему і кольори додатку Вигляд + Жанр + Жанри + Розгалужити проект на GitHub - Приєднайтеся до спільноти Google Plus, де ви можете звернутися по допомогу або слідкувати за оновленнями в Retro Music + 1 2 3 @@ -184,16 +240,25 @@ 7 8 Стиль сітки + Завіса + Історія + Домашня сторінка + Горизонтальне перевернення + Зображення Градієнтне зображення Змінити параметри завантаження зображення виконавця + Додано %1$d пісень до списку відтворення %2$s. + Похизуйтеся вашими налаштуваннями Retro Music у Instagram + Клавіатура + Бітрейт Формат Назва файлу @@ -202,31 +267,45 @@ Більше від %s Частота дискретизації Довжина + З відміткою + Нещодавно додане Остання пісня - Нумо слухати музику - Бібліотека + Категорії бібліотеки + Ліцензії + Яскраво-білий + Слухачі + Список файлів + Завантаження продуктів… + Логін + Текст + Зроблено з ❤ в Індії + Матеріал + Помилка Помилка дозволу + Назва Найчастіше відтворювані + Ніколи - Нове фото банеру + Новий список відтворення - Нове фото профілю %s є новим початковим каталогом. + Наступна пісня + Немає жодного альбому Немає жодного виконавця "Спочатку відтворіть пісню, а потім спробуйте ще раз." @@ -238,45 +317,59 @@ Покупки не знайдено. Немає результатів У вас немає пісень + Нормальний Стандартний текст - Нормальний + %s не вказано в медіа сховищі.]]> + Нічого сканувати. Порожньо + Сповіщення Налаштувати стиль сповіщення + Відтворюється зараз Зараз в черзі відтворення Налаштування екрану відтворення 9+ тем екрану відтворення + Лише через Wi-Fi + Розширені функції тестування + Інше + Пароль + Останні 3 місяці - Вставити текст сюди + Пік + Відмовлено у доступі до зовнішнього сховища. + У доступі відмовлено. + Персоналізація Налаштуйте екран відтворення та зовнішній вигляд + Вибрати з локального сховища - Вибрати зображення + Pinterest Слідкуйте за сторінкою Pinterest від Retro Music для натхнення дизайну + Звичайний + Сповіщення про відтворення надає дії для відтворення/паузи тощо. Сповіщення про відтворення - Порожній список відтворення + Список відтворення порожній Назва списку відтворення + Списки відтворення - Стиль деталей альбому + Величина розмиття, що застосовується для розмиття тем, менше - швидше Величина розмиття - Налаштування кутів діалогового вікна знизу - Куточок діалогового вікна Сортувати пісні за довжиною Сортувати пісні за тривалістю Додатково @@ -293,9 +386,7 @@ Пауза при нулі Майте на увазі, що увімкнення цієї функції може вплинути на заряд акумулятора Не вимикати екран - Натисніть, щоб відкрити або проведіть, щоб уникнути прозорої навігації на екрані відтворення - Клацніть або проведіть - Ефект снігопаду + Обрати мову Використовувати обкладинку альбому пісні як шпалери екрана блокування Зменшення гучності при відтворенні системного звуку або сповіщення Вміст тек чорного списку приховано з вашої бібліотеки. @@ -305,21 +396,17 @@ Використовувати класичне оформлення сповіщення Тло і кольори кнопок керування міняються в залежності від обкладинки екрана відтворення Фарбує ярлики додатків у колір акценту. Кожного разу, коли ви змінюєте колір, будь ласка, перемкніть його, щоб зміни вступили в силу - Фарбує панель навігації у переважаючий колір "Фарбує повідомлення в обкладинці альбому яскравим кольором" Для Material Design лінії в темному режимі мають бути ненасичені - Домінуючий колір буде взято з обкладинки альбому або виконавця + При натисканні на сповіщення буде показано екран відтворення замість домашнього екрану Додати додаткові елементи керування до міні-програвача Показати додаткову інформацію про пісню, таку як формат файлів, бітрейт та частоту "Може викликати проблеми з відтворенням на деяких пристроях." - Сховати вкладку жанрів Сховати головний банер Може збільшити якість обкладинки альбому, але збільшує час завантаження зображення. Використовуйте тільки якщо у вас проблеми з обкладинками низької роздільної здатності Налаштувати видимість та порядок категорій бібліотеки. Використовувати керування музикою на екрані блокування від Retro Music Деталі ліцензії для програмного забезпечення з відкритим кодом - Заокруглити кути додатку - Сховати назви для вкладок у нижній панелі навігації Режим занурення Почати відтворення відразу після підключення навушників Випадковий режим вимкнеться при відтворенні нового списку пісень @@ -327,75 +414,76 @@ Показати обкладинку альбому Тема обкладинки альбому Пропустити обкладинку альбому - Сітка альбому Кольорові ярлики додатків - Сітка виконавців Зменшити гучність при сторонніх звуках Автоматично завантажувати зображення виконавців Чорний список Відтворення Bluetooth Розмити обкладинку альбому - Вибрати еквалайзер Класичне оформлення сповіщень Адаптивний колір Кольорове сповіщення Ненасичений колір + Показувати на екрані відтворення Додаткові елементи керування Інформація про пісню Безперервне відтворення Тема додатку - Показати вкладку жанрів Домашня сітка виконавця Головний банер Ігнорувати обкладинки з Медіасховища Інтервал останнього доданого списку відтворення Повноекранне керування - Кольорова панель навігації Тема відтворення Ліцензії з відкритим кодом - Кути Режим назв вкладок Ефект Каруселі - Головний колір На весь екран - Назви вкладок Автоматичне відтворення Режим перемішування Регулювання гучності - Інформація про користувача - Основний колір - Основний колір теми, за замовчуванням сіро-синій, відтепер працює з темними кольорами + Pro Чорна тема, теми відтворення, ефект каруселі та інше.. + Профіль + Придбати - *Подумайте перед придбанням, не просіть повернути гроші. + Черга + Оцініть додаток Подобається цей додаток? Напишіть відгук нам у Google Play Store, як ми можемо зробити його ще кращим + Останні альбоми Останні виконавці + Вилучити - Видалити фото банера Видалити обкладинку Видалити з чорного списку - Видалити фото профілю Видалити пісню зі списку відтворення %1$s зі списку відтворення?]]> Видалити пісні зі списку відтворення %1$d пісень зі списку відтворення?]]> + Перейменувати список відтворення + Повідомити про помилку Повідомити про помилку + Скинути Скинути зображення виконавця + Відновити + Відновлено попередню покупку. Перезапустіть додаток, щоб скористатися всіма функціями. Відновлені попередні покупки. + Відновлення покупки… - Еквалайзер Retro Music + Retro Music плеєр Retro Music Pro + Помилка видалення файлу: %s Неможливо отримати URI SAF @@ -408,37 +496,48 @@ Не відкривайте вкладені папки Натисніть кнопку \"вибрати\" внизу екрана Не вдалося записати файл: %s + Зберегти Зберегти як файл Зберегти як файли + Збережено список відтворення в %s. + Збереження змін + Сканувати медіа + Проскановано %1$d з %2$d файлів. + Персоналізація - Пошук у бібліотеці… + Виділити все - Обрати фото банера + Обрано - Надіслати журнал збою + Встановити Встановити зображення виконавця - Встановити фото профілю + Поділитися додатком Поділитися в Історії + Перемішати + Простий + Таймер сну скасовано. Таймер сну спрацює за %d хвилин. - Слайд - Маленький альбом + Соціальні мережі Поділитися історією + Пісня Тривалість пісні + Пісні + Порядок сортування За зростанням Альбом @@ -448,103 +547,91 @@ Дата змінення Рік За спаданням + Вибачте! Ваш пристрій не підтримує введення мови Пошук у бібліотеці + Стек + Почати програвати музику. + Пропозиції - Показувати своє ім\'я на домашньому екрані + Підтримати розробку + Свайпніть, щоб розблокувати + Синхронізовані тексти - Системний еквалайзер + Telegram Приєднуйтесь до групи Telegram щоб обговорити помилки, робити пропозиції та інше + Щиро дякую! + Аудіофайл + Цього місяця Цього тижня Цього року + Дрібний + Крихітна картка + Назва - Головна панель - Добрий день - Доброго дня - Доброго вечора - Доброго ранку - Надобраніч - Як вас звати + Сьогодні + Топ альбомів Топ виконавців + "Доріжка (2 для доріжки 2 або 3004 для CD3 доріжки 4)" Номер пісні + Перекласти Допоможіть нам перекласти додаток на вашу мову + + Спробуйте Retro Music Преміум + Твіттер Поділіться своїм дизайном із Retro Music + Без позначки + Не можу відтворити пісню. + Наступне + Оновити зображення + Оновлення… + Ім\'я користувача + Версія додатку + Вертикальне сальто - Віртуалізатор + Гучність + Пошук в інтернеті + Вітаємо вас, + Чим ви хочете поділитися? + Що нового + Вікно Закруглені кути + Встановити %1$s як мелодію дзвінка. %1$d обрано + Рік + Виберіть принаймні одну категорію. Вас буде перенаправлено на сайт відстеження проблем. + Дані вашого облікового запису використовуються лише для автентифікації. - Кількість - Примітка (необов\'язково) - Розпочати оплату - Показувати на екрані відтворення - При натисканні на сповіщення буде показано екран відтворення замість домашнього екрану - Крихітна картка - Про додаток %s - Обрати мову - Перекладачі - Люди, які допомогли перекласти цей додаток - Спробуйте Retro Music Преміум - - Пісня - Пісні - Пісні - Пісні - - - Альбом - Альбоми - Альбоми - Альбоми - - - %d Пісня - %d пісні - %d пісні - %d пісні - - - %d Альбом - %d Альбоми - %d Альбоми - %d Альбоми - - - %d Виконавець - %d Виконавці - %d Виконавці - %d Виконавці - diff --git a/app/src/main/res/values-ur-rIN/strings.xml b/app/src/main/res/values-ur-rIN/strings.xml index c4438228..b599615c 100644 --- a/app/src/main/res/values-ur-rIN/strings.xml +++ b/app/src/main/res/values-ur-rIN/strings.xml @@ -1,14 +1,16 @@ + About %s Team, social links + Accent color The theme accent color, defaults to purple + About Add to favorites Add to playing queue Add to playlist Clear playing queue - Clear playlist Cycle repeat mode Delete Delete from device @@ -46,19 +48,32 @@ Tag editor Toggle favorite Toggle shuffle mode + Adaptive + Add - Add lyrics - Add \nphoto "Add to playlist" - Add time frame lyrics + "Added 1 title to the playing queue." Added %1$d titles to the playing queue. + Album + + + Song + Songs + + Album artist - The title or artist is empty. + Albums + + Album + Albums + + Always + Hey check out this cool music player at: https://play.google.com/store/apps/details?id=%s Shuffle Top Tracks @@ -67,19 +82,25 @@ Classic Small Text + Artist + Artists + Audio focus denied. Change the sound settings and adjust the equalizer controls + Auto - Base color theme - Bass Boost - Bio + Biography + Just Black + Blacklist + Blur Blur Card + Unable to send report Invalid access token. Please contact the app developer. Issues are not enabled for the selected repository. Please contact the app developer. @@ -92,45 +113,56 @@ Please enter an issue title Please enter your valid GitHub username An unexpected error occurred. Sorry you found this bug, if it keeps crashing \"Clear app data\" or send an Email - Uploading report to GitHub… Send using GitHub account + Buy now + Cancel + Card - Circular Colored Card Card - Carousel + Carousel effect on the now playing screen + Cascading - Cast + Changelog Changelog maintained on the Telegram channel + Circle + Circular + Classic + Clear - Clear app data Clear blacklist Clear queue - Clear playlist - %1$s? This can\u2019t be undone!]]> - Close + Color - Color + Colors + Composer + Copied device info to clipboard. + Couldn\u2019t create playlist. "Couldn\u2019t download a matching album cover." Could not restore purchase. Could not scan %d files. + Create + Created playlist %1$s. + Members and contributors + Currently listening to %1$s by %2$s. + Kinda Dark - No Lyrics + Delete playlist %1$s?]]> Delete playlists @@ -139,42 +171,62 @@ Delete songs %1$d playlists?]]> %1$d songs?]]> + Deleted %1$d songs. - Deleting songs + Depth + Description + Device info + Allow Retro Music to modify audio settings Set ringtone + Do you want to clear the blacklist? %1$s from the blacklist?]]> + Donate If you think I deserve to get paid for my work, you can leave some money here + Buy me a: - Download from Last.fm + Drive mode - Edit - Edit cover + Empty + Equalizer - Error + FAQ + Favorites + Finish last song + Fit + Flat + Folders + Follow system + For you + Free + Full Full card + Change the theme and colors of the app Look and feel + Genre + Genres + Fork the project on GitHub - Join the Google Plus community where you can ask for help or follow Retro Music updates + 1 2 3 @@ -184,16 +236,25 @@ 7 8 Grid style + Hinge + History + Home + Horizontal flip + Image Gradient image Change artist image download settings + Inserted %1$d songs into the playlist %2$s. + Share your Retro Music setup to showcase on Instagram + Keyboard + Bitrate Format File name @@ -202,31 +263,45 @@ More from %s Sampling rate Length + Labeled + Last added Last song - Let\'s play some music - Library + Library categories + Licenses + Clearly White + Listeners + Listing files + Loading products… + Login + Lyrics + Made with ❤️ in India + Material + Error Permission error + Name Most played + Never - New banner photo + New playlist - New profile photo %s is the new start directory. + Next Song + You have no albums You have no artists "Play a song first, then try again." @@ -238,45 +313,59 @@ No purchase found. No results You have no songs + Normal Normal lyrics - Normal + %s is not listed in the media store.]]> + Nothing to scan. Nothing to see + Notification Customize the notification style + Now playing Now playing queue Customize the now playing screen 9+ now playing themes + Only on Wi-Fi + Advanced testing features + Other + Password + Past 3 months - Paste lyrics here + Peak + Permission to access external storage denied. + Permissions denied. + Personalize Customize your now playing and UI controls + Pick from local storage - Pick image + Pinterest Follow Pinterest page for Retro Music design inspiration + Plain + The playing notification provides actions for play/pause etc. Playing notification - Empty playlist + Playlist is empty Playlist name + Playlists - Album detail style + Amount of blur applied for blur themes, lower is faster Blur amount - Adjust the bottom sheet dialog corners - Dialog corner Filter songs by length Filter song duration Advanced @@ -293,9 +382,7 @@ Pause on zero Keep in mind that enabling this feature may affect battery life Keep the screen on - Click to open with or slide to without transparent navigation of now playing screen - Click or Slide - Snow fall effect + Select language Use the currently playing song album cover as the lockscreen wallpaper Lower the volume when a system sound is played or a notification is received The content of blacklisted folders is hidden from your library. @@ -305,21 +392,17 @@ Use the classic notification design The background and control button colors change according to the album art from the now playing screen Colors the app shortcuts in the accent color. Every time you change the color please toggle this to take effect - Colors the navigation bar in the primary color "Colors the notification in the album cover\u2019s vibrant color" As per Material Design guide lines in dark mode colors should be desaturated - Most dominant color will be picked from the album or artist cover + Clicking on the notification will show now playing screen instead of the home screen Add extra controls for mini player Show extra Song information, such as file format, bitrate and frequency "Can cause playback issues on some devices." - Toggle genre tab Show or hide the home banner Can increase the album cover quality, but causes slower image loading times. Only enable this if you have problems with low resolution artworks Configure visibility and order of library categories. Use Retro Music\'s custom lockscreen controls License details for open source software - Round the app\'s edges - Toggle titles for the bottom navigation bar tabs Immersive mode Start playing immediately after headphones are connected Shuffle mode will turn off when playing a new list of songs @@ -327,75 +410,76 @@ Show album cover Album cover theme Album cover skip - Album grid Colored app shortcuts - Artist grid Reduce volume on focus loss Auto-download artist images Blacklist Bluetooth playback Blur album cover - Choose equalizer Classic notification design Adaptive color Colored notification Desaturated color + Show now playing screen Extra controls Song info Gapless playback App theme - Show genre tab Artist grid Banner Ignore Media Store covers Last added playlist interval Fullscreen controls - Colored navigation bar Now playing theme Open source licences - Corner edges Tab titles mode Carousel effect - Dominant color Fullscreen app - Tab titles Auto-play Shuffle mode Volume controls - User info - Primary color - The primary theme color, defaults to blue grey, for now works with dark colors + Pro Black theme, Now playing themes, Carousel effect and more.. + Profile + Purchase - *Think before buying, don\'t ask for refund. + Playing Queue + Rate the app Love this app? Let us know in the Google Play Store how we can make it even better + Recent albums Recent artists + Remove - Remove banner photo Remove cover Remove from blacklist - Remove profile photo Remove song from playlist %1$s from the playlist?]]> Remove songs from playlist %1$d songs from the playlist?]]> + Rename playlist + Report an issue Report bug + Reset Reset artist image + Restore + Restored previous purchase. Please restart the app to make use of all features. Restored previous purchases. + Restoring purchase… - Retro Music Equalizer + Retro Music Player Retro Music Pro + File delete failed: %s Can\'t get SAF URI @@ -408,37 +492,48 @@ Do not open any sub-folders Tap \'select\' button at the bottom of the screen File write failed: %s + Save Save as file Save as files + Saved playlist to %s. + Saving changes + Scan media + Scanned %1$d of %2$d files. + Scrobbles - Search your library… + Select all - Select banner photo + Selected - Send crash log + Set Set artist image - Set a profile photo + Share app Share to Stories + Shuffle + Simple + Sleep timer canceled. Sleep timer set for %d minutes from now. - Slide - Small album + Social Share story + Song Song duration + Songs + Sort order Ascending Album @@ -448,93 +543,91 @@ Date modified Year Descending + Sorry! Your device doesn\'t support speech input Search your library + Stack + Start playing music. + Suggestions - Just show your name on home screen + Support development + Swipe to unlock + Synced lyrics - System Equalizer + Telegram Join the Telegram group to discuss bugs, make suggestions, show off and more + Thank you! + The audio file + This month This week This year + Tiny + Tiny card + Title - Dashboard - Good afternoon - Good day - Good evening - Good morning - Good night - What\'s Your Name + Today + Top albums Top artists + "Track (2 for track 2 or 3004 for CD3 track 4)" Track number + Translate Help us translate the app to your language + + Try Retro Music Premium + Twitter Share your design with Retro Music + Unlabeled + Couldn\u2019t play this song. + Up next + Update image + Updating… + Username + Version + Vertical flip - Virtualizer + Volume + Web search + Welcome, + What do you want to share? + What\'s New + Window Rounded corners + Set %1$s as your ringtone. %1$d selected + Year + You have to select at least one category. You will be forwarded to the issue tracker website. + Your account data is only used for authentication. - Amount - Note(Optional) - Start payment - Show now playing screen - Clicking on the notification will show now playing screen instead of the home screen - Tiny card - About %s - Select language - Translators - The people who helped translate this app - Try Retro Music Premium - - Song - Songs - - - Album - Albums - - - %d Song - %d Songs - - - %d Album - %d Albums - - - %d Artist - %d Artists - diff --git a/app/src/main/res/values-vi-rVN/strings.xml b/app/src/main/res/values-vi-rVN/strings.xml index b1b5550b..25946303 100644 --- a/app/src/main/res/values-vi-rVN/strings.xml +++ b/app/src/main/res/values-vi-rVN/strings.xml @@ -1,14 +1,16 @@ + About %s Đường dẫn tổ đội, mạng xã hội + Màu sắc nhấn mạnh Màu sắc chủ đạo của chủ đề, mặc định là xanh ngọc + Về chúng tôi Thêm vào yêu thích Thêm vào hàng đợi Thêm vào danh sách phát Xoá hàng đợi - Xoá danh sách phát Cycle repeat mode Xoá Xóa khỏi thiết bị @@ -46,19 +48,30 @@ Chỉnh sửa thẻ Toggle favorite Toggle shuffle mode + Thích nghi + Thêm - Thêm lời bài hát - Thêm \nhình ảnh "Thêm vào danh sách phát" - Thêm khung thời gian cho lời bài hát + "Đã thêm 1 bài vào háng đợi phát." Đã thêm %1$d bài vào hàng đợi phát. + Album + + + Songs + + Album của nghệ sĩ - Tên bài hát hoặc nghệ sĩ để trống + Album + + Albums + + Luôn luôn + Hãy dùng thử trình phát nhạc siêu chất này tại: https://play.google.com/store/apps/details?id=%s Ngẫu nhiên Bản nhạc hàng đầu @@ -67,19 +80,25 @@ Cổ điển Nhỏ Text + Nghệ sĩ + Nghệ sĩ + Tập trung âm thanh bị từ chối Thay đổi cài đặt âm thanh và điều chỉnh các điều khiển bộ chỉnh âm + Tự động - Chủ đề màu cơ bản - Tăng cường Bass - Tiểu sử + Tiểu sử + Đen hoàn toàn + Danh sách đen + Làm mờ Thẻ mờ + Không thể gửi báo cáo Mã token không hợp lệ. Vui lòng liên hệ với nhà phát triển ứng dụng. Các vấn đề không được kích hoạt cho repository đã chọn. Vui lòng liên hệ với nhà phát triển ứng dụng. @@ -93,45 +112,56 @@ Vui lòng nhập đúng tên người dùng Github của bạn Đã xảy ra lỗi không mong muốn. Xin lỗi bạn vì lỗi này, nếu nó tiếp tục xảy ra hãy \"Xóa dữ liệu ứng dụng\" - Đang tải báo cáo lên Github... Gửi bằng tài khoản GitHub + Buy now + Hủy + Thẻ - Tròn Thẻ màu Thẻ - Tiệc tùng + Hiệu ứng băng chuyền trên màn hình đang phát + Xếp tầng - Truyền + Thay đổi Nhật ký thay đổi được cập nhật trong ứng dụng Telegram + Circle + Thông tư + Cổ điển + Xóa - Xóa dữ liệu ứng dụng Xóa danh sách đen Xóa hàng đợi - Xoá danh sách phát - %1$s? This can\u2019t be undone!]]> - Đóng + Màu sắc - Màu sắc + Màu sắc + Tác giả + Đã sao chép thông tin thiết bị vào clipboard. + Kh\u00f4ng th\u1ec3 t\u1ea1o danh s\u00e1ch ph\u00e1t "Kh\u00f4ng th\u1ec3 t\u1ea3i xu\u1ed1ng \u1ea3nh b\u00eca album ph\u00f9 h\u1ee3p." Không thể khôi phục mua hàng. Không thể quét %d tập tin. + Tạo + Đã tạo danh sách phát %1$s. + Thành viên và cộng tác viên + Đang nghe %1$s bởi %2$s. + Xám đen - Không có lời bài hát + Xoá danh sách phát %1$s?]]> Xoá danh sách phát @@ -140,42 +170,62 @@ tiếp tục xảy ra hãy \"Xóa dữ liệu ứng dụng\" Xoá bài hát %1$d danh sách phát?]]> %1$d bài hát?]]> + Đã xoá %1$d bài hát. - Deleting songs + Độ sâu + Mô tả + Thông tin thiết bị + Cho phép Retro Music cấu hình cài đặt âm thanh Cài làm nhạc chuông + Bạn có muốn xóa danh sách đen? %1$s khỏi danh sách đen?]]> + Ủng hộ Nếu bạn nghĩ rằng tôi xứng đáng được thưởng cho công việc này, bạn có thể để lại một số tiền ở đây. Cảm ơn bạn! :D + Mua cho tôi một: - Tải xuống từ Last.fm + Drive mode - Chỉnh sửa - Chỉnh sửa ảnh bìa + Trống + Bộ chỉnh âm - Lỗi + Câu hỏi thường gặp + Yêu thích + Kết thúc bài cuối + Phù hợp + Phẳng + Thư mục + Follow system + Cho bạn + Free + Toàn bộ Thẻ đầy đủ + Thay đổi chủ đề và màu sắc của ứng dụng Nhìn và cảm nhận + Thể loại + Thể loại + Tham gia phát triển dự án trên Github - Tham gia cộng đồng Google Plus, nơi bạn có thể yêu cầu trợ giúp hoặc theo dõi các cập nhật Retro Music + 1 2 3 @@ -185,16 +235,25 @@ tiếp tục xảy ra hãy \"Xóa dữ liệu ứng dụng\" 7 8 Bố trí lưới + Bản lề + Lịch sử + Trang chủ + Lật ngang + Hình ảnh Ảnh màu chuyển sắc Thay đổi cài đặt tải xuống hình ảnh nghệ sĩ + Đã chèn %1$d bài hát vào danh sách phát %2$s. + Chia sẻ thiết lập Retro Music của bạn trong Instagram + Bàn phím + Bitrate Định dạng Tên tệp @@ -203,31 +262,45 @@ tiếp tục xảy ra hãy \"Xóa dữ liệu ứng dụng\" More from %s Tần số lấy mẫu Độ dài + Được dán nhãn + Đã thêm gần đây Bài cuối - Hãy nghe một vài bản nhạc - Thư viện + Danh mục thư viện + Giấy phép + Hoàn toàn trắng + Listeners + Danh sách tập tin + Đang tải sản phẩm... + Đăng nhập + Lời bài hát + Được làm bằng ❤️ ở Ấn Độ + Material + Lỗi Lỗi quyền truy cập + Tên của bạn Phát nhiều nhất + Không bao giờ - Ảnh biểu ngữ mới + Danh sách phát mới - Ảnh tiểu sử mới %s là trang bắt đầu mới. + Bài kế + Không có album Không có nghệ sĩ "Phát một bài hát trước, sau đó thử lại." @@ -239,45 +312,59 @@ tiếp tục xảy ra hãy \"Xóa dữ liệu ứng dụng\" Không tìm thấy giao dịch mua. Không có kết quả Không có bài hát + Tiêu chuẩn Lời chuẩn - Bình thường + %s không được liệt kê trong thư mục nhạc.]]> + Không có gì để quét. Nothing to see + Thông báo Tùy chỉnh kiểu thông báo + Đang phát Đang phát hàng đợi Tùy chỉnh màn hình đang phát Hơn 9 giao diện đang phát + Chỉ khi dùng Wi-Fi + Tính năng nâng cao đang kiểm thử + Khác + Mật khẩu + Mỗi tháng - Dán lời bài hát tại đây + Peak + Quyền truy cập bộ nhớ ngoài bị từ chối. + Quyền đã bị từ chối. + Cá nhân hoá Tùy chỉnh màn hình phát và giao diện người dùng + Chọn từ bộ nhớ trong - Chọn ảnh + Pinterest Follow Pinterest page for Retro Music design inspiration + Giản dị + Thanh thông báo đang phát sẽ cho phép bạn phát nhạc/tạm dừng, chuyển bài,... Thông báo đang phát - Danh sách phát trống + Danh sách phát trống Tên danh sách phát + Danh sách phát - Album detail style + Độ mờ được áp dụng cho các chủ đề mờ, thấp hơn là nhanh hơn Độ mờ - Adjust the bottom sheet dialog corners - Dialog corner Filter songs by length Lọc theo thời lượng bài hát Advanced @@ -294,9 +381,7 @@ tiếp tục xảy ra hãy \"Xóa dữ liệu ứng dụng\" Tạm dừng phát khi tắt âm lượng Lưu ý rằng việc bật tính năng này có thể ảnh hưởng đến tuổi thọ pin Giữ màn hình luôn bật - Nhấp hoặc trượt để mở mà không cần điều hướng của màn hình đang phát - Nhấp hoặc Trượt - Hiệu ứng tuyết rơi + Select language Sử dụng ảnh bìa album bài hát đang phát làm ảnh nền màn hình khóa. Giảm âm lượng khi có âm báo hệ thống hoặc khi bạn có thông báo Nội dung của các thư mục trong danh sách đen được ẩn khỏi thư viện của bạn. @@ -306,21 +391,17 @@ tiếp tục xảy ra hãy \"Xóa dữ liệu ứng dụng\" Dùng thiết kế thông báo cổ điển Màu nền và các nút điều khiển sẽ thay đổi theo màu sắc ảnh bìa album đang phát Màu sắc trong lối tắt ứng dụng dùng màu sắc chủ đạo. Mỗi khi bạn thay đổi màu chủ đạo, hãy bật/tắt lại công tắc này để thay đổi có hiệu lực - Thay đổi màu sắc thanh điều hướng theo màu chủ đề chung "M\u00e0u s\u1eafc th\u00f4ng b\u00e1o thay \u0111\u1ed5i theo m\u00e0u s\u1eafc chi ph\u1ed1i \u1ea3nh b\u00eca album" As per Material Design guide lines in dark mode colors should be desaturated - Màu sắc chi phối sẽ được chọn từ ảnh bìa album hoặc nghệ sĩ + Clicking on the notification will show now playing screen instead of the home screen Thêm điều khiển bổ sung cho trình phát mini Show extra Song information, such as file format, bitrate and frequency "Có thể gây ra vấn đề phát lại trên một số thiết bị." - Bật/tắt thẻ thể loại Ẩn/hiện biểu ngữ trong trang chủ Có thể tăng chất lượng hiển thị ảnh bìa album, nhưng thời gian tải hình ảnh chậm hơn. Chỉ bật tính năng này nếu bạn không hài lòng với chất lượng ảnh hiện tại Khả năng hiển thị và thứ tự của các danh mục trong thư viện. Sử dụng các điều khiển màn hình khóa tùy chỉnh của Retro Music Chi tiết giấy phép của phần mềm mã nguồn mở - Bo tròn các góc ứng dụng - Bật/tắt tiêu đề thanh điều hướng dưới Chế độ hoà nhập Tự động phát nhạc khi kết nối tai nghe Chế độ phát ngẫu nhiên sẽ tắt khi phát danh sách bài hát mới @@ -328,75 +409,76 @@ tiếp tục xảy ra hãy \"Xóa dữ liệu ứng dụng\" Hiện ảnh bìa album Chủ đề bìa album Kiểu bìa album đang phát - Lưới album Đổi màu lối tắt ứng dụng - Lưới nghệ sĩ Giảm âm lượng khi có âm báo Tự động tải xuống hình ảnh nghệ sĩ Danh sách đen Bluetooth playback Làm mờ bìa album - Chọn bộ chỉnh âm Thiết kế thông báo cổ điển Màu sắc thích nghi Đổi màu thông báo Desaturated color + Show now playing screen Điều khiển bổ sung Song info Phát không gián đoạn Chủ đề ứng dụng - Hiện thẻ thể loại Lưới nghệ sĩ trang chủ Biểu ngữ trang chủ Ảnh bìa chất lượng nguyên bản Làm mới danh sách thêm gần đây sau Điều khiển toàn màn hình. - Đổi màu thanh điều hướng Giao diện đang phát Giấy phép nguồn mở - Bo tròn các góc Chế độ tiêu đề thẻ Hiệu ứng quay vòng - Màu sắc chi phối Toàn màn hình - Tiêu đề Tự động phát Chế độ ngẫu nhiên Điều khiển âm lượng - Thông tin người dùng - Màu chủ đạo - Màu sắc chủ đạo, mặc định là màu xanh xám, bây giờ hoạt động với màu tối + Pro Black theme, Now playing themes, Carousel effect and more.. + Hồ sơ + Mua - *Hãy suy nghĩ kĩ trước khi mua, không yêu cầu hoàn tiền. + Hàng đợi + Đánh giá ứng dụng Bạn thích ứng dụng này không? Hãy cho chúng tôi biết suy nghĩ của bạn trên Cửa hàng Play để chúng tôi có thể làm cho nó tốt hơn nữa + Album mới thêm Nghệ sĩ mới thêm + Loại bỏ - Xóa ảnh biểu ngữ Xoá ảnh bìa Xóa khỏi danh sách đen - Xóa ảnh tiểu sử Xoá bài hát khỏi danh sách phát %1$s khỏi danh sách phát?]]> Xoá bài hát khỏi danh sách phát %1$d bài hát khỏi danh sách phát?]]> + Đổi tên danh sách phát + Báo cáo vấn đề Báo cáo lỗi + Cài lại Đặt lại ảnh nghệ sĩ + Khôi phục + Khôi phục mua trước đó. Vui lòng khởi động lại ứng dụng để sử dụng tất cả các tính năng. Đã khôi phục lần mua trước. + Đang khôi phục mua hàng... - Bộ chỉnh âm Retro + Retro Music Player Retro Music Pro + File delete failed: %s Can\'t get SAF URI @@ -409,37 +491,48 @@ tiếp tục xảy ra hãy \"Xóa dữ liệu ứng dụng\" Do not open any sub-folders Tap \'select\' button at the bottom of the screen File write failed: %s + Lưu Lưu thành Lưu thành tệp + Danh sách phát đã lưu đến %s. + Lưu thay đổi + Quét phương tiện + Đã sửa %1$d trong %2$d tập tin. + Scrobbles - Tìm kiếm trong thư viện của bạn... + Chọn tất cả - Chọn ảnh biểu ngữ + Đã chọn - Gửi bản ghi lỗi + Cấu hình Đặt ảnh nghệ sĩ thủ công - Chọn một hình cá nhân + Chia sẽ ứng dụng Share to Stories + Ngẫu nhiên + Đơn giản + Đã huỷ hẹn giờ ngủ. Dừng phát nhạc sau %d phút kể từ bây giờ. - Trang - Album nhỏ + Xã hội Share story + Bài hát Thời lượng bài hát + Bài hát + Thứ tự sắp xếp Tăng dần Album @@ -449,88 +542,91 @@ tiếp tục xảy ra hãy \"Xóa dữ liệu ứng dụng\" Date modified Năm Giảm dần + Xin lỗi! Thiết bị không hỗ trợ nhập liệu bằng giọng nói Tìm kiếm trong thư viện của bạn + Ngăn xếp + Bắt đầu chơi nhạc + Đề nghị - Tên của bạn chỉ hiển thị trên trang chủ + Hỗ trợ nhà phát triển + Swipe to unlock + Karaoke - Bộ chỉnh âm hệ thống + Telegram Tham gia nhóm Telegram để thảo luận về lỗi, đưa ra đề xuất, và hơn thế nữa + Cảm ơn! + Tệp âm thanh + Mỗi tháng Mỗi tuần Mỗi năm + Nhỏ + Tiny card + Tiêu đề - Bảng điều khiển - Chào buổi chiều - Ngày tốt lành - Chào buổi tối - Chào buổi sáng - Chúc ngủ ngon - Tên của bạn là gì + Hôm nay + Album hàng đầu Nghệ sĩ hàng đầu + "Rãnh (2 cho bài số 2 hoặc 3004 cho CD3 bài số 4)" Số rãnh + Dịch Giúp chúng tôi dịch ứng dụng sang ngôn ngữ của bạn + + Try Retro Music Premium + Twitter Chia sẻ thiết kế của bạn với Retro Music + Chưa gắn nhãn + Kh\u00f4ng th\u1ec3 ph\u00e1t b\u00e0i h\u00e1t n\u00e0y. + Tiếp theo + Cập nhật hình ảnh + Đang cập nhật... + Tên người dùng + Phiên bản + Vertical flip - Trình ảo hóa + Volume + Tìm kiếm trên web + Chào mừng, + Bạn muốn chia sẻ gì? + Có gì mới! + Cửa sổ Góc tròn + Đặt %1$s làm nhạc chuông. %1$d đã chọn + Năm + Bạn phải chọn ít nhất một danh mục. Bạn sẽ được chuyển tiếp đến trang web theo dõi vấn đề. + Dữ liệu tài khoản của bạn chỉ được sử dụng để xác thực. - Amount - Note(Optional) - Start payment - Show now playing screen - Clicking on the notification will show now playing screen instead of the home screen - Tiny card - About %s - Select language - Translators - The people who helped translate this app - Try Retro Music Premium - - Songs - - - Albums - - - %d Songs - - - %d Albums - - - %d Artists - diff --git a/app/src/main/res/values-xlarge/dimens.xml b/app/src/main/res/values-xlarge/dimens.xml index a700bfbc..b6e544b5 100644 --- a/app/src/main/res/values-xlarge/dimens.xml +++ b/app/src/main/res/values-xlarge/dimens.xml @@ -1,7 +1,6 @@ 64dp 64dp - 16dp 64dp 16dp 80dp diff --git a/app/src/main/res/values-zh-rCN/strings.xml b/app/src/main/res/values-zh-rCN/strings.xml index 8d9e055f..f0a7482d 100644 --- a/app/src/main/res/values-zh-rCN/strings.xml +++ b/app/src/main/res/values-zh-rCN/strings.xml @@ -1,14 +1,16 @@ + 关于 %s 团队,社交链接 + 强调色 主题强调色,默认为紫色 + 关于 添加到收藏夹 添加到播放队列 添加到播放列表 清空播放队列 - 清空播放列表 循环重复模式 删除 从设备中移除 @@ -46,19 +48,30 @@ 标签编辑器 切换收藏夹 切换随机播放模式 + 自适应 + 添加 - 添加歌词 - 添加\n头像 "添加到播放列表" - 添加滚动歌词 + "已添加1首歌到播放队列。" 已添加 %1$d 首歌到播放队列。 + 专辑 + + + Songs + + 专辑艺术家 - 标题或艺术家是空的。 + 专辑 + + Albums + + 始终 + 嘿,快来瞧瞧这个酷炫的音乐播放器:https://play.google.com/store/apps/details?id=%s 随机播放 热门曲目 @@ -67,19 +80,25 @@ 经典模式 文本 + 艺术家 + 艺术家 + 音频焦点丢失。 更改声音设置或调整均衡器 + 自动 - 基础颜色主题 - 低音增强 - 个性签名 + 简介 + A屏黑 + 黑名单 + 模糊 模糊卡片 + 无法提交报告 无效的访问令牌,请联系应用开发者。 目的仓库的 Issues 未启用,请联系应用开发者。 @@ -92,45 +111,56 @@ 请输入问题标题 请您输入有效的 GitHub 用户名 出错了,如一直崩溃请尝试清除应用数据或发送邮件给开发者 - 正在上传报告到 GitHub… 使用 GitHub 帐户发送 + 立即购买 + 取消 + 卡片 - 圆形 彩色卡片 卡片 - 轮播 + 在「正在播放」界面使用轮播效果 + 层叠 - 投射 + 更新日志 在 Telegram 频道上维护更新日志 + 环形 + 圆形 + 古典 + 清空 - 清除应用数据 清空黑名单 清空队列 - 清除播放列表 - %1$s 吗? 该步骤无法撤销!]]> - 关闭 + 颜色 - 颜色 + 更多颜色 + 作曲家 + 已复制设备信息到剪贴板。 + 无法创建播放列表。 "无法下载匹配的专辑封面。" 无法恢复购买。 无法扫描 %d 个文件。 + 创建 + 已创建播放列表 %1$s。 + 开发团队和贡献者 + 正通过 %2$s 收听 %1$s。 + 暗夜黑 - 暂无歌词 + 删除播放列表 %1$s 吗?]]> 删除播放列表 @@ -139,42 +169,62 @@ 删除歌曲 %1$d 吗?]]> %1$d 吗?]]> + 已删除 %1$d 首歌曲。 - 正在删除歌曲 + 深度 + 详情 + 设备信息 + 允许 Retro Music 修改声音设置 设为铃声 + 您想清空黑名单吗? %1$s 吗?]]> + 捐赠 如果您认为应用还不错,可以通过捐赠支持我们 + 用以下方式捐赠: - 从 Last.fm 下载 + 驾驶模式 - 编辑 - 编辑专辑封面 + 空空如也 + 均衡器 - 错误 + 常见问题和解答 + 收藏夹 + 播放完最后一首歌曲 + 填充 + 扁平 + 文件夹 + 跟随系统 + 私人订制 + 免费 + 全屏 填充卡片 + 更改应用的主题和颜色 界面与外观 + 流派 + 流派 + 在 GitHub 上克隆项目 - 加入 Google+ 社区获得帮助或者更新信息 + 1 2 3 @@ -184,16 +234,25 @@ 7 8 网格样式 + 关键 + 历史记录 + 主页 + 水平翻转 + 图片 渐变图片 更改下载艺术家图像方式 + 将歌曲 %1$d 加入 %2$s 列表。 + 将您的设置分享到 Instagram + 键盘 + 比特率 格式 文件名 @@ -202,31 +261,45 @@ 来自 %s 的更多信息 采样率 长度 + 已标记 + 最近添加 最后一首 - 来点音乐吧! - 媒体库 + 媒体库分类 + 许可 + 质感白 + 监听器 + 正在罗列所有文件 + 加载产品... + 登录 + 歌词 + 印度 ❤️ 制造 + 质感 + 错误 权限错误 + 我的名字 播放最多 + 从不 - 新横幅图片 + 新建播放列表 - 使用新的头像 %s 是新的起始目录。 + 下一曲 + 暂无专辑 暂无艺术家 "请播放歌曲后重试" @@ -238,45 +311,59 @@ 找不到支付记录 暂无结果 暂无歌曲 + 正常 正常歌词 - 正常 + %s 未在媒体存储中列出。]]> + 检索不到任何东西。 空空如也 + 通知栏 自定义通知栏风格 + 正在播放 正在播放队列 自定义播放界面 多于 9 种播放主题 + 仅限 Wi-Fi 网络 + 高级测试功能 + 其他 + 密码 + 最近三个月 - 在此处粘贴歌词 + 顶点 + 访问外部存储权限时被拒绝。 + 权限被拒绝。 + 个性化 自定义正在播放控件和UI控件 + 从本地选取 - 选择图片 + Pinterest 在 Pintrest 页面关注 Retro Music 的设计灵感 + 简洁 + 播放通知栏提供播放/暂停等操作。 通知栏播放 - 播放列表为空 + 播放列表为空 播放列表名 + 播放列表 - 专辑详细风格 + 应用于模糊主题,数值越低加载越快 模糊值 - 调整底部表格对话框圆角 - 对话框圆角 按长度筛选歌曲 筛选歌曲时长 高级 @@ -293,9 +380,7 @@ 静音暂停 请注意,启用此功能可能会降低电池续航时间 保持屏幕常亮 - 点击打开或者滑动到非正在播放界面的透明导航栏 - 单击或划动 - 降雪效果 + 选择语言 将正在播放的歌曲专辑封面设置为锁屏壁纸 当系统播放声音或收到通知时降低音量 在媒体库中隐藏列入黑名单的文件夹内容。 @@ -307,22 +392,18 @@ 使用经典通知栏设计 背景色以及控件色跟随正在播放界面的专辑封面变化 将快捷方式颜色更改为强调色,每次颜色更改后需要切换一下该设置才能生效 - 将导航栏颜色修改为主色调 "将通知栏颜色修改为专辑封面的强调色" 根据材料设计指南,黑色模式时颜色应该降低饱和度 - 从专辑封面或艺术家图像中选取主色调 + 点击通知将显示「正在播放界面」而不是「主界面」 给迷你播放器添加额外控件 显示额外的歌曲信息,例如文件格式、比特率和频率 "在一些设备上可能会播放异常" - 切换流派标签 切换主页横幅样式 可以提高封面质量,但加载时间较慢 (建议只在图片分辨率过低时开启) 配置媒体库的可见性和顺序 使用 Retro Music 的自定义锁屏 开源许可详情 - 使应用边角圆滑 - 切换底部导航栏的标签标题 沉浸模式 连接耳机后立即开始播放 播放新列表时关闭随机播放 @@ -330,75 +411,76 @@ 显示专辑封面 专辑封面主题 专辑封面跳过 - 专辑网格 着色应用快捷方式 - 艺术家网格 焦点丢失时降低音量 自动下载艺术家图片 黑名单 蓝牙播放 模糊专辑封面 - 选择均衡器 经典通知栏设计 自适应颜色 着色通知栏 不饱和色 + 显示正在播放界面 额外控件 歌曲信息 无缝播放 应用主题 - 显示流派标签 主页艺术家网格 主页横幅 忽略媒体存储封面 上次添加播放列表到现在的间隔 全屏控件 - 着色导航栏 正在播放主题 开源许可 - 边角 标签标题模式 轮播效果 - 主色调 全屏应用 - 标签标题 自动播放 随机播放 音量控件 - 用户信息 - 主颜色 - 蓝灰色为默认主色调,目前正使用深色 + 高级版 黑色主题,正在播放主题,轮播效果和更多... + 个人信息 + 购买 - *购买前请先考虑,不要征询退款。 + 队列 + 评价 喜欢这个应用?去 Google Play Store 中告诉我们怎样才能让它更好 + 最近专辑 最近艺术家 + 删除 - 删除横幅图像 移除封面 从黑名单中移除 - 删除简介照片 从播放列表中删除歌曲 %1$s?]]> 从播放列表中删除歌曲 %1$d?]]> + 重命名播放列表 + 报告问题 报告错误 + 重置 重置艺术家图片 + 恢复 + 恢复以前的购买。请重新启动应用以充分利用所有功能。 恢复之前的购买。 + 恢复购买中... - Retro Music 均衡器 + Retro Music Player Retro Music 高级版 + 文件删除失败:%s 无法获取 SAF URI @@ -411,37 +493,48 @@ 不要打开任何子文件夹 点击界面底部的「选择」按钮 文件写入失败:%s + 保存 保存为文件 保存为文件 + 保存播放列表到 %s。 + 保存修改 + 扫描媒体 + 已扫描 %1$d 个,共计 %2$d 个文件。 + 滚动条 - 搜索媒体库... + 全选 - 选择横幅图像 + 已选中 - 发送崩溃日志 + 设置 设置艺术家图片 - 设置个人资料照片 + 分享应用 分享到故事 + 随机播放 + 简单 + 睡眠定时已取消。 睡眠定时器设置为 %d 分钟。 - 滑动 - 小专辑 + 社交 分享故事 + 歌曲 歌曲时长 + 歌曲 + 排序 升序 专辑 @@ -451,88 +544,91 @@ 修改日期 年份 降序 + 抱歉!您的设备不支持语音输入 搜索媒体库 + 堆栈 + 开始播放音乐。 + 建议 - 仅仅在主页上显示您的名字 + 支持开发者 + 滑动以解锁 + 滚动歌词 - 系统均衡器 + Telegram 加入 Telegram 团队,讨论错误,提出建议,展示信息等等 + 谢谢您! + 音频文件 + 本月 本周 本年 + 细小 + 小卡片 + 标题 - 仪表盘 - 下午好 - 美好的一天 - 傍晚好 - 早上好 - 晚上好 - 您的名字是什么? + 今日 + 热门专辑 热门艺术家 + "音轨" 音轨编号 + 翻译 帮助我们将应用翻译成您的语言 + + Try Retro Music Premium + Twitter 与 Retro Music 分享您的设计 + 未标记 + 无法播放这首歌曲。 + 下一首 + 更新图片 + 更新中... + 用户名 + 版本 + 垂直翻转 - 虚拟器 + 音量 + 网络搜索 + 欢迎, + 您想分享什么? + 更新内容 + 窗口 圆角 + 将 %1$s 设置为铃声。 已选择 %1$d 首 + 年份 + 请至少选择一个分类。 将跳转至问题追踪网站。 + 您的账户数据仅用于验证。 - 数量 - 备注(可选) - 开始支付 - 显示正在播放界面 - 点击通知将显示「正在播放界面」而不是「主界面」 - 小卡片 - 关于 %s - 选择语言 - 翻译人员 - 帮助翻译此应用程序的人 - Try Retro Music Premium - - Songs - - - Albums - - - %d 首歌曲 - - - %d 张专辑 - - - %d 位艺术家 - diff --git a/app/src/main/res/values-zh-rHK/strings.xml b/app/src/main/res/values-zh-rHK/strings.xml index 2e80f5f3..72775d78 100644 --- a/app/src/main/res/values-zh-rHK/strings.xml +++ b/app/src/main/res/values-zh-rHK/strings.xml @@ -1,14 +1,16 @@ + 關於 %s 我們的團隊,以及社交媒體 + 主題色 主題重色,預設為藍綠色 + 關於 加入至我的最愛 加入至播放列表 加入至播放清單 清除播放列表 - 清除播放清單 循環播放模式 刪除 由裝置記憶體刪除 @@ -46,19 +48,30 @@ 標籤編輯 切換至我的最愛 切換隨機播放模式 + 自適應 + 增加 - 增加歌詞 - 增加\n相片 "加入至播放清單" - 增加時間同步歌詞 + "已經將1首歌曲新增至播放列表。" 已經將 %1$d 歌曲新增至播放列表。 + 專輯 + + + Songs + + 專輯歌手 - 標題或歌手一欄是空白的。 + 專輯 + + Albums + + 經常 + 嗨,看看這個很有型的播放器吧: https://play.google.com/store/apps/details?id=%s 隨機播放 歌曲榜 @@ -67,19 +80,25 @@ 經典模式 小型模式 文字模式 + 歌手 + 歌手 + 無法找到音頻焦點。 更改音頻設定及調整等化器 + 自動 - 基色主題 - 低音增強 - 個人簡歷 + 演出者資料 + 純黑 + 黑名單 + 模糊 模糊卡片 + 無法上傳報告 存取金鑰無效。請與程式開發人員聯絡。 已選的版本庫(repo)並未針對此問題而啟用。請與程式開發人員聯絡。 @@ -92,45 +111,56 @@ 請輸入問題標題 請輸入您的有效GitHub用戶名稱 發生未預期的錯誤。真抱歉您發現了這個bug,如果一直崩潰請\"清除程式數據\",或者傳送電郵給我們 - 正在上傳報告至GitHub... 使用Github帳戶傳送 + 現在購買 + 取消 + 卡片 - 圓形化 彩色卡片 卡片 - 轉盤 + 在現在播放的轉盤效果 + 階層式 - 投放 + 版本最新動向 在Telegram頻道取得更新動向 + 圓形 + 圓盤 + 基本 + 清除 - 清除程式數據 清除黑名單 清除列表 - 清除播放清單 - %1$s播放清單嗎?此動作將無法復原!]]> - 關閉 + 彩色 - 彩色 + 色彩 + 作曲者 + 已複製裝置內容到剪貼簿 + 無法建立播放清單。 "無法下載符合的專輯圖片。" 無法恢復購買狀態。 無法掃描 %d 個檔案。 + 新增 + 已新增%1$s播放清單。 + 成員和貢獻者 + 我在聽由 %2$s 唱的 %1$s + 暗黑 - 沒有歌詞 + 移除播放清單 %1$s播放清單嗎?]]> 移除多個播放清單 @@ -139,42 +169,62 @@ 刪除多首歌曲 %1$d個播放清單嗎?]]> %1$d個歌曲嗎?]]> + 已刪除%1$d首歌曲。 - 正在刪除歌曲 + 深度式 + 描述 + 裝置內容 + 允許Retro Music更改音效設定 設定鈴聲 + 要清除黑名單嗎? %1$s由黑名單移除嗎?]]> + 捐款 若果您覺得我的開發工作值得回報,可以捐助幾元給我 + 給我買個: - 由Last.fm下載 + 駕駛模式 - 編輯 - 編輯專輯圖片 + 空白 + 等化器 - 錯誤 + 常見問題 + 我的最愛 + 最後一首已經結束播放 + 合身 + 平面 + 資料夾 + 跟隨系統 + 給您的 + 免費 + 全螢幕 完整卡片 + 更改程式主題及色彩 介面外觀 + 類型 + 類型 + 在Github參與專案 - 加入Google+社交圈,在那裡您可以提出疑問或追蹤Retro Music的更新 + 1 2 3 @@ -184,16 +234,25 @@ 7 8 網格及樣式 + 鉸鏈式 + 歷史 + 主頁 + 水平翻轉式 + 圖片 漸變圖像 更改下載歌手相片設定 + 已新增%1$d首歌曲到%2$s播放清單。 + 在Instagram分享以展示您的RetroMusic版面 + 鍵盤 + 位元率 格式 檔案名 @@ -202,31 +261,45 @@ 來自%s的更多資訊 取樣頻率 長度 + 已標記 + 最近新增 最後一首 - 讓我們播放音樂吧 - 媒體庫 + 類別庫 + 許可證 + 淺白色 + 聽眾 + 正在列出檔案 + 載入中... + 登入 + 歌詞 + 在印度用❤️做 + 物質 + 錯誤 權限錯誤 + 名字 最常播放 + 永不 - 新橫幅圖片 + 新播放清單 - 新個人資料圖片 最新的主目錄是%s。 + 下一首 + 沒有專輯 沒有歌手 "請先播放一首歌曲,然後再試一次。" @@ -238,45 +311,59 @@ 無法找到購買狀態。 沒有結果 沒有歌曲 + 常用 正常歌詞 - 常用 + %s不在媒體庫。]]> + 沒有項目可以掃描。 沒有什麼可以看的 + 通知欄 個人化通知欄樣式 + 現在播放 現在播放清單 個人化現在播放界面 9+ 現在播放介面主題 + 僅透過Wi-Fi + 進階測試功能 + 其他 + 密碼 + 在3個月內 - 在此貼上歌詞 + 波紋 + 存取外置儲存空間權限被拒。 + 存取權限被拒。 + 個人化 個人化現在播放及用戶界面 + 由裝置儲存空間選擇 - 選擇圖片 + Pinterest 加入我們的Pinterest來知道更多Retro Music的設計靈感 + 單色 + 播放通知欄包含了播放/暫停等動作。 播放通知欄 - 空白播放清單 + 空白播放清單 播放清單名稱 + 播放清單 - 專輯詳細樣式 + 給模糊模式主題的值,每值愈低就愈快 模糊值 - 調整底部對話框圓角 - 對話框圓角 以歌曲長度過濾歌曲 過濾歌曲長度 進階 @@ -293,9 +380,7 @@ 無音量時暫停 請記住當您啟用此選項後或會影響電池壽命 螢幕保持開啟 - 點擊或滑動開啟無透明現在播放導航欄 - 點擊或滑動 - 雪花效果 + 選擇語言 使用現在播放歌曲的專輯圖片來用作鎖定畫面背景圖片 當播放系統聲音或收到通知時降低音量 列入黑名單的資料夾內的資料會在您的媒體庫隱藏。 @@ -305,21 +390,17 @@ 使用基本的通知欄設計 背景及控制按鈕色彩根據現在播放中的專輯圖片而轉變 將重色設為程式捷徑色彩。每次更改色彩後請切換此選項來生效 - 設定導航欄色彩為主色調 "\u5f9e\u5c08\u8f2f\u5716\u7247\u4e2d\u6700\u9bae\u660e\u7684\u8272\u5f69\u4f86\u6311\u9078\u901a\u77e5\u6b04\u8272\u5f69" 根據物質設計指南(Material Design guide),在暗黑模式下的顏色應完全去飽和化 - 大多數主色會從專輯或歌手圖片中挑選 + 點擊現在播放將顯示現在播放而非主頁 在迷你播放器增加控制項 顯示更多歌曲資料,如檔案格式、位元率及頻率 "或會引致某些裝置播放功能無法正常運作。" - 切換類型標籤 切換首頁橫幅樣式 可以提升專輯圖片質素,但這會引致加長圖片載入時間。建議只有當您的載入專輯圖片時質素較差時啟用 修改類別的可視性及順序。 使用Retro Music自訂鎖定螢幕控制 開放軟件特許條款內容 - 將程式的邊角圓角化 - 切換底部導航欄的標題標籤 全螢幕模式 當耳機連接後開始立即播放 播放新清單時會關閉隨機播放模式 @@ -327,75 +408,76 @@ 顯示專輯圖片 專輯圖片主題 專輯圖片轉場 - 專輯網格 彩色化程式捷徑 - 歌手網格 失去音頻焦點時降低音量 自動下載歌手相片 黑名單 藍牙播放 模糊化專輯圖片 - 選擇等化器 基本通知欄設計 自適應色彩 彩色通知欄 飽和色 + 顯示現在播放 額外控制項 歌曲內容 無縫播放 應用主題 - 顯示類型標籤 首頁歌手網格 首頁橫幅 忽略音樂檔內含的專輯圖片 最近新增播放清單間隔 全螢幕控制 - 彩色導航欄 現在播放介面主題 開放源碼認證 - 螢幕圓角 標題標籤模式 轉盤效果 - 主色 全螢幕程式 - 標題標籤 自動播放 隨機模式 音量控制 - 使用者資料 - 原色 - 主原色預設為灰藍色,現在適用於深色色彩 + Pro 現時播放主題、轉盤效果,還有更多... + 個人資料 + 購買 - *購買前要三思,切勿要求退款 + 播放列表 + 為這個App評分 喜歡這個App嗎?請讓我們知道如何提供更好的體驗 + 近期專輯 近期歌手 + 移除 - 移除橫幅圖片 移除專輯圖片 由黑名單中移除 - 移除個人資料圖片 將歌曲由播放清單移除 %1$s 歌曲由播放清單移除嗎?]]> 將多首歌曲由播放清單移除 %1$d 首歌曲由播放清單移除嗎?]]> + 重新命名播放清單 + 回報問題 回報錯誤 + 重設 重設歌手相片 + 恢復 + 已恢復上次購買狀態。請重新啟動程式來應用所有功能。 回復購買狀態 + 正在恢復購買狀態... - Retro等化器 + Retro Music Player Retro Music Pro + 刪除檔案失敗: %s 獲取SAF URI失敗 @@ -408,37 +490,48 @@ 不要開啟任何子資料夾 點擊螢幕底下的\'選擇\'按鈕 寫人檔案失敗: %s + 儲存 儲存檔案 儲存為多個檔案 + 已儲存播放清單到%s。 + 儲存 + 掃描媒體 + 成功掃描 %2$d 項目 中的 %1$d 項目。 + 塗鴉 - 搜尋媒體庫... + 選擇全部 - 選擇橫幅圖片 + 已選 - 傳送報告 + 設定 設定歌手相片 - 設定個人資料圖片 + 分享程式 分享到故事 + 隨機播放 + 簡單 + 休眠計時器已經取消。 休眠計時器從現在開始 %d 分鐘後停止播放。 - 滑動 - 迷你專輯 + 社交 分享故事 + 歌曲 歌曲長度 + 歌曲 + 排序 遞增 專輯 @@ -448,88 +541,91 @@ 修改日期 年份 遞減 + 對不起!您的裝置不支援語音服務 搜尋媒體庫 + 堆疊 + 開始播放音樂。 + 建議 - 只會在首頁顯示您的名字 + 開發支援 + 滑動螢幕以解鎖 + 同步歌詞 - 系統等化器 + Telegram 加入Telegram群組,討論程式錯誤、給予建議、炫耀一下,還有更多 + 多謝您! + 音樂檔案 + 這個月 這個星期 這年 + 迷你 + 迷你卡片 + 標題 - 通知板 - 您好 - 今天真美好 - 晚安 - 早晨 - 晚安 - 您的名字是... + 今天 + 專輯榜 歌手榜 + "音軌 (2指音軌2或3004指CD3中的音軌4)" 歌曲號碼 + 翻譯 協助我們將這個應用程式翻譯成為您的語言 + + Try Retro Music Premium + Twitter 分享您的Retro Music設計 + 未標記 + \u7121\u6cd5\u64ad\u653e\u9019\u9996\u6b4c\u66f2\u3002 + 下一首 + 更新圖片 + 更新中... + 用戶名稱 + 版本 + 垂直翻轉式 - 音樂效果 + 音量 + 網路搜尋 + 歡迎, + 有什麼內容想分享的? + 最新動向 + 視窗 圓角 + 已經將%1$s設定為您的鈴聲。 %1$d個已選擇 + 年份 + 您必須選擇最少一項類別。 您將會轉到問題跟蹤網站。 + 您的帳戶只會用於認證用途。 - 數量 - 註解(可選) - 開始付款 - 顯示現在播放 - 點擊現在播放將顯示現在播放而非主頁 - 迷你卡片 - 關於 %s - 選擇語言 - 翻譯者 - 協助翻譯這個App的人們 - Try Retro Music Premium - - Songs - - - Albums - - - %d 首歌曲 - - - %d 個專輯 - - - %d 位歌手 - diff --git a/app/src/main/res/values-zh-rTW/strings.xml b/app/src/main/res/values-zh-rTW/strings.xml index a5a736ce..d63f7508 100644 --- a/app/src/main/res/values-zh-rTW/strings.xml +++ b/app/src/main/res/values-zh-rTW/strings.xml @@ -1,14 +1,16 @@ + About %s Team, social links + 重點色調 重點色調,預設為粉紅色。 + 關於 加到最愛 加入播放佇列 加入播放清單... 清空播放佇列 - 清除播放清單 Cycle repeat mode 刪除 刪除 @@ -46,19 +48,30 @@ 編輯音樂資訊 Toggle favorite Toggle shuffle mode + Adaptive + Add - Add lyrics - Add \nphoto "加入播放清單" - Add time frame lyrics + "已將 1 首歌加到播放佇列" 已將 %1$d 首歌加到播放佇列。 + 專輯 + + + Songs + + 專輯演出者 - 專輯名稱或演出者欄是空的。 + 專輯 + + Albums + + 永遠 + Hey check out this cool music player at: https://play.google.com/store/apps/details?id=%s 隨機播放 最佳單曲 @@ -67,19 +80,25 @@ 經典 小型 Text + 演唱者 + 演唱者 + 無法控制音訊焦點。 Change the sound settings and adjust the equalizer controls + Auto - Base color theme - Bass Boost - Bio + 簡介 + 純黑(AMOLED) + Blacklist + Blur Blur Card + Unable to send report Invalid access token. Please contact the app developer. Issues are not enabled for the selected repository. Please contact the app developer. @@ -92,45 +111,56 @@ Please enter an issue title Please enter your valid GitHub username An unexpected error occurred. Sorry you found this bug, if it keeps crashing \"Clear app data\" or send an Email - Uploading report to GitHub… Send using GitHub account + Buy now + 取消目前的計時器 + Card - Circular Colored Card Card - Carousel + Carousel effect on the now playing screen + Cascading - Cast + 新功能 Changelog maintained on the Telegram channel + Circle + Circular + Classic + 清空 - Clear app data Clear blacklist Clear queue - 清空播放清單 - %1$s? This can\u2019t be undone!]]> - Close + Color - Color + 主題顏色 + Composer + Copied device info to clipboard. + Couldn\u2019t create playlist. "Couldn\u2019t download a matching album cover." Could not restore purchase. 不能掃描 %d。 + 建立 + 已新增播放清單 %1$s。 + Members and contributors + 我正在聽 %2$s 的 %1$s + 暗沉 - No Lyrics + 刪除播放清單 %1$s 嗎?]]> 刪除多個播放清單 @@ -139,42 +169,62 @@ Delete songs %1$d 個播放清單?]]> %1$d 首歌嗎?]]> + 已刪除 %1$d 首歌。 - Deleting songs + Depth + Description + Device info + Allow Retro Music to modify audio settings Set ringtone + Do you want to clear the blacklist? %1$s from the blacklist?]]> + 捐助 如果你認為我的努力值得回報,你可以在這裡留幾塊錢。 + Buy me a: - 從 Last.fm 下載 + Drive mode - Edit - Edit cover + 空的 + 等化器 - Error + FAQ + 最愛 + Finish last song + Fit + 方角 + 文件夾 + Follow system + For you + Free + Full Full card + Change the theme and colors of the app Look and feel + 類型 + Genres + Fork the project on GitHub - Join the Google Plus community where you can ask for help or follow Retro Music updates + 1 2 3 @@ -184,16 +234,25 @@ 7 8 Grid style + Hinge + 記錄 + 首頁 + Horizontal flip + Image Gradient image Change artist image download settings + 已將 %1$d 首歌加入播放清單 %2$s 中。 + Share your Retro Music setup to showcase on Instagram + Keyboard + 位元率 格式 檔案名稱 @@ -202,31 +261,45 @@ More from %s 取樣率 長度 + Labeled + 最後新增 Last song - Let\'s play some music - 音樂庫 + Library categories + 原始碼授權 + 明亮 + Listeners + 清單文件 + 正在載入 + Login + 歌詞 + Made with ❤️ in India + Material + Error Permission error + Name 我的最佳單曲 + 永不 - New banner photo + 新增播放清單 - New profile photo %s是新的起始目錄 + Next Song + 沒有專輯 沒有演唱者 "請先播放一首歌後再重試一遍。" @@ -238,45 +311,59 @@ No purchase found. 沒有搜尋結果 沒有歌曲 + Normal Normal lyrics - Normal + %s 未在音樂庫裡。]]> + 沒有東西可掃描。 Nothing to see + 通知 Customize the notification style + Now playing 播放佇列 Customize the now playing screen 9+ now playing themes + 只在有 Wi-Fi 連接時 + Advanced testing features + Other + Password + Past 3 months - Paste lyrics here + Peak + 無法取得存取外部儲存空間的權限。 + 存取被拒 + Personalize Customize your now playing and UI controls + 從手機裡選擇(SD卡或記憶體) - Pick image + Pinterest Follow Pinterest page for Retro Music design inspiration + Plain + The playing notification provides actions for play/pause etc. Playing notification - 播放清單是空的 + Playlist is empty 播放清單名稱 + 播放清單 - Album detail style + Amount of blur applied for blur themes, lower is faster Blur amount - Adjust the bottom sheet dialog corners - Dialog corner Filter songs by length Filter song duration Advanced @@ -293,9 +380,7 @@ Pause on zero Keep in mind that enabling this feature may affect battery life Keep the screen on - Click to open with or slide to without transparent navigation of now playing screen - Click or Slide - Snow fall effect + Select language 將播放中歌曲的專輯封面設為鎖定螢幕背景。 通知鈴聲、導航語音等。 The content of blacklisted folders is hidden from your library. @@ -305,21 +390,17 @@ Use the classic notification design 在播放面板上,背景與控制按鈕的顏色將根據的專輯封面顏色而改變 將重點色調設為應用快捷方式的顏色。每次更改重點色調後,請切換此功能以生效。 - 將主色調設為導航列的顏色。 "\u72c0\u614b\u5217\u984f\u8272\u8207\u5c08\u8f2f\u5716\u7247\u984f\u8272\u4e00\u81f4" As per Material Design guide lines in dark mode colors should be desaturated - Most dominant color will be picked from the album or artist cover + Clicking on the notification will show now playing screen instead of the home screen Add extra controls for mini player Show extra Song information, such as file format, bitrate and frequency "可能會在某些裝置上出現播放問題。" - Toggle genre tab Show or hide the home banner 提高專輯封面的成像品質,但會造成較長的讀取時間。建議只有在您對低畫質的專輯封面有問題時才開啟此選項。 Configure visibility and order of library categories. Use Retro Music\'s custom lockscreen controls License details for open source software - 使視窗邊角為圓形邊角 - Toggle titles for the bottom navigation bar tabs Immersive mode Start playing immediately after headphones are connected Shuffle mode will turn off when playing a new list of songs @@ -327,75 +408,76 @@ 顯示專輯封面 Album cover theme Album cover skip - Album grid 彩色的應用快捷方式 - Artist grid 在焦點音訊響起時降低音量 自動下載演唱者圖片 Blacklist Bluetooth playback 將專輯圖片模糊化 - Choose equalizer Classic notification design 自適應顏色 彩色的狀態列 Desaturated color + Show now playing screen Extra controls Song info 無縫播放 主題 - Show genre tab Artist grid Banner 忽略音訊檔內嵌的專輯封面 Last added playlist interval Fullscreen controls - 彩色的導航列 外觀 開源授權協議 - 圓形邊角 Tab titles mode Carousel effect - Dominant color Fullscreen app - Tab titles Auto-play Shuffle mode Volume controls - User info - 主色調 - The primary theme color, defaults to blue grey, for now works with dark colors + Pro Black theme, Now playing themes, Carousel effect and more.. + Profile + Purchase - *Think before buying, don\'t ask for refund. + 播放佇列 + 評分 如果您喜歡 Retro music,在 Play 商店給個好評吧 ! + Recent albums Recent artists + 移除 - Remove banner photo 移除封面 Remove from blacklist - Remove profile photo 將歌曲從播放清單中移除 %1$s 從播放清單中移除嗎?]]> 將多首歌曲從播放清單中移除 %1$d 首歌從播放清單中移除嗎?]]> + 重新命名播放清單 + Report an issue Report bug + Reset Reset artist image + Restore + Restored previous purchase. Please restart the app to make use of all features. 回復購買 + Restoring purchase… - Retro Music Equalizer + Retro Music Player Retro Music Pro + File delete failed: %s Can\'t get SAF URI @@ -408,37 +490,48 @@ Do not open any sub-folders Tap \'select\' button at the bottom of the screen File write failed: %s + Save 儲存檔案 Save as files + 已儲存播放清單至 %s + 儲存變更 + Scan media + 已掃描 %2$d 個檔案夾中的 %1$d 個。 + Scrobbles - 搜尋音樂庫… + Select all - Select banner photo + Selected - Send crash log + Set Set artist image - Set a profile photo + Share app Share to Stories + 隨機播放 + Simple + 已取消睡眠定時器。 %d 分鐘後,音樂將會自動停止。 - Slide - Small album + Social Share story + 歌曲 Song duration + 歌曲 + 排序 Ascending Album @@ -448,88 +541,91 @@ Date modified Year Descending + 抱歉!你的裝置不支援語音輸入 搜尋音樂庫 + Stack + Start playing music. + Suggestions - Just show your name on home screen + 支援開發 + Swipe to unlock + Synced lyrics - System Equalizer + Telegram Join the Telegram group to discuss bugs, make suggestions, show off and more + 感謝你! + 音訊檔案 + This month This week This year + Tiny + Tiny card + Title - Dashboard - Good afternoon - Good day - Good evening - Good morning - Good night - What\'s Your Name + Today + Top albums Top artists + "音軌(用2表示第2首歌或用3004表示 CD3 的第4首歌)" Track number + 翻譯 Help us translate the app to your language + + Try Retro Music Premium + Twitter Share your design with Retro Music + Unlabeled + \u7121\u6cd5\u64ad\u653e\u9019\u9996\u6b4c\u3002 + 即將播放 + 更新圖片 + 正在更新… + Username + 版本 + Vertical flip - Virtualizer + Volume + 網路搜尋 + Welcome, + 你想分享哪些內容? + What\'s New + Window Rounded corners + 已將 %1$s 設為鈴聲。 已選取 %1$d 個 + 年份 + You have to select at least one category. You will be forwarded to the issue tracker website. + Your account data is only used for authentication. - Amount - Note(Optional) - Start payment - Show now playing screen - Clicking on the notification will show now playing screen instead of the home screen - Tiny card - About %s - Select language - Translators - The people who helped translate this app - Try Retro Music Premium - - Songs - - - Albums - - - %d Songs - - - %d Albums - - - %d Artists - diff --git a/app/src/main/res/values/arrays.xml b/app/src/main/res/values/arrays.xml index 8d29c063..b686a726 100755 --- a/app/src/main/res/values/arrays.xml +++ b/app/src/main/res/values/arrays.xml @@ -52,33 +52,6 @@ auto - - @string/normal_style - @string/card_style - @string/card_color_style - @string/card_circular_style - @string/image - @string/image_gradient - - - - 0 - 1 - 2 - 3 - 4 - 5 - - - - @layout/item_grid - @layout/item_card - @layout/item_card_color - @layout/item_grid_circle - @layout/image - @layout/item_image_gradient - - @string/circular @string/card_color_style diff --git a/app/src/main/res/values/colors.xml b/app/src/main/res/values/colors.xml index 5f4a2fa7..3973baac 100644 --- a/app/src/main/res/values/colors.xml +++ b/app/src/main/res/values/colors.xml @@ -6,31 +6,15 @@ @android:color/black #34000000 - #80000000 #607d8b #f5f5f5 #3D5AFE #202124 - #17181a - #222326 #202124 - #FFFFFF - #202020 - #FEFEFE - #FFFFFF - #FEFEFE - #202124 - #ffffff - #202124 - #202124 #202124 - #000000 - #ffffff - #000000 - #000000 #000000 #00000000 @@ -39,10 +23,8 @@ #ffffff #d4d4d4 #dddddd - #eee #FFD8D8D8 - #FF383838 #ff33b5e5 diff --git a/app/src/main/res/values/dimens.xml b/app/src/main/res/values/dimens.xml index 18896210..bf65574b 100644 --- a/app/src/main/res/values/dimens.xml +++ b/app/src/main/res/values/dimens.xml @@ -3,8 +3,6 @@ 0dp 4dp - 2dp - 20dp @@ -37,17 +35,10 @@ 32dp 104dp - 30dp 8dp 48dp - 0dp 52dp 10dp - 16dp - 14dp - 24dp - 56dp - 32dp 56dp 72dp 6dp @@ -55,5 +46,4 @@ 46dp 12dp 16dp - 2dp diff --git a/app/src/main/res/values/font_certs.xml b/app/src/main/res/values/font_certs.xml index d2226ac0..3ea04e70 100644 --- a/app/src/main/res/values/font_certs.xml +++ b/app/src/main/res/values/font_certs.xml @@ -1,17 +1,2 @@ - - - @array/com_google_android_gms_fonts_certs_dev - @array/com_google_android_gms_fonts_certs_prod - - - - MIIEqDCCA5CgAwIBAgIJANWFuGx90071MA0GCSqGSIb3DQEBBAUAMIGUMQswCQYDVQQGEwJVUzETMBEGA1UECBMKQ2FsaWZvcm5pYTEWMBQGA1UEBxMNTW91bnRhaW4gVmlldzEQMA4GA1UEChMHQW5kcm9pZDEQMA4GA1UECxMHQW5kcm9pZDEQMA4GA1UEAxMHQW5kcm9pZDEiMCAGCSqGSIb3DQEJARYTYW5kcm9pZEBhbmRyb2lkLmNvbTAeFw0wODA0MTUyMzM2NTZaFw0zNTA5MDEyMzM2NTZaMIGUMQswCQYDVQQGEwJVUzETMBEGA1UECBMKQ2FsaWZvcm5pYTEWMBQGA1UEBxMNTW91bnRhaW4gVmlldzEQMA4GA1UEChMHQW5kcm9pZDEQMA4GA1UECxMHQW5kcm9pZDEQMA4GA1UEAxMHQW5kcm9pZDEiMCAGCSqGSIb3DQEJARYTYW5kcm9pZEBhbmRyb2lkLmNvbTCCASAwDQYJKoZIhvcNAQEBBQADggENADCCAQgCggEBANbOLggKv+IxTdGNs8/TGFy0PTP6DHThvbbR24kT9ixcOd9W+EaBPWW+wPPKQmsHxajtWjmQwWfna8mZuSeJS48LIgAZlKkpFeVyxW0qMBujb8X8ETrWy550NaFtI6t9+u7hZeTfHwqNvacKhp1RbE6dBRGWynwMVX8XW8N1+UjFaq6GCJukT4qmpN2afb8sCjUigq0GuMwYXrFVee74bQgLHWGJwPmvmLHC69EH6kWr22ijx4OKXlSIx2xT1AsSHee70w5iDBiK4aph27yH3TxkXy9V89TDdexAcKk/cVHYNnDBapcavl7y0RiQ4biu8ymM8Ga/nmzhRKya6G0cGw8CAQOjgfwwgfkwHQYDVR0OBBYEFI0cxb6VTEM8YYY6FbBMvAPyT+CyMIHJBgNVHSMEgcEwgb6AFI0cxb6VTEM8YYY6FbBMvAPyT+CyoYGapIGXMIGUMQswCQYDVQQGEwJVUzETMBEGA1UECBMKQ2FsaWZvcm5pYTEWMBQGA1UEBxMNTW91bnRhaW4gVmlldzEQMA4GA1UEChMHQW5kcm9pZDEQMA4GA1UECxMHQW5kcm9pZDEQMA4GA1UEAxMHQW5kcm9pZDEiMCAGCSqGSIb3DQEJARYTYW5kcm9pZEBhbmRyb2lkLmNvbYIJANWFuGx90071MAwGA1UdEwQFMAMBAf8wDQYJKoZIhvcNAQEEBQADggEBABnTDPEF+3iSP0wNfdIjIz1AlnrPzgAIHVvXxunW7SBrDhEglQZBbKJEk5kT0mtKoOD1JMrSu1xuTKEBahWRbqHsXclaXjoBADb0kkjVEJu/Lh5hgYZnOjvlba8Ld7HCKePCVePoTJBdI4fvugnL8TsgK05aIskyY0hKI9L8KfqfGTl1lzOv2KoWD0KWwtAWPoGChZxmQ+nBli+gwYMzM1vAkP+aayLe0a1EQimlOalO762r0GXO0ks+UeXde2Z4e+8S/pf7pITEI/tP+MxJTALw9QUWEv9lKTk+jkbqxbsh8nfBUapfKqYn0eidpwq2AzVp3juYl7//fKnaPhJD9gs= - - - - - MIIEQzCCAyugAwIBAgIJAMLgh0ZkSjCNMA0GCSqGSIb3DQEBBAUAMHQxCzAJBgNVBAYTAlVTMRMwEQYDVQQIEwpDYWxpZm9ybmlhMRYwFAYDVQQHEw1Nb3VudGFpbiBWaWV3MRQwEgYDVQQKEwtHb29nbGUgSW5jLjEQMA4GA1UECxMHQW5kcm9pZDEQMA4GA1UEAxMHQW5kcm9pZDAeFw0wODA4MjEyMzEzMzRaFw0zNjAxMDcyMzEzMzRaMHQxCzAJBgNVBAYTAlVTMRMwEQYDVQQIEwpDYWxpZm9ybmlhMRYwFAYDVQQHEw1Nb3VudGFpbiBWaWV3MRQwEgYDVQQKEwtHb29nbGUgSW5jLjEQMA4GA1UECxMHQW5kcm9pZDEQMA4GA1UEAxMHQW5kcm9pZDCCASAwDQYJKoZIhvcNAQEBBQADggENADCCAQgCggEBAKtWLgDYO6IIrgqWbxJOKdoR8qtW0I9Y4sypEwPpt1TTcvZApxsdyxMJZ2JORland2qSGT2y5b+3JKkedxiLDmpHpDsz2WCbdxgxRczfey5YZnTJ4VZbH0xqWVW/8lGmPav5xVwnIiJS6HXk+BVKZF+JcWjAsb/GEuq/eFdpuzSqeYTcfi6idkyugwfYwXFU1+5fZKUaRKYCwkkFQVfcAs1fXA5V+++FGfvjJ/CxURaSxaBvGdGDhfXE28LWuT9ozCl5xw4Yq5OGazvV24mZVSoOO0yZ31j7kYvtwYK6NeADwbSxDdJEqO4k//0zOHKrUiGYXtqw/A0LFFtqoZKFjnkCAQOjgdkwgdYwHQYDVR0OBBYEFMd9jMIhF1Ylmn/Tgt9r45jk14alMIGmBgNVHSMEgZ4wgZuAFMd9jMIhF1Ylmn/Tgt9r45jk14aloXikdjB0MQswCQYDVQQGEwJVUzETMBEGA1UECBMKQ2FsaWZvcm5pYTEWMBQGA1UEBxMNTW91bnRhaW4gVmlldzEUMBIGA1UEChMLR29vZ2xlIEluYy4xEDAOBgNVBAsTB0FuZHJvaWQxEDAOBgNVBAMTB0FuZHJvaWSCCQDC4IdGZEowjTAMBgNVHRMEBTADAQH/MA0GCSqGSIb3DQEBBAUAA4IBAQBt0lLO74UwLDYKqs6Tm8/yzKkEu116FmH4rkaymUIE0P9KaMftGlMexFlaYjzmB2OxZyl6euNXEsQH8gjwyxCUKRJNexBiGcCEyj6z+a1fuHHvkiaai+KL8W1EyNmgjmyy8AW7P+LLlkR+ho5zEHatRbM/YAnqGcFh5iZBqpknHf1SKMXFh4dd239FJ1jWYfbMDMy3NS5CTMQ2XFI1MvcyUTdZPErjQfTbQe3aDQsQcafEQPD+nqActifKZ0Np0IS9L9kR/wbNvyz6ENwPiTrjV2KRkEjH78ZMcUQXg0L3BYHJ3lc69Vs5Ddf9uUGGMYldX3WfMBEmh/9iFBDAaTCK - - - + diff --git a/app/src/main/res/values/ids.xml b/app/src/main/res/values/ids.xml index 1020e9a0..e4d8a69c 100644 --- a/app/src/main/res/values/ids.xml +++ b/app/src/main/res/values/ids.xml @@ -1,12 +1,9 @@ - - - @@ -26,4 +23,5 @@ + \ No newline at end of file diff --git a/app/src/main/res/values/integers.xml b/app/src/main/res/values/integers.xml index 3402473b..70dd6eb8 100644 --- a/app/src/main/res/values/integers.xml +++ b/app/src/main/res/values/integers.xml @@ -4,9 +4,7 @@ 4 1 - 2 2 - 4 4 6 diff --git a/app/src/main/res/values/strings.xml b/app/src/main/res/values/strings.xml index 95add41a..7e7d8213 100644 --- a/app/src/main/res/values/strings.xml +++ b/app/src/main/res/values/strings.xml @@ -1,112 +1,82 @@ + About %s Team, social links Accent color The theme accent color, defaults to purple About - Add to favorites Add to playing queue Add to playlist - Clear playing queue - Clear playlist - Cycle repeat mode - Delete Delete from device - Details - Go to album Go to artist Go to genre Go to start directory - Grant - Grid size Grid size (land) - New playlist - Next - Play Play all Play next Play/Pause - Previous - Remove from favorites Remove from playing queue Remove from playlist - Rename - Save playing queue - Scan - Search - Start Set as ringtone Set as start directory - "Settings" - Share - Shuffle all Shuffle playlist - Sleep timer - Sort order - - Album artists only - Tag editor - Toggle favorite Toggle shuffle mode Adaptive Add - - Add lyrics - - Add \nphoto - "Add to playlist" - Add time frame lyrics - "Added 1 title to the playing queue." - Added %1$d titles to the playing queue. Album + + Song + Songs + + Album artist - The title or artist is empty. - Albums + + Album + Albums + Always Hey check out this cool music player at: https://play.google.com/store/apps/details?id=%s - Shuffle Top Tracks - Full Image Card Classic @@ -118,17 +88,10 @@ Artists Audio focus denied. - Change the sound settings and adjust the equalizer controls Auto - Base color theme - - Bass Boost - - Bio - Biography Just Black @@ -136,7 +99,6 @@ Blacklist Blur - Blur Card Unable to send report @@ -151,7 +113,6 @@ Please enter an issue title Please enter your valid GitHub username An unexpected error occurred. Sorry you found this bug, if it keeps crashing \"Clear app data\" or send an Email - Uploading report to GitHub… Send using GitHub account Buy now @@ -159,25 +120,15 @@ Cancel Card - - Circular - Colored Card - - Card - Square Card - - Carousel + Card Carousel effect on the now playing screen Cascading - Cast - Changelog - Changelog maintained on the Telegram channel Circle @@ -187,22 +138,11 @@ Classic Clear - - Clear app data - Clear blacklist - Clear queue - Clear playlist - %1$s? This can\u2019t be undone!]]> - - Close - Color - Color - Colors Composer @@ -224,23 +164,16 @@ Kinda Dark - No Lyrics - Delete playlist %1$s?]]> - Delete playlists - Delete song %1$s?]]> - Delete songs - %1$d playlists?]]> %1$d songs?]]> - Deleted %1$d songs. - Deleting songs + Deleted %1$d songs. Depth @@ -249,32 +182,24 @@ Device info Allow Retro Music to modify audio settings - Set ringtone Do you want to clear the blacklist? %1$s from the blacklist?]]> Donate - If you think I deserve to get paid for my work, you can leave some money here Buy me a: - Download from Last.fm + Done Drive mode - Edit - - Edit cover - Empty Equalizer - Error - FAQ Favorites @@ -294,7 +219,6 @@ Free Full - Full card Change the theme and colors of the app @@ -306,7 +230,7 @@ Fork the project on GitHub - Join the Google Plus community where you can ask for help or follow Retro Music updates + Gradient 1 2 @@ -316,9 +240,10 @@ 6 7 8 - Grid style + Need more help? + Hinge History @@ -328,11 +253,13 @@ Horizontal flip Image - Gradient image - Change artist image download settings + Import + Import playlist + It imports all playlists listed in the Android Media Store with songs, if the playlists already exists, the songs will get merged. + Inserted %1$d songs into the playlist %2$s. Instagram @@ -341,28 +268,19 @@ Keyboard Bitrate - Format File name File path Size - More from %s - Sampling rate - Length Labeled Last added - Last song - Let\'s play some music - - Library - Library categories Licenses @@ -384,60 +302,40 @@ Material Error - Permission error Name - Most played Never - New banner photo - New playlist - - New profile photo - %s is the new start directory. Next Song You have no albums - You have no artists - "Play a song first, then try again." - No equalizer found - You have no genres - No lyrics found - No songs playing - You have no playlists - No purchase found. - No results - You have no songs Normal - Normal lyrics - Normal - %s is not listed in the media store.]]> + Not recently played Nothing to scan. Nothing to see Notification - Customize the notification style Now playing @@ -455,22 +353,19 @@ Past 3 months - Paste lyrics here - Peak Permission to access external storage denied. + The app needs permission to access your device storage for playing music + Storage Access Permissions denied. Personalize - Customize your now playing and UI controls Pick from local storage - Pick image - Pinterest Follow Pinterest page for Retro Music design inspiration @@ -479,25 +374,15 @@ The playing notification provides actions for play/pause etc. Playing notification - Empty playlist - Playlist is empty - Playlist name Playlists - Album detail style - Amount of blur applied for blur themes, lower is faster Blur amount - - Adjust the bottom sheet dialog corners - Dialog corner - Filter songs by length Filter song duration - Advanced Album style Audio @@ -508,19 +393,13 @@ Library Lockscreen Playlists - Pauses the song when the volume decreases to zero and starts playing back when the volume level rises. Also works outside the app Pause on zero Keep in mind that enabling this feature may affect battery life Keep the screen on - - Click to open with or slide to without transparent navigation of now playing screen - Click or Slide - - Snow fall effect - - Show Album Artists in the Artist category + Select language Use the currently playing song album cover as the lockscreen wallpaper + Show Album Artists in the Artist category Lower the volume when a system sound is played or a notification is received The content of blacklisted folders is hidden from your library. Start playing as soon as connected to bluetooth device @@ -529,116 +408,84 @@ Use the classic notification design The background and control button colors change according to the album art from the now playing screen Colors the app shortcuts in the accent color. Every time you change the color please toggle this to take effect - Colors the navigation bar in the primary color "Colors the notification in the album cover\u2019s vibrant color" As per Material Design guide lines in dark mode colors should be desaturated - Most dominant color will be picked from the album or artist cover + Clicking on the notification will show now playing screen instead of the home screen Add extra controls for mini player Show extra Song information, such as file format, bitrate and frequency "Can cause playback issues on some devices." - Toggle genre tab Show or hide the home banner Can increase the album cover quality, but causes slower image loading times. Only enable this if you have problems with low resolution artworks Configure visibility and order of library categories. Use Retro Music\'s custom lockscreen controls License details for open source software - Round the app\'s edges - Toggle titles for the bottom navigation bar tabs Immersive mode Start playing immediately after headphones are connected Shuffle mode will turn off when playing a new list of songs If enough space is available, show volume controls in the now playing screen - - Navigate by Album Artist Show album cover + Navigate by Album Artist Album cover theme Album cover skip - Album grid Colored app shortcuts - Artist grid Reduce volume on focus loss Auto-download artist images Blacklist Bluetooth playback Blur album cover - Choose equalizer Classic notification design Adaptive color Colored notification Desaturated color + Show now playing screen Extra controls Song info Gapless playback App theme - Show genre tab - Artist grid Album grid + Artist grid Banner Ignore Media Store covers Last added playlist interval Fullscreen controls - Colored navigation bar Now playing theme Open source licences - Corner edges Tab titles mode Carousel effect - Dominant color Fullscreen app - Tab titles Auto-play Shuffle mode Volume controls - User info - - Primary color - The primary theme color, defaults to blue grey, for now works with dark colors Pro - Black theme, Now playing themes, Carousel effect and more.. Profile Purchase - *Think before buying, don\'t ask for refund. - Playing Queue Rate the app - Love this app? Let us know in the Google Play Store how we can make it even better Recent albums - Recent artists Remove - - Remove banner photo - Remove cover - Remove from blacklist - - Remove profile photo - Remove song from playlist %1$s from the playlist?]]> - Remove songs from playlist - %1$d songs from the playlist?]]> Rename playlist Report an issue - Report bug Reset - Reset artist image Restore @@ -648,16 +495,15 @@ Restoring purchase… - Retro Music Equalizer - Retro Music Player Retro Music Pro - File delete failed: %s + The app needs permission to access your device settings in order to set music as Ringtone + Ringtone + File delete failed: %s Can\'t get SAF URI - Open navigation drawer Enable \'Show SD card\' in overflow menu @@ -666,15 +512,12 @@ Select your SD card in navigation drawer Do not open any sub-folders Tap \'select\' button at the bottom of the screen - File write failed: %s Save - Save as file - Save as files Saved playlist to %s. @@ -687,24 +530,15 @@ Scrobbles - Search your library… - Select all - Select banner photo - Selected - Send crash log - Set - Set artist image - Set a profile photo - Share app - + Share the app with your friends and family Share to Stories Shuffle @@ -714,16 +548,10 @@ Sleep timer canceled. Sleep timer set for %d minutes from now. - Slide - - Small album - Social - Share story Song - Song duration Songs @@ -735,11 +563,12 @@ Composer Date added Date modified + Song count + Song count desc Year Descending Sorry! Your device doesn\'t support speech input - Search your library Stack @@ -748,16 +577,12 @@ Suggestions - Just show your name on home screen - Support development Swipe to unlock Synced lyrics - System Equalizer - Telegram Join the Telegram group to discuss bugs, make suggestions, show off and more @@ -767,39 +592,27 @@ The audio file This month - This week - This year Tiny + Tiny card Title - Dashboard - - Good afternoon - Good day - Good evening - Good morning - Good night - - What\'s Your Name - Today Top albums - Top artists "Track (2 for track 2 or 3004 for CD3 track 4)" - Track number Translate - Help us translate the app to your language + Try Retro Music Premium + Twitter Share your design with Retro Music @@ -813,14 +626,14 @@ Updating… + User Name + Username Version Vertical flip - Virtualizer - Volume Web search @@ -832,68 +645,15 @@ What\'s New Window - Rounded corners Set %1$s as your ringtone. - %1$d selected Year You have to select at least one category. - You will be forwarded to the issue tracker website. Your account data is only used for authentication. - Amount - Note(Optional) - Start payment - Show now playing screen - Clicking on the notification will show now playing screen instead of the home screen - - Tiny card - About %s - Select language - Translators - The people who helped translate this app - Try Retro Music Premium - Share the app with your friends and family - Need more help? - Gradient - User Name - Not recently played - Past 7 days - - - Song - Songs - - - Album - Albums - - - %d Song - %d Songs - - - %d Album - %d Albums - - - %d Artist - %d Artists - - Done - Import playlist - It imports all playlists listed in the Android Media Store with songs, if the playlists already exists, the songs will get merged. - Import - Song count - Ascending - Song count desc - The app needs permission to access your device storage for playing music - Storage Access - Ringtone - The app needs permission to access your device settings in order to set music as Ringtone diff --git a/app/src/main/res/values/styles.xml b/app/src/main/res/values/styles.xml index 650e5a2b..085c769e 100644 --- a/app/src/main/res/values/styles.xml +++ b/app/src/main/res/values/styles.xml @@ -54,10 +54,6 @@ - - - - - - - - @@ -152,46 +120,12 @@ 0dp - - - - - - - - - - - - diff --git a/app/src/main/res/values/values.xml b/app/src/main/res/values/values.xml index 88b7edd3..c6369ab2 100755 --- a/app/src/main/res/values/values.xml +++ b/app/src/main/res/values/values.xml @@ -7,7 +7,5 @@ artist_image_transition artist_image_transition artist_image_transition - mini_player_transition - toolbar_transition toolbar_transition \ No newline at end of file diff --git a/appthemehelper/src/main/res/layout/ate_preference_custom.xml b/appthemehelper/src/main/res/layout/ate_preference_custom.xml deleted file mode 100755 index f4363ee4..00000000 --- a/appthemehelper/src/main/res/layout/ate_preference_custom.xml +++ /dev/null @@ -1,72 +0,0 @@ - - - - - - - - - - - - - - - - - \ No newline at end of file diff --git a/appthemehelper/src/main/res/layout/ate_preference_custom_support.xml b/appthemehelper/src/main/res/layout/ate_preference_custom_support.xml deleted file mode 100755 index d502c7b0..00000000 --- a/appthemehelper/src/main/res/layout/ate_preference_custom_support.xml +++ /dev/null @@ -1,76 +0,0 @@ - - - - - - - - - - - - - - - - - - \ No newline at end of file diff --git a/appthemehelper/src/main/res/layout/ate_preference_list.xml b/appthemehelper/src/main/res/layout/ate_preference_list.xml deleted file mode 100644 index 56447c6a..00000000 --- a/appthemehelper/src/main/res/layout/ate_preference_list.xml +++ /dev/null @@ -1,23 +0,0 @@ - - - - - - - - - - \ No newline at end of file diff --git a/appthemehelper/src/main/res/values-large/dimens.xml b/appthemehelper/src/main/res/values-large/dimens.xml index e34d3bb8..0d2c4cc4 100755 --- a/appthemehelper/src/main/res/values-large/dimens.xml +++ b/appthemehelper/src/main/res/values-large/dimens.xml @@ -1,6 +1,4 @@ - 28dp - \ No newline at end of file diff --git a/appthemehelper/src/main/res/values/colors_material_design.xml b/appthemehelper/src/main/res/values/colors_material_design.xml index 71802a27..da37551b 100755 --- a/appthemehelper/src/main/res/values/colors_material_design.xml +++ b/appthemehelper/src/main/res/values/colors_material_design.xml @@ -20,12 +20,9 @@ #7C4DFF - #BBDEFB #2196F3 - #448AFF #2979FF - #69F0AE #00C853 #4CAF50 @@ -34,17 +31,9 @@ #BDBDBD #9E9E9E #424242 - #212121 #000000 #FFFFFF - #40FFFFFF - - #C8E6C9 - #DCEDC8 - #C5CAE9 - #E1BEE7 - #D1C4E9 #1DE9B6 #FF3D00 diff --git a/appthemehelper/src/main/res/values/dimens.xml b/appthemehelper/src/main/res/values/dimens.xml index 740cb41e..6de3840c 100755 --- a/appthemehelper/src/main/res/values/dimens.xml +++ b/appthemehelper/src/main/res/values/dimens.xml @@ -3,6 +3,4 @@ 1dp - 16dp - \ No newline at end of file diff --git a/appthemehelper/src/main/res/values/ids.xml b/appthemehelper/src/main/res/values/ids.xml index 14602804..a6b3daec 100644 --- a/appthemehelper/src/main/res/values/ids.xml +++ b/appthemehelper/src/main/res/values/ids.xml @@ -1,5 +1,2 @@ - - - - \ No newline at end of file + \ No newline at end of file diff --git a/build.gradle b/build.gradle index c6c31362..4971f4b5 100644 --- a/build.gradle +++ b/build.gradle @@ -7,7 +7,7 @@ buildscript { google() } dependencies { - classpath 'com.android.tools.build:gradle:4.0.2' + classpath 'com.android.tools.build:gradle:4.1.0' classpath "org.jetbrains.kotlin:kotlin-gradle-plugin:$kotlin_version" def nav_version = "2.3.0" classpath "androidx.navigation:navigation-safe-args-gradle-plugin:$nav_version" diff --git a/gradle/wrapper/gradle-wrapper.properties b/gradle/wrapper/gradle-wrapper.properties index faacd963..4237faf6 100644 --- a/gradle/wrapper/gradle-wrapper.properties +++ b/gradle/wrapper/gradle-wrapper.properties @@ -1,6 +1,6 @@ -#Sat Jun 06 02:12:18 IST 2020 +#Fri Nov 13 20:52:31 IST 2020 distributionBase=GRADLE_USER_HOME distributionPath=wrapper/dists zipStoreBase=GRADLE_USER_HOME zipStorePath=wrapper/dists -distributionUrl=https\://services.gradle.org/distributions/gradle-6.1.1-all.zip +distributionUrl=https\://services.gradle.org/distributions/gradle-6.5-bin.zip