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 9c527cccc..71f052dc1 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 @@ -26,6 +26,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 +53,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 +108,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() 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 178d16afd..b95e5f035 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 903476163..69b75dd4f 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 @@ -51,7 +51,6 @@ public class MediaEntryViewHolder extends AbstractDraggableSwipeableItemViewHold @Nullable public View paletteColorContainer; - @Nullable public ImageButton playSongs; @Nullable public RecyclerView recyclerView; @@ -83,7 +82,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/extensions/ViewExtensions.kt b/app/src/main/java/code/name/monkey/retromusic/extensions/ViewExtensions.kt index d36d10fe9..3e90305fc 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 @@ -75,3 +75,4 @@ fun BottomSheetBehavior<*>.peekHeightAnimate(value: Int) { start() } } + 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 b0cb2d55f..2a4bcb816 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/repository/SearchRepository.kt b/app/src/main/java/code/name/monkey/retromusic/repository/SearchRepository.kt index 555ead5eb..d8bb7b06d 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/util/PreferenceUtil.kt b/app/src/main/java/code/name/monkey/retromusic/util/PreferenceUtil.kt index d0dd3bebb..e02be328a 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( @@ -639,32 +552,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 +580,4 @@ object PreferenceUtil { } return (System.currentTimeMillis() - interval) / 1000 } - } 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 508ca43e2..000000000 --- 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 52b95e860..000000000 --- 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 5b01fc740..000000000 --- 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 964d042f7..000000000 --- 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 2417b12d2..000000000 --- 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 5102b289a..000000000 --- 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 fc93ed370..000000000 --- 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 4297185ea..000000000 --- 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 db1c37dec..000000000 --- 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 3580af4ae..000000000 --- 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 6f693e167..000000000 --- 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 d79498911..000000000 --- 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 8326f2d4c..000000000 --- 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 4e05cab7a..000000000 --- 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 4e865f47c..000000000 --- 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 0674f00c8..000000000 --- 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 3fa26770a..000000000 --- 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 ff8356e28..000000000 --- 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 9a28c405c..000000000 --- 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 aa36e0ce5..000000000 --- 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 404f47503..000000000 --- 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 60808432e..000000000 --- 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 cf357a439..000000000 --- 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 5c4f6ce48..000000000 --- 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 2cf5263fa..000000000 --- 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 733ec817c..000000000 --- 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 1a50b0556..000000000 --- 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 78af14451..000000000 --- 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 e720b8fbd..8b13076b5 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 19654df13..6c6466f60 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 3b3183684..07d734c6c 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 327629b80..a42667398 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 7d08dba5a..36a4fa4e6 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 02c76dd95..000000000 --- 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 8a3669255..000000000 --- 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 73df42339..20128735b 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 8123cb55c..85c265b7e 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 8e3455005..28e7c6aa7 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 5e2c17a2e..800b5c4a3 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 09d45e162..d9d5aba37 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 6b617b925..bd9a99616 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 90e20e334..917719268 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_material_playback_controls.xml b/app/src/main/res/layout/fragment_material_playback_controls.xml index 72bd9d360..d2b065462 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 8ef770eda..000000000 --- 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 ac10acb66..86cc04510 100755 --- a/app/src/main/res/layout/fragment_volume.xml +++ b/app/src/main/res/layout/fragment_volume.xml @@ -1,7 +1,6 @@ - - - - - - - \ 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 046d4dfb0..0d346dc57 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 47f15438a..000000000 --- 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 9e154c995..000000000 --- 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 e373a8944..000000000 --- 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_screen.xml b/app/src/main/res/layout/preference_screen.xml deleted file mode 100644 index feadb6004..000000000 --- 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 a86a9cc01..1b9b26e77 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/menu/menu_folders.xml b/app/src/main/res/menu/menu_folders.xml deleted file mode 100644 index 67c5e76b7..000000000 --- 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 dd2b985cc..000000000 --- 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 92d8ed725..000000000 --- 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 2a2a12d35..000000000 --- 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 fc06a2b58..54aa74abc 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 722d6d9ab..070cad92d 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 592b03ada..000000000 --- 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 dd455bc4f..52fa309ab 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 6ff14dad3..000000000 --- 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 c44382282..f7dbac6bc 100644 --- a/app/src/main/res/values-af-rZA/strings.xml +++ b/app/src/main/res/values-af-rZA/strings.xml @@ -8,7 +8,6 @@ Add to playing queue Add to playlist Clear playing queue - Clear playlist Cycle repeat mode Delete Delete from device @@ -48,15 +47,11 @@ 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 @@ -72,9 +67,6 @@ Audio focus denied. Change the sound settings and adjust the equalizer controls Auto - Base color theme - Bass Boost - Bio Biography Just Black Blacklist @@ -92,32 +84,23 @@ 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. @@ -130,7 +113,6 @@ Members and contributors Currently listening to %1$s by %2$s. Kinda Dark - No Lyrics Delete playlist %1$s?]]> Delete playlists @@ -140,7 +122,6 @@ %1$d playlists?]]> %1$d songs?]]> Deleted %1$d songs. - Deleting songs Depth Description Device info @@ -151,13 +132,9 @@ 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 @@ -174,7 +151,6 @@ 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 @@ -205,8 +181,6 @@ Labeled Last added Last song - Let\'s play some music - Library Library categories Licenses Clearly White @@ -222,9 +196,7 @@ Name Most played Never - New banner photo New playlist - New profile photo %s is the new start directory. Next Song You have no albums @@ -240,7 +212,6 @@ You have no songs Normal Normal lyrics - Normal %s is not listed in the media store.]]> Nothing to scan. Nothing to see @@ -255,28 +226,22 @@ 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 +258,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 +267,16 @@ 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 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,15 +284,12 @@ 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 @@ -344,42 +298,31 @@ 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 @@ -393,7 +336,6 @@ 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 @@ -418,22 +360,16 @@ 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 @@ -453,11 +389,9 @@ 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 @@ -468,13 +402,6 @@ This year Tiny Title - Dashboard - Good afternoon - Good day - Good evening - Good morning - Good night - What\'s Your Name Today Top albums Top artists @@ -492,7 +419,6 @@ Username Version Vertical flip - Virtualizer Volume Web search Welcome, @@ -506,16 +432,11 @@ 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 @@ -525,16 +446,4 @@ 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 c7b658cfb..bff9bb75c 100644 --- a/app/src/main/res/values-ar-rSA/strings.xml +++ b/app/src/main/res/values-ar-rSA/strings.xml @@ -8,7 +8,6 @@ إضافة الى قائمة التشغيل الحالية أضف إلى قائمة التشغيل إخلاء قائمة التشغيل الحالية - إخلاء قائمة التشغيل وضع تكرار الدورة حذف حذف من الجهاز @@ -48,15 +47,11 @@ تفعيل وضع الخلط متكيف إضافة - اضافة كلمات - إضافة صورة "إضافة الى قائمة التشغيل" - اضافة كلمات مع فواصل زمنية "إضافة ١ من العناوين الى قائمة التشغيل الحالية" إضافة %1$d من العناوين الى قائمة التشغيل الحالية البوم البوم الفنان - العنوان او الفنان فارغ الألبومات دائما مرحبا القي نظرة على مشغل الموسيقى الرائع هذا في: https://play.google.com/store/apps/details?id=%s @@ -72,9 +67,6 @@ تم منع تركيز الصوت تغيير إعدادات الصوت وضبط عناصر التحكم في موازن الصوت تلقائي - لون الثيم الاساسي - معزز Bass - الحالة سيرة ذاتية أسود لامع القائمة السوداء @@ -92,32 +84,23 @@ الرجاء ادخال الخطأ هنا الرجاء ادخال أسم مستخدم صالح حصل خطأ غير متوقع. نأسف لذالك, اذا تكرر معك الخطأ \"قم بمسح بيانات التطبيق\"او ارسل ايميل - رفع التقرير الى چيتهب ارسال بأستخدام حساب چيتهب اشتري الآن إلغاء بطاقة - دائري بطاقة ملونة بطاقة - دائري التاثير الدائري على شاشة التشغيل الآن المتتالية - بث سجل التغيرات سجل التغيرات ثابت على قناة التيليجرام دائرية دائري كلاسيكي إزالة - مسح بيانات التطبيق إزالة القائمة السوداء مسح التسلسل - إزالة قائمة التشغيل - %1$s؟ هذا يمكن\u2019t التراجع عنه!]]> - اغلاق لون - لون الوان المؤلف تم نسخ معلومات الجهاز للحافظة. @@ -130,7 +113,6 @@ الافراد والمساهمين يستمع حالياً إلى %1$s لـ %2$s أسود قليلاً - لا يوجد كلمات حذف قائمة التشغيل %1$s؟]]> حذف قوائم التشغيل @@ -140,7 +122,6 @@ %1$d؟]]> %1$d؟]]> تم حذف %1$d الأغاني. - حذف الأغاني العمق الوصف معلومات الجهاز @@ -152,13 +133,9 @@ إذا كنت تعتقد أنني أستحق الحصول على المال مقابل عملي ، يمكنك ترك بعض المال هنا. اشتري لي: - تنزيل من Last.fm وضع القيادة - تعديل - تحرير الغلاف فارغ موازن الصوت - خطأ التعليمات المفضلات إنهاء الأغنية الأخيرة @@ -175,7 +152,6 @@ فئة فئات اجلب المشروع على GitHub - انضم الى مجتمعنا في Google plus , حيث يمكنك طلب المساعدة او متابعة آخر تطورات تطبيق ريترو ميوزك 1 2 3 @@ -206,8 +182,6 @@ معنون المضافة مؤخرا الاغنية الاخيرة - لنشغل بعض الموسيقى - المكتبة فئات المكتبة الموسيقية تراخيص أبيض صافي @@ -223,9 +197,7 @@ الأسم الأكثر تشغيل أبداً - صورة عرض جديدة قائمة تشغيل جديدة - صورة ملف شخصي جديدة %s هذا دليل البدء الجديد. الاغنية التالية لا توجد ألبومات @@ -241,7 +213,6 @@ لا يوجد أغاني الافتراضي كلمات عادية - الافتراضي %s غير مدرج في مخزن الوسائط]]> لاشيء لفحصه. لاشيء لفحصه @@ -256,28 +227,22 @@ آخر كلمة السر أخر 3 أشهر - الصق الكلمات هنا الذروة تم رفض إذن الوصول إلى وحدة التخزين الخارجي. تم رفض الأذونات. تخصيص تخصيص المشغل و الواجهة اختر من وحدة التخزين الداخلي - اختيار صورة بينتريست متابعة صفحة البينتريست لمشاهدة الهامات التصميم عادي اشعارات التشغيل توفر إجراءات للتشغيل / الإيقاف المؤقت إلخ. تنبيهات التشغيل - تفريغ قائمة التشغيل قائمة التشغيل فارغة اسم قائمة التشغيل قوائم التشغيل - شكل معلومات الالبوم مستوى ضبابية الثيم , كلما قل كلما كان افضل مستوى الضبابية - ضبط زوايا مربع لوحة التحكم - زاوية الحوار تصفية الأغاني حسب الطول فلترة المدة الزمنية للاغنية متقدّم @@ -294,9 +259,6 @@ ايقاف عند الصفر ضع في اعتبارك أن تمكين هذه الميزة قد يؤثر على عمر البطارية ابقاء الشاشة تعمل - انقر للفتح أو التمرير بدون الإنتقال الشفاف لشاشة التشغيل الآن - اضغط او أسحب - تأثير تساقط الثلج استخدم غلاف ألبوم الأغنية قيد التشغيل حاليًا كخلفية لشاشة القفل خفض مستوى الصوت عند تشغيل صوت نظام أو تلقي إشعارات محتويات مجلدات القائمة السوداء يتم أخفائها من مكتبتك الموسيقية. @@ -306,21 +268,16 @@ أستخدم تصميم الإشعارات التقليدي تتغير ألوان أزرار الخلفية والتحكم وفقًا لصورة الألبوم من شاشة التشغيل الآن تلوين اختصارات التطبيق باللون الثانوي . في كل مرة تقوم فيها بتغيير اللون ، يرجى تفعيل هذا الخيار ليتم تطبيق التغييرات - تلوين شريط التنقل باللون الاساسي "تلوين الإشعارات في غلاف الألبوم\u2019لون نشط" حسب خطوط دليل تصميم المواد بالألوان في الوضع المظلم يجب أن لاتكون مشتته - سيتم اختيار اللون الأكثر انتشارًا من الألبوم أو غلاف الفنان اضافة المزيد من التحكم في المشغل المصغر إظهار معلومات الأغنية الإضافية، مثل تنسيق الملف، معدل البت، والتواتر "يمكن أن يسبب مشاكل في التشغيل على بعض الأجهزة." - تفعيل تبويب النوع تفعيل وضع البانر في الشاشة الرئيسية يمكنك أن تزيد من جودة غلاف الألبوم ، لكنه يسبب بطئ في التحميل للصور. قم بتمكين هذا فقط إذا كنت تواجه مشاكل مع صور ألبومات منخفضة الدقة تكوين وعرض وترتيب فئات المكتبة. استخدم شاشة القفل المخصصة من ريترو ميوزك لتحكم بالتشغيل الرخصة والتفاصيل للبرمجيات مفتوحة المصدر - تدوير حواف التطبيق - تفعيل العناوين لتبويبات الشريط السفلي وضع الشاشة الكاملة تشغيل تلقائيا عند توصيل السماعة سوف يتم تعطيل وضع الخلط عند التشغيل من قائمة جديدة @@ -328,15 +285,12 @@ عرض غطاء الالبوم ثيم غطاء الالبوم تخطي غطاء الالبوم - شبكة الالبومات تلوين اختصارات التطبيق - شبكة الفنانين خفض الصوت عند فقد التركيز تحميل تلقائي لصور الالبومات القائمة السوداء تشغيل البلوتوث تضبيب صورة الالبوم - أختر معادل الصوت تصميم التنبيهات الكلاسيكي اللون المتكيف التنبيهات الملونة @@ -345,42 +299,31 @@ معلومات الأغنية تشغيل متتابع سمات التطبيق - عرض تبويب النوع شبكة الفنان الرئيسية صورة الواجهة تجاهل صور تخزين الميديا آخر قائمة تشغيل تمت إضافتها ازار التحكم في كامل الشاشة - تلوين شريط التنقل ثيم التشغيل الان التراخيص مفتوحة المصدر - الحواف الدائرية وضع عناوين التبويبات تاثير التتالي - اللون المنتشر التطبيق في كامل الشاشة - عناوين التبويبات التشغيل التلقائي وضع الخلط التحكم بالصوت - معلومات المستخدم - اللون الاساسي - لون الثيم الاساسي, الافتراضي الان الازرق الرمادي, يتوافق مع الالوان الداكنة الكامل تشغيل الآن السمات ، وتأثير التكدس ، وموضوع اللون وأكثر من ذلك .. الملف الشخصي شراء - *فكر عميقا قبل الشراء, ولاتسال عن الاسترجاع. تسلسل تقييم التطبيق أحببت هذا التطبيق؟ أخبرنا في متجر Google Play كيف يمكننا تحسينه الالبومات الحديثة الفنانون الحديثون حذف - حذف صورة البانر حذف الغطاء حذف من القائمة السوداء - حذف صورة العرض حذف الأغنية من قائمة التشغيل %1$s من قائمة التشغيل ?]]> حذف الاغاني من قائمة التشغيل @@ -394,7 +337,6 @@ تم استرداد عملية الشراء السابقة. الرجاء اعادة تشغيل التطبيق الاستمتاع بكافة المميزات. تم استرداد عملية الشراء... - معادل ريترو ميوزك مشغل الموسيقى Retro ريترو ميوزك - الكامل فشل حذف الملف: %s @@ -419,22 +361,16 @@ فحص الميديا تم فحص %1$d من %2$d ملف. تمريرات - البحث في مكتبتك... تحديد الكل - اختيار صورة البانر محدد - ارسال تقرير بالخطأ تعيين اختيار صورة الفنان - تعيين كصورة البروفايل مشاركة التطبيق شارك في القصص خلط بسيط تم إلغاء مؤقت النوم. تم ضبط مؤقت النوم الى %d دقيقة من الآن. - سحب - ألبوم صغير أجتماعي مشاركة القصة الاغنية @@ -454,11 +390,9 @@ التكدس أبدا بتشغيل الموسيقى. اقتراحات - قم بعرض اسمك في الشاشة الرئيسية دعم التطوير اسخب للفتح مزامنة الكلمات - معادل الصوت تيليجرام انضم لمجموعة التيليجرام لمناقشة المشاكل, و طرح اقتراحات والمزيد @@ -469,13 +403,6 @@ هذه السنة صغير عنوان - الرئيسية - نهار جميل - يوم جميل - مساء الخير - صباح الخير - ليلة جميلة - ماهو أسمك اليوم افضل الالبومات افضل الفنانين @@ -493,7 +420,6 @@ أسم المستخدم الإصدار تدوير رأسي - التاثيرات الصوت البحث عبر الانترنت مرحبا, @@ -507,16 +433,11 @@ عليك اختيار فئة واحدة على الأقل. سيتم تحويلك الى صفحة سجل الاخطاء بيانات حسابك تستخدم لتوثيق فقط. - الكمية - ملاحظة (اختياري) - بدء عملية الدفع إظهار شاشة التشغيل النقر على الإشعار سيظهر الآن مايتم تشغيله بدلاً من الشاشة الرئيسية لتطبيق بطاقة صغيرة حول %s حدد اللغة - المترجمون - الأشخاص الذين ساعدوا في ترجمة هذا التطبيق جرب ريترو الموسيقى الإصدار المميز Songs @@ -534,28 +455,4 @@ 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 c44382282..f7dbac6bc 100644 --- a/app/src/main/res/values-bn-rIN/strings.xml +++ b/app/src/main/res/values-bn-rIN/strings.xml @@ -8,7 +8,6 @@ Add to playing queue Add to playlist Clear playing queue - Clear playlist Cycle repeat mode Delete Delete from device @@ -48,15 +47,11 @@ 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 @@ -72,9 +67,6 @@ Audio focus denied. Change the sound settings and adjust the equalizer controls Auto - Base color theme - Bass Boost - Bio Biography Just Black Blacklist @@ -92,32 +84,23 @@ 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. @@ -130,7 +113,6 @@ Members and contributors Currently listening to %1$s by %2$s. Kinda Dark - No Lyrics Delete playlist %1$s?]]> Delete playlists @@ -140,7 +122,6 @@ %1$d playlists?]]> %1$d songs?]]> Deleted %1$d songs. - Deleting songs Depth Description Device info @@ -151,13 +132,9 @@ 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 @@ -174,7 +151,6 @@ 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 @@ -205,8 +181,6 @@ Labeled Last added Last song - Let\'s play some music - Library Library categories Licenses Clearly White @@ -222,9 +196,7 @@ Name Most played Never - New banner photo New playlist - New profile photo %s is the new start directory. Next Song You have no albums @@ -240,7 +212,6 @@ You have no songs Normal Normal lyrics - Normal %s is not listed in the media store.]]> Nothing to scan. Nothing to see @@ -255,28 +226,22 @@ 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 +258,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 +267,16 @@ 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 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,15 +284,12 @@ 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 @@ -344,42 +298,31 @@ 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 @@ -393,7 +336,6 @@ 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 @@ -418,22 +360,16 @@ 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 @@ -453,11 +389,9 @@ 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 @@ -468,13 +402,6 @@ This year Tiny Title - Dashboard - Good afternoon - Good day - Good evening - Good morning - Good night - What\'s Your Name Today Top albums Top artists @@ -492,7 +419,6 @@ Username Version Vertical flip - Virtualizer Volume Web search Welcome, @@ -506,16 +432,11 @@ 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 @@ -525,16 +446,4 @@ 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 c44382282..f7dbac6bc 100644 --- a/app/src/main/res/values-ca-rES/strings.xml +++ b/app/src/main/res/values-ca-rES/strings.xml @@ -8,7 +8,6 @@ Add to playing queue Add to playlist Clear playing queue - Clear playlist Cycle repeat mode Delete Delete from device @@ -48,15 +47,11 @@ 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 @@ -72,9 +67,6 @@ Audio focus denied. Change the sound settings and adjust the equalizer controls Auto - Base color theme - Bass Boost - Bio Biography Just Black Blacklist @@ -92,32 +84,23 @@ 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. @@ -130,7 +113,6 @@ Members and contributors Currently listening to %1$s by %2$s. Kinda Dark - No Lyrics Delete playlist %1$s?]]> Delete playlists @@ -140,7 +122,6 @@ %1$d playlists?]]> %1$d songs?]]> Deleted %1$d songs. - Deleting songs Depth Description Device info @@ -151,13 +132,9 @@ 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 @@ -174,7 +151,6 @@ 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 @@ -205,8 +181,6 @@ Labeled Last added Last song - Let\'s play some music - Library Library categories Licenses Clearly White @@ -222,9 +196,7 @@ Name Most played Never - New banner photo New playlist - New profile photo %s is the new start directory. Next Song You have no albums @@ -240,7 +212,6 @@ You have no songs Normal Normal lyrics - Normal %s is not listed in the media store.]]> Nothing to scan. Nothing to see @@ -255,28 +226,22 @@ 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 +258,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 +267,16 @@ 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 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,15 +284,12 @@ 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 @@ -344,42 +298,31 @@ 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 @@ -393,7 +336,6 @@ 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 @@ -418,22 +360,16 @@ 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 @@ -453,11 +389,9 @@ 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 @@ -468,13 +402,6 @@ This year Tiny Title - Dashboard - Good afternoon - Good day - Good evening - Good morning - Good night - What\'s Your Name Today Top albums Top artists @@ -492,7 +419,6 @@ Username Version Vertical flip - Virtualizer Volume Web search Welcome, @@ -506,16 +432,11 @@ 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 @@ -525,16 +446,4 @@ 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 cd2992854..dec998689 100644 --- a/app/src/main/res/values-cs-rCZ/strings.xml +++ b/app/src/main/res/values-cs-rCZ/strings.xml @@ -8,7 +8,6 @@ Přidat do fronty Přidat do seznamu skladeb… Vyčistit frontu - Vymazat playlist Cycle repeat mode Smazat Vymazat ze zařízení @@ -48,15 +47,11 @@ 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 Umělec alba - Titul nebo umělec je prázdný. Albumy Vždy Hey check out this cool music player at: https://play.google.com/store/apps/details?id=%s @@ -72,9 +67,6 @@ 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 @@ -92,32 +84,23 @@ 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. @@ -130,7 +113,6 @@ Members and contributors Aktuálně posloucháš %1$s od %2$s. Tmavá - No Lyrics Smazat seznam skladeb %1$s?]]> Smazat seznamy skladeb @@ -140,7 +122,6 @@ %1$d seznamů skladeb?]]> %1$d písní?]]> %1$d skladby byly smazány. - Deleting songs Depth Description Device info @@ -151,13 +132,9 @@ 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 @@ -174,7 +151,6 @@ Žá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 @@ -205,8 +181,6 @@ Labeled Poslední Last song - Let\'s play some music - Knihovna Library categories Licence Velmi bílá @@ -222,9 +196,7 @@ Name Moje top skladby Nikdy - New banner photo Nový seznam skladeb - New profile photo %S je nový úvodní adresář. Next Song Žádné alba @@ -240,7 +212,6 @@ Žádné písně Normal Normal lyrics - Normal %s není uveden v úložišti médií.]]> Nic pro skenování. Nothing to see @@ -255,28 +226,22 @@ 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 +258,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 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 +267,16 @@ 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 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,15 +284,12 @@ 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 @@ -344,42 +298,31 @@ 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 @@ -393,7 +336,6 @@ 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 @@ -418,22 +360,16 @@ 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 @@ -453,11 +389,9 @@ 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 @@ -468,13 +402,6 @@ This year Tiny Title - Dashboard - Good afternoon - Good day - Good evening - Good morning - Good night - What\'s Your Name Today Top albums Top artists @@ -492,7 +419,6 @@ Username Verze Vertical flip - Virtualizer Volume Webové vyhledávání Welcome, @@ -506,16 +432,11 @@ 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 @@ -529,22 +450,4 @@ 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 c44382282..f7dbac6bc 100644 --- a/app/src/main/res/values-da-rDK/strings.xml +++ b/app/src/main/res/values-da-rDK/strings.xml @@ -8,7 +8,6 @@ Add to playing queue Add to playlist Clear playing queue - Clear playlist Cycle repeat mode Delete Delete from device @@ -48,15 +47,11 @@ 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 @@ -72,9 +67,6 @@ Audio focus denied. Change the sound settings and adjust the equalizer controls Auto - Base color theme - Bass Boost - Bio Biography Just Black Blacklist @@ -92,32 +84,23 @@ 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. @@ -130,7 +113,6 @@ Members and contributors Currently listening to %1$s by %2$s. Kinda Dark - No Lyrics Delete playlist %1$s?]]> Delete playlists @@ -140,7 +122,6 @@ %1$d playlists?]]> %1$d songs?]]> Deleted %1$d songs. - Deleting songs Depth Description Device info @@ -151,13 +132,9 @@ 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 @@ -174,7 +151,6 @@ 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 @@ -205,8 +181,6 @@ Labeled Last added Last song - Let\'s play some music - Library Library categories Licenses Clearly White @@ -222,9 +196,7 @@ Name Most played Never - New banner photo New playlist - New profile photo %s is the new start directory. Next Song You have no albums @@ -240,7 +212,6 @@ You have no songs Normal Normal lyrics - Normal %s is not listed in the media store.]]> Nothing to scan. Nothing to see @@ -255,28 +226,22 @@ 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 +258,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 +267,16 @@ 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 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,15 +284,12 @@ 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 @@ -344,42 +298,31 @@ 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 @@ -393,7 +336,6 @@ 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 @@ -418,22 +360,16 @@ 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 @@ -453,11 +389,9 @@ 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 @@ -468,13 +402,6 @@ This year Tiny Title - Dashboard - Good afternoon - Good day - Good evening - Good morning - Good night - What\'s Your Name Today Top albums Top artists @@ -492,7 +419,6 @@ Username Version Vertical flip - Virtualizer Volume Web search Welcome, @@ -506,16 +432,11 @@ 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 @@ -525,16 +446,4 @@ 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 1e71cd2e9..6a80200d9 100644 --- a/app/src/main/res/values-de-rDE/strings.xml +++ b/app/src/main/res/values-de-rDE/strings.xml @@ -8,7 +8,6 @@ Zur Wiedergabeliste hinzufügen Zur Playlist hinzufügen... Wiedergabeliste leeren - Playlist leeren Wiederholungsmodus wechseln Löschen Vom Gerät löschen @@ -48,15 +47,11 @@ 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 Album Künstler - Titel oder Künstler ist leer. Alben Immer Hey, schau dir diesen coolen Music Player an: https://play.google.com/store/apps/details?id=%s @@ -72,9 +67,6 @@ Audio Fokus verweigert. Sound- und Equalizer-Optionen einstellen Automatisch - Grundfarbe - Bassboost - Beschreibung Biografie Sehr schwarz Schwarze Liste @@ -92,32 +84,23 @@ 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 @@ -130,7 +113,6 @@ Helfende Hände Spielt zur Zeit %1$s von %2$s. Dunkel - keine Lyrics Playlist löschen %1$s löschen?]]> Playlisten löschen @@ -140,7 +122,6 @@ %1$d Playlisten löschen?]]> %1$d Songs löschen?]]> %1$d Songs gelöscht. - Lösche Songs Tiefe Beschreibung Geräteinfo @@ -151,13 +132,9 @@ 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 @@ -174,7 +151,6 @@ 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 @@ -205,8 +181,6 @@ Beschriftet Zuletzt hinzugefügt Letzter Song - Lass uns etwas abspielen - Bibliothek Bibliothekkategorien Lizenzen Sehr weiß @@ -222,9 +196,7 @@ Mein Name Meine Top Lieder Nie - Neues Banner-Foto Neue Playlist - Neues Profilbild %s ist das neue Startverzeichnis. Nächster Song Keine Alben @@ -240,7 +212,6 @@ Keine Songs Normal Normaler Songtext - Normal %s ist nicht im Medienspeicher aufgeführt.]]> Nichts zu scannen. Nichts zu sehen @@ -255,28 +226,22 @@ 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 +258,6 @@ 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 Aktuelles Album-Cover als Sperrbildschrim verwenden. Benachrichtigungen, Benachrichtigung etc. Die Musik in Ordnern von der schwarzen Liste wird nicht angezeigt. @@ -305,21 +267,16 @@ 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. 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,15 +284,12 @@ 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 @@ -344,42 +298,31 @@ 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 @@ -393,7 +336,6 @@ 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 @@ -418,22 +360,16 @@ 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 @@ -453,11 +389,9 @@ 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. @@ -468,13 +402,6 @@ Dieses Jahr Winzig Titel - Bedienfläche - Guten Nachmittag! - Guten Tag! - Einen schönen Abend! - Guten Morgen! - Gute Nacht - Wie heißt du? Heute Top Alben Top Interpreten @@ -492,7 +419,6 @@ Benutzername Version Vertikale Drehung - Surroundsound Lautstärke Internetsuche Willkommen, @@ -506,16 +432,11 @@ 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 @@ -525,16 +446,4 @@ 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 8a4f6068a..9ec513697 100644 --- a/app/src/main/res/values-el-rGR/strings.xml +++ b/app/src/main/res/values-el-rGR/strings.xml @@ -8,7 +8,6 @@ Προσθήκη στην ουρά αναπ/γής Προσθήκη σε playlist... Εκκαθάριση ουράς αναπαραγωγής - Εκκαθάριση playlist Cycle repeat mode Διαγραφή Διαγραφή από την συσκευή @@ -48,15 +47,11 @@ Toggle shuffle mode Adaptive Προσθήκη - Add lyrics - Προσθήκη εικόνας "Προσθήκη στη playlist" - Add time frame lyrics "Προστέθηκε 1 κομμάτι στην ουρά αναπ/γης." Προστέθηκαν %1$d κομμάτια στην ουρά αναπ/γης. Άλμπουμ Καλλιτέχνης Άλμπουμ - Ο τίτλος ή το όνομα του καλλιτέχνη είναι κενό Άλμπουμ Πάντα Τσεκάρετε αυτό το κούλ music player στο:https://play.google.com/store/apps/details?id=%s @@ -72,9 +67,6 @@ Η εστίαση ήχου απορρίφθηκε. Change the sound settings and adjust the equalizer controls Auto - Base color theme - Bass Boost - Bio Βιογραφία Απλά Μαύρο Blacklist @@ -92,32 +84,23 @@ 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 Λίστα Αλλαγών Η Λίστα Αλλαγών συντηρείται από το Telegram app Circle Circular Classic Εκκαθάριση - 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. @@ -130,7 +113,6 @@ Members and contributors Παίζει το %1$s από τους %2$s. Κάπως Σκούρο - Δεν βρέθηκαν στίχοι. Διαγραφή playlist %1$s?]]> Διαγραφή αυτών των playlist @@ -140,7 +122,6 @@ %1$d playlist?]]> %1$d κομματιών?]]> Διαγράφηκαν %1$d κομμάτια. - Deleting songs Depth Description Device info @@ -151,13 +132,9 @@ Δώρισε Αν σου άρεσε η εφαρμογή μπορείς να δωρίσεις εδώ. Αγορασέ μου ένα - Λήψη από Last.fm Drive mode - Edit - Edit cover Κενό Ισοσταθμιστής - Error FAQ Αγαπημένα Finish last song @@ -174,7 +151,6 @@ Είδος 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 @@ -205,8 +181,6 @@ Labeled Προστέθηκαν τελευταία Last song - Ας παίξουμε κάτι - Περιηγήσου Library categories Άδειες Ξεκάθαρα Λευκό @@ -222,9 +196,7 @@ Το Όνομά μου Τα Κορυφαία Κομμάτια μου Ποτέ - New banner photo Νέα playlist - New profile photo %s είναι ο νέος κατάλογος εκκίνησης. Next Song Κανένα άλμπουμ @@ -240,7 +212,6 @@ Δεν βρέθηκαν κομμάτια Κανονικό Normal lyrics - Normal %s δεν υπάρχει στο media store.]]> Δεν υπάρχει στοιχείο προς σάρωση. Nothing to see @@ -255,28 +226,22 @@ 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 Απλό Η ειδοποίηση αναπαραγωγής προσφέρει κουμπιά για 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 @@ -293,9 +258,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 Χρησιμοποιεί το εξώφυλλο του τρέχων κομματιού ως φόντο οθόνης κλειδώματος. Ειδοποιήσεις, πλοήγηση, κλπ. The content of blacklisted folders is hidden from your library. @@ -305,21 +267,16 @@ Χρήση του κλασσικού 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 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,15 +284,12 @@ Εμφάνιση εξωφύλλου άλμπουμ. Album cover theme Album cover skip - Album grid Χρωματιστά app shortcuts - Artist grid Μείωση έντασης όταν υπάρχουν εισερχόμενες ειδοποιήσεις Αυτόματη λήψη εικόνων καλλιτεχνών Blacklist Bluetooth playback Θόλωμα εξωφύλλων άλμπουμ - Choose equalizer Κλασσικό design ειδοποίησης Προσαρμοστικό Χρώμα Χρωματιστή ειδοποίηση @@ -344,42 +298,31 @@ 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 @@ -393,7 +336,6 @@ 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 @@ -418,22 +360,16 @@ 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 Κομμάτι @@ -453,11 +389,9 @@ 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 @@ -468,13 +402,6 @@ Αυτό το χρόνο Tiny Title - Ταμπλό - Καλό Μεσημέρι - Καλημέρα - Καλό Απόγευμα - Καλημέρα - Καληνύχτα - Ποιό είναι το όνομά σας; Σήμερα Top albums Top artists @@ -492,7 +419,6 @@ Username Έκδοση Vertical flip - Virtualizer Volume Αναζήτηση στον ιστό Welcome, @@ -506,16 +432,11 @@ 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 @@ -525,16 +446,4 @@ 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 e028f27cb..b5b68ee8c 100644 --- a/app/src/main/res/values-en-rHK/strings.xml +++ b/app/src/main/res/values-en-rHK/strings.xml @@ -8,7 +8,6 @@ Add to playing queue Add to playlist Clear playing queue - Clear playlist Cycle repeat mode Delete Delete from device @@ -48,15 +47,11 @@ 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 @@ -72,9 +67,6 @@ Audio focus denied. Change the sound settings and adjust the equalizer controls Auto - Base color theme - Bass Boost - Bio Biography Just Black Blacklist @@ -92,32 +84,23 @@ 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. @@ -130,7 +113,6 @@ Members and contributors Currently listening to %1$s by %2$s. Kinda Dark - No Lyrics Delete playlist %1$s?]]> Delete playlists @@ -140,7 +122,6 @@ %1$d playlists?]]> %1$d songs?]]> Deleted %1$d songs. - Deleting songs Depth Description Device info @@ -151,13 +132,9 @@ 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 @@ -174,7 +151,6 @@ 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 @@ -205,8 +181,6 @@ Labeled Last added Last song - Let\'s play some music - Library Library categories Licenses Clearly White @@ -222,9 +196,7 @@ Name Most played Never - New banner photo New playlist - New profile photo %s is the new start directory. Next Song You have no albums @@ -240,7 +212,6 @@ You have no songs Normal Normal lyrics - Normal %s is not listed in the media store.]]> Nothing to scan. Nothing to see @@ -255,28 +226,22 @@ 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 +258,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 +267,16 @@ 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 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,15 +284,12 @@ 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 @@ -344,42 +298,31 @@ 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 @@ -393,7 +336,6 @@ 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 @@ -418,22 +360,16 @@ 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 @@ -453,11 +389,9 @@ 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 @@ -468,13 +402,6 @@ This year Tiny Title - Dashboard - Good afternoon - Good day - Good evening - Good morning - Good night - What\'s Your Name Today Top albums Top artists @@ -492,7 +419,6 @@ Username Version Vertical flip - Virtualizer Volume Web search Welcome, @@ -506,9 +432,6 @@ 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 e028f27cb..b5b68ee8c 100644 --- a/app/src/main/res/values-en-rID/strings.xml +++ b/app/src/main/res/values-en-rID/strings.xml @@ -8,7 +8,6 @@ Add to playing queue Add to playlist Clear playing queue - Clear playlist Cycle repeat mode Delete Delete from device @@ -48,15 +47,11 @@ 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 @@ -72,9 +67,6 @@ Audio focus denied. Change the sound settings and adjust the equalizer controls Auto - Base color theme - Bass Boost - Bio Biography Just Black Blacklist @@ -92,32 +84,23 @@ 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. @@ -130,7 +113,6 @@ Members and contributors Currently listening to %1$s by %2$s. Kinda Dark - No Lyrics Delete playlist %1$s?]]> Delete playlists @@ -140,7 +122,6 @@ %1$d playlists?]]> %1$d songs?]]> Deleted %1$d songs. - Deleting songs Depth Description Device info @@ -151,13 +132,9 @@ 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 @@ -174,7 +151,6 @@ 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 @@ -205,8 +181,6 @@ Labeled Last added Last song - Let\'s play some music - Library Library categories Licenses Clearly White @@ -222,9 +196,7 @@ Name Most played Never - New banner photo New playlist - New profile photo %s is the new start directory. Next Song You have no albums @@ -240,7 +212,6 @@ You have no songs Normal Normal lyrics - Normal %s is not listed in the media store.]]> Nothing to scan. Nothing to see @@ -255,28 +226,22 @@ 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 +258,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 +267,16 @@ 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 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,15 +284,12 @@ 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 @@ -344,42 +298,31 @@ 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 @@ -393,7 +336,6 @@ 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 @@ -418,22 +360,16 @@ 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 @@ -453,11 +389,9 @@ 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 @@ -468,13 +402,6 @@ This year Tiny Title - Dashboard - Good afternoon - Good day - Good evening - Good morning - Good night - What\'s Your Name Today Top albums Top artists @@ -492,7 +419,6 @@ Username Version Vertical flip - Virtualizer Volume Web search Welcome, @@ -506,9 +432,6 @@ 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 e028f27cb..b5b68ee8c 100644 --- a/app/src/main/res/values-en-rIN/strings.xml +++ b/app/src/main/res/values-en-rIN/strings.xml @@ -8,7 +8,6 @@ Add to playing queue Add to playlist Clear playing queue - Clear playlist Cycle repeat mode Delete Delete from device @@ -48,15 +47,11 @@ 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 @@ -72,9 +67,6 @@ Audio focus denied. Change the sound settings and adjust the equalizer controls Auto - Base color theme - Bass Boost - Bio Biography Just Black Blacklist @@ -92,32 +84,23 @@ 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. @@ -130,7 +113,6 @@ Members and contributors Currently listening to %1$s by %2$s. Kinda Dark - No Lyrics Delete playlist %1$s?]]> Delete playlists @@ -140,7 +122,6 @@ %1$d playlists?]]> %1$d songs?]]> Deleted %1$d songs. - Deleting songs Depth Description Device info @@ -151,13 +132,9 @@ 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 @@ -174,7 +151,6 @@ 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 @@ -205,8 +181,6 @@ Labeled Last added Last song - Let\'s play some music - Library Library categories Licenses Clearly White @@ -222,9 +196,7 @@ Name Most played Never - New banner photo New playlist - New profile photo %s is the new start directory. Next Song You have no albums @@ -240,7 +212,6 @@ You have no songs Normal Normal lyrics - Normal %s is not listed in the media store.]]> Nothing to scan. Nothing to see @@ -255,28 +226,22 @@ 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 +258,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 +267,16 @@ 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 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,15 +284,12 @@ 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 @@ -344,42 +298,31 @@ 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 @@ -393,7 +336,6 @@ 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 @@ -418,22 +360,16 @@ 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 @@ -453,11 +389,9 @@ 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 @@ -468,13 +402,6 @@ This year Tiny Title - Dashboard - Good afternoon - Good day - Good evening - Good morning - Good night - What\'s Your Name Today Top albums Top artists @@ -492,7 +419,6 @@ Username Version Vertical flip - Virtualizer Volume Web search Welcome, @@ -506,9 +432,6 @@ 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 c44382282..f7dbac6bc 100644 --- a/app/src/main/res/values-en-rUS/strings.xml +++ b/app/src/main/res/values-en-rUS/strings.xml @@ -8,7 +8,6 @@ Add to playing queue Add to playlist Clear playing queue - Clear playlist Cycle repeat mode Delete Delete from device @@ -48,15 +47,11 @@ 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 @@ -72,9 +67,6 @@ Audio focus denied. Change the sound settings and adjust the equalizer controls Auto - Base color theme - Bass Boost - Bio Biography Just Black Blacklist @@ -92,32 +84,23 @@ 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. @@ -130,7 +113,6 @@ Members and contributors Currently listening to %1$s by %2$s. Kinda Dark - No Lyrics Delete playlist %1$s?]]> Delete playlists @@ -140,7 +122,6 @@ %1$d playlists?]]> %1$d songs?]]> Deleted %1$d songs. - Deleting songs Depth Description Device info @@ -151,13 +132,9 @@ 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 @@ -174,7 +151,6 @@ 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 @@ -205,8 +181,6 @@ Labeled Last added Last song - Let\'s play some music - Library Library categories Licenses Clearly White @@ -222,9 +196,7 @@ Name Most played Never - New banner photo New playlist - New profile photo %s is the new start directory. Next Song You have no albums @@ -240,7 +212,6 @@ You have no songs Normal Normal lyrics - Normal %s is not listed in the media store.]]> Nothing to scan. Nothing to see @@ -255,28 +226,22 @@ 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 +258,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 +267,16 @@ 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 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,15 +284,12 @@ 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 @@ -344,42 +298,31 @@ 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 @@ -393,7 +336,6 @@ 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 @@ -418,22 +360,16 @@ 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 @@ -453,11 +389,9 @@ 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 @@ -468,13 +402,6 @@ This year Tiny Title - Dashboard - Good afternoon - Good day - Good evening - Good morning - Good night - What\'s Your Name Today Top albums Top artists @@ -492,7 +419,6 @@ Username Version Vertical flip - Virtualizer Volume Web search Welcome, @@ -506,16 +432,11 @@ 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 @@ -525,16 +446,4 @@ 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 3c96555bd..85bec4f71 100644 --- a/app/src/main/res/values-es-rES/strings.xml +++ b/app/src/main/res/values-es-rES/strings.xml @@ -8,7 +8,6 @@ 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 @@ -48,15 +47,11 @@ 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 Artista del álbum - El titulo o artista está vacío Álbumes Siempre Ve este cool reproductor de música en: https://play.google.com/store/apps/details?id=%s @@ -72,9 +67,6 @@ 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 @@ -92,32 +84,23 @@ 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 @@ -130,7 +113,6 @@ 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 @@ -140,7 +122,6 @@ %1$d listas de reproducción?]]> %1$d canciones?]]> %1$d canciones eliminadas. - Eliminando canciones Profundidad Descripción Información del dispositivo @@ -151,13 +132,9 @@ 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 @@ -174,7 +151,6 @@ 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 @@ -205,8 +181,6 @@ Etiquetado Añadidos recientemente Última canción - Vamos a tocar un poco de música - Biblioteca Categorías de la Biblioteca Licencias Blanco claro @@ -222,9 +196,7 @@ 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 @@ -240,7 +212,6 @@ No hay Canciones Normal Letras normales - Normal %s no aparece en la lista de medios.]]> Nada para escanear. Nada para escanear @@ -255,28 +226,22 @@ 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 +258,6 @@ 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 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 +267,16 @@ 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 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,15 +284,12 @@ 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 @@ -344,42 +298,31 @@ 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 @@ -393,7 +336,6 @@ 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ó @@ -418,22 +360,16 @@ 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 @@ -453,11 +389,9 @@ 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 @@ -468,13 +402,6 @@ Este año Pequeño 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 @@ -492,7 +419,6 @@ Nombre de usuario Versión giro vertical - Virtualizador Volumen Búsqueda web Bienvenido, @@ -506,16 +432,11 @@ 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 @@ -525,16 +446,4 @@ Á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 9f9f317f7..cd4c4058b 100644 --- a/app/src/main/res/values-eu-rES/strings.xml +++ b/app/src/main/res/values-eu-rES/strings.xml @@ -8,7 +8,6 @@ Ilaran gehitu Erreprodukzio zerrendan gehitu Erreprodukzio ilara garbitu - Erreprodukzio zerrenda garbitu Cycle repeat mode Ezabatu Gailutik ezabatu @@ -48,15 +47,11 @@ 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 Albumeko artista - Izenburua edo artista hutsik dago Albumak Beti Begiratu musika erreproduzitzaile hau: https://play.google.com/store/apps/details?id=%s @@ -72,9 +67,6 @@ Audio fokatzea ukatua Aldatu soinu ezarpenak eta doitu nahasgailuaren kontrolak Automatikoa - Oinarrizko kolore gaia - Baxu Bultzada - Биография Biografia Beltza bakarrik Zerrenda beltza @@ -92,32 +84,23 @@ 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 @@ -130,7 +113,6 @@ 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 @@ -140,7 +122,6 @@ %1$d erreprodukzio zerrenda ezabatu?]]> %1$d abesti ezabatu?]]> %1$d abesti ezabatu dira - Deleting songs Sakonera Azalpena Gailuaren informazioa @@ -151,13 +132,9 @@ 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 @@ -174,7 +151,6 @@ Generoa Generoak GitHub-en proiektua zatitu - Batu Google Plus-eko komunitatea laguntza eskatzeko edo Retro Music-en eguneraketak jarraitzeko 1 2 3 @@ -205,8 +181,6 @@ Etiketaduna Gehitutako azkenak Last song - Musika erreproduzitu dezagun - Liburutegia Library categories Lizentziak Zuria jakina @@ -222,9 +196,7 @@ Nire izena Gehien erreproduzituak Inoiz ez - Banner argazki berria Erreprodukzio zerrenda berria - Profileko argazki berria %s da hasierako direktorio berria Next Song Albumik ez @@ -240,7 +212,6 @@ Abestirik ez Normala Letra normalak - Normala %s ez dator dendan zerrendatua]]> Eskaneatzekorik ez Nothing to see @@ -255,28 +226,22 @@ 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 +258,6 @@ 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 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 +267,16 @@ 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 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,15 +284,12 @@ 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 @@ -344,42 +298,31 @@ 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 @@ -393,7 +336,6 @@ 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 @@ -418,22 +360,16 @@ 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 @@ -453,11 +389,9 @@ 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 @@ -468,13 +402,6 @@ Urte hau Ñimiñoa Titulua - Arbela - Arratsalde on - Egun on - Arratsalde on - Egun on - Gabon - Zein da zure izena Gaur Album onenak Artista onenak @@ -492,7 +419,6 @@ Erabiltzaile izena Bertsioa Iraulketa bertikala - Birtualizatzailea Volume Web bilaketa Welcome, @@ -506,16 +432,11 @@ 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 @@ -525,16 +446,4 @@ 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 c44382282..f7dbac6bc 100644 --- a/app/src/main/res/values-fa-rIR/strings.xml +++ b/app/src/main/res/values-fa-rIR/strings.xml @@ -8,7 +8,6 @@ Add to playing queue Add to playlist Clear playing queue - Clear playlist Cycle repeat mode Delete Delete from device @@ -48,15 +47,11 @@ 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 @@ -72,9 +67,6 @@ Audio focus denied. Change the sound settings and adjust the equalizer controls Auto - Base color theme - Bass Boost - Bio Biography Just Black Blacklist @@ -92,32 +84,23 @@ 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. @@ -130,7 +113,6 @@ Members and contributors Currently listening to %1$s by %2$s. Kinda Dark - No Lyrics Delete playlist %1$s?]]> Delete playlists @@ -140,7 +122,6 @@ %1$d playlists?]]> %1$d songs?]]> Deleted %1$d songs. - Deleting songs Depth Description Device info @@ -151,13 +132,9 @@ 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 @@ -174,7 +151,6 @@ 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 @@ -205,8 +181,6 @@ Labeled Last added Last song - Let\'s play some music - Library Library categories Licenses Clearly White @@ -222,9 +196,7 @@ Name Most played Never - New banner photo New playlist - New profile photo %s is the new start directory. Next Song You have no albums @@ -240,7 +212,6 @@ You have no songs Normal Normal lyrics - Normal %s is not listed in the media store.]]> Nothing to scan. Nothing to see @@ -255,28 +226,22 @@ 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 +258,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 +267,16 @@ 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 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,15 +284,12 @@ 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 @@ -344,42 +298,31 @@ 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 @@ -393,7 +336,6 @@ 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 @@ -418,22 +360,16 @@ 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 @@ -453,11 +389,9 @@ 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 @@ -468,13 +402,6 @@ This year Tiny Title - Dashboard - Good afternoon - Good day - Good evening - Good morning - Good night - What\'s Your Name Today Top albums Top artists @@ -492,7 +419,6 @@ Username Version Vertical flip - Virtualizer Volume Web search Welcome, @@ -506,16 +432,11 @@ 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 @@ -525,16 +446,4 @@ 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 c44382282..f7dbac6bc 100644 --- a/app/src/main/res/values-fi-rFI/strings.xml +++ b/app/src/main/res/values-fi-rFI/strings.xml @@ -8,7 +8,6 @@ Add to playing queue Add to playlist Clear playing queue - Clear playlist Cycle repeat mode Delete Delete from device @@ -48,15 +47,11 @@ 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 @@ -72,9 +67,6 @@ Audio focus denied. Change the sound settings and adjust the equalizer controls Auto - Base color theme - Bass Boost - Bio Biography Just Black Blacklist @@ -92,32 +84,23 @@ 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. @@ -130,7 +113,6 @@ Members and contributors Currently listening to %1$s by %2$s. Kinda Dark - No Lyrics Delete playlist %1$s?]]> Delete playlists @@ -140,7 +122,6 @@ %1$d playlists?]]> %1$d songs?]]> Deleted %1$d songs. - Deleting songs Depth Description Device info @@ -151,13 +132,9 @@ 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 @@ -174,7 +151,6 @@ 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 @@ -205,8 +181,6 @@ Labeled Last added Last song - Let\'s play some music - Library Library categories Licenses Clearly White @@ -222,9 +196,7 @@ Name Most played Never - New banner photo New playlist - New profile photo %s is the new start directory. Next Song You have no albums @@ -240,7 +212,6 @@ You have no songs Normal Normal lyrics - Normal %s is not listed in the media store.]]> Nothing to scan. Nothing to see @@ -255,28 +226,22 @@ 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 +258,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 +267,16 @@ 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 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,15 +284,12 @@ 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 @@ -344,42 +298,31 @@ 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 @@ -393,7 +336,6 @@ 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 @@ -418,22 +360,16 @@ 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 @@ -453,11 +389,9 @@ 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 @@ -468,13 +402,6 @@ This year Tiny Title - Dashboard - Good afternoon - Good day - Good evening - Good morning - Good night - What\'s Your Name Today Top albums Top artists @@ -492,7 +419,6 @@ Username Version Vertical flip - Virtualizer Volume Web search Welcome, @@ -506,16 +432,11 @@ 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 @@ -525,16 +446,4 @@ 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 2f3914ac7..bdcac78b1 100644 --- a/app/src/main/res/values-fr-rFR/strings.xml +++ b/app/src/main/res/values-fr-rFR/strings.xml @@ -8,7 +8,6 @@ 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 @@ -48,15 +47,11 @@ 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 Artiste de l\'album - Le titre ou l\'artiste est vide. Albums Toujours Hey, jetez un coup d\'œil à ce super lecteur de musique : https://play.google.com/store/apps/details?id=%s @@ -72,9 +67,6 @@ 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 @@ -92,32 +84,23 @@ 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. @@ -130,7 +113,6 @@ 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 @@ -140,7 +122,6 @@ %1$d ?]]> %1$d ?]]> %1$d à été supprimé. - Deleting songs Profondeur Description Infos sur l\'appareil @@ -151,13 +132,9 @@ 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 @@ -174,7 +151,6 @@ 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 @@ -205,8 +181,6 @@ Étiqueté Dernier ajout Dernière Chanson - Jouons un peu de musique - Bibliothèque Catégories Licences Clairement blanc @@ -222,9 +196,7 @@ 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 @@ -240,7 +212,6 @@ Aucun morceau Normal Paroles normales - Normal %s n\'est pas repertorié dans le stockage média.]]> Rien à scanner. Rien à afficher @@ -255,28 +226,22 @@ 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 +258,6 @@ 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 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 +267,16 @@ 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 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,15 +284,12 @@ 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 @@ -344,42 +298,31 @@ 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 @@ -393,7 +336,6 @@ 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 @@ -418,22 +360,16 @@ 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 @@ -453,11 +389,9 @@ 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. @@ -468,13 +402,6 @@ Cette année Petit 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 @@ -492,7 +419,6 @@ Nom d\'utilisateur version Balayage vertical - Virtualisateur Volume Recherche internet Accueillir, @@ -506,16 +432,11 @@ 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 @@ -525,16 +446,4 @@ 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 d55510221..1824e17cd 100644 --- a/app/src/main/res/values-hi-rIN/strings.xml +++ b/app/src/main/res/values-hi-rIN/strings.xml @@ -8,7 +8,6 @@ कतार में जोड़ें प्लेलिस्ट में जोड़ें कतार निकाल दे - प्लेलिस्ट निकाल दे साइकिल रिपीट मोड हटाएं डिवाइस से हटाएं @@ -48,15 +47,11 @@ शफल मोड को टॉगल करें अनुकूली जोड़ें - गीत जोड़ें - फ़ोटो\nजोड़ें "प्लेलिस्ट में जोड़ें" - समय सीमा गीत जोड़ें "कतार मे 1 शीर्षक जोड़ा गया है।" कतार मे %1$d शीर्षक जोड़ा गया है। एल्बम एल्बम कलाकार - शीर्षक या कलाकार खाली है एल्बम हमेशा इस बढ़िया म्यूजिक प्लेयर को यहां देखें:https://play.google.com/store/apps/details?id=%s @@ -72,9 +67,6 @@ ऑडियो फोकस से इनकार किया। ध्वनि सेटिंग्स बदलें और तुल्यकारक नियंत्रण समायोजित करें ऑटो - आधार रंग विषय - मंद्र को बढ़ाना - जैव जीवनी सिर्फ काला ब्लैकलिस्ट @@ -92,32 +84,23 @@ कृपया एक समस्या शीर्षक दर्ज करें कृपया अपना वैध 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. @@ -130,7 +113,6 @@ Members and contributors Currently listening to %1$s by %2$s. Kinda Dark - No Lyrics Delete playlist %1$s?]]> Delete playlists @@ -140,7 +122,6 @@ %1$d playlists?]]> %1$d songs?]]> Deleted %1$d songs. - Deleting songs Depth Description Device info @@ -151,13 +132,9 @@ 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 @@ -174,7 +151,6 @@ 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 @@ -205,8 +181,6 @@ Labeled Last added Last song - Let\'s play some music - Library Library categories Licenses Clearly White @@ -222,9 +196,7 @@ Name Most played Never - New banner photo New playlist - New profile photo %s is the new start directory. Next Song You have no albums @@ -240,7 +212,6 @@ You have no songs Normal Normal lyrics - Normal %s is not listed in the media store.]]> Nothing to scan. Nothing to see @@ -255,28 +226,22 @@ 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 +258,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 +267,16 @@ 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 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,15 +284,12 @@ 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 @@ -344,42 +298,31 @@ 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 @@ -393,7 +336,6 @@ 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 @@ -418,22 +360,16 @@ 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 @@ -453,11 +389,9 @@ 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 @@ -468,13 +402,6 @@ This year Tiny Title - Dashboard - Good afternoon - Good day - Good evening - Good morning - Good night - What\'s Your Name Today Top albums Top artists @@ -492,7 +419,6 @@ Username Version Vertical flip - Virtualizer Volume Web search Welcome, @@ -506,16 +432,11 @@ 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 @@ -525,16 +446,4 @@ 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 94ef28b76..915c2877d 100644 --- a/app/src/main/res/values-hr-rHR/strings.xml +++ b/app/src/main/res/values-hr-rHR/strings.xml @@ -8,7 +8,6 @@ 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 @@ -48,15 +47,11 @@ 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 Izvođač albuma - Naziv ili izvođač su prazni. Albumi Uvijek Hej, pogledajte ovaj cool reproduktor glazbe: https://play.google.com/store/apps/details?id=%s @@ -72,9 +67,6 @@ Fokus zvuka je odbijen. Promijenite postavke zvuka i kontrole ekvalizatora Automatski - Temeljna boja teme - Pojačalo Bassa - Biografija Biografija Samo crna Crni popis @@ -93,32 +85,23 @@ 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. @@ -131,7 +114,6 @@ Č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 @@ -141,7 +123,6 @@ %1$d popisa naslova?]]> %1$d pjesama?]]> Izbrisano je %1$d pjesama. - Deleting songs Dubina Opis Informacije o uređaju @@ -153,13 +134,9 @@ 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 @@ -176,7 +153,6 @@ Ž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 @@ -207,8 +183,6 @@ Označeno Posljednje dodano Last song - Reproducirajmo malo glazbe - Biblioteka Library categories Licence Jasno bijela @@ -224,9 +198,7 @@ Moje ime Najslušanije Nikad - Nova slika naslovnice Novi popis naslova - Nova slika profila %s je novi početni direktorij. Next Song Nema albuma @@ -242,7 +214,6 @@ Nema pjesama Normalno Normalni tekst - Normalno %s nije na popisu medijske pohrane.]]> Nema stavki za skeniranje. Nothing to see @@ -257,28 +228,22 @@ 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 +260,6 @@ 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 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 +269,16 @@ 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. 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,15 +286,12 @@ 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 @@ -346,42 +300,31 @@ 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 @@ -395,7 +338,6 @@ 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 @@ -420,22 +362,16 @@ 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 @@ -455,11 +391,9 @@ 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 @@ -470,13 +404,6 @@ Ove godine Sitno 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 @@ -494,7 +421,6 @@ Korisničko ime Verzija Vertikalni okret - Virtualizator Volume Web pretraživanje Welcome, @@ -508,16 +434,11 @@ 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 @@ -529,19 +450,4 @@ 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 1f7bcdf12..a361089d0 100644 --- a/app/src/main/res/values-hu-rHU/strings.xml +++ b/app/src/main/res/values-hu-rHU/strings.xml @@ -8,7 +8,6 @@ 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 @@ -48,15 +47,11 @@ 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 @@ -72,9 +67,6 @@ 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 @@ -92,32 +84,23 @@ 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. @@ -130,7 +113,6 @@ 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 @@ -140,7 +122,6 @@ %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ó @@ -151,13 +132,9 @@ 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 @@ -174,7 +151,6 @@ 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 @@ -205,8 +181,6 @@ 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 @@ -222,9 +196,7 @@ 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 @@ -240,7 +212,6 @@ Nincs dal Normál Normál dalszövegek - Normál %s nem szerepel a médiában.]]> Nincs szkennelve. Semmit sem látni @@ -255,28 +226,22 @@ 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 +258,6 @@ 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 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 +267,16 @@ 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. 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,15 +284,12 @@ 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 @@ -344,42 +298,31 @@ 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 @@ -393,7 +336,6 @@ 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 @@ -418,22 +360,16 @@ 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 @@ -453,11 +389,9 @@ 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... @@ -468,13 +402,6 @@ Egy éve Apró 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 @@ -492,7 +419,6 @@ Felhasználónév Verzió Függőleges forgatás - Virtualizáló Hangerő Webes keresés Üdvözöljük, @@ -506,16 +432,11 @@ 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 @@ -525,16 +446,4 @@ 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 40d1bac95..89c213e47 100644 --- a/app/src/main/res/values-hu/strings.xml +++ b/app/src/main/res/values-hu/strings.xml @@ -8,7 +8,6 @@ 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 @@ -48,15 +47,11 @@ 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 @@ -72,9 +67,6 @@ 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 @@ -92,32 +84,23 @@ 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. @@ -130,7 +113,6 @@ 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 @@ -140,7 +122,6 @@ %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ó @@ -151,13 +132,9 @@ 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 @@ -174,7 +151,6 @@ 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 @@ -205,8 +181,6 @@ 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 @@ -222,9 +196,7 @@ 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 @@ -240,7 +212,6 @@ Nincs dal Normál Normál dalszövegek - Normál %s nem szerepel a médiában.]]> Nincs szkennelve. Semmit sem látni @@ -255,28 +226,22 @@ 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 +258,6 @@ 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 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 +267,16 @@ 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. 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,15 +284,12 @@ 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 @@ -344,42 +298,31 @@ 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 @@ -393,7 +336,6 @@ 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 @@ -418,22 +360,16 @@ 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 @@ -453,11 +389,9 @@ 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... @@ -468,13 +402,6 @@ Egy éve Apró 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 @@ -492,7 +419,6 @@ Felhasználónév Verzió Függőleges forgatás - Virtualizáló Hangerő Webes keresés Üdvözöljük, @@ -506,9 +432,6 @@ 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 diff --git a/app/src/main/res/values-in-rID/strings.xml b/app/src/main/res/values-in-rID/strings.xml index 34054952d..938fee7a1 100644 --- a/app/src/main/res/values-in-rID/strings.xml +++ b/app/src/main/res/values-in-rID/strings.xml @@ -8,7 +8,6 @@ Tambahkan ke antrean pemutar Tambahkan ke daftar putar Bersihkan antrean pemutaran - Bersihkan daftar putar Mode pengulangan siklus Hapus Hapus dari perangkat @@ -48,15 +47,11 @@ 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 Album artis - Judul atau artis kosong Album Selalu Hei lihat pemutar musik keren ini di: @@ -73,9 +68,6 @@ https://play.google.com/store/apps/details?id=%s Fokus audio ditolak Ubah pengaturan suara dan sesuaikan ekualiser Otomatis - Berdasarkan warna tema - Penguat Bas - Bio Biografi Hanya Hitam Daftar hitam @@ -94,32 +86,23 @@ 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. @@ -132,7 +115,6 @@ tetap bermasalah, \"Hapus data Aplikasi\" atau kirim Email Member dan kontributor Terakhir kali mengdengarkan %1$s oleh %2$s. Agak gelap - Tidak ada lirik Hapus daftar putar %1$s?]]> Hapus daftar putar @@ -142,7 +124,6 @@ tetap bermasalah, \"Hapus data Aplikasi\" atau kirim Email %1$d daftar putar?]]> %1$d lagu?]]> Lagu %1$d dihapus - Mengapus lagu Kedalaman Deskripsi Info perangkat @@ -153,13 +134,9 @@ tetap bermasalah, \"Hapus data Aplikasi\" atau kirim Email 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 @@ -176,7 +153,6 @@ tetap bermasalah, \"Hapus data Aplikasi\" atau kirim Email Aliran Aliran Fork projek di GitHub - Gabung di komunitas Google plus, anda dapat bertanya ataupun mengikuti pembaruan dari aplikasi Retro Music 1 2 3 @@ -207,8 +183,6 @@ tetap bermasalah, \"Hapus data Aplikasi\" atau kirim Email Berlabel Terakhir ditambahkan Lagu terakhir - Mari putar sebuah lagu - Pustaka Kategori pustaka Lisensi Putih jelas @@ -224,9 +198,7 @@ tetap bermasalah, \"Hapus data Aplikasi\" atau kirim Email 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 @@ -242,7 +214,6 @@ tetap bermasalah, \"Hapus data Aplikasi\" atau kirim Email Tidak ada lagu Normal Lirik normal - Normal %s tidak ada di daftar media]]> Tak ada apapun untuk dipindai Tidak ada apapun untuk dilihat @@ -257,28 +228,22 @@ tetap bermasalah, \"Hapus data Aplikasi\" atau kirim Email 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 +260,6 @@ 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 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 +269,16 @@ 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. 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,15 +286,12 @@ 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 @@ -346,42 +300,31 @@ tetap bermasalah, \"Hapus data Aplikasi\" atau kirim Email 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 @@ -395,7 +338,6 @@ tetap bermasalah, \"Hapus data Aplikasi\" atau kirim Email 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 @@ -420,22 +362,16 @@ tetap bermasalah, \"Hapus data Aplikasi\" atau kirim Email 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 @@ -455,11 +391,9 @@ tetap bermasalah, \"Hapus data Aplikasi\" atau kirim Email 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 @@ -470,13 +404,6 @@ tetap bermasalah, \"Hapus data Aplikasi\" atau kirim Email Tahun ini Kecil Judul - Dasbor - Selamat sore - Selamat siang - Selamat malam - Selamat pagi - Selamat malam - Siapa namamu Hari ini Album teratas Artis teratas @@ -494,7 +421,6 @@ tetap bermasalah, \"Hapus data Aplikasi\" atau kirim Email Nama pengguna Versi Balik vertikal - Virtualiser Volume Pencarian web Selamat datang, @@ -508,16 +434,11 @@ tetap bermasalah, \"Hapus data Aplikasi\" atau kirim Email 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 @@ -525,13 +446,4 @@ tetap bermasalah, \"Hapus data Aplikasi\" atau kirim Email 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 289384035..ce54c7b7f 100644 --- a/app/src/main/res/values-it-rIT/strings.xml +++ b/app/src/main/res/values-it-rIT/strings.xml @@ -8,7 +8,6 @@ Aggiungi alla coda Aggiungi alla playlist Cancella coda - Svuota la playlist Modalità ripetizione continua Elimina Elimina dal dispositivo @@ -48,15 +47,11 @@ 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 Artista dell\'album - Il titolo o l\'artista sono vuoti Album Sempre Hey, dai un\'occhiata a questo fantastico lettore musicale: @@ -73,9 +68,6 @@ https://play.google.com/store/apps/details?id=%s 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 @@ -93,32 +85,23 @@ 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. @@ -131,7 +114,6 @@ https://play.google.com/store/apps/details?id=%s Membri e collaboratori Ascoltando attualmente %1$s di %2$s. Scuro - Nessun testo Elimina playlist %1$s?]]> Elimina playlist @@ -141,7 +123,6 @@ https://play.google.com/store/apps/details?id=%s %1$d playlist?]]> %1$d brani?]]> Eliminati %1$d brani - Eliminando i brani Profondità Descrizione Info dispositivo @@ -152,13 +133,9 @@ https://play.google.com/store/apps/details?id=%s 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 @@ -175,7 +152,6 @@ https://play.google.com/store/apps/details?id=%s 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 @@ -206,8 +182,6 @@ https://play.google.com/store/apps/details?id=%s Etichettato Ultimi aggiunti Ultimo brano - Suoniamo un po\' di musica - Raccolta Categorie della raccolta Licenze Chiaro @@ -223,9 +197,7 @@ https://play.google.com/store/apps/details?id=%s Nome I più riprodotti Mai - Nuova immagine copertina Nuova playlist - Nuova foto del profilo %s è la nuova directory di avvio Brano successivo Nessun album @@ -241,7 +213,6 @@ https://play.google.com/store/apps/details?id=%s Nessun brano Normale Testi normali - Normale %s non è presente nel Media Store.]]> Niente da rilevare Non c\'è niente da vedere @@ -256,28 +227,22 @@ https://play.google.com/store/apps/details?id=%s 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 +259,6 @@ 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 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 +268,16 @@ 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 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,15 +285,12 @@ 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 @@ -345,42 +299,31 @@ https://play.google.com/store/apps/details?id=%s 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 @@ -394,7 +337,6 @@ https://play.google.com/store/apps/details?id=%s 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 @@ -419,22 +361,16 @@ https://play.google.com/store/apps/details?id=%s 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 @@ -454,11 +390,9 @@ https://play.google.com/store/apps/details?id=%s 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 @@ -469,13 +403,6 @@ https://play.google.com/store/apps/details?id=%s Quest\'anno Piccolo Titolo - Dashboard - Buon pomeriggio - Buona giornata - Buonasera - Buongiorno - Buonanotte - Qual è il tuo nome Oggi Album migliori Artisti migliori @@ -493,7 +420,6 @@ https://play.google.com/store/apps/details?id=%s Nome utente Versione Flip verticale - Virtualizzatore Volume Ricerca web Benvenuto. @@ -507,16 +433,11 @@ https://play.google.com/store/apps/details?id=%s 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 @@ -526,16 +447,4 @@ https://play.google.com/store/apps/details?id=%s 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 fa0ac4a38..4f91d57b6 100644 --- a/app/src/main/res/values-iw-rIL/strings.xml +++ b/app/src/main/res/values-iw-rIL/strings.xml @@ -8,7 +8,6 @@ Add to playing queue Add to playlist Clear playing queue - Clear playlist Cycle repeat mode Delete Delete from device @@ -48,15 +47,11 @@ 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 @@ -72,9 +67,6 @@ Audio focus denied. Change the sound settings and adjust the equalizer controls Auto - Base color theme - Bass Boost - Bio Biography Just Black Blacklist @@ -92,32 +84,23 @@ 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. @@ -130,7 +113,6 @@ Members and contributors Currently listening to %1$s by %2$s. Kinda Dark - No Lyrics Delete playlist %1$s?]]> Delete playlists @@ -140,7 +122,6 @@ %1$d playlists?]]> %1$d songs?]]> Deleted %1$d songs. - Deleting songs Depth Description Device info @@ -151,13 +132,9 @@ 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 @@ -174,7 +151,6 @@ 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 @@ -205,8 +181,6 @@ Labeled Last added Last song - Let\'s play some music - Library Library categories Licenses Clearly White @@ -222,9 +196,7 @@ Name Most played Never - New banner photo New playlist - New profile photo %s is the new start directory. Next Song You have no albums @@ -240,7 +212,6 @@ You have no songs Normal Normal lyrics - Normal %s is not listed in the media store.]]> Nothing to scan. Nothing to see @@ -255,28 +226,22 @@ 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 +258,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 +267,16 @@ 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 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,15 +284,12 @@ 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 @@ -344,42 +298,31 @@ 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 @@ -393,7 +336,6 @@ 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 @@ -418,22 +360,16 @@ 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 @@ -453,11 +389,9 @@ 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 @@ -468,13 +402,6 @@ This year Tiny Title - Dashboard - Good afternoon - Good day - Good evening - Good morning - Good night - What\'s Your Name Today Top albums Top artists @@ -492,7 +419,6 @@ Username Version Vertical flip - Virtualizer Volume Web search Welcome, @@ -506,16 +432,11 @@ 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 @@ -529,22 +450,4 @@ 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 9d6d2545b..a8d427e48 100644 --- a/app/src/main/res/values-ja-rJP/strings.xml +++ b/app/src/main/res/values-ja-rJP/strings.xml @@ -8,7 +8,6 @@ 再生キューに追加 プレイリストに追加… 再生キューをクリア - プレイリストを削除 Cycle repeat mode 削除 デバイスから削除 @@ -48,15 +47,11 @@ Toggle shuffle mode アダプティブ 追加 - 歌詞を追加 - 写真を\n追加 "プレイリストに追加" - 歌詞に時間枠を組み入れる "1曲が再生キューに追加されました" %1$d 曲が再生キューに追加されました アルバム アルバム アーティスト - 不明なタイトルまたはアーティスト アルバム 常に クールな音楽プレイヤーをチェックしよう: https://play.google.com/store/apps/details?id=%s @@ -72,9 +67,6 @@ オーディオのフォーカスが拒否されました。 サウンド設定を変更し、イコライザーコントロールを調整する 自動 - ベースカラーテーマ - 低音ブースト - バイオグラフィー バイオグラフィー ブラックリスト @@ -93,32 +85,23 @@ 有効なGitHubアカウントのユーザー名を入力してください 予期しないエラーが発生しました。申し訳ございません。 このバグが何度も発生する場合は、端末のアプリ設定より「データを削除する(Androidバージョンによって異なります)」を実行するか、概要をメールで送信してください。 - GitHubにレポートをアップロード中... GitHubアカウントを使って送信 Buy now キャンセル カード - 色付きのカード カード - カルーセル 再生中画面でのカルーセル効果 重ねて表示 - キャスト パッチノート 電報チャネルで変更ログが維持されています Circle クラシック 削除 - アプリのデータを削除 ブラックリストを削除 キューを削除 - プレイリストを削除 - %1$s? This can\u2019t be undone!]]> - 閉じる カラフル - カラフル 作曲家 端末情報をコピー @@ -131,7 +114,6 @@ メンバーと貢献者 現在、 %1$s によって %2$s で聴いています。 ちょっと暗い - 歌詞がありません プレイリストを削除 %1$s を削除しますか?]]> プレイリストを削除 @@ -141,7 +123,6 @@ %1$d を削除しますか?]]> %1$d 曲を削除しますか?]]> %1$d 曲を削除しました - Deleting songs 深さ 説明 端末の情報 @@ -152,13 +133,9 @@ 寄付します 私が自分の仕事に払う価値があると思うなら、あなたはここにお金を残すことができます 俺を購入: - Last.fm からダウンロード Drive mode - 編集 - カバーを編集 空の イコライザー - エラー よくある質問 お気に入り Finish last song @@ -175,7 +152,6 @@ ジャンル ジャンル GitHubでプロジェクトにフォークする - Google Plus コミュニティに参加してヘルプや Retro Music のアップデート情報を受け取ろう @@ -206,8 +182,6 @@ ラベル付き 最後に追加された 前の曲 - 何か再生しよう - ライブラリ Library categories ライセンス はっきり白 @@ -223,9 +197,7 @@ 名前 最も再生された 決して - 新しいバナー画像 新しいプレイリスト - 新しいプロフィール画像 %s は新しい開始ディレクトリです。 次の曲 アルバムがありません @@ -241,7 +213,6 @@ 曲がありません 通常 通常の歌詞 - 通常 %s がリストされたされていません。]]> スキャン対象がありません Nothing to see @@ -256,28 +227,22 @@ その他 パスワード 過去3ヶ月 - ここに歌詞を入力してください Peak 外部ストレージへのアクセスが拒否されました 許可が拒否されました 個人用設定 再生中のUI画面をカスタマイズ ローカルストレージから選択 - 画像を選択 Pinterest PintrestでRetro Musicのデザインのインスピレーションを感じましょう! プレーン 再生中の通知は再生/停止の操作が利用できます 再生中の通知 - 空のプレイリスト プレイリストが空です プレイリストの名前 プレイリスト - アルバムのディテールスタイル ブラーを使用するテーマを使用した際のブラーの強さを設定します。低いほど処理が早くなります ぼかしの強さ - Adjust the bottom sheet dialog corners - Dialog corner Filter songs by length 曲の長さをフィルター Advanced @@ -294,9 +259,6 @@ 音量をゼロで一時停止 この機能をオンにすると、バッテリー寿命に影響する可能性があります 画面をオンのままにする - 現在再生中の画面に移動せずに、クリックまたはスライドして開く - クリックもしくはスライド - スノーフォールエフェクト 再生中のジャケットをロック画面の壁紙に適用する システムでサウンドが再生されたとき、または通知が受信されたときに一時的に音量を下げる ブラックリストに登録されたフォルダの内容はコレクションには表示されません。 @@ -306,21 +268,16 @@ 古い通知デザインを使用する ジャケットから抽出された色が背景と再生ボタンに適用されます アプリのショートカットアイコンをアクセントカラーに切り替えます。アクセントカラーを変更した場合はトグルを切り替えて設定を適用してください - ナビゲーションバーにプライマリカラーを適用します "\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 - 全体の色はアルバムジャケットまたはアーティストの画像から選択されます ミニプレイヤー専用のコントロールボタンを追加する Show extra Song information, such as file format, bitrate and frequency "一部のデバイスでは再生に問題が発生する場合があります" - ジャンルタブを切り替える ホーム画面を切り替える アルバムジャケットのクオリティを上げますが、読み込みに時間がかかる場合があります。低解像度の画像で問題がある場合に有効です。 Configure visibility and order of library categories. Retro Musicのカスタムされたロック画面を使用する オープンソースライセンスの詳細 - アプリの端を丸める - 下部のナビゲーションタブを切り替える フルスクリーンモード ヘッドフォンが接続されたら自動で再生を開始する 新しいリストの楽曲を再生する時にシャッフルは自動的にオフになります @@ -328,15 +285,12 @@ アルバムジャケットを表示 アルバムカバーのテーマ アルバムジャケットをスキップ - アルバムの間隔 色のついたアプリショートカット - アーティストの間隔 フォーカスロス時に音量を下げる アーティスト画像を自動でダウンロードする ブラックリスト Bluetooth playback アルバムジャケットにぼかしを適用する - イコライザーを選択 古い通知デザイン アダプティブカラー 色付きの通知 @@ -345,42 +299,31 @@ Song info ギャップレス再生 アプリのテーマ - ジャンルタブを表示 アーティストの間隔 ホーム画面 Media Store のカバーを無視する 最後に追加されたプレイリストの間隔 フルスクリーンコントロール - ナビゲーションに着色する 再生中のテーマ オープンソースライセンス - コーナーと角 タブのラベルモード カルーセルエフェクト - 全体の色 フルスクリーンアプリ - タブのタイトル 自動再生 シャッフルモード ボリュームコントロール - ユーザー情報 - プライマリカラー - プライマリカラーはデフォルトではブルーグレーに設定されています。現在はダークモードでのみ動作します。 Pro Black theme, Now playing themes, Carousel effect and more.. プロフィール 購入 - 購入後に返金を求めないようにお願い申し上げます。 キュー アプリを評価する このアプリを気に入りましたか?アプリをより良いものにするために、Google Play Storeで問題の報告と意見をよろしくお願いします。 最近のアルバム 最近のアーティスト 削除 - バナー画像を削除する ジャケットを削除 ブラックリストから削除 - プロフィール画像を削除 プレイリストから曲を削除 %1$s をプレイリストから削除しますか?]]> プレイリストから曲を削除する @@ -394,7 +337,6 @@ 購入を復元しました。アプリを再起動してフルバージョンをご堪能ください! 購入を復元しました 購入を復元しています... - Retro Music イコライザ Retro Music Player Retro Music Pro File delete failed: %s @@ -419,22 +361,16 @@ メディアをスキャン %2$d のうち、%1$d がスキャンされました Scrobbles - ライブラリを検索しています... すべて選択 - バナー画像を選択してください 選択された - クラッシュログを送信する 決定 アーティスト画像を設定 - プロフィール画像を設定 アプリを共有する Share to Stories シャッフル シンプル スリープタイマーがキャンセルされました スリープタイマーは %d 分後に設定されました。 - スライド - 小さなアルバム ソーシャル Share story @@ -454,11 +390,9 @@ Stack Start playing music. 改善を提案 - ホームに名前が表示されます 開発を支援 スワイプしてアンロック 連動した歌詞 - システムのイコライザ Telegram Telegram のグループに参加して、バグについて話し合ったり、提案したりしましょう @@ -469,13 +403,6 @@ 今年 小さい 主題 - ダッシュボード - こんにちは - 良い一日を - こんばんは - おはようございます - おやすみなさい - あなたの名前はなんですか? 今日 トップアルバム トップアーティスト @@ -493,7 +420,6 @@ ユーザー名 バージョン 垂直方向に反転 - バーチャライザー Volume ウェブで検索 Welcome, @@ -507,16 +433,11 @@ 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 @@ -524,13 +445,4 @@ 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 c44382282..f7dbac6bc 100644 --- a/app/src/main/res/values-kn-rIN/strings.xml +++ b/app/src/main/res/values-kn-rIN/strings.xml @@ -8,7 +8,6 @@ Add to playing queue Add to playlist Clear playing queue - Clear playlist Cycle repeat mode Delete Delete from device @@ -48,15 +47,11 @@ 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 @@ -72,9 +67,6 @@ Audio focus denied. Change the sound settings and adjust the equalizer controls Auto - Base color theme - Bass Boost - Bio Biography Just Black Blacklist @@ -92,32 +84,23 @@ 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. @@ -130,7 +113,6 @@ Members and contributors Currently listening to %1$s by %2$s. Kinda Dark - No Lyrics Delete playlist %1$s?]]> Delete playlists @@ -140,7 +122,6 @@ %1$d playlists?]]> %1$d songs?]]> Deleted %1$d songs. - Deleting songs Depth Description Device info @@ -151,13 +132,9 @@ 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 @@ -174,7 +151,6 @@ 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 @@ -205,8 +181,6 @@ Labeled Last added Last song - Let\'s play some music - Library Library categories Licenses Clearly White @@ -222,9 +196,7 @@ Name Most played Never - New banner photo New playlist - New profile photo %s is the new start directory. Next Song You have no albums @@ -240,7 +212,6 @@ You have no songs Normal Normal lyrics - Normal %s is not listed in the media store.]]> Nothing to scan. Nothing to see @@ -255,28 +226,22 @@ 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 +258,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 +267,16 @@ 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 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,15 +284,12 @@ 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 @@ -344,42 +298,31 @@ 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 @@ -393,7 +336,6 @@ 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 @@ -418,22 +360,16 @@ 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 @@ -453,11 +389,9 @@ 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 @@ -468,13 +402,6 @@ This year Tiny Title - Dashboard - Good afternoon - Good day - Good evening - Good morning - Good night - What\'s Your Name Today Top albums Top artists @@ -492,7 +419,6 @@ Username Version Vertical flip - Virtualizer Volume Web search Welcome, @@ -506,16 +432,11 @@ 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 @@ -525,16 +446,4 @@ 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 bf3a4d17e..8f725f5c2 100644 --- a/app/src/main/res/values-ko-rKR/strings.xml +++ b/app/src/main/res/values-ko-rKR/strings.xml @@ -8,7 +8,6 @@ 재생 대기열에 추가 재생목록에 추가... 재생 대기열 비우기 - 재생목록 비우기 Cycle repeat mode 삭제 기기에서 삭제 @@ -48,15 +47,11 @@ Toggle shuffle mode Adaptive 추가 - Add lyrics - 사진\n추가 "재생목록에 추가" - Add time frame lyrics "재생 대기열에 1곡이 추가되었습니다." 재생 대기열에 %1$d곡이 추가되었습니다. 앨범 앨범 아티스트 - 제목 또는 아티스트가 없습니다. 앨범 항상 이 멋진 뮤직 플레이어를 한 번 써보세요!: https://play.google.com/store/apps/details?id=%s @@ -72,9 +67,6 @@ 오디오 포커스가 거부되었습니다. 소리 설정 및 이퀄라이저 조정 Auto - Base color theme - Bass Boost - Bio 바이오그래피 저스트 블랙 블랙리스트 @@ -92,32 +84,23 @@ 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. @@ -130,7 +113,6 @@ Members and contributors 현재 %2$s의 %1$s를 듣는 중입니다. 카인다 다크 - 가사 없음 재생목록 삭제 %1$s 재생목록을 삭제하시겠습니까?]]> 재생목록 삭제 @@ -140,7 +122,6 @@ %1$d개의 재생목록을 삭제하시겠습니까?]]> %1$d개의 노래를 삭제하시겠습니까?]]> %1$d개의 노래를 삭제했습니다. - Deleting songs Depth Description Device info @@ -151,13 +132,9 @@ 기부하기 제 작업에 대한 대가를 받을 자격이 있다고 생각하신다면 여기서 저를 위해 소액을 기부할 수 있습니다. 사주세요! - Last.fm에서 다운로드 Drive mode - Edit - Edit cover 비어 있음 이퀄라이저 - Error FAQ 즐겨찾기 Finish last song @@ -174,7 +151,6 @@ 장르 장르 Fork the project on GitHub - Join the Google Plus community where you can ask for help or follow Retro Music updates 1 2 3 @@ -205,8 +181,6 @@ Labeled 최근 추가된 목록 Last song - 아무거나 재생해보죠! - 라이브러리 Library categories 라이선스 클리어리 화이트 @@ -222,9 +196,7 @@ 내 이름 자주 재생한 음악 아니오 - New banner photo 새 재생목록 - New profile photo 이제 %s 디렉터리가 새 초기 디렉터리입니다. Next Song 앨범 없음 @@ -240,7 +212,6 @@ 노래 없음 일반 Normal lyrics - Normal %s은(는) 미디어 저장소에 없는 항목입니다.]]> 스캔할 것이 없습니다. Nothing to see @@ -255,28 +226,22 @@ 기타 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 +258,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 현재 재생 중인 노래의 앨범 커버를 잠금 화면 배경화면으로 사용합니다. 알림, 탐색 등 The content of blacklisted folders is hidden from your library. @@ -305,21 +267,16 @@ 클래식 알림 디자인을 사용합니다. 배경과 조작 버튼의 색상을 재생 화면의 앨범 사진에 따라 바꿉니다. 강조 색상의 앱 바로 가기 색상을 지정합니다. 색깔을 바꿀 때마다 이 설정을 다시 켜주세요 - 네비게이션 바의 기본 색상을 지정합니다. "\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 - 앨범 아트나 아티스트 사진에서 가장 많이 사용된 색상을 고릅니다. 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,15 +284,12 @@ 앨범 커버 표시 Album cover theme Album cover skip - Album grid 앱 바로가기 색상 틴트 - Artist grid 알림이 올 때 볼륨 감소 아티스트 이미지 자동 다운로드 Blacklist Bluetooth playback 앨범 커버 블러 - Choose equalizer 클래식 알림 디자인 반응형 색상 지정 알림 색상 틴트 @@ -344,42 +298,31 @@ 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 노래를 재생목록에서 제거하시겠습니까?]]> 노래를 재생목록에서 삭제 @@ -393,7 +336,6 @@ 지난 구매를 복원했습니다. 모든 기능을 사용하기 위해선 앱을 재시작해 주세요. 이전 구매 내역을 복원했습니다. 구매 복원 중... - Retro 이퀄라이저 Retro Music Player RetroMusic Pro 구매 File delete failed: %s @@ -418,22 +360,16 @@ 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 노래 @@ -453,11 +389,9 @@ 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 @@ -468,13 +402,6 @@ 올해 작음 Title - 대시보드 - 좋은 저녁입니다 - 좋은 하루입니다 - 좋은 저녁입니다 - 좋은 아침이에요 - 좋은 밤이에요 - 이름이 무엇인가요? 오늘 인기 앨범 인기 아티스트 @@ -492,7 +419,6 @@ Username 버전 Vertical flip - Virtualizer Volume 웹 검색 Welcome, @@ -506,16 +432,11 @@ 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 @@ -523,13 +444,4 @@ 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 c44382282..f7dbac6bc 100644 --- a/app/src/main/res/values-ml-rIN/strings.xml +++ b/app/src/main/res/values-ml-rIN/strings.xml @@ -8,7 +8,6 @@ Add to playing queue Add to playlist Clear playing queue - Clear playlist Cycle repeat mode Delete Delete from device @@ -48,15 +47,11 @@ 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 @@ -72,9 +67,6 @@ Audio focus denied. Change the sound settings and adjust the equalizer controls Auto - Base color theme - Bass Boost - Bio Biography Just Black Blacklist @@ -92,32 +84,23 @@ 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. @@ -130,7 +113,6 @@ Members and contributors Currently listening to %1$s by %2$s. Kinda Dark - No Lyrics Delete playlist %1$s?]]> Delete playlists @@ -140,7 +122,6 @@ %1$d playlists?]]> %1$d songs?]]> Deleted %1$d songs. - Deleting songs Depth Description Device info @@ -151,13 +132,9 @@ 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 @@ -174,7 +151,6 @@ 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 @@ -205,8 +181,6 @@ Labeled Last added Last song - Let\'s play some music - Library Library categories Licenses Clearly White @@ -222,9 +196,7 @@ Name Most played Never - New banner photo New playlist - New profile photo %s is the new start directory. Next Song You have no albums @@ -240,7 +212,6 @@ You have no songs Normal Normal lyrics - Normal %s is not listed in the media store.]]> Nothing to scan. Nothing to see @@ -255,28 +226,22 @@ 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 +258,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 +267,16 @@ 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 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,15 +284,12 @@ 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 @@ -344,42 +298,31 @@ 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 @@ -393,7 +336,6 @@ 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 @@ -418,22 +360,16 @@ 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 @@ -453,11 +389,9 @@ 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 @@ -468,13 +402,6 @@ This year Tiny Title - Dashboard - Good afternoon - Good day - Good evening - Good morning - Good night - What\'s Your Name Today Top albums Top artists @@ -492,7 +419,6 @@ Username Version Vertical flip - Virtualizer Volume Web search Welcome, @@ -506,16 +432,11 @@ 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 @@ -525,16 +446,4 @@ Album Albums - - %d Song - %d Songs - - - %d Album - %d Albums - - - %d Artist - %d Artists - diff --git a/app/src/main/res/values-ne-rIN/strings.xml b/app/src/main/res/values-ne-rIN/strings.xml index c44382282..f7dbac6bc 100644 --- a/app/src/main/res/values-ne-rIN/strings.xml +++ b/app/src/main/res/values-ne-rIN/strings.xml @@ -8,7 +8,6 @@ Add to playing queue Add to playlist Clear playing queue - Clear playlist Cycle repeat mode Delete Delete from device @@ -48,15 +47,11 @@ 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 @@ -72,9 +67,6 @@ Audio focus denied. Change the sound settings and adjust the equalizer controls Auto - Base color theme - Bass Boost - Bio Biography Just Black Blacklist @@ -92,32 +84,23 @@ 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. @@ -130,7 +113,6 @@ Members and contributors Currently listening to %1$s by %2$s. Kinda Dark - No Lyrics Delete playlist %1$s?]]> Delete playlists @@ -140,7 +122,6 @@ %1$d playlists?]]> %1$d songs?]]> Deleted %1$d songs. - Deleting songs Depth Description Device info @@ -151,13 +132,9 @@ 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 @@ -174,7 +151,6 @@ 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 @@ -205,8 +181,6 @@ Labeled Last added Last song - Let\'s play some music - Library Library categories Licenses Clearly White @@ -222,9 +196,7 @@ Name Most played Never - New banner photo New playlist - New profile photo %s is the new start directory. Next Song You have no albums @@ -240,7 +212,6 @@ You have no songs Normal Normal lyrics - Normal %s is not listed in the media store.]]> Nothing to scan. Nothing to see @@ -255,28 +226,22 @@ 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 +258,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 +267,16 @@ 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 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,15 +284,12 @@ 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 @@ -344,42 +298,31 @@ 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 @@ -393,7 +336,6 @@ 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 @@ -418,22 +360,16 @@ 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 @@ -453,11 +389,9 @@ 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 @@ -468,13 +402,6 @@ This year Tiny Title - Dashboard - Good afternoon - Good day - Good evening - Good morning - Good night - What\'s Your Name Today Top albums Top artists @@ -492,7 +419,6 @@ Username Version Vertical flip - Virtualizer Volume Web search Welcome, @@ -506,16 +432,11 @@ 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 @@ -525,16 +446,4 @@ 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 de751b869..e95db60b1 100644 --- a/app/src/main/res/values-nl-rNL/strings.xml +++ b/app/src/main/res/values-nl-rNL/strings.xml @@ -8,7 +8,6 @@ Voeg toe aan afspeel wachtrij Voeg toe aan afspeellijst... Afspeel wachtrij legen - Leeg afspeellijst Cycle repeat mode Verwijder Verwijder van apparaat @@ -48,15 +47,11 @@ 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 Album artiest - De titel of artiest mist Albums Altijd Hey, bekijk deze coole muziekspeler op:https://play.google.com/store/apps/details?id=%s @@ -72,9 +67,6 @@ Geluid focus geweigerd Change the sound settings and adjust the equalizer controls Auto - Base color theme - Bass Boost - Bio Biografie Gewoon zwart Zwarte lijst @@ -92,32 +84,23 @@ 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. @@ -130,7 +113,6 @@ Members and contributors Nu luisterend naar %1$s van %2$s. Soort van donker - Geen lyrics Afspeellijst verwijderen %1$s verwijderen?]]> Afspeellijsten verwijderen @@ -140,7 +122,6 @@ %1$d?]]> %1$d?]]> Liedjes %1$d verwijderd. - Deleting songs Depth Description Device info @@ -151,13 +132,9 @@ 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 @@ -174,7 +151,6 @@ 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 @@ -205,8 +181,6 @@ Labeled Laatst toegevoegd Last song - Laten we iets afspelen - Bibliotheek Library categories Licenties Clearly wit @@ -222,9 +196,7 @@ Mijn naam Mijn top tracks Nooit - New banner photo Nieuwe afspeellijst - New profile photo %s is de nieuwe start folder Next Song Geen albums @@ -240,7 +212,6 @@ Geen liedjes Normaal Normal lyrics - Normal %s staat niet in de media store]]> Niets om te scannen Nothing to see @@ -255,28 +226,22 @@ 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 +258,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 Gebruik de huidige cover als vergrendelscherm achtergrond. Notificaties, bediening etc. The content of blacklisted folders is hidden from your library. @@ -305,21 +267,16 @@ 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 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,15 +284,12 @@ 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 @@ -344,42 +298,31 @@ 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 @@ -393,7 +336,6 @@ 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 @@ -418,22 +360,16 @@ 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 @@ -453,11 +389,9 @@ 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 @@ -468,13 +402,6 @@ Dit jaar Tiny Title - Dashbord - Goedemiddag - Goededag - Goede avond - Goedemorgen - Goede nacht - Wat is je naam Vandaag Top albums Top artists @@ -492,7 +419,6 @@ Username Versie Vertical flip - Virtualizer Volume Web zoekopdracht Welcome, @@ -506,16 +432,11 @@ 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 @@ -525,16 +446,4 @@ 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 c44382282..f7dbac6bc 100644 --- a/app/src/main/res/values-no-rNO/strings.xml +++ b/app/src/main/res/values-no-rNO/strings.xml @@ -8,7 +8,6 @@ Add to playing queue Add to playlist Clear playing queue - Clear playlist Cycle repeat mode Delete Delete from device @@ -48,15 +47,11 @@ 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 @@ -72,9 +67,6 @@ Audio focus denied. Change the sound settings and adjust the equalizer controls Auto - Base color theme - Bass Boost - Bio Biography Just Black Blacklist @@ -92,32 +84,23 @@ 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. @@ -130,7 +113,6 @@ Members and contributors Currently listening to %1$s by %2$s. Kinda Dark - No Lyrics Delete playlist %1$s?]]> Delete playlists @@ -140,7 +122,6 @@ %1$d playlists?]]> %1$d songs?]]> Deleted %1$d songs. - Deleting songs Depth Description Device info @@ -151,13 +132,9 @@ 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 @@ -174,7 +151,6 @@ 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 @@ -205,8 +181,6 @@ Labeled Last added Last song - Let\'s play some music - Library Library categories Licenses Clearly White @@ -222,9 +196,7 @@ Name Most played Never - New banner photo New playlist - New profile photo %s is the new start directory. Next Song You have no albums @@ -240,7 +212,6 @@ You have no songs Normal Normal lyrics - Normal %s is not listed in the media store.]]> Nothing to scan. Nothing to see @@ -255,28 +226,22 @@ 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 +258,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 +267,16 @@ 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 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,15 +284,12 @@ 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 @@ -344,42 +298,31 @@ 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 @@ -393,7 +336,6 @@ 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 @@ -418,22 +360,16 @@ 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 @@ -453,11 +389,9 @@ 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 @@ -468,13 +402,6 @@ This year Tiny Title - Dashboard - Good afternoon - Good day - Good evening - Good morning - Good night - What\'s Your Name Today Top albums Top artists @@ -492,7 +419,6 @@ Username Version Vertical flip - Virtualizer Volume Web search Welcome, @@ -506,16 +432,11 @@ 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 @@ -525,16 +446,4 @@ 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 c44382282..f7dbac6bc 100644 --- a/app/src/main/res/values-or-rIN/strings.xml +++ b/app/src/main/res/values-or-rIN/strings.xml @@ -8,7 +8,6 @@ Add to playing queue Add to playlist Clear playing queue - Clear playlist Cycle repeat mode Delete Delete from device @@ -48,15 +47,11 @@ 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 @@ -72,9 +67,6 @@ Audio focus denied. Change the sound settings and adjust the equalizer controls Auto - Base color theme - Bass Boost - Bio Biography Just Black Blacklist @@ -92,32 +84,23 @@ 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. @@ -130,7 +113,6 @@ Members and contributors Currently listening to %1$s by %2$s. Kinda Dark - No Lyrics Delete playlist %1$s?]]> Delete playlists @@ -140,7 +122,6 @@ %1$d playlists?]]> %1$d songs?]]> Deleted %1$d songs. - Deleting songs Depth Description Device info @@ -151,13 +132,9 @@ 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 @@ -174,7 +151,6 @@ 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 @@ -205,8 +181,6 @@ Labeled Last added Last song - Let\'s play some music - Library Library categories Licenses Clearly White @@ -222,9 +196,7 @@ Name Most played Never - New banner photo New playlist - New profile photo %s is the new start directory. Next Song You have no albums @@ -240,7 +212,6 @@ You have no songs Normal Normal lyrics - Normal %s is not listed in the media store.]]> Nothing to scan. Nothing to see @@ -255,28 +226,22 @@ 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 +258,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 +267,16 @@ 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 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,15 +284,12 @@ 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 @@ -344,42 +298,31 @@ 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 @@ -393,7 +336,6 @@ 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 @@ -418,22 +360,16 @@ 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 @@ -453,11 +389,9 @@ 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 @@ -468,13 +402,6 @@ This year Tiny Title - Dashboard - Good afternoon - Good day - Good evening - Good morning - Good night - What\'s Your Name Today Top albums Top artists @@ -492,7 +419,6 @@ Username Version Vertical flip - Virtualizer Volume Web search Welcome, @@ -506,16 +432,11 @@ 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 @@ -525,16 +446,4 @@ 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 46f655c70..ad065663c 100644 --- a/app/src/main/res/values-pl-rPL/strings.xml +++ b/app/src/main/res/values-pl-rPL/strings.xml @@ -8,7 +8,6 @@ Dodaj do kolejki Dodaj do playlisty Wyczyść kolejkę - Wyczyść playlistę Przełącz tryb powtarzania Usuń Usuń z urządzenia @@ -48,15 +47,11 @@ 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 Album Artysta albumu - Pole tytuł lub artysta jest puste. Albumy Zawsze Hej sprawdź ten fajny odtwarzacz muzyki na: https://play.google.com/store/apps/details?id=%s @@ -72,9 +67,6 @@ Odrzucono fokus dźwiękowy. Dostosuj ustawienia dźwięku i equalizera Automatyczny - Bazowy kolor motywu - Wzmocnienie Bassu - Biografia Biografia Po prostu czarny Czarna lista @@ -92,32 +84,23 @@ 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... Wyślij przez konto GitHub Kup teraz Anuluj Karta - Okrągły Kolorowa Karta Karta - Karuzela Efekt karuzeli na ekranie Teraz odtwarzane Kaskadowy - Strumieniowanie Lista zmian Lista zmian zarządzana z aplikacji Telegram Okręg Okrągły 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 @@ -130,7 +113,6 @@ Członkowie i współpracownicy Aktualnie odtwarzane %1$s wykonawcy %2$s. Dość ciemny - Brak tekstu Usuń playlistę %1$s?]]> Usuń listy odtwarzania @@ -140,7 +122,6 @@ %1$d ?]]> %1$d ?]]> Usunięto %1$d utworów. - Usuwanie utworów Głębia Opis Informacje o urządzeniu @@ -151,13 +132,9 @@ 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 Korektor dźwięku - Błąd Najczęściej zadawane pytania Ulubione Dokończ ostatnią piosenkę @@ -174,7 +151,6 @@ Gatunek Gatunki Zobacz kod na GitHubie - Dołącz do społeczności Google Plus by uzyskać informacje o aktualizacjach i pomoc 1 2 3 @@ -205,8 +181,6 @@ Wszystkie podpisy Ostatnio dodane Ostatni utwór - Odtwórzmy jakąś muzykę - Biblioteka Kategorie biblioteki Licencje Śnieżno biały @@ -222,9 +196,7 @@ Moje imię Najczęściej odtwarzane Nigdy - Nowe zdjęcie banera Nowa lista odtwarzania - Nowe zdjęcie profilowe %s jest nowym katalogiem startowym. Następny utwór Brak albumów @@ -240,7 +212,6 @@ Brak utworów Normalne Normalny tekst utworu - Normalny %s nie znajduje się w magazynie multimediów.]]> Nic do skanowania. Nic do zobaczenia @@ -255,28 +226,22 @@ Inne ustawienia Hasło Przez 3 miesiące - Wklej tekst utworu tutaj Szczyt Odmowa dostępu do pamięci zewnętrznej. Odmowa dostępu. Personalizuj Dostosuj interfejs \"Teraz odtwarzane\" Wybierz z pamięci lokalnej - Wybierz obraz Pinterest Śledź stronę Retro Music na Pintrest po więcej inspiracji Wyraźny Powiadomienie odtwarzania pokazuje przyciski play/pauza itp. Powiadomienie odtwarzania - Pusta lista odtwarzania Lista odtwarzania jest pusta Nazwa listy odtwarzania Listy odtwarzania - Styl detali albumu Ilość rozmycia dla motywów, mniejsza ilość jest szybsza Wartość rozmycia - Dostosuj rogi dolnego okna dialogowego - Narożniki okna dialogowego Filtruj piosenki według długości Filtruj długość utworów Zaawansowane @@ -293,9 +258,6 @@ 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 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. @@ -305,21 +267,16 @@ 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\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 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 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. Szczegóły licencji oprogramowania open source - Zaokrąglone krawędzie okna, okładek albumów itp. - Włącz/wyłącz tytuły kart u dołu. Tryb imersji Zacznij odtwarzanie po podłączanie zestawu słuchawkowego Odtwarzanie losowe zostanie wyłączone podczas odtwarzania nowej listy utworów @@ -327,15 +284,12 @@ Pokaż okładkę albumu Wygląd okładki albumu Przesuwanie okładki albumu - Siatka albumów Kolorowe skróty aplikacji - Siatka wykonawców Zmniejsz głośność przy braku skupienia Automatycznie pobierz obrazki wykonawców Czarna lista Odtwarzanie przez Bluetooth Rozmaż okładkę albumu - Wybierz korektor dźwięku Klasyczny wygląd powiadomień Kolor adaptacyjny Kolorowe powiadomienia @@ -344,42 +298,31 @@ Informacje o utworze Odtwarzanie bez przerw Motyw główny - Pokaż kartę gatunku 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 Licencje Open Source - Narożne krawędzie 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... Profil Kup - *Zastanów się przed zakupem, nie proś o zwrot. Kolejka Oceń aplikację 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 listy odtwarzania?]]> Usuń te utwory z listy odtwarzania @@ -393,7 +336,6 @@ Przywrócono poprzedni zakup. Zrestartuj aplikacje aby korzystać z wszystkich funkcji. Przywrócono poprzednie zakupy. Przywracanie zakupu... - Korektor dźwięku Retro Retro Music Player Retro Music Pro Nie udało się usunąć pliku: %s @@ -418,22 +360,16 @@ Skanuj media Zeskanowano %1$d z plików %2$d. Scrobble - Przeszukaj bibliotekę... Zaznacz wszystko - Wybierz zdjęcie banera Zaznaczone - Zgłoś awarię Ustaw Ustaw obrazek wykonawcy - Ustaw zdjęcie profilowe Udostępnij aplikację Podziel się z opowieściami Losowo Prosty Wyłącznik czasowy wyłączony. Wyłącznik czasowy ustawiony na %d minut. - Slajd - Mały album Społeczność Udostępnij historię Utwór @@ -453,11 +389,9 @@ Stos Rozpocznij odtwarzanie Sugestie - Po prostu pokaż tylko swoje imię na ekranie głównym Wspieraj rozwój Przesuń, aby odblokować Synchronizowany tekst utworu - Systemowy korektor dźwięku Telegram Dołącz do grupy Telegram, aby zgłosić błędy, zasugerować zmiany i inne @@ -468,13 +402,6 @@ Ten rok Mały Tytuł - Ekran główny - Miłego popołudnia - Dzień dobry - Dobry wieczór - Dzień dobry - Dobry wieczór - Jak masz na imię? Dzisiaj Najczęściej odtwarzane albumy Najczęściej odtwarzani artyści @@ -492,7 +419,6 @@ Nazwa użytkownika Wersja Obrót pionowy - Wirtualizacja Głośność Przeszukaj sieć Witaj, @@ -506,16 +432,11 @@ 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 Utwór @@ -529,22 +450,4 @@ Albumy Albumy - - %d Utwór - %d Utworu - %d Utworu - %d Utworu - - - %d Album - %d Albumu - %d Albumu - %d Albumu - - - %d Artysta - %d Artyści - %d Artyści - %d Artyści - diff --git a/app/src/main/res/values-pt-rBR/strings.xml b/app/src/main/res/values-pt-rBR/strings.xml index 23349cbf7..896d33fff 100644 --- a/app/src/main/res/values-pt-rBR/strings.xml +++ b/app/src/main/res/values-pt-rBR/strings.xml @@ -8,7 +8,6 @@ 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 @@ -48,15 +47,11 @@ 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 Álbum do artista - O título ou artista está vazio Álbuns Sempre Ei, confira este reprodutor de música legal em: https://play.google.com/store/apps/details?id=%s @@ -72,9 +67,6 @@ 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 @@ -92,32 +84,23 @@ 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. @@ -130,7 +113,6 @@ Membros e contribuidores Atualmente ouvindo %1$s por %2$s. Meio escuro - Sem letras Excluir playlist %1$s?]]> Excluir playlists @@ -140,7 +122,6 @@ %1$d playlists?]]> %1$d músicas?]]> %1$d músicas foram excluídas. - Excluir músicas Profundidade Descrição Informação do dispositivo @@ -151,13 +132,9 @@ 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 @@ -174,7 +151,6 @@ 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 @@ -205,8 +181,6 @@ Rotulado Mais recentes Última música - Vamos reproduzir alguma música - Biblioteca Categorias da biblioteca Licenças Claramente branco @@ -222,9 +196,7 @@ 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 @@ -240,7 +212,6 @@ Sem músicas Normal Letras normais - Normal %s não está listado no armazenamento de mídia]]> Nada para escanear. Nada para escanear @@ -255,28 +226,22 @@ 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 +258,6 @@ 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 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 +267,16 @@ 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 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,15 +284,12 @@ 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 @@ -344,42 +298,31 @@ 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 @@ -393,7 +336,6 @@ 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 @@ -418,22 +360,16 @@ 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 @@ -453,11 +389,9 @@ 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 @@ -468,13 +402,6 @@ Este ano Minúsculo Título - Painel de controle - Boa tarde - Bom dia - Boa noite - Bom dia - Boa noite - Qual o seu nome? Hoje Melhores albuns Artistas principais @@ -492,7 +419,6 @@ Nome de usuário Versão Giro vertical - Virtualizador Volume Pesquisar na internet Bem-vindo(a), @@ -506,16 +432,11 @@ 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 @@ -525,16 +446,4 @@ 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 c44382282..f7dbac6bc 100644 --- a/app/src/main/res/values-pt-rPT/strings.xml +++ b/app/src/main/res/values-pt-rPT/strings.xml @@ -8,7 +8,6 @@ Add to playing queue Add to playlist Clear playing queue - Clear playlist Cycle repeat mode Delete Delete from device @@ -48,15 +47,11 @@ 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 @@ -72,9 +67,6 @@ Audio focus denied. Change the sound settings and adjust the equalizer controls Auto - Base color theme - Bass Boost - Bio Biography Just Black Blacklist @@ -92,32 +84,23 @@ 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. @@ -130,7 +113,6 @@ Members and contributors Currently listening to %1$s by %2$s. Kinda Dark - No Lyrics Delete playlist %1$s?]]> Delete playlists @@ -140,7 +122,6 @@ %1$d playlists?]]> %1$d songs?]]> Deleted %1$d songs. - Deleting songs Depth Description Device info @@ -151,13 +132,9 @@ 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 @@ -174,7 +151,6 @@ 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 @@ -205,8 +181,6 @@ Labeled Last added Last song - Let\'s play some music - Library Library categories Licenses Clearly White @@ -222,9 +196,7 @@ Name Most played Never - New banner photo New playlist - New profile photo %s is the new start directory. Next Song You have no albums @@ -240,7 +212,6 @@ You have no songs Normal Normal lyrics - Normal %s is not listed in the media store.]]> Nothing to scan. Nothing to see @@ -255,28 +226,22 @@ 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 +258,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 +267,16 @@ 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 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,15 +284,12 @@ 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 @@ -344,42 +298,31 @@ 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 @@ -393,7 +336,6 @@ 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 @@ -418,22 +360,16 @@ 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 @@ -453,11 +389,9 @@ 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 @@ -468,13 +402,6 @@ This year Tiny Title - Dashboard - Good afternoon - Good day - Good evening - Good morning - Good night - What\'s Your Name Today Top albums Top artists @@ -492,7 +419,6 @@ Username Version Vertical flip - Virtualizer Volume Web search Welcome, @@ -506,16 +432,11 @@ 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 @@ -525,16 +446,4 @@ 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 6ac56419f..86dfdcdcc 100644 --- a/app/src/main/res/values-ro-rRO/strings.xml +++ b/app/src/main/res/values-ro-rRO/strings.xml @@ -8,7 +8,6 @@ Adaugă la coada de redare Adaugă la un playlist Curăță coada de redare - Șterge playlist Cycle repeat mode Șterge Șterge de pe dispozitiv @@ -48,15 +47,11 @@ 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 Artistul albumului - Titlul ori numele artistului nu e completat Albume Mereu Hey! încearcă acest music player la adresa: https://play.google.com/store/apps/details?id=%s @@ -72,9 +67,6 @@ 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ă @@ -92,32 +84,23 @@ 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. @@ -130,7 +113,6 @@ Members and contributors Acum ascultați %1$s de %2$s. Suriu - Nu există versuri Șterge playlist %1$s?]]> Șterge playlist-uri @@ -140,7 +122,6 @@ %1$d playlist-uri?]]> %1$d cântece?]]> Au fost șterse %1$d cântece. - Deleting songs Depth Description Device info @@ -151,13 +132,9 @@ 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 @@ -174,7 +151,6 @@ 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 @@ -205,8 +181,6 @@ Labeled Adăugate recent Last song - Hai să ascultăm ceva - Biblioteca Library categories Licențe Alb @@ -222,9 +196,7 @@ 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 @@ -240,7 +212,6 @@ Niciun cântec Normal Normal lyrics - Normal %s nu este litsat în magazinul media.]]> Nimic de scanat. Nothing to see @@ -255,28 +226,22 @@ 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 +258,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 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 +267,16 @@ 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. 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,15 +284,12 @@ 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ă @@ -344,42 +298,31 @@ 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 @@ -393,7 +336,6 @@ 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 @@ -418,22 +360,16 @@ 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 @@ -453,11 +389,9 @@ 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 @@ -468,13 +402,6 @@ Anul acesta Mic 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 @@ -492,7 +419,6 @@ Username Versiune Vertical flip - Virtualizer Volume Căutare pe internet Welcome, @@ -506,16 +432,11 @@ 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 @@ -527,19 +448,4 @@ 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 8f08c5905..49860f82b 100644 --- a/app/src/main/res/values-ru-rRU/strings.xml +++ b/app/src/main/res/values-ru-rRU/strings.xml @@ -12,7 +12,6 @@ Добавить в плейлист Очистить очередь проигрывания - Очистить плейлист Режим повтора цикла @@ -69,8 +68,6 @@ Порядок сортировки - Только альбомы исполнителей - Редактор тегов Показать избранное @@ -80,14 +77,8 @@ Добавить - Добавить тест песни - - Добавить \nфото - "Добавить в плейлист" - Довавить текст песни - "В очередь добавлен 1 трек" В очередь добавлено %1$d треков. @@ -96,8 +87,6 @@ Исполнитель альбома - Трек или альбом отсутствуют. - Альбомы Всегда @@ -123,12 +112,6 @@ Авто - Основная цветовая тема - - Усиление басов - - Биография - Биография Чёрная @@ -151,7 +134,6 @@ Пожалуйста, введите название отчета о проблеме Пожалуйста, введите корректно ваше имя пользователя GitHub Произошла непредвиденная ошибка. Извините, если это продолжится то \"Очистите данные приложения\" или отправьте сообщение на электронную почту - Загрузка отчета на GitHub… Отправить с помощью учетной записи GitHub Купить сейчас @@ -160,23 +142,17 @@ Карточка - Круговой - Цветная карточка Карточка Квадратная Карточка - Карусель - Эффект карусели на экране воспроизведения Каскадный - Транслировать - - Список изменений + Список изменений Список изменений находится на канале Telegram @@ -188,21 +164,12 @@ Очистить - Очистить данные приложения - Очистить черный список Очистить очередь - Очистить плейлист - %1$s? Это действие отменить невозможно!]]> - - Закрыть - Цветная - Цвет - Цвета Композитор @@ -224,8 +191,6 @@ Тёмная - Нет текста песни - Удалить плейлист %1$s?]]> @@ -240,8 +205,6 @@ %1$d песен?]]> Удалено %1$d песен. - Удаление песен - Глубина Описание @@ -261,20 +224,12 @@ Купить мне: - Загрузить с Last.fm - Режим вождения - Редактировать - - Изменить обложку - Пусто Эквалайзер - Ошибка - ЧаВО Избранное @@ -306,8 +261,6 @@ Развивайте проект на GitHub - Присоединяйтесь к сообществу GooglePlus, где вы можете попросить о помощи или следить за обновлениями Retro Music - 1 2 3 @@ -359,10 +312,6 @@ Последняя песня - Давайте послушаем немного музыки - - Библиотека - Разделы библиотеки Лицензии @@ -393,12 +342,8 @@ Никогда - Новое фото баннера - Новый плейлист - Новое фото профиля - %s новая стартовая директория. Следующая песня @@ -429,8 +374,6 @@ Обычный текст - Обычный - %s не найден в хранилище медиа.]]> Нет файлов для сканирования. @@ -455,8 +398,6 @@ Последние 3 месяца - Вставьте тест песни сюда - Панель снизу Разрешение для доступа у внешнему хранилищу не получено. @@ -469,8 +410,6 @@ Выбрать из хранилища - Выбрать изображение - Pinterest Подпишитесь на страницу Retro Music в Pinterest @@ -479,22 +418,15 @@ Уведомление о песне предоставляет действия для воспроизведения/паузы и т.д. Уведомления воспроизведения - Пустой плейлист - Плейлист пуст Название плейлиста Плейлисты - Стиль деталей альбома - Степень размытия в соответствующих темах; чем ниже, тем быстрее работает устройство Степень размытия - Регулировка углов нижней панели - Диалоговое окно - Фильтровать песни по длине Фильтровать песни по длительности @@ -514,12 +446,7 @@ Имейте в виду, что включение этой функции может повлиять на заряд батареи Оставить экран включенным - Нажмите, чтобы открыть экран воспроизведения с прозрачной навигации или проведите чтобы открыть без прозрачной навигации - Нажмите или Проведите - - Эффект снегопада - - Использовать обложку альбома текущей песни в качестве обоев на экране блокировки. + Использовать обложку альбома текущей песни в качестве обоев на экране блокировки. Снизить громкость воспроизведения когда приходит звуковое уведомление Содержимое черного списка скрыто из вашей библиотеки. Начать воспроизведение сразу же после подключения Bluetooth-устройства @@ -528,21 +455,16 @@ Использовать классический дизайн уведомлений. Цвет кнопок фона и кнопок управления изменяется в соответствии с обложкой альбома с экрана воспроизведения Окрашивает ярлыки в основной цвет. Каждый раз, когда вы меняете цвет, вкл-выкл эту настройку, чтобы изменение вступило в силу - Окрашивает панель навигации в главный цвет "Окрашивает уведомление в доминирубщий цвет обложки альбома" Согласно Material Design в темном режиме цвета должны быть немного обесцвечены - Наиболее доминирующий цвет будет выбран из обложки альбома или исполнителя Добавить дополнительные элементы управления для мини-плеера Показать дополнительную информацию о песне, такую как формат файла, битрейт и частота "Может вызвать проблемы с воспроизведением на некоторых устройствах." - Включить вкладку жанр Показывать кнопку Домой Может повысить качество обложки альбома, но привести к более медленной загрузки изображения. Включите это только в том случае, если у вас есть картинки с низким разрешением Настроить вид и порядок категорий в библиотеке. Используйте собственный экран блокировки Retro Music Сведения о лицензии для программного обеспечения с открытым исходным кодом - Закруглить углы в приложении - Включить заголовки для вкладок нижней панели навигации Полноэкранный режим Начать воспроизведение музыки сразу после подключения наушников Режим перемешивания выключится при проигрывании нового списка песен @@ -552,15 +474,12 @@ Показать обложку альбома Тема обложки альбома Стиль смены обложки альбома - Сетка альбомов Цветные ярлыки - Сетка исполнителей Уменьшить громкость при получении уведомлении Автозагрузка изображений исполнителя Черный список Воспроизведение при подключении Bluetooth Размытие обложки альбома - Выбрать эквалайзер Классический дизайн уведомлений Адаптированный цвет Цветное уведомление @@ -569,29 +488,20 @@ Информация о песне Непрерывное воспроизведение Тема приложения - Показать вкладку жанра Сетка исполнителя на Главной странице Сетка альбома на Главной странице Кнопка Домой Игнорировать обложки из хранилища Дата последнего добавления плейлиста Полноэкранное управление - Цветная панель навигации Тема экрана воспроизведения Лицензии с открытым кодом - Круглые углы Название нижних кнопок Эффект карусели - Доминирующий цвет Полноэкранное приложение - Заголовки Автовоспроизведение Режим перемешивания Регулировка громкости - Информация о пользователе - - Основной цвет - Основной цвет темы, по умолчанию - серо-синий, теперь работает с темными цветами Pro @@ -601,8 +511,6 @@ Купить - *Подумайте, прежде чем покупать, не просите возврата. - Очередь Оценить приложение @@ -615,14 +523,10 @@ Удалить - Удалить фотографию баннера - Удалить обложку Удалить из черного списка - Удалить фотографию профиля - Удалить песню из плейлиста %1$s из плейлиста?]]> @@ -647,8 +551,6 @@ Восстановление покупки ... - Эквалайзер Retro Music - Retro Music Player Retro Music Pro @@ -686,22 +588,14 @@ Скробблинг - Найдите свою библиотеку ... - Выбрать все - Выбрать фото баннера - Выбранная кнопка - Отправить лог ошибки - Установить Установить изображение исполнителя - Выбрать фото профиля - Поделиться приложением Поделиться в Историях @@ -713,10 +607,6 @@ Таймер отключения отменен. Таймер сна установлен на %d минут. - Провести - - Маленький альбом - Социальный Поделиться историей @@ -747,16 +637,12 @@ Предложения - Просто покажите свое имя на главном экране - Поддержать разработку Проведите, чтобы разблокировать Синхронизируемый текст - Системный эквалайзер - Telegram Присоединяйтесь к группе Telegram, чтобы обсуждать ошибки, предлагать улучшения, хвастаться и т.д. @@ -775,16 +661,6 @@ Название - Панель приборов - - Добрый день - Добрый день - Добрый вечер - Доброе утро - Доброй ночи - - Как тебя зовут - Сегодня Топ альбомов @@ -818,8 +694,6 @@ Вертикальный поворт - Виртуализация - Громкость Поиск в интернете @@ -845,17 +719,12 @@ Вы будете перенаправлены на сайт системы отслеживания ошибок. Данные вашей учетной записи используются только для аутентификации. - Количество - Примечание (необязательно) - Начать оплату Показать экран воспроизведения Нажатие на уведомление будет показывать экран воспроизведения вместо домашнего экрана Крошечная карточка О программе %s Выберите язык - Переводчики - Люди которые помогали переводить это приложение Попробуйте Retro Music Premium Поделитесь приложением со своими друзьями и родственниками Нужна ещё помощь? @@ -872,24 +741,11 @@ Альбом Альбомы - - %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 e14f5f04e..aa5134c77 100644 --- a/app/src/main/res/values-sk-rSK/strings.xml +++ b/app/src/main/res/values-sk-rSK/strings.xml @@ -8,7 +8,6 @@ Add to playing queue Add to playlist Clear playing queue - Clear playlist Cycle repeat mode Delete Delete from device @@ -48,15 +47,11 @@ 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 @@ -72,9 +67,6 @@ Audio focus denied. Change the sound settings and adjust the equalizer controls Auto - Base color theme - Bass Boost - Bio Biography Just Black Blacklist @@ -92,32 +84,23 @@ 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. @@ -130,7 +113,6 @@ Members and contributors Currently listening to %1$s by %2$s. Kinda Dark - No Lyrics Delete playlist %1$s?]]> Delete playlists @@ -140,7 +122,6 @@ %1$d playlists?]]> %1$d songs?]]> Deleted %1$d songs. - Deleting songs Depth Description Device info @@ -151,13 +132,9 @@ 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 @@ -174,7 +151,6 @@ 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 @@ -205,8 +181,6 @@ Labeled Last added Last song - Let\'s play some music - Library Library categories Licenses Clearly White @@ -222,9 +196,7 @@ Name Most played Never - New banner photo New playlist - New profile photo %s is the new start directory. Next Song You have no albums @@ -240,7 +212,6 @@ You have no songs Normal Normal lyrics - Normal %s is not listed in the media store.]]> Nothing to scan. Nothing to see @@ -255,28 +226,22 @@ 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 +258,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 +267,16 @@ 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 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,15 +284,12 @@ 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 @@ -344,42 +298,31 @@ 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 @@ -393,7 +336,6 @@ 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 @@ -418,22 +360,16 @@ 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 @@ -453,11 +389,9 @@ 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 @@ -468,13 +402,6 @@ This year Tiny Title - Dashboard - Good afternoon - Good day - Good evening - Good morning - Good night - What\'s Your Name Today Top albums Top artists @@ -492,7 +419,6 @@ Username Version Vertical flip - Virtualizer Volume Web search Welcome, @@ -506,16 +432,11 @@ 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 @@ -529,22 +450,4 @@ 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 3fb8f47e4..231e0c4c3 100644 --- a/app/src/main/res/values-sr-rSP/strings.xml +++ b/app/src/main/res/values-sr-rSP/strings.xml @@ -8,7 +8,6 @@ Dodaj u listu za pustanje Dodaj na plejlistu Izbrisi trenutnu plejlistu za pustanje - Izbrisi plejlistu Cycle repeat mode Obrisi Izbrisi sa uredjaja @@ -48,15 +47,11 @@ 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 Izvodjac albuma - Naziv ili izvodjac su nepoznati Albumi Uvek Isprobaj ovaj fantastican plejer na: https://play.google.com/store/apps/details?id=%s @@ -72,9 +67,6 @@ 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... @@ -92,32 +84,23 @@ 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. @@ -130,7 +113,6 @@ Members and contributors Trenutno se reprodukuje %1$s izvodjaca %2$s Kao tamno - Nema pronadjenih tekstova Izbrisi plejlistu %1$s plejlistu?]]> Izbrisi plejlistu @@ -140,7 +122,6 @@ %1$d plejliste?]]> %1$d numere?]]> Izbrisi %1$d numere. - Deleting songs Depth Description Device info @@ -151,13 +132,9 @@ 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 @@ -174,7 +151,6 @@ 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 @@ -205,8 +181,6 @@ Labeled Poslednje dodato Last song - Slusajmo nesto! - Pretrazi Library categories Licence Perfektno bela @@ -222,9 +196,7 @@ Moje ime je Najslusanije numere Nikada - New banner photo Nova plejlista - New profile photo %s je novi pocetni direktorijum. Next Song Nema albuma @@ -240,7 +212,6 @@ Nema pesama Normalno Normal lyrics - Normal %s nije pronadjen u prodavnici pesama]]> Nema se sta skenirati Nothing to see @@ -255,28 +226,22 @@ 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 +258,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 Koristi omot albuma kao pozadinu kada se reprodukuje muzika Obavestenja, navigacija itd. The content of blacklisted folders is hidden from your library. @@ -305,21 +267,16 @@ 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 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,15 +284,12 @@ 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 @@ -344,42 +298,31 @@ 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 @@ -393,7 +336,6 @@ 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 @@ -418,22 +360,16 @@ 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 @@ -453,11 +389,9 @@ 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 @@ -468,13 +402,6 @@ Ove godine Sitno Title - Komandna tabla - Dobar dan - Dobar dan - Dobro vece - Dobro jutro - Laku noc - Kako se zoves? Danas Top albums Top artists @@ -492,7 +419,6 @@ Username Verzija Vertical flip - Virtualizer Volume Web pretraga Welcome, @@ -506,16 +432,11 @@ 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 @@ -527,19 +448,4 @@ 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 fc3951194..f48194161 100644 --- a/app/src/main/res/values-sv-rSE/strings.xml +++ b/app/src/main/res/values-sv-rSE/strings.xml @@ -8,7 +8,6 @@ Lägg till i spelkön Lägg till i spellista Rensa spelkön - Rensa spellista Loopläge Radera Radera från enheten @@ -48,15 +47,11 @@ 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 Albumartist - Titeln eller artisten är ej ifylld. Album Alltid Kolla in den här coola musikspelaren på: https://play.google.com/store/apps/details?id=%s @@ -72,9 +67,6 @@ Ljudfokus nekas. Ändra ljudinställningarna och justera equalizer-kontrollerna Auto - Grundtema - Bass boost - Bio Biografi Helt svart Svartlista @@ -92,32 +84,23 @@ 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. @@ -130,7 +113,6 @@ Medlemmar och bidragsgivare Lyssnar just nu på %1$s av %2$s. Ganska mörkt - Inga texter Radera spellista %1$s?]]> Radera spellistor @@ -140,7 +122,6 @@ %1$d spellistor?]]> %1$d låtar?]]> %1$d låtar har raderats. - Tar bort låtar Djup Beskrivning Enhetsinformation @@ -151,13 +132,9 @@ 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 @@ -174,7 +151,6 @@ 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 @@ -205,8 +181,6 @@ Labeled Senast tillagd Sista låten - Det när dags att spela lite musik - Bibliotek Bibliotekskategorier Licenser Snövitt @@ -222,9 +196,7 @@ Namn Mest spelade Aldrig - Ny bannerbild Ny spellista - Ny profilbild %s är den nya startmappen. Nästa låt Du har inga album @@ -240,7 +212,6 @@ Du har inga låtar Normal Normal låttext - Normal %s är inte listad i Media Store.]]> Inget att skanna. Ingenting att se @@ -255,28 +226,22 @@ Ö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 +258,6 @@ 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 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 +267,16 @@ 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 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,15 +284,12 @@ 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 @@ -344,42 +298,31 @@ 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 @@ -393,7 +336,6 @@ Å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 @@ -418,22 +360,16 @@ 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 @@ -453,11 +389,9 @@ 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 @@ -468,13 +402,6 @@ Det här året Minimal Titel - Dashboard - God eftermiddag - God dag - God kväll - God morgon - Godnatt - Vad heter du? I dag Toppalbum Toppartister @@ -492,7 +419,6 @@ Användarnamn Version Vänd vertikalt - Virtualizer Volym Webbsökning Välkommen, @@ -506,16 +432,11 @@ 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 @@ -525,16 +446,4 @@ 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 c44382282..f7dbac6bc 100644 --- a/app/src/main/res/values-ta-rIN/strings.xml +++ b/app/src/main/res/values-ta-rIN/strings.xml @@ -8,7 +8,6 @@ Add to playing queue Add to playlist Clear playing queue - Clear playlist Cycle repeat mode Delete Delete from device @@ -48,15 +47,11 @@ 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 @@ -72,9 +67,6 @@ Audio focus denied. Change the sound settings and adjust the equalizer controls Auto - Base color theme - Bass Boost - Bio Biography Just Black Blacklist @@ -92,32 +84,23 @@ 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. @@ -130,7 +113,6 @@ Members and contributors Currently listening to %1$s by %2$s. Kinda Dark - No Lyrics Delete playlist %1$s?]]> Delete playlists @@ -140,7 +122,6 @@ %1$d playlists?]]> %1$d songs?]]> Deleted %1$d songs. - Deleting songs Depth Description Device info @@ -151,13 +132,9 @@ 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 @@ -174,7 +151,6 @@ 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 @@ -205,8 +181,6 @@ Labeled Last added Last song - Let\'s play some music - Library Library categories Licenses Clearly White @@ -222,9 +196,7 @@ Name Most played Never - New banner photo New playlist - New profile photo %s is the new start directory. Next Song You have no albums @@ -240,7 +212,6 @@ You have no songs Normal Normal lyrics - Normal %s is not listed in the media store.]]> Nothing to scan. Nothing to see @@ -255,28 +226,22 @@ 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 +258,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 +267,16 @@ 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 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,15 +284,12 @@ 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 @@ -344,42 +298,31 @@ 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 @@ -393,7 +336,6 @@ 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 @@ -418,22 +360,16 @@ 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 @@ -453,11 +389,9 @@ 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 @@ -468,13 +402,6 @@ This year Tiny Title - Dashboard - Good afternoon - Good day - Good evening - Good morning - Good night - What\'s Your Name Today Top albums Top artists @@ -492,7 +419,6 @@ Username Version Vertical flip - Virtualizer Volume Web search Welcome, @@ -506,16 +432,11 @@ 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 @@ -525,16 +446,4 @@ 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 f95ca9ce7..8e930c93d 100644 --- a/app/src/main/res/values-te-rIN/strings.xml +++ b/app/src/main/res/values-te-rIN/strings.xml @@ -8,7 +8,6 @@ క్యూ ఆడటానికి జోడించండి పాటల క్రమంలో చేర్చు క్యూ ప్లే చేయడం క్లియర్ - ప్లేజాబితాను క్లియర్ చేయండి సైకిల్ రిపీట్ మోడ్ తొలగించు పరికరం నుండి తొలగించండి @@ -48,15 +47,11 @@ షఫుల్ మోడ్‌ను టోగుల్ చేయండి అనుకూల చేర్చు - సాహిత్యాన్ని జోడించండి - ఫోటోను జోడించండి "పాటల క్రమంలో చేర్చు" - సమయ ఫ్రేమ్ సాహిత్యాన్ని జోడించండి "ప్లే క్యూలో 1 శీర్షిక జోడించబడింది." ప్లే క్యూలో %1$d శీర్షికలను చేర్చారు. ఆల్బమ్ ఆల్బమ్ ఆర్టిస్ట్ - టైటిల్ లేదా ఆర్టిస్ట్ ఖాళీగా ఉంది. ఆల్బమ్లు ఎల్లప్పుడూ హే ఈ చల్లని మ్యూజిక్ ప్లేయర్‌ను ఇక్కడ చూడండి: https://play.google.com/store/apps/details?id=%s @@ -72,9 +67,6 @@ ఆడియో ఫోకస్ తిరస్కరించబడింది. ధ్వని సెట్టింగులను మార్చండి మరియు ఈక్వలైజర్ నియంత్రణలను సర్దుబాటు చేయండి దానంతట అదే - బేస్ కలర్ థీమ్ - బాస్ బూస్ట్ - బయో బయోగ్రఫీ జస్ట్ బ్లాక్ బ్లాక్లిస్ట్ @@ -92,32 +84,23 @@ దయచేసి సమస్య శీర్షికను నమోదు చేయండి దయచేసి మీ చెల్లుబాటు అయ్యే GitHub వినియోగదారు పేరును నమోదు చేయండి అనుకోని తప్పు జరిగినది. క్షమించండి, మీరు ఈ బగ్‌ను కనుగొన్నారు, అది \"అనువర్తన డేటాను క్లియర్ చేయి\" క్రాష్ చేస్తూ ఉంటే లేదా ఇమెయిల్ పంపండి - గిట్‌హబ్‌కు నివేదికను అప్‌లోడ్ చేస్తోంది… GitHub ఖాతాను ఉపయోగించి పంపండి ఇప్పుడే కొనండి రద్దు చేయండి కార్డ్ - సర్క్యులర్ రంగు కార్డు కార్డ్ - రంగులరాట్నం ఇప్పుడు ప్లే అవుతున్న తెరపై రంగులరాట్నం ప్రభావం క్యాస్కేడింగ్ - తారాగణం చేంజ్లాగ్ టెలిగ్రామ్ ఛానెల్‌లో చేంజ్లాగ్ నిర్వహించబడుతుంది వృత్తం సర్క్యులర్ క్లాసిక్ ప్రశాంతంగా - అనువర్తన డేటాను క్లియర్ చేయండి బ్లాక్లిస్ట్ క్లియర్ క్యూ క్లియర్ - ప్లేజాబితాను క్లియర్ చేయండి - % 1 $ s ప్లేజాబితాను క్లియర్ చేయాలా? ఇది రద్దు చేయబడదు!]]> - దగ్గరగా రంగు - రంగు రంగులు కంపోజర్ పరికర సమాచారం క్లిప్‌బోర్డ్‌కు కాపీ చేయబడింది @@ -130,7 +113,6 @@ సభ్యులు మరియు సహాయకులు ప్రస్తుతం% 2 by s ద్వారా% 1 $ s వింటున్నారు. కైండా డార్క్ - సాహిత్యం లేదు ప్లేజాబితాను తొలగించండి % 1 $ s ప్లేజాబితాను తొలగించాలా?]]> ప్లేజాబితాలను తొలగించండి @@ -140,7 +122,6 @@ % 1 $ d ప్లేజాబితాలను తొలగించాలా?]]> % 1 $ d పాటలను తొలగించాలా?]]> % 1 $ d పాటలు తొలగించబడ్డాయి. - పాటలను తొలగిస్తోంది లోతు వివరణ పరికర సమాచారం @@ -151,13 +132,9 @@ దానం నా పనికి డబ్బు సంపాదించడానికి నేను అర్హుడని మీరు అనుకుంటే, మీరు ఇక్కడ కొంత డబ్బును వదిలివేయవచ్చు నన్ను కొనండి: - Last.fm నుండి డౌన్‌లోడ్ చేయండి డ్రైవ్ మోడ్ - మార్చు - కవర్‌ను సవరించండి ఖాళీ సమం - లోపం ఎఫ్ ఎ క్యూ ఇష్టమైన చివరి పాటను ముగించండి @@ -174,7 +151,6 @@ చూడండి మరియు అనుభూతి కళలు GitHub లో ప్రాజెక్ట్ను ఫోర్క్ చేయండి - మీరు సహాయం కోసం అడగగల లేదా రెట్రో మ్యూజిక్ నవీకరణలను అనుసరించగల Google ప్లస్ సంఘంలో చేరండి 1 2 3 @@ -205,8 +181,6 @@ లేబుల్ చివరిగా జోడించబడింది చివరి పాట - కొంత సంగీతం ప్లే చేద్దాం - గ్రంధాలయం లైబ్రరీ వర్గాలు లైసెన్సుల Clearly White @@ -222,9 +196,7 @@ పేరు ఎక్కువగా ఆడారు నెవర్ - క్రొత్త బ్యానర్ ఫోటో క్రొత్త ప్లేజాబితా - క్రొత్త ప్రొఫైల్ ఫోటో % s క్రొత్త ప్రారంభ డైరెక్టరీ. తదుపరి పాట మీకు ఆల్బమ్‌లు లేవు @@ -240,7 +212,6 @@ మీకు పాటలు లేవు సాధారణ సాధారణ సాహిత్యం - సాధారణ % s మీడియా స్టోర్‌లో జాబితా చేయబడలేదు.]]> స్కాన్ చేయడానికి ఏమీ లేదు. చూడటానికి ఏమీ లేదు @@ -255,28 +226,22 @@ ఇతర పాస్వర్డ్ గత 3 నెలలు - సాహిత్యాన్ని ఇక్కడ అతికించండి శిఖరం బాహ్య నిల్వను యాక్సెస్ చేయడానికి అనుమతి నిరాకరించబడింది. అనుమతులు తిరస్కరించబడ్డాయి. వ్యక్తిగతీకరించండి మీరు ఇప్పుడు ఆడుతున్న మరియు UI నియంత్రణలను అనుకూలీకరించండి స్థానిక నిల్వ నుండి ఎంచుకోండి - చిత్రాన్ని ఎంచుకోండి Pinterest రెట్రో మ్యూజిక్ డిజైన్ ప్రేరణ కోసం Pinterest పేజీని అనుసరించండి సాదా ప్లే నోటిఫికేషన్ ఆట / పాజ్ మొదలైన వాటి కోసం చర్యలను అందిస్తుంది. నోటిఫికేషన్ ప్లే అవుతోంది - ఖాళీ ప్లేజాబితా ప్లేజాబితా ఖాళీగా ఉంది ప్లేజాబితా పేరు ప్లేజాబితాలు - ఆల్బమ్ వివరాల శైలి బ్లర్ థీమ్స్ కోసం బ్లర్ మొత్తం వర్తించబడుతుంది, తక్కువ వేగంగా ఉంటుంది అస్పష్టమైన మొత్తం - దిగువ షీట్ డైలాగ్ మూలలను సర్దుబాటు చేయండి - డైలాగ్ మూలలో పాటలను పొడవు వడపోత పాట వ్యవధిని ఫిల్టర్ చేయండి ఆధునిక @@ -293,9 +258,6 @@ సున్నాపై పాజ్ చేయండి ఈ లక్షణాన్ని ప్రారంభించడం బ్యాటరీ జీవితాన్ని ప్రభావితం చేస్తుందని గుర్తుంచుకోండి స్క్రీన్‌ను ఆన్‌లో ఉంచండి - ఇప్పుడు ప్లే స్క్రీన్ యొక్క పారదర్శక నావిగేషన్ లేకుండా తెరవడానికి క్లిక్ చేయండి లేదా స్లైడ్ చేయండి - క్లిక్ చేయండి లేదా స్లైడ్ చేయండి - మంచు పతనం ప్రభావం ప్రస్తుతం ప్లే అవుతున్న పాట ఆల్బమ్ కవర్‌ను లాక్‌స్క్రీన్ వాల్‌పేపర్‌గా ఉపయోగించండి సిస్టమ్ ధ్వనిని ప్లే చేసినప్పుడు లేదా నోటిఫికేషన్ వచ్చినప్పుడు వాల్యూమ్‌ను తగ్గించండి బ్లాక్ లిస్ట్ చేసిన ఫోల్డర్ల కంటెంట్ మీ లైబ్రరీ నుండి దాచబడింది. @@ -305,21 +267,16 @@ క్లాసిక్ నోటిఫికేషన్ డిజైన్‌ను ఉపయోగించండి ఇప్పుడు ప్లే అవుతున్న స్క్రీన్ నుండి ఆల్బమ్ ఆర్ట్ ప్రకారం నేపథ్యం మరియు నియంత్రణ బటన్ రంగులు మారుతాయి అనువర్తన సత్వరమార్గాలను యాస రంగులో రంగులు వేస్తుంది. మీరు రంగును మార్చిన ప్రతిసారీ దయచేసి దీనిని అమలు చేయడానికి టోగుల్ చేయండి - నావిగేషన్ బార్‌ను ప్రాథమిక రంగులో రంగులు వేస్తుంది "ఆల్బమ్ కవర్ in u2019 యొక్క శక్తివంతమైన రంగులోని నోటిఫికేషన్‌ను రంగులు వేస్తుంది" మెటీరియల్ డిజైన్ ప్రకారం డార్క్ మోడ్ రంగులలోని గైడ్ పంక్తులు డీసచురేటెడ్ అయి ఉండాలి - ఆల్బమ్ లేదా ఆర్టిస్ట్ కవర్ నుండి చాలా ఆధిపత్య రంగు తీసుకోబడుతుంది మినీ ప్లేయర్ కోసం అదనపు నియంత్రణలను జోడించండి ఫైల్ ఫార్మాట్, బిట్రేట్ మరియు ఫ్రీక్వెన్సీ వంటి అదనపు పాట సమాచారాన్ని చూపించు "కొన్ని పరికరాల్లో ప్లేబ్యాక్ సమస్యలను కలిగిస్తుంది." - శైలి టాబ్‌ను టోగుల్ చేయండి హోమ్ బ్యానర్ శైలిని టోగుల్ చేయండి ఆల్బమ్ కవర్ నాణ్యతను పెంచగలదు, కానీ నెమ్మదిగా చిత్రం లోడింగ్ సమయాలకు కారణమవుతుంది. మీకు తక్కువ రిజల్యూషన్ కళాకృతులతో సమస్యలు ఉంటే మాత్రమే దీన్ని ప్రారంభించండి లైబ్రరీ వర్గాల దృశ్యమానత మరియు క్రమాన్ని కాన్ఫిగర్ చేయండి. రెట్రో మ్యూజిక్ యొక్క అనుకూల లాక్‌స్క్రీన్ నియంత్రణలను ఉపయోగించండి ఓపెన్ సోర్స్ సాఫ్ట్‌వేర్ కోసం లైసెన్స్ వివరాలు - అనువర్తనం యొక్క అంచులను రౌండ్ చేయండి - దిగువ నావిగేషన్ బార్ ట్యాబ్‌ల కోసం శీర్షికలను టోగుల్ చేయండి లీనమయ్యే మోడ్ హెడ్‌ఫోన్‌లు కనెక్ట్ అయిన వెంటనే ప్లే చేయడం ప్రారంభించండి కొత్త పాటల జాబితాను ప్లే చేసేటప్పుడు షఫుల్ మోడ్ ఆపివేయబడుతుంది @@ -327,15 +284,12 @@ ఆల్బమ్ కవర్ చూపించు ఆల్బమ్ కవర్ థీమ్ ఆల్బమ్ కవర్ దాటవేయి - Album grid రంగు అనువర్తన సత్వరమార్గాలు - ఆర్టిస్ట్ గ్రిడ్ ఫోకస్ నష్టంపై వాల్యూమ్‌ను తగ్గించండి ఆర్టిస్ట్ చిత్రాలను ఆటో-డౌన్‌లోడ్ చేయండి బ్లాక్లిస్ట్ బ్లూటూత్ ప్లేబ్యాక్ బ్లర్ ఆల్బమ్ కవర్ - ఈక్వలైజర్ ఎంచుకోండి క్లాసిక్ నోటిఫికేషన్ డిజైన్ అనుకూల రంగు రంగు నోటిఫికేషన్ @@ -344,42 +298,31 @@ పాట సమాచారం గ్యాప్‌లెస్ ప్లేబ్యాక్ అనువర్తన థీమ్ - శైలి టాబ్ చూపించు హోమ్ ఆర్టిస్ట్ గ్రిడ్ హోమ్ బ్యానర్ మీడియా స్టోర్ కవర్లను విస్మరించండి చివరిగా జోడించిన ప్లేజాబితా విరామం పూర్తి స్క్రీన్ నియంత్రణలు - రంగు నావిగేషన్ బార్ ఇప్పుడు థీమ్ ప్లే అవుతోంది ఓపెన్ సోర్స్ లైసెన్సులు - కార్నర్ అంచులు టాబ్ శీర్షికల మోడ్ రంగులరాట్నం ప్రభావం - ఆధిపత్య రంగు పూర్తి స్క్రీన్ అనువర్తనం - టాబ్ శీర్షికలు ఆటో ప్లే షఫుల్ మోడ్ వాల్యూమ్ నియంత్రణలు - వినియోగదారు సమాచారం - ప్రాథమిక రంగు - ప్రాధమిక థీమ్ రంగు, డిఫాల్ట్‌గా నీలం బూడిద రంగులో ఉంది, ఎందుకంటే ఇప్పుడు ముదురు రంగులతో పనిచేస్తుంది ప్రో బ్లాక్ థీమ్, ఇప్పుడు థీమ్స్ ప్లే, రంగులరాట్నం ప్రభావం మరియు మరిన్ని .. ప్రొఫైల్ కొనుగోలు - * కొనడానికి ముందు ఆలోచించండి, వాపసు కోసం అడగవద్దు. క్యూ అనువర్తనాన్ని రేట్ చేయండి ఈ అనువర్తనాన్ని ఇష్టపడుతున్నారా? దీన్ని మరింత మెరుగ్గా ఎలా చేయవచ్చో గూగుల్ ప్లే స్టోర్‌లో మాకు తెలియజేయండి ఇటీవలి ఆల్బమ్‌లు ఇటీవలి కళాకారులు తొలగించు - బ్యానర్ ఫోటోను తొలగించండి కవర్ తొలగించండి బ్లాక్లిస్ట్ నుండి తొలగించండి - ప్రొఫైల్ ఫోటోను తొలగించండి ప్లేజాబితా నుండి పాటను తొలగించండి % 1 $ s పాటను ప్లేజాబితా నుండి తొలగించాలా?]]> ప్లేజాబితా నుండి పాటలను తొలగించండి @@ -393,7 +336,6 @@ మునుపటి కొనుగోలు పునరుద్ధరించబడింది. దయచేసి అన్ని లక్షణాలను ఉపయోగించడానికి అనువర్తనాన్ని పున art ప్రారంభించండి. మునుపటి కొనుగోళ్లను పునరుద్ధరించారు. కొనుగోలును పునరుద్ధరిస్తోంది… - రెట్రో మ్యూజిక్ ఈక్వలైజర్ రెట్రో మ్యూజిక్ ప్లేయర్ రెట్రో మ్యూజిక్ ప్రో ఫైల్ తొలగింపు విఫలమైంది:% s @@ -418,22 +360,16 @@ మీడియాను స్కాన్ చేయండి % 2 $ d ఫైళ్ళలో% 1 $ d స్కాన్ చేయబడింది. Scrobbles - మీ లైబ్రరీని శోధించండి… అన్ని ఎంచుకోండి - బ్యానర్ ఫోటోను ఎంచుకోండి ఎంచుకున్న - క్రాష్ లాగ్ పంపండి సెట్ ఆర్టిస్ట్ చిత్రాన్ని సెట్ చేయండి - ప్రొఫైల్ ఫోటోను సెట్ చేయండి అనువర్తనాన్ని భాగస్వామ్యం చేయండి కథలకు భాగస్వామ్యం చేయండి షఫుల్ సాధారణ స్లీప్ టైమర్ రద్దు చేయబడింది. స్లీప్ టైమర్ ఇప్పటి నుండి% d నిమిషాలు సెట్ చేయబడింది. - స్లయిడ్ - చిన్న ఆల్బమ్ సామాజిక కథను భాగస్వామ్యం చేయండి సాంగ్ @@ -453,11 +389,9 @@ స్టాక్ సంగీతం ఆడటం ప్రారంభించండి. సలహాలు - Just show your name on home screen అభివృద్ధికి మద్దతు ఇవ్వండి అన్‌లాక్ చేయడానికి స్వైప్ చేయండి సమకాలీకరించిన సాహిత్యం - సిస్టమ్ ఈక్వలైజర్ టెలిగ్రాం దోషాలను చర్చించడానికి, సూచనలు చేయడానికి, ప్రదర్శించడానికి మరియు మరిన్ని చేయడానికి టెలిగ్రామ్ సమూహంలో చేరండి @@ -468,13 +402,6 @@ ఈ సంవత్సరం చిన్న శీర్షిక - డాష్బోర్డ్ - శుభ మద్యాహ్నం - మంచి రోజు - శుభ సాయంత్రం - శుభోదయం - శుభ రాత్రి - మీ పేరు ఏమిటి నేడు అగ్ర ఆల్బమ్‌లు అగ్ర కళాకారులు @@ -492,7 +419,6 @@ యూజర్ పేరు సంస్కరణ లంబ ఫ్లిప్ - Virtualizer వాల్యూమ్ వెబ్ సెర్చ్ స్వాగతం @@ -506,16 +432,11 @@ మీరు కనీసం ఒక వర్గాన్ని ఎంచుకోవాలి. మీరు ఇష్యూ ట్రాకర్ వెబ్‌సైట్‌కు ఫార్వార్డ్ చేయబడతారు. మీ ఖాతా డేటా ప్రామాణీకరణ కోసం మాత్రమే ఉపయోగించబడుతుంది. - మొత్తం - గమనిక (ఆప్షనల్) - చెల్లింపు ప్రారంభించండి ఇప్పుడు ప్లే స్క్రీన్ చూపించు నోటిఫికేషన్‌పై క్లిక్ చేస్తే హోమ్ స్క్రీన్‌కు బదులుగా ఇప్పుడు ప్లే స్క్రీన్ కనిపిస్తుంది చిన్న కార్డు సుమారు% s భాషను ఎంచుకోండి - అనువాదకుల - ఈ అనువర్తనాన్ని అనువదించడానికి సహాయం చేసిన వ్యక్తులు Try Retro Music Premium Song @@ -525,16 +446,4 @@ 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 2ee1b60a1..d4b927fdf 100644 --- a/app/src/main/res/values-tr-rTR/strings.xml +++ b/app/src/main/res/values-tr-rTR/strings.xml @@ -8,7 +8,6 @@ Oynatma kuyruğuna ekle Oynatma listesine ekle Oynatma kuyruğunu temizle - Oynatma listesini temizle Tekrarlı oynatma modu Sil Cihazdan sil @@ -48,15 +47,11 @@ 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 Albüm sanatçısı - Şarkı ismi veya şarkıcı adı boş. 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 @@ -72,9 +67,6 @@ 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 @@ -92,32 +84,23 @@ 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ı. @@ -130,7 +113,6 @@ Ü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 @@ -140,7 +122,6 @@ %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 @@ -151,13 +132,9 @@ 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 @@ -174,7 +151,6 @@ 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 @@ -205,8 +181,6 @@ Etiketli Son eklenen Son şarkı - Hadi biraz müzik çalalım - Kütüphane Kütüphane kategorileri Lisanslar Açık Beyaz @@ -222,9 +196,7 @@ İ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 @@ -240,7 +212,6 @@ Hiç şarkınız bulunmuyor Normal Normal şarkı sözleri - Normal %s medya deposunda listelenmiyor.]]> Aranacak herhangi bir şey yok. Hiçbir şey yok @@ -255,28 +226,22 @@ 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 +258,6 @@ 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 Ç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 +267,16 @@ 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 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,15 +284,12 @@ 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 @@ -344,42 +298,31 @@ Ş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 @@ -393,7 +336,6 @@ Ö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 @@ -418,22 +360,16 @@ 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ı @@ -453,11 +389,9 @@ 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 @@ -468,13 +402,6 @@ Bu yıl Küçük Ş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 @@ -492,7 +419,6 @@ Kullanıcı Adı Sürüm Dikey çevir - Sanallaştırıcı Ses İnternette ara Hoşgeldiniz, @@ -506,16 +432,11 @@ 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ı @@ -525,16 +446,4 @@ 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 77533a1b7..280b83061 100644 --- a/app/src/main/res/values-uk-rUA/strings.xml +++ b/app/src/main/res/values-uk-rUA/strings.xml @@ -8,7 +8,6 @@ Додати до черги відтворення Додати до списку відтворення Очистити чергу відтворення - Очистити список відтворення Циклічне повторення Видалити Видалити з пристрою @@ -48,15 +47,11 @@ Перемкнути режим змішування Адаптивний Додати - Додати текст пісні - Додати \nфото "Додати до списку відтворення" - Додати текст з мітками часу "Додано 1 композицію до черги відтворення." Додано %1$d композицій до черги відтворення. Альбом Виконавець альбому - Назва або виконавець відсутні. Альбоми Завжди Привіт, перегляньте цей крутий музичний плеєр за адресою: https://play.google.com/store/apps/details?id=%s @@ -72,9 +67,6 @@ В отриманні аудіофокусу відмовлено. Змінити налаштування звуку та налаштувати параметри еквалайзера Автоматично - Основна колірна тема - Підсилення басу - Життєпис Життєпис Чорний Чорний список @@ -92,32 +84,23 @@ Введіть заголовок проблеми Введіть своє дійсне ім’я користувача GitHub Сталася неочікувана помилка. Вибачте, що натрапили на цю помилку, якщо вона постійно повторюється, спробуйте \"Очистити дані додатка\" або надішліть лист на ел. пошту - Завантаження звіту на GitHub… Надіслати через обліковий запис GitHub Придбайте вже Відмінити Картка - Кільце Кольорова картка Картка - Карусель Карусель на екрані відтворення Каскад - Транслювати Історія змін Журнал змін доступний у каналі Telegram Коло Круглий Класичний Очистити - Очистити дані додатку Очистити чорний список Очистити чергу - Очистити список відтворення - %1$s? Це незворотня дія!]]> - Закрити Колір - Колір Кольори Композитор Скопійовано інформацію про пристрій у буфер обміну. @@ -130,7 +113,6 @@ Учасники та меценати Зараз грає %1$s від %2$s. Майже темна - Текст відсутній Видалити список відтворення %1$s?]]> Видалити списки відтворення @@ -140,7 +122,6 @@ %1$d списки відтворення?]]> %1$d пісень?]]> Видалено %1$d пісень. - Видалення пісень Глибина Опис Інформація про пристрій @@ -151,13 +132,9 @@ Підтримати Якщо ви вважаєте, що я заслуговую на оплату своєї праці, ви можете залишити гроші тут Купіть мені: - Завантажити з Last.fm Режим водія - Редагувати - Редагувати обкладинку Порожньо Еквалайзер - Помилка ЧаП Обране Закінчити останню пісню @@ -174,7 +151,6 @@ Жанр Жанри Розгалужити проект на GitHub - Приєднайтеся до спільноти Google Plus, де ви можете звернутися по допомогу або слідкувати за оновленнями в Retro Music 1 2 3 @@ -205,8 +181,6 @@ З відміткою Нещодавно додане Остання пісня - Нумо слухати музику - Бібліотека Категорії бібліотеки Ліцензії Яскраво-білий @@ -222,9 +196,7 @@ Назва Найчастіше відтворювані Ніколи - Нове фото банеру Новий список відтворення - Нове фото профілю %s є новим початковим каталогом. Наступна пісня Немає жодного альбому @@ -240,7 +212,6 @@ У вас немає пісень Нормальний Стандартний текст - Нормальний %s не вказано в медіа сховищі.]]> Нічого сканувати. Порожньо @@ -255,28 +226,22 @@ Інше Пароль Останні 3 місяці - Вставити текст сюди Пік Відмовлено у доступі до зовнішнього сховища. У доступі відмовлено. Персоналізація Налаштуйте екран відтворення та зовнішній вигляд Вибрати з локального сховища - Вибрати зображення Pinterest Слідкуйте за сторінкою Pinterest від Retro Music для натхнення дизайну Звичайний Сповіщення про відтворення надає дії для відтворення/паузи тощо. Сповіщення про відтворення - Порожній список відтворення Список відтворення порожній Назва списку відтворення Списки відтворення - Стиль деталей альбому Величина розмиття, що застосовується для розмиття тем, менше - швидше Величина розмиття - Налаштування кутів діалогового вікна знизу - Куточок діалогового вікна Сортувати пісні за довжиною Сортувати пісні за тривалістю Додатково @@ -293,9 +258,6 @@ Пауза при нулі Майте на увазі, що увімкнення цієї функції може вплинути на заряд акумулятора Не вимикати екран - Натисніть, щоб відкрити або проведіть, щоб уникнути прозорої навігації на екрані відтворення - Клацніть або проведіть - Ефект снігопаду Використовувати обкладинку альбому пісні як шпалери екрана блокування Зменшення гучності при відтворенні системного звуку або сповіщення Вміст тек чорного списку приховано з вашої бібліотеки. @@ -305,21 +267,16 @@ Використовувати класичне оформлення сповіщення Тло і кольори кнопок керування міняються в залежності від обкладинки екрана відтворення Фарбує ярлики додатків у колір акценту. Кожного разу, коли ви змінюєте колір, будь ласка, перемкніть його, щоб зміни вступили в силу - Фарбує панель навігації у переважаючий колір "Фарбує повідомлення в обкладинці альбому яскравим кольором" Для Material Design лінії в темному режимі мають бути ненасичені - Домінуючий колір буде взято з обкладинки альбому або виконавця Додати додаткові елементи керування до міні-програвача Показати додаткову інформацію про пісню, таку як формат файлів, бітрейт та частоту "Може викликати проблеми з відтворенням на деяких пристроях." - Сховати вкладку жанрів Сховати головний банер Може збільшити якість обкладинки альбому, але збільшує час завантаження зображення. Використовуйте тільки якщо у вас проблеми з обкладинками низької роздільної здатності Налаштувати видимість та порядок категорій бібліотеки. Використовувати керування музикою на екрані блокування від Retro Music Деталі ліцензії для програмного забезпечення з відкритим кодом - Заокруглити кути додатку - Сховати назви для вкладок у нижній панелі навігації Режим занурення Почати відтворення відразу після підключення навушників Випадковий режим вимкнеться при відтворенні нового списку пісень @@ -327,15 +284,12 @@ Показати обкладинку альбому Тема обкладинки альбому Пропустити обкладинку альбому - Сітка альбому Кольорові ярлики додатків - Сітка виконавців Зменшити гучність при сторонніх звуках Автоматично завантажувати зображення виконавців Чорний список Відтворення Bluetooth Розмити обкладинку альбому - Вибрати еквалайзер Класичне оформлення сповіщень Адаптивний колір Кольорове сповіщення @@ -344,42 +298,31 @@ Інформація про пісню Безперервне відтворення Тема додатку - Показати вкладку жанрів Домашня сітка виконавця Головний банер Ігнорувати обкладинки з Медіасховища Інтервал останнього доданого списку відтворення Повноекранне керування - Кольорова панель навігації Тема відтворення Ліцензії з відкритим кодом - Кути Режим назв вкладок Ефект Каруселі - Головний колір На весь екран - Назви вкладок Автоматичне відтворення Режим перемішування Регулювання гучності - Інформація про користувача - Основний колір - Основний колір теми, за замовчуванням сіро-синій, відтепер працює з темними кольорами Pro Чорна тема, теми відтворення, ефект каруселі та інше.. Профіль Придбати - *Подумайте перед придбанням, не просіть повернути гроші. Черга Оцініть додаток Подобається цей додаток? Напишіть відгук нам у Google Play Store, як ми можемо зробити його ще кращим Останні альбоми Останні виконавці Вилучити - Видалити фото банера Видалити обкладинку Видалити з чорного списку - Видалити фото профілю Видалити пісню зі списку відтворення %1$s зі списку відтворення?]]> Видалити пісні зі списку відтворення @@ -393,7 +336,6 @@ Відновлено попередню покупку. Перезапустіть додаток, щоб скористатися всіма функціями. Відновлені попередні покупки. Відновлення покупки… - Еквалайзер Retro Music Retro Music плеєр Retro Music Pro Помилка видалення файлу: %s @@ -418,22 +360,16 @@ Сканувати медіа Проскановано %1$d з %2$d файлів. Персоналізація - Пошук у бібліотеці… Виділити все - Обрати фото банера Обрано - Надіслати журнал збою Встановити Встановити зображення виконавця - Встановити фото профілю Поділитися додатком Поділитися в Історії Перемішати Простий Таймер сну скасовано. Таймер сну спрацює за %d хвилин. - Слайд - Маленький альбом Соціальні мережі Поділитися історією Пісня @@ -453,11 +389,9 @@ Стек Почати програвати музику. Пропозиції - Показувати своє ім\'я на домашньому екрані Підтримати розробку Свайпніть, щоб розблокувати Синхронізовані тексти - Системний еквалайзер Telegram Приєднуйтесь до групи Telegram щоб обговорити помилки, робити пропозиції та інше @@ -468,13 +402,6 @@ Цього року Дрібний Назва - Головна панель - Добрий день - Доброго дня - Доброго вечора - Доброго ранку - Надобраніч - Як вас звати Сьогодні Топ альбомів Топ виконавців @@ -492,7 +419,6 @@ Ім\'я користувача Версія додатку Вертикальне сальто - Віртуалізатор Гучність Пошук в інтернеті Вітаємо вас, @@ -506,16 +432,11 @@ Виберіть принаймні одну категорію. Вас буде перенаправлено на сайт відстеження проблем. Дані вашого облікового запису використовуються лише для автентифікації. - Кількість - Примітка (необов\'язково) - Розпочати оплату Показувати на екрані відтворення При натисканні на сповіщення буде показано екран відтворення замість домашнього екрану Крихітна картка Про додаток %s Обрати мову - Перекладачі - Люди, які допомогли перекласти цей додаток Спробуйте Retro Music Преміум Пісня @@ -529,22 +450,4 @@ Альбоми Альбоми - - %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 c44382282..f7dbac6bc 100644 --- a/app/src/main/res/values-ur-rIN/strings.xml +++ b/app/src/main/res/values-ur-rIN/strings.xml @@ -8,7 +8,6 @@ Add to playing queue Add to playlist Clear playing queue - Clear playlist Cycle repeat mode Delete Delete from device @@ -48,15 +47,11 @@ 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 @@ -72,9 +67,6 @@ Audio focus denied. Change the sound settings and adjust the equalizer controls Auto - Base color theme - Bass Boost - Bio Biography Just Black Blacklist @@ -92,32 +84,23 @@ 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. @@ -130,7 +113,6 @@ Members and contributors Currently listening to %1$s by %2$s. Kinda Dark - No Lyrics Delete playlist %1$s?]]> Delete playlists @@ -140,7 +122,6 @@ %1$d playlists?]]> %1$d songs?]]> Deleted %1$d songs. - Deleting songs Depth Description Device info @@ -151,13 +132,9 @@ 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 @@ -174,7 +151,6 @@ 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 @@ -205,8 +181,6 @@ Labeled Last added Last song - Let\'s play some music - Library Library categories Licenses Clearly White @@ -222,9 +196,7 @@ Name Most played Never - New banner photo New playlist - New profile photo %s is the new start directory. Next Song You have no albums @@ -240,7 +212,6 @@ You have no songs Normal Normal lyrics - Normal %s is not listed in the media store.]]> Nothing to scan. Nothing to see @@ -255,28 +226,22 @@ 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 +258,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 +267,16 @@ 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 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,15 +284,12 @@ 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 @@ -344,42 +298,31 @@ 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 @@ -393,7 +336,6 @@ 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 @@ -418,22 +360,16 @@ 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 @@ -453,11 +389,9 @@ 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 @@ -468,13 +402,6 @@ This year Tiny Title - Dashboard - Good afternoon - Good day - Good evening - Good morning - Good night - What\'s Your Name Today Top albums Top artists @@ -492,7 +419,6 @@ Username Version Vertical flip - Virtualizer Volume Web search Welcome, @@ -506,16 +432,11 @@ 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 @@ -525,16 +446,4 @@ 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 b1b5550bb..2f660b8a5 100644 --- a/app/src/main/res/values-vi-rVN/strings.xml +++ b/app/src/main/res/values-vi-rVN/strings.xml @@ -8,7 +8,6 @@ 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ị @@ -48,15 +47,11 @@ 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 Album của nghệ sĩ - Tên bài hát hoặc nghệ sĩ để trống Album 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 @@ -72,9 +67,6 @@ 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 @@ -93,32 +85,23 @@ 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. @@ -131,7 +114,6 @@ tiếp tục xảy ra hãy \"Xóa dữ liệu ứng dụng\" 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 @@ -141,7 +123,6 @@ tiếp tục xảy ra hãy \"Xóa dữ liệu ứng dụng\" %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ị @@ -152,13 +133,9 @@ tiếp tục xảy ra hãy \"Xóa dữ liệu ứng dụng\" Ủ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 @@ -175,7 +152,6 @@ tiếp tục xảy ra hãy \"Xóa dữ liệu ứng dụng\" 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 @@ -206,8 +182,6 @@ tiếp tục xảy ra hãy \"Xóa dữ liệu ứng dụng\" Đượ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 @@ -223,9 +197,7 @@ tiếp tục xảy ra hãy \"Xóa dữ liệu ứng dụng\" 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 @@ -241,7 +213,6 @@ tiếp tục xảy ra hãy \"Xóa dữ liệu ứng dụng\" 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 @@ -256,28 +227,22 @@ tiếp tục xảy ra hãy \"Xóa dữ liệu ứng dụng\" 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 +259,6 @@ 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 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 +268,16 @@ 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ĩ 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,15 +285,12 @@ 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 @@ -345,42 +299,31 @@ tiếp tục xảy ra hãy \"Xóa dữ liệu ứng dụng\" 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 @@ -394,7 +337,6 @@ tiếp tục xảy ra hãy \"Xóa dữ liệu ứng dụng\" 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 @@ -419,22 +361,16 @@ tiếp tục xảy ra hãy \"Xóa dữ liệu ứng dụng\" 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 @@ -454,11 +390,9 @@ tiếp tục xảy ra hãy \"Xóa dữ liệu ứng dụng\" 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 @@ -469,13 +403,6 @@ tiếp tục xảy ra hãy \"Xóa dữ liệu ứng dụng\" Mỗi năm Nhỏ 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 @@ -493,7 +420,6 @@ tiếp tục xảy ra hãy \"Xóa dữ liệu ứng dụng\" 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, @@ -507,16 +433,11 @@ tiếp tục xảy ra hãy \"Xóa dữ liệu ứng dụng\" 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 @@ -524,13 +445,4 @@ tiếp tục xảy ra hãy \"Xóa dữ liệu ứng dụng\" 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 a700bfbc2..b6e544b5a 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 8d9e055f8..42046d388 100644 --- a/app/src/main/res/values-zh-rCN/strings.xml +++ b/app/src/main/res/values-zh-rCN/strings.xml @@ -8,7 +8,6 @@ 添加到播放队列 添加到播放列表 清空播放队列 - 清空播放列表 循环重复模式 删除 从设备中移除 @@ -48,15 +47,11 @@ 切换随机播放模式 自适应 添加 - 添加歌词 - 添加\n头像 "添加到播放列表" - 添加滚动歌词 "已添加1首歌到播放队列。" 已添加 %1$d 首歌到播放队列。 专辑 专辑艺术家 - 标题或艺术家是空的。 专辑 始终 嘿,快来瞧瞧这个酷炫的音乐播放器:https://play.google.com/store/apps/details?id=%s @@ -72,9 +67,6 @@ 音频焦点丢失。 更改声音设置或调整均衡器 自动 - 基础颜色主题 - 低音增强 - 个性签名 简介 A屏黑 黑名单 @@ -92,32 +84,23 @@ 请输入问题标题 请您输入有效的 GitHub 用户名 出错了,如一直崩溃请尝试清除应用数据或发送邮件给开发者 - 正在上传报告到 GitHub… 使用 GitHub 帐户发送 立即购买 取消 卡片 - 圆形 彩色卡片 卡片 - 轮播 在「正在播放」界面使用轮播效果 层叠 - 投射 更新日志 在 Telegram 频道上维护更新日志 环形 圆形 古典 清空 - 清除应用数据 清空黑名单 清空队列 - 清除播放列表 - %1$s 吗? 该步骤无法撤销!]]> - 关闭 颜色 - 颜色 更多颜色 作曲家 已复制设备信息到剪贴板。 @@ -130,7 +113,6 @@ 开发团队和贡献者 正通过 %2$s 收听 %1$s。 暗夜黑 - 暂无歌词 删除播放列表 %1$s 吗?]]> 删除播放列表 @@ -140,7 +122,6 @@ %1$d 吗?]]> %1$d 吗?]]> 已删除 %1$d 首歌曲。 - 正在删除歌曲 深度 详情 设备信息 @@ -151,13 +132,9 @@ 捐赠 如果您认为应用还不错,可以通过捐赠支持我们 用以下方式捐赠: - 从 Last.fm 下载 驾驶模式 - 编辑 - 编辑专辑封面 空空如也 均衡器 - 错误 常见问题和解答 收藏夹 播放完最后一首歌曲 @@ -174,7 +151,6 @@ 流派 流派 在 GitHub 上克隆项目 - 加入 Google+ 社区获得帮助或者更新信息 1 2 3 @@ -205,8 +181,6 @@ 已标记 最近添加 最后一首 - 来点音乐吧! - 媒体库 媒体库分类 许可 质感白 @@ -222,9 +196,7 @@ 我的名字 播放最多 从不 - 新横幅图片 新建播放列表 - 使用新的头像 %s 是新的起始目录。 下一曲 暂无专辑 @@ -240,7 +212,6 @@ 暂无歌曲 正常 正常歌词 - 正常 %s 未在媒体存储中列出。]]> 检索不到任何东西。 空空如也 @@ -255,28 +226,22 @@ 其他 密码 最近三个月 - 在此处粘贴歌词 顶点 访问外部存储权限时被拒绝。 权限被拒绝。 个性化 自定义正在播放控件和UI控件 从本地选取 - 选择图片 Pinterest 在 Pintrest 页面关注 Retro Music 的设计灵感 简洁 播放通知栏提供播放/暂停等操作。 通知栏播放 - 播放列表为空 播放列表为空 播放列表名 播放列表 - 专辑详细风格 应用于模糊主题,数值越低加载越快 模糊值 - 调整底部表格对话框圆角 - 对话框圆角 按长度筛选歌曲 筛选歌曲时长 高级 @@ -293,9 +258,6 @@ 静音暂停 请注意,启用此功能可能会降低电池续航时间 保持屏幕常亮 - 点击打开或者滑动到非正在播放界面的透明导航栏 - 单击或划动 - 降雪效果 将正在播放的歌曲专辑封面设置为锁屏壁纸 当系统播放声音或收到通知时降低音量 在媒体库中隐藏列入黑名单的文件夹内容。 @@ -307,22 +269,17 @@ 使用经典通知栏设计 背景色以及控件色跟随正在播放界面的专辑封面变化 将快捷方式颜色更改为强调色,每次颜色更改后需要切换一下该设置才能生效 - 将导航栏颜色修改为主色调 "将通知栏颜色修改为专辑封面的强调色" 根据材料设计指南,黑色模式时颜色应该降低饱和度 - 从专辑封面或艺术家图像中选取主色调 给迷你播放器添加额外控件 显示额外的歌曲信息,例如文件格式、比特率和频率 "在一些设备上可能会播放异常" - 切换流派标签 切换主页横幅样式 可以提高封面质量,但加载时间较慢 (建议只在图片分辨率过低时开启) 配置媒体库的可见性和顺序 使用 Retro Music 的自定义锁屏 开源许可详情 - 使应用边角圆滑 - 切换底部导航栏的标签标题 沉浸模式 连接耳机后立即开始播放 播放新列表时关闭随机播放 @@ -330,15 +287,12 @@ 显示专辑封面 专辑封面主题 专辑封面跳过 - 专辑网格 着色应用快捷方式 - 艺术家网格 焦点丢失时降低音量 自动下载艺术家图片 黑名单 蓝牙播放 模糊专辑封面 - 选择均衡器 经典通知栏设计 自适应颜色 着色通知栏 @@ -347,42 +301,31 @@ 歌曲信息 无缝播放 应用主题 - 显示流派标签 主页艺术家网格 主页横幅 忽略媒体存储封面 上次添加播放列表到现在的间隔 全屏控件 - 着色导航栏 正在播放主题 开源许可 - 边角 标签标题模式 轮播效果 - 主色调 全屏应用 - 标签标题 自动播放 随机播放 音量控件 - 用户信息 - 主颜色 - 蓝灰色为默认主色调,目前正使用深色 高级版 黑色主题,正在播放主题,轮播效果和更多... 个人信息 购买 - *购买前请先考虑,不要征询退款。 队列 评价 喜欢这个应用?去 Google Play Store 中告诉我们怎样才能让它更好 最近专辑 最近艺术家 删除 - 删除横幅图像 移除封面 从黑名单中移除 - 删除简介照片 从播放列表中删除歌曲 %1$s?]]> 从播放列表中删除歌曲 @@ -396,7 +339,6 @@ 恢复以前的购买。请重新启动应用以充分利用所有功能。 恢复之前的购买。 恢复购买中... - Retro Music 均衡器 Retro Music Player Retro Music 高级版 文件删除失败:%s @@ -421,22 +363,16 @@ 扫描媒体 已扫描 %1$d 个,共计 %2$d 个文件。 滚动条 - 搜索媒体库... 全选 - 选择横幅图像 已选中 - 发送崩溃日志 设置 设置艺术家图片 - 设置个人资料照片 分享应用 分享到故事 随机播放 简单 睡眠定时已取消。 睡眠定时器设置为 %d 分钟。 - 滑动 - 小专辑 社交 分享故事 歌曲 @@ -456,11 +392,9 @@ 堆栈 开始播放音乐。 建议 - 仅仅在主页上显示您的名字 支持开发者 滑动以解锁 滚动歌词 - 系统均衡器 Telegram 加入 Telegram 团队,讨论错误,提出建议,展示信息等等 @@ -471,13 +405,6 @@ 本年 细小 标题 - 仪表盘 - 下午好 - 美好的一天 - 傍晚好 - 早上好 - 晚上好 - 您的名字是什么? 今日 热门专辑 热门艺术家 @@ -495,7 +422,6 @@ 用户名 版本 垂直翻转 - 虚拟器 音量 网络搜索 欢迎, @@ -509,16 +435,11 @@ 请至少选择一个分类。 将跳转至问题追踪网站。 您的账户数据仅用于验证。 - 数量 - 备注(可选) - 开始支付 显示正在播放界面 点击通知将显示「正在播放界面」而不是「主界面」 小卡片 关于 %s 选择语言 - 翻译人员 - 帮助翻译此应用程序的人 Try Retro Music Premium Songs @@ -526,13 +447,4 @@ 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 2e80f5f38..682d4e312 100644 --- a/app/src/main/res/values-zh-rHK/strings.xml +++ b/app/src/main/res/values-zh-rHK/strings.xml @@ -8,7 +8,6 @@ 加入至播放列表 加入至播放清單 清除播放列表 - 清除播放清單 循環播放模式 刪除 由裝置記憶體刪除 @@ -48,15 +47,11 @@ 切換隨機播放模式 自適應 增加 - 增加歌詞 - 增加\n相片 "加入至播放清單" - 增加時間同步歌詞 "已經將1首歌曲新增至播放列表。" 已經將 %1$d 歌曲新增至播放列表。 專輯 專輯歌手 - 標題或歌手一欄是空白的。 專輯 經常 嗨,看看這個很有型的播放器吧: https://play.google.com/store/apps/details?id=%s @@ -72,9 +67,6 @@ 無法找到音頻焦點。 更改音頻設定及調整等化器 自動 - 基色主題 - 低音增強 - 個人簡歷 演出者資料 純黑 黑名單 @@ -92,32 +84,23 @@ 請輸入問題標題 請輸入您的有效GitHub用戶名稱 發生未預期的錯誤。真抱歉您發現了這個bug,如果一直崩潰請\"清除程式數據\",或者傳送電郵給我們 - 正在上傳報告至GitHub... 使用Github帳戶傳送 現在購買 取消 卡片 - 圓形化 彩色卡片 卡片 - 轉盤 在現在播放的轉盤效果 階層式 - 投放 版本最新動向 在Telegram頻道取得更新動向 圓形 圓盤 基本 清除 - 清除程式數據 清除黑名單 清除列表 - 清除播放清單 - %1$s播放清單嗎?此動作將無法復原!]]> - 關閉 彩色 - 彩色 色彩 作曲者 已複製裝置內容到剪貼簿 @@ -130,7 +113,6 @@ 成員和貢獻者 我在聽由 %2$s 唱的 %1$s 暗黑 - 沒有歌詞 移除播放清單 %1$s播放清單嗎?]]> 移除多個播放清單 @@ -140,7 +122,6 @@ %1$d個播放清單嗎?]]> %1$d個歌曲嗎?]]> 已刪除%1$d首歌曲。 - 正在刪除歌曲 深度式 描述 裝置內容 @@ -151,13 +132,9 @@ 捐款 若果您覺得我的開發工作值得回報,可以捐助幾元給我 給我買個: - 由Last.fm下載 駕駛模式 - 編輯 - 編輯專輯圖片 空白 等化器 - 錯誤 常見問題 我的最愛 最後一首已經結束播放 @@ -174,7 +151,6 @@ 類型 類型 在Github參與專案 - 加入Google+社交圈,在那裡您可以提出疑問或追蹤Retro Music的更新 1 2 3 @@ -205,8 +181,6 @@ 已標記 最近新增 最後一首 - 讓我們播放音樂吧 - 媒體庫 類別庫 許可證 淺白色 @@ -222,9 +196,7 @@ 名字 最常播放 永不 - 新橫幅圖片 新播放清單 - 新個人資料圖片 最新的主目錄是%s。 下一首 沒有專輯 @@ -240,7 +212,6 @@ 沒有歌曲 常用 正常歌詞 - 常用 %s不在媒體庫。]]> 沒有項目可以掃描。 沒有什麼可以看的 @@ -255,28 +226,22 @@ 其他 密碼 在3個月內 - 在此貼上歌詞 波紋 存取外置儲存空間權限被拒。 存取權限被拒。 個人化 個人化現在播放及用戶界面 由裝置儲存空間選擇 - 選擇圖片 Pinterest 加入我們的Pinterest來知道更多Retro Music的設計靈感 單色 播放通知欄包含了播放/暫停等動作。 播放通知欄 - 空白播放清單 空白播放清單 播放清單名稱 播放清單 - 專輯詳細樣式 給模糊模式主題的值,每值愈低就愈快 模糊值 - 調整底部對話框圓角 - 對話框圓角 以歌曲長度過濾歌曲 過濾歌曲長度 進階 @@ -293,9 +258,6 @@ 無音量時暫停 請記住當您啟用此選項後或會影響電池壽命 螢幕保持開啟 - 點擊或滑動開啟無透明現在播放導航欄 - 點擊或滑動 - 雪花效果 使用現在播放歌曲的專輯圖片來用作鎖定畫面背景圖片 當播放系統聲音或收到通知時降低音量 列入黑名單的資料夾內的資料會在您的媒體庫隱藏。 @@ -305,21 +267,16 @@ 使用基本的通知欄設計 背景及控制按鈕色彩根據現在播放中的專輯圖片而轉變 將重色設為程式捷徑色彩。每次更改色彩後請切換此選項來生效 - 設定導航欄色彩為主色調 "\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,15 +284,12 @@ 顯示專輯圖片 專輯圖片主題 專輯圖片轉場 - 專輯網格 彩色化程式捷徑 - 歌手網格 失去音頻焦點時降低音量 自動下載歌手相片 黑名單 藍牙播放 模糊化專輯圖片 - 選擇等化器 基本通知欄設計 自適應色彩 彩色通知欄 @@ -344,42 +298,31 @@ 歌曲內容 無縫播放 應用主題 - 顯示類型標籤 首頁歌手網格 首頁橫幅 忽略音樂檔內含的專輯圖片 最近新增播放清單間隔 全螢幕控制 - 彩色導航欄 現在播放介面主題 開放源碼認證 - 螢幕圓角 標題標籤模式 轉盤效果 - 主色 全螢幕程式 - 標題標籤 自動播放 隨機模式 音量控制 - 使用者資料 - 原色 - 主原色預設為灰藍色,現在適用於深色色彩 Pro 現時播放主題、轉盤效果,還有更多... 個人資料 購買 - *購買前要三思,切勿要求退款 播放列表 為這個App評分 喜歡這個App嗎?請讓我們知道如何提供更好的體驗 近期專輯 近期歌手 移除 - 移除橫幅圖片 移除專輯圖片 由黑名單中移除 - 移除個人資料圖片 將歌曲由播放清單移除 %1$s 歌曲由播放清單移除嗎?]]> 將多首歌曲由播放清單移除 @@ -393,7 +336,6 @@ 已恢復上次購買狀態。請重新啟動程式來應用所有功能。 回復購買狀態 正在恢復購買狀態... - Retro等化器 Retro Music Player Retro Music Pro 刪除檔案失敗: %s @@ -418,22 +360,16 @@ 掃描媒體 成功掃描 %2$d 項目 中的 %1$d 項目。 塗鴉 - 搜尋媒體庫... 選擇全部 - 選擇橫幅圖片 已選 - 傳送報告 設定 設定歌手相片 - 設定個人資料圖片 分享程式 分享到故事 隨機播放 簡單 休眠計時器已經取消。 休眠計時器從現在開始 %d 分鐘後停止播放。 - 滑動 - 迷你專輯 社交 分享故事 歌曲 @@ -453,11 +389,9 @@ 堆疊 開始播放音樂。 建議 - 只會在首頁顯示您的名字 開發支援 滑動螢幕以解鎖 同步歌詞 - 系統等化器 Telegram 加入Telegram群組,討論程式錯誤、給予建議、炫耀一下,還有更多 @@ -468,13 +402,6 @@ 這年 迷你 標題 - 通知板 - 您好 - 今天真美好 - 晚安 - 早晨 - 晚安 - 您的名字是... 今天 專輯榜 歌手榜 @@ -492,7 +419,6 @@ 用戶名稱 版本 垂直翻轉式 - 音樂效果 音量 網路搜尋 歡迎, @@ -506,16 +432,11 @@ 您必須選擇最少一項類別。 您將會轉到問題跟蹤網站。 您的帳戶只會用於認證用途。 - 數量 - 註解(可選) - 開始付款 顯示現在播放 點擊現在播放將顯示現在播放而非主頁 迷你卡片 關於 %s 選擇語言 - 翻譯者 - 協助翻譯這個App的人們 Try Retro Music Premium Songs @@ -523,13 +444,4 @@ 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 a5a736ce3..0cdd2a872 100644 --- a/app/src/main/res/values-zh-rTW/strings.xml +++ b/app/src/main/res/values-zh-rTW/strings.xml @@ -8,7 +8,6 @@ 加入播放佇列 加入播放清單... 清空播放佇列 - 清除播放清單 Cycle repeat mode 刪除 刪除 @@ -48,15 +47,11 @@ Toggle shuffle mode Adaptive Add - Add lyrics - Add \nphoto "加入播放清單" - Add time frame lyrics "已將 1 首歌加到播放佇列" 已將 %1$d 首歌加到播放佇列。 專輯 專輯演出者 - 專輯名稱或演出者欄是空的。 專輯 永遠 Hey check out this cool music player at: https://play.google.com/store/apps/details?id=%s @@ -72,9 +67,6 @@ 無法控制音訊焦點。 Change the sound settings and adjust the equalizer controls Auto - Base color theme - Bass Boost - Bio 簡介 純黑(AMOLED) Blacklist @@ -92,32 +84,23 @@ 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. @@ -130,7 +113,6 @@ Members and contributors 我正在聽 %2$s 的 %1$s 暗沉 - No Lyrics 刪除播放清單 %1$s 嗎?]]> 刪除多個播放清單 @@ -140,7 +122,6 @@ %1$d 個播放清單?]]> %1$d 首歌嗎?]]> 已刪除 %1$d 首歌。 - Deleting songs Depth Description Device info @@ -151,13 +132,9 @@ 捐助 如果你認為我的努力值得回報,你可以在這裡留幾塊錢。 Buy me a: - 從 Last.fm 下載 Drive mode - Edit - Edit cover 空的 等化器 - Error FAQ 最愛 Finish last song @@ -174,7 +151,6 @@ 類型 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 @@ -205,8 +181,6 @@ Labeled 最後新增 Last song - Let\'s play some music - 音樂庫 Library categories 原始碼授權 明亮 @@ -222,9 +196,7 @@ Name 我的最佳單曲 永不 - New banner photo 新增播放清單 - New profile photo %s是新的起始目錄 Next Song 沒有專輯 @@ -240,7 +212,6 @@ 沒有歌曲 Normal Normal lyrics - Normal %s 未在音樂庫裡。]]> 沒有東西可掃描。 Nothing to see @@ -255,28 +226,22 @@ 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 +258,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 將播放中歌曲的專輯封面設為鎖定螢幕背景。 通知鈴聲、導航語音等。 The content of blacklisted folders is hidden from your library. @@ -305,21 +267,16 @@ 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 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,15 +284,12 @@ 顯示專輯封面 Album cover theme Album cover skip - Album grid 彩色的應用快捷方式 - Artist grid 在焦點音訊響起時降低音量 自動下載演唱者圖片 Blacklist Bluetooth playback 將專輯圖片模糊化 - Choose equalizer Classic notification design 自適應顏色 彩色的狀態列 @@ -344,42 +298,31 @@ 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 從播放清單中移除嗎?]]> 將多首歌曲從播放清單中移除 @@ -393,7 +336,6 @@ 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 @@ -418,22 +360,16 @@ 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 歌曲 @@ -453,11 +389,9 @@ 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 @@ -468,13 +402,6 @@ This year Tiny Title - Dashboard - Good afternoon - Good day - Good evening - Good morning - Good night - What\'s Your Name Today Top albums Top artists @@ -492,7 +419,6 @@ Username 版本 Vertical flip - Virtualizer Volume 網路搜尋 Welcome, @@ -506,16 +432,11 @@ 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 @@ -523,13 +444,4 @@ 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 8d29c0632..b686a726c 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 5f4a2fa78..3973baac9 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 18896210b..bf65574b5 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 d2226ac01..3ea04e700 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 1020e9a06..e4d8a69c4 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 3402473b7..70dd6eb89 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 95add41a0..b8500e277 100644 --- a/app/src/main/res/values/strings.xml +++ b/app/src/main/res/values/strings.xml @@ -12,7 +12,6 @@ Add to playlist Clear playing queue - Clear playlist Cycle repeat mode @@ -69,8 +68,6 @@ Sort order - Album artists only - Tag editor Toggle favorite @@ -80,14 +77,8 @@ 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. @@ -96,8 +87,6 @@ Album artist - The title or artist is empty. - Albums Always @@ -123,12 +112,6 @@ Auto - Base color theme - - Bass Boost - - Bio - Biography Just Black @@ -151,7 +134,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 @@ -160,22 +142,16 @@ Card - Circular - Colored Card Card Square Card - Carousel - Carousel effect on the now playing screen Cascading - Cast - Changelog Changelog maintained on the Telegram channel @@ -188,21 +164,12 @@ Clear - Clear app data - Clear blacklist Clear queue - Clear playlist - %1$s? This can\u2019t be undone!]]> - - Close - Color - Color - Colors Composer @@ -224,8 +191,6 @@ Kinda Dark - No Lyrics - Delete playlist %1$s?]]> @@ -240,8 +205,6 @@ %1$d songs?]]> Deleted %1$d songs. - Deleting songs - Depth Description @@ -261,20 +224,12 @@ Buy me a: - Download from Last.fm - Drive mode - Edit - - Edit cover - Empty Equalizer - Error - FAQ Favorites @@ -306,8 +261,6 @@ Fork the project on GitHub - Join the Google Plus community where you can ask for help or follow Retro Music updates - 1 2 3 @@ -359,10 +312,6 @@ Last song - Let\'s play some music - - Library - Library categories Licenses @@ -393,12 +342,8 @@ Never - New banner photo - New playlist - New profile photo - %s is the new start directory. Next Song @@ -429,8 +374,6 @@ Normal lyrics - Normal - %s is not listed in the media store.]]> Nothing to scan. @@ -455,8 +398,6 @@ Past 3 months - Paste lyrics here - Peak Permission to access external storage denied. @@ -469,8 +410,6 @@ Pick from local storage - Pick image - Pinterest Follow Pinterest page for Retro Music design inspiration @@ -479,22 +418,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 @@ -514,11 +446,6 @@ 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 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 @@ -529,21 +456,16 @@ 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 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 @@ -553,15 +475,12 @@ 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 @@ -570,29 +489,20 @@ Song info Gapless playback App theme - Show genre tab Artist grid Album 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 @@ -602,8 +512,6 @@ Purchase - *Think before buying, don\'t ask for refund. - Playing Queue Rate the app @@ -616,14 +524,10 @@ Remove - Remove banner photo - Remove cover Remove from blacklist - Remove profile photo - Remove song from playlist %1$s from the playlist?]]> @@ -648,8 +552,6 @@ Restoring purchase… - Retro Music Equalizer - Retro Music Player Retro Music Pro @@ -687,22 +589,14 @@ 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 @@ -714,10 +608,6 @@ Sleep timer canceled. Sleep timer set for %d minutes from now. - Slide - - Small album - Social Share story @@ -748,16 +638,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 @@ -776,16 +662,6 @@ Title - Dashboard - - Good afternoon - Good day - Good evening - Good morning - Good night - - What\'s Your Name - Today Top albums @@ -819,8 +695,6 @@ Vertical flip - Virtualizer - Volume Web search @@ -846,17 +720,12 @@ 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? @@ -873,24 +742,11 @@ 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 diff --git a/app/src/main/res/values/styles.xml b/app/src/main/res/values/styles.xml index 650e5a2b2..085c769e9 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 88b7edd3d..c6369ab2a 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 f4363ee40..000000000 --- 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 d502c7b0e..000000000 --- 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 56447c6a9..000000000 --- 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 e34d3bb87..0d2c4cc40 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 71802a272..da37551bf 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 740cb41e5..6de3840c1 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 14602804e..a6b3daec9 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