diff --git a/app/build.gradle b/app/build.gradle index fdded057..39eba04b 100644 --- a/app/build.gradle +++ b/app/build.gradle @@ -24,8 +24,8 @@ android { vectorDrawables.useSupportLibrary = true applicationId "code.name.monkey.retromusic" - versionCode 416 - versionName '3.5.010' + versionCode 417 + versionName '3.5.100' multiDexEnabled true diff --git a/app/src/main/AndroidManifest.xml b/app/src/main/AndroidManifest.xml index 888def0e..1ff05316 100644 --- a/app/src/main/AndroidManifest.xml +++ b/app/src/main/AndroidManifest.xml @@ -26,6 +26,7 @@ android:requestLegacyExternalStorage="true" android:roundIcon="@mipmap/ic_launcher_round" android:supportsRtl="true" + android:configChanges="locale|layoutDirection" android:theme="@style/Theme.RetroMusic.FollowSystem" android:usesCleartextTraffic="false" tools:ignore="AllowBackup,GoogleAppIndexingWarning" diff --git a/app/src/main/assets/contributors.json b/app/src/main/assets/contributors.json index 4dd59a44..639b7553 100644 --- a/app/src/main/assets/contributors.json +++ b/app/src/main/assets/contributors.json @@ -1,7 +1,7 @@ [ { "name": "Hemanth Savarala", - "summary": "Lead developer & Designer", + "summary": "Lead Developer & Designer", "link": "https://github.com/h4h13", "profile_image": "https://i.imgur.com/AoVs9oj.jpg" }, diff --git a/app/src/main/assets/retro-changelog.html b/app/src/main/assets/retro-changelog.html index a98a38cb..c3771c48 100644 --- a/app/src/main/assets/retro-changelog.html +++ b/app/src/main/assets/retro-changelog.html @@ -1 +1 @@ -

v3.5.010

v3.4.970

v3.4.900

v3.4.850

v3.4.800

v3.4.700

v3.4.600

v3.4.500

If you see entire app white or dark or black select same theme in settings to fix

FAQ's

*If you face any UI related issues you clear app data and cache, if its not working try to uninstall and install again.

\ No newline at end of file +

v3.5.010

v3.4.970

v3.4.900

If you see entire app white or dark or black select same theme in settings to fix

FAQ's

*If you face any UI related issues you clear app data and cache, if its not working try to uninstall and install again.

\ No newline at end of file diff --git a/app/src/main/java/code/name/monkey/retromusic/LanguageContextWrapper.java b/app/src/main/java/code/name/monkey/retromusic/LanguageContextWrapper.java new file mode 100644 index 00000000..72ae6aba --- /dev/null +++ b/app/src/main/java/code/name/monkey/retromusic/LanguageContextWrapper.java @@ -0,0 +1,42 @@ +package code.name.monkey.retromusic; + +import android.content.Context; +import android.content.res.Configuration; +import android.content.res.Resources; +import android.os.LocaleList; + +import java.util.Locale; + +import code.name.monkey.appthemehelper.util.VersionUtils; + +public class LanguageContextWrapper extends android.content.ContextWrapper { + + public LanguageContextWrapper(Context base) { + super(base); + } + + public static LanguageContextWrapper wrap(Context context, Locale newLocale) { + Resources res = context.getResources(); + Configuration configuration = res.getConfiguration(); + + if (VersionUtils.INSTANCE.hasNougatMR()) { + configuration.setLocale(newLocale); + + LocaleList localeList = new LocaleList(newLocale); + LocaleList.setDefault(localeList); + configuration.setLocales(localeList); + + context = context.createConfigurationContext(configuration); + + } else if (VersionUtils.INSTANCE.hasLollipop()) { + configuration.setLocale(newLocale); + context = context.createConfigurationContext(configuration); + + } else { + configuration.locale = newLocale; + res.updateConfiguration(configuration, res.getDisplayMetrics()); + } + + return new LanguageContextWrapper(context); + } +} \ No newline at end of file diff --git a/app/src/main/java/code/name/monkey/retromusic/activities/AboutActivity.kt b/app/src/main/java/code/name/monkey/retromusic/activities/AboutActivity.kt index bc1b8506..f938222d 100644 --- a/app/src/main/java/code/name/monkey/retromusic/activities/AboutActivity.kt +++ b/app/src/main/java/code/name/monkey/retromusic/activities/AboutActivity.kt @@ -11,6 +11,7 @@ import androidx.recyclerview.widget.DefaultItemAnimator import androidx.recyclerview.widget.LinearLayoutManager import code.name.monkey.appthemehelper.util.ATHUtil import code.name.monkey.appthemehelper.util.ToolbarContentTintHelper +import code.name.monkey.retromusic.App import code.name.monkey.retromusic.Constants.APP_INSTAGRAM_LINK import code.name.monkey.retromusic.Constants.APP_TELEGRAM_LINK import code.name.monkey.retromusic.Constants.APP_TWITTER_LINK @@ -106,6 +107,7 @@ class AboutActivity : AbsBaseActivity(), View.OnClickListener { openSource.setOnClickListener(this) pinterestLink.setOnClickListener(this) bugReportLink.setOnClickListener(this) + translators.setOnClickListener(this) } override fun onClick(view: View) { @@ -123,6 +125,7 @@ class AboutActivity : AbsBaseActivity(), View.OnClickListener { R.id.changelog -> showChangeLogOptions() R.id.openSource -> NavigationUtil.goToOpenSource(this) R.id.bugReportLink -> NavigationUtil.bugReport(this) + R.id.translators -> openUrl(""); } } @@ -141,8 +144,9 @@ class AboutActivity : AbsBaseActivity(), View.OnClickListener { private fun getAppVersion(): String { return try { + val isPro = if (App.isProVersion()) "Pro" else "Free" val packageInfo = packageManager.getPackageInfo(packageName, 0) - packageInfo.versionName + "${packageInfo.versionName} $isPro" } catch (e: PackageManager.NameNotFoundException) { e.printStackTrace() "0.0.0" @@ -156,11 +160,10 @@ class AboutActivity : AbsBaseActivity(), View.OnClickListener { } private fun loadContributors() { - val data = assetJsonData val type = object : TypeToken>() { }.type - val contributors = Gson().fromJson>(data, type) + val contributors = Gson().fromJson>(assetJsonData, type) val contributorAdapter = ContributorAdapter(contributors) recyclerView.layoutManager = LinearLayoutManager(this) diff --git a/app/src/main/java/code/name/monkey/retromusic/activities/AlbumDetailsActivity.kt b/app/src/main/java/code/name/monkey/retromusic/activities/AlbumDetailsActivity.kt index 569ffc73..7be3cbeb 100644 --- a/app/src/main/java/code/name/monkey/retromusic/activities/AlbumDetailsActivity.kt +++ b/app/src/main/java/code/name/monkey/retromusic/activities/AlbumDetailsActivity.kt @@ -216,7 +216,7 @@ class AlbumDetailsActivity : AbsSlidingMusicPanelActivity(), AlbumDetailsView, C if (lastFmAlbum.album.wiki != null) { aboutAlbumText.show() aboutAlbumTitle.show() - aboutAlbumTitle.text = String.format("About %s", lastFmAlbum.album.name) + aboutAlbumTitle.text = String.format(getString(R.string.about_album_label), lastFmAlbum.album.name) aboutAlbumText.text = lastFmAlbum.album.wiki.content } if (lastFmAlbum.album.listeners.isNotEmpty()) { diff --git a/app/src/main/java/code/name/monkey/retromusic/activities/MainActivity.java b/app/src/main/java/code/name/monkey/retromusic/activities/MainActivity.java index 34d39e44..ea69fb81 100644 --- a/app/src/main/java/code/name/monkey/retromusic/activities/MainActivity.java +++ b/app/src/main/java/code/name/monkey/retromusic/activities/MainActivity.java @@ -51,6 +51,7 @@ import org.jetbrains.annotations.Nullable; import java.util.ArrayList; import java.util.List; +import java.util.Locale; import code.name.monkey.appthemehelper.util.ATHUtil; import code.name.monkey.appthemehelper.util.ToolbarContentTintHelper; @@ -308,7 +309,8 @@ public class MainActivity extends AbsSlidingMusicPanelActivity key.equals(PreferenceUtil.TOGGLE_HOME_BANNER) || key.equals(PreferenceUtil.TOGGLE_ADD_CONTROLS) || key.equals(PreferenceUtil.ALBUM_COVER_STYLE) || key.equals(PreferenceUtil.HOME_ARTIST_GRID_STYLE) || key.equals(PreferenceUtil.ALBUM_COVER_TRANSFORM) || key.equals(PreferenceUtil.DESATURATED_COLOR) || - key.equals(PreferenceUtil.TAB_TEXT_MODE) || key.equals(PreferenceUtil.LIBRARY_CATEGORIES) + key.equals(PreferenceUtil.TAB_TEXT_MODE) || key.equals(PreferenceUtil.LANGUAGE_NAME) || + key.equals(PreferenceUtil.LIBRARY_CATEGORIES) ) { postRecreate(); } @@ -768,5 +770,11 @@ public class MainActivity extends AbsSlidingMusicPanelActivity setTitle(R.string.action_search); } }, 3000); + + Locale[] locales = Locale.getAvailableLocales(); + + for (Locale l : locales) { + Log.d(TAG, "setupToolbar: " + l.toLanguageTag()); + } } } diff --git a/app/src/main/java/code/name/monkey/retromusic/activities/base/AbsBaseActivity.kt b/app/src/main/java/code/name/monkey/retromusic/activities/base/AbsBaseActivity.kt index 649fc3cc..7cd90a8b 100644 --- a/app/src/main/java/code/name/monkey/retromusic/activities/base/AbsBaseActivity.kt +++ b/app/src/main/java/code/name/monkey/retromusic/activities/base/AbsBaseActivity.kt @@ -73,7 +73,7 @@ abstract class AbsBaseActivity : AbsThemeActivity() { return super.dispatchKeyEvent(event) } - protected fun showOverflowMenu() { + private fun showOverflowMenu() { } protected open fun requestPermissions() { diff --git a/app/src/main/java/code/name/monkey/retromusic/activities/base/AbsThemeActivity.kt b/app/src/main/java/code/name/monkey/retromusic/activities/base/AbsThemeActivity.kt index 24ca4b90..14550e5e 100644 --- a/app/src/main/java/code/name/monkey/retromusic/activities/base/AbsThemeActivity.kt +++ b/app/src/main/java/code/name/monkey/retromusic/activities/base/AbsThemeActivity.kt @@ -1,5 +1,6 @@ package code.name.monkey.retromusic.activities.base +import android.content.Context import android.graphics.Color import android.graphics.drawable.Drawable import android.os.Bundle @@ -17,10 +18,12 @@ import code.name.monkey.appthemehelper.util.ATHUtil import code.name.monkey.appthemehelper.util.ColorUtil import code.name.monkey.appthemehelper.util.TintHelper import code.name.monkey.appthemehelper.util.VersionUtils +import code.name.monkey.retromusic.LanguageContextWrapper import code.name.monkey.retromusic.R import code.name.monkey.retromusic.util.PreferenceUtil import code.name.monkey.retromusic.util.RetroUtil import code.name.monkey.retromusic.util.theme.ThemeManager +import java.util.* abstract class AbsThemeActivity : ATHToolbarActivity(), Runnable { @@ -35,6 +38,7 @@ abstract class AbsThemeActivity : ATHToolbarActivity(), Runnable { toggleScreenOn() } + private fun updateTheme() { setTheme(ThemeManager.getThemeResValue(this)) setDefaultNightMode(ThemeManager.getNightMode(this)) @@ -206,4 +210,11 @@ abstract class AbsThemeActivity : ATHToolbarActivity(), Runnable { } return super.onKeyDown(keyCode, event) } + + override fun attachBaseContext(newBase: Context?) { + val code = PreferenceUtil.getInstance(newBase).languageCode + if (code != "auto") { + super.attachBaseContext(LanguageContextWrapper.wrap(newBase, Locale(code))) + } else super.attachBaseContext(newBase) + } } \ No newline at end of file diff --git a/app/src/main/java/code/name/monkey/retromusic/activities/bugreport/model/DeviceInfo.java b/app/src/main/java/code/name/monkey/retromusic/activities/bugreport/model/DeviceInfo.java index ff67d14a..5a266127 100644 --- a/app/src/main/java/code/name/monkey/retromusic/activities/bugreport/model/DeviceInfo.java +++ b/app/src/main/java/code/name/monkey/retromusic/activities/bugreport/model/DeviceInfo.java @@ -9,6 +9,7 @@ import android.os.Build; import androidx.annotation.IntRange; import java.util.Arrays; +import java.util.Locale; import code.name.monkey.retromusic.util.PreferenceUtil; @@ -57,6 +58,7 @@ public class DeviceInfo { private final int versionCode; private final String versionName; + private final String selectedLang; public DeviceInfo(Context context) { PackageInfo packageInfo; @@ -76,6 +78,7 @@ public class DeviceInfo { baseTheme = PreferenceUtil.getInstance(context).getBaseTheme(); nowPlayingTheme = context.getString(PreferenceUtil.getInstance(context).getNowPlayingScreen().getTitleRes()); isAdaptive = PreferenceUtil.getInstance(context).getAdaptiveColor(); + selectedLang = PreferenceUtil.getInstance(context).getLanguageCode(); } public String toMarkdown() { @@ -97,6 +100,7 @@ public class DeviceInfo { + "ABIs" + Arrays.toString(abis) + "\n" + "ABIs (32bit)" + Arrays.toString(abis32Bits) + "\n" + "ABIs (64bit)" + Arrays.toString(abis64Bits) + "\n" + + "Language" + selectedLang + "\n" + "\n"; } @@ -119,6 +123,8 @@ public class DeviceInfo { + "ABIs (64bit): " + Arrays.toString(abis64Bits) + "\n" + "Base theme: " + baseTheme + "\n" + "Now playing theme: " + nowPlayingTheme + "\n" - + "Adaptive: " + isAdaptive; + + "Adaptive: " + isAdaptive + "\n" + + "System language: " + Locale.getDefault().toLanguageTag() + "\n" + + "In-App Language: " + selectedLang; } } diff --git a/app/src/main/java/code/name/monkey/retromusic/adapter/TranslatorsAdapter.kt b/app/src/main/java/code/name/monkey/retromusic/adapter/TranslatorsAdapter.kt new file mode 100644 index 00000000..45966071 --- /dev/null +++ b/app/src/main/java/code/name/monkey/retromusic/adapter/TranslatorsAdapter.kt @@ -0,0 +1,57 @@ +package code.name.monkey.retromusic.adapter + +import android.app.Activity +import android.view.LayoutInflater +import android.view.View +import android.view.ViewGroup +import android.widget.TextView +import androidx.recyclerview.widget.RecyclerView +import code.name.monkey.retromusic.R +import code.name.monkey.retromusic.model.Contributor +import code.name.monkey.retromusic.util.RetroUtil +import code.name.monkey.retromusic.views.RetroShapeableImageView +import com.bumptech.glide.Glide + +class TranslatorsAdapter( + private var contributors: List +) : RecyclerView.Adapter() { + + override fun onCreateViewHolder(parent: ViewGroup, viewType: Int): ViewHolder { + return ViewHolder( + LayoutInflater.from(parent.context).inflate( + R.layout.item_contributor, + parent, + false + ) + ) + } + + override fun onBindViewHolder(holder: ViewHolder, position: Int) { + val contributor = contributors[position] + holder.bindData(contributor) + holder.itemView.setOnClickListener { + RetroUtil.openUrl(it?.context as Activity, contributors[position].link) + } + } + + override fun getItemCount(): Int { + return contributors.size + } + + inner class ViewHolder(itemView: View) : RecyclerView.ViewHolder(itemView) { + val title: TextView = itemView.findViewById(R.id.title) + val text: TextView = itemView.findViewById(R.id.text) + val image: RetroShapeableImageView = itemView.findViewById(R.id.icon) + + internal fun bindData(contributor: Contributor) { + title.text = contributor.name + text.text = contributor.summary + Glide.with(image.context) + .load(contributor.profileImage) + .error(R.drawable.ic_account_white_24dp) + .placeholder(R.drawable.ic_account_white_24dp) + .dontAnimate() + .into(image) + } + } +} \ No newline at end of file diff --git a/app/src/main/java/code/name/monkey/retromusic/fragments/mainactivity/BannerHomeFragment.kt b/app/src/main/java/code/name/monkey/retromusic/fragments/mainactivity/BannerHomeFragment.kt index 33b02895..f0af7e5b 100644 --- a/app/src/main/java/code/name/monkey/retromusic/fragments/mainactivity/BannerHomeFragment.kt +++ b/app/src/main/java/code/name/monkey/retromusic/fragments/mainactivity/BannerHomeFragment.kt @@ -21,6 +21,8 @@ import android.view.LayoutInflater import android.view.View import android.view.ViewGroup import androidx.recyclerview.widget.LinearLayoutManager +import code.name.monkey.appthemehelper.ThemeStore +import code.name.monkey.appthemehelper.util.TintHelper import code.name.monkey.retromusic.App import code.name.monkey.retromusic.Constants import code.name.monkey.retromusic.Constants.USER_BANNER @@ -81,8 +83,20 @@ class BannerHomeFragment : AbsMainActivityFragment(), MainActivityFragmentCallba .asBitmap() .diskCacheStrategy(DiskCacheStrategy.NONE) .skipMemoryCache(true) - .placeholder(R.drawable.ic_person_flat) - .error(R.drawable.ic_person_flat) + .placeholder( + TintHelper.createTintedDrawable( + requireContext(), + R.drawable.ic_account_white_24dp, + ThemeStore.accentColor(requireContext()) + ) + ) + .error( + TintHelper.createTintedDrawable( + requireContext(), + R.drawable.ic_account_white_24dp, + ThemeStore.accentColor(requireContext()) + ) + ) .into(userImage) } diff --git a/app/src/main/java/code/name/monkey/retromusic/fragments/settings/OtherSettingsFragment.kt b/app/src/main/java/code/name/monkey/retromusic/fragments/settings/OtherSettingsFragment.kt index ade77cff..398bd4ee 100644 --- a/app/src/main/java/code/name/monkey/retromusic/fragments/settings/OtherSettingsFragment.kt +++ b/app/src/main/java/code/name/monkey/retromusic/fragments/settings/OtherSettingsFragment.kt @@ -19,6 +19,7 @@ import android.view.View import androidx.preference.Preference import code.name.monkey.retromusic.R +import code.name.monkey.retromusic.preferences.MaterialListPreference /** * @author Hemanth S (h4h13). @@ -26,7 +27,11 @@ import code.name.monkey.retromusic.R class OtherSettingsFragment : AbsSettingsFragment() { override fun invalidateSettings() { - + val languagePreference: MaterialListPreference = findPreference("language_name")!! + languagePreference.setOnPreferenceChangeListener { _, _ -> + requireActivity().recreate() + return@setOnPreferenceChangeListener true + } } override fun onCreatePreferences(savedInstanceState: Bundle?, rootKey: String?) { @@ -37,5 +42,7 @@ class OtherSettingsFragment : AbsSettingsFragment() { super.onViewCreated(view, savedInstanceState) val preference: Preference = findPreference("last_added_interval")!! setSummary(preference) + val languagePreference: Preference = findPreference("language_name")!! + setSummary(languagePreference) } } diff --git a/app/src/main/java/code/name/monkey/retromusic/model/Contributor.kt b/app/src/main/java/code/name/monkey/retromusic/model/Contributor.kt index c6df9273..519e63c1 100644 --- a/app/src/main/java/code/name/monkey/retromusic/model/Contributor.kt +++ b/app/src/main/java/code/name/monkey/retromusic/model/Contributor.kt @@ -20,4 +20,4 @@ class Contributor( val name: String, val summary: String, val link: String, @SerializedName("profile_image") val profileImage: String -) +) \ No newline at end of file diff --git a/app/src/main/java/code/name/monkey/retromusic/preferences/MaterialListPreference.kt b/app/src/main/java/code/name/monkey/retromusic/preferences/MaterialListPreference.kt index 2bb91842..180165a9 100644 --- a/app/src/main/java/code/name/monkey/retromusic/preferences/MaterialListPreference.kt +++ b/app/src/main/java/code/name/monkey/retromusic/preferences/MaterialListPreference.kt @@ -23,12 +23,13 @@ import androidx.core.graphics.BlendModeColorFilterCompat import androidx.core.graphics.BlendModeCompat.SRC_IN import androidx.preference.ListPreference import androidx.preference.PreferenceDialogFragmentCompat +import code.name.monkey.appthemehelper.ThemeStore import code.name.monkey.retromusic.R import code.name.monkey.retromusic.extensions.colorControlNormal import code.name.monkey.retromusic.util.PreferenceUtil -import com.afollestad.materialdialogs.LayoutMode import com.afollestad.materialdialogs.MaterialDialog -import com.afollestad.materialdialogs.bottomsheets.BottomSheet +import com.afollestad.materialdialogs.WhichButton +import com.afollestad.materialdialogs.actions.getActionButton import com.afollestad.materialdialogs.list.listItemsSingleChoice class MaterialListPreference @JvmOverloads constructor( @@ -72,7 +73,7 @@ class MaterialListPreferenceDialog : PreferenceDialogFragmentCompat() { val entries = arguments?.getStringArrayList(EXTRA_ENTRIES) val entriesValues = arguments?.getStringArrayList(EXTRA_ENTRIES_VALUES) val position: Int = arguments?.getInt(EXTRA_POSITION) ?: 0 - materialDialog = MaterialDialog(requireContext(), BottomSheet(LayoutMode.WRAP_CONTENT)) + materialDialog = MaterialDialog(requireContext()) .title(text = materialListPreference.title.toString()) .positiveButton(R.string.set) .cornerRadius(PreferenceUtil.getInstance(requireContext()).dialogCorner) @@ -94,6 +95,8 @@ class MaterialListPreferenceDialog : PreferenceDialogFragmentCompat() { } dismiss() } + materialDialog.getActionButton(WhichButton.POSITIVE) + .updateTextColor(ThemeStore.accentColor(requireContext())) return materialDialog } diff --git a/app/src/main/java/code/name/monkey/retromusic/util/PreferenceUtil.java b/app/src/main/java/code/name/monkey/retromusic/util/PreferenceUtil.java index 924e9699..d0a0a380 100644 --- a/app/src/main/java/code/name/monkey/retromusic/util/PreferenceUtil.java +++ b/app/src/main/java/code/name/monkey/retromusic/util/PreferenceUtil.java @@ -140,6 +140,7 @@ public final class PreferenceUtil { public static final String SAF_SDCARD_URI = "saf_sdcard_uri"; public static final String SONG_SORT_ORDER = "song_sort_order"; public static final String SONG_GRID_SIZE = "song_grid_size"; + public static final String LANGUAGE_NAME = "language_name"; private static final String GENRE_SORT_ORDER = "genre_sort_order"; private static final String LAST_PAGE = "last_start_page"; private static final String BLUETOOTH_PLAYBACK = "bluetooth_playback"; @@ -154,67 +155,36 @@ public final class PreferenceUtil { private static final String ALBUM_GRID_SIZE = "album_grid_size"; private static final String ALBUM_GRID_SIZE_LAND = "album_grid_size_land"; private static final String SONG_GRID_SIZE_LAND = "song_grid_size_land"; - private static final String ARTIST_GRID_SIZE = "artist_grid_size"; - private static final String ARTIST_GRID_SIZE_LAND = "artist_grid_size_land"; - private static final String ALBUM_COLORED_FOOTERS = "album_colored_footers"; - private static final String SONG_COLORED_FOOTERS = "song_colored_footers"; - private static final String ARTIST_COLORED_FOOTERS = "artist_colored_footers"; - private static final String ALBUM_ARTIST_COLORED_FOOTERS = "album_artist_colored_footers"; - private static final String COLORED_APP_SHORTCUTS = "colored_app_shortcuts"; - private static final String AUDIO_DUCKING = "audio_ducking"; - private static final String LAST_ADDED_CUTOFF = "last_added_interval"; - private static final String LAST_SLEEP_TIMER_VALUE = "last_sleep_timer_value"; - private static final String NEXT_SLEEP_TIMER_ELAPSED_REALTIME = "next_sleep_timer_elapsed_real_time"; - private static final String IGNORE_MEDIA_STORE_ARTWORK = "ignore_media_store_artwork"; - private static final String LAST_CHANGELOG_VERSION = "last_changelog_version"; - private static final String INTRO_SHOWN = "intro_shown"; - private static final String AUTO_DOWNLOAD_IMAGES_POLICY = "auto_download_images_policy"; - private static final String START_DIRECTORY = "start_directory"; - private static final String SYNCHRONIZED_LYRICS_SHOW = "synchronized_lyrics_show"; - private static final String LOCK_SCREEN = "lock_screen"; - private static final String ALBUM_DETAIL_SONG_SORT_ORDER = "album_detail_song_sort_order"; - private static final String ARTIST_DETAIL_SONG_SORT_ORDER = "artist_detail_song_sort_order"; - private static final String LYRICS_OPTIONS = "lyrics_tab_position"; - private static final String CHOOSE_EQUALIZER = "choose_equalizer"; - private static final String TOGGLE_SHUFFLE = "toggle_shuffle"; - private static final String SONG_GRID_STYLE = "song_grid_style"; - private static final String TOGGLE_ANIMATIONS = "toggle_animations"; - private static final String LAST_KNOWN_LYRICS_TYPE = "LAST_KNOWN_LYRICS_TYPE"; - private static final String ALBUM_DETAIL_STYLE = "album_detail_style"; - private static final String PAUSE_ON_ZERO_VOLUME = "pause_on_zero_volume"; - private static final String NOW_PLAYING_SCREEN = "now_playing_screen"; - private static final String SNOW_FALL_EFFECT = "snow_fall_effect"; - private static final String FILTER_SONG = "filter_song"; private static final String TAG = "PreferenceUtil"; private static final String EXPAND_NOW_PLAYING_PANEL = "expand_now_playing_panel"; @@ -987,4 +957,8 @@ public final class PreferenceUtil { public boolean isExpandPanel() { return mPreferences.getBoolean(EXPAND_NOW_PLAYING_PANEL, false); } + + public String getLanguageCode() { + return mPreferences.getString(LANGUAGE_NAME, "auto"); + } } diff --git a/app/src/main/res/drawable/ic_account_group_white_24dp.xml b/app/src/main/res/drawable/ic_account_group_white_24dp.xml new file mode 100644 index 00000000..970a3aa9 --- /dev/null +++ b/app/src/main/res/drawable/ic_account_group_white_24dp.xml @@ -0,0 +1,10 @@ + + + + \ No newline at end of file diff --git a/app/src/main/res/drawable/ic_file_edit_white_24dp.xml b/app/src/main/res/drawable/ic_file_edit_white_24dp.xml new file mode 100644 index 00000000..03ddf7a1 --- /dev/null +++ b/app/src/main/res/drawable/ic_file_edit_white_24dp.xml @@ -0,0 +1,10 @@ + + + + \ No newline at end of file diff --git a/app/src/main/res/drawable/ic_language_white_24dp.xml b/app/src/main/res/drawable/ic_language_white_24dp.xml new file mode 100644 index 00000000..f8d23d59 --- /dev/null +++ b/app/src/main/res/drawable/ic_language_white_24dp.xml @@ -0,0 +1,10 @@ + + + diff --git a/app/src/main/res/drawable/ic_license_white_24dp.xml b/app/src/main/res/drawable/ic_license_white_24dp.xml new file mode 100644 index 00000000..f66c7104 --- /dev/null +++ b/app/src/main/res/drawable/ic_license_white_24dp.xml @@ -0,0 +1,8 @@ + + + + \ No newline at end of file diff --git a/app/src/main/res/layout/card_other.xml b/app/src/main/res/layout/card_other.xml index e526a232..aeb37d9e 100644 --- a/app/src/main/res/layout/card_other.xml +++ b/app/src/main/res/layout/card_other.xml @@ -38,11 +38,12 @@ app:layout_constraintHorizontal_bias="0" app:layout_constraintStart_toStartOf="parent" app:layout_constraintTop_toBottomOf="@id/sb4" + app:listItemIcon="@drawable/ic_file_edit_white_24dp" app:listItemSummary="@string/changelog_summary" app:listItemTitle="@string/changelog" /> + + + + Team, social links + Accent color + The theme accent color, defaults to purple + About + Add to favorites + Add to playing queue + Add to playlist + Clear playing queue + Clear playlist + Cycle repeat mode + Delete + Delete from device + Details + Go to album + Go to artist + Go to genre + Go to start directory + Grant + Grid size + Grid size (land) + New playlist + Next + Play + Play all + Play next + Play/Pause + Previous + Remove from favorites + Remove from playing queue + Remove from playlist + Rename + Save playing queue + Scan + Search + Start + Set as ringtone + Set as start directory + "Settings" + Share + Shuffle all + Shuffle playlist + Sleep timer + Sort order + Tag editor + Toggle favorite + Toggle shuffle mode + Adaptive + Add + Add lyrics + Add \nphoto + "Add to playlist" + Add time frame lyrics + "Added 1 title to the playing queue." + Added %1$d titles to the playing queue. + Album + Album artist + The title or artist is empty. + Albums + Always + Hey check out this cool music player at: https://play.google.com/store/apps/details?id=%s + Shuffle + Top Tracks + Retro music - Big + Retro music - Card + Retro music - Classic + Retro music - Small + Retro music - Text + Artist + Artists + Audio focus denied. + Change the sound settings and adjust the equalizer controls + Auto + Base color theme + Bass Boost + Bio + Biography + Just Black + Blacklist + Blur + Blur Card + Unable to send report + Invalid access token. Please contact the app developer. + Issues are not enabled for the selected repository. Please contact the app developer. + An unexpected error occurred. Please contact the app developer. + Wrong username or password + Issue + Send manually + Please enter an issue description + Please enter your valid GitHub password + Please enter an issue title + Please enter your valid GitHub username + An unexpected error occurred. Sorry you found this bug, if it keeps crashing \"Clear app data\" or send an Email + Uploading report to GitHub… + Send using GitHub account + Buy now + Cancel + Card + Circular + Colored Card + Card + Carousel + Carousel effect on the now playing screen + Cascading + Cast + Changelog + Changelog maintained on the Telegram channel + Circle + Circular + Classic + Clear + Clear app data + Clear blacklist + Clear queue + Clear playlist + %1$s? This can\u2019t be undone!]]> + Close + Color + Color + Colors + Composer + Copied device info to clipboard. + Couldn\u2019t create playlist. + "Couldn\u2019t download a matching album cover." + Could not restore purchase. + Could not scan %d files. + Create + Created playlist %1$s. + Members and contributors + Currently listening to %1$s by %2$s. + Kinda Dark + No Lyrics + Delete playlist + %1$s?]]> + Delete playlists + Delete song + %1$s?]]> + Delete songs + %1$d playlists?]]> + %1$d songs?]]> + Deleted %1$d songs. + Deleting songs + Depth + Description + Device info + Allow Retro Music to modify audio settings + Set ringtone + Do you want to clear the blacklist? + %1$s from the blacklist?]]> + Donate + If you think I deserve to get paid for my work, you can leave some money here + Buy me a: + Download from Last.fm + Drive mode + Edit + Edit cover + Empty + Equalizer + Error + FAQ + Favorites + Finish last song + Fit + Flat + Folders + Follow system + For you + Free + Full + Full card + Change the theme and colors of the app + Look and feel + Genre + Genres + Fork the project on GitHub + Join the Google Plus community where you can ask for help or follow Retro Music updates + 1 + 2 + 3 + 4 + 5 + 6 + 7 + 8 + Grid style + Hinge + History + Home + Horizontal flip + Image + Gradient image + Change artist image download settings + Inserted %1$d songs into the playlist %2$s. + Share your Retro Music setup to showcase on Instagram + Keyboard + Bitrate + Format + File name + File path + Size + More from %s + Sampling rate + Length + Labeled + Last added + Last song + Let\'s play some music + Library + Library categories + Licenses + Clearly White + Listeners + Listing files + Loading products… + Login + Lyrics + Made with ❤️ in India + Material + Error + Permission error + Name + Most played + Never + New banner photo + New playlist + New profile photo + %s is the new start directory. + Next Song + You have no albums + You have no artists + "Play a song first, then try again." + No equalizer found + You have no genres + No lyrics found + No songs playing + You have no playlists + No purchase found. + No results + You have no songs + Normal + Normal lyrics + Normal + %s is not listed in the media store.]]> + Nothing to scan. + Nothing to see + Notification + Customize the notification style + Now playing + Now playing queue + Customize the now playing screen + 9+ now playing themes + Only on Wi-Fi + Advanced testing features + Other + Password + Past 3 months + Paste lyrics here + Peak + Permission to access external storage denied. + Permissions denied. + Personalize + Customize your now playing and UI controls + Pick from local storage + Pick image + Pinterest + Follow Pinterest page for Retro Music design inspiration + Plain + The playing notification provides actions for play/pause etc. + Playing notification + Empty playlist + Playlist is empty + Playlist name + Playlists + Album detail style + Amount of blur applied for blur themes, lower is faster + Blur amount + Adjust the bottom sheet dialog corners + Dialog corner + Filter songs by length + Filter song duration + Advanced + Album style + Audio + Blacklist + Controls + Theme + Images + Library + Lockscreen + Playlists + Pauses the song when the volume decreases to zero and starts playing back when the volume level rises. Also works outside the app + Pause on zero + Keep in mind that enabling this feature may affect battery life + Keep the screen on + Click to open with or slide to without transparent navigation of now playing screen + Click or Slide + Snow fall effect + 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. + Start playing as soon as connected to bluetooth device + Blur the album cover on the lockscreen. Can cause problems with third party apps and widgets + Carousel effect for the album art in the now playing screen. Note that Card and Blur Card themes won\'t work + 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 + Toggle home banner style + Can increase the album cover quality, but causes slower image loading times. Only enable this if you have problems with low resolution artworks + Configure visibility and order of library categories. + Use Retro Music\'s custom lockscreen controls + License details for open source software + Round the app\'s edges + Toggle titles for the bottom navigation bar tabs + Immersive mode + Start playing immediately after headphones are connected + Shuffle mode will turn off when playing a new list of songs + If enough space is available, show volume controls in the now playing screen + Show album cover + Album cover theme + Album cover skip + Album grid + Colored app shortcuts + Artist grid + Reduce volume on focus loss + Auto-download artist images + Blacklist + Bluetooth playback + Blur album cover + Choose equalizer + Classic notification design + Adaptive color + Colored notification + Desaturated color + Extra controls + Song info + Gapless playback + App theme + Show genre tab + Home artist grid + Home 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. + Queue + Rate the app + Love this app? Let us know in the Google Play Store how we can make it even better + Recent albums + Recent artists + Remove + Remove banner photo + Remove cover + Remove from blacklist + Remove profile photo + Remove song from playlist + %1$s from the playlist?]]> + Remove songs from playlist + %1$d songs from the playlist?]]> + Rename playlist + Report an issue + Report bug + Reset + Reset artist image + Restore + Restored previous purchase. Please restart the app to make use of all features. + Restored previous purchases. + Restoring purchase… + Retro Music Equalizer + Retro Music Player + Retro Music Pro + File delete failed: %s + + Can\'t get SAF URI + Open navigation drawer + Enable \'Show SD card\' in overflow menu + + %s needs SD card access + You need to select your SD card root directory + Select your SD card in navigation drawer + Do not open any sub-folders + Tap \'select\' button at the bottom of the screen + File write failed: %s + Save + + + Save as file + Save as files + Saved playlist to %s. + Saving changes + Scan media + Scanned %1$d of %2$d files. + Scrobbles + Search your library… + Select all + Select banner photo + Selected + Send crash log + Set + Set artist image + Set a profile photo + Share app + Share to Stories + Shuffle + Simple + Sleep timer canceled. + Sleep timer set for %d minutes from now. + Slide + Small album + Social + Share story + Song + Song duration + Songs + Sort order + Ascending + Album + Artist + Composer + Date added + Date modified + Year + Descending + Sorry! Your device doesn\'t support speech input + Search your library + Stack + Start playing music. + Suggestions + Just show your name on home screen + Support development + Swipe to unlock + Synced lyrics + System Equalizer + + Telegram + Join the Telegram group to discuss bugs, make suggestions, show off and more + Thank you! + The audio file + This month + This week + This year + Tiny + Title + Dashboard + Good afternoon + Good day + Good evening + Good morning + Good night + What\'s Your Name + Today + Top albums + Top artists + "Track (2 for track 2 or 3004 for CD3 track 4)" + Track number + Translate + Help us translate the app to your language + Twitter + Share your design with Retro Music + Unlabeled + Couldn\u2019t play this song. + Up next + Update image + Updating… + Username + Version + Vertical flip + Virtualizer + Volume + Web search + Welcome, + What do you want to share? + What\'s New + Window + Rounded corners + Set %1$s as your ringtone. + %1$d selected + Year + You have to select at least one category. + You will be forwarded to the issue tracker website. + Your account data is only used for authentication. + Amount + Note(Optional) + Start payment + Show now playing screen + Clicking on the notification will show now playing screen instead of the home screen + Tiny card + diff --git a/app/src/main/res/values-ar/strings.xml b/app/src/main/res/master/values-ar-rSA/strings.xml similarity index 87% rename from app/src/main/res/values-ar/strings.xml rename to app/src/main/res/master/values-ar-rSA/strings.xml index 12e81cc1..59b12845 100644 --- a/app/src/main/res/values-ar/strings.xml +++ b/app/src/main/res/master/values-ar-rSA/strings.xml @@ -1,15 +1,15 @@ - + - عليك اختيار فئة واحدة على الأقل. - ألبوم صغير + الفريق, الروابط للتواصل اللون الأساسي - لون النمط الافتراضي , الافتراضي هو ازرق + لون تمييز المظهر ، يتم تعيينه إلى اللون الأرجواني حول - إضافة الى المفضلة + اضافة الى المفضلة إضافة الى قائمة التشغيل الحالية - إضافة الى قائمة الشغيل + أضف إلى قائمة التشغيل إخلاء قائمة التشغيل الحالية إخلاء قائمة التشغيل + وضع تكرار الدورة حذف حذف من الجهاز تفاصيل @@ -20,8 +20,10 @@ امنح حجم الشبكة حجم الشبكة (أفقيا) + قائمة تشغيل جديدة التالي تشغيل + تشغيل الكل تشغيل التالي تشغيل/ايقاف السابق @@ -32,7 +34,6 @@ حفظ قائمة التشغيل الحالية فحص بحث - تعيين تشغيل تعين كنغمة رنين تعين كدليل بداية @@ -43,20 +44,22 @@ مؤقت النوم ترتيب الفرز محرر البطاقة + تبديل المفضلة + Toggle shuffle mode متكيف إضافة + اضافة كلمات إضافة صورة "إضافة الى قائمة التشغيل" + اضافة كلمات مع فواصل زمنية "إضافة ١ من العناوين الى قائمة التشغيل الحالية" إضافة %1$d من العناوين الى قائمة التشغيل الحالية البوم البوم الفنان العنوان او الفنان فارغ الألبومات - دائما مرحبا القي نظرة على مشغل الموسيقى الرائع هذا في: https://play.google.com/store/apps/details?id=%s - عشوائي المسارات الاكثر شعبية ريترو ميوزك - كبير @@ -68,33 +71,58 @@ فنانين تم منع تركيز الصوت تغيير إعدادات الصوت وضبط عناصر التحكم في موازن الصوت + تلقائي + لون الثيم الاساسي معزز Bass + الحالة سيرة ذاتية أسود لامع القائمة السوداء ضبابي بطاقة ضبابية - ابقاء الشاشة تعمل - ضع في اعتبارك أن تمكين هذه الميزة قد يؤثر على عمر البطارية - مستوى الضبابية - "مستوى ضبابية الثيم , كلما قل كلما كان افضل " - Retro Music Pro + لم يمكن ارسال التقرير + دخول غير مكتمل. الرجاء إبلاغ مطور التطبيق + المشاكل غير مفعلة للمستودعات المحددة.الرجاء إبلاغ مطور التطبيق + حدث خطأ غير متوقع.الرجاء إبلاغ المطور + اسم مستخدم او كلمة السر خاطئة + مشكلة + ارسال يدويا + الرجاء ادخال وصف الخطأ + الرجاء ادخال كلمة سر صالحة + الرجاء ادخال الخطأ هنا + الرجاء ادخال أسم مستخدم صالح + حصل خطأ غير متوقع. نأسف لذالك, اذا تكرر معك الخطأ \"قم بمسح بيانات التطبيق\"او ارسل ايميل + رفع التقرير الى چيتهب + ارسال بأستخدام حساب چيتهب + اشتري الآن إلغاء بطاقة - بطاقة ملونة دائري - صورة + بطاقة ملونة بطاقة + دائري + التاثير الدائري على شاشة التشغيل الآن + المتتالية بث سجل التغيرات سجل التغيرات ثابت على قناة التيليجرام + دائرية + دائري + كلاسيكي إزالة + مسح بيانات التطبيق إزالة القائمة السوداء + مسح التسلسل إزالة قائمة التشغيل + %1$s? This can\u2019t be undone!]]> اغلاق لون لون الوان + المؤلف + تم نسخ معلومات الجهاز للحافظة. + تعذّر\u2019t إنشاء قائمة. + "Couldn\u2019t download a matching album cover." لايمكن إسترجاع المشتريات لايمكن فحص الملفات %d إنشاء @@ -106,12 +134,18 @@ حذف قائمة التشغيل %1$s؟]]> حذف قوائم التشغيل + حذف اغنية %1$s؟]]> + حذف الاغاني %1$d؟]]> %1$d؟]]> - حذف اغنية - حذف الاغاني تم حذف %1$d الأغاني. + حذف الأغاني + العمق + الوصف + معلومات الجهاز + السمات لتطبيق ريترو ميوزك بتعديل اعدادات الصوت + ك نغمة رنين هل تريد إزالة القائمة السوداء؟ %1$s من القائمة السوداء]]> تبرع @@ -119,15 +153,23 @@ يمكنك ترك بعض المال هنا. اشتري لي: تنزيل من Last.fm + وضع القيادة + تعديل تحرير الغلاف فارغ موازن الصوت + خطأ التعليمات المفضلات + إنهاء الأغنية الأخيرة + تناسق مسطح المجلدات + اتبع النظام لأجلك + مجاني كامل + بطاقة كاملة تغيير سمات وألوان التطبيق المظهر و الحس فئة @@ -142,28 +184,42 @@ 6 7 8 + الشبكة والأسلوب + مفصل السجل الشاشة الرئيسية + تدوير عمودي + صورة + الصورة المتدرجة تغيير إعدادات تنزيل صور الفنان إدراج %1$d الأغاني في قائمة التشغيل %2$s. - إنستقرام شارك إعداد Retro Music الخاص بك للعرض على إنستقرام + الكيبورد معدل البت الصيغة اسم الملف مسار الملف الحجم + المزيد من %s معدل العينات الامتداد + معنون المضافة مؤخرا + الاغنية الاخيرة لنشغل بعض الموسيقى المكتبة + فئات المكتبة الموسيقية تراخيص أبيض صافي + المستمعون قائمة الملفات تحميل المنتجات... + تسجيل الدخول كلمات الاغنية + صنع ب❤️في الهند ماتيريال + خطأ + خطأ في الصلاحيات الأسم الأكثر تشغيل أبداً @@ -171,12 +227,14 @@ قائمة تشغيل جديدة صورة ملف شخصي جديدة %s هذا دليل البدء الجديد. + الاغنية التالية لا توجد ألبومات لا يوجد مغنين "قم بتشغيل أغنية أولاً ، ثم حاول مرة أخرى." لم يتم العثور موازن الصوت لا يوجد تصنيفات لم يتم العثور على كلمات للاغنية + لا توجد أغاني تشتغل لا يوجد قوائم تشغيل لم يتم العثور على عملية شراء. لا يوجد نتائج @@ -186,18 +244,28 @@ الافتراضي %s غير مدرج في مخزن الوسائط]]> لاشيء لفحصه. + لاشيء لفحصه إشعارات تخصيص نمط الإشعارات تشغيل الان تسلسل التشغيل الان + تخصيص شاشة التشغيل الآن + 9+ من ثيمات التشغيل الان فقط على الواي فاي + اعدادات اختبارية متقدمة آخر + كلمة السر أخر 3 أشهر + الصق الكلمات هنا + Peak تم رفض إذن الوصول إلى وحدة التخزين الخارجي. تم رفض الأذونات. تخصيص تخصيص المشغل و الواجهة اختر من وحدة التخزين الداخلي + اختيار صورة + بينتريست + متابعة صفحة البينتريست لمشاهدة الهامات التصميم عادي اشعارات التشغيل توفر إجراءات للتشغيل / الإيقاف المؤقت إلخ. تنبيهات التشغيل @@ -205,47 +273,81 @@ قائمة التشغيل فارغة اسم قائمة التشغيل قوائم التشغيل + شكل معلومات الالبوم + مستوى ضبابية الثيم , كلما قل كلما كان افضل + مستوى الضبابية + ضبط زوايا مربع لوحة التحكم + زاوية الحوار + تصفية الأغاني حسب الطول + فلترة المدة الزمنية للاغنية + متقدّم + شكل الأسلوب الصوت + القائمة السوداء + التحكم الثيم الصور + المكتبة شاشة القفل - " قوائم التشغيل" + قوائم التشغيل + ايقاف التشغيل عند مستوى الصوت 0 والتشغيل عند رفع الصوت.ويعمل حتى وانت خارج التطبيق سيتم تشغيل الموسيقى تلقائيا + ايقاف عند الصفر + ضع في اعتبارك أن تمكين هذه الميزة قد يؤثر على عمر البطارية + ابقاء الشاشة تعمل + انقر للفتح أو التمرير بدون الإنتقال الشفاف لشاشة التشغيل الآن + اضغط او أسحب + تأثير تساقط الثلج استخدم غلاف ألبوم الأغنية قيد التشغيل حاليًا كخلفية لشاشة القفل خفض مستوى الصوت عند تشغيل صوت نظام أو تلقي إشعارات + محتويات مجلدات القائمة السوداء يتم أخفائها من مكتبتك الموسيقية. + بدء التشغيل بمجرد توصيل جهاز بلوتوث ظبابية غطاء الألبوم على شاشة القفل . يمكن أن يسبب مشاكل في تطبيقات وويدجت الطرف الثالث التأثير الدائري لصورة الألبوم في شاشة التشغيل الآن. لاحظ أن مواضيع البطاقة و البطاقة الضبابية لن تعمل أستخدم تصميم الإشعارات التقليدي تتغير ألوان أزرار الخلفية والتحكم وفقًا لصورة الألبوم من شاشة التشغيل الآن تلوين اختصارات التطبيق باللون الثانوي . في كل مرة تقوم فيها بتغيير اللون ، يرجى تفعيل هذا الخيار ليتم تطبيق التغييرات تلوين شريط التنقل باللون الاساسي + "Colors the notification in the album cover\u2019s vibrant color" + As per Material Design guide lines in dark mode colors should be desaturated سيتم اختيار اللون الأكثر انتشارًا من الألبوم أو غلاف الفنان + اضافة المزيد من التحكم في المشغل المصغر + إظهار معلومات الأغنية الإضافية، مثل تنسيق الملف، معدل البت، والتواتر "يمكن أن يسبب مشاكل في التشغيل على بعض الأجهزة." + تفعيل تبويب النوع + تفعيل وضع البانر في الشاشة الرئيسية يمكنك أن تزيد من جودة غلاف الألبوم ، لكنه يسبب بطئ في التحميل للصور. قم بتمكين هذا فقط إذا كنت تواجه مشاكل مع صور ألبومات منخفضة الدقة + تكوين وعرض وترتيب فئات المكتبة. استخدم شاشة القفل المخصصة من ريترو ميوزك لتحكم بالتشغيل الرخصة والتفاصيل للبرمجيات مفتوحة المصدر تدوير حواف التطبيق - "تفعيل العناوين لتبويبات الشريط السفلي " + تفعيل العناوين لتبويبات الشريط السفلي وضع الشاشة الكاملة تشغيل تلقائيا عند توصيل السماعة سوف يتم تعطيل وضع الخلط عند التشغيل من قائمة جديدة في حال توفر مساحة كافية قم بعرض شريط التحكم بالصوت في شاشة التشغيل الآن - اضافة المزيد من التحكم في المشغل المصغر - تفعيل تبويب النوع - تفعيل وضع البانر في الشاشة الرئيسية عرض غطاء الالبوم - وضع عناوين التبويبات + ثيم غطاء الالبوم + تخطي غطاء الالبوم شبكة الالبومات تلوين اختصارات التطبيق شبكة الفنانين خفض الصوت عند فقد التركيز تحميل تلقائي لصور الالبومات + القائمة السوداء + تشغيل البلوتوث تضبيب صورة الالبوم أختر معادل الصوت تصميم التنبيهات الكلاسيكي اللون المتكيف التنبيهات الملونة + لون مفصّل + المزيد من أزرار التحكم + معلومات الأغنية تشغيل متتابع سمات التطبيق + عرض تبويب النوع + شبكة الفنان الرئيسية + صورة الواجهة تجاهل صور تخزين الميديا آخر قائمة تشغيل تمت إضافتها ازار التحكم في كامل الشاشة @@ -253,6 +355,7 @@ ثيم التشغيل الان التراخيص مفتوحة المصدر الحواف الدائرية + وضع عناوين التبويبات تاثير التتالي اللون المنتشر التطبيق في كامل الشاشة @@ -261,15 +364,11 @@ وضع الخلط التحكم بالصوت معلومات المستخدم - المزيد من أزرار التحكم - صورة الواجهة - عرض تبويب النوع - شبكة الفنان الرئيسية - تخطي غطاء الالبوم - شكل معلومات الالبوم - المتتالية اللون الاساسي لون الثيم الاساسي, الافتراضي الان الازرق الرمادي, يتوافق مع الالوان الداكنة + Pro + تشغيل الآن السمات ، وتأثير التكدس ، وموضوع اللون وأكثر من ذلك .. + الملف الشخصي شراء *فكر عميقا قبل الشراء, ولاتسال عن الاسترجاع. تسلسل @@ -287,12 +386,30 @@ حذف الاغاني من قائمة التشغيل %1$d اغنية من قائمة التشغيل?]]> اعادة تسمية قائمة التشغيل + تبليغ عن مشكلة + تقرير الأخطاء + استرداد اعادة ضبط صور الالبومات استرجاع تم استرداد عملية الشراء السابقة. الرجاء اعادة تشغيل التطبيق الاستمتاع بكافة المميزات. - "تم " + تم استرداد عملية الشراء... معادل ريترو ميوزك + مشغل الموسيقى Retro + Retro Music Pro + فشل حذف الملف: %s + + لا يمكن الحصول على URI SAF + فتح قائمة التنقل + Enable \'Show SD card\' in overflow menu + + %s يحتاج الوصول إلى بطاقة SD + تحتاج إلى تحديد دليل جذر بطاقة الذاكرة SD + حدد بطاقة الذاكرة SD في درج التنقل + لا تفتح أي مجلدات فرعية + اضغط على زر \"تحديد\" في الجزء السفلي من الشاشة + فشلت كتابة الملف: %s + حفظ حفظ كملف @@ -301,15 +418,25 @@ حفظ التغييرات فحص الميديا تم فحص %1$d من %2$d ملف. + Scrobbles البحث في مكتبتك... تحديد الكل اختيار صورة البانر + محدد + ارسال تقرير بالخطأ + تعيين اختيار صورة الفنان + تعيين كصورة البروفايل + مشاركة التطبيق + Share to Stories خلط بسيط تم إلغاء مؤقت النوم. تم ضبط مؤقت النوم الى %d دقيقة من الآن. + سحب + ألبوم صغير أجتماعي + مشاركة القصة الاغنية مدة الأغنية الاغاني @@ -317,13 +444,20 @@ تصاعدي الالبوم الفنان + المؤلف التاريخ + تاريخ التعديل السنة تنازلي عذرا! جهازك لايدعم الادخال الصوتي أبحث في مكتبتك + التكدس + أبدا بتشغيل الموسيقى. + اقتراحات قم بعرض اسمك في الشاشة الرئيسية دعم التطوير + اسخب للفتح + مزامنة الكلمات معادل الصوت تيليجرام @@ -334,6 +468,7 @@ هذا الاسبوع هذه السنة صغير + عنوان الرئيسية نهار جميل يوم جميل @@ -350,116 +485,32 @@ ساعدها لترجمة التطبيق الى لغتك تويتر شارك تصميمك مع ريترو ميوزك + غير معنون + Couldn\u2019t play this song. التالي تحديث الصورة تحديث... + أسم المستخدم الإصدار + تدوير رأسي التاثيرات + الصوت البحث عبر الانترنت + مرحبا, مالذي تريد مشاركته? + مالجديد نافذة + حواف دائرية تعيين %1$s كنغمة الرنين الخاصة بك. %1$d تحديد السنة - صنع ب❤️في الهند - مسح بيانات التطبيق - حصل خطأ غير متوقع. نأسف لذالك, اذا تكرر معك الخطأ \"قم بمسح بيانات التطبيق\"او ارسل ايميل - خطأ - لون الثيم الاساسي - 9+ من ثيمات التشغيل الان - التاثير الدائري على شاشة التشغيل الآن - حواف دائرية - ثيم غطاء الالبوم - دائري - دائري - تخصيص شاشة التشغيل الآن - بطاقة كاملة - الملف الشخصي - الحالة - تلقائي - معنون - غير معنون - محدد - العمق - تدوير رأسي - مفصل - تدوير عمودي - ايقاف التشغيل عند مستوى الصوت 0 والتشغيل عند رفع الصوت.ويعمل حتى وانت خارج التطبيق سيتم تشغيل الموسيقى تلقائيا - ايقاف عند الصفر - مالجديد - اقتراحات - تناسق - اضغط او أسحب - انقر للفتح أو التمرير بدون الإنتقال الشفاف لشاشة التشغيل الآن - مسح التسلسل - مشاركة التطبيق - تقرير الأخطاء - ارسال بأستخدام حساب چيتهب - تسجيل الدخول - ارسال يدويا + عليك اختيار فئة واحدة على الأقل. سيتم تحويلك الى صفحة سجل الاخطاء - مشكلة - عنوان - الوصف - أسم المستخدم - كلمة السر - معلومات الجهاز - " تبليغ عن مشكلة" - الرجاء ادخال أسم مستخدم صالح - الرجاء ادخال كلمة سر صالحة - الرجاء ادخال الخطأ هنا - الرجاء ادخال وصف الخطأ - رفع التقرير الى چيتهب - لم يمكن ارسال التقرير - اسم مستخدم او كلمة السر خاطئة - دخول غير مكتمل. الرجاء إبلاغ مطور التطبيق - المشاكل غير مفعلة للمستودعات المحددة.الرجاء إبلاغ مطور التطبيق - حدث خطأ غير متوقع.الرجاء إبلاغ المطور - تم نسخ معلومات الجهاز للحافظة. بيانات حسابك تستخدم لتوثيق فقط. - تأثير تساقط الثلج - القائمة السوداء - محتويات مجلدات القائمة السوداء يتم أخفائها من مكتبتك الموسيقية. - ارسال تقرير بالخطأ - بينتريست - متابعة صفحة البينتريست لمشاهدة الهامات التصميم - فلترة المدة الزمنية للاغنية - خطأ - خطأ في الصلاحيات - كلاسيكي - المؤلف - المؤلف - الاغنية التالية - الاغنية الاخيرة - سحب - حفظ - اختيار صورة - تعيين كصورة البروفايل - تعديل - المكتبة - اسخب للفتح - اضافة كلمات - الصق الكلمات هنا - اضافة كلمات مع فواصل زمنية - مزامنة الكلمات - ك نغمة رنين - السمات لتطبيق ريترو ميوزك بتعديل اعدادات الصوت - الفريق, الروابط للتواصل - اعدادات اختبارية متقدمة - قائمة تشغيل جديدة - إنهاء الأغنية الأخيرة - الصورة المتدرجة - التكدس - - مرحبا, - تشغيل الآن السمات ، وتأثير التكدس ، وموضوع اللون وأكثر من ذلك .. - تشغيل الكل - أبدا بتشغيل الموسيقى. - الكيبورد - استرداد - فئات المكتبة الموسيقية - تكوين وعرض وترتيب فئات المكتبة. - التحكم - شكل الأسلوب - More from %s + الكمية + ملاحظة (اختياري) + بدء عملية الدفع + إظهار شاشة التشغيل + Clicking on the notification will show now playing screen instead of the home screen + Tiny card diff --git a/app/src/main/res/master/values-bn-rIN/strings.xml b/app/src/main/res/master/values-bn-rIN/strings.xml new file mode 100644 index 00000000..321eb477 --- /dev/null +++ b/app/src/main/res/master/values-bn-rIN/strings.xml @@ -0,0 +1,515 @@ + + + Team, social links + Accent color + The theme accent color, defaults to purple + About + Add to favorites + Add to playing queue + Add to playlist + Clear playing queue + Clear playlist + Cycle repeat mode + Delete + Delete from device + Details + Go to album + Go to artist + Go to genre + Go to start directory + Grant + Grid size + Grid size (land) + New playlist + Next + Play + Play all + Play next + Play/Pause + Previous + Remove from favorites + Remove from playing queue + Remove from playlist + Rename + Save playing queue + Scan + Search + Start + Set as ringtone + Set as start directory + "Settings" + Share + Shuffle all + Shuffle playlist + Sleep timer + Sort order + Tag editor + Toggle favorite + Toggle shuffle mode + Adaptive + Add + Add lyrics + Add \nphoto + "Add to playlist" + Add time frame lyrics + "Added 1 title to the playing queue." + Added %1$d titles to the playing queue. + Album + Album artist + The title or artist is empty. + Albums + Always + Hey check out this cool music player at: https://play.google.com/store/apps/details?id=%s + Shuffle + Top Tracks + Retro music - Big + Retro music - Card + Retro music - Classic + Retro music - Small + Retro music - Text + Artist + Artists + Audio focus denied. + Change the sound settings and adjust the equalizer controls + Auto + Base color theme + Bass Boost + Bio + Biography + Just Black + Blacklist + Blur + Blur Card + Unable to send report + Invalid access token. Please contact the app developer. + Issues are not enabled for the selected repository. Please contact the app developer. + An unexpected error occurred. Please contact the app developer. + Wrong username or password + Issue + Send manually + Please enter an issue description + Please enter your valid GitHub password + Please enter an issue title + Please enter your valid GitHub username + An unexpected error occurred. Sorry you found this bug, if it keeps crashing \"Clear app data\" or send an Email + Uploading report to GitHub… + Send using GitHub account + Buy now + Cancel + Card + Circular + Colored Card + Card + Carousel + Carousel effect on the now playing screen + Cascading + Cast + Changelog + Changelog maintained on the Telegram channel + Circle + Circular + Classic + Clear + Clear app data + Clear blacklist + Clear queue + Clear playlist + %1$s? This can\u2019t be undone!]]> + Close + Color + Color + Colors + Composer + Copied device info to clipboard. + Couldn\u2019t create playlist. + "Couldn\u2019t download a matching album cover." + Could not restore purchase. + Could not scan %d files. + Create + Created playlist %1$s. + Members and contributors + Currently listening to %1$s by %2$s. + Kinda Dark + No Lyrics + Delete playlist + %1$s?]]> + Delete playlists + Delete song + %1$s?]]> + Delete songs + %1$d playlists?]]> + %1$d songs?]]> + Deleted %1$d songs. + Deleting songs + Depth + Description + Device info + Allow Retro Music to modify audio settings + Set ringtone + Do you want to clear the blacklist? + %1$s from the blacklist?]]> + Donate + If you think I deserve to get paid for my work, you can leave some money here + Buy me a: + Download from Last.fm + Drive mode + Edit + Edit cover + Empty + Equalizer + Error + FAQ + Favorites + Finish last song + Fit + Flat + Folders + Follow system + For you + Free + Full + Full card + Change the theme and colors of the app + Look and feel + Genre + Genres + Fork the project on GitHub + Join the Google Plus community where you can ask for help or follow Retro Music updates + 1 + 2 + 3 + 4 + 5 + 6 + 7 + 8 + Grid style + Hinge + History + Home + Horizontal flip + Image + Gradient image + Change artist image download settings + Inserted %1$d songs into the playlist %2$s. + Share your Retro Music setup to showcase on Instagram + Keyboard + Bitrate + Format + File name + File path + Size + More from %s + Sampling rate + Length + Labeled + Last added + Last song + Let\'s play some music + Library + Library categories + Licenses + Clearly White + Listeners + Listing files + Loading products… + Login + Lyrics + Made with ❤️ in India + Material + Error + Permission error + Name + Most played + Never + New banner photo + New playlist + New profile photo + %s is the new start directory. + Next Song + You have no albums + You have no artists + "Play a song first, then try again." + No equalizer found + You have no genres + No lyrics found + No songs playing + You have no playlists + No purchase found. + No results + You have no songs + Normal + Normal lyrics + Normal + %s is not listed in the media store.]]> + Nothing to scan. + Nothing to see + Notification + Customize the notification style + Now playing + Now playing queue + Customize the now playing screen + 9+ now playing themes + Only on Wi-Fi + Advanced testing features + Other + Password + Past 3 months + Paste lyrics here + Peak + Permission to access external storage denied. + Permissions denied. + Personalize + Customize your now playing and UI controls + Pick from local storage + Pick image + Pinterest + Follow Pinterest page for Retro Music design inspiration + Plain + The playing notification provides actions for play/pause etc. + Playing notification + Empty playlist + Playlist is empty + Playlist name + Playlists + Album detail style + Amount of blur applied for blur themes, lower is faster + Blur amount + Adjust the bottom sheet dialog corners + Dialog corner + Filter songs by length + Filter song duration + Advanced + Album style + Audio + Blacklist + Controls + Theme + Images + Library + Lockscreen + Playlists + Pauses the song when the volume decreases to zero and starts playing back when the volume level rises. Also works outside the app + Pause on zero + Keep in mind that enabling this feature may affect battery life + Keep the screen on + Click to open with or slide to without transparent navigation of now playing screen + Click or Slide + Snow fall effect + 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. + Start playing as soon as connected to bluetooth device + Blur the album cover on the lockscreen. Can cause problems with third party apps and widgets + Carousel effect for the album art in the now playing screen. Note that Card and Blur Card themes won\'t work + 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 + Toggle home banner style + Can increase the album cover quality, but causes slower image loading times. Only enable this if you have problems with low resolution artworks + Configure visibility and order of library categories. + Use Retro Music\'s custom lockscreen controls + License details for open source software + Round the app\'s edges + Toggle titles for the bottom navigation bar tabs + Immersive mode + Start playing immediately after headphones are connected + Shuffle mode will turn off when playing a new list of songs + If enough space is available, show volume controls in the now playing screen + Show album cover + Album cover theme + Album cover skip + Album grid + Colored app shortcuts + Artist grid + Reduce volume on focus loss + Auto-download artist images + Blacklist + Bluetooth playback + Blur album cover + Choose equalizer + Classic notification design + Adaptive color + Colored notification + Desaturated color + Extra controls + Song info + Gapless playback + App theme + Show genre tab + Home artist grid + Home 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. + Queue + Rate the app + Love this app? Let us know in the Google Play Store how we can make it even better + Recent albums + Recent artists + Remove + Remove banner photo + Remove cover + Remove from blacklist + Remove profile photo + Remove song from playlist + %1$s from the playlist?]]> + Remove songs from playlist + %1$d songs from the playlist?]]> + Rename playlist + Report an issue + Report bug + Reset + Reset artist image + Restore + Restored previous purchase. Please restart the app to make use of all features. + Restored previous purchases. + Restoring purchase… + Retro Music Equalizer + Retro Music Player + Retro Music Pro + File delete failed: %s + + Can\'t get SAF URI + Open navigation drawer + Enable \'Show SD card\' in overflow menu + + %s needs SD card access + You need to select your SD card root directory + Select your SD card in navigation drawer + Do not open any sub-folders + Tap \'select\' button at the bottom of the screen + File write failed: %s + Save + + + Save as file + Save as files + Saved playlist to %s. + Saving changes + Scan media + Scanned %1$d of %2$d files. + Scrobbles + Search your library… + Select all + Select banner photo + Selected + Send crash log + Set + Set artist image + Set a profile photo + Share app + Share to Stories + Shuffle + Simple + Sleep timer canceled. + Sleep timer set for %d minutes from now. + Slide + Small album + Social + Share story + Song + Song duration + Songs + Sort order + Ascending + Album + Artist + Composer + Date added + Date modified + Year + Descending + Sorry! Your device doesn\'t support speech input + Search your library + Stack + Start playing music. + Suggestions + Just show your name on home screen + Support development + Swipe to unlock + Synced lyrics + System Equalizer + + Telegram + Join the Telegram group to discuss bugs, make suggestions, show off and more + Thank you! + The audio file + This month + This week + This year + Tiny + Title + Dashboard + Good afternoon + Good day + Good evening + Good morning + Good night + What\'s Your Name + Today + Top albums + Top artists + "Track (2 for track 2 or 3004 for CD3 track 4)" + Track number + Translate + Help us translate the app to your language + Twitter + Share your design with Retro Music + Unlabeled + Couldn\u2019t play this song. + Up next + Update image + Updating… + Username + Version + Vertical flip + Virtualizer + Volume + Web search + Welcome, + What do you want to share? + What\'s New + Window + Rounded corners + Set %1$s as your ringtone. + %1$d selected + Year + You have to select at least one category. + You will be forwarded to the issue tracker website. + Your account data is only used for authentication. + Amount + Note(Optional) + Start payment + Show now playing screen + Clicking on the notification will show now playing screen instead of the home screen + Tiny card + diff --git a/app/src/main/res/master/values-ca-rES/strings.xml b/app/src/main/res/master/values-ca-rES/strings.xml new file mode 100644 index 00000000..321eb477 --- /dev/null +++ b/app/src/main/res/master/values-ca-rES/strings.xml @@ -0,0 +1,515 @@ + + + Team, social links + Accent color + The theme accent color, defaults to purple + About + Add to favorites + Add to playing queue + Add to playlist + Clear playing queue + Clear playlist + Cycle repeat mode + Delete + Delete from device + Details + Go to album + Go to artist + Go to genre + Go to start directory + Grant + Grid size + Grid size (land) + New playlist + Next + Play + Play all + Play next + Play/Pause + Previous + Remove from favorites + Remove from playing queue + Remove from playlist + Rename + Save playing queue + Scan + Search + Start + Set as ringtone + Set as start directory + "Settings" + Share + Shuffle all + Shuffle playlist + Sleep timer + Sort order + Tag editor + Toggle favorite + Toggle shuffle mode + Adaptive + Add + Add lyrics + Add \nphoto + "Add to playlist" + Add time frame lyrics + "Added 1 title to the playing queue." + Added %1$d titles to the playing queue. + Album + Album artist + The title or artist is empty. + Albums + Always + Hey check out this cool music player at: https://play.google.com/store/apps/details?id=%s + Shuffle + Top Tracks + Retro music - Big + Retro music - Card + Retro music - Classic + Retro music - Small + Retro music - Text + Artist + Artists + Audio focus denied. + Change the sound settings and adjust the equalizer controls + Auto + Base color theme + Bass Boost + Bio + Biography + Just Black + Blacklist + Blur + Blur Card + Unable to send report + Invalid access token. Please contact the app developer. + Issues are not enabled for the selected repository. Please contact the app developer. + An unexpected error occurred. Please contact the app developer. + Wrong username or password + Issue + Send manually + Please enter an issue description + Please enter your valid GitHub password + Please enter an issue title + Please enter your valid GitHub username + An unexpected error occurred. Sorry you found this bug, if it keeps crashing \"Clear app data\" or send an Email + Uploading report to GitHub… + Send using GitHub account + Buy now + Cancel + Card + Circular + Colored Card + Card + Carousel + Carousel effect on the now playing screen + Cascading + Cast + Changelog + Changelog maintained on the Telegram channel + Circle + Circular + Classic + Clear + Clear app data + Clear blacklist + Clear queue + Clear playlist + %1$s? This can\u2019t be undone!]]> + Close + Color + Color + Colors + Composer + Copied device info to clipboard. + Couldn\u2019t create playlist. + "Couldn\u2019t download a matching album cover." + Could not restore purchase. + Could not scan %d files. + Create + Created playlist %1$s. + Members and contributors + Currently listening to %1$s by %2$s. + Kinda Dark + No Lyrics + Delete playlist + %1$s?]]> + Delete playlists + Delete song + %1$s?]]> + Delete songs + %1$d playlists?]]> + %1$d songs?]]> + Deleted %1$d songs. + Deleting songs + Depth + Description + Device info + Allow Retro Music to modify audio settings + Set ringtone + Do you want to clear the blacklist? + %1$s from the blacklist?]]> + Donate + If you think I deserve to get paid for my work, you can leave some money here + Buy me a: + Download from Last.fm + Drive mode + Edit + Edit cover + Empty + Equalizer + Error + FAQ + Favorites + Finish last song + Fit + Flat + Folders + Follow system + For you + Free + Full + Full card + Change the theme and colors of the app + Look and feel + Genre + Genres + Fork the project on GitHub + Join the Google Plus community where you can ask for help or follow Retro Music updates + 1 + 2 + 3 + 4 + 5 + 6 + 7 + 8 + Grid style + Hinge + History + Home + Horizontal flip + Image + Gradient image + Change artist image download settings + Inserted %1$d songs into the playlist %2$s. + Share your Retro Music setup to showcase on Instagram + Keyboard + Bitrate + Format + File name + File path + Size + More from %s + Sampling rate + Length + Labeled + Last added + Last song + Let\'s play some music + Library + Library categories + Licenses + Clearly White + Listeners + Listing files + Loading products… + Login + Lyrics + Made with ❤️ in India + Material + Error + Permission error + Name + Most played + Never + New banner photo + New playlist + New profile photo + %s is the new start directory. + Next Song + You have no albums + You have no artists + "Play a song first, then try again." + No equalizer found + You have no genres + No lyrics found + No songs playing + You have no playlists + No purchase found. + No results + You have no songs + Normal + Normal lyrics + Normal + %s is not listed in the media store.]]> + Nothing to scan. + Nothing to see + Notification + Customize the notification style + Now playing + Now playing queue + Customize the now playing screen + 9+ now playing themes + Only on Wi-Fi + Advanced testing features + Other + Password + Past 3 months + Paste lyrics here + Peak + Permission to access external storage denied. + Permissions denied. + Personalize + Customize your now playing and UI controls + Pick from local storage + Pick image + Pinterest + Follow Pinterest page for Retro Music design inspiration + Plain + The playing notification provides actions for play/pause etc. + Playing notification + Empty playlist + Playlist is empty + Playlist name + Playlists + Album detail style + Amount of blur applied for blur themes, lower is faster + Blur amount + Adjust the bottom sheet dialog corners + Dialog corner + Filter songs by length + Filter song duration + Advanced + Album style + Audio + Blacklist + Controls + Theme + Images + Library + Lockscreen + Playlists + Pauses the song when the volume decreases to zero and starts playing back when the volume level rises. Also works outside the app + Pause on zero + Keep in mind that enabling this feature may affect battery life + Keep the screen on + Click to open with or slide to without transparent navigation of now playing screen + Click or Slide + Snow fall effect + 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. + Start playing as soon as connected to bluetooth device + Blur the album cover on the lockscreen. Can cause problems with third party apps and widgets + Carousel effect for the album art in the now playing screen. Note that Card and Blur Card themes won\'t work + 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 + Toggle home banner style + Can increase the album cover quality, but causes slower image loading times. Only enable this if you have problems with low resolution artworks + Configure visibility and order of library categories. + Use Retro Music\'s custom lockscreen controls + License details for open source software + Round the app\'s edges + Toggle titles for the bottom navigation bar tabs + Immersive mode + Start playing immediately after headphones are connected + Shuffle mode will turn off when playing a new list of songs + If enough space is available, show volume controls in the now playing screen + Show album cover + Album cover theme + Album cover skip + Album grid + Colored app shortcuts + Artist grid + Reduce volume on focus loss + Auto-download artist images + Blacklist + Bluetooth playback + Blur album cover + Choose equalizer + Classic notification design + Adaptive color + Colored notification + Desaturated color + Extra controls + Song info + Gapless playback + App theme + Show genre tab + Home artist grid + Home 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. + Queue + Rate the app + Love this app? Let us know in the Google Play Store how we can make it even better + Recent albums + Recent artists + Remove + Remove banner photo + Remove cover + Remove from blacklist + Remove profile photo + Remove song from playlist + %1$s from the playlist?]]> + Remove songs from playlist + %1$d songs from the playlist?]]> + Rename playlist + Report an issue + Report bug + Reset + Reset artist image + Restore + Restored previous purchase. Please restart the app to make use of all features. + Restored previous purchases. + Restoring purchase… + Retro Music Equalizer + Retro Music Player + Retro Music Pro + File delete failed: %s + + Can\'t get SAF URI + Open navigation drawer + Enable \'Show SD card\' in overflow menu + + %s needs SD card access + You need to select your SD card root directory + Select your SD card in navigation drawer + Do not open any sub-folders + Tap \'select\' button at the bottom of the screen + File write failed: %s + Save + + + Save as file + Save as files + Saved playlist to %s. + Saving changes + Scan media + Scanned %1$d of %2$d files. + Scrobbles + Search your library… + Select all + Select banner photo + Selected + Send crash log + Set + Set artist image + Set a profile photo + Share app + Share to Stories + Shuffle + Simple + Sleep timer canceled. + Sleep timer set for %d minutes from now. + Slide + Small album + Social + Share story + Song + Song duration + Songs + Sort order + Ascending + Album + Artist + Composer + Date added + Date modified + Year + Descending + Sorry! Your device doesn\'t support speech input + Search your library + Stack + Start playing music. + Suggestions + Just show your name on home screen + Support development + Swipe to unlock + Synced lyrics + System Equalizer + + Telegram + Join the Telegram group to discuss bugs, make suggestions, show off and more + Thank you! + The audio file + This month + This week + This year + Tiny + Title + Dashboard + Good afternoon + Good day + Good evening + Good morning + Good night + What\'s Your Name + Today + Top albums + Top artists + "Track (2 for track 2 or 3004 for CD3 track 4)" + Track number + Translate + Help us translate the app to your language + Twitter + Share your design with Retro Music + Unlabeled + Couldn\u2019t play this song. + Up next + Update image + Updating… + Username + Version + Vertical flip + Virtualizer + Volume + Web search + Welcome, + What do you want to share? + What\'s New + Window + Rounded corners + Set %1$s as your ringtone. + %1$d selected + Year + You have to select at least one category. + You will be forwarded to the issue tracker website. + Your account data is only used for authentication. + Amount + Note(Optional) + Start payment + Show now playing screen + Clicking on the notification will show now playing screen instead of the home screen + Tiny card + diff --git a/app/src/main/res/master/values-cs-rCZ/strings.xml b/app/src/main/res/master/values-cs-rCZ/strings.xml new file mode 100644 index 00000000..047a380d --- /dev/null +++ b/app/src/main/res/master/values-cs-rCZ/strings.xml @@ -0,0 +1,515 @@ + + + Team, social links + Barva akcentů + Barva motivu akcentu je výchozí k růžové barvě. + Informace + Přidat k oblíbeným + Přidat do fronty + Přidat do seznamu skladeb… + Vyčistit frontu + Vymazat playlist + Cycle repeat mode + Smazat + Vymazat ze zařízení + Podrobnosti + Přejít na album + Přejít na interpreta + Go to genre + Přejít do začáteční složky + Grant + Velikost mřížky + Velikost spodní mřížky + New playlist + Další + Přehrát + Play all + Přehrát další + Přehrát/Pozastavit + Předchozí + Odstranit z oblíbených + Odstranit z fronty + Odstranit ze seznamu skladeb + Přejmenovat + Save playing queue + Skenovat + Hledat + Nastavit + Nastavit jako vyzvánění + Nastavit jako počáteční adresář + "Nastavení" + Sdílet + Náhodný výběr všech skladeb + Náhodný výběr playlistu + Časovač vypnutí + Sort order + Editor tagů + Toggle favorite + Toggle shuffle mode + Adaptive + Add + Add lyrics + Add \nphoto + "Přidat do seznamu skladeb" + Add time frame lyrics + "Přidán 1 titul do fronty přehrávání." + Přidány %1$d tituly do fronty přehrávání. + Album + 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 + Shuffle + Top Tracks + Retro music - Big + Retro music - Card + Retro music - Classic + Retro music - Small + Retro music - Text + Umělec + Umělci + Zaměření zvuku bylo zamítnuto. + Change the sound settings and adjust the equalizer controls + Auto + Base color theme + Bass Boost + Bio + Bio + Velmi černá + Blacklist + Blur + Blur Card + Unable to send report + Invalid access token. Please contact the app developer. + Issues are not enabled for the selected repository. Please contact the app developer. + An unexpected error occurred. Please contact the app developer. + Wrong username or password + Issue + Send manually + Please enter an issue description + Please enter your valid GitHub password + Please enter an issue title + Please enter your valid GitHub username + An unexpected error occurred. Sorry you found this bug, if it keeps crashing \"Clear app data\" or send an Email + Uploading report to GitHub… + Send using GitHub account + Buy now + Zrušit aktuální časovač + Card + Circular + Colored Card + Card + Carousel + Carousel effect on the now playing screen + Cascading + Cast + Přehled změn + Changelog maintained on the Telegram channel + Circle + Circular + Classic + Vyčistit + Clear app data + Clear blacklist + Clear queue + Vyčistit seznam skladeb + %1$s? Akci nelze vr\u00e1tit zp\u011bt!]]> + Close + Color + Color + Barvy + Composer + Copied device info to clipboard. + Nelze vytvo\u0159it playlist. + "Nelze st\u00e1hnout odpov\u00eddaj\u00edc\u00ed obal alba." + Could not restore purchase. + Nelze skenovat %d soubory. + Vytvořit + Vytvořený seznam skladeb %1$s. + Members and contributors + Aktuálně posloucháš %1$s od %2$s. + Tmavá + No Lyrics + Smazat seznam skladeb + %1$s?]]> + Smazat seznamy skladeb + Delete song + %1$s?]]> + Delete songs + %1$d seznamů skladeb?]]> + %1$d písní?]]> + %1$d skladby byly smazány. + Deleting songs + Depth + Description + Device info + Allow Retro Music to modify audio settings + Set ringtone + Do you want to clear the blacklist? + %1$s from the blacklist?]]> + Darovat + Pokud si myslíte, že si zasloužím odměnu za svou práci, můžete mi nechat pár dolarů. + Buy me a: + Stáhnout z Last.fm + Drive mode + Edit + Edit cover + Prázdný + Equalizer + Error + FAQ + Oblíbené + Finish last song + Fit + Flat + Složky + Follow system + For you + Free + Full + Full card + Change the theme and colors of the app + Look and feel + Žánr + Genres + Fork the project on GitHub + Join the Google Plus community where you can ask for help or follow Retro Music updates + 1 + 2 + 3 + 4 + 5 + 6 + 7 + 8 + Grid style + Hinge + Historie + Domov + Horizontal flip + Image + Gradient image + Change artist image download settings + Do playlistu %2$s byly vloženy %1$d skladby. + Share your Retro Music setup to showcase on Instagram + Keyboard + Datový tok + Formát + Název souboru + Umístění souboru + Velikost + More from %s + Vzorkovací frekvence + Délka + Labeled + Poslední + Last song + Let\'s play some music + Knihovna + Library categories + Licence + Velmi bílá + Listeners + Výpis souborů + Načítání produktů... + Login + Text + Made with ❤️ in India + Material + Error + Permission error + Name + Moje top skladby + Nikdy + New banner photo + Nový seznam skladeb + New profile photo + %S je nový úvodní adresář. + Next Song + Žádné alba + žádní umělci + "Přehrajte nejprve píseň a zkuste to znovu." + Nebyl nalezen žádný ekvalizér. + You have no genres + No lyrics found + No songs playing + Žádné playlisty + No purchase found. + Žádné výsledky + Žádné písně + Normal + Normal lyrics + Normal + %s není uveden v úložišti médií.]]> + Nic pro skenování. + Nothing to see + Upozornění + Customize the notification style + Now playing + Aktuální fronta + Customize the now playing screen + 9+ now playing themes + Pouze přes Wifi + Advanced testing features + Other + Password + Past 3 months + Paste lyrics here + Peak + Povolení přístupu k externímu úložišti bylo zamítnuto. + Oprávnění byla odepřena. + Personalize + Customize your now playing and UI controls + Vyberte z místního úložiště + Pick image + Pinterest + Follow Pinterest page for Retro Music design inspiration + Plain + The playing notification provides actions for play/pause etc. + Playing notification + Prázdny seznam skladeb + Playlist is empty + Název playlistu + Seznamy skladeb + Album detail style + Amount of blur applied for blur themes, lower is faster + Blur amount + Adjust the bottom sheet dialog corners + Dialog corner + Filter songs by length + Filter song duration + Advanced + Album style + Zvuk + Blacklist + Controls + Theme + Obrázky + Library + Obrazovka uzamčení + Playlists + Pauses the song when the volume decreases to zero and starts playing back when the volume level rises. Also works outside the app + Pause on zero + Keep in mind that enabling this feature may affect battery life + Keep the screen on + Click to open with or slide to without transparent navigation of now playing screen + Click or Slide + Snow fall effect + 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. + Start playing as soon as connected to bluetooth device + Blur obal alba na uzamčení obrazovky. Může způsobit problémy s aplikacemi třetích stran a widgety. + Carousel effect for the album art in the now playing screen. Note that Card and Blur Card themes won\'t work + 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 + Toggle home banner style + 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 + If enough space is available, show volume controls in the now playing screen + Zobrazit obal alba + Album cover theme + Album cover skip + Album grid + Barevné zkratky aplikace + Artist grid + Snížit hlasitost při ztrátě zaostření + Automatické stahování obrázků interpretů + Blacklist + Bluetooth playback + Blur album cover + Choose equalizer + Classic notification design + Adaptivní barva + Barevné notifikace + Desaturated color + Extra controls + Song info + Přehrávání bez mezery + Hlavní téma + Show genre tab + Home artist grid + Home banner + Ignorovat obaly v zařízení + Last added playlist interval + Fullscreen controls + Barevná navigační lišta + Vzhled + Open source licences + Rohy + Tab titles mode + Carousel effect + Dominant color + Fullscreen app + Tab titles + Auto-play + Shuffle mode + Volume controls + User info + Hlavní barva + Primární barva motivu je výchozí pro indigo. + Pro + Black theme, Now playing themes, Carousel effect and more.. + Profile + Purchase + *Think before buying, don\'t ask for refund. + Fronta + Ohodnoťte aplikaci + Zanechte pozitivní hodnocení na Google Play pokud máte rádi Retro music. + Recent albums + Recent artists + Odstranit + Remove banner photo + Odstranit obal + Remove from blacklist + Remove profile photo + Smazat skladbu ze seznamu skladeb + %1$s ze seznamu skladeb?]]> + Smazat skladby ze seznamu skladeb + %1$d skladby ze seznamu skladeb?]]> + Přejmenovat seznam skladeb + Report an issue + Report bug + Reset + Reset artist image + Restore + Restored previous purchase. Please restart the app to make use of all features. + Předchozí nákupy byly obnoveny. + Restoring purchase… + Retro Music Equalizer + Retro Music Player + Retro Music Pro + File delete failed: %s + + Can\'t get SAF URI + Open navigation drawer + Enable \'Show SD card\' in overflow menu + + %s needs SD card access + You need to select your SD card root directory + Select your SD card in navigation drawer + Do not open any sub-folders + Tap \'select\' button at the bottom of the screen + File write failed: %s + Save + + + Uložit jako soubor + Save as files + Seznam skladeb uložený do %s. + Uložení změn + Scan media + Naskenované %1$d z %2$d souborů. + Scrobbles + Prohledat knihovnu... + Select all + Select banner photo + Selected + Send crash log + Set + Set artist image + Set a profile photo + Share app + Share to Stories + Náhodně + Simple + Časovač vypnutí byl zrušen. + Časovač vypnutí byl nastaven na %d minut. + Slide + Small album + Social + Share story + Skladba + Song duration + Písně + Řazení + Ascending + Album + Artist + Composer + Date added + Date modified + Year + Descending + Promiňte! Vaše zařízení nepodporuje vstup řeči + Prohledat knihovnu + Stack + Start playing music. + Suggestions + Just show your name on home screen + Podpora vývoje + Swipe to unlock + Synced lyrics + System Equalizer + + Telegram + Join the Telegram group to discuss bugs, make suggestions, show off and more + Děkujeme! + Audio soubor + This month + This week + This year + Tiny + Title + Dashboard + Good afternoon + Good day + Good evening + Good morning + Good night + What\'s Your Name + Today + Top albums + Top artists + "Skladba (2 pro stopu 2 ​​nebo 3004 pro čtvrtou stopu z CD3)" + Track number + Překlad + Help us translate the app to your language + Twitter + Share your design with Retro Music + Unlabeled + Tuto p\u00edse\u0148 se nepoda\u0159ilo p\u0159ehr\u00e1t. + Up next + Aktualizovat obrázek + Aktualizace... + Username + Verze + Vertical flip + Virtualizer + Volume + Webové vyhledávání + Welcome, + Co chcete sdílet? + What\'s New + Window + Rounded corners + Nastavit %1$s jako zvonění + %1$d vybrané + Rok + You have to select at least one category. + You will be forwarded to the issue tracker website. + Your account data is only used for authentication. + Amount + Note(Optional) + Start payment + Show now playing screen + Clicking on the notification will show now playing screen instead of the home screen + Tiny card + diff --git a/app/src/main/res/master/values-da-rDK/strings.xml b/app/src/main/res/master/values-da-rDK/strings.xml new file mode 100644 index 00000000..321eb477 --- /dev/null +++ b/app/src/main/res/master/values-da-rDK/strings.xml @@ -0,0 +1,515 @@ + + + Team, social links + Accent color + The theme accent color, defaults to purple + About + Add to favorites + Add to playing queue + Add to playlist + Clear playing queue + Clear playlist + Cycle repeat mode + Delete + Delete from device + Details + Go to album + Go to artist + Go to genre + Go to start directory + Grant + Grid size + Grid size (land) + New playlist + Next + Play + Play all + Play next + Play/Pause + Previous + Remove from favorites + Remove from playing queue + Remove from playlist + Rename + Save playing queue + Scan + Search + Start + Set as ringtone + Set as start directory + "Settings" + Share + Shuffle all + Shuffle playlist + Sleep timer + Sort order + Tag editor + Toggle favorite + Toggle shuffle mode + Adaptive + Add + Add lyrics + Add \nphoto + "Add to playlist" + Add time frame lyrics + "Added 1 title to the playing queue." + Added %1$d titles to the playing queue. + Album + Album artist + The title or artist is empty. + Albums + Always + Hey check out this cool music player at: https://play.google.com/store/apps/details?id=%s + Shuffle + Top Tracks + Retro music - Big + Retro music - Card + Retro music - Classic + Retro music - Small + Retro music - Text + Artist + Artists + Audio focus denied. + Change the sound settings and adjust the equalizer controls + Auto + Base color theme + Bass Boost + Bio + Biography + Just Black + Blacklist + Blur + Blur Card + Unable to send report + Invalid access token. Please contact the app developer. + Issues are not enabled for the selected repository. Please contact the app developer. + An unexpected error occurred. Please contact the app developer. + Wrong username or password + Issue + Send manually + Please enter an issue description + Please enter your valid GitHub password + Please enter an issue title + Please enter your valid GitHub username + An unexpected error occurred. Sorry you found this bug, if it keeps crashing \"Clear app data\" or send an Email + Uploading report to GitHub… + Send using GitHub account + Buy now + Cancel + Card + Circular + Colored Card + Card + Carousel + Carousel effect on the now playing screen + Cascading + Cast + Changelog + Changelog maintained on the Telegram channel + Circle + Circular + Classic + Clear + Clear app data + Clear blacklist + Clear queue + Clear playlist + %1$s? This can\u2019t be undone!]]> + Close + Color + Color + Colors + Composer + Copied device info to clipboard. + Couldn\u2019t create playlist. + "Couldn\u2019t download a matching album cover." + Could not restore purchase. + Could not scan %d files. + Create + Created playlist %1$s. + Members and contributors + Currently listening to %1$s by %2$s. + Kinda Dark + No Lyrics + Delete playlist + %1$s?]]> + Delete playlists + Delete song + %1$s?]]> + Delete songs + %1$d playlists?]]> + %1$d songs?]]> + Deleted %1$d songs. + Deleting songs + Depth + Description + Device info + Allow Retro Music to modify audio settings + Set ringtone + Do you want to clear the blacklist? + %1$s from the blacklist?]]> + Donate + If you think I deserve to get paid for my work, you can leave some money here + Buy me a: + Download from Last.fm + Drive mode + Edit + Edit cover + Empty + Equalizer + Error + FAQ + Favorites + Finish last song + Fit + Flat + Folders + Follow system + For you + Free + Full + Full card + Change the theme and colors of the app + Look and feel + Genre + Genres + Fork the project on GitHub + Join the Google Plus community where you can ask for help or follow Retro Music updates + 1 + 2 + 3 + 4 + 5 + 6 + 7 + 8 + Grid style + Hinge + History + Home + Horizontal flip + Image + Gradient image + Change artist image download settings + Inserted %1$d songs into the playlist %2$s. + Share your Retro Music setup to showcase on Instagram + Keyboard + Bitrate + Format + File name + File path + Size + More from %s + Sampling rate + Length + Labeled + Last added + Last song + Let\'s play some music + Library + Library categories + Licenses + Clearly White + Listeners + Listing files + Loading products… + Login + Lyrics + Made with ❤️ in India + Material + Error + Permission error + Name + Most played + Never + New banner photo + New playlist + New profile photo + %s is the new start directory. + Next Song + You have no albums + You have no artists + "Play a song first, then try again." + No equalizer found + You have no genres + No lyrics found + No songs playing + You have no playlists + No purchase found. + No results + You have no songs + Normal + Normal lyrics + Normal + %s is not listed in the media store.]]> + Nothing to scan. + Nothing to see + Notification + Customize the notification style + Now playing + Now playing queue + Customize the now playing screen + 9+ now playing themes + Only on Wi-Fi + Advanced testing features + Other + Password + Past 3 months + Paste lyrics here + Peak + Permission to access external storage denied. + Permissions denied. + Personalize + Customize your now playing and UI controls + Pick from local storage + Pick image + Pinterest + Follow Pinterest page for Retro Music design inspiration + Plain + The playing notification provides actions for play/pause etc. + Playing notification + Empty playlist + Playlist is empty + Playlist name + Playlists + Album detail style + Amount of blur applied for blur themes, lower is faster + Blur amount + Adjust the bottom sheet dialog corners + Dialog corner + Filter songs by length + Filter song duration + Advanced + Album style + Audio + Blacklist + Controls + Theme + Images + Library + Lockscreen + Playlists + Pauses the song when the volume decreases to zero and starts playing back when the volume level rises. Also works outside the app + Pause on zero + Keep in mind that enabling this feature may affect battery life + Keep the screen on + Click to open with or slide to without transparent navigation of now playing screen + Click or Slide + Snow fall effect + 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. + Start playing as soon as connected to bluetooth device + Blur the album cover on the lockscreen. Can cause problems with third party apps and widgets + Carousel effect for the album art in the now playing screen. Note that Card and Blur Card themes won\'t work + 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 + Toggle home banner style + Can increase the album cover quality, but causes slower image loading times. Only enable this if you have problems with low resolution artworks + Configure visibility and order of library categories. + Use Retro Music\'s custom lockscreen controls + License details for open source software + Round the app\'s edges + Toggle titles for the bottom navigation bar tabs + Immersive mode + Start playing immediately after headphones are connected + Shuffle mode will turn off when playing a new list of songs + If enough space is available, show volume controls in the now playing screen + Show album cover + Album cover theme + Album cover skip + Album grid + Colored app shortcuts + Artist grid + Reduce volume on focus loss + Auto-download artist images + Blacklist + Bluetooth playback + Blur album cover + Choose equalizer + Classic notification design + Adaptive color + Colored notification + Desaturated color + Extra controls + Song info + Gapless playback + App theme + Show genre tab + Home artist grid + Home 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. + Queue + Rate the app + Love this app? Let us know in the Google Play Store how we can make it even better + Recent albums + Recent artists + Remove + Remove banner photo + Remove cover + Remove from blacklist + Remove profile photo + Remove song from playlist + %1$s from the playlist?]]> + Remove songs from playlist + %1$d songs from the playlist?]]> + Rename playlist + Report an issue + Report bug + Reset + Reset artist image + Restore + Restored previous purchase. Please restart the app to make use of all features. + Restored previous purchases. + Restoring purchase… + Retro Music Equalizer + Retro Music Player + Retro Music Pro + File delete failed: %s + + Can\'t get SAF URI + Open navigation drawer + Enable \'Show SD card\' in overflow menu + + %s needs SD card access + You need to select your SD card root directory + Select your SD card in navigation drawer + Do not open any sub-folders + Tap \'select\' button at the bottom of the screen + File write failed: %s + Save + + + Save as file + Save as files + Saved playlist to %s. + Saving changes + Scan media + Scanned %1$d of %2$d files. + Scrobbles + Search your library… + Select all + Select banner photo + Selected + Send crash log + Set + Set artist image + Set a profile photo + Share app + Share to Stories + Shuffle + Simple + Sleep timer canceled. + Sleep timer set for %d minutes from now. + Slide + Small album + Social + Share story + Song + Song duration + Songs + Sort order + Ascending + Album + Artist + Composer + Date added + Date modified + Year + Descending + Sorry! Your device doesn\'t support speech input + Search your library + Stack + Start playing music. + Suggestions + Just show your name on home screen + Support development + Swipe to unlock + Synced lyrics + System Equalizer + + Telegram + Join the Telegram group to discuss bugs, make suggestions, show off and more + Thank you! + The audio file + This month + This week + This year + Tiny + Title + Dashboard + Good afternoon + Good day + Good evening + Good morning + Good night + What\'s Your Name + Today + Top albums + Top artists + "Track (2 for track 2 or 3004 for CD3 track 4)" + Track number + Translate + Help us translate the app to your language + Twitter + Share your design with Retro Music + Unlabeled + Couldn\u2019t play this song. + Up next + Update image + Updating… + Username + Version + Vertical flip + Virtualizer + Volume + Web search + Welcome, + What do you want to share? + What\'s New + Window + Rounded corners + Set %1$s as your ringtone. + %1$d selected + Year + You have to select at least one category. + You will be forwarded to the issue tracker website. + Your account data is only used for authentication. + Amount + Note(Optional) + Start payment + Show now playing screen + Clicking on the notification will show now playing screen instead of the home screen + Tiny card + diff --git a/app/src/main/res/master/values-de-rDE/strings.xml b/app/src/main/res/master/values-de-rDE/strings.xml new file mode 100644 index 00000000..a46a702a --- /dev/null +++ b/app/src/main/res/master/values-de-rDE/strings.xml @@ -0,0 +1,515 @@ + + + Team, soziale Netzwerke + Akzentfarbe + Akzentfarbe des Farbthemas, Standard ist Grün + Über + Zu Favoriten hinzufügen + Zur Wiedergabeliste hinzufügen + Zur Playlist hinzufügen... + Wiedergabeliste leeren + Playlist leeren + Cycle repeat mode + Löschen + Vom Gerät löschen + Details + Zum Album gehen + Zum Künstler gehen + Zu Genre gehen + Zum Startverzeichnis gehen + Gewähren + Gittergröße + Gittergröße (Querformat) + Neue Wiedergabeliste + Nächstes + Abspielen + Alles abspielen + Spiel danach + Abspielen/Pausieren + Vorheriges + Aus Favoriten entfernen + Von Wiedergabeliste entfernen + Von Playlist entfernen + Umbenennen + Wiedergabeliste speichern + Scannen + Suche + Verwenden + Als Klingelton verwenden + Als Startverzeichnis verwenden + "Einstellungen" + Teilen + Alle zufällig wiedergeben + Playlist zufällig wiedergeben + Sleep-Timer + Sortierreihenfolge + Tag-Editor + Favorit umschalten + Toggle shuffle mode + Adaptiv + Hinzufügen + Songtext hinzufügen + Bild \nhinzufügen + "Zur Playlist hinzufügen" + Synchronisierten Songtext hinzufügen + "1 Titel wurde zur Wiedergabeliste hinzugefügt." + %1$d Titel wurden zur Wiedergabeliste hinzugefügt. + Album + 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 + Zufällig + Top Songs + Retro Music - Big + Retro Musik - Karte + Retro Music - Classic + Retro Music - Klein + Retro Music - Text + Künstler + Künstler + Audio Fokus verweigert. + Sound- und Equalizer-Optionen einstellen + Automatisch + Grundfarbe + Bassboost + Beschreibung + Biografie + Sehr schwarz + Schwarze Liste + Unschärfe + Karte (Unschärfe) + Fehler beim Melden + Ungültiger Token. Bitte kontaktiere den Entwickler. + Für diese Repository sind Fehlermeldungen nicht aktiviert. Bitte den Entwickler kontaktieren. + Ein unerwarteter Fehler ist aufgetreten. Bitte kontaktiere den Entwickler. + Falscher Nutzername oder Passwort + Problem + Manuell senden + Bitte gebe eine Beschreibung ein + Bitte nutze das korrekte GitHub-Passwort + Bitte gebe einen Titel ein + Bitte nutze einen gültigen GitHub-Nutzernamen + Sorry! Ein unerwarteter Fehler ist aufgetreten. Die App-Daten zurückzusetzen, könnte helfen. + Meldung zu GitHub hochladen... + Via GitHub senden + Jetzt kaufen + Timer stoppen + Karte + Rund + Karte (Farbe) + Karte + Karussell + Karussell-Effekt auf dem Abspielbildschirm + Kaskadierend + Übertragen + Änderungen + Changelog über Telegram-App verwaltet. + Kreis + Rund + Klassik + Leer + App-Daten zurücksetzen + Blacklist leeren + Leeren + Playlist leeren + %1$s leeren? Dies kann nicht r\u00fcckg\u00e4ngig gemacht werden!]]> + Schließen + Farbe + Farbe + Farben + Komponist + Geräteinformationen wurden kopiert + Playlist konnte nicht erstellt werden. + "Passendes Album Cover konnte nicht gedownloadet werden." + Kauf konnte nicht wiederhergestellt werden. + %d Dateien konnte(n) nicht gescannt werden. + Erstellen + Playlist %1$s erstellt. + Helfende Hände + Spielt zur Zeit %1$s von %2$s. + Dunkel + keine Lyrics + Playlist löschen + %1$s löschen?]]> + Playlisten löschen + Song löschen + %1$s löschen?]]> + Songs löschen + %1$d Playlisten löschen?]]> + %1$d Songs löschen?]]> + %1$d Songs gelöscht. + Lösche Songs + Tiefe + Beschreibung + Geräteinfo + Retro Music erlauben, Audioeinstellungen zu verändern + Klingelton festlegen + Möchtest du die Blacklist leeren? + %1$s von der Blacklist entfernen?]]> + Spenden + Falls du denkst ich habe mir etwas für meine Arbeit verdient, kannst du hier gerne ein bisschen Geld hinterlassen. + Kauf\' mir: + Von Last.fm downloaden + Fahrmodus + Bearbeiten + Cover bearbeiten + Leer + Equalizer + Fehler + FAQ + Favoriten + Letzten Song ganz spielen + Anpassen + Flach + Ordner + System folgen + Für dich + Kostenlos + Voll + Karte (Voll) + Allgemeine Farben der App ändern + Aussehen + Genre + Genres + Projekt von GitHub forken + Tritt\' der Google Plus-Community bei, um nach Hilfe zu fragen oder Updates zu Retro Music zu erhalten + 1 + 2 + 3 + 4 + 5 + 6 + 7 + 8 + Vorschaubilder + Scharnier + Verlauf + Zuhause + Horizontale Drehung + Bild + Bild mit Farbverlauf + Download-Verhalten für Interpretenbilder ändern + %1$d Song(s) in Playlist %2$s eingefügt. + Teile dein Retro Music-Design auf Instagram + Tastatur + Bitrate + Formattieren + Dateiname + Dateipfad + Größe + Mehr von %s + Sampling Rate + Länge + Beschriftet + Zuletzt hinzugefügt + Letzter Song + Lass uns etwas abspielen + Bibliothek + Bibliothekkategorien + Lizenzen + Sehr weiß + Zuhörer + Gelistete Dateien + Produkte werden geladen... + Login + Songtext + Hergestellt mit ❤ in Indien + Material + Fehler + Berechtigungsfehler + Mein Name + Meine Top Lieder + Nie + Neues Banner-Foto + Neue Playlist + Neues Profilbild + %s ist das neue Startverzeichnis. + Nächster Song + Keine Alben + Keine Künstler + "Song abspielen und anschließend erneut versuchen." + Keinen Equalizer gefunden. + Keine Genres + Keine Lyrics gefunden + Kein Lied wird gespielt + Keine Playlisten + Kein Kauf gefunden. + Keine Ergebnisse + Keine Songs + Normal + Normaler Songtext + Normal + %s ist nicht im Medienspeicher aufgeführt.]]> + Nichts zu scannen. + Nichts zu sehen + Benachrichtigung + Benachrichtigungen bearbeiten + Derzeit gespielt + Aktuelle Wiedergabeliste + Passe den Abspielbildschirm an + Mehr als 10 Abspiel-Themes + Nur über Wi-Fi + Erweiterte Testfunktionen + Anderes + Passwort + Letzte 3 Monate + Songtext hier einfügen + Spitze + Berechtigung für den Zugriff auf externen Speicher verweigert. + Berechtigung verweigert. + Personalisieren + Abspiel-Bildschirm und Interface bearbeiten + Vom lokalen Speicher wählen + Bild auswählen + Pinterest + Folge der Pinterest-Seite für Retro Music Design Inspirationen + Einfach + Die Abspielbenachrichtigung bietet Play/Pause-Steuerung + Abspielbenachrichtigung + Leere Playlist + Playlist ist leer + Playlistname + Wiedergabelisten + Style der Albumdetails + Geringere Unschärfe benötigt weniger Rechenleistung. + Unschärfe + Adjust the bottom sheet dialog corners + Dialog corner + Lieder nach Länge filtern + Nach Spieldauer filtern + Erweitert + Album-Stil + Audio + Blacklist + Schaltflächen + Allgemein + Bilder + Bibliothek + Sperrbildschirm + Playlist + Die Musik pausieren, wenn die Lautstärke auf 0 gestellt wird. Achtung! Wenn die Lautstärke wieder erhöht wird, wird die Musik weiter abgespielt. + 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. + Wiedergabe starten, sobald mit dem Bluetooth-Gerät verbunden wurde + Verunschärft das Album-Cover des Sperrbildschirm. Kann Probleme mit anderen Apps und Widgets verursachen. + Karusselleffekt beim Albumcover auf dem Abspiel-Bildschirm. Die Designs Karte und Karte (Unschärfe) unterstützen diese Funktion nicht. + 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 + Falls Platz vorhanden ist, Lautstärkeregler auf Derzeit gespielt-Bildschirm zeigen + Album Cover anzeigen + Aussehen des Albumcovers + Stil des Album-Covers + Album-Rasteransicht + Gefärbte App Shortcuts + Interpreten-Rasteransicht + Lautstärke bei Fokusverlust reduzieren + Künstler Bild automatisch downloaden + Schwarze Liste + Bluetooth-Wiedergabe + Album Cover weichzeichnen + Equalizer wählen + Klassisches Design für Benachrichtigungen. + selbstanpassende Farbe + Gefärbte Benachrichtigung + Desaturatierte Farbe + Zusätzliche Schaltflächen + Song-Info + Lückenlose Wiedergabe + Hauptthema + Genre-Tab anzeigen + Künstlerbilder auf der Startseite + Home-Banner + Media Store Cover ignorieren + Zuletzt hinzugefügtes Playlist Intervall + Vollbildschirmsteuerung + Gefärbte Navigationsleiste + Erscheinungsbild + Open Source Lizenzen + abgerundet Ecken + Beschriftung der Navigationselemente + Karussell-Effekt + Dominante Farbe + Vollbild App + Navigationsleistentitel + Automatische Wiedergabe + Shuffle-Modus + Lautstärkeregler + Benutzerinformationen + Hauptfarbe + Primäre Farbe des Farbthemas, Standard ist indigo + Pro + Themes für \"Now Playing\", Karussell-Effekte und mehr + Profil + Kaufen + *Denke vor dem Kauf nach, frage nicht nach einer Rückerstattung. + Warteschlange + App bewerten + Hinterlasse eine positive Bewertung auf Google Play, wenn die Retro Music gefällt. + Kürzlich gespielte Alben + Kürzlich gehörte Interpreten + Entfernen + Banner-Foto entfernen + Cover entfernen + Von der Blacklist löschen + Profilbild entfernen + Songs von Playlist entfernen + %1$s von der Playlist entfernen?]]> + Songs von Playlist entfernen + %1$d Songs von der Playlist entfernen?]]> + Playlist umbenennen + Fehler melden + Einen Fehler melden + Zurücksetzen + Interpretenbild zurücksetzen + Wiederherstellen + Vorherigen Kauf wiederherstellen. Starte die App bitte neu, um den Vorgang abzuschließen. + Käufe wiederhergestellt + Kauf wird wiederhergestellt... + Retro Music-Equalizer + Retro Music Player + Retro Music Pro + Löschen der Datei fehlgeschlagen: %s + + SAF-URI kann nicht geladen werden + Open navigation drawer + Aktiviere \'SD-Karte anzeigen\' im Überlaufmenü + + %s benötigt Zugriff auf die SD-Karte + Sie müssen Ihr Stammverzeichnis für die SD-Karte auswählen + SD-Karte im Navigationsmenü auswählen + Keine Unterordner öffnen + Tippe auf die \'auswählen\' Taste am unteren Bildschirmrand + Datei schreiben fehlgeschlagen: %s + Speichern + + + Als Datei speichern + Als Dateien speichern + Playlist gespeichert zu %s. + Änderungen speichern + Medien scannen + %1$d von %2$d Dateien gescannt. + Scrobbles + Bibliothek durchsuchen... + Alle auswählen + Banner-Foto auswählen + Ausgewähltes beschriftet + Crashlogs senden + Setzen + Wähle ein Interpretenbild + Profilfoto festlegen + App teilen + In Stories teilen + Zufall + Einfach + Sleep-Timer abgebrochen + Sleep-Timer wurde auf %d minuten eingestellt. + Folie + Kleines Album + Sozial + Story teilen + Lied + Songdauer + Titel + Sortierreihenfolge + Aufsteigend + Album + Künstler + Komponist + Datum + Änderungsdatum + Jahr + Absteigend + Tut uns leid! Dein Gerät unterstützt keine Spracheingabe + Bibliothek durchsuchen + Gestapelt + Beginne Musik zu spielen. + Für dich + Zeige nur deinen Namen auf dem Startbildschirm + Entwickler unterstützen + Wischen zum Entsperren + Synchronisierter Songtext + System-Equalizer + + Telegram + Betritt die Telegram-Gruppe um über Fehler zu diskutieren, um Vorschläge zu geben usw. + Vielen Dank! + Die Audiodatei + Diesen Monat + Diese Woche + Dieses Jahr + Winzig + Titel + Bedienfläche + Guten Nachmittag! + Guten Tag! + Einen schönen Abend! + Guten Morgen! + Gute Nacht + Wie heißt du? + Heute + Top Alben + Top Interpreten + "Songnummer (2 für Song 2 oder 3004 für CD3 Song 4)" + Songnummer + Übersetzen + Hilf\' uns, die App in deine Sprache zu übersetzen! + Twitter-Seite + Teile dein Design mit RetroMusic + Unbeschriftet + Song konnte nicht abgespielt werden. + Als Nächstes + Bild aktualisieren + Aktualisieren... + Benutzername + Version + Vertikale Drehung + Surroundsound + Lautstärke + Internetsuche + Willkommen, + Was möchtest du teilen? + Neuigkeiten + Fenster + Runde Ecken + %1$s als Klingelton verwenden. + %1$d ausgewählt + Jahr + Du musst mindestens eine Kategorie auswählen + Du wirst auf die Issue Tracker-Seite weitergeleitet. + Deine Accountdaten werden ausschließlich zur Authentifizierung genutzt + Anzahl + Notiz(Optional) + Zahlung starten + \"Now Playing\" Bildschirm anzeigen + Wenn Sie auf die Benachrichtigung klicken, wird das \"Now Playing\" Bildschirms statt des Startbildschirms angezeigt + Tiny card + diff --git a/app/src/main/res/values-el/strings.xml b/app/src/main/res/master/values-el-rGR/strings.xml similarity index 57% rename from app/src/main/res/values-el/strings.xml rename to app/src/main/res/master/values-el-rGR/strings.xml index 6950ddc0..1f7c4f91 100644 --- a/app/src/main/res/values-el/strings.xml +++ b/app/src/main/res/master/values-el-rGR/strings.xml @@ -1,174 +1,180 @@ - + + Team, social links Χρώμα Τονισμού Το χρώμα τονισμού του θέματος, η προεπιλογή είναι το πράσινο. - Σχετικά με... - Προσθήκη στα αγαπημένα Προσθήκη στην ουρά αναπ/γής Προσθήκη σε playlist... - Εκκαθάριση ουράς αναπαραγωγής Εκκαθάριση playlist - + Cycle repeat mode Διαγραφή Διαγραφή από την συσκευή - Λεπτομέρειες - Πήγαινε στο άλμπουμ Πήγαινε στον καλλιτέχνη + Go to genre Αναπήδηση σε κατάλογο εκκίνησης - Παραχώρηση - Μέγεθος Πλέγματος Μέγεθος Πλέγματος (landscape mode) - + New playlist Επόμενο - Αναπαραγωγή + Play all Αναπαραγωγή επόμενου Παίξε/Παύση - Προηγούμενο - Αφαίρεση από τα αγαπημένα Αφαίρεση από την ουρά αναπ/γής Αφαίρεση από playlist - Μετονομασία - Αποθήκευση τρέχων ουράς αναπ/γής - Σάρωση - Αναζήτηση - Ορισμός Ορισμός ως ήχος κλήσης Ορισμός ως κατάλογο εκκίνησης - "Ρυθμίσεις" - Μοιράσου - Τυχαία αναπ/γη όλων Τυχαία αναπ/γη playlist - Χρονοδιακόπτης Ύπνου - + Sort order Επεξεργασία Ετικετών - + Toggle favorite + 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 - - Τυχαία αναπαραγωγή Κορυφαία Κομμάτια - Retro Music - Μεγάλο Retro Music - Κάρτα Retro Music - Κλασσικό Retro Music - Μικρό - + Retro music - Text Καλλιτέχνης - Καλλιτέχνες - Η εστίαση ήχου απορρίφθηκε. - + Change the sound settings and adjust the equalizer controls + Auto + Base color theme + Bass Boost + Bio Βιογραφία - Απλά Μαύρο - Blacklist - + Blur + Blur Card + Unable to send report + Invalid access token. Please contact the app developer. + Issues are not enabled for the selected repository. Please contact the app developer. + An unexpected error occurred. Please contact the app developer. + Wrong username or password + Issue + Send manually + Please enter an issue description + Please enter your valid GitHub password + Please enter an issue title + Please enter your valid GitHub username + An unexpected error occurred. Sorry you found this bug, if it keeps crashing \"Clear app data\" or send an Email + Uploading report to GitHub… + Send using GitHub account + Buy now Ακύρωση τρέχων χρονοδιακόπτη - + 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. \u0391\u03b4\u03c5\u03bd\u03b1\u03bc\u03af\u03b1 \u03b4\u03b7\u03bc\u03b9\u03bf\u03c5\u03c1\u03b3\u03af\u03b1\u03c2 playlist. "\u0391\u03b4\u03c5\u03bd\u03b1\u03bc\u03af\u03b1 \u03bb\u03ae\u03c8\u03b7\u03c2 \u03c4\u03b1\u03b9\u03c1\u03b9\u03b1\u03c3\u03c4\u03bf\u03cd \u03b5\u03be\u03c9\u03c6\u03cd\u03bb\u03bb\u03bf\u03c5 \u03ac\u03bb\u03bc\u03c0\u03bf\u03c5\u03bc." + Could not restore purchase. Αδυναμία στο σκανάρισμα %d αρχείων. - Δημιουργία - Δημιουργήθηκε η playlist %1$s. - + Members and contributors Παίζει το %1$s από τους %2$s. - Κάπως Σκούρο - Δεν βρέθηκαν στίχοι. - Διαγραφή playlist %1$s?]]> - Διαγραφή αυτών των playlist - + Delete song %1$s?]]> - + Delete songs %1$d playlist?]]> %1$d κομματιών?]]> Διαγράφηκαν %1$d κομμάτια. - + Deleting songs + Depth + Description + Device info + Allow Retro Music to modify audio settings + Set ringtone Εκκαθάριση της blacklist? %1$s από τη blacklist?]]> - Δώρισε - - "Αν σου άρεσε η εφαρμογή μπορείς να δωρίσεις εδώ. " - + Αν σου άρεσε η εφαρμογή μπορείς να δωρίσεις εδώ. Αγορασέ μου ένα - Λήψη από Last.fm - + Drive mode + Edit + Edit cover Κενό - Ισοσταθμιστής - + Error + FAQ Αγαπημένα - + Finish last song + Fit Επίπεδο - Φάκελοι - + Follow system + For you + Free Πλήρες - + Full card + Change the theme and colors of the app + Look and feel Είδος - + 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 @@ -177,135 +183,170 @@ 6 7 8 - + Grid style + Hinge Ιστορικό - Αρχική - + Horizontal flip + Image + Gradient image + Change artist image download settings Προστέθηκαν %1$d κομμάτια στη playlist %2$s. - + Share your Retro Music setup to showcase on Instagram + Keyboard Bitrate - Μορφή Όνομα Αρχείου Διαδρομή Αρχείου Μέγεθος - + More from %s Συχνότητα δείγματος - Μήκος - + Labeled Προστέθηκαν τελευταία - + Last song Ας παίξουμε κάτι - Περιηγήσου - + Library categories Άδειες - Ξεκάθαρα Λευκό - + Listeners Καταγραφή αρχείων - Φόρτωση προϊόντων... - + Login Στίχοι - + Made with ❤️ in India + Material + Error + Permission error Το Όνομά μου - Τα Κορυφαία Κομμάτια μου - Ποτέ - + New banner photo Νέα playlist - + New profile photo %s είναι ο νέος κατάλογος εκκίνησης. - + Next Song Κανένα άλμπουμ - Κανένας καλλιτέχνης - "Παίξτε ενα κομμάτι πρώτα, και ξαναπροσπαθήστε." - Δεν βρέθηκε ισοσταθμιστής. - Κανένα είδος - Δεν βρέθηκαν στίχοι - + No songs playing Δεν βρέθηκαν playlists - + No purchase found. Κανένα αποτέλεσμα - Δεν βρέθηκαν κομμάτια - Κανονικό - + Normal lyrics + Normal %s δεν υπάρχει στο media store.]]> - Δεν υπάρχει στοιχείο προς σάρωση. - + Nothing to see Ειδοποίηση - + Customize the notification style + Now playing Ουρά \"Παίζει Τώρα\" - + Customize the now playing screen + 9+ now playing themes Μόνο από Wi-Fi - + Advanced testing features + Other + Password Τους περασμένους 3 μήνες - + Paste lyrics here + Peak Η άδεια για προσπέλαση του external storage δεν παραχωρήθηκε. - Οι άδειες δεν παραχωρήθηκαν. - + Personalize + Customize your now playing and UI controls Επιλογή από Χώρο Αποθήκευσης - + Pick image + Pinterest + Follow Pinterest page for Retro Music design inspiration Απλό - Η ειδοποίηση αναπαραγωγής προσφέρει κουμπιά για play/pause, κλπ. Ειδοποίηση Αναπαραγωγής - Κενή playlist - H Playlist είναι κενή - Όνομα Playlist - Playlists - + Album detail style + Amount of blur applied for blur themes, lower is faster + Blur amount + Adjust the bottom sheet dialog corners + Dialog corner + Filter songs by length + Filter song duration + Advanced + Album style Ήχος + Blacklist + Controls + Theme Εικόνες + Library Οθόνη Κλειδώματος Playlists - - + Pauses the song when the volume decreases to zero and starts playing back when the volume level rises. Also works outside the app + Pause on zero + Keep in mind that enabling this feature may affect battery life + Keep the screen on + Click to open with or slide to without transparent navigation of now playing screen + Click or Slide + Snow fall effect Χρησιμοποιεί το εξώφυλλο του τρέχων κομματιού ως φόντο οθόνης κλειδώματος. Ειδοποιήσεις, πλοήγηση, κλπ. + The content of blacklisted folders is hidden from your library. + Start playing as soon as connected to bluetooth device Θολώνει το εξώφυλλο άλμπουμ στην οθόνη κλειδώματος. Μπορεί να προκαλέσει προβλήματα με εφαρμογές και widgets. + Carousel effect for the album art in the now playing screen. Note that Card and Blur Card themes won\'t work Χρήση του κλασσικού design ειδοποιήσεων. Το φόντο και το κουμπί ελέγχου αλλάζουν σύμφωνα με το εξώφυλλο άλμπουμ Χρωματίζει τα app shortcuts με το επιλεγμένο χρώμα τονισμού. Χρωματίζει το navigation bar με το κύριο χρώμα. "\u03a7\u03c1\u03c9\u03bc\u03b1\u03c4\u03af\u03b6\u03b5\u03b9 \u03c4\u03b7\u03bd \u03b5\u03b9\u03b4\u03bf\u03c0\u03bf\u03af\u03b7\u03c3\u03b7 \u03bc\u03b5 \u03c4\u03bf \u03b6\u03c9\u03bd\u03c4\u03b1\u03bd\u03cc \u03c7\u03c1\u03ce\u03bc\u03b1 \u03c4\u03bf\u03c5 \u03b5\u03be\u03c9\u03c6\u03cd\u03bb\u03bb\u03bf\u03c5 \u03ac\u03bb\u03bc\u03c0\u03bf\u03c5\u03bc." + As per Material Design guide lines in dark mode colors should be desaturated + Most dominant color will be picked from the album or artist cover + Add extra controls for mini player + Show extra Song information, such as file format, bitrate and frequency "Μπορεί να προκαλέσει προβλήματα με την αναπαραγωγή σε κάποιες συσκευές." + Toggle genre tab + Toggle home banner style Μπορεί να αυξήσει την ποιότητα των εξωφύλλων άλμπουμ, αλλά προκαλεί αργή φόρτωση εικόνων. Ενεργοποιήστε αυτή την επίλογη μόνο εαν αντιμετωπίζετε προβλήματα με εξώφυλλα χαμηλής ανάλυσης. + Configure visibility and order of library categories. Ενεργοποίηση διακοπτών ρύθμισης στην οθόνη κλειδώματος. Λεπτομέρειες άδειας για τη χρήση open source λογισμικού Στρογγυλεμένες άκρες για το παράθυρο, εξώφυλλα άλμπουμ, κλπ. Ενεργοποίηση/ Απενεργοποίηση τίτλων από την κάτω μπάρα Ενεργοποίηση της επιλογής για χρήση πλήρους οθόνης Όταν συνδεθούν ηχεία/ακουστικά , αρχίζει η αναπαραγωγή + Shuffle mode will turn off when playing a new list of songs Εαν υπάρχει χώρος στην οθόνη αναπαραγωγής, ενεργοποιήστε τον πίνακα ελέγχου έντασης. - Εμφάνιση εξωφύλλου άλμπουμ. + Album cover theme + Album cover skip + Album grid Χρωματιστά app shortcuts + Artist grid Μείωση έντασης όταν υπάρχουν εισερχόμενες ειδοποιήσεις Αυτόματη λήψη εικόνων καλλιτεχνών + Blacklist + Bluetooth playback Θόλωμα εξωφύλλων άλμπουμ + Choose equalizer Κλασσικό design ειδοποίησης Προσαρμοστικό Χρώμα Χρωματιστή ειδοποίηση + Desaturated color + Extra controls + Song info Αναπαραγωγή χωρίς κενά Γενικό θέμα + Show genre tab + Home artist grid + Home banner Παράληψη Media Store για εξώφυλλα Χρονικό διάστημα playlist \"Προστέθηκε τελευταία\" Full screen Ρυθμίσεις @@ -313,122 +354,162 @@ Εμφάνιση Άδειες λογισμικού open source Στρογγυλεμένες Άκρες + Tab titles mode + Carousel effect + Dominant color Full screen εφαρμογή Τίτλοι καρτελών Αυτόματη αναπαραγωγή + Shuffle mode Πίνακας Ελέγχου Έντασης Πληροφορίες Χρήστη - Κύριο χρώμα Το βασικό χρώμα του θέματος, η προεπιλογή είναι το άσπρο. - + Pro + Black theme, Now playing themes, Carousel effect and more.. + Profile + Purchase + *Think before buying, don\'t ask for refund. Ουρά - Βαθμολόγησε την εφαρμογή - Σας αρέσει αυτό το app; Γράψτε μας τις εντυπώσεις σας στο Google Play για να σας παρέχουμε μια καλύτερη εμπειρία - + Recent albums + Recent artists Αφαίρεση - + Remove banner photo Αφαίρεση Εξώφυλλου - Αφαίρεση από τη blacklist - + Remove profile photo Αφαίρεσε το κομμάτι από την playlist %1$s από τη playlist?]]> - Αφαίρεσε τα κομμάτια από την playlist - %1$d κομματιών από τη playlist?]]> - Μετονόμασε την playlist - + Report an issue + Report bug + Reset Επαναφορά εικόνας καλλιτέχνη - + Restore + Restored previous purchase. Please restart the app to make use of all features. Επαναφορά προηγούμενων αγορών επιτυχής. - + Restoring purchase… Retro Ισοσταθμιστής - + Retro Music Player + Retro Music Pro + File delete failed: %s + + Can\'t get SAF URI + Open navigation drawer + Enable \'Show SD card\' in overflow menu + + %s needs SD card access + You need to select your SD card root directory + Select your SD card in navigation drawer + Do not open any sub-folders + Tap \'select\' button at the bottom of the screen + File write failed: %s + Save + + Αποθήκευσε ως αρχείο + Save as files Η Playlist αποθηκεύτηκε στο %s. - Αποθηκευόνται οι αλλαγές... - + Scan media Σαρώθηκαν %1$d από %2$d αρχεία. - + Scrobbles Αναζήτηση της βιβλιοθήκης σας... - + Select all + Select banner photo + Selected + Send crash log + Set Ορισμός εικόνας καλλιτέχνη - + Set a profile photo + Share app + Share to Stories Τυχαία Αναπαραγωγή - Απλό - Χρονοδιακόπτης ύπνου ακυρώθηκε. Ο χρονοδιακόπτης ύπνου ορίστικε για %d λεπτά από τώρα. - + Slide + Small album + Social + Share story Κομμάτι - Διάρκεια κομματιού - Κομμάτια - Σειρά Διάταξης - + Ascending + Album + Artist + Composer + Date added + Date modified + Year + Descending Ουπς! Η συσκευή σου δεν υποστηρίζει εισαγωγή φωνής - Αναζητήστε στην Βιβλιοθήκη - + Stack + Start playing music. + Suggestions Δείξτε το όνομά σας στην οθόνη κλειδώματος - Υποστήριξη ανάπτυξης της εφαρμογής - + Swipe to unlock + Synced lyrics + System Equalizer + + Telegram + Join the Telegram group to discuss bugs, make suggestions, show off and more Σας ευχαριστούμε! - Το αρχείο ήχου - Αυτό το μήνα - Αυτή την εβδομάδα - Αυτό το χρόνο - + Tiny + Title Ταμπλό - Καλό Μεσημέρι Καλημέρα Καλό Απόγευμα Καλημέρα Καληνύχτα - Ποιό είναι το όνομά σας; - Σήμερα - + Top albums + Top artists "Κομμάτι (2 για κομμάτι 2, ή 3004 για CD3 κομμάτι 4)" - Αριθμός Κομματιού - Μετάφραση - + Help us translate the app to your language + Twitter + Share your design with Retro Music + Unlabeled \u0394\u03b5\u03bd \u03bc\u03c0\u03bf\u03c1\u03ad\u03c3\u03b1\u03bc\u03b5 \u03bd\u03b1 \u03c0\u03b1\u03af\u03be\u03bf\u03c5\u03bc\u03b5 \u03b1\u03c5\u03c4\u03cc \u03c4\u03bf \u03ba\u03bf\u03bc\u03bc\u03ac\u03c4\u03b9. - Αμέσως επόμενο - Ενημέρωση εικόνας - Ενημέρωση σε εξέλιξη... - + Username Έκδοση - + Vertical flip + Virtualizer + Volume Αναζήτηση στον ιστό - + Welcome, Τι θα θέλατε να μοιραστείτε; - + What\'s New + Window + Rounded corners Ορισμός %1$s ως ήχου κλήσης. - %1$d έχει επιλεγεί - Χρονιά - More from %s + 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/master/values-en-rUS/strings.xml b/app/src/main/res/master/values-en-rUS/strings.xml new file mode 100644 index 00000000..321eb477 --- /dev/null +++ b/app/src/main/res/master/values-en-rUS/strings.xml @@ -0,0 +1,515 @@ + + + Team, social links + Accent color + The theme accent color, defaults to purple + About + Add to favorites + Add to playing queue + Add to playlist + Clear playing queue + Clear playlist + Cycle repeat mode + Delete + Delete from device + Details + Go to album + Go to artist + Go to genre + Go to start directory + Grant + Grid size + Grid size (land) + New playlist + Next + Play + Play all + Play next + Play/Pause + Previous + Remove from favorites + Remove from playing queue + Remove from playlist + Rename + Save playing queue + Scan + Search + Start + Set as ringtone + Set as start directory + "Settings" + Share + Shuffle all + Shuffle playlist + Sleep timer + Sort order + Tag editor + Toggle favorite + Toggle shuffle mode + Adaptive + Add + Add lyrics + Add \nphoto + "Add to playlist" + Add time frame lyrics + "Added 1 title to the playing queue." + Added %1$d titles to the playing queue. + Album + Album artist + The title or artist is empty. + Albums + Always + Hey check out this cool music player at: https://play.google.com/store/apps/details?id=%s + Shuffle + Top Tracks + Retro music - Big + Retro music - Card + Retro music - Classic + Retro music - Small + Retro music - Text + Artist + Artists + Audio focus denied. + Change the sound settings and adjust the equalizer controls + Auto + Base color theme + Bass Boost + Bio + Biography + Just Black + Blacklist + Blur + Blur Card + Unable to send report + Invalid access token. Please contact the app developer. + Issues are not enabled for the selected repository. Please contact the app developer. + An unexpected error occurred. Please contact the app developer. + Wrong username or password + Issue + Send manually + Please enter an issue description + Please enter your valid GitHub password + Please enter an issue title + Please enter your valid GitHub username + An unexpected error occurred. Sorry you found this bug, if it keeps crashing \"Clear app data\" or send an Email + Uploading report to GitHub… + Send using GitHub account + Buy now + Cancel + Card + Circular + Colored Card + Card + Carousel + Carousel effect on the now playing screen + Cascading + Cast + Changelog + Changelog maintained on the Telegram channel + Circle + Circular + Classic + Clear + Clear app data + Clear blacklist + Clear queue + Clear playlist + %1$s? This can\u2019t be undone!]]> + Close + Color + Color + Colors + Composer + Copied device info to clipboard. + Couldn\u2019t create playlist. + "Couldn\u2019t download a matching album cover." + Could not restore purchase. + Could not scan %d files. + Create + Created playlist %1$s. + Members and contributors + Currently listening to %1$s by %2$s. + Kinda Dark + No Lyrics + Delete playlist + %1$s?]]> + Delete playlists + Delete song + %1$s?]]> + Delete songs + %1$d playlists?]]> + %1$d songs?]]> + Deleted %1$d songs. + Deleting songs + Depth + Description + Device info + Allow Retro Music to modify audio settings + Set ringtone + Do you want to clear the blacklist? + %1$s from the blacklist?]]> + Donate + If you think I deserve to get paid for my work, you can leave some money here + Buy me a: + Download from Last.fm + Drive mode + Edit + Edit cover + Empty + Equalizer + Error + FAQ + Favorites + Finish last song + Fit + Flat + Folders + Follow system + For you + Free + Full + Full card + Change the theme and colors of the app + Look and feel + Genre + Genres + Fork the project on GitHub + Join the Google Plus community where you can ask for help or follow Retro Music updates + 1 + 2 + 3 + 4 + 5 + 6 + 7 + 8 + Grid style + Hinge + History + Home + Horizontal flip + Image + Gradient image + Change artist image download settings + Inserted %1$d songs into the playlist %2$s. + Share your Retro Music setup to showcase on Instagram + Keyboard + Bitrate + Format + File name + File path + Size + More from %s + Sampling rate + Length + Labeled + Last added + Last song + Let\'s play some music + Library + Library categories + Licenses + Clearly White + Listeners + Listing files + Loading products… + Login + Lyrics + Made with ❤️ in India + Material + Error + Permission error + Name + Most played + Never + New banner photo + New playlist + New profile photo + %s is the new start directory. + Next Song + You have no albums + You have no artists + "Play a song first, then try again." + No equalizer found + You have no genres + No lyrics found + No songs playing + You have no playlists + No purchase found. + No results + You have no songs + Normal + Normal lyrics + Normal + %s is not listed in the media store.]]> + Nothing to scan. + Nothing to see + Notification + Customize the notification style + Now playing + Now playing queue + Customize the now playing screen + 9+ now playing themes + Only on Wi-Fi + Advanced testing features + Other + Password + Past 3 months + Paste lyrics here + Peak + Permission to access external storage denied. + Permissions denied. + Personalize + Customize your now playing and UI controls + Pick from local storage + Pick image + Pinterest + Follow Pinterest page for Retro Music design inspiration + Plain + The playing notification provides actions for play/pause etc. + Playing notification + Empty playlist + Playlist is empty + Playlist name + Playlists + Album detail style + Amount of blur applied for blur themes, lower is faster + Blur amount + Adjust the bottom sheet dialog corners + Dialog corner + Filter songs by length + Filter song duration + Advanced + Album style + Audio + Blacklist + Controls + Theme + Images + Library + Lockscreen + Playlists + Pauses the song when the volume decreases to zero and starts playing back when the volume level rises. Also works outside the app + Pause on zero + Keep in mind that enabling this feature may affect battery life + Keep the screen on + Click to open with or slide to without transparent navigation of now playing screen + Click or Slide + Snow fall effect + 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. + Start playing as soon as connected to bluetooth device + Blur the album cover on the lockscreen. Can cause problems with third party apps and widgets + Carousel effect for the album art in the now playing screen. Note that Card and Blur Card themes won\'t work + 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 + Toggle home banner style + Can increase the album cover quality, but causes slower image loading times. Only enable this if you have problems with low resolution artworks + Configure visibility and order of library categories. + Use Retro Music\'s custom lockscreen controls + License details for open source software + Round the app\'s edges + Toggle titles for the bottom navigation bar tabs + Immersive mode + Start playing immediately after headphones are connected + Shuffle mode will turn off when playing a new list of songs + If enough space is available, show volume controls in the now playing screen + Show album cover + Album cover theme + Album cover skip + Album grid + Colored app shortcuts + Artist grid + Reduce volume on focus loss + Auto-download artist images + Blacklist + Bluetooth playback + Blur album cover + Choose equalizer + Classic notification design + Adaptive color + Colored notification + Desaturated color + Extra controls + Song info + Gapless playback + App theme + Show genre tab + Home artist grid + Home 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. + Queue + Rate the app + Love this app? Let us know in the Google Play Store how we can make it even better + Recent albums + Recent artists + Remove + Remove banner photo + Remove cover + Remove from blacklist + Remove profile photo + Remove song from playlist + %1$s from the playlist?]]> + Remove songs from playlist + %1$d songs from the playlist?]]> + Rename playlist + Report an issue + Report bug + Reset + Reset artist image + Restore + Restored previous purchase. Please restart the app to make use of all features. + Restored previous purchases. + Restoring purchase… + Retro Music Equalizer + Retro Music Player + Retro Music Pro + File delete failed: %s + + Can\'t get SAF URI + Open navigation drawer + Enable \'Show SD card\' in overflow menu + + %s needs SD card access + You need to select your SD card root directory + Select your SD card in navigation drawer + Do not open any sub-folders + Tap \'select\' button at the bottom of the screen + File write failed: %s + Save + + + Save as file + Save as files + Saved playlist to %s. + Saving changes + Scan media + Scanned %1$d of %2$d files. + Scrobbles + Search your library… + Select all + Select banner photo + Selected + Send crash log + Set + Set artist image + Set a profile photo + Share app + Share to Stories + Shuffle + Simple + Sleep timer canceled. + Sleep timer set for %d minutes from now. + Slide + Small album + Social + Share story + Song + Song duration + Songs + Sort order + Ascending + Album + Artist + Composer + Date added + Date modified + Year + Descending + Sorry! Your device doesn\'t support speech input + Search your library + Stack + Start playing music. + Suggestions + Just show your name on home screen + Support development + Swipe to unlock + Synced lyrics + System Equalizer + + Telegram + Join the Telegram group to discuss bugs, make suggestions, show off and more + Thank you! + The audio file + This month + This week + This year + Tiny + Title + Dashboard + Good afternoon + Good day + Good evening + Good morning + Good night + What\'s Your Name + Today + Top albums + Top artists + "Track (2 for track 2 or 3004 for CD3 track 4)" + Track number + Translate + Help us translate the app to your language + Twitter + Share your design with Retro Music + Unlabeled + Couldn\u2019t play this song. + Up next + Update image + Updating… + Username + Version + Vertical flip + Virtualizer + Volume + Web search + Welcome, + What do you want to share? + What\'s New + Window + Rounded corners + Set %1$s as your ringtone. + %1$d selected + Year + You have to select at least one category. + You will be forwarded to the issue tracker website. + Your account data is only used for authentication. + Amount + Note(Optional) + Start payment + Show now playing screen + Clicking on the notification will show now playing screen instead of the home screen + Tiny card + diff --git a/app/src/main/res/values-es/strings.xml b/app/src/main/res/master/values-es-rES/strings.xml similarity index 68% rename from app/src/main/res/values-es/strings.xml rename to app/src/main/res/master/values-es-rES/strings.xml index 61348416..ebab7107 100644 --- a/app/src/main/res/values-es/strings.xml +++ b/app/src/main/res/master/values-es-rES/strings.xml @@ -1,272 +1,180 @@ - + - Music - El color acentuado por defecto es verde - - Acerca de - + Equipo, enlaces sociales + Color de énfasis + El color de énfasis del tema, es morado por defecto + Acerca de Retro Music Player Añadir a favoritos - Agregar a la cola de reproducción - Agregar a lista de reproducción - - Limpiar cola de reproducción - Borrar lista de reproducción - + 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 - Borrar del dispositivo - + Eliminar del dispositivo Detalles - Ir al álbum Ir al artista Ir al género Ir al directorio de inicio - - Conceder - + Permitir Tamaño de la cuadricula - Tamaño de la cuadricula (Horizontal) - - Nueva lista de reproducción... - + Tamaño de cuadrícula (horizontal) + Nueva lista de reproducción Siguiente - Reproducir + Reproducir todo Reproducir siguiente - Reproducir/Pausa - + Reproducir/Pausar Anterior - Eliminar de favoritos Eliminar de la cola de reproducción Eliminar de la lista de reproducción - Renombrar - Guardar lista de reproducción - Escanear - Buscar - Iniciar Establecer como tono de llamada Establecer como directorio de inicio - - "Configuración" - + "Ajustes" Compartir - Mezclar todo - Lista de reproducción aleatoria - + Mezclar lista de reproducción Temporizador de apagado - Ordenar por - Editor de etiquetas - + Alternar favoritos + Alternar el modo aleatorio Adaptativo - Agregar - + Añadir letra Agregar foto - "Agregar a lista de reproducción" - + Añadir retardo 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 - - Aleatorio Canciones más reproducidas - Retro Music - Grande Retro Music - Tarjeta Retro Music - Clásico Retro Music - Pequeño - Retro music - Texto - + Retro Music - Texto Artista - Artistas - Enfoque de audio denegado - Modifica los ajustes de sonido y ajusta los controles del ecualizador - Automático - Color base del tema - Refuerzo de graves - Biografía - Biografía - Negro - - Lista negra - + Lista Negra Desenfoque - - Tarjeta desenfocada - + Tarjeta con desenfoque Enviando el reporte a GitHub... - Token de acceso invalido. Por favor, contacta con el desarrollador de la app. + Token de acceso inválido. Por favor, contacta con el desarrollador de la aplicación El problema no esta habilitado para el repositorio seleccionado. Por favor, contacta col el desarrollador de la app. - Un error inesperado a ocurrido. Por favor, contacta col el desarrollador de la app. - Usuario o contraseña incorrecta - Problemas + Se ha producido un error inesperado. Por favor, contacta con el desarrollador de la aplicación + Usuario o contraseña incorrectos + Problema Enviar manualmente Por favor, describe el problema - Por favor, entra tu contraseña de GitHub Valido - Por favor, escribe el titulo del problema - Por favor, entra tu usuario de GitHub Valido + Por favor, introduce tu contraseña de GitHub + 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\" - Enviando el reporte a GitHub... - Envía usando la cuenta de GitHub - + Subiendo reporte a GitHub... + Enviar usando la cuenta de Github + Comprar ahora Cancelar - Tarjeta - Circular - Tarjeta Coloreada - Tarjeta - Carrusel - - Efecto carrusel en la ventana de reproducción - + 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 cola de reproducción - - Limpiar lista de reproducción - %1$s? \u00a1Esto no se puede deshacer!]]> - + Limpiar la cola + Vaciar lista de reproducción + %1$s? Esto no se puede deshacer!]]> Cerrar - Color - Color - Colores - - Información del dispositivo copiado al porta-papeles. - - No se pudo crear la lista de reproducci\u00f3n. - "No se pudo descargar una portada de \u00e1lbum coincidente." + Compositor + Información del dispositivo copiada al portapapeles + No se pudo crear la lista de reproducción. + "No se pudo descargar una portada de álbum coincidente." No se pudo restaurar la compra. - No se pudieron escanear los %d archivos. - + No se pudieron escanear %d archivos Crear - Lista de reproducción %1$s creada - - Miembros y contribuidores - - Estás escuchando %1$s de %2$s - - "Un poco oscuro " - + 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 - + Eliminar canción %1$s?]]> - - %1$d de tus playlist? ]]> + Eliminar canciones + %1$d listas de reproducción?]]> %1$d canciones?]]> %1$d canciones eliminadas. - + Eliminando canciones Profundidad - Descripción - Información del dispositivo - - ¿Quieres limpiar la lista negra? + Permitir a Retro Music modificar los ajustes de audio + Establecer como tono + ¿Deseas limpiar la lista negra? %1$s de la lista negra?]]> - Donar - Si crees que merezco que me paguen por mi trabajo, puedes dejar algo de dinero aquí - Cómprame: - Descargar de Last.fm - + Modo de conducir + Editar Editar portada - Vacio - Ecualizador - Error - Preguntas más frecuentes - Favoritos - - Fit - + Termina la última canción + Ajustado Plano - Carpetas - + Seguir al sistema Para ti - + Gratuito Completo - Tarjeta completa - Cambiar el tema y colores de la aplicación Aspecto y la sensación - Género - Géneros - Haz Fork del proyecto en GitHub - Únase a la comunidad de Google Plus donde puede pedir ayuda o seguir las actualizaciones Retro Music - 1 2 3 @@ -275,168 +183,123 @@ 6 7 8 - - Bisagra - + Cuadricula y estilo + Giro Historial - Inicio - - Giro Horizontal - + Giro horizontal Imagen - + Imagen de degradado Cambiar la configuración de descarga de imágenes del artista - %1$d canciones agregadas a la lista de reproducción %2$s. - - Instagram - Comparte tu configuración de Retro Music en Instagram - + Comparte tu configuración de Retro Music para exhibirlo en Instagram + Teclado Velocidad de bits - Formato Nombre del archivo Ruta del archivo Tamaño - - Tasa de muestreo - + Más desde %s + Frecuencia de muestreo Duración - Etiquetado - Añadidos recientemente - + Última canción Vamos a tocar un poco de música - Biblioteca - + Categorías biblioteca Licencias - Blanco claro - + Escuchadores Listando archivos - Cargando productos... - Iniciar Sección - - Letras - + Letras Hecho con ❤️ en India - Material - - "Nombre " - + Error + Error de permisos + Nombre Más reproducidas - Nunca - Nueva foto del banner - - Nueva lista de reproducción - + Nueva lista Nueva foto de perfil - - %s es el nuevo directorio de inicio. - + %s es el nuevo directorio de inicio + Próxima canción No hay Álbumes - No hay Artistas - "Primero reproduce una canción, luego intenta de nuevo." - No se encontró ecualizador - No hay Géneros - No se encontró letra - + No hay canciones tocando No hay Listas de Reproducción - No se encontraron compras. - Sin resultados - No hay Canciones - Normal - Letras normales - Normal - %s no aparece en la lista de medios.]]> - Nada para escanear. - - Notificación - - Personalizar el estilo de la notificación - - Reproduciendo - Cola de reproducción + Nada para escanear + Notificaciones + Personaliza el estilo de la notificación + Reproduciendo ahora + Cola de reproducción actual Personalizar la ventana de reproducción Más de 9 temas para la ventana de reproducción - Solo con Wi-Fi - + Funciones avanzadas experimentales Otro - Contraseña - Más de 3 meses - + Pegar letra aquí + Peak 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 de reproducción - + 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 + Estilo del álbum Audio + Lista Negra + Controles Tema Imágenes + Biblioteca Pantalla de bloqueo Listas de reproducción - Pausar la reproducción cuando se esta en silencio y reproducir cuando se aumenta el volumen. ¡Cuidado! Cuando se aumenta el volumen se empezara la reproducción aunque se este fuera de la app. - Pausar en silencio + Pausar en cero Tenga en cuenta que habilitar esta función puede afectar la duración de la batería Mantener la pantalla encendida - - Toca para abrir con o desliza sin la barra de navegación transparente de la pantalla de reproducción + 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. + Comienza a reproducir tan pronto como esté conectado al dispositivo bluetooth Desenfocar la portada el álbum en la pantalla de bloqueo. Puede causar problemas con aplicaciones y widgets de terceros Efecto carrusel para la portada del álbum en la ventana de reproducción. En los temas \"Tarjeta\" y \"Tarjeta Desenfocada\" no funcionará Usar el diseño de notificación clásico @@ -444,12 +307,15 @@ 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\u00f3n con el color vibrante de la portada del \u00e1lbum" + 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 - "Puede causar problemas de reproducción en algunos dispositivos." + Mostrar información extra de canciones, como el formato de archivo, bitrate y frecuencia + "Puede causar problemas de reproducción en algunos dispositivos" Mostrar/Ocultar pestaña de 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 @@ -458,23 +324,25 @@ Comenzar a reproducir inmediatamente se conecten audífonos El modo aleatorio se desactivará cuando se reproduzca una nueva lista de canciones Mostrar controles de volumen si hay suficiente espacio disponible. - Mostrar/Ocultar portada del álbum Tema de la portada del álbum - Estilo de la caratula en reproducción + Estilo de portada del álbum en reproducción Cuadricula del álbum Accesos directos de la aplicación coloreados Cuadricula de los artistas Reducir el volumen en pérdida de enfoque Descarga automática de imágenes de artistas - Lista negra + Lista Negra + Reproducción por Bluetooth Desenfocar portada del álbum Elegir ecualizador Diseño de notificación clásico Color adaptativo Notificación coloreada + Color Desaturado Controles extra - Reproducción sin interrupciones + Información de la canción + Reproducción sin pausas Tema de la aplicación Mostrar pestaña de géneros Cuadricula de los artistas en inicio @@ -492,213 +360,156 @@ Aplicación en pantalla completa Títulos de las pestañas Reproducir automáticamente - Modo aleatorio + Aleatorio Controles de volumen - Información del usuario - + Información de usuario Color principal El color principal del tema, por defecto es 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 de reproducción - %1$s de la lista de reproducción?]]> - - Eliminar canciones de la lista de reproducción - - %1$d canciones de la lista de reproducción?]]> - - Renombrar lista de reproducción - + Eliminar canción de la lista + %1$s de la lista?]]> + Eliminar canciones de la lista + %1$d canciones de la lista?]]> + Renombrar lista Reporta un problema - - Reporta problemas - + Reportar un error + Restablecer Reiniciar imagen del artista - Restaurar - Compra anterior restaurada. Por favor, reinicie la aplicación para hacer uso de todas las funciones. Compras anteriores restauradas. - Restaurando compra... - Ecualizador de Reto Music - + Reproductor de Música Retro Retro Music Pro - + La eliminación del archivo falló + + No se puede obtener SAF URI + Abrir panel de navegación + Activar \"Mostrar tarjeta SD\" en el menú + + %s necesita acceder a la tarjeta SD + Debes seleccionar el directorio raíz de tu tarjeta SD + Selecciona tu tarjeta SD en el cajón de navegación + No abra ninguna sub-carpeta + Toca el botón \'seleccionar\' en la parte inferior de la pantalla + Error al escribir: %s + Guardar Guardar como archivo - Guardar como archivos - - Lista de reproducción guardada en %s. - + Guardar lista de reproducción a %s Guardando cambios - Escanear medios - %1$d de %2$d archivos escaneados. - - Buscar en tu biblioteca... - + Scrobbles + Busca en tu biblioteca... Seleccionar todos - Seleccionar foto del banner - Seleccionado - + Enviar registro de depuración + Establecer Establecer imagen del artista - - Comparte la app - + Establecer imagen de perfil + Compartir app + Compartir en historias Aleatorio - Sencillo - Temporizador cancelado. Temporizador de apagado establecido para %d minutos desde ahora. - + Presentación Español - Social - + Compartir historia Canción - Duración de la canción - Canciones - Ordenar por Ascendente Álbum Artista + Compositor Fecha + Fecha de modificación Año Descendente - ¡Lo siento! Su dispositivo no es compatible con la entrada de voz - - Buscar en tu biblioteca - - Sugerencias - - Solo mostrar tu nombre en la pantalla de inicio - + Busca en tu biblioteca + Apilado + Comenzar a reproducir música. + Recomendaciones + Muestra tu nombre en la pantalla de inicio Apoya el desarrollo - + Desbloquear Letras sincronizadas - - Ecualizador del sistema - + Ecualizador del Sistema Telegram Únete al grupo de Telegram para discutir los errores, hacer sugerencias, presumir y más - ¡Gracias! - El archivo de audio - Este mes - Esta semana - Este año - Pequeño - Titulo - - Tablero - - Buenas tardes - Buen día - Buenas tardes - Buenos días + Tablero + ¡Buenas Tardes! + ¡Buen Día! + ¡Buenas Tardes! + ¡Buenos días! Buenas noches - ¿Cómo te llamas? - Hoy - Álbumes mas reproducidos - Artistas más reproducidos - "Pista (2 para pista 2 o 3004 para CD3 pista 4)" - Número de pista - Traducir - Ayúdanos a traducir la aplicación a tu lenguaje - Twitter Comparte tu diseño con Retro Music - Sin etiqueta - - No se pudo reproducir esta canci\u00f3n. - + No se pudo reproducir esta canci\u00f3n A continuación - Actualizar imagen - Actualizando... - - Nombre de Usuario - + Nombre de usuario Versión - - Giro vertical - + giro vertical Virtualizador - + Volumen Búsqueda web - + Bienvenido, ¿Qué quieres compartir? - - Novedades - + Lo Nuevo Ventana - Esquinas redondeadas - %1$s establecido como tono de llamada. - %1$d seleccionados - Año - Tienes que seleccionar al menos una categoría - Sera redirigido al sitio web para reportar problemas. - - La información de tu cuenta es solo para autenticar tu identidad. - More from %s + 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 + Tiny card diff --git a/app/src/main/res/master/values-eu-rES/strings.xml b/app/src/main/res/master/values-eu-rES/strings.xml new file mode 100644 index 00000000..d47f7bdd --- /dev/null +++ b/app/src/main/res/master/values-eu-rES/strings.xml @@ -0,0 +1,515 @@ + + + Team, social links + Azentu kolorea + Gaiaren azentu kolorea. Lehenetsia: teal + Honi buruz + Gogokoetara gehitu + Ilaran gehitu + Erreprodukzio zerrendan gehitu + Erreprodukzio ilara garbitu + Erreprodukzio zerrenda garbitu + Cycle repeat mode + Ezabatu + Gailutik ezabatu + Xehetasunak + Albumera joan + Artistara joan + Generora joan + Hasierako direktoriora joan + Onartu + Sareta tamaina + Sareta tamaina (paisaia) + New playlist + Hurrengoa + Erreproduzitu + Play all + Hurrengoa erreproduzitu + Erreproduzitu/Pausatu + Aurrekoa + Kendu gogokoetatik + Erreprodukzio ilaratik kendu + Erreprodukzio zerrendatik kendu + Berrizendatu + Erreprodukzio ilara gorde + Eskaneatu + Bilatu + Hasi + Dei-tonu bezala ezarri + Hasierako direktorio bezala ezarri + "Ezarpenak" + Partekatu + Nahastu guztiak + Nahastu erreprodukzio zerrenda + Lo tenporizadorea + Ordenatze irizpidea + Etiketa editorea + Toggle favorite + Toggle shuffle mode + Moldagarria + Gehitu + Add lyrics + Argazkia\ngehitu + "Erreprodukzio zerrendan gehitu" + Add time frame lyrics + "Abestia erreprodukzio ilaran gehitu da" + %1$d abesti erreproduzkio ilaran gehitu dira + Albuma + Albumeko artista + Izenburua edo artista hutsik dago + Albumak + Beti + Begiratu musika erreproduzitzaile hau: https://play.google.com/store/apps/details?id=%s + Nahastu + Pista onenak + Retro music - Handia + Retro music - Txartela + Retro music - Klasikoa + Retro music - Txikia + Retro music - Testua + Artista + Artistak + Audio fokatzea ukatua + Aldatu soinu ezarpenak eta doitu nahasgailuaren kontrolak + Automatikoa + Oinarrizko kolore gaia + Baxu Bultzada + Биография + Biografia + Beltza bakarrik + Zerrenda beltza + Lausotzea + Txartel lausotua + Ezin izan da txostena bidali + Okerreko sarrera fitxa. Mesedez aplikazioaren garatzailearekin harremanetan jarri + Arazoak ez daude gaituta aukeratutako biltegian. Mesedez aplikazioaren garatzailearekin harremanetan jarri + Ustekabeko akats bat gertatu da. Mesedez aplikazioaren garatzailearekin harremanetan jarri + Okerreko erabiltzaile izena edo pasahitza + Arazoa + Eskuz bidali + Mesedez sartu arazoaren azalpen bat + Mesedez sartu zure baliozko GitHub-eko pasahitza + Mesedez sartu arazoaren titulu bat + Mesedez sartu zure baliozko GitHub-eko erabiltzaile izena + Ustekabeko akats bat gertatu da. Sentitzen dugu akats hau aurkitu izana, huts egiten jarraitzen batu \"Garbitu aplikazioaren datuak\" + Txostena GitHub-era igotzen... + GitHub kontua erabiliz bidali + Buy now + Ezeztatu + Txartela + Zirkularra + Txartel koloreztatua + Txartela + Karrusela + Karrusel efektua orain erreproduzitzen pantailan + Ur jauzi moduan + Igorri + Aldaketa zerrenda + Aldaketa zerrenda Telegrameko kanalean mantentzen da + Circle + Zirkularra + Classic + Garbitu + Garbitu aplikazioaren datuak + Zerrenda beltza garbitu + Ilara garbitu + Erreprodukzio zerrenda garbitu + %1$s erreprodukzio zerrenda garbitu? Hau ezin da desegin!]]> + Itxi + Kolorea + Kolorea + Koloreak + Composer + Gailuaren informazioa arbelean kopiatuta + Ezin izan da erreprodukzio zerrenda sortu + "Ezin izan da bat datorren albumaren azalik deskargatu" + Ezin izan da erosketa leheneratu + Ezin izan dira %d fitxategiak eskaneatu + Sortu + %1$s erreprodukzio zerrenda sortua + Kideak eta laguntzaileak + %2$s-(r)en %1$s entzuten ari zara + Nahiko iluna + Letrarik ez + Erreprodukzio zerrenda ezabatu + %1$s erreprodukzio zerrenda ezabatu?]]> + Erreprodukzio zerrendak ezabatu + Delete song + %1$s abestia ezabatu?]]> + Delete songs + %1$d erreprodukzio zerrenda ezabatu?]]> + %1$d abesti ezabatu?]]> + %1$d abesti ezabatu dira + Deleting songs + Sakonera + Azalpena + Gailuaren informazioa + Allow Retro Music to modify audio settings + Set ringtone + Zerrenda beltza garbitu nahi duzu? + %1$s zerrenda beltzetik ezabatu nahi duzu?]]> + Lagundu diruz + Nire lanagatik ordaindua izan behar dudala pentsatzen baduzu, diru apur bat utzi dezakezu hemen + Erosidazu: + Deskargatu Last.fm-tik + Drive mode + Edit + Azala editatu + Hutsik + Nahasgailua + Akatsa + Ohiko galderak + Gogokoak + Finish last song + Egokitu + Laua + Karpetak + Follow system + Zuretzako + Free + Beteta + Txartel betea + Aldatu applikazioaren gai eta koloreak + Itxura + Generoa + Generoak + GitHub-en proiektua zatitu + Batu Google Plus-eko komunitatea laguntza eskatzeko edo Retro Music-en eguneraketak jarraitzeko + 1 + 2 + 3 + 4 + 5 + 6 + 7 + 8 + Grid style + Bisagra + Historiala + Hasiera + Iraulketa horizontala + Irudia + Gradient image + Aldatu artisten irudien deskarga ezarpenak + %1$d abesti gehitu dira %2$s erreprodukzio zerrendan + Partekatu zure Retro Music-en konfigurazioa Instagram-en + Keyboard + Bit-tasa + Formatua + Fitxategiaren izena + Fitxategiaren kokalekua + Tamaina + More from %s + Laginketa tasa + Luzera + Etiketaduna + Gehitutako azkenak + Last song + Musika erreproduzitu dezagun + Liburutegia + Library categories + Lizentziak + Zuria jakina + Listeners + Fitxategien zerrenda + Produktuak kargatzen... + Saioa hasi + Letrak + ❤️-z Indian egina + Материален + Error + Permission error + Nire izena + Gehien erreproduzituak + Inoiz ez + Banner argazki berria + Erreprodukzio zerrenda berria + Profileko argazki berria + %s da hasierako direktorio berria + Next Song + Albumik ez + Artistarik ez + "Lehenik erreproduzitu abesti bat, saiatu berriro ondoren" + Nahasgailurik ez da aurkitu + Generorik ez + Ez da letrarik aurkitu + No songs playing + Erreprodukzio zerrendarik ez + Ez da erosketarik aurkitu + Emaitzarik ez + Abestirik ez + Normala + Letra normalak + Normala + %s ez dator dendan zerrendatua]]> + Eskaneatzekorik ez + Nothing to see + Jakinarazpena + Jakinarazpen estiloa pertsonalizatu + Orain erreproduzitzen + Erreprodukzio ilara + Pertsonalizatu orain erreproduzitzen pantaila + 9+ orain erreproduzitzen gai + Wi-Fi-arekin bakarrik + Advanced testing features + Bestelako + Pasahitza + Azken 3 hilabeteak + Paste lyrics here + Peak + Kanpoko biltegiratzera sarbidea ukatua + Baimenak ukatuak izan dira + Pertsonalizatu + Pertsonalizatu zure orain erreproduzitzen eta UI kontrolak + Tokiko biltegitik hautatu + Pick image + Pinterest + Follow Pinterest page for Retro Music design inspiration + Arrunta + Erreproduzitzen jakinarazpenak erreproduzitu/pausatu etab. ekintzak eskaintzen ditu + Erreproduzitzen jakinarazpena + Erreprodukzio zerrenda hutsa + Erreprodukzio zerrenda hutsik dago + Erreprodukzio zerrendaren izena + Erreprodukzio zerrendak + Albumaren xehetasunen estiloa + Gai lausoetan ezarritako lausotze maila, baxuagoa azkarragoa da + Lausotze maila + Adjust the bottom sheet dialog corners + Dialog corner + Filter songs by length + Filter song duration + Advanced + Album style + Audioa + Blacklist + Controls + Gaia + Irudiak + Library + Blokeo-pantaila + Erreprodukzio zerrendak + Pausaru zeroan eta erreproduzitu bolumena igotzean. Adi, bolumena igotzean aplikaziotik kanpo egonik ere erreproduzituko da + 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 + Start playing as soon as connected to bluetooth device + Lausotu albumaren azala blokeo-pantailan. Arazoak sor ditzazke hirugarrenen aplikazio edota widgetekin + Karrusel efektua erreprodukzio pantailako album azalerako. Kontuan izan Txartela eta Txartel lausotua gaiek ez dutela funtzionatuko + 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 + Lekua egonik, erakutsi bolumenaren kontrolak orain erreproduzitzen pantailan + Erakutsi albumaren azala + Album azalaren gaia + Albumaren azala saltatu + Album sareta + Koloreztaturiko aplikazio lasterbideak + Artista sareta + Jaitsi bolumena foku galeran + Deskargatu artisten irudiak automatikoki + Zerrenda beltza + Bluetooth playback + Lausotu albumaren azala + Hautatu nahasgailua + Jakinarazpenen diseinu klasikoa + Kolore moldagarria + Jakinarazpen koloreztatua + Desaturated color + Kontrol gehigarriak + Song info + Tarterik gabeko erreprodukzioa + Aplikazioaren gaia + Erakutsi genero fitxa + Hasierako artista sareta + Hasierako bannerra + Media dendako azalei ez ikusi egin + Gahitutako azkenen erreprodukzio zerrendaren tartea + Pantaila osoko kontrolak + Nabigazio barra koloreztatua + Orain erreproduzitzen gaia + Software libre lizentziak + Izkinako ertzak + Fitxen titulu modua + Karrusel efektua + Kolore menderatzailea + Pantaila osoko aplikazioa + Fitxen tituluak + Erreprodukzio automatikoa + Nahastu modua + Bolumen kontrolak + Erabiltzaileari buruz + Kolore nagusia + Gaiaren kolore nagusiak, lehentsia urdin-grisa, kolore ilunekin funtzionatzen du oraingoz + Pro + Black theme, Now playing themes, Carousel effect and more.. + Profila + Erosi + *Pentsatu erosi aurretik, ez eskatu itzulketarik + Ilara + Baloratu aplikazioa + Aplikazioa gustatzen zaizu? Esan iezaguzu Google Play Store-n nola hobetu dezakegun + Azken albumak + Azken artistak + Kendu + Banner argazkia kendu + Azala kendu + Zerrenda beltzetik kendu + Profileko argazkia kendu + Abestia erreprodukzio zerrendatik kendu + %1$s abestia erreprodukzio zerrendatik kendu?]]> + Abestiak erreprodukzio zerrendatik kendu + %1$d abesti erreprodukzio zerrendatik kendu?]]> + Erreprodukzio zerrenda berrizendatu + Arazo baten berri eman + Eman akatsen berri + Reset + Artistaren irudia berrezarri + Leheneratu + Aurreko erosketa leheneratua. Mesedez aplikazioa berrabiarazi ezaugarri guztiak erabiltzeko + Aurreko erosketa leheneratua + Erosketa leheneratzen... + Retro Music Nahasgailua + Retro Music Player + Retro Music Pro + File delete failed: %s + + Can\'t get SAF URI + Open navigation drawer + Enable \'Show SD card\' in overflow menu + + %s needs SD card access + You need to select your SD card root directory + Select your SD card in navigation drawer + Do not open any sub-folders + Tap \'select\' button at the bottom of the screen + File write failed: %s + Save + + + Gorde fitxategi gisa + Gorde fitxategi gisa + Erreprodukzio zerrenda %s-n gorde da + Aldaketak gordetzen + Eskaneatu media + %2$d-tik %1$d fitxategi eskaneatu dira + Scrobbles + Zure liburutegian bilatu... + Hautatu guztiak + Banner argazkia hautatu + Hautatua + Send crash log + Set + Artistaren irudia ezarri + Set a profile photo + Partekatu aplikazioa + Share to Stories + Nahastu + Soila + Lo tenporizadorea bertan behera utzi da + Lo tenporizadorea %d minuturako ezarri da + Slide + Album txikia + Soziala + Share story + Abestia + Abestiaren iraupena + Abestiak + Ordenatze irizpidea + Gorakorra + Albuma + Artista + Composer + Data + Date modified + Urtea + Beherakorra + Sentitzen dugu! Zure gailuak ez du ahots bidezko idazketa onartzen + Zure liburutegian bilatu + Stack + Start playing music. + Iradokizunak + Zure izena bakarrik erakutsi hasiera pantailan + Onartutako garapena + Swipe to unlock + Letra sinkronizatuak + Sistemako nahasgailua + + Telegram + Batu Telegram-eko kanala akatsak, iradokizunak etab. kontatzeko + Eskerrik asko! + Audio fitxategia + Hilabete hau + Aste hau + Urte hau + Ñimiñoa + Titulua + Arbela + Arratsalde on + Egun on + Arratsalde on + Egun on + Gabon + Zein da zure izena + Gaur + Album onenak + Artista onenak + "Pista (2, 2. pistarako edo 3004 3. CDko 4. pistarako)" + Pista zenbakia + Itzuli + Lagun iezaguzu aplikazioa zure hizkuntzara itzultzen + Twitter + Partekatu zure Retro Music-en diseinua + Etiketa gabe + Ezin izan da abestia erreproduzitu + Jarraian + Irudia eguneratu + Eguneratzen... + Erabiltzaile izena + Bertsioa + Iraulketa bertikala + Birtualizatzailea + Volume + Web bilaketa + Welcome, + Zer partekatu nahi duzu? + Zer berri + Leihoa + Ertz biribilduak + Ezarri %1$s dei-tonu gisa + %1$d hautaturik + Urtea + You have to select at least one category. + Arazo bilatzaile webgunera birbidalia izango zara + Zure kontuaren datuak autentifikaziorako soilik erabiliko dira + Amount + Note(Optional) + Start payment + Show now playing screen + Clicking on the notification will show now playing screen instead of the home screen + Tiny card + diff --git a/app/src/main/res/master/values-fa-rIR/strings.xml b/app/src/main/res/master/values-fa-rIR/strings.xml new file mode 100644 index 00000000..321eb477 --- /dev/null +++ b/app/src/main/res/master/values-fa-rIR/strings.xml @@ -0,0 +1,515 @@ + + + Team, social links + Accent color + The theme accent color, defaults to purple + About + Add to favorites + Add to playing queue + Add to playlist + Clear playing queue + Clear playlist + Cycle repeat mode + Delete + Delete from device + Details + Go to album + Go to artist + Go to genre + Go to start directory + Grant + Grid size + Grid size (land) + New playlist + Next + Play + Play all + Play next + Play/Pause + Previous + Remove from favorites + Remove from playing queue + Remove from playlist + Rename + Save playing queue + Scan + Search + Start + Set as ringtone + Set as start directory + "Settings" + Share + Shuffle all + Shuffle playlist + Sleep timer + Sort order + Tag editor + Toggle favorite + Toggle shuffle mode + Adaptive + Add + Add lyrics + Add \nphoto + "Add to playlist" + Add time frame lyrics + "Added 1 title to the playing queue." + Added %1$d titles to the playing queue. + Album + Album artist + The title or artist is empty. + Albums + Always + Hey check out this cool music player at: https://play.google.com/store/apps/details?id=%s + Shuffle + Top Tracks + Retro music - Big + Retro music - Card + Retro music - Classic + Retro music - Small + Retro music - Text + Artist + Artists + Audio focus denied. + Change the sound settings and adjust the equalizer controls + Auto + Base color theme + Bass Boost + Bio + Biography + Just Black + Blacklist + Blur + Blur Card + Unable to send report + Invalid access token. Please contact the app developer. + Issues are not enabled for the selected repository. Please contact the app developer. + An unexpected error occurred. Please contact the app developer. + Wrong username or password + Issue + Send manually + Please enter an issue description + Please enter your valid GitHub password + Please enter an issue title + Please enter your valid GitHub username + An unexpected error occurred. Sorry you found this bug, if it keeps crashing \"Clear app data\" or send an Email + Uploading report to GitHub… + Send using GitHub account + Buy now + Cancel + Card + Circular + Colored Card + Card + Carousel + Carousel effect on the now playing screen + Cascading + Cast + Changelog + Changelog maintained on the Telegram channel + Circle + Circular + Classic + Clear + Clear app data + Clear blacklist + Clear queue + Clear playlist + %1$s? This can\u2019t be undone!]]> + Close + Color + Color + Colors + Composer + Copied device info to clipboard. + Couldn\u2019t create playlist. + "Couldn\u2019t download a matching album cover." + Could not restore purchase. + Could not scan %d files. + Create + Created playlist %1$s. + Members and contributors + Currently listening to %1$s by %2$s. + Kinda Dark + No Lyrics + Delete playlist + %1$s?]]> + Delete playlists + Delete song + %1$s?]]> + Delete songs + %1$d playlists?]]> + %1$d songs?]]> + Deleted %1$d songs. + Deleting songs + Depth + Description + Device info + Allow Retro Music to modify audio settings + Set ringtone + Do you want to clear the blacklist? + %1$s from the blacklist?]]> + Donate + If you think I deserve to get paid for my work, you can leave some money here + Buy me a: + Download from Last.fm + Drive mode + Edit + Edit cover + Empty + Equalizer + Error + FAQ + Favorites + Finish last song + Fit + Flat + Folders + Follow system + For you + Free + Full + Full card + Change the theme and colors of the app + Look and feel + Genre + Genres + Fork the project on GitHub + Join the Google Plus community where you can ask for help or follow Retro Music updates + 1 + 2 + 3 + 4 + 5 + 6 + 7 + 8 + Grid style + Hinge + History + Home + Horizontal flip + Image + Gradient image + Change artist image download settings + Inserted %1$d songs into the playlist %2$s. + Share your Retro Music setup to showcase on Instagram + Keyboard + Bitrate + Format + File name + File path + Size + More from %s + Sampling rate + Length + Labeled + Last added + Last song + Let\'s play some music + Library + Library categories + Licenses + Clearly White + Listeners + Listing files + Loading products… + Login + Lyrics + Made with ❤️ in India + Material + Error + Permission error + Name + Most played + Never + New banner photo + New playlist + New profile photo + %s is the new start directory. + Next Song + You have no albums + You have no artists + "Play a song first, then try again." + No equalizer found + You have no genres + No lyrics found + No songs playing + You have no playlists + No purchase found. + No results + You have no songs + Normal + Normal lyrics + Normal + %s is not listed in the media store.]]> + Nothing to scan. + Nothing to see + Notification + Customize the notification style + Now playing + Now playing queue + Customize the now playing screen + 9+ now playing themes + Only on Wi-Fi + Advanced testing features + Other + Password + Past 3 months + Paste lyrics here + Peak + Permission to access external storage denied. + Permissions denied. + Personalize + Customize your now playing and UI controls + Pick from local storage + Pick image + Pinterest + Follow Pinterest page for Retro Music design inspiration + Plain + The playing notification provides actions for play/pause etc. + Playing notification + Empty playlist + Playlist is empty + Playlist name + Playlists + Album detail style + Amount of blur applied for blur themes, lower is faster + Blur amount + Adjust the bottom sheet dialog corners + Dialog corner + Filter songs by length + Filter song duration + Advanced + Album style + Audio + Blacklist + Controls + Theme + Images + Library + Lockscreen + Playlists + Pauses the song when the volume decreases to zero and starts playing back when the volume level rises. Also works outside the app + Pause on zero + Keep in mind that enabling this feature may affect battery life + Keep the screen on + Click to open with or slide to without transparent navigation of now playing screen + Click or Slide + Snow fall effect + 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. + Start playing as soon as connected to bluetooth device + Blur the album cover on the lockscreen. Can cause problems with third party apps and widgets + Carousel effect for the album art in the now playing screen. Note that Card and Blur Card themes won\'t work + 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 + Toggle home banner style + Can increase the album cover quality, but causes slower image loading times. Only enable this if you have problems with low resolution artworks + Configure visibility and order of library categories. + Use Retro Music\'s custom lockscreen controls + License details for open source software + Round the app\'s edges + Toggle titles for the bottom navigation bar tabs + Immersive mode + Start playing immediately after headphones are connected + Shuffle mode will turn off when playing a new list of songs + If enough space is available, show volume controls in the now playing screen + Show album cover + Album cover theme + Album cover skip + Album grid + Colored app shortcuts + Artist grid + Reduce volume on focus loss + Auto-download artist images + Blacklist + Bluetooth playback + Blur album cover + Choose equalizer + Classic notification design + Adaptive color + Colored notification + Desaturated color + Extra controls + Song info + Gapless playback + App theme + Show genre tab + Home artist grid + Home 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. + Queue + Rate the app + Love this app? Let us know in the Google Play Store how we can make it even better + Recent albums + Recent artists + Remove + Remove banner photo + Remove cover + Remove from blacklist + Remove profile photo + Remove song from playlist + %1$s from the playlist?]]> + Remove songs from playlist + %1$d songs from the playlist?]]> + Rename playlist + Report an issue + Report bug + Reset + Reset artist image + Restore + Restored previous purchase. Please restart the app to make use of all features. + Restored previous purchases. + Restoring purchase… + Retro Music Equalizer + Retro Music Player + Retro Music Pro + File delete failed: %s + + Can\'t get SAF URI + Open navigation drawer + Enable \'Show SD card\' in overflow menu + + %s needs SD card access + You need to select your SD card root directory + Select your SD card in navigation drawer + Do not open any sub-folders + Tap \'select\' button at the bottom of the screen + File write failed: %s + Save + + + Save as file + Save as files + Saved playlist to %s. + Saving changes + Scan media + Scanned %1$d of %2$d files. + Scrobbles + Search your library… + Select all + Select banner photo + Selected + Send crash log + Set + Set artist image + Set a profile photo + Share app + Share to Stories + Shuffle + Simple + Sleep timer canceled. + Sleep timer set for %d minutes from now. + Slide + Small album + Social + Share story + Song + Song duration + Songs + Sort order + Ascending + Album + Artist + Composer + Date added + Date modified + Year + Descending + Sorry! Your device doesn\'t support speech input + Search your library + Stack + Start playing music. + Suggestions + Just show your name on home screen + Support development + Swipe to unlock + Synced lyrics + System Equalizer + + Telegram + Join the Telegram group to discuss bugs, make suggestions, show off and more + Thank you! + The audio file + This month + This week + This year + Tiny + Title + Dashboard + Good afternoon + Good day + Good evening + Good morning + Good night + What\'s Your Name + Today + Top albums + Top artists + "Track (2 for track 2 or 3004 for CD3 track 4)" + Track number + Translate + Help us translate the app to your language + Twitter + Share your design with Retro Music + Unlabeled + Couldn\u2019t play this song. + Up next + Update image + Updating… + Username + Version + Vertical flip + Virtualizer + Volume + Web search + Welcome, + What do you want to share? + What\'s New + Window + Rounded corners + Set %1$s as your ringtone. + %1$d selected + Year + You have to select at least one category. + You will be forwarded to the issue tracker website. + Your account data is only used for authentication. + Amount + Note(Optional) + Start payment + Show now playing screen + Clicking on the notification will show now playing screen instead of the home screen + Tiny card + diff --git a/app/src/main/res/master/values-fi-rFI/strings.xml b/app/src/main/res/master/values-fi-rFI/strings.xml new file mode 100644 index 00000000..321eb477 --- /dev/null +++ b/app/src/main/res/master/values-fi-rFI/strings.xml @@ -0,0 +1,515 @@ + + + Team, social links + Accent color + The theme accent color, defaults to purple + About + Add to favorites + Add to playing queue + Add to playlist + Clear playing queue + Clear playlist + Cycle repeat mode + Delete + Delete from device + Details + Go to album + Go to artist + Go to genre + Go to start directory + Grant + Grid size + Grid size (land) + New playlist + Next + Play + Play all + Play next + Play/Pause + Previous + Remove from favorites + Remove from playing queue + Remove from playlist + Rename + Save playing queue + Scan + Search + Start + Set as ringtone + Set as start directory + "Settings" + Share + Shuffle all + Shuffle playlist + Sleep timer + Sort order + Tag editor + Toggle favorite + Toggle shuffle mode + Adaptive + Add + Add lyrics + Add \nphoto + "Add to playlist" + Add time frame lyrics + "Added 1 title to the playing queue." + Added %1$d titles to the playing queue. + Album + Album artist + The title or artist is empty. + Albums + Always + Hey check out this cool music player at: https://play.google.com/store/apps/details?id=%s + Shuffle + Top Tracks + Retro music - Big + Retro music - Card + Retro music - Classic + Retro music - Small + Retro music - Text + Artist + Artists + Audio focus denied. + Change the sound settings and adjust the equalizer controls + Auto + Base color theme + Bass Boost + Bio + Biography + Just Black + Blacklist + Blur + Blur Card + Unable to send report + Invalid access token. Please contact the app developer. + Issues are not enabled for the selected repository. Please contact the app developer. + An unexpected error occurred. Please contact the app developer. + Wrong username or password + Issue + Send manually + Please enter an issue description + Please enter your valid GitHub password + Please enter an issue title + Please enter your valid GitHub username + An unexpected error occurred. Sorry you found this bug, if it keeps crashing \"Clear app data\" or send an Email + Uploading report to GitHub… + Send using GitHub account + Buy now + Cancel + Card + Circular + Colored Card + Card + Carousel + Carousel effect on the now playing screen + Cascading + Cast + Changelog + Changelog maintained on the Telegram channel + Circle + Circular + Classic + Clear + Clear app data + Clear blacklist + Clear queue + Clear playlist + %1$s? This can\u2019t be undone!]]> + Close + Color + Color + Colors + Composer + Copied device info to clipboard. + Couldn\u2019t create playlist. + "Couldn\u2019t download a matching album cover." + Could not restore purchase. + Could not scan %d files. + Create + Created playlist %1$s. + Members and contributors + Currently listening to %1$s by %2$s. + Kinda Dark + No Lyrics + Delete playlist + %1$s?]]> + Delete playlists + Delete song + %1$s?]]> + Delete songs + %1$d playlists?]]> + %1$d songs?]]> + Deleted %1$d songs. + Deleting songs + Depth + Description + Device info + Allow Retro Music to modify audio settings + Set ringtone + Do you want to clear the blacklist? + %1$s from the blacklist?]]> + Donate + If you think I deserve to get paid for my work, you can leave some money here + Buy me a: + Download from Last.fm + Drive mode + Edit + Edit cover + Empty + Equalizer + Error + FAQ + Favorites + Finish last song + Fit + Flat + Folders + Follow system + For you + Free + Full + Full card + Change the theme and colors of the app + Look and feel + Genre + Genres + Fork the project on GitHub + Join the Google Plus community where you can ask for help or follow Retro Music updates + 1 + 2 + 3 + 4 + 5 + 6 + 7 + 8 + Grid style + Hinge + History + Home + Horizontal flip + Image + Gradient image + Change artist image download settings + Inserted %1$d songs into the playlist %2$s. + Share your Retro Music setup to showcase on Instagram + Keyboard + Bitrate + Format + File name + File path + Size + More from %s + Sampling rate + Length + Labeled + Last added + Last song + Let\'s play some music + Library + Library categories + Licenses + Clearly White + Listeners + Listing files + Loading products… + Login + Lyrics + Made with ❤️ in India + Material + Error + Permission error + Name + Most played + Never + New banner photo + New playlist + New profile photo + %s is the new start directory. + Next Song + You have no albums + You have no artists + "Play a song first, then try again." + No equalizer found + You have no genres + No lyrics found + No songs playing + You have no playlists + No purchase found. + No results + You have no songs + Normal + Normal lyrics + Normal + %s is not listed in the media store.]]> + Nothing to scan. + Nothing to see + Notification + Customize the notification style + Now playing + Now playing queue + Customize the now playing screen + 9+ now playing themes + Only on Wi-Fi + Advanced testing features + Other + Password + Past 3 months + Paste lyrics here + Peak + Permission to access external storage denied. + Permissions denied. + Personalize + Customize your now playing and UI controls + Pick from local storage + Pick image + Pinterest + Follow Pinterest page for Retro Music design inspiration + Plain + The playing notification provides actions for play/pause etc. + Playing notification + Empty playlist + Playlist is empty + Playlist name + Playlists + Album detail style + Amount of blur applied for blur themes, lower is faster + Blur amount + Adjust the bottom sheet dialog corners + Dialog corner + Filter songs by length + Filter song duration + Advanced + Album style + Audio + Blacklist + Controls + Theme + Images + Library + Lockscreen + Playlists + Pauses the song when the volume decreases to zero and starts playing back when the volume level rises. Also works outside the app + Pause on zero + Keep in mind that enabling this feature may affect battery life + Keep the screen on + Click to open with or slide to without transparent navigation of now playing screen + Click or Slide + Snow fall effect + 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. + Start playing as soon as connected to bluetooth device + Blur the album cover on the lockscreen. Can cause problems with third party apps and widgets + Carousel effect for the album art in the now playing screen. Note that Card and Blur Card themes won\'t work + 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 + Toggle home banner style + Can increase the album cover quality, but causes slower image loading times. Only enable this if you have problems with low resolution artworks + Configure visibility and order of library categories. + Use Retro Music\'s custom lockscreen controls + License details for open source software + Round the app\'s edges + Toggle titles for the bottom navigation bar tabs + Immersive mode + Start playing immediately after headphones are connected + Shuffle mode will turn off when playing a new list of songs + If enough space is available, show volume controls in the now playing screen + Show album cover + Album cover theme + Album cover skip + Album grid + Colored app shortcuts + Artist grid + Reduce volume on focus loss + Auto-download artist images + Blacklist + Bluetooth playback + Blur album cover + Choose equalizer + Classic notification design + Adaptive color + Colored notification + Desaturated color + Extra controls + Song info + Gapless playback + App theme + Show genre tab + Home artist grid + Home 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. + Queue + Rate the app + Love this app? Let us know in the Google Play Store how we can make it even better + Recent albums + Recent artists + Remove + Remove banner photo + Remove cover + Remove from blacklist + Remove profile photo + Remove song from playlist + %1$s from the playlist?]]> + Remove songs from playlist + %1$d songs from the playlist?]]> + Rename playlist + Report an issue + Report bug + Reset + Reset artist image + Restore + Restored previous purchase. Please restart the app to make use of all features. + Restored previous purchases. + Restoring purchase… + Retro Music Equalizer + Retro Music Player + Retro Music Pro + File delete failed: %s + + Can\'t get SAF URI + Open navigation drawer + Enable \'Show SD card\' in overflow menu + + %s needs SD card access + You need to select your SD card root directory + Select your SD card in navigation drawer + Do not open any sub-folders + Tap \'select\' button at the bottom of the screen + File write failed: %s + Save + + + Save as file + Save as files + Saved playlist to %s. + Saving changes + Scan media + Scanned %1$d of %2$d files. + Scrobbles + Search your library… + Select all + Select banner photo + Selected + Send crash log + Set + Set artist image + Set a profile photo + Share app + Share to Stories + Shuffle + Simple + Sleep timer canceled. + Sleep timer set for %d minutes from now. + Slide + Small album + Social + Share story + Song + Song duration + Songs + Sort order + Ascending + Album + Artist + Composer + Date added + Date modified + Year + Descending + Sorry! Your device doesn\'t support speech input + Search your library + Stack + Start playing music. + Suggestions + Just show your name on home screen + Support development + Swipe to unlock + Synced lyrics + System Equalizer + + Telegram + Join the Telegram group to discuss bugs, make suggestions, show off and more + Thank you! + The audio file + This month + This week + This year + Tiny + Title + Dashboard + Good afternoon + Good day + Good evening + Good morning + Good night + What\'s Your Name + Today + Top albums + Top artists + "Track (2 for track 2 or 3004 for CD3 track 4)" + Track number + Translate + Help us translate the app to your language + Twitter + Share your design with Retro Music + Unlabeled + Couldn\u2019t play this song. + Up next + Update image + Updating… + Username + Version + Vertical flip + Virtualizer + Volume + Web search + Welcome, + What do you want to share? + What\'s New + Window + Rounded corners + Set %1$s as your ringtone. + %1$d selected + Year + You have to select at least one category. + You will be forwarded to the issue tracker website. + Your account data is only used for authentication. + Amount + Note(Optional) + Start payment + Show now playing screen + Clicking on the notification will show now playing screen instead of the home screen + Tiny card + diff --git a/app/src/main/res/values-fr/strings.xml b/app/src/main/res/master/values-fr-rFR/strings.xml similarity index 78% rename from app/src/main/res/values-fr/strings.xml rename to app/src/main/res/master/values-fr-rFR/strings.xml index 8a41eb16..e516ce10 100644 --- a/app/src/main/res/values-fr/strings.xml +++ b/app/src/main/res/master/values-fr-rFR/strings.xml @@ -1,143 +1,89 @@ - + Équipe, liens sociaux - Couleur d\'accentuation - La couleur d\'accentuation du thème, verte par défaut - - À propos - + Couleur d\'accentuation du thème, violette par défaut + À propos de Ajouter aux favoris Ajouter à la file d\'attente Ajouter à la playlist - Vider la file d\'attente Vider la playlist - + Mode de répétition du cycle Supprimer Supprimer de l\'appareil - Détails - Aller à l\'album Aller à l\'artiste Aller au genre Aller au dossier de départ - Accorder - Taille de la grille Taille de la grille (paysage) - - Nouvelle liste de lecture… - + Nouvelle liste de lecture Suivant - Lecture - Jouer tous les - Lire après + Jouer tout + Jouer le suivant Lecture / Pause - Précédent - Supprimer des favoris Supprimer de la file d\'attente Supprimer de la liste de lecture - Renommer - Enregistrer la file d\'attente - Scanner - Rechercher - Démarrer Définir en tant que sonnerie Définir comme dossier de départ - "Paramètres" - Partager - Tout aléatoire - Playlist en lecture aléatoire - - Minuteur de sommeil - - Ordre de tri - - Éditeur de tag metadata - + Lancer en aléatoire + Minuteur + Trier par + Éditeur de tag + Activer les favoris + Jouer en aléatoire Adaptatif - Ajouter - - Ajouter paroles - - Ajouter\nune photo - - "Ajouter à playlist" - - Add time frame lyrics - - "1 titre à été ajoutée à la file d'attente." - - %1$d titres ont été ajoutés à la file d\'attente. - + Ajouter des paroles + Ajouter une photo + "Ajouter à la playlist" + Ajouter des paroles synchronisées + "1 titre ajouté à la file d’attente." + %1$d titres ajoutés à la liste d’attente. Album - - Artiste de l\'album - - Le titre ou l\'artiste est vide. - + 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 - - + Hey, jetez un coup d’œil à cet excellent lecteur de musique: https://play.google.com/store/apps/details?id=%s Aléatoire Pistes préférées - Retro Music – Grand Retro Music – Carte Retro Music – Classique Retro Music – Petit Retro music - Texte - Artiste - Artistes - Focus audio refusé. - Changer les paramètres audio et ajuster l\'égaliseur - - Auto - - Couleur de base du thème - + Automatique + Couleur par défaut Renforcement des basses - Biographie - Biographie - Juste noir - Liste noire - Flou - Carte floue - Impossible d\'envoyer le rapport de bug Jeton d\'accès invalide. Veuillez contacter le développeur de l\'application. Les problèmes ne sont pas activés pour le dépôt sélectionné. Veuillez contacter le développeur de l\'application. - Erreur inopinée. Veuillez contacter le développeur de l\'application. + Erreur inattendue. Veuillez contacter le développeur de l’application. Nom d\'utilisateur ou mot de passe invalide Problème Envoyer manuellement @@ -148,147 +94,87 @@ 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 - + Buy now Annuler - Carte - Circulaire - Cartes colorées - Carte - Carousel - Effet carousel sur l\'écran de lecture en cours - En cascade - Caster - Liste des changements - Liste des changements maintenu sur la canal Telegram - + Circle Circulaire - Classique - Effacer - Effacer les données d\'application - Effacer la liste noire - Vider la file d\'attente - Effacer la liste de lecture %1$s ? Cette action ne pourra pas \u00eatre annul\u00e9e !]]> - Fermer - Couleur - Couleur - Couleurs - Compositeur - Informations sur l\'appareil copiées dans le presse-papier. - La liste de lecture n\'a pas pu \u00eatre cr\u00e9\u00e9e. "Impossible de t\u00e9l\u00e9charger une image d'album qui corresponde." Les achats n\'ont pas pu être restaurés. Les fichiers %d n\'ont pas pu être scanné. - Créer - Liste de lecture %1$s créée. - Membres et contributeurs - Vous écoutez actuellement %1$s par %2$s. - Plutôt Sombre - Pas de Paroles - Supprimer la liste de lecture %1$s ?]]> - Supprimer les listes de lecture - Supprimer le morceau %1$s ?]]> - Supprimer les morceaux - %1$d ?]]> %1$d ?]]> %1$d à été supprimé. - + Suppression des morceaux Profondeur - - Description - + Libellé Infos sur l\'appareil - - Autoriser la musique Retro pour modifier les paramètres audio - - Set ringtone - - Voulez vous vraiment vider la liste noire ? - %1$s de la liste noire ?]]> - + Autoriser Retro Music à modifier les réglages audio + Choisir la sonnerie + Souhaitez vous vraiment vider la liste noire ? + %1$s de la liste noire ?]]> Faire un don - - Si vous pensez que je mérite d\'être payé pour mon travail, vous pouvez me donner quelques dollars ici - - Achetez moi : - + Si vous penser que je mériterais d’être payé pour mon travail, vous pouvez laisser de l’argent ici + Achetez moi: Télécharger via Last.fm - + Mode conduite Modifier - Modifier la couverture - Vide - Égaliseur - Erreur - - FAQ - + Foire Aux Questions Favoris - Finissez la dernière chanson - Adapter - Plat - Dossiers - + Suivre le réglage système Pour vous - + Gratuit Plein - Carte complète - Changer le thème et les couleurs de l\'application Apparence - Genre - Genres - Cloner le projet sur GitHub - Rejoignez la communauté Google Plus, où vous pouvez demander de l\'aide ou suivre les mises à jour de Retro Music - 1 2 3 @@ -297,197 +183,123 @@ 6 7 8 - - - + Style de grille Charnière - Historique - Accueil - Balayage horizontal - Image - - Le Gradient de l\'image - + Image et dégradé Changer les paramètres de téléchargement des photos d\'artistes - %1$d morceaux ont été inséré dans la liste %2$s. - - Instagram Partager votre configuration de Retro Music pour la montrer sur Instagram - Clavier - Débit - Format Nom du fichier Chemin de fichier Taille - + More from %s Taux d’échantillonnage - Longueur - Étiqueté - Dernier ajout - Dernière Chanson - Jouons un peu de musique - Bibliothèque - Catégories - Licences - Clairement blanc - + Listeners Listage des fichiers - Chargement des produits… - Se connecter - Paroles - Fait avec ❤️ en Inde - Material - Erreur - Erreur d\'autorisation - Mon nom - Plus jouées - jamais - Nouvelle bannière photo - Nouvelle liste de lecture - Nouvelle photo de profil - %s est le nouveau dossier de départ. - Prochaine Chanson - Pas d\'albums - Pas d\'artistes - "Lancez d'abord un morceau, puis réessayez." - Aucun égaliseur trouvé - Aucun genre - Aucune parole trouvée - + No songs playing Aucune liste de lecture - Aucun achat trouvé - Aucun résultat - Aucun morceau - Normal - Paroles normales - Normal - - %s n\'est pas repertorié dans le stockage média.]]> - + %s n'est pas repertorié dans le stockage.]]> Rien à scanner. - + Rien à afficher Notification - Personnaliser le style de notification - - Lecture en cours + En cours de lecture File d\'attente Personnaliser l\'écran de lecture 9+ thèmes d\'écran de lecture en cours - Uniquement via Wi-Fi - Fonctions de test avancées - - Autre - + Autres Mot de passe - - 3 derniers mois - + Au cours des 3 derniers mois Coller les paroles ici - - La permission pour accéder au stockage externe a été refusée. - + Pic + Permission d’accéder au stockage externe 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. - + Suivez la page Pinterest pour plus d’inspiration de design pour Retro Music Simple - La notification de lecture fournit des actions pour la lecture / pause etc. - Lecture de la notification - + Notification de lecture 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 appliqué aux thèmes flous, le moins flou est le plus rapide Quantité de flou - - Filtre de la durée de la chanson - - De style Album + Ajuster les coins de la fenêtre de résumé + Coin de la fenêtre de dialogue + Filtrer les morceaux par longueur + Filtre des morceaux par durée + Avancé + Style de l\'album Audio - Contrôle + Liste noire + Contrôles Thème Images Bibliothèque Écran de verrouillage Listes de lecture - La lecture se met en pause à zéro et se lance lorsque le volume augmente. Attention, lorsque vous augmentez le volume, la musique se lance même si vous êtes en dehors de l\'app. 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. + Start playing as soon as connected to bluetooth device Flouter la couverture de l\'album sur l\'écran de verrouillage. Cela peut poser des problèmes avec des applications et widgets tiers. Effet carousel pour les couvertures d\'albums sur l\'écran de lecture en cours. Veuillez noter que les thèmes Carte et Carte floutée ne fonctionneront pas Utiliser le design classique pour les notifications @@ -495,8 +307,10 @@ 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 @@ -510,7 +324,6 @@ 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 Si vous avez assez de place, affiche les contrôle du volume sur l\'écran de lecture - Afficher la couverture de l\'album Thème de la couverture d\'album Style du balayage de l\'image d\'album @@ -520,261 +333,183 @@ 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 + Couleur désaturée Contrôles supplémentaires - Lecture sans blanc + Détails sur le morceau + Lecture sans pause Thème de l\'application Montrer l\'onglet Genres - Disposition de la grille d\'artistes sur l\'accueil + Style de la grille des artistes sur l\'accueil Bannière d\'accueil - Ignorer les couvertures du stockage média + Ignorer les couvertures dans le stockage 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 + Mode des titres d’onglets Effet carousel Couleur dominante - App en plein écran - Titres onglets + Application en plein écran + Titres des onglets Lecture automatique - Mode aléatoire + Lecture 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 - - Maintenant les thèmes de jeu, L\'effet de carrousel, thème de couleur et plus.. - + Pro + Thème noir, thèmes pour la fenêtre de lecture, effet carrousel 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 - + Retirer la photo en bannière Supprimer la couverture - Retirer de la liste noire - Supprimer la photo de profil - Supprimer le morceau de la liste de lecture %1$s de la liste de lecture ?]]> - Retirer le morceau de la liste de lecture - %1$d morceaux de la liste de lecture ?]]> - Renommer la liste de lecture - Signaler un problème - Signaler un bug - Réinitialiser - Réinitialiser la photo de l\'artiste - Restaurer - Achat précédent restauré. Veuillez redémarrer l\'application pour utiliser toutes les fonctionnalités. Achats précédents restaurés. - Restauration de l\'achat… - Égaliseur Retro Music - + Retro Music Player Retro Music Pro - + File delete failed: %s + + Can\'t get SAF URI + Open navigation drawer + Enable \'Show SD card\' in overflow menu + + %s needs SD card access + You need to select your SD card root directory + Select your SD card in navigation drawer + Do not open any sub-folders + Tap \'select\' button at the bottom of the screen + File write failed: %s Enregistrer - Enregistrer en tant que fichier - Enregistrer en tant que fichiers - Liste de lecture enregistrée vers %s - Enregistrement des changements - Scanner le média - Fichier %1$d sur %2$d scanné - + Scrobbles Recherche dans votre bibliothèque… - Tout sélectionner - Choisir la bannière photo - Sélectionné - Envoyer le journal du crash - Définir - Définir photo de l\'artiste - Définir une photo de profil - Partager l\'app - + Share to Stories Aléatoire - Simple - Minuteur d\'extinction annulé. Extinction dans %d minutes. - Diapositive - Petit album - Social - + Share story Morceau - Durée du morceau - Morceaux - Ordre de classement Ascendant Album Artiste Compositeur - Date + Date d\'ajout + Date de modification Année Descendant - - Désolé, votre appareil ne supporte pas l\'entrée vocale - + Désolé ! Votre appareil ne prend pas en charge la saisie vocale Rechercher dans votre bibliothèque - Pile - - Commencer à jouer de la musique. - + 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 - + Égaliseur système Telegram Rejoignez le groupe Telegram pour discuter des bugs, faire des suggestions, montrer votre configuration, etc. - Merci ! - Le fichier audio - - Ce mois - + Ce mois-ci Cette semaine - 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 - + Quel est votre nom Aujourd\'hui - - Top albums - - Top artistes - + Albums les plus joués + Artistes les plus joués "Morceau (2 pour morceau 2, 3004 pour morceau 4 du CD 3)" - Numéro du morceau - - Traduction - + Traduire Aidez-nous à traduire l\'application dans votre langue - Twitter Partager votre design avec Retro Music - Non étiqueté - - Impossible de lire ce morceau. - + Impossible de lire ce fichier. À suivre - Mettre à jour l\'image - - Mise à jour... - + Mise à jour en cours… Nom d\'utilisateur - - version - + Version Balayage vertical - Virtualisateur - - "Recherche internet -" - + Volume + Recherche internet Accueillir, - Que souhaitez-vous partager ? - Quoi de neuf - Fenêtre - Bords arrondis - Définir %1$s comme sonnerie. - %1$d sélectionné - Année - Vous devez sélectionner au moins une catégorie. - Vous allez être redirigé vers le site web de suivi des problèmes. - Vos données de compte sont utilisées uniquement pour vous authentifier. - More from %s + 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/master/values-hi-rIN/strings.xml b/app/src/main/res/master/values-hi-rIN/strings.xml new file mode 100644 index 00000000..16111188 --- /dev/null +++ b/app/src/main/res/master/values-hi-rIN/strings.xml @@ -0,0 +1,515 @@ + + + टीम, सामाजिक लिंक + एक्सेंट रंग + एक्सेंट विषयवस्तु रंग, डिफ़ॉल्ट हरा है। + इसके बारे में + पसंदीदा में जोड़े + कतार में जोड़ें + प्लेलिस्ट में जोड़ें + कतार निकाल दे + प्लेलिस्ट निकाल दे + साइकिल रिपीट मोड + हटाएं + डिवाइस से हटाएं + विवरण + एल्बम पर जाएं + कलाकार पर जाएं + शैली पर जाएं + शुरू निर्देशिका पर जाएं + अनुदान + ग्रीड आकार + ग्रीड आकार (परीसदृश्य) + नई प्लेलिस्ट + अगला + चलाएं + सभी को बजाएं + अगला चलाएं + चलाएं/रोकें + पिछला + पसंदीदा में से निकाले + कतार में से निकले + प्लेलिस्ट में से निकालें + नाम बदलें + कतार सहेजें + छाने + खोजें + सेट + रिंगटोन के रूप में सेट करें + शुरू निर्देशिका के रूप में सेट करें + "सेटिंग" + शेयर + सभी शफ़ल करें + शफ़ल प्लेलिस्ट + स्लीप टाइमर + क्रमबद्ध आदेश + टैग एडिटर + पसंदीदा टॉगल करें + शफल मोड को टॉगल करें + अनुकूली + जोड़ें + गीत जोड़ें + फ़ोटो\nजोड़ें + "प्लेलिस्ट में जोड़ें" + समय सीमा गीत जोड़ें + "कतार मे 1 शीर्षक जोड़ा गया है।" + कतार मे %1$d शीर्षक जोड़ा गया है। + एल्बम + एल्बम कलाकार + शीर्षक या कलाकार खाली है + एल्बम + हमेशा + इस बढ़िया म्यूजिक प्लेयर को यहां देखें:https://play.google.com/store/apps/details?id=%s + शफ़ल + टॉप गीत + रेट्रो म्यूजिक - बिग + रेट्रो म्यूजिक - कार्ड + रेट्रो म्यूजिक - क्लासिक + Retro music - Small + Retro music - Text + कलाकार + कलाकार + ऑडियो फोकस से इनकार किया। + ध्वनि सेटिंग्स बदलें और तुल्यकारक नियंत्रण समायोजित करें + ऑटो + आधार रंग विषय + मंद्र को बढ़ाना + जैव + जीवनी + सिर्फ काला + ब्लैकलिस्ट + कलंक + ब्लर कार्ड + रिपोर्ट भेजने में असमर्थ + अमान्य प्रवेश टोकन। कृपया ऐप डेवलपर से संपर्क करें। + चयनित रिपॉजिटरी के लिए समस्याएँ सक्षम नहीं हैं। कृपया ऐप डेवलपर से संपर्क करें। + एक अप्रत्याशित त्रुटि हुई। कृपया ऐप डेवलपर से संपर्क करें। + उपयोगकर्ता का गलत नाम और पासवर्ड + मुद्दा + मैन्युअल भेजें + कृपया एक समस्या विवरण दर्ज करें + कृपया अपना वैध GitHub पासवर्ड दर्ज करें + कृपया एक समस्या शीर्षक दर्ज करें + कृपया अपना वैध GitHub उपयोगकर्ता नाम दर्ज करें + एक अप्रत्याशित त्रुटि हुई। क्षमा करें, आपको यह बग मिल गया है, अगर यह \"क्लियर ऐप डेटा\" को क्रैश करता है या ईमेल भेजता है + GitHub पर रिपोर्ट अपलोड कर रहा है ... + GitHub खाते का उपयोग करके भेजें + अभी खरीदें + वर्तमान टाइमर को रद्द करें + कार्ड + परिपत्र + Colored Card + Card + Carousel + Carousel effect on the now playing screen + Cascading + Cast + चेंजलाग + साफ़ + Circle + Circular + Classic + साफ़ + Clear app data + Clear blacklist + Clear queue + Clear playlist + %1$s? This can\u2019t be undone!]]> + Close + Color + Color + Colors + Composer + Copied device info to clipboard. + Couldn\u2019t create playlist. + "Couldn\u2019t download a matching album cover." + Could not restore purchase. + Could not scan %d files. + Create + Created playlist %1$s. + Members and contributors + Currently listening to %1$s by %2$s. + Kinda Dark + No Lyrics + Delete playlist + %1$s?]]> + Delete playlists + Delete song + %1$s?]]> + Delete songs + %1$d playlists?]]> + %1$d songs?]]> + Deleted %1$d songs. + Deleting songs + Depth + Description + Device info + Allow Retro Music to modify audio settings + Set ringtone + Do you want to clear the blacklist? + %1$s from the blacklist?]]> + Donate + If you think I deserve to get paid for my work, you can leave some money here + Buy me a: + Download from Last.fm + Drive mode + Edit + Edit cover + Empty + Equalizer + Error + FAQ + Favorites + Finish last song + Fit + Flat + Folders + Follow system + For you + Free + Full + Full card + Change the theme and colors of the app + Look and feel + Genre + Genres + Fork the project on GitHub + Join the Google Plus community where you can ask for help or follow Retro Music updates + 1 + 2 + 3 + 4 + 5 + 6 + 7 + 8 + Grid style + Hinge + History + Ghar + Horizontal flip + Image + Gradient image + Change artist image download settings + Inserted %1$d songs into the playlist %2$s. + Share your Retro Music setup to showcase on Instagram + Keyboard + Bitrate + Format + File name + File path + Size + More from %s + Sampling rate + Length + Labeled + Last added + Last song + Let\'s play some music + Library + Library categories + Licenses + Clearly White + Listeners + Listing files + Loading products… + Login + Lyrics + Made with ❤️ in India + Material + Error + Permission error + Name + Most played + Never + New banner photo + New playlist + New profile photo + %s is the new start directory. + Next Song + You have no albums + You have no artists + "Play a song first, then try again." + No equalizer found + You have no genres + No lyrics found + No songs playing + You have no playlists + No purchase found. + No results + You have no songs + Normal + Normal lyrics + Normal + %s is not listed in the media store.]]> + Nothing to scan. + Nothing to see + Notification + Customize the notification style + Now playing + Now playing queue + Customize the now playing screen + 9+ now playing themes + Only on Wi-Fi + Advanced testing features + Other + Password + Past 3 months + Paste lyrics here + Peak + Permission to access external storage denied. + Permissions denied. + Personalize + Customize your now playing and UI controls + Pick from local storage + Pick image + Pinterest + Follow Pinterest page for Retro Music design inspiration + Plain + The playing notification provides actions for play/pause etc. + Playing notification + Empty playlist + Playlist is empty + Playlist name + Playlists + Album detail style + Amount of blur applied for blur themes, lower is faster + Blur amount + Adjust the bottom sheet dialog corners + Dialog corner + Filter songs by length + Filter song duration + Advanced + Album style + Audio + Blacklist + Controls + Theme + Images + Library + Lockscreen + Playlists + Pauses the song when the volume decreases to zero and starts playing back when the volume level rises. Also works outside the app + Pause on zero + Keep in mind that enabling this feature may affect battery life + Keep the screen on + Click to open with or slide to without transparent navigation of now playing screen + Click or Slide + Snow fall effect + 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. + Start playing as soon as connected to bluetooth device + Blur the album cover on the lockscreen. Can cause problems with third party apps and widgets + Carousel effect for the album art in the now playing screen. Note that Card and Blur Card themes won\'t work + 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 + Toggle home banner style + Can increase the album cover quality, but causes slower image loading times. Only enable this if you have problems with low resolution artworks + Configure visibility and order of library categories. + Use Retro Music\'s custom lockscreen controls + License details for open source software + Round the app\'s edges + Toggle titles for the bottom navigation bar tabs + Immersive mode + Start playing immediately after headphones are connected + Shuffle mode will turn off when playing a new list of songs + If enough space is available, show volume controls in the now playing screen + Show album cover + Album cover theme + Album cover skip + Album grid + Colored app shortcuts + Artist grid + Reduce volume on focus loss + Auto-download artist images + Blacklist + Bluetooth playback + Blur album cover + Choose equalizer + Classic notification design + Adaptive color + Colored notification + Desaturated color + Extra controls + Song info + Gapless playback + App theme + Show genre tab + Home artist grid + Home 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. + Queue + Rate the app + Love this app? Let us know in the Google Play Store how we can make it even better + Recent albums + Recent artists + Remove + Remove banner photo + Remove cover + Remove from blacklist + Remove profile photo + Remove song from playlist + %1$s from the playlist?]]> + Remove songs from playlist + %1$d songs from the playlist?]]> + Rename playlist + Report an issue + Report bug + Reset + Reset artist image + Restore + Restored previous purchase. Please restart the app to make use of all features. + Restored previous purchases. + Restoring purchase… + Retro Music Equalizer + Retro Music Player + Retro Music Pro + File delete failed: %s + + Can\'t get SAF URI + Open navigation drawer + Enable \'Show SD card\' in overflow menu + + %s needs SD card access + You need to select your SD card root directory + Select your SD card in navigation drawer + Do not open any sub-folders + Tap \'select\' button at the bottom of the screen + File write failed: %s + Save + + + Save as file + Save as files + Saved playlist to %s. + Saving changes + Scan media + Scanned %1$d of %2$d files. + Scrobbles + Search your library… + Select all + Select banner photo + Selected + Send crash log + Set + Set artist image + Set a profile photo + Share app + Share to Stories + Shuffle + Simple + Sleep timer canceled. + Sleep timer set for %d minutes from now. + Slide + Small album + Social + Share story + Song + Song duration + Songs + Sort order + Ascending + Album + Artist + Composer + Date added + Date modified + Year + Descending + Sorry! Your device doesn\'t support speech input + Search your library + Stack + Start playing music. + Suggestions + Just show your name on home screen + Support development + Swipe to unlock + Synced lyrics + System Equalizer + + Telegram + Join the Telegram group to discuss bugs, make suggestions, show off and more + Thank you! + The audio file + This month + This week + This year + Tiny + Title + Dashboard + Good afternoon + Good day + Good evening + Good morning + Good night + What\'s Your Name + Today + Top albums + Top artists + "Track (2 for track 2 or 3004 for CD3 track 4)" + Track number + Translate + Help us translate the app to your language + Twitter + Share your design with Retro Music + Unlabeled + Couldn\u2019t play this song. + Up next + Update image + Updating… + Username + Version + Vertical flip + Virtualizer + Volume + Web search + Welcome, + What do you want to share? + What\'s New + Window + Rounded corners + Set %1$s as your ringtone. + %1$d selected + Year + You have to select at least one category. + You will be forwarded to the issue tracker website. + Your account data is only used for authentication. + Amount + Note(Optional) + Start payment + Show now playing screen + Clicking on the notification will show now playing screen instead of the home screen + Tiny card + diff --git a/app/src/main/res/values-hr/strings.xml b/app/src/main/res/master/values-hr-rHR/strings.xml similarity index 83% rename from app/src/main/res/values-hr/strings.xml rename to app/src/main/res/master/values-hr-rHR/strings.xml index 3863ba96..e4833eb1 100644 --- a/app/src/main/res/values-hr/strings.xml +++ b/app/src/main/res/master/values-hr-rHR/strings.xml @@ -1,130 +1,85 @@ - + + Team, social links Naglašena boja Naglašena boja teme, zadana je plavo zelena - O aplikaciji - Dodaj u omiljene Dodaj u red čekanja Dodaj na popis naslova - Očisti red čekanja Očisti popis naslova - + Cycle repeat mode Izbriši Izbriši s uređaja - Detalji - Odi na album Idi na izvođača Idi na žanr Idi na početni direktorij - Dopusti - Veličina rešetke Veličina rešetke (polja) - + New playlist Dalje - Reproduciraj + Play all Reproduciraj sljedeće Reproduciraj/pauziraj - Prethodno - Ukloni iz favorita Ukloni iz reda reprodukcije Ukloni sa popisa naslova - Preimenuj - Spremi red reproduciranja - Skeniraj - Traži - Započni Postavi kao zvuk zvona Postavi kao početni direktorij - "Postavke" - Podijeli - Izmješaj sve Izmiješaj popis naslova - Brojač za spavanje - Način sortiranja - Uređivač oznaka - + Toggle favorite + Toggle shuffle mode Prilagodljivo - Dodaj - + Add lyrics Dodaj\nsliku - "Dodaj na popis naslova" - + Add time frame lyrics "Dodana 1 pjesma na red reprodukcije." - Dodano %1$d pjesama na red reprodukcije. - Album - 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 - - Izmiješaj Najslušanije pjesme - Retro Music - Velik Retro Music - Kartica Retro Music - Klasičan Retro Music - Malen Retro Music - Tekst - Izvođač - Izvođači - Fokus zvuka je odbijen. - Promijenite postavke zvuka i kontrole ekvalizatora - Automatski - Temeljna boja teme - Pojačalo Bassa - Biografija - Biografija - Samo crna - Crni popis - Zamagljenje - Zamagljena kartica - Nije moguće poslati izvješće Pristupni token nije valjan. Molimo kontaktirajte razvojnog programera aplikacije. Problemi nisu omogućeni za odabrani repozitorij. Molimo kontaktirajte razvojnog programera aplikacije. @@ -140,135 +95,88 @@ nastavi rušiti \"Očisti podatke aplikacije\" Učitavanje izvješća na GitHub... Pošalji putem GitHub računa - + Buy now Odustani - Kartica - Kružno - Obojena kartica - Kartica - Vrtuljak - Efekt ringišpila za zaslon reprodukcije - Kaskadno - Emitiraj - Popis promjena - Popis promjena održavan na Telegramu - + Circle Kružno - + Classic Očisti - Očisti podatke aplikacije - Očisti crnu popis - Očisti red čekanja - Očisti popis naslova %1$s? Ovo se ne mo\u017ee poni\u0161titi!]]> - Zatvori - Boja - Boja - Boje - + Composer Informacije o uređaju su kopirane u međuspremnik. - Stvaranje popisa naslova nije uspjelo. "Preuzimanje odgovaraju\u0107eg omota albuma nije uspjelo." Vraćanje kupnje nije uspjelo. Skeniranje %d datoteke nije uspjelo. - Stvori - Popis naslova %1$s je stvoren. - Članovi i dobrinositelji - Trenutno slušaš %1$s od %2$s. - Otprilike mračna - Nema Teksta - Izbriši popis naslova %1$s?]]> - Izbriši popise naslova - + Delete song %1$s?]]> - + Delete songs %1$d popisa naslova?]]> %1$d pjesama?]]> Izbrisano je %1$d pjesama. - + Deleting songs Dubina - Opis - Informacije o uređaju - + Allow Retro Music to modify audio settings + Set ringtone Želite li očistiti crni popis? %1$s sa crnog popisa?]]> - Doniraj - Ako mislite da zaslužujem biti plaćen za svoj posao, možete mi ostaviti nešto novca ovdje - Kupite mi: - Preuzmi sa Last.fm-a - + Drive mode Uredi - Uredi omot - Prazno - Ekvalizator - Pogreška - Često postavljena pitanja - Favoriti - + Finish last song Podesi - Ravno - Mape - + Follow system Za vas - + Free Puno - Potpuna kartica - Promijenite temu i boje aplikacije Izgled i osjećaj - Žanr - Žanri - Forkaj projekt na GitHubu - Pridružite se Google plus zajednici, gdje možete pitati za pomoć ili pratiti ažuriranja Retro Musica - 1 2 3 @@ -277,167 +185,123 @@ 6 7 8 - + Grid style Šarka - Povijest - Početna - Horizontalni okret - Slika - + Gradient image Promijenite postavke preuzimanja slika izvođača - Dodano je %1$d pjesama na popis naslova %2$s. - - Instagram Podjelite svoju Retro Music postavu na Instagramu - + Keyboard Brzina prijenosa - Format Naziv datoteke Put datoteke Veličina - + More from %s Brzina uzorkovanja - Dužina - Označeno - Posljednje dodano - + Last song Reproducirajmo malo glazbe - Biblioteka - + Library categories Licence - Jasno bijela - + Listeners Popisivanje datoteka - Učitavanje proizvoda... - Prijava - Tekst - Napravljeno sa ❤️ u Indiji - Materijal - + Error + Permission error Moje ime - Najslušanije - Nikad - Nova slika naslovnice - Novi popis naslova - Nova slika profila - %s je novi početni direktorij. - + Next Song Nema albuma - Nema izvođača - "Prvo reproducirajte pjesmu, zatim pokušajte ponovo." - Ekvalizator nije pronađen - Nema žanrova - Tekst nije pronađen - + No songs playing Nema popisa naslova - Kupnja nije pronađena. - Nema rezultata - Nema pjesama - Normalno - Normalni tekst - Normalno - %s nije na popisu medijske pohrane.]]> - Nema stavki za skeniranje. - + Nothing to see Obavijest - Prilagodite stil obavijesti - Zaslon reprodukcije Red reprodukcije Prilagodite zaslon reprodukcije 9+ tema za zaslon reprodukcije - Samo na Wi-Fi-u - + Advanced testing features Ostalo - Lozinka - Prošla 3 mjeseca - + Paste lyrics here + Peak Dopuštenje za pristup eksternoj memoriji odbijeno. - Dopuštenja odbijena. - Prilagodba - Prilagodite vaš zaslon reprodukcije i kontrole sučelja - Odaberi sa lokalne pohrane - + Pick image + Pinterest + Follow Pinterest page for Retro Music design inspiration Jasno - Obavijest reprodukcije pruža mogućnosti reprodukcije/pauziranja itd. Obavijest reprodukcije - Prazan popis naslova - Popis naslova je prazan - Naziv popisa naslova - Popisi naslova - Stil detalja albuma - Količina zamagljenja koja se primjenjuje na teme, manje je brže Količina zamagljenja - + Adjust the bottom sheet dialog corners + Dialog corner + Filter songs by length + Filter song duration + Advanced + Album style Zvuk + Blacklist + Controls Tema Slike + Library Zaključani zaslon Playliste - Pauzirajte reprodukciju na nuli i započnite ju nakon podizanja glasnoće. Budite oprezni prilikom podizanja glasnoće jer se reprodukcija nastavlja čak i izvan aplikacije 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. + Start playing as soon as connected to bluetooth device Zamagljuje omot albuma na zaključanom zaslonu. Može uzrokovati probleme s widgetima i aplikacijama treće strane. Efekt ringišpila za omot albuma na zaslonu reprodukcije. Zapamtite da teme Kartica i Zamagljena Kartica neće raditi Koristite klasični dizajn obavijesti @@ -445,12 +309,15 @@ 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 @@ -459,7 +326,6 @@ Započni reprodukciju odmah nakon što su slušalice povezane Nasumični naćin će biti isključen prilikom sviranja novog popisa pjesama Ako ima dovoljno prostora, prikazati će se kontrole glasnoće na zaslonu reprodukcije - Prikaži omot albuma Teme omota albuma Preskakanje omota albuma @@ -469,12 +335,15 @@ Smanji glasnoću pri gubitku fokusa Automatsko preuzimanje slika izvođača Crni popis + Bluetooth playback Zamagli prevlaku albuma Odaberi ekvalizator Klasični dizajn obavijesti Prilagodljiva boja Obojena obavijest + Desaturated color Dodatne kontrole + Song info Reprodukcija bez prekida Tema aplikacije Prikaži karticu žanra @@ -496,208 +365,153 @@ Način mješanja Kontrole glasnoće Informacije o Korisniku - Primarna boja Primarna boja teme, zadano je plavo-siva, zasad radi s tamnim bojama - + Pro + Black theme, Now playing themes, Carousel effect and more.. Profil - Kupi - *Razmisli prije kupnje, ne pitaj za povrat novca. - Red - Ocijeni aplikaciju - Volite ovu aplikaciju? Javite nam to na Google Play trgovini kako bi smo vam poboljšali iskustvo - Nedavni albumi - Nedavni izvođači - Ukloni - Ukloni sliku naslovnice - Ukloni omot - Ukloni sa crnog popisa - Ukloni sliku profila - Ukloni pjesmu s popisa naslova %1$s sa popisa naslova?]]> - Ukloni pjesme sa popisa naslova - %1$d pjesama sa popisa naslova?]]> - Preimenuj popis naslova - Prijavi pogrešku - Prijavi pogrešku - + Reset Resetiraj sliku izvođača - Vrati - Vrati prošlu kupnju. Molimo vas ponovno pokrenite aplikaciju da biste koristili sve značajke. Bivše kupnje vraćene. - Vraćanje kupnje... - Retro Music Ekvalizator - + Retro Music Player Retro Music Pro - + File delete failed: %s + + Can\'t get SAF URI + Open navigation drawer + Enable \'Show SD card\' in overflow menu + + %s needs SD card access + You need to select your SD card root directory + Select your SD card in navigation drawer + Do not open any sub-folders + Tap \'select\' button at the bottom of the screen + File write failed: %s + Save Spremi kao datoteku - Spremi kao datoteke - Popis naslova je spremljen u %s. - Spremanje promjena - Skeniraj medije - Skenirano %1$d od %2$d datoteka. - + Scrobbles Pretraži svoju biblioteku... - Odaberi sve - Odaberi sliku naslovnice - Odabrano - + Send crash log + Set Postavi sliku izvođača - + Set a profile photo Podijeli aplikaciju - + Share to Stories Izmiješaj - Jednostavno - Brojač za spavanje je otkazan. Brojač za spavanje je postavljen za %d minuta od sada. - + Slide Mali album - Društveno - + Share story Pjesma - Trajanje pjesme - Pjesme - Red sortiranja Uzlazno Album Izvođač + Composer Datum + Date modified Godina Silazno - Žao mi je! Tvoj uređaj ne podržava unos govora - Pretraži svoju biblioteku - + Stack + Start playing music. Preporuke - Prikažite samo svoje ime na početnoj stranici - Podrži razvijanje - + Swipe to unlock Sinkroniziran tekst - Sustavski ekvalizator - Telegram Pridružite se Telegram grupi da biste raspravili o pogreškama, dali preporuke, te još mnogo toga - Hvala ti! - Zvučna datoteka - Ovaj mjesec - Ovaj tjedan - Ove godine - Sitno - Naziv - Kontrolna ploča - Dobar dan Dobar dan Dobra večer Dobro jutro Laku noć - Kako se zoveš - Danas - Najslušaniji albumi - Najslušaniji izvođači - "Pjesma (2 za 2. pjesmu ili 3004 za 3. CD 4. pjesmu)" - Broj pjesme - Prevedi - Pomozite nam prevesti našu aplikaciju na svoj jezik - Twitter Podjeli svoj dizajn sa Retro Music-om - Neoznačeno - Nije mogu\u0107e reproducirati ovu pjesmu. - Sljedeće - Ažuriraj sliku - Ažuriranje... - Korisničko ime - Verzija - Vertikalni okret - Virtualizator - + Volume Web pretraživanje - + Welcome, Što želite podijeliti? - Što je novo - Prozor - Zaobljeni kutovi - Postavi %1$s kao zvuk zvona. - %1$d odabran - Godina - + You have to select at least one category. Biti će te preusmjereni na web stranicu za praćenje pogrešaka. - Vaši podatci o računu su korišteni samo za autentikaciju. - More from %s + 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/master/values-hu-rHU/strings.xml b/app/src/main/res/master/values-hu-rHU/strings.xml new file mode 100644 index 00000000..c89f26b4 --- /dev/null +++ b/app/src/main/res/master/values-hu-rHU/strings.xml @@ -0,0 +1,515 @@ + + + Csapat, társadalmi kapcsolatok + Kiemelő szín + Az kiemelő téma színe alapértelmezés szerint színtiszta + Rólunk + Hozzáadás a kedvencekhez + Hozzáadás a lejátszási kvótához + Hozzáadás lejátszási listához + Lejátszási kvóta 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 + Részletek + Ugrás az albumhoz + Ugrás az előadóhoz + Ugrás a műfajhoz + Ugrás a kiindulási könyvtárhoz + Engedélyezés + Rácsméret + Rácsméret (Fekvő) + Új lejátszási lista + Következő + Lejátszás + Összes lejátszása + Lejátszás következőnek + Lejátszás / Szünet + Előző + Eltávolítás a kedvencekből + Lejátszási kvóta törlése + Eltávolítás a lejátszási listáról + Átnevezés + Lejátszási kvóta mentése + Keresés + Keresés + Elkezdés + Beállítás csengőhangként + Beállítás kezdőkönyvtárként + "Beállítások" + Megosztás + Összes keverése + Lejátszási lista keverése + Elalvás időzítő + Rendezési sorrend + Címkeszerkesztő + A kedvenc váltása + A véletlenszerű lejátszás megváltoztatása + Adaptív + Hozzáad + Dalszöveg hozzáadása + Fénykép\nhozzáadása + "Hozzáadás lejátszási listához" + Adjon hozzá időkeretet dalszövegeket + "1 cím lett hozzáadva a lejátszási kvótához." + %1$d cím hozzáadva a lejátszási kvótához. + Album + Album előadó + A cím vagy az előadó üres. + Albumok + Mindig + Hé, nézd meg ezt a menő zenelejátszót itt: https://play.google.com/store/apps/details?id=%s + Keverés + Legjobb zeneszámok + Retro music - Nagy + Retro music - Kártya + Retro zene - Klasszikus + Retro zene - Kicsi + Retro zene - Szöveg + Előadó + Előadók + Az audiofókusz megtagadva. + Módosítsa a hangbeállításokat és állítsa be a hangszínszabályzó irányítását + Automatikus + Alapszín téma + Bass Boost + Bio + Életrajz + Csak Fekete + Feketelista + Homályosítás + Kártya homályosítása + Nem sikerült elküldeni a jelentést + Érvénytelen belépési azonosító. Kérem, lépjen kapcsolatba az alkalmazás fejlesztőjével. + A problémák jelentése nincs engedélyezve a repository-ban. Kérem, lépjen kapcsolatba az alkalmazás fejlesztőjével. + Váratlan hiba történt. Kérem, lépjen kapcsolatba az alkalmazás fejlesztőjével. + Rossz felhasználónév vagy jelszó + Probléma + Küldés manuálisan + Kérem, adja meg a leírást + Kérem, adja meg az érvényes GitHub jelszavát + 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 alakú + 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átszási listát? 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. + Nem sikerült létrehozni a lejátszási listát. + "Nem sikerült letölteni a megfelelő album borítóját." + A vásárlást nem sikerült visszaállítani. + Nem sikerült beolvasni %d fájlt. + Létrehozás + Létrehozott lejátszási lista %1$s. + Tagok és támogatók + Jelenleg hallgat %1$s által %2$s. + Kissé sötét + Nincs dalszöveg + Lejátszási lista törlése + %1$s lejátszási listát?]]> + Lejátszási listák törlése + Zeneszám törlése + %1$s dalt?]]> + Dalok törlése + %1$d lejátszási listát?]]> + %1$d zenéket?]]> + Törölte a %1$d zenét. + Dalok törlése + Mélység + Leírás + Eszköz információ + Hagyja, hogy a Retro Music módosítsa az audiobeállításokat + Csengőhang beállítás + Szeretné törölni a feketelistát? + %1$s a feketelistáról?]]> + Támogatás + Ha úgy gondolja, hogy megérdemlem fizetni a munkámért, hagyhatsz néhányat pénzt itt + Vegyél nekem egy: + Letöltés a Last.fm-ről + Vezetés mód + Szerkesztés + Borító szerkesztése + Üres + Hangszínszabályzó + Hiba + GYIK + Kedvencek + Fejezze be az utolsó dalt + Illeszkedő + Lapos + Mappák + Kövesse a rendszert + Neked + Ingyenes + Teljes + Teljes kártya + Módosítsa az alkalmazás témáját és színeit + Megjelenés + Műfaj + Műfajok + Szerezd meg a projektet a githubon + Csatlakozzon a Google Plus közösséghez ahol segítséget kérhet, vagy követheti a Retro Zene Alkalmazás frissítéseit + 1 + 2 + 3 + 4 + 5 + 6 + 7 + 8 + Rácsok stílus + Zsanér + Előzmény + Kezdőlap + Vízszintes forgatás + Kép + Színátmenet kép + A művészképek letöltésének megváltoztatása + %1$d dalt betett a %2$s lejátszási listába. + Ossza meg Retro Music beállításait, hogy bemutassa a Instagram-on + Billentyűzet + Bitrát + Formátum + Fájl név + Fájl elérési út + Méret + Több a következőtől: %s + Mintavételi arány + Hossz + Címkézve + Utoljára hozzáadva + Utolsó dal + Játsszunk le egy zenét + Könyvtár + Könyvtár kategóriák + Licencek + Világos fehér + Hallgatók + Listázási fájlok + A termékek betöltése… + Bejelentkezés + Dalszöveg + ❤️-el készítve Indiából + Materiál + Hiba + Engedély hiba + Név + Legtöbbet játszott + Soha + Új banner fotó + Új lejátszási lista + Új profilfotó + %s az új indítókönyvtár. + Következő dal + Nincsenek albumok + Nincs előadó + "Először játssz le egy dalt, majd próbálkozzon újra." + Nem találtunk hangszínszabályzott + Nincsenek műfajok + Nem található dalszöveg + Nincs lejátszott dal + Nincs lejátszási lista + Nincs vásárlás. + Nincs eredmény + Nincs dal + Normál + Normál dalszövegek + Normál + %s nem szerepel a média tárban.]]> + Nincs szkennelve. + Semmit sem látni + Értesítés + Értesítési stílus testreszabása + Most lejátszott + Sorban áll + Most játszik képernyő személyre szabása + 9+ most játszik témákat + Csak Wi-Fi-n + Speciális tesztelési szolgáltatások + Egyéb + Jelszó + Az elmúlt 3 hónapban + 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. + Személyre szabás + 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ó + Album stílusa + Hang + Feketelista + Vezérlők + Téma + Képek + Könyvtár + Zárképernyő + Lejátszási listák + Szünetelteti a dalt, amikor a hangerő nullára csökken, és elindítja a lejátszást, ha a hangerő emelkedik. Az alkalmazáson kívül is működik + 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. + Amint csatlakoztatta a bluetooth készüléket, kezdje el a lejátszást + Elhomályosítja az album borítóját a zárolás képernyőjén. Problémákat okozhat harmadik féltől származó alkalmazásokkal és widgetekkel + Körhinta effektus a most játszott képernyőn lévő albumborítón. Ne feledje, hogy a Kártya és a Homályosított Kártya téma nem fog működni + 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 a kiemelő 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ínezi az értesítést az album borítójának élénk színéről" + 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." + Váltás a műfaj fülre + 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 + Ha van szabad hely a képernyőn engedélyezett hangerőszabályzókkal + Az album borítójának megjelenítése + Album borító téma + Most játszik album borító stílusa + Album rács stílusa + Színes alkalmazás parancsikonok + Előadói rács stílusa + Csökkentse a fókuszvesztés hangerejét + Automatikus letölti képeket + Feketelista + Bluetooth lejátszás + Elhomályosított albumborító + Válasszon Hangszínszabélyzott + Klasszikus értesítési terv + Adaptív szín + Színes értesítés + Deszaturált szín + Extra vezérlők + Dalinformáció + Végtelen lejátszás + Alkalmazás 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 borítóját + Utoljára hozzáadott lejátszási lista intervallum + Teljes képernyős vezérlők + Színes navigációs sáv + Most játszott témája + 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 + *Gondoljon 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? Tudassa velünk a Google Play Áruházban, hogyan tehetjük még jobbá + Legutóbbi albumok + Legújabb előadók + Eltávolítás + Banner fotó törlése + Borító eltávolítása + Eltávolítás a feketelistáról + Profilfotó eltávolítása + Távolítsa el a dalt a lejátszási listáról + %1$s dalt a lejátszási listából?]]> + A dalok eltávolítása a lejátszási listáról + %1$d dalt a lejátszási listából?]]> + Lejátszási lista átnevezése + Hibajelentés + Hibajelentés + Visszaállítás + Az előadó képének visszaállítása + Visszaállítás + Az előző vásárlás helyreállítása. Kérjük, indítsa újra az alkalmazást az összes funkció használatához. + Korábbi vásárlások visszaállítása. + A vásárlás visszaállítása… + Retro Zene Hangszínszabályzó + Retro Music Player + Retro Music Pro + A fájl törlése sikertelen: %s + + Nem lehet SAF URI + Nyissa meg a navigációs fiókot + Engedélyezze az \"SD kártya megjelenítése\" lehetőséget a túlcsordulási menüben + + %s SD kártya hozzáférést igényel + Meg kell választanod az SD-kártya gyökérkönyvtárát + Válassza ki az SD kártyát a navigációs fiókban + Ne nyisson semmilyen almappát + Érintse meg a \"kiválaszt\" gombot a képernyő alján + A fájl írása sikertelen: %s + Mentés + + + Mentés fájlként + Mentés fájlokként + Mentett lejátszási lista a következőhöz: %s. + A változtatások mentése + Média szkennelés + %2$d fájlt %1$d szkennelt. + Scrobblek + Keresés a könyvtárban… + Minden kiválasztása + Banner fotó kiválasztása + Kiválaszott + Küldjön összeomlási naplót + Beállít + Állítsa be az előadó képét + Profilfotó beállítása + Alkalmazás megosztása + Ossza meg a Történet-ben + Keverés + Egyszerű + Az elalváskapcsoló kikapcsolva. + Az alvásidőzítő mostantól %d percre van beállítva. + Csúsztat + Kis album + Közösségi + Ossza meg a történetet + Dal + A dal időtartama + Dalok + Rendezési sorrend + Növekvő + Album + Előadó + Zeneszerző + Dátum + Módosítás dátuma + Év + Csökkenő + Sajnálom! A készülék nem támogatja a beszédet + Keresés a könyvtárában + Rakás + Kezdje el lejátszani a zenét. + Javaslatok + Csak mutassa meg a nevét a kezdőképernyőn + Támogassa a fejlesztést + Csúsztasd fel a feloldáshoz + Szinkronizált dalszövegek + Rendszer hangszínszabályzó + + Telegram + Csatlakozz a Telegram csoporthoz hogy megbeszélhesd a hibákat, ajánlásokat tegyél, bemutass valamit stb. + Köszönöm! + Az audio fájl + Ebben a hónapban + Ezen a héten + Egy éve + Apró + Cím + Irányítópult + Jó napot + Jó nap + Jó estét + Jó reggelt + Jó éjszakát + Mi a neved + Ma + Legjobb albumok + Legjobb előadok + "Sáv (2 a 2. vagy a 3004-es számhoz a CD3 4. sávjához)" + Sorszáma + Fordítás + Segítsen nekünk az alkalmazás nyelvének fordításához + Twitter oldal + Ossza meg tervét a RetroMusicApp segítségével + Címkézetlen + Nem lehet lejátszani ezt a dalt. + A következő + Kép frissítése + Frissítés… + Felhasználónév + Verzió + Függőleges forgatás + Virtualizáló + Hangerő + Webes keresés + Üdvözöljük, + Mit szeretne megosztani? + Mi az újdonság + Ablak + Lekerekített sarkak + Állítsa be a (z) %1$s csengőhangot. + %1$d kiválasztása + Év + Legalább egy kategóriát kell kiválasztania. + Továbbítani fogjuk a problémakezelő weboldalra. + Fiókja adatait kizárólag a hitelesítéshez fogjuk használni. + Tartalom + Megjegyzés (opcionális) + Kezdje a fizetést + Jelenítse meg a most játszó képernyőt + Az értesítésre kattintva a kezdőképernyő helyett a lejátszási képernyő jelenik meg + Apró kártya + diff --git a/app/src/main/res/values-id/strings.xml b/app/src/main/res/master/values-in-rID/strings.xml similarity index 69% rename from app/src/main/res/values-id/strings.xml rename to app/src/main/res/master/values-in-rID/strings.xml index 626043b3..ad37e1c1 100644 --- a/app/src/main/res/values-id/strings.xml +++ b/app/src/main/res/master/values-in-rID/strings.xml @@ -1,139 +1,86 @@ - + - Tim, link sosial - - Warna Aksen - Warna tema aksen, Default adalah biru kehijauan - + Tim, tautan sosial + Warna aksen + Warna aksen tema, bawaan adalah ungu Tentang - Tambahkan ke favorit - Tambahkan ke antrean pemutar + Tambahkan ke antrean pemutaran Tambahkan ke daftar putar - - Bersihkan antrean pemutar + Bersihkan antrean pemutaran Bersihkan daftar putar - + Mode pengulangan siklus Hapus Hapus dari perangkat - Rincian - Ke album Ke artis - Pergi ke Genre - Pergi ke direktori awal - + Ke aliran + Ke direktori awal Izinkan - - Jumlah kisi + Ukuran kisi Ukuran kisi (lanskap) - Daftar putar baru - Selanjutnya - Putar + Putar semua Putar selanjutnya Putar/jeda - Sebelumnya - Hapus dari favorit - Hapus dari antrean pemutar + Hapus dari antrean pemutaran Hapus dari daftar putar - - Ganti nama - - Simpan antrean pemutar - + Ubah nama + Simpan antrean pemutaran Pindai - Cari - Mulai - Setel sebagai nada dering - Setel sebagai direktori awal - + Atur sebagai nada dering + Atur sebagai direktori awal "Pengaturan" - Bagikan - Acak semua Acak daftar putar - - Pengatur waktu tidur - - Sortir - - Editor tag - + Pewaktu tidur + Urutkan + Pengubah tag + Toggle favorit + Toggle mode acak Adaptif - Tambah - Tambah lirik - Tambah\nFoto - "Tambahkan ke daftar putar" - Tambah frame waktu lirik - - "1 judul ditambahkan ke antrian pemutar" - - %1$d ditambahkan ke antrean putar - + "1 judul ditambahkan ke antrean pemutaran." + %1$d ditambahkan ke antrean pemutaran. Album - Album artis - - Judul atau artis kosong - + Judul atau artis kosong. Album - - Selalu - Hei lihat pemutar musik keren ini di: https://play.google.com/store/apps/details?id=%s - - Acak Lagu teratas - - Retro Musik - Besar - Retro musik - Kartu - Retro musik - Klasik - Retro music - kecil + Retro Music - Besar + Retro music - Kartu + Retro music - Klasik + Retro music - Kecil Retro music - Teks - Artis - Artis - - Fokus audio ditolak - - Ubah pengaturan suara dan sesuaikan equalizer - + Fokus audio ditolak. + Ubah pengaturan suara dan sesuaikan ekualiser Otomatis - Berdasarkan warna tema - - Bass boost - + Penguat Bas Bio - Biografi - Hanya Hitam - Daftar hitam - Buram - - Kartu blur - + Kartu Buram Tidak dapat mengirimkan laporan Token akses tidak valid. Mohon hubungi pengembang apl. Masalah tidak diaktifkan untuk repositori yang dipilih. Mohon hubungi pengembang apl. @@ -146,149 +93,90 @@ https://play.google.com/store/apps/details?id=%s Mohon masukkan judul isu Mohon masukkan nama akun GitHub yang valid Terjadi kesalahan tidak terduga. Maaf kamu mengalami masalah ini, jika -tetap bermasalah, \"Hapus data Aplikasi\" - Mengunggah laporan ke GitHub +tetap bermasalah, \"Hapus data Aplikasi\" atau kirim Email + Mengunggah laporan ke GitHub… Kirim menggunakan akun GitHub - + Beli sekarang Batalkan - Kartu - Bulat - Kartu Berwarna - Kartu - - Carousal - - Efek carousel pada layar sedang diputar - - Tersusun kebawah - + Karosel + Efek karosel pada layar sedang diputar + Tersusun ke bawah Cast - Catatan perubahan - Catatan perubahan ada di aplikasi Telegram - - Melengkung - + Lingkaran + Bulat Klasik - Bersihkan - Hapus data aplikasi - Bersihkan daftar hitam - - Hapus antrian - + Hapus antrean Bersihkan daftar putar - %1$s? Ini tidak bisa dibatalkan]]> - + %1$s? Ini tidak bisa dibatalkan!]]> Tutup - Warna - Warna - Warna - Komposer - - Info perangkat telah disalin ke clipboard. - - Tidak dapat membuat daftar putar - "Tidak dapat mengunduh sampul album yang Cocok" - Tidak dapat mengembalikan pembelian - Tidak dapat memindai %d file - + Info perangkat telah disalin ke papan klip. + Tidak dapat membuat daftar putar. + "Tidak dapat mengunduh sampul album yang cocok." + Tidak dapat mengembalikan pembelian. + Tidak dapat memindai %d file. Buat - - Daftar putar %1$s dibuat - - Member dan kontribusi - - + Daftar putar %1$s dibuat. + Member dan kontributor + Terakhir kali mengdengarkan %1$s oleh %2$s. Agak gelap - Tidak ada lirik - Hapus daftar putar %1$s?]]> - Hapus daftar putar - Hapus lagu %1$s?]]> - Hapus lagu - %1$d daftar putar?]]> %1$d lagu?]]> - Lagu %1$d dihapus - + Lagu %1$d dihapus. + Mengapus lagu Kedalaman - Deskripsi - Info perangkat - Izinkan Retro Music untuk mengubah pengaturan suara - Atur nada dering - Bersihkan daftar hitam? - %1$s dari -Daftar hitam?]]> - + %1$s dari daftar hitam?]]> Donasi - - Jika anda rasa saya berhak dibayar untuk karya saya, -anda dapat berdonasi disini - + Jika anda rasa saya berhak dibayar untuk karya saya, anda dapat berdonasi disini Belikan saya: - Unduh dari Last.fm - - Edit - + Mode berkendara + Ubah Ubah sampul - Kosong - Ekualiser - - Error - + Galat Tanya-Jawab - Favorit - + Menyelesaikan lagu terakhir Pas - Datar - Folder - + Ikuti sistem Untuk anda - + Gratis Penuh - Kartu penuh - Ubah tema dan warna dari aplikasi Tampilan - Aliran - - Genre - - Fork the project on github - + Aliran + Fork projek di GitHub Gabung di komunitas Google plus, anda dapat bertanya ataupun mengikuti pembaruan dari aplikasi Retro Music - 1 2 3 @@ -297,241 +185,179 @@ anda dapat berdonasi disini 6 7 8 - + Gaya kisi Engsel - Riwayat - Beranda - Balik horizontal - Gambar - + Gradasi gambar Ubah pengaturan pengunduhan gambar artis - - Lagu %1$d dimasukan ke daftar putar %2$s - - Instagram + Lagu %1$d dimasukan ke daftar putar %2$s. Bagikan pengaturan Retro Musicmu di Instagram untuk menunjukannya - + Papan ketik Bitrate - Format Nama berkas Direktori berkas Ukuran - + Selebihnya dari %s Tingkat pengambilan sampel - Durasi - Berlabel - Terakhir ditambahkan - Lagu terakhir - Mari putar sebuah lagu - Pustaka - Kategori pustaka - Lisensi - Putih jelas - + Pendengar Pengurutan berkas - - Memuat produk... - + Memuat produk… Masuk - Lirik - Dibuat dengan cinta ❤️ di India - Material - - Kesalahan - + Galat Kesalahan perizinan - - Nama saya - + Nama Sering dimainkan - - Jangan pernah - + Tidak pernah Banner foto baru - Daftar putar baru - Foto profil baru - %s adalah direktori awal yang baru. - Lagu selanjutnya - Tidak ada album - Tidak ada artis - - "Putar lagu lebih dahulu, lalu coba lagi" - - Equalizer tidak ditemukan - + "Putar lagu lebih dahulu, lalu coba lagi." + Ekualiser tidak ditemukan Tidak ada genre - Lirik tidak ditemukan - + Tidak ada lagu diputar Tidak ada daftar putar - - Pembelian tidak ditemukan - + Pembelian tidak ditemukan. Tidak ada hasil - Tidak ada lagu - Normal - Lirik normal - Normal - - %s tidak ada di daftar media]]> - - Tak ada apapun untuk dipindai - + %s tidak ada di daftar media.]]> + Tak ada apapun untuk dipindai. + Tidak ada apapun untuk dilihat Pemberitahuan - Sesuaikan gaya pemberitahuan - Sedang diputar - Sedang memutar antrean + Antrean sedang dimutar Kostumisasi layar sedang diputar 9+ gaya sedang diputar - Hanya melalui Wi-Fi - Fitur percobaan lanjutan - Lainnya - Kata sandi - 3 bulan lalu - Tempel lirik di sini - + Peak Izin untuk mengakses penyimpanan eksternal ditolak. - Izin ditolak. - Personalisasi - Sesuaikan sedang diputar dan tampilan kontrol - Pilih dari penyimpanan lokal - Pilih gambar - Pinterest Ikuti laman Pinterest untuk inspirasi desain Retro Music - - Plain - - Notifikasi pemutar menyediakan tindakan untuk mainkan/jeda, dll. - Notifikasi pemutar - + Polos + Notifikasi pemutaran menyediakan tindakan untuk mainkan/jeda, dsb. + Notifikasi pemutaran Kosongkan daftar putar - Daftar putar kosong - Nama daftar putar - Daftar putar - - Gaya detail album - - Tingkat blur diaplikasikan pada tema blur, lebih rendah membuat lebih cepat - Tingkat blur - - Saring durasi lagu - + 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 + Gaya album Audio + Daftar hitam + Kontrol Tema Gambar + Pustaka Layar kunci Daftar putar - Jeda saat volume sedang nol dan putar setelah menaikan volume. Peringatan, ketika anda menaikan volume, musik akan mulai berputar, bahkan jika anda berada di luar aplikasi 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 di blacklist disembunyikan dari pustaka. - Blur sampul album di layar kunci. Dapat menyebabkan masalah dengan aplikasi pihak ketiga dan widget. - Efek carousel di sampul album yang sedang diputar. Ingat bahwa Kartu dan Kartu Blur takkan bekerja. + Konten folder yang telah didaftar hitamkan disembunyikan dari pustaka. + Mulai pemutaran saat terhubung dengan perangkat bluetooth + Blur sampul album di layar kunci. Dapat menyebabkan masalah dengan aplikasi pihak ketiga dan widget + Efek karosel di sampul album yang sedang diputar. Ingat bahwa Kartu dan Kartu Buram tidak akan bekerja 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" - Warna paling dominan akan dipilih sampul album atau artis. + 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 genre + 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. + 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. - Kontrol layar kunci Retro Music. - Rincian Lisensi untuk sumber terbuka aplikasi - Tepi pojok untuk jendela, album seni dll. - Aktifkan/Non-Aktifkan tab judul di bawah. + 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. + Putar segera setelah headphones terhubung Mode acak akan non-aktif ketika memutar lagu baru dari daftar - Jika ada ruang di layar yang sedang diputar, aktifkan kontrol volume - + Jika tersedia ruang yang memadai, tampilkan pengendai suara di layar sedang diputar Tampilkan sampul album Tema sampul album - Gaya sampul album ketika memainkan - Gaya grid album + Sampul album lewati + Kisi album Pintasan aplikasi berwarna Gaya grid artis Kurangi volume ketika hilang fokus Otomatis unduh gambar artis - Blacklist - Blur sampul album - Pilih equalizer + Daftar hitam + Pemutaran bluetooth + Buramkan sampul album + Pilih ekualiser Desain notifikasi klasik Warna adaptif Notifikasi berwarna + Desaturasi warna Kontrol tambahan + Info lagu Pemutaran tanpa jeda - Tema Umum - Tampilkan tab genre - Grid artis pada beranda + Tema aplikasi + Tampilkan tab aliran + Kisi beranda artis Banner beranda Abaikan sampul Media Store Interval daftar putar terbaru Kontrol layar penuh - Bar navigasi berwarna - Tampilan + Bilah navigasi berwarna + Tema sedang diputar Lisensi sumber terbuka - Tepi pojok + Tepi sudut Mode tab judul - Efek Carousel + Efek Karosel Warna dominan Layar penuh aplikasi Tab judul @@ -539,225 +365,153 @@ anda dapat berdonasi disini Mode acak Kontrol volume Info pengguna - Warna primer - Warna tema utama, warna baku biru abu-abu, untuk saat ini berfungsi dengan warna gelap - + 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 - - Sukai aplikasi ini, beri tahu kami di Google Play Store untuk memberikan pengalaman yang lebih baik - + Suka aplikasi ini? beri tahu kami di Google Play Store untuk memberikan pengalaman yang lebih baik Album terbaru - Artis terbaru - Hapus - Hapus foto banner - Hapus sampul - Hapus dari daftar hitam - Hapus foto profil - Hapus lagu dari daftar putar %1$s dari daftar putar?]]> - Hapus lagu dari daftar putar - %1$d dari daftar putar?]]> - Ganti nama daftar putar - Laporkan isu - Laporkan bug - Setel ulang - Setel ulang gambar artis - Pulihkan - - Pembelian dipulihkan. Mulai kembali aplikasi agar semua fitur dapat digunakan + Pembelian dipulihkan. Mulai kembali aplikasi agar semua fitur dapat digunakan. Pembelian dipulihkan. - - Memulihkan pembelian... - - Retro Music Equalizer - + Memulihkan pembelian… + Ekualiser Retro Music + Retro Music Player Retro Music Pro - + Gagal menghapus file: %s + + Gagal mendapatkan SAF URI + Buka laci notifikasi + Aktifkan \'Tampilkan Kartu SD\' di menu luapan + + %s membutuhkan akses kartu SD + Anda perlu memilih direktori akar kartu SD anda + Pilih kartu SD anda di laci navigasi + Jangan buka sub-folder apapun + Ketuk tombol \'pilih\' pada bagaian bawah layar + Gagal menulis file: %s Simpan - Simpan berkas sebagai - Simpan file sebagai - Daftar putar disimpan ke %s. - Menyimpan perubahan - Pindai media - %1$d dari %2$d selesai dipindai. - - Cari di pustaka... - + 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. - - Slide - + Meluncur Album kecil - Sosial - + Bagikan cerita Lagu - Durasi lagu - Lagu - - Sortir + Urutkan Meningkat Album Artis Komposer - Tanggal + Tanggal ditambahkan + Tanggal diubah Tahun Menurun - - Maaf! Perangkat anda tidak mendukung input suara - - Cari - + Maaf! Perangkat anda tidak mendukung masukan suara + Cari pustaka anda + Tumpuk + Mulai pemutaran musik. Saran - Hanya tampilkan nama anda di beranda - - Dukung kami - + Dukung pengembangan Geser untuk membuka - - Lirik yang disinkronkan - - Equalizer Sistem - + Lirik tersinkron + Ekualiser Sistem Telegram - Gabung ke grup Telegram untuk mendiskusikan maslah, membuat permintaan, memamerkan dan lainnya - + Gabung ke grup Telegram untuk mendiskusikan masalah, membuat permintaan, memamerkan dan lainnya Terima kasih! - Berkas audio - Bulan ini - Pekan ini - Tahun ini - Kecil - Judul - Dasbor - Selamat sore Selamat siang Selamat malam Selamat pagi Selamat malam - Siapa namamu - Hari ini - Album teratas - Artis teratas - "Trek (2 untuk trek 2 atau 3004 untuk CD3 trek 4)" - Nomor trek - Terjemahkan - Help us translating app to your language - - Halaman Twitter - Bagikan desain anda dengan RetroMusicApp - + Twitter + Bagikan desain anda dengan Retro Music Tidak berlabel - Tidak dapat memutar lagu ini. - Selanjutnya - Perbarui gambar - Memperbarui… - Nama pengguna - Versi - Balik vertikal - - Virtualisasi - + Virtualiser + Volume Pencarian web - + Selamat datang, Apa yang ingin anda bagikan? - Apa yang baru - Jendela - Sudut melengkung - Atur %1$s sebagai nada dering. - %1$d dipilih - Tahun - - Anda harus memilih setidaknya satu kategori - + Anda harus memilih setidaknya satu kategori. Anda akan diteruskan ke situs web pelacak masalah. - - Data akun anda hanya digunakan untuk otentikasi - More from %s + 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 diff --git a/app/src/main/res/values-it/strings.xml b/app/src/main/res/master/values-it-rIT/strings.xml similarity index 90% rename from app/src/main/res/values-it/strings.xml rename to app/src/main/res/master/values-it-rIT/strings.xml index a58b1ee5..cf0c5256 100644 --- a/app/src/main/res/values-it/strings.xml +++ b/app/src/main/res/master/values-it-rIT/strings.xml @@ -1,147 +1,90 @@ - + Team e pagine social - Accento colore Il colore di accento del tema, il predefinito é verde acqua - Informazioni - Aggiungi ai preferiti Aggiungi alla coda Aggiungi alla playlist - Cancella coda Svuota la playlist - Modalità ripetizione continua - Elimina Elimina dal dispositivo - Dettagli - Vai all\'album Vai all\'artista Vai al genere Torna al percorso iniziale - Concedi - Dimensione griglia Dimensione griglia (orizzontale) - Nuova playlist - Successivo - Riproduci Riproduci tutti Riproduci successivo Riproduci/Pausa - Precedente - Rimuovi dai preferiti Rimuovi dalla coda Rimuovi dalla playlist - Rinomina - Salva coda di riproduzione - Scansiona - Cerca - Inizia Imposta come suoneria Imposta come percorso iniziale - "Impostazioni" - Condividi - Riproduzione casuale Riproduzione casuale playlist - Timer sonno - Ordina per - Modifica tag - Seleziona preferito Seleziona modalità di riproduzione casuale - Adattivo - Aggiungi - Aggiungi testi - Aggiungi foto - "Aggiungi alla playlist" - Aggiungi testi sincronizzati - "Aggiunto un brano alla coda." - Aggiungi %1$d brani alla coda. - Album - Artista dell\'album - Il titolo o l\'artista sono vuoti - Album - Sempre - Hey, dai un\'occhiata a questo fantastico lettore musicale: https://play.google.com/store/apps/details?id=%s - Casuale Tracce migliori - Retro music - Grande Retro Music - Card Retro Music - Classico Retro Music - Piccolo Retro music - Testo - Artista - Artisti - Focalizzazione audio negata. - Modifica le impostazioni audio e regola i controlli dell\'equalizzatore - - Auto - + Automatico Colore base del tema - - Bass Boost - - Bio - + Amplificazione bassi + Biografia Biografia - Solo nero - Blacklist - Sfocatura - Card sfocata - Impossibile inviare il rapporto - Accesso fallito. Per favore contatta lo sviluppatore dell\'app. - I problemi non sono abilitati per la repository selezionata. Per favore contatta lo sviluppatore dell\'app. - Si è verificato un errore inaspettato. Per favore contatta lo sviluppatore dell\'app. + Token di accesso non valido. Contatta lo sviluppatore dell\'app. + I problemi non sono abilitati per la repository selezionata. Contatta lo sviluppatore dell\'app. + Si è verificato un errore imprevisto. Contatta lo sviluppatore dell\'app. Nome utente o password errati Problema Invia manualmente @@ -152,153 +95,87 @@ https://play.google.com/store/apps/details?id=%s 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 - + Scheda Circolare - Card colorata - - Card - + Scheda Carosello - Effetto scorrimento sulla schermata di riproduzione - Cascata - Forma - Ultime modifiche - Per visualizzare le ultime modifiche, entra nel canale Telegram - + Cerchio Circolare - Classico - Vuoto - Cancella i dati dell\'app - Cancella blacklist - Cancella coda - Cancella playlist %1$s ? Questo non pu\u00f2 essere annullato!]]> - Chiudi - Colore - Colore - Colori - Compositore - Info dispositivo copiate negli appunti. - Impossibile creare la playlist. - "Impossibile scaricare una copertina di album corrispondente." + "Impossibile scaricare la copertina dell'album corrispondente." Impossibile ripristinare l\'acquisto. Impossibile scansionare %d file. - Crea - - Playlist creata %1$s. - - Membri e contributori - + Playlist %1$s creata. + Membri e collaboratori Ascoltando attualmente %1$s di %2$s. - Scuro - Nessun testo - Elimina playlist %1$s?]]> - Elimina playlist - Elimina brano %1$s?]]> - Elimina brani - %1$d playlist?]]> %1$d brani?]]> Eliminati %1$d brani - Eliminando i brani - Profondità - Descrizione - Info dispositivo - Consenti a Retro Music di modificare le impostazioni audio - Imposta suoneria - Vuoi cancellare la blacklist? %1$s dalla blacklist?]]> - Dona - Se pensi che io meriti di essere pagato per il mio lavoro, puoi lasciarmi qualche soldo qui - Pagami un: - Scarica da Last.fm - + Modalità alla guida Modifica - Modifica copertina - Vuoto - Equalizzatore - Errore - FAQ - Preferiti - Termina ultimo brano - Adatta - Piatto - Cartelle - Sistema - Per te - + Gratis Pieno - Scheda intera - Cambia il tema e i colori dell\'app Aspetto - Genere - Generi - Sviluppa il progetto su GitHub - Unisciti alla community di Google Plus, dove puoi chiedere aiuto o seguire gli aggiornamenti di Retro Music - 1 2 3 @@ -307,199 +184,123 @@ https://play.google.com/store/apps/details?id=%s 6 7 8 - - - + Griglie e stile Cerniera - Cronologia - - Home - + Homepage Flip orizzontale - Immagine - Immagine sfumata - Modifica le impostazioni di download delle immagini - Inseriti %1$d brani nella playlist %2$s. - - Instagram - Condividi la tua configurazione di RetroMusic per mostrarla su Instagram - + Condividi la tua configurazione di Retro Music per mostrarla su Instagram Tastiera - Bitrate - Formato Nome del file Percorso del file Dimensione - + Altro da %s Frequenza di campionamento - Lunghezza - Etichettato - Ultimi aggiunti - Ultimo brano - Suoniamo un po\' di musica - Raccolta - Categorie della raccolta - Licenze - Chiaro - + Ascoltatori Elenco dei file - Caricamento prodotti... - Accedi - Testi - - Made with ❤️ in India - + Creato con ❤ in India Material - Errore - Errore di autorizzazione - Nome - I più riprodotti - Mai - Nuova immagine copertina - Nuova playlist - Nuova foto del profilo - %s è la nuova directory di avvio - Brano successivo - Nessun album - Nessun artista - "Prima riproduci un brano, poi riprova." - Nessun equalizzatore trovato - Nessun genere - Nessun testo trovato - + Nessun brano in riproduzione Nessuna playlist - Nessun acquisto trovato. - Nessun risultato - Nessun brano - Normale - Testi normali - Normale - %s non è presente nel Media Store.]]> - Niente da rilevare - + Non c\'è niente da vedere Notifica - Modifica lo stile delle notifiche - In riproduzione Coda in riproduzione Personalizza la schermata riproduzione Più di 9 schermate di riproduzione - Solo tramite Wi-fi - - Funzionalità avanzate - + Funzionalità sperimentali Altro - Password - Ultimi 3 mesi - Incolla i testi qui - + Picco Autorizzazione ad accedere all\'archiviazione esterna negata. - Autorizzazione negata. - Personalizza - Personalizza i comandi riproduzione - Scegli dalla memoria locale - Scegli immagine - Pinterest Segui la pagina Pinterest per ispirazioni sul design di Retro Music - Piatto - La notifica di riproduzione fornisce azioni per riproduzione/pausa ecc. Notifica di riproduzione - Playlist vuota - La playlist è vuota - Nome playlist - Playlist - Stile dettagli album - Quantità di sfocatura applicata per i temi con sfocatura, minore è più veloce Quantità di sfocatura - + Regola gli angoli della finestra di dialogo inferiore Angoli finestra - + Filtra brani per durata Filtro durata brano - + Avanzate Stile album Audio + Blacklist Controlli Tema Immagini Raccolta Schermata di blocco Playlist - Mette in pausa la riproduzione quando il volume scende a zero e riprende aumentando il volume. Funziona anche al di fuori dell\'app Pausa a zero - "Ricorda che abilitando questa opzione l'autonomia del tuo dispositivo potrebbe risentirne " + 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. + Avvia la riproduzione non appena connesso al dispositivo bluetooth Sfoca la copertina dell\'album sulla schermata di blocco. Può causare problemi con app e widget di terze parti Effetto scorrimento della copertina nella schermata in riproduzione. Non funziona con i temi Scheda e Scheda sfocata Usa il design classico delle notifiche @@ -510,6 +311,7 @@ https://play.google.com/store/apps/details?id=%s 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 @@ -523,7 +325,6 @@ https://play.google.com/store/apps/details?id=%s Inizia la riproduzione subito dopo aver collegato le cuffie La modalità casuale viene disattivata quando si riproduce un nuovo elenco di brani Se c\'è spazio sufficiente, mostra i controlli del volume nella schermata in riproduzione - Mostra la copertina dell\'album Tema copertina dell\'album Modalità cambio copertina dell\'album @@ -533,6 +334,7 @@ https://play.google.com/store/apps/details?id=%s 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 @@ -540,6 +342,7 @@ https://play.google.com/store/apps/details?id=%s Notifica colorata Colori desaturati Controlli extra + Informazioni brano Riproduzione senza interruzioni Tema generale Mostra scheda Genere @@ -561,71 +364,42 @@ https://play.google.com/store/apps/details?id=%s Modalità casuale Controlli volume Info utente - Colore primario Il colore primario del tema, blu-grigio di default, per ora funziona con colori scuri - + Pro Temi in riproduzione, effetto scorrimento e molto altro... - Profilo - Acquista - * Pensaci prima di acquistare, non chiedere il rimborso. - Coda - Valuta l\'app - Adori quest\'app? Facci sapere sul Play Store come possiamo renderla ancora migliore - Album recenti - Artisti recenti - Rimuovi - Rimuovi la foto del banner - Rimuovi copertina - Rimuovi dalla blacklist - Rimuovi la foto profilo - Rimuovi il brano dalla playlist %1$s dalla playlist?]]> - Rimuovi brani dalla playlist - %1$d dalla playlist?]]> - Rinomina playlist - Segnala un problema - Segnala bug - Ripristina - Ripristina immagine artista - Ripristina - Acquisto precedente ripristinato. Riavvia l\'app per utilizzare tutte le funzionalità. Acquisti precedenti ripristinati. - Ripristino acquisto... - Equalizzatore di Retro Music - + Retro Music Player Retro Music Pro - Eliminazione file fallita: %s - Impossibile ottenere l\'URI dal SAF - Apri il pannello di navigazione Abilita \'Mostra scheda SD\' nel menu a comparsa @@ -634,175 +408,109 @@ https://play.google.com/store/apps/details?id=%s Seleziona la tua scheda SD nel pannello di navigazione Non aprire alcuna sottocartella Tocca \'seleziona\' nella parte inferiore dello schermo - Scrittura file fallita: %s - Salva - Salva come file - Salva come file - Playlist salvata in %s. - Salvataggio modifiche - Scansiona media - Scansionati %1$d di %2$d file. - + Scrobbles Cerca nella tua raccolta... - Seleziona tutto - Seleziona la foto del banner - Selezionato - Invia registro errori - Imposta - Imposta immagine artista - Imposta una foto profilo - Condividi app - + Condividi nelle Storie Casuale - Semplice - Timer sonno cancellato. Timer sonno impostato per %d minuti da ora. - Scorri - Album piccolo - Social - + Condividi storia Brano - Durata brano - Brani - Ordina per Crescente Album Artista Compositore Data + Ultima modifica Anno Decrescente - Il tuo dispositivo non supporta l\'input vocale - Cerca nella tua raccolta - Pila - Inizia a riprodurre musica. - Suggerimenti - Mostra il tuo nome nella schermata home - Sostieni lo sviluppo - Scorri per sbloccare - Testi sincronizzati - Equalizzatore di sistema - Telegram Unisciti al gruppo Telegram per discutere dei bug, dare suggerimenti e molto altro - Grazie! - Il file audio - Questo mese - Questa settimana - Quest\'anno - Piccolo - Titolo - Dashboard - Buon pomeriggio Buona giornata Buonasera Buongiorno Buonanotte - Qual è il tuo nome - Oggi - Album migliori - Artisti migliori - "Traccia (2 per traccia 2 o 3004 per CD3 traccia 4)" - Numero traccia - Traduci - Aiutaci traducendo l\'app nella tua lingua - Twitter Condividi il tuo design con Retro Music - Senza etichetta - Impossibile riprodurre il brano. - Prossimo - Aggiorna immagine - Aggiornamento... - Nome utente - Versione - Flip verticale - - Virtualizer - + Virtualizzatore + Volume Ricerca web - Benvenuto. - Cosa vuoi condividere? - Novità - Finestra - Angoli arrotondati - %1$s impostata come suoneria. - %1$d selezionato - Anno - Seleziona almeno una categoria. - Verrai reindirizzato al sito web dei problemi. - I dati del tuo account vengono utilizzati solo per l\'autenticazione. + Valore + Nota (opzionale) + Inizia pagamento + Mostra la schermata riproduzione + Cliccando sulla notifica verrà visualizzata la schermata di riproduzione invece della schermata home + Tiny card diff --git a/app/src/main/res/master/values-iw-rIL/strings.xml b/app/src/main/res/master/values-iw-rIL/strings.xml new file mode 100644 index 00000000..321eb477 --- /dev/null +++ b/app/src/main/res/master/values-iw-rIL/strings.xml @@ -0,0 +1,515 @@ + + + Team, social links + Accent color + The theme accent color, defaults to purple + About + Add to favorites + Add to playing queue + Add to playlist + Clear playing queue + Clear playlist + Cycle repeat mode + Delete + Delete from device + Details + Go to album + Go to artist + Go to genre + Go to start directory + Grant + Grid size + Grid size (land) + New playlist + Next + Play + Play all + Play next + Play/Pause + Previous + Remove from favorites + Remove from playing queue + Remove from playlist + Rename + Save playing queue + Scan + Search + Start + Set as ringtone + Set as start directory + "Settings" + Share + Shuffle all + Shuffle playlist + Sleep timer + Sort order + Tag editor + Toggle favorite + Toggle shuffle mode + Adaptive + Add + Add lyrics + Add \nphoto + "Add to playlist" + Add time frame lyrics + "Added 1 title to the playing queue." + Added %1$d titles to the playing queue. + Album + Album artist + The title or artist is empty. + Albums + Always + Hey check out this cool music player at: https://play.google.com/store/apps/details?id=%s + Shuffle + Top Tracks + Retro music - Big + Retro music - Card + Retro music - Classic + Retro music - Small + Retro music - Text + Artist + Artists + Audio focus denied. + Change the sound settings and adjust the equalizer controls + Auto + Base color theme + Bass Boost + Bio + Biography + Just Black + Blacklist + Blur + Blur Card + Unable to send report + Invalid access token. Please contact the app developer. + Issues are not enabled for the selected repository. Please contact the app developer. + An unexpected error occurred. Please contact the app developer. + Wrong username or password + Issue + Send manually + Please enter an issue description + Please enter your valid GitHub password + Please enter an issue title + Please enter your valid GitHub username + An unexpected error occurred. Sorry you found this bug, if it keeps crashing \"Clear app data\" or send an Email + Uploading report to GitHub… + Send using GitHub account + Buy now + Cancel + Card + Circular + Colored Card + Card + Carousel + Carousel effect on the now playing screen + Cascading + Cast + Changelog + Changelog maintained on the Telegram channel + Circle + Circular + Classic + Clear + Clear app data + Clear blacklist + Clear queue + Clear playlist + %1$s? This can\u2019t be undone!]]> + Close + Color + Color + Colors + Composer + Copied device info to clipboard. + Couldn\u2019t create playlist. + "Couldn\u2019t download a matching album cover." + Could not restore purchase. + Could not scan %d files. + Create + Created playlist %1$s. + Members and contributors + Currently listening to %1$s by %2$s. + Kinda Dark + No Lyrics + Delete playlist + %1$s?]]> + Delete playlists + Delete song + %1$s?]]> + Delete songs + %1$d playlists?]]> + %1$d songs?]]> + Deleted %1$d songs. + Deleting songs + Depth + Description + Device info + Allow Retro Music to modify audio settings + Set ringtone + Do you want to clear the blacklist? + %1$s from the blacklist?]]> + Donate + If you think I deserve to get paid for my work, you can leave some money here + Buy me a: + Download from Last.fm + Drive mode + Edit + Edit cover + Empty + Equalizer + Error + FAQ + Favorites + Finish last song + Fit + Flat + Folders + Follow system + For you + Free + Full + Full card + Change the theme and colors of the app + Look and feel + Genre + Genres + Fork the project on GitHub + Join the Google Plus community where you can ask for help or follow Retro Music updates + 1 + 2 + 3 + 4 + 5 + 6 + 7 + 8 + Grid style + Hinge + History + Home + Horizontal flip + Image + Gradient image + Change artist image download settings + Inserted %1$d songs into the playlist %2$s. + Share your Retro Music setup to showcase on Instagram + Keyboard + Bitrate + Format + File name + File path + Size + More from %s + Sampling rate + Length + Labeled + Last added + Last song + Let\'s play some music + Library + Library categories + Licenses + Clearly White + Listeners + Listing files + Loading products… + Login + Lyrics + Made with ❤️ in India + Material + Error + Permission error + Name + Most played + Never + New banner photo + New playlist + New profile photo + %s is the new start directory. + Next Song + You have no albums + You have no artists + "Play a song first, then try again." + No equalizer found + You have no genres + No lyrics found + No songs playing + You have no playlists + No purchase found. + No results + You have no songs + Normal + Normal lyrics + Normal + %s is not listed in the media store.]]> + Nothing to scan. + Nothing to see + Notification + Customize the notification style + Now playing + Now playing queue + Customize the now playing screen + 9+ now playing themes + Only on Wi-Fi + Advanced testing features + Other + Password + Past 3 months + Paste lyrics here + Peak + Permission to access external storage denied. + Permissions denied. + Personalize + Customize your now playing and UI controls + Pick from local storage + Pick image + Pinterest + Follow Pinterest page for Retro Music design inspiration + Plain + The playing notification provides actions for play/pause etc. + Playing notification + Empty playlist + Playlist is empty + Playlist name + Playlists + Album detail style + Amount of blur applied for blur themes, lower is faster + Blur amount + Adjust the bottom sheet dialog corners + Dialog corner + Filter songs by length + Filter song duration + Advanced + Album style + Audio + Blacklist + Controls + Theme + Images + Library + Lockscreen + Playlists + Pauses the song when the volume decreases to zero and starts playing back when the volume level rises. Also works outside the app + Pause on zero + Keep in mind that enabling this feature may affect battery life + Keep the screen on + Click to open with or slide to without transparent navigation of now playing screen + Click or Slide + Snow fall effect + 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. + Start playing as soon as connected to bluetooth device + Blur the album cover on the lockscreen. Can cause problems with third party apps and widgets + Carousel effect for the album art in the now playing screen. Note that Card and Blur Card themes won\'t work + 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 + Toggle home banner style + Can increase the album cover quality, but causes slower image loading times. Only enable this if you have problems with low resolution artworks + Configure visibility and order of library categories. + Use Retro Music\'s custom lockscreen controls + License details for open source software + Round the app\'s edges + Toggle titles for the bottom navigation bar tabs + Immersive mode + Start playing immediately after headphones are connected + Shuffle mode will turn off when playing a new list of songs + If enough space is available, show volume controls in the now playing screen + Show album cover + Album cover theme + Album cover skip + Album grid + Colored app shortcuts + Artist grid + Reduce volume on focus loss + Auto-download artist images + Blacklist + Bluetooth playback + Blur album cover + Choose equalizer + Classic notification design + Adaptive color + Colored notification + Desaturated color + Extra controls + Song info + Gapless playback + App theme + Show genre tab + Home artist grid + Home 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. + Queue + Rate the app + Love this app? Let us know in the Google Play Store how we can make it even better + Recent albums + Recent artists + Remove + Remove banner photo + Remove cover + Remove from blacklist + Remove profile photo + Remove song from playlist + %1$s from the playlist?]]> + Remove songs from playlist + %1$d songs from the playlist?]]> + Rename playlist + Report an issue + Report bug + Reset + Reset artist image + Restore + Restored previous purchase. Please restart the app to make use of all features. + Restored previous purchases. + Restoring purchase… + Retro Music Equalizer + Retro Music Player + Retro Music Pro + File delete failed: %s + + Can\'t get SAF URI + Open navigation drawer + Enable \'Show SD card\' in overflow menu + + %s needs SD card access + You need to select your SD card root directory + Select your SD card in navigation drawer + Do not open any sub-folders + Tap \'select\' button at the bottom of the screen + File write failed: %s + Save + + + Save as file + Save as files + Saved playlist to %s. + Saving changes + Scan media + Scanned %1$d of %2$d files. + Scrobbles + Search your library… + Select all + Select banner photo + Selected + Send crash log + Set + Set artist image + Set a profile photo + Share app + Share to Stories + Shuffle + Simple + Sleep timer canceled. + Sleep timer set for %d minutes from now. + Slide + Small album + Social + Share story + Song + Song duration + Songs + Sort order + Ascending + Album + Artist + Composer + Date added + Date modified + Year + Descending + Sorry! Your device doesn\'t support speech input + Search your library + Stack + Start playing music. + Suggestions + Just show your name on home screen + Support development + Swipe to unlock + Synced lyrics + System Equalizer + + Telegram + Join the Telegram group to discuss bugs, make suggestions, show off and more + Thank you! + The audio file + This month + This week + This year + Tiny + Title + Dashboard + Good afternoon + Good day + Good evening + Good morning + Good night + What\'s Your Name + Today + Top albums + Top artists + "Track (2 for track 2 or 3004 for CD3 track 4)" + Track number + Translate + Help us translate the app to your language + Twitter + Share your design with Retro Music + Unlabeled + Couldn\u2019t play this song. + Up next + Update image + Updating… + Username + Version + Vertical flip + Virtualizer + Volume + Web search + Welcome, + What do you want to share? + What\'s New + Window + Rounded corners + Set %1$s as your ringtone. + %1$d selected + Year + You have to select at least one category. + You will be forwarded to the issue tracker website. + Your account data is only used for authentication. + Amount + Note(Optional) + Start payment + Show now playing screen + Clicking on the notification will show now playing screen instead of the home screen + Tiny card + diff --git a/app/src/main/res/values-ja/strings.xml b/app/src/main/res/master/values-ja-rJP/strings.xml similarity index 87% rename from app/src/main/res/values-ja/strings.xml rename to app/src/main/res/master/values-ja-rJP/strings.xml index f1911b43..726d0fe4 100644 --- a/app/src/main/res/values-ja/strings.xml +++ b/app/src/main/res/master/values-ja-rJP/strings.xml @@ -1,136 +1,85 @@ - + 我々のチームとソーシャルリンク - アクセントカラー テーマのアクセントカラー、既定は青緑色です。 - このアプリについて - お気に入りに追加 再生キューに追加 プレイリストに追加… - 再生キューをクリア プレイリストを削除 - + Cycle repeat mode 削除 デバイスから削除 - 詳細 - アルバムに移動 アーティストに移動 ジャンルに移動 最初のディレクトリに移動 - 承諾 - グリッドサイズ グリッドサイズ(土地) - + New playlist - 再生 + Play all 次に再生する 再生/一時停止 - - お気に入りから削除 再生キューから削除 プレイリストから削除 - 名前を変更 - 再生キューを保存 - スキャン - 検索 - 開始 着信音に設定 最初のディレクトリとして設定する - "設定" - 共有 - すべてシャッフル プレイリストをシャッフル - スリープタイマー - 順番をソート - 音楽タグエディター - + Toggle favorite + Toggle shuffle mode アダプティブ - 追加 - 歌詞を追加 - 写真を\n追加 - "プレイリストに追加" - 歌詞に時間枠を組み入れる - "1曲が再生キューに追加されました" - %1$d 曲が再生キューに追加されました - アルバム - アルバム アーティスト - 不明なタイトルまたはアーティスト - アルバム - - 常に - クールな音楽プレイヤーをチェックしよう: https://play.google.com/store/apps/details?id=%s - - シャッフル トップ曲 - レトロミュージック - ビッグ レトロミュージック - カード レトロミュージック - クラシック レトロミュージック - 小 Retro music - テキスト - アーティスト - アーティスト - オーディオのフォーカスが拒否されました。 - サウンド設定を変更し、イコライザーコントロールを調整する - 自動 - ベースカラーテーマ - 低音ブースト - バイオグラフィー - バイオグラフィー - - ブラックリスト - ぼかし - ブラーとカード - レポートを送信できませんでした 無効なトークン:アプリの開発者に連絡してください 選択されたリポジトリで問題が有効になっていません。開発者に連絡してください @@ -146,141 +95,87 @@ このバグが何度も発生する場合は、端末のアプリ設定より「データを削除する(Androidバージョンによって異なります)」を実行するか、概要をメールで送信してください。 GitHubにレポートをアップロード中... GitHubアカウントを使って送信 - + Buy now キャンセル - カード - - 色付きのカード - カード - カルーセル - 再生中画面でのカルーセル効果 - 重ねて表示 - キャスト - パッチノート - 電報チャネルで変更ログが維持されています - + Circle - クラシック - 削除 - アプリのデータを削除 - ブラックリストを削除 - キューを削除 - プレイリストを削除 - + %1$s? This can\u2019t be undone!]]> 閉じる - カラフル - カラフル - - 作曲家 - 端末情報をコピー - \u30d7\u30ec\u30a4\u30ea\u30b9\u30c8\u306e\u4f5c\u6210\u306b\u5931\u6557\u3057\u307e\u3057\u305f\u3002 "\u9069\u5207\u306a\u30a2\u30eb\u30d0\u30e0\u30a2\u30fc\u30c8\u3092\u30c0\u30a6\u30f3\u30ed\u30fc\u30c9\u3067\u304d\u307e\u305b\u3093\u3067\u3057\u305f" 購入の復元に失敗しました %d のファイルをスキャンできませんでした - 作成 - プレイリストを作成しました %1$s - メンバーと貢献者 - 現在、 %1$s によって %2$s で聴いています。 - ちょっと暗い - 歌詞がありません - プレイリストを削除 %1$s を削除しますか?]]> - プレイリストを削除 - + Delete song %1$s を削除しますか?]]> - + Delete songs %1$d を削除しますか?]]> %1$d 曲を削除しますか?]]> %1$d 曲を削除しました - + Deleting songs 深さ - 説明 - 端末の情報 - Retro Musicにオーディオ設定の変更を許可する - 着信音に設定 - ブラックリストを削除しますか? %1$s をブラックリストから削除しますか?]]> - 寄付します - 私が自分の仕事に払う価値があると思うなら、あなたはここにお金を残すことができます - 俺を購入: - Last.fm からダウンロード - + Drive mode 編集 - カバーを編集 - 空の - イコライザー - エラー - よくある質問 - お気に入り - + Finish last song フィット - フラット - フォルダ - + Follow system あなたのために - + Free いっぱい - 全体のカード - このアプリのテーマや色を変更します 見た目と操作感 - ジャンル - ジャンル - GitHubでプロジェクトにフォークする - Google Plus コミュニティに参加してヘルプや Retro Music のアップデート情報を受け取ろう - @@ -289,186 +184,123 @@ - + Grid style ヒンジ - 履歴 - ホーム - 水平方向に反転 - 画像 - + Gradient image アーティスト画像のダウンロード設定を変更する - プレイリスト %2$s に %1$d 曲を追加しました - - Instagram 君のRetro Music設定を共有してInstagramにショーケースしましょう - + Keyboard ビットレート - フォーマット ファイルの名前 ファイルパス サイズ - + More from %s サンプリングレート - 長さ - ラベル付き - 最後に追加された - 前の曲 - 何か再生しよう - ライブラリ - + Library categories ライセンス - はっきり白 - + Listeners リスティングファイル - 商品の読み込み中... - ログイン - 歌詞 - Made with ❤️ in India - マテリアル - エラー - 権限が付与されていません - 名前 - 最も再生された - 決して - 新しいバナー画像 - 新しいプレイリスト - 新しいプロフィール画像 - %s は新しい開始ディレクトリです。 - 次の曲 - アルバムがありません - アーティストがありません - "音楽再生してから、再度お試しください" - イコライザが見つかりませんでした - ジャンルがありません - 歌詞が見つかりませんでした - + No songs playing プレイリストがありません - 購入が見つかりません。 - 結果なし - 曲がありません - 通常 - 通常の歌詞 - 通常 - %s がリストされたされていません。]]> - スキャン対象がありません - + Nothing to see 通知 - 通知スタイルを変更 - 再生中 再生中のキュー 再生中の画面をカスタマイズ 9種類以上の再生中テーマ - Wi-Fi時のみ - 高度な試験的機能 - その他 - パスワード - 過去3ヶ月 - ここに歌詞を入力してください - + Peak 外部ストレージへのアクセスが拒否されました - 許可が拒否されました - 個人用設定 - 再生中のUI画面をカスタマイズ - ローカルストレージから選択 - 画像を選択 - Pinterest PintrestでRetro Musicのデザインのインスピレーションを感じましょう! - プレーン - 再生中の通知は再生/停止の操作が利用できます 再生中の通知 - 空のプレイリスト - プレイリストが空です - プレイリストの名前 - プレイリスト - アルバムのディテールスタイル - ブラーを使用するテーマを使用した際のブラーの強さを設定します。低いほど処理が早くなります ぼかしの強さ - + Adjust the bottom sheet dialog corners + Dialog corner + Filter songs by length 曲の長さをフィルター - + Advanced + Album style オーディオ + Blacklist + Controls テーマ 画像 + Library ロック画面 プレイリスト - 音量がゼロになると自動的に音楽が一時停止し、再び音量を上げると音楽が再生されます。※あなたがアプリ外で音量を上げると、Retro Musicも再生を開始します。 音量をゼロで一時停止 この機能をオンにすると、バッテリー寿命に影響する可能性があります 画面をオンのままにする - 現在再生中の画面に移動せずに、クリックまたはスライドして開く クリックもしくはスライド - スノーフォールエフェクト - 再生中のジャケットをロック画面の壁紙に適用する システムでサウンドが再生されたとき、または通知が受信されたときに一時的に音量を下げる ブラックリストに登録されたフォルダの内容はコレクションには表示されません。 + Start playing as soon as connected to bluetooth device ロック画面のジャケットをぼかします。他のアプリやウィジェットに問題を及ぼす可能性があります 再生中のジャケットにスライドエフェクトを適用する。この設定を適用するとカードテーマの設定は自動的にオフになります 古い通知デザインを使用する @@ -476,12 +308,15 @@ アプリのショートカットアイコンをアクセントカラーに切り替えます。アクセントカラーを変更した場合はトグルを切り替えて設定を適用してください ナビゲーションバーにプライマリカラーを適用します "\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のカスタムされたロック画面を使用する オープンソースライセンスの詳細 アプリの端を丸める @@ -490,7 +325,6 @@ ヘッドフォンが接続されたら自動で再生を開始する 新しいリストの楽曲を再生する時にシャッフルは自動的にオフになります 再生画面に十分なスペースがある場合に音量コントロールを追加する - アルバムジャケットを表示 アルバムカバーのテーマ アルバムジャケットをスキップ @@ -500,12 +334,15 @@ フォーカスロス時に音量を下げる アーティスト画像を自動でダウンロードする ブラックリスト + Bluetooth playback アルバムジャケットにぼかしを適用する イコライザーを選択 古い通知デザイン アダプティブカラー 色付きの通知 + Desaturated color 追加のコントロール + Song info ギャップレス再生 アプリのテーマ ジャンルタブを表示 @@ -527,222 +364,153 @@ シャッフルモード ボリュームコントロール ユーザー情報 - プライマリカラー - "プライマリカラーはデフォルトではブルーグレーに設定されています。現在はダークモードでのみ動作します。 -" - + プライマリカラーはデフォルトではブルーグレーに設定されています。現在はダークモードでのみ動作します。 + Pro + Black theme, Now playing themes, Carousel effect and more.. プロフィール - 購入 - 購入後に返金を求めないようにお願い申し上げます。 - キュー - アプリを評価する - このアプリを気に入りましたか?アプリをより良いものにするために、Google Play Storeで問題の報告と意見をよろしくお願いします。 - 最近のアルバム - 最近のアーティスト - 削除 - バナー画像を削除する - ジャケットを削除 - ブラックリストから削除 - プロフィール画像を削除 - プレイリストから曲を削除 %1$s をプレイリストから削除しますか?]]> - プレイリストから曲を削除する - %1$d をプレイリストから削除しますか?]]> - プレイリストの名前を変更 - 問題を報告 - 不具合を報告する - + Reset アーティスト画像をリセット - 復元 - 購入を復元しました。アプリを再起動してフルバージョンをご堪能ください! 購入を復元しました - 購入を復元しています... - Retro Music イコライザ - + Retro Music Player Retro Music Pro - + File delete failed: %s + + Can\'t get SAF URI + Open navigation drawer + Enable \'Show SD card\' in overflow menu + + %s needs SD card access + You need to select your SD card root directory + Select your SD card in navigation drawer + Do not open any sub-folders + Tap \'select\' button at the bottom of the screen + File write failed: %s 保存 - ファイルとして保存 - ファイルとして保存 - %s にプレイリストを保存しました - 変更を保存中 - メディアをスキャン - %2$d のうち、%1$d がスキャンされました - + Scrobbles ライブラリを検索しています... - すべて選択 - バナー画像を選択してください - 選択された - クラッシュログを送信する - 決定 - アーティスト画像を設定 - プロフィール画像を設定 - アプリを共有する - + Share to Stories シャッフル - シンプル - スリープタイマーがキャンセルされました スリープタイマーは %d 分後に設定されました。 - スライド - 小さなアルバム - ソーシャル - + Share story - 曲の長さ - - 順番をソート 昇順 アルバム アーティスト 作曲家 日付 + Date modified 降順 - ごめんなさい! このデバイスは音声入力に対応しておりません - ライブラリを検索 - + Stack + Start playing music. 改善を提案 - ホームに名前が表示されます - 開発を支援 - スワイプしてアンロック - 連動した歌詞 - システムのイコライザ - Telegram Telegram のグループに参加して、バグについて話し合ったり、提案したりしましょう - ありがとう! - オーディオファイル - 今月 - 今週 - 今年 - 小さい - 主題 - ダッシュボード - こんにちは 良い一日を こんばんは おはようございます おやすみなさい - あなたの名前はなんですか? - 今日 - トップアルバム - トップアーティスト - "トラック(トラック2の場合は「truck 2」、CD3でtruck4の場合は 「3004」)" - トラック番号 - 翻訳 - 翻訳を手伝ってください! - ツイッター あなたのデザインを皆に共有しましょう - ラベル付きでない - \u3053\u306e\u66f2\u3092\u518d\u751f\u3067\u304d\u307e\u305b\u3093\u3067\u3057\u305f - - 画像を更新 - 更新中... - ユーザー名 - バージョン - 垂直方向に反転 - バーチャライザー - + Volume ウェブで検索 - + Welcome, 何を共有しますか? - 更新内容 - ウィンドウ - 角を丸める - %1$s をあなたの着信音として設定しました - %1$d が選択されました - - + You have to select at least one category. issue trackerのウェブサイトに転送されます - あなたのアカウントは認証にのみ使用されます - More from %s + 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/master/values-kn-rIN/strings.xml b/app/src/main/res/master/values-kn-rIN/strings.xml new file mode 100644 index 00000000..321eb477 --- /dev/null +++ b/app/src/main/res/master/values-kn-rIN/strings.xml @@ -0,0 +1,515 @@ + + + Team, social links + Accent color + The theme accent color, defaults to purple + About + Add to favorites + Add to playing queue + Add to playlist + Clear playing queue + Clear playlist + Cycle repeat mode + Delete + Delete from device + Details + Go to album + Go to artist + Go to genre + Go to start directory + Grant + Grid size + Grid size (land) + New playlist + Next + Play + Play all + Play next + Play/Pause + Previous + Remove from favorites + Remove from playing queue + Remove from playlist + Rename + Save playing queue + Scan + Search + Start + Set as ringtone + Set as start directory + "Settings" + Share + Shuffle all + Shuffle playlist + Sleep timer + Sort order + Tag editor + Toggle favorite + Toggle shuffle mode + Adaptive + Add + Add lyrics + Add \nphoto + "Add to playlist" + Add time frame lyrics + "Added 1 title to the playing queue." + Added %1$d titles to the playing queue. + Album + Album artist + The title or artist is empty. + Albums + Always + Hey check out this cool music player at: https://play.google.com/store/apps/details?id=%s + Shuffle + Top Tracks + Retro music - Big + Retro music - Card + Retro music - Classic + Retro music - Small + Retro music - Text + Artist + Artists + Audio focus denied. + Change the sound settings and adjust the equalizer controls + Auto + Base color theme + Bass Boost + Bio + Biography + Just Black + Blacklist + Blur + Blur Card + Unable to send report + Invalid access token. Please contact the app developer. + Issues are not enabled for the selected repository. Please contact the app developer. + An unexpected error occurred. Please contact the app developer. + Wrong username or password + Issue + Send manually + Please enter an issue description + Please enter your valid GitHub password + Please enter an issue title + Please enter your valid GitHub username + An unexpected error occurred. Sorry you found this bug, if it keeps crashing \"Clear app data\" or send an Email + Uploading report to GitHub… + Send using GitHub account + Buy now + Cancel + Card + Circular + Colored Card + Card + Carousel + Carousel effect on the now playing screen + Cascading + Cast + Changelog + Changelog maintained on the Telegram channel + Circle + Circular + Classic + Clear + Clear app data + Clear blacklist + Clear queue + Clear playlist + %1$s? This can\u2019t be undone!]]> + Close + Color + Color + Colors + Composer + Copied device info to clipboard. + Couldn\u2019t create playlist. + "Couldn\u2019t download a matching album cover." + Could not restore purchase. + Could not scan %d files. + Create + Created playlist %1$s. + Members and contributors + Currently listening to %1$s by %2$s. + Kinda Dark + No Lyrics + Delete playlist + %1$s?]]> + Delete playlists + Delete song + %1$s?]]> + Delete songs + %1$d playlists?]]> + %1$d songs?]]> + Deleted %1$d songs. + Deleting songs + Depth + Description + Device info + Allow Retro Music to modify audio settings + Set ringtone + Do you want to clear the blacklist? + %1$s from the blacklist?]]> + Donate + If you think I deserve to get paid for my work, you can leave some money here + Buy me a: + Download from Last.fm + Drive mode + Edit + Edit cover + Empty + Equalizer + Error + FAQ + Favorites + Finish last song + Fit + Flat + Folders + Follow system + For you + Free + Full + Full card + Change the theme and colors of the app + Look and feel + Genre + Genres + Fork the project on GitHub + Join the Google Plus community where you can ask for help or follow Retro Music updates + 1 + 2 + 3 + 4 + 5 + 6 + 7 + 8 + Grid style + Hinge + History + Home + Horizontal flip + Image + Gradient image + Change artist image download settings + Inserted %1$d songs into the playlist %2$s. + Share your Retro Music setup to showcase on Instagram + Keyboard + Bitrate + Format + File name + File path + Size + More from %s + Sampling rate + Length + Labeled + Last added + Last song + Let\'s play some music + Library + Library categories + Licenses + Clearly White + Listeners + Listing files + Loading products… + Login + Lyrics + Made with ❤️ in India + Material + Error + Permission error + Name + Most played + Never + New banner photo + New playlist + New profile photo + %s is the new start directory. + Next Song + You have no albums + You have no artists + "Play a song first, then try again." + No equalizer found + You have no genres + No lyrics found + No songs playing + You have no playlists + No purchase found. + No results + You have no songs + Normal + Normal lyrics + Normal + %s is not listed in the media store.]]> + Nothing to scan. + Nothing to see + Notification + Customize the notification style + Now playing + Now playing queue + Customize the now playing screen + 9+ now playing themes + Only on Wi-Fi + Advanced testing features + Other + Password + Past 3 months + Paste lyrics here + Peak + Permission to access external storage denied. + Permissions denied. + Personalize + Customize your now playing and UI controls + Pick from local storage + Pick image + Pinterest + Follow Pinterest page for Retro Music design inspiration + Plain + The playing notification provides actions for play/pause etc. + Playing notification + Empty playlist + Playlist is empty + Playlist name + Playlists + Album detail style + Amount of blur applied for blur themes, lower is faster + Blur amount + Adjust the bottom sheet dialog corners + Dialog corner + Filter songs by length + Filter song duration + Advanced + Album style + Audio + Blacklist + Controls + Theme + Images + Library + Lockscreen + Playlists + Pauses the song when the volume decreases to zero and starts playing back when the volume level rises. Also works outside the app + Pause on zero + Keep in mind that enabling this feature may affect battery life + Keep the screen on + Click to open with or slide to without transparent navigation of now playing screen + Click or Slide + Snow fall effect + 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. + Start playing as soon as connected to bluetooth device + Blur the album cover on the lockscreen. Can cause problems with third party apps and widgets + Carousel effect for the album art in the now playing screen. Note that Card and Blur Card themes won\'t work + 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 + Toggle home banner style + Can increase the album cover quality, but causes slower image loading times. Only enable this if you have problems with low resolution artworks + Configure visibility and order of library categories. + Use Retro Music\'s custom lockscreen controls + License details for open source software + Round the app\'s edges + Toggle titles for the bottom navigation bar tabs + Immersive mode + Start playing immediately after headphones are connected + Shuffle mode will turn off when playing a new list of songs + If enough space is available, show volume controls in the now playing screen + Show album cover + Album cover theme + Album cover skip + Album grid + Colored app shortcuts + Artist grid + Reduce volume on focus loss + Auto-download artist images + Blacklist + Bluetooth playback + Blur album cover + Choose equalizer + Classic notification design + Adaptive color + Colored notification + Desaturated color + Extra controls + Song info + Gapless playback + App theme + Show genre tab + Home artist grid + Home 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. + Queue + Rate the app + Love this app? Let us know in the Google Play Store how we can make it even better + Recent albums + Recent artists + Remove + Remove banner photo + Remove cover + Remove from blacklist + Remove profile photo + Remove song from playlist + %1$s from the playlist?]]> + Remove songs from playlist + %1$d songs from the playlist?]]> + Rename playlist + Report an issue + Report bug + Reset + Reset artist image + Restore + Restored previous purchase. Please restart the app to make use of all features. + Restored previous purchases. + Restoring purchase… + Retro Music Equalizer + Retro Music Player + Retro Music Pro + File delete failed: %s + + Can\'t get SAF URI + Open navigation drawer + Enable \'Show SD card\' in overflow menu + + %s needs SD card access + You need to select your SD card root directory + Select your SD card in navigation drawer + Do not open any sub-folders + Tap \'select\' button at the bottom of the screen + File write failed: %s + Save + + + Save as file + Save as files + Saved playlist to %s. + Saving changes + Scan media + Scanned %1$d of %2$d files. + Scrobbles + Search your library… + Select all + Select banner photo + Selected + Send crash log + Set + Set artist image + Set a profile photo + Share app + Share to Stories + Shuffle + Simple + Sleep timer canceled. + Sleep timer set for %d minutes from now. + Slide + Small album + Social + Share story + Song + Song duration + Songs + Sort order + Ascending + Album + Artist + Composer + Date added + Date modified + Year + Descending + Sorry! Your device doesn\'t support speech input + Search your library + Stack + Start playing music. + Suggestions + Just show your name on home screen + Support development + Swipe to unlock + Synced lyrics + System Equalizer + + Telegram + Join the Telegram group to discuss bugs, make suggestions, show off and more + Thank you! + The audio file + This month + This week + This year + Tiny + Title + Dashboard + Good afternoon + Good day + Good evening + Good morning + Good night + What\'s Your Name + Today + Top albums + Top artists + "Track (2 for track 2 or 3004 for CD3 track 4)" + Track number + Translate + Help us translate the app to your language + Twitter + Share your design with Retro Music + Unlabeled + Couldn\u2019t play this song. + Up next + Update image + Updating… + Username + Version + Vertical flip + Virtualizer + Volume + Web search + Welcome, + What do you want to share? + What\'s New + Window + Rounded corners + Set %1$s as your ringtone. + %1$d selected + Year + You have to select at least one category. + You will be forwarded to the issue tracker website. + Your account data is only used for authentication. + Amount + Note(Optional) + Start payment + Show now playing screen + Clicking on the notification will show now playing screen instead of the home screen + Tiny card + diff --git a/app/src/main/res/values-ko/strings.xml b/app/src/main/res/master/values-ko-rKR/strings.xml similarity index 59% rename from app/src/main/res/values-ko/strings.xml rename to app/src/main/res/master/values-ko-rKR/strings.xml index a4a2068c..0fffcd82 100644 --- a/app/src/main/res/values-ko/strings.xml +++ b/app/src/main/res/master/values-ko-rKR/strings.xml @@ -1,194 +1,180 @@ - + + Team, social links 강조 색상 강조 색상을 지정합니다. 기본값은 녹색입니다. - 정보 - 즐겨찾기에 추가 재생 대기열에 추가 재생목록에 추가... - 재생 대기열 비우기 재생목록 비우기 - + Cycle repeat mode 삭제 기기에서 삭제 - 세부 정보 - 해당 앨범으로 이동 해당 아티스트로 이동 + Go to genre 초기 디렉터리로 이동 - 허용 - 격자 크기 격자 크기 (가로) - + New playlist 다음 - 재생 + Play all 다음 곡 재생 재생/일시정지 - 이전 - 즐겨찾기에서 제거 재생 대기열에서 제거 재생목록에서 제거 - 이름 바꾸기 - 재생 대기열 저장 - 스캔 - 검색 - 지정 벨소리로 설정 초기 디렉터리로 설정 - "설정" - 공유 - 모든 곡 무작위 재생 재생목록 무작위 재생 - 수면 타이머 - + Sort order 태그 편집기 - + Toggle favorite + Toggle shuffle mode + Adaptive 추가 - + Add lyrics 사진\n추가 - "재생목록에 추가" - + Add time frame lyrics "재생 대기열에 1곡이 추가되었습니다." - 재생 대기열에 %1$d곡이 추가되었습니다. - 앨범 - 앨범 아티스트 - 제목 또는 아티스트가 없습니다. - 앨범 - - 항상 - 이 멋진 뮤직 플레이어를 한 번 써보세요!: https://play.google.com/store/apps/details?id=%s - - 무작위 자주 재생한 음악 - Retro music - 대형 Retro music - 카드 Retro music - 클래식 Retro music - 소형 - + Retro music - Text 아티스트 - 아티스트 - 오디오 포커스가 거부되었습니다. - 소리 설정 및 이퀄라이저 조정 - + Auto + Base color theme + Bass Boost + Bio 바이오그래피 - 저스트 블랙 - 블랙리스트 - 흐림 효과 - 블러 카드 - + Unable to send report + Invalid access token. Please contact the app developer. + Issues are not enabled for the selected repository. Please contact the app developer. + An unexpected error occurred. Please contact the app developer. + Wrong username or password + Issue + Send manually + Please enter an issue description + Please enter your valid GitHub password + Please enter an issue title + Please enter your valid GitHub username + An unexpected error occurred. Sorry you found this bug, if it keeps crashing \"Clear app data\" or send an Email + Uploading report to GitHub… + Send using GitHub account + Buy now 현재 타이머 취소 - 카드 - + Circular + Colored Card + Card + Carousel + Carousel effect on the now playing screen + Cascading + Cast 변경 사항 - 변경 사항은 Telegram을 통해 확인할 수 있습니다 - + Circle + Circular + Classic 비우기 - + Clear app data 블랙리스트 비우기 - + Clear queue 재생목록 비우기 - + %1$s? This can\u2019t be undone!]]> + Close 색상 - 색상 - 색상 - + Composer + Copied device info to clipboard. \uc7ac\uc0dd\ubaa9\ub85d\uc744 \ub9cc\ub4e4 \uc218 \uc5c6\uc2b5\ub2c8\ub2e4. "\uc774 \uc568\ubc94\uacfc \uc77c\uce58\ud558\ub294 \uc568\ubc94 \ucee4\ubc84\ub97c \ub2e4\uc6b4\ub85c\ub4dc\ud560 \uc218 \uc5c6\uc2b5\ub2c8\ub2e4." 구매내역을 복구할 수 없습니다. %d개의 파일을 스캔하지 못했습니다. - 만들기 - %1$s 재생목록을 만들었습니다. - + Members and contributors 현재 %2$s의 %1$s를 듣는 중입니다. - 카인다 다크 - 가사 없음 - 재생목록 삭제 %1$s 재생목록을 삭제하시겠습니까?]]> - 재생목록 삭제 - + Delete song %1$s 노래를 삭제하시겠습니까?]]> - + Delete songs %1$d개의 재생목록을 삭제하시겠습니까?]]> %1$d개의 노래를 삭제하시겠습니까?]]> %1$d개의 노래를 삭제했습니다. - + Deleting songs + Depth + Description + Device info + Allow Retro Music to modify audio settings + Set ringtone 블랙리스트를 비우시겠습니까? %1$s 항목을 제거하시겠습니까?]]> - 기부하기 - 제 작업에 대한 대가를 받을 자격이 있다고 생각하신다면 여기서 저를 위해 소액을 기부할 수 있습니다. - 사주세요! - Last.fm에서 다운로드 - + Drive mode + Edit + Edit cover 비어 있음 - 이퀄라이저 - + Error + FAQ 즐겨찾기 - + Finish last song + Fit 플랫 - 폴더 - + Follow system 당신을 위해 - + Free 전체 - + Full card 앱의 여러 가지 색상 변경 외관 - 장르 - 장르 - + Fork the project on GitHub + Join the Google Plus community where you can ask for help or follow Retro Music updates 1 2 3 @@ -197,120 +183,123 @@ 6 7 8 - + Grid style + Hinge 기록 - - + Horizontal flip + Image + Gradient image + Change artist image download settings %2$s 재생목록에 %1$d개의 노래를 추가했습니다. - + Share your Retro Music setup to showcase on Instagram + Keyboard 비트레이트 - 형식 파일 이름 파일 경로 크기 - + More from %s 샘플링 레이트 - 길이 - + Labeled 최근 추가된 목록 - + Last song 아무거나 재생해보죠! - 라이브러리 - + Library categories 라이선스 - 클리어리 화이트 - + Listeners 파일 목록 생성 - 제품을 불러오는 중... - + Login 가사 - + Made with ❤️ in India + Material + Error + Permission error 내 이름 - 자주 재생한 음악 - 아니오 - + New banner photo 새 재생목록 - + New profile photo 이제 %s 디렉터리가 새 초기 디렉터리입니다. - + Next Song 앨범 없음 - 아티스트 없음 - "먼저 노래를 재생하고 다시 시도해 보십시오." - 이퀄라이저가 없습니다. - 장르 없음 - 가사 없음 - + No songs playing 재생목록 없음 - 구매내역을 찾을 수 없습니다. - 결과 없음 - 노래 없음 - 일반 - + Normal lyrics + Normal %s은(는) 미디어 저장소에 없는 항목입니다.]]> - 스캔할 것이 없습니다. - + Nothing to see 알림 - 알림 스타일 변경 - 지금 재생 중 현재 재생 대기열 - + Customize the now playing screen + 9+ now playing themes Wi-Fi에서만 - + Advanced testing features 기타 - + Password 이전 3개월 - + Paste lyrics here + Peak 외부 저장소 접근 권한이 거부되었습니다. - 권한이 거부되었습니다. - 개인화 - 지금 재생 중 화면과 UI 변경 - 로컬 저장소에서 선택 - + Pick image + Pinterest + Follow Pinterest page for Retro Music design inspiration 단색 - 재생 알림은 재생/일시 정지 등에 대한 작업을 제공합니다. 재생 중 알림 - 빈 재생목록 - 재생목록이 비어 있음 - 재생목록 이름 - 재생목록 - + Album detail style + Amount of blur applied for blur themes, lower is faster + Blur amount + Adjust the bottom sheet dialog corners + Dialog corner + Filter songs by length + Filter song duration + Advanced + Album style 오디오 + Blacklist + Controls 일반 이미지 + Library 잠금 화면 재생목록 - + Pauses the song when the volume decreases to zero and starts playing back when the volume level rises. Also works outside the app + Pause on zero + Keep in mind that enabling this feature may affect battery life + Keep the screen on + Click to open with or slide to without transparent navigation of now playing screen + Click or Slide + Snow fall effect 현재 재생 중인 노래의 앨범 커버를 잠금 화면 배경화면으로 사용합니다. 알림, 탐색 등 + The content of blacklisted folders is hidden from your library. + Start playing as soon as connected to bluetooth device 잠금 화면의 앨범 커버에 흐림 효과를 적용합니다. 서드 파티 앱 및 위젯에서 문제가 생길 수 있습니다. 지금 재생 중 화면에서 이전/다음 곡의 앨범 아트를 표시합니다. 클래식 알림 디자인을 사용합니다. @@ -318,27 +307,46 @@ 강조 색상의 앱 바로 가기 색상을 지정합니다. 색깔을 바꿀 때마다 이 설정을 다시 켜주세요 네비게이션 바의 기본 색상을 지정합니다. "\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 + Toggle home banner style 앨범 커버의 품질을 향상시킬 수 있지만 이미지를 불러오는 시간이 늘어납니다. 저해상도 이미지를 불러오는 데 문제가 있는 경우에만 사용하십시오. + Configure visibility and order of library categories. Retro music에서 제공하는 자체 잠금 화면 사용 오픈소스 소프트웨어의 상세 라이센스 정보 창이나 앨범 아트 등의 모서리를 둥글게 처리 하단 탭에 제목을 보여줄지 결정합니다. 몰입 모드 이어폰이 연결되면 바로 음악을 재생합니다. + Shuffle mode will turn off when playing a new list of songs 음악 재생 화면에서 공간이 있을 시 볼륨 컨트롤을 보입니다 - 앨범 커버 표시 + Album cover theme + Album cover skip + Album grid 앱 바로가기 색상 틴트 + Artist grid 알림이 올 때 볼륨 감소 아티스트 이미지 자동 다운로드 + Blacklist + Bluetooth playback 앨범 커버 블러 + Choose equalizer 클래식 알림 디자인 반응형 색상 지정 알림 색상 틴트 + Desaturated color + Extra controls + Song info 지연없이 재생하기 기본 테마 + Show genre tab + Home artist grid + Home banner 미디어 저장소 커버 무시 최근 추가된 음악 간격 지정 전체 화면 컨트롤 @@ -346,148 +354,162 @@ 테마 오픈소스 라이선스 모서리 둥글게 처리 + Tab titles mode 회전 효과 주요 색상 전체 화면 탭 제목 자동 재생 + Shuffle mode 볼륨 조절 사용자 정보 - 주 색상 테마의 주 색상을 선택합니다. 기본값은 회청색입니다. - + Pro + Black theme, Now playing themes, Carousel effect and more.. + Profile 구매 - + *Think before buying, don\'t ask for refund. 대기열 - 앱 평가 - 앱이 마음에 드신다면 Google Play 스토어에 평가를 남겨주세요. - 지난 앨범 - 지난 아티스트 - 제거 - + Remove banner photo 커버 제거 - 블랙리스트에서 제거 - + Remove profile photo 노래를 재생목록에서 제거 %1$s 노래를 재생목록에서 제거하시겠습니까?]]> - 노래를 재생목록에서 삭제 - %1$d개의 노래를 재생목록에서 삭제하시겠습니까?]]> - 재생목록 이름 바꾸기 - + Report an issue + Report bug + Reset 아티스트 이미지 초기화 - 복원 - 지난 구매를 복원했습니다. 모든 기능을 사용하기 위해선 앱을 재시작해 주세요. 이전 구매 내역을 복원했습니다. - 구매 복원 중... - Retro 이퀄라이저 - + Retro Music Player RetroMusic Pro 구매 - + File delete failed: %s + + Can\'t get SAF URI + Open navigation drawer + Enable \'Show SD card\' in overflow menu + + %s needs SD card access + You need to select your SD card root directory + Select your SD card in navigation drawer + Do not open any sub-folders + Tap \'select\' button at the bottom of the screen + File write failed: %s + Save 파일로 저장 + Save as files 재생목록을 %s 위치에 파일로 저장했습니다. - 변경 사항 저장 - + Scan media %2$d개 파일 중 %1$d개 파일을 스캔했습니다. - + Scrobbles 라이브러리에서 검색… - + Select all + Select banner photo + Selected + Send crash log + Set 아티스트 이미지 설정 - + Set a profile photo + Share app + Share to Stories 무작위 재생 - 심플 - 수면 타이머가 취소되었습니다. 수면 타이머가 지금으로부터 %d분 후로 설정되었습니다. - + Slide + Small album + Social + Share story 노래 - 노래 길이 - 노래 - 정렬 순서 - + Ascending + Album + Artist + Composer + Date added + Date modified + Year + Descending 음성 입력을 지원하지 않는 기기입니다 - 라이브러리 검색 - + Stack + Start playing music. + Suggestions 홈 화면에 사용자의 이름을 보여줍니다. - 개발 지원 - + Swipe to unlock + Synced lyrics + System Equalizer + Telegram + Join the Telegram group to discuss bugs, make suggestions, show off and more 감사합니다! - 오디오 파일 - 이번 달 - 이번 주 - 올해 - 작음 - + Title 대시보드 - 좋은 저녁입니다 좋은 하루입니다 좋은 저녁입니다 좋은 아침이에요 좋은 밤이에요 - 이름이 무엇인가요? - 오늘 - 인기 앨범 - 인기 아티스트 - "트랙 (트랙 2는 2, CD3의 트랙 4는 3004)" - 트랙 번호 - 번역 - + Help us translate the app to your language + Twitter + Share your design with Retro Music + Unlabeled \uc774 \ub178\ub798\ub97c \uc7ac\uc0dd\ud560 \uc218 \uc5c6\uc2b5\ub2c8\ub2e4. - 다음 곡으로 재생 - 이미지 갱신 - 갱신 중... - + Username 버전 - + Vertical flip + Virtualizer + Volume 웹 검색 - + Welcome, 무엇을 공유하시겠습니까? - + What\'s New - + Rounded corners %1$s을(를) 벨소리로 설정했습니다. - %1$d개 항목 선택됨 - 연도 - More from %s + 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/master/values-ml-rIN/strings.xml b/app/src/main/res/master/values-ml-rIN/strings.xml new file mode 100644 index 00000000..321eb477 --- /dev/null +++ b/app/src/main/res/master/values-ml-rIN/strings.xml @@ -0,0 +1,515 @@ + + + Team, social links + Accent color + The theme accent color, defaults to purple + About + Add to favorites + Add to playing queue + Add to playlist + Clear playing queue + Clear playlist + Cycle repeat mode + Delete + Delete from device + Details + Go to album + Go to artist + Go to genre + Go to start directory + Grant + Grid size + Grid size (land) + New playlist + Next + Play + Play all + Play next + Play/Pause + Previous + Remove from favorites + Remove from playing queue + Remove from playlist + Rename + Save playing queue + Scan + Search + Start + Set as ringtone + Set as start directory + "Settings" + Share + Shuffle all + Shuffle playlist + Sleep timer + Sort order + Tag editor + Toggle favorite + Toggle shuffle mode + Adaptive + Add + Add lyrics + Add \nphoto + "Add to playlist" + Add time frame lyrics + "Added 1 title to the playing queue." + Added %1$d titles to the playing queue. + Album + Album artist + The title or artist is empty. + Albums + Always + Hey check out this cool music player at: https://play.google.com/store/apps/details?id=%s + Shuffle + Top Tracks + Retro music - Big + Retro music - Card + Retro music - Classic + Retro music - Small + Retro music - Text + Artist + Artists + Audio focus denied. + Change the sound settings and adjust the equalizer controls + Auto + Base color theme + Bass Boost + Bio + Biography + Just Black + Blacklist + Blur + Blur Card + Unable to send report + Invalid access token. Please contact the app developer. + Issues are not enabled for the selected repository. Please contact the app developer. + An unexpected error occurred. Please contact the app developer. + Wrong username or password + Issue + Send manually + Please enter an issue description + Please enter your valid GitHub password + Please enter an issue title + Please enter your valid GitHub username + An unexpected error occurred. Sorry you found this bug, if it keeps crashing \"Clear app data\" or send an Email + Uploading report to GitHub… + Send using GitHub account + Buy now + Cancel + Card + Circular + Colored Card + Card + Carousel + Carousel effect on the now playing screen + Cascading + Cast + Changelog + Changelog maintained on the Telegram channel + Circle + Circular + Classic + Clear + Clear app data + Clear blacklist + Clear queue + Clear playlist + %1$s? This can\u2019t be undone!]]> + Close + Color + Color + Colors + Composer + Copied device info to clipboard. + Couldn\u2019t create playlist. + "Couldn\u2019t download a matching album cover." + Could not restore purchase. + Could not scan %d files. + Create + Created playlist %1$s. + Members and contributors + Currently listening to %1$s by %2$s. + Kinda Dark + No Lyrics + Delete playlist + %1$s?]]> + Delete playlists + Delete song + %1$s?]]> + Delete songs + %1$d playlists?]]> + %1$d songs?]]> + Deleted %1$d songs. + Deleting songs + Depth + Description + Device info + Allow Retro Music to modify audio settings + Set ringtone + Do you want to clear the blacklist? + %1$s from the blacklist?]]> + Donate + If you think I deserve to get paid for my work, you can leave some money here + Buy me a: + Download from Last.fm + Drive mode + Edit + Edit cover + Empty + Equalizer + Error + FAQ + Favorites + Finish last song + Fit + Flat + Folders + Follow system + For you + Free + Full + Full card + Change the theme and colors of the app + Look and feel + Genre + Genres + Fork the project on GitHub + Join the Google Plus community where you can ask for help or follow Retro Music updates + 1 + 2 + 3 + 4 + 5 + 6 + 7 + 8 + Grid style + Hinge + History + Home + Horizontal flip + Image + Gradient image + Change artist image download settings + Inserted %1$d songs into the playlist %2$s. + Share your Retro Music setup to showcase on Instagram + Keyboard + Bitrate + Format + File name + File path + Size + More from %s + Sampling rate + Length + Labeled + Last added + Last song + Let\'s play some music + Library + Library categories + Licenses + Clearly White + Listeners + Listing files + Loading products… + Login + Lyrics + Made with ❤️ in India + Material + Error + Permission error + Name + Most played + Never + New banner photo + New playlist + New profile photo + %s is the new start directory. + Next Song + You have no albums + You have no artists + "Play a song first, then try again." + No equalizer found + You have no genres + No lyrics found + No songs playing + You have no playlists + No purchase found. + No results + You have no songs + Normal + Normal lyrics + Normal + %s is not listed in the media store.]]> + Nothing to scan. + Nothing to see + Notification + Customize the notification style + Now playing + Now playing queue + Customize the now playing screen + 9+ now playing themes + Only on Wi-Fi + Advanced testing features + Other + Password + Past 3 months + Paste lyrics here + Peak + Permission to access external storage denied. + Permissions denied. + Personalize + Customize your now playing and UI controls + Pick from local storage + Pick image + Pinterest + Follow Pinterest page for Retro Music design inspiration + Plain + The playing notification provides actions for play/pause etc. + Playing notification + Empty playlist + Playlist is empty + Playlist name + Playlists + Album detail style + Amount of blur applied for blur themes, lower is faster + Blur amount + Adjust the bottom sheet dialog corners + Dialog corner + Filter songs by length + Filter song duration + Advanced + Album style + Audio + Blacklist + Controls + Theme + Images + Library + Lockscreen + Playlists + Pauses the song when the volume decreases to zero and starts playing back when the volume level rises. Also works outside the app + Pause on zero + Keep in mind that enabling this feature may affect battery life + Keep the screen on + Click to open with or slide to without transparent navigation of now playing screen + Click or Slide + Snow fall effect + 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. + Start playing as soon as connected to bluetooth device + Blur the album cover on the lockscreen. Can cause problems with third party apps and widgets + Carousel effect for the album art in the now playing screen. Note that Card and Blur Card themes won\'t work + 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 + Toggle home banner style + Can increase the album cover quality, but causes slower image loading times. Only enable this if you have problems with low resolution artworks + Configure visibility and order of library categories. + Use Retro Music\'s custom lockscreen controls + License details for open source software + Round the app\'s edges + Toggle titles for the bottom navigation bar tabs + Immersive mode + Start playing immediately after headphones are connected + Shuffle mode will turn off when playing a new list of songs + If enough space is available, show volume controls in the now playing screen + Show album cover + Album cover theme + Album cover skip + Album grid + Colored app shortcuts + Artist grid + Reduce volume on focus loss + Auto-download artist images + Blacklist + Bluetooth playback + Blur album cover + Choose equalizer + Classic notification design + Adaptive color + Colored notification + Desaturated color + Extra controls + Song info + Gapless playback + App theme + Show genre tab + Home artist grid + Home 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. + Queue + Rate the app + Love this app? Let us know in the Google Play Store how we can make it even better + Recent albums + Recent artists + Remove + Remove banner photo + Remove cover + Remove from blacklist + Remove profile photo + Remove song from playlist + %1$s from the playlist?]]> + Remove songs from playlist + %1$d songs from the playlist?]]> + Rename playlist + Report an issue + Report bug + Reset + Reset artist image + Restore + Restored previous purchase. Please restart the app to make use of all features. + Restored previous purchases. + Restoring purchase… + Retro Music Equalizer + Retro Music Player + Retro Music Pro + File delete failed: %s + + Can\'t get SAF URI + Open navigation drawer + Enable \'Show SD card\' in overflow menu + + %s needs SD card access + You need to select your SD card root directory + Select your SD card in navigation drawer + Do not open any sub-folders + Tap \'select\' button at the bottom of the screen + File write failed: %s + Save + + + Save as file + Save as files + Saved playlist to %s. + Saving changes + Scan media + Scanned %1$d of %2$d files. + Scrobbles + Search your library… + Select all + Select banner photo + Selected + Send crash log + Set + Set artist image + Set a profile photo + Share app + Share to Stories + Shuffle + Simple + Sleep timer canceled. + Sleep timer set for %d minutes from now. + Slide + Small album + Social + Share story + Song + Song duration + Songs + Sort order + Ascending + Album + Artist + Composer + Date added + Date modified + Year + Descending + Sorry! Your device doesn\'t support speech input + Search your library + Stack + Start playing music. + Suggestions + Just show your name on home screen + Support development + Swipe to unlock + Synced lyrics + System Equalizer + + Telegram + Join the Telegram group to discuss bugs, make suggestions, show off and more + Thank you! + The audio file + This month + This week + This year + Tiny + Title + Dashboard + Good afternoon + Good day + Good evening + Good morning + Good night + What\'s Your Name + Today + Top albums + Top artists + "Track (2 for track 2 or 3004 for CD3 track 4)" + Track number + Translate + Help us translate the app to your language + Twitter + Share your design with Retro Music + Unlabeled + Couldn\u2019t play this song. + Up next + Update image + Updating… + Username + Version + Vertical flip + Virtualizer + Volume + Web search + Welcome, + What do you want to share? + What\'s New + Window + Rounded corners + Set %1$s as your ringtone. + %1$d selected + Year + You have to select at least one category. + You will be forwarded to the issue tracker website. + Your account data is only used for authentication. + Amount + Note(Optional) + Start payment + Show now playing screen + Clicking on the notification will show now playing screen instead of the home screen + Tiny card + diff --git a/app/src/main/res/master/values-ne-rIN/strings.xml b/app/src/main/res/master/values-ne-rIN/strings.xml new file mode 100644 index 00000000..321eb477 --- /dev/null +++ b/app/src/main/res/master/values-ne-rIN/strings.xml @@ -0,0 +1,515 @@ + + + Team, social links + Accent color + The theme accent color, defaults to purple + About + Add to favorites + Add to playing queue + Add to playlist + Clear playing queue + Clear playlist + Cycle repeat mode + Delete + Delete from device + Details + Go to album + Go to artist + Go to genre + Go to start directory + Grant + Grid size + Grid size (land) + New playlist + Next + Play + Play all + Play next + Play/Pause + Previous + Remove from favorites + Remove from playing queue + Remove from playlist + Rename + Save playing queue + Scan + Search + Start + Set as ringtone + Set as start directory + "Settings" + Share + Shuffle all + Shuffle playlist + Sleep timer + Sort order + Tag editor + Toggle favorite + Toggle shuffle mode + Adaptive + Add + Add lyrics + Add \nphoto + "Add to playlist" + Add time frame lyrics + "Added 1 title to the playing queue." + Added %1$d titles to the playing queue. + Album + Album artist + The title or artist is empty. + Albums + Always + Hey check out this cool music player at: https://play.google.com/store/apps/details?id=%s + Shuffle + Top Tracks + Retro music - Big + Retro music - Card + Retro music - Classic + Retro music - Small + Retro music - Text + Artist + Artists + Audio focus denied. + Change the sound settings and adjust the equalizer controls + Auto + Base color theme + Bass Boost + Bio + Biography + Just Black + Blacklist + Blur + Blur Card + Unable to send report + Invalid access token. Please contact the app developer. + Issues are not enabled for the selected repository. Please contact the app developer. + An unexpected error occurred. Please contact the app developer. + Wrong username or password + Issue + Send manually + Please enter an issue description + Please enter your valid GitHub password + Please enter an issue title + Please enter your valid GitHub username + An unexpected error occurred. Sorry you found this bug, if it keeps crashing \"Clear app data\" or send an Email + Uploading report to GitHub… + Send using GitHub account + Buy now + Cancel + Card + Circular + Colored Card + Card + Carousel + Carousel effect on the now playing screen + Cascading + Cast + Changelog + Changelog maintained on the Telegram channel + Circle + Circular + Classic + Clear + Clear app data + Clear blacklist + Clear queue + Clear playlist + %1$s? This can\u2019t be undone!]]> + Close + Color + Color + Colors + Composer + Copied device info to clipboard. + Couldn\u2019t create playlist. + "Couldn\u2019t download a matching album cover." + Could not restore purchase. + Could not scan %d files. + Create + Created playlist %1$s. + Members and contributors + Currently listening to %1$s by %2$s. + Kinda Dark + No Lyrics + Delete playlist + %1$s?]]> + Delete playlists + Delete song + %1$s?]]> + Delete songs + %1$d playlists?]]> + %1$d songs?]]> + Deleted %1$d songs. + Deleting songs + Depth + Description + Device info + Allow Retro Music to modify audio settings + Set ringtone + Do you want to clear the blacklist? + %1$s from the blacklist?]]> + Donate + If you think I deserve to get paid for my work, you can leave some money here + Buy me a: + Download from Last.fm + Drive mode + Edit + Edit cover + Empty + Equalizer + Error + FAQ + Favorites + Finish last song + Fit + Flat + Folders + Follow system + For you + Free + Full + Full card + Change the theme and colors of the app + Look and feel + Genre + Genres + Fork the project on GitHub + Join the Google Plus community where you can ask for help or follow Retro Music updates + 1 + 2 + 3 + 4 + 5 + 6 + 7 + 8 + Grid style + Hinge + History + Home + Horizontal flip + Image + Gradient image + Change artist image download settings + Inserted %1$d songs into the playlist %2$s. + Share your Retro Music setup to showcase on Instagram + Keyboard + Bitrate + Format + File name + File path + Size + More from %s + Sampling rate + Length + Labeled + Last added + Last song + Let\'s play some music + Library + Library categories + Licenses + Clearly White + Listeners + Listing files + Loading products… + Login + Lyrics + Made with ❤️ in India + Material + Error + Permission error + Name + Most played + Never + New banner photo + New playlist + New profile photo + %s is the new start directory. + Next Song + You have no albums + You have no artists + "Play a song first, then try again." + No equalizer found + You have no genres + No lyrics found + No songs playing + You have no playlists + No purchase found. + No results + You have no songs + Normal + Normal lyrics + Normal + %s is not listed in the media store.]]> + Nothing to scan. + Nothing to see + Notification + Customize the notification style + Now playing + Now playing queue + Customize the now playing screen + 9+ now playing themes + Only on Wi-Fi + Advanced testing features + Other + Password + Past 3 months + Paste lyrics here + Peak + Permission to access external storage denied. + Permissions denied. + Personalize + Customize your now playing and UI controls + Pick from local storage + Pick image + Pinterest + Follow Pinterest page for Retro Music design inspiration + Plain + The playing notification provides actions for play/pause etc. + Playing notification + Empty playlist + Playlist is empty + Playlist name + Playlists + Album detail style + Amount of blur applied for blur themes, lower is faster + Blur amount + Adjust the bottom sheet dialog corners + Dialog corner + Filter songs by length + Filter song duration + Advanced + Album style + Audio + Blacklist + Controls + Theme + Images + Library + Lockscreen + Playlists + Pauses the song when the volume decreases to zero and starts playing back when the volume level rises. Also works outside the app + Pause on zero + Keep in mind that enabling this feature may affect battery life + Keep the screen on + Click to open with or slide to without transparent navigation of now playing screen + Click or Slide + Snow fall effect + 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. + Start playing as soon as connected to bluetooth device + Blur the album cover on the lockscreen. Can cause problems with third party apps and widgets + Carousel effect for the album art in the now playing screen. Note that Card and Blur Card themes won\'t work + 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 + Toggle home banner style + Can increase the album cover quality, but causes slower image loading times. Only enable this if you have problems with low resolution artworks + Configure visibility and order of library categories. + Use Retro Music\'s custom lockscreen controls + License details for open source software + Round the app\'s edges + Toggle titles for the bottom navigation bar tabs + Immersive mode + Start playing immediately after headphones are connected + Shuffle mode will turn off when playing a new list of songs + If enough space is available, show volume controls in the now playing screen + Show album cover + Album cover theme + Album cover skip + Album grid + Colored app shortcuts + Artist grid + Reduce volume on focus loss + Auto-download artist images + Blacklist + Bluetooth playback + Blur album cover + Choose equalizer + Classic notification design + Adaptive color + Colored notification + Desaturated color + Extra controls + Song info + Gapless playback + App theme + Show genre tab + Home artist grid + Home 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. + Queue + Rate the app + Love this app? Let us know in the Google Play Store how we can make it even better + Recent albums + Recent artists + Remove + Remove banner photo + Remove cover + Remove from blacklist + Remove profile photo + Remove song from playlist + %1$s from the playlist?]]> + Remove songs from playlist + %1$d songs from the playlist?]]> + Rename playlist + Report an issue + Report bug + Reset + Reset artist image + Restore + Restored previous purchase. Please restart the app to make use of all features. + Restored previous purchases. + Restoring purchase… + Retro Music Equalizer + Retro Music Player + Retro Music Pro + File delete failed: %s + + Can\'t get SAF URI + Open navigation drawer + Enable \'Show SD card\' in overflow menu + + %s needs SD card access + You need to select your SD card root directory + Select your SD card in navigation drawer + Do not open any sub-folders + Tap \'select\' button at the bottom of the screen + File write failed: %s + Save + + + Save as file + Save as files + Saved playlist to %s. + Saving changes + Scan media + Scanned %1$d of %2$d files. + Scrobbles + Search your library… + Select all + Select banner photo + Selected + Send crash log + Set + Set artist image + Set a profile photo + Share app + Share to Stories + Shuffle + Simple + Sleep timer canceled. + Sleep timer set for %d minutes from now. + Slide + Small album + Social + Share story + Song + Song duration + Songs + Sort order + Ascending + Album + Artist + Composer + Date added + Date modified + Year + Descending + Sorry! Your device doesn\'t support speech input + Search your library + Stack + Start playing music. + Suggestions + Just show your name on home screen + Support development + Swipe to unlock + Synced lyrics + System Equalizer + + Telegram + Join the Telegram group to discuss bugs, make suggestions, show off and more + Thank you! + The audio file + This month + This week + This year + Tiny + Title + Dashboard + Good afternoon + Good day + Good evening + Good morning + Good night + What\'s Your Name + Today + Top albums + Top artists + "Track (2 for track 2 or 3004 for CD3 track 4)" + Track number + Translate + Help us translate the app to your language + Twitter + Share your design with Retro Music + Unlabeled + Couldn\u2019t play this song. + Up next + Update image + Updating… + Username + Version + Vertical flip + Virtualizer + Volume + Web search + Welcome, + What do you want to share? + What\'s New + Window + Rounded corners + Set %1$s as your ringtone. + %1$d selected + Year + You have to select at least one category. + You will be forwarded to the issue tracker website. + Your account data is only used for authentication. + Amount + Note(Optional) + Start payment + Show now playing screen + Clicking on the notification will show now playing screen instead of the home screen + Tiny card + diff --git a/app/src/main/res/master/values-nl-rNL/strings.xml b/app/src/main/res/master/values-nl-rNL/strings.xml new file mode 100644 index 00000000..08b27153 --- /dev/null +++ b/app/src/main/res/master/values-nl-rNL/strings.xml @@ -0,0 +1,515 @@ + + + Team, social links + Accent kleur + De accent kleur, standaard naar groen + Over + Toevoegen aan favorieten + Voeg toe aan afspeel wachtrij + Voeg toe aan afspeellijst... + Afspeel wachtrij legen + Leeg afspeellijst + Cycle repeat mode + Verwijder + Verwijder van apparaat + Details + Ga naar album + Ga naar artiest + Go to genre + Ga naar begin directory + Geef toestemming + Raster grootte + Raster grootte (land) + New playlist + Volgende + Afspelen. + Play all + Volgende afspelen + Afspelen/pauzeren + Vorige + Verwijder van favorieten + Verwijder van afspeel wachtrij + Verwijder van afspeellijst + Hernoem + Afspeel wachtrij opslaan + Scan + Zoek + Instellen + Stel in als ringtone + Stel in als begin directory + "Instellingen" + Delen + Shuffle alles + Shuffle afspeellijst + Slaap timer + Sort order + Tags aanpassen + Toggle favorite + Toggle shuffle mode + Adaptive + Toevoegen + Add lyrics + Foto toevoegen + "Toevogen aan afspeellijst" + Add time frame lyrics + "1 titel aan afspeel wachtrij toegevoegd." + %1$d titels toegevoegd aan afspeel wachtrij + Album + Album artiest + De titel of artiest mist + Albums + Altijd + Hey, bekijk deze coole muziekspeler op:https://play.google.com/store/apps/details?id=%s + Shuffle + Top tracks + Retro music - Groot + Retro music - Kaart + Retro music - Klassiek + Retro music - Klein + Retro music - Text + Artiest + Artiesten + Geluid focus geweigerd + Change the sound settings and adjust the equalizer controls + Auto + Base color theme + Bass Boost + Bio + Biografie + Gewoon zwart + Zwarte lijst + Blur + Blur Card + Unable to send report + Invalid access token. Please contact the app developer. + Issues are not enabled for the selected repository. Please contact the app developer. + An unexpected error occurred. Please contact the app developer. + Wrong username or password + Issue + Send manually + Please enter an issue description + Please enter your valid GitHub password + Please enter an issue title + Please enter your valid GitHub username + An unexpected error occurred. Sorry you found this bug, if it keeps crashing \"Clear app data\" or send an Email + Uploading report to GitHub… + Send using GitHub account + Buy now + Annuleer huidige timer + Card + Circular + Colored Card + Card + Carousel + Carousel effect on the now playing screen + Cascading + Cast + Changelog + Changelog onderhouden in Telegram + Circle + Circular + Classic + Legen + Clear app data + Leeg zwarte lijst + Clear queue + Leeg afspeellijst + %1$s? Dit kan niet ongedaan gemaakt worden!]]> + Close + Color + Color + Kleuren + Composer + Copied device info to clipboard. + Kon geen afspeellijst maken. + "Kon geen matchende album cover downloaden." + Could not restore purchase. + Kon %d files niet scannen. + Aanmaken + Afspeellijst %1$s aangemaakt. + Members and contributors + Nu luisterend naar %1$s van %2$s. + Soort van donker + Geen lyrics + Afspeellijst verwijderen + %1$s verwijderen?]]> + Afspeellijsten verwijderen + Delete song + %1$s?]]> + Delete songs + %1$d?]]> + %1$d?]]> + Liedjes %1$d verwijderd. + Deleting songs + Depth + Description + Device info + Allow Retro Music to modify audio settings + Set ringtone + Wil je de zwarte lijst leegmaken? + %1$s verwijderen van de zwarte lijst?]]> + Doneren + Als je vindt dat ik het verdien om geld te krijgen voor mijn werk, dan kun je hier een paar euro\'s doneren. + Koop mij een + Downloaden van Last.fm + Drive mode + Edit + Edit cover + Leeg + Equalizer + Error + FAQ + Favorieten + Finish last song + Fit + Plat + Mappen + Follow system + For you + Free + Vol + Full card + Change the theme and colors of the app + Look and feel + Genre + Genres + Fork the project on GitHub + Join the Google Plus community where you can ask for help or follow Retro Music updates + 1 + 2 + 3 + 4 + 5 + 6 + 7 + 8 + Grid style + Hinge + Geschiedenis + Start + Horizontal flip + Image + Gradient image + Change artist image download settings + %1$d liedjes toegevoegd aan afspeellijst %2$s. + Share your Retro Music setup to showcase on Instagram + Keyboard + Bitrate + Formaat + Bestandsnaam + Bestandslocatie + Grootte + More from %s + Sampling rate + Duur + Labeled + Laatst toegevoegd + Last song + Laten we iets afspelen + Bibliotheek + Library categories + Licenties + Clearly wit + Listeners + Luister bestanden + Podcasts laden... + Login + Lyrics + Made with ❤️ in India + Material + Error + Permission error + Mijn naam + Mijn top tracks + Nooit + New banner photo + Nieuwe afspeellijst + New profile photo + %s is de nieuwe start folder + Next Song + Geen albums + Geen artiesten + "Laat eerst een liedje afspelen, probeer dan opniew." + Geen equalizer gevonden. + You have no genres + Geen lyrics gevonden + No songs playing + Geen afspeellijsten + No purchase found. + Geen resultaten + Geen liedjes + Normaal + Normal lyrics + Normal + %s staat niet in de media store]]> + Niets om te scannen + Nothing to see + Notificatie + Customize the notification style + Now playing + Nu afspeel wachtrij + Customize the now playing screen + 9+ now playing themes + Alleen Wi-Fi + Advanced testing features + Other + Password + Laatste 3 maanden + Paste lyrics here + Peak + Permissie voor toegang tot extern opslag is afgewezen + Permissies afgewezen + Personalize + Customize your now playing and UI controls + Kies van local storage + Pick image + Pinterest + Follow Pinterest page for Retro Music design inspiration + Vlak + De afspeel notificatie bied acties om af te spelen/pauzeren etc. + Afspeel notificatie + Lege afspeellijst + Afspeellijst is leeg + Naam afspeellijst + Afspeellijsten + Album detail style + Amount of blur applied for blur themes, lower is faster + Blur amount + Adjust the bottom sheet dialog corners + Dialog corner + Filter songs by length + Filter song duration + Advanced + Album style + Geluid + Blacklist + Controls + Theme + Afbeeldingen + Library + Vergrendelscherm + Afspeellijsten + Pauses the song when the volume decreases to zero and starts playing back when the volume level rises. Also works outside the app + Pause on zero + Keep in mind that enabling this feature may affect battery life + Keep the screen on + Click to open with or slide to without transparent navigation of now playing screen + Click or Slide + Snow fall effect + Gebruik de huidige cover als vergrendelscherm achtergrond. + Notificaties, bediening etc. + The content of blacklisted folders is hidden from your library. + Start playing as soon as connected to bluetooth device + Vervaagt de album cover op het vergrendelscherm. Kan problemen veroorzaken met apps van derde en widgets/ + Carousel effect for the album art in the now playing screen. Note that Card and Blur Card themes won\'t work + 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 + Toggle home banner style + 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 + Als er ruimte is in het nu afspelen scherm, zet volume knoppen aan + Laat album cover zien + Album cover theme + Album cover skip + Album grid + Gekleurde app snelkoppelingen + Artist grid + Beperk volume bij verliezen focus + Automatisch downloaden artisten afbeeldingen + Blacklist + Bluetooth playback + Vervaag album cover + Choose equalizer + Klassiek notificatie design + Aangepaste kleur + Gekleurde notificatie + Desaturated color + Extra controls + Song info + Afspelen zonder pauzes + Basis thema + Show genre tab + Home artist grid + Home banner + Negeer media store covers + Laatst toegevoegde afspeellijst interval + Volledig scherm besturing knoppen + Gekleurde navigatiebalk + Uiterlijk + Open source licenties + Afgeronde hoeken + Tab titles mode + Carousel effect + Dominant color + Volledig scherm app + Tabblad titels + Automatisch afspelen + Shuffle mode + Volume knoppen + Gebruikers info + Primaire kleur + The primary theme color, defaults to blue grey, for now works with dark colors + Pro + Black theme, Now playing themes, Carousel effect and more.. + Profile + Purchase + *Think before buying, don\'t ask for refund. + Wachtrij + App beoordelen + Vind je deze app leuk? Laat het ons weten in de Google Play Store om de ervaring te verbeteren + Recent albums + Recent artists + Verwijderen + Remove banner photo + Verwijder cover + Verwijder van zwarte lijst + Remove profile photo + Verwijder liedje van afspeellijst + %1$s van de afspeellijst?]]> + Verwijder liedjes van afspeellijst + %1$d van de afspeellijst?]]> + Hernoem afspeellijst + Report an issue + Report bug + Reset + Reset artiest afbeelding + Restore + Restored previous purchase. Please restart the app to make use of all features. + Teruggezette aankopen + Restoring purchase… + Retri equalizer + Retro Music Player + Retro Music Pro + File delete failed: %s + + Can\'t get SAF URI + Open navigation drawer + Enable \'Show SD card\' in overflow menu + + %s needs SD card access + You need to select your SD card root directory + Select your SD card in navigation drawer + Do not open any sub-folders + Tap \'select\' button at the bottom of the screen + File write failed: %s + Save + + + Opslaan als bestand + Save as files + Afspeellijst opgeslagen in %s. + Aanpassingen opslaan + Scan media + %1$d van de %2$d bestanden gescant + Scrobbles + Zoek in je biebliotheek + Select all + Select banner photo + Selected + Send crash log + Set + Stel artiest afbeelding in + Set a profile photo + Share app + Share to Stories + Shuffle + Simpel + Slaap timer geannuleerd + Slaap timer ingesteld in %d minuten vanaf nu + Slide + Small album + Social + Share story + Liedje + Duur liedje + Nummers + Volgorde + Ascending + Album + Artist + Composer + Date added + Date modified + Year + Descending + Sorry! Je apparaat ondersteunt geen spraak invoer + Zoek door je bibliotheek + Stack + Start playing music. + Suggestions + Laat gewoon je naam zien op het startscherm + Ondersteun ontwikkelaars + Swipe to unlock + Synced lyrics + System Equalizer + + Telegram + Join the Telegram group to discuss bugs, make suggestions, show off and more + Bedankt! + Het geluidsbestand + Deze maand + Deze week + Dit jaar + Tiny + Title + Dashbord + Goedemiddag + Goededag + Goede avond + Goedemorgen + Goede nacht + Wat is je naam + Vandaag + Top albums + Top artists + "Nummer (2 voor nummer 2 of 3004 voor CD3 nummer 4)" + Track nummer + Vertalen + Help us translate the app to your language + Twitter + Share your design with Retro Music + Unlabeled + Kon dit nummer niet afspelen + Volgende + Update afbeelding + Bijwerken... + Username + Versie + Vertical flip + Virtualizer + Volume + Web zoekopdracht + Welcome, + Wat wil je delen? + What\'s New + Window + Rounded corners + Stel %1$s in als ringtone + %1$d geselecteerd + Jaar + You have to select at least one category. + You will be forwarded to the issue tracker website. + Your account data is only used for authentication. + Amount + Note(Optional) + Start payment + Show now playing screen + Clicking on the notification will show now playing screen instead of the home screen + Tiny card + diff --git a/app/src/main/res/master/values-no-rNO/strings.xml b/app/src/main/res/master/values-no-rNO/strings.xml new file mode 100644 index 00000000..321eb477 --- /dev/null +++ b/app/src/main/res/master/values-no-rNO/strings.xml @@ -0,0 +1,515 @@ + + + Team, social links + Accent color + The theme accent color, defaults to purple + About + Add to favorites + Add to playing queue + Add to playlist + Clear playing queue + Clear playlist + Cycle repeat mode + Delete + Delete from device + Details + Go to album + Go to artist + Go to genre + Go to start directory + Grant + Grid size + Grid size (land) + New playlist + Next + Play + Play all + Play next + Play/Pause + Previous + Remove from favorites + Remove from playing queue + Remove from playlist + Rename + Save playing queue + Scan + Search + Start + Set as ringtone + Set as start directory + "Settings" + Share + Shuffle all + Shuffle playlist + Sleep timer + Sort order + Tag editor + Toggle favorite + Toggle shuffle mode + Adaptive + Add + Add lyrics + Add \nphoto + "Add to playlist" + Add time frame lyrics + "Added 1 title to the playing queue." + Added %1$d titles to the playing queue. + Album + Album artist + The title or artist is empty. + Albums + Always + Hey check out this cool music player at: https://play.google.com/store/apps/details?id=%s + Shuffle + Top Tracks + Retro music - Big + Retro music - Card + Retro music - Classic + Retro music - Small + Retro music - Text + Artist + Artists + Audio focus denied. + Change the sound settings and adjust the equalizer controls + Auto + Base color theme + Bass Boost + Bio + Biography + Just Black + Blacklist + Blur + Blur Card + Unable to send report + Invalid access token. Please contact the app developer. + Issues are not enabled for the selected repository. Please contact the app developer. + An unexpected error occurred. Please contact the app developer. + Wrong username or password + Issue + Send manually + Please enter an issue description + Please enter your valid GitHub password + Please enter an issue title + Please enter your valid GitHub username + An unexpected error occurred. Sorry you found this bug, if it keeps crashing \"Clear app data\" or send an Email + Uploading report to GitHub… + Send using GitHub account + Buy now + Cancel + Card + Circular + Colored Card + Card + Carousel + Carousel effect on the now playing screen + Cascading + Cast + Changelog + Changelog maintained on the Telegram channel + Circle + Circular + Classic + Clear + Clear app data + Clear blacklist + Clear queue + Clear playlist + %1$s? This can\u2019t be undone!]]> + Close + Color + Color + Colors + Composer + Copied device info to clipboard. + Couldn\u2019t create playlist. + "Couldn\u2019t download a matching album cover." + Could not restore purchase. + Could not scan %d files. + Create + Created playlist %1$s. + Members and contributors + Currently listening to %1$s by %2$s. + Kinda Dark + No Lyrics + Delete playlist + %1$s?]]> + Delete playlists + Delete song + %1$s?]]> + Delete songs + %1$d playlists?]]> + %1$d songs?]]> + Deleted %1$d songs. + Deleting songs + Depth + Description + Device info + Allow Retro Music to modify audio settings + Set ringtone + Do you want to clear the blacklist? + %1$s from the blacklist?]]> + Donate + If you think I deserve to get paid for my work, you can leave some money here + Buy me a: + Download from Last.fm + Drive mode + Edit + Edit cover + Empty + Equalizer + Error + FAQ + Favorites + Finish last song + Fit + Flat + Folders + Follow system + For you + Free + Full + Full card + Change the theme and colors of the app + Look and feel + Genre + Genres + Fork the project on GitHub + Join the Google Plus community where you can ask for help or follow Retro Music updates + 1 + 2 + 3 + 4 + 5 + 6 + 7 + 8 + Grid style + Hinge + History + Home + Horizontal flip + Image + Gradient image + Change artist image download settings + Inserted %1$d songs into the playlist %2$s. + Share your Retro Music setup to showcase on Instagram + Keyboard + Bitrate + Format + File name + File path + Size + More from %s + Sampling rate + Length + Labeled + Last added + Last song + Let\'s play some music + Library + Library categories + Licenses + Clearly White + Listeners + Listing files + Loading products… + Login + Lyrics + Made with ❤️ in India + Material + Error + Permission error + Name + Most played + Never + New banner photo + New playlist + New profile photo + %s is the new start directory. + Next Song + You have no albums + You have no artists + "Play a song first, then try again." + No equalizer found + You have no genres + No lyrics found + No songs playing + You have no playlists + No purchase found. + No results + You have no songs + Normal + Normal lyrics + Normal + %s is not listed in the media store.]]> + Nothing to scan. + Nothing to see + Notification + Customize the notification style + Now playing + Now playing queue + Customize the now playing screen + 9+ now playing themes + Only on Wi-Fi + Advanced testing features + Other + Password + Past 3 months + Paste lyrics here + Peak + Permission to access external storage denied. + Permissions denied. + Personalize + Customize your now playing and UI controls + Pick from local storage + Pick image + Pinterest + Follow Pinterest page for Retro Music design inspiration + Plain + The playing notification provides actions for play/pause etc. + Playing notification + Empty playlist + Playlist is empty + Playlist name + Playlists + Album detail style + Amount of blur applied for blur themes, lower is faster + Blur amount + Adjust the bottom sheet dialog corners + Dialog corner + Filter songs by length + Filter song duration + Advanced + Album style + Audio + Blacklist + Controls + Theme + Images + Library + Lockscreen + Playlists + Pauses the song when the volume decreases to zero and starts playing back when the volume level rises. Also works outside the app + Pause on zero + Keep in mind that enabling this feature may affect battery life + Keep the screen on + Click to open with or slide to without transparent navigation of now playing screen + Click or Slide + Snow fall effect + 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. + Start playing as soon as connected to bluetooth device + Blur the album cover on the lockscreen. Can cause problems with third party apps and widgets + Carousel effect for the album art in the now playing screen. Note that Card and Blur Card themes won\'t work + 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 + Toggle home banner style + Can increase the album cover quality, but causes slower image loading times. Only enable this if you have problems with low resolution artworks + Configure visibility and order of library categories. + Use Retro Music\'s custom lockscreen controls + License details for open source software + Round the app\'s edges + Toggle titles for the bottom navigation bar tabs + Immersive mode + Start playing immediately after headphones are connected + Shuffle mode will turn off when playing a new list of songs + If enough space is available, show volume controls in the now playing screen + Show album cover + Album cover theme + Album cover skip + Album grid + Colored app shortcuts + Artist grid + Reduce volume on focus loss + Auto-download artist images + Blacklist + Bluetooth playback + Blur album cover + Choose equalizer + Classic notification design + Adaptive color + Colored notification + Desaturated color + Extra controls + Song info + Gapless playback + App theme + Show genre tab + Home artist grid + Home 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. + Queue + Rate the app + Love this app? Let us know in the Google Play Store how we can make it even better + Recent albums + Recent artists + Remove + Remove banner photo + Remove cover + Remove from blacklist + Remove profile photo + Remove song from playlist + %1$s from the playlist?]]> + Remove songs from playlist + %1$d songs from the playlist?]]> + Rename playlist + Report an issue + Report bug + Reset + Reset artist image + Restore + Restored previous purchase. Please restart the app to make use of all features. + Restored previous purchases. + Restoring purchase… + Retro Music Equalizer + Retro Music Player + Retro Music Pro + File delete failed: %s + + Can\'t get SAF URI + Open navigation drawer + Enable \'Show SD card\' in overflow menu + + %s needs SD card access + You need to select your SD card root directory + Select your SD card in navigation drawer + Do not open any sub-folders + Tap \'select\' button at the bottom of the screen + File write failed: %s + Save + + + Save as file + Save as files + Saved playlist to %s. + Saving changes + Scan media + Scanned %1$d of %2$d files. + Scrobbles + Search your library… + Select all + Select banner photo + Selected + Send crash log + Set + Set artist image + Set a profile photo + Share app + Share to Stories + Shuffle + Simple + Sleep timer canceled. + Sleep timer set for %d minutes from now. + Slide + Small album + Social + Share story + Song + Song duration + Songs + Sort order + Ascending + Album + Artist + Composer + Date added + Date modified + Year + Descending + Sorry! Your device doesn\'t support speech input + Search your library + Stack + Start playing music. + Suggestions + Just show your name on home screen + Support development + Swipe to unlock + Synced lyrics + System Equalizer + + Telegram + Join the Telegram group to discuss bugs, make suggestions, show off and more + Thank you! + The audio file + This month + This week + This year + Tiny + Title + Dashboard + Good afternoon + Good day + Good evening + Good morning + Good night + What\'s Your Name + Today + Top albums + Top artists + "Track (2 for track 2 or 3004 for CD3 track 4)" + Track number + Translate + Help us translate the app to your language + Twitter + Share your design with Retro Music + Unlabeled + Couldn\u2019t play this song. + Up next + Update image + Updating… + Username + Version + Vertical flip + Virtualizer + Volume + Web search + Welcome, + What do you want to share? + What\'s New + Window + Rounded corners + Set %1$s as your ringtone. + %1$d selected + Year + You have to select at least one category. + You will be forwarded to the issue tracker website. + Your account data is only used for authentication. + Amount + Note(Optional) + Start payment + Show now playing screen + Clicking on the notification will show now playing screen instead of the home screen + Tiny card + diff --git a/app/src/main/res/master/values-or-rIN/strings.xml b/app/src/main/res/master/values-or-rIN/strings.xml new file mode 100644 index 00000000..321eb477 --- /dev/null +++ b/app/src/main/res/master/values-or-rIN/strings.xml @@ -0,0 +1,515 @@ + + + Team, social links + Accent color + The theme accent color, defaults to purple + About + Add to favorites + Add to playing queue + Add to playlist + Clear playing queue + Clear playlist + Cycle repeat mode + Delete + Delete from device + Details + Go to album + Go to artist + Go to genre + Go to start directory + Grant + Grid size + Grid size (land) + New playlist + Next + Play + Play all + Play next + Play/Pause + Previous + Remove from favorites + Remove from playing queue + Remove from playlist + Rename + Save playing queue + Scan + Search + Start + Set as ringtone + Set as start directory + "Settings" + Share + Shuffle all + Shuffle playlist + Sleep timer + Sort order + Tag editor + Toggle favorite + Toggle shuffle mode + Adaptive + Add + Add lyrics + Add \nphoto + "Add to playlist" + Add time frame lyrics + "Added 1 title to the playing queue." + Added %1$d titles to the playing queue. + Album + Album artist + The title or artist is empty. + Albums + Always + Hey check out this cool music player at: https://play.google.com/store/apps/details?id=%s + Shuffle + Top Tracks + Retro music - Big + Retro music - Card + Retro music - Classic + Retro music - Small + Retro music - Text + Artist + Artists + Audio focus denied. + Change the sound settings and adjust the equalizer controls + Auto + Base color theme + Bass Boost + Bio + Biography + Just Black + Blacklist + Blur + Blur Card + Unable to send report + Invalid access token. Please contact the app developer. + Issues are not enabled for the selected repository. Please contact the app developer. + An unexpected error occurred. Please contact the app developer. + Wrong username or password + Issue + Send manually + Please enter an issue description + Please enter your valid GitHub password + Please enter an issue title + Please enter your valid GitHub username + An unexpected error occurred. Sorry you found this bug, if it keeps crashing \"Clear app data\" or send an Email + Uploading report to GitHub… + Send using GitHub account + Buy now + Cancel + Card + Circular + Colored Card + Card + Carousel + Carousel effect on the now playing screen + Cascading + Cast + Changelog + Changelog maintained on the Telegram channel + Circle + Circular + Classic + Clear + Clear app data + Clear blacklist + Clear queue + Clear playlist + %1$s? This can\u2019t be undone!]]> + Close + Color + Color + Colors + Composer + Copied device info to clipboard. + Couldn\u2019t create playlist. + "Couldn\u2019t download a matching album cover." + Could not restore purchase. + Could not scan %d files. + Create + Created playlist %1$s. + Members and contributors + Currently listening to %1$s by %2$s. + Kinda Dark + No Lyrics + Delete playlist + %1$s?]]> + Delete playlists + Delete song + %1$s?]]> + Delete songs + %1$d playlists?]]> + %1$d songs?]]> + Deleted %1$d songs. + Deleting songs + Depth + Description + Device info + Allow Retro Music to modify audio settings + Set ringtone + Do you want to clear the blacklist? + %1$s from the blacklist?]]> + Donate + If you think I deserve to get paid for my work, you can leave some money here + Buy me a: + Download from Last.fm + Drive mode + Edit + Edit cover + Empty + Equalizer + Error + FAQ + Favorites + Finish last song + Fit + Flat + Folders + Follow system + For you + Free + Full + Full card + Change the theme and colors of the app + Look and feel + Genre + Genres + Fork the project on GitHub + Join the Google Plus community where you can ask for help or follow Retro Music updates + 1 + 2 + 3 + 4 + 5 + 6 + 7 + 8 + Grid style + Hinge + History + Home + Horizontal flip + Image + Gradient image + Change artist image download settings + Inserted %1$d songs into the playlist %2$s. + Share your Retro Music setup to showcase on Instagram + Keyboard + Bitrate + Format + File name + File path + Size + More from %s + Sampling rate + Length + Labeled + Last added + Last song + Let\'s play some music + Library + Library categories + Licenses + Clearly White + Listeners + Listing files + Loading products… + Login + Lyrics + Made with ❤️ in India + Material + Error + Permission error + Name + Most played + Never + New banner photo + New playlist + New profile photo + %s is the new start directory. + Next Song + You have no albums + You have no artists + "Play a song first, then try again." + No equalizer found + You have no genres + No lyrics found + No songs playing + You have no playlists + No purchase found. + No results + You have no songs + Normal + Normal lyrics + Normal + %s is not listed in the media store.]]> + Nothing to scan. + Nothing to see + Notification + Customize the notification style + Now playing + Now playing queue + Customize the now playing screen + 9+ now playing themes + Only on Wi-Fi + Advanced testing features + Other + Password + Past 3 months + Paste lyrics here + Peak + Permission to access external storage denied. + Permissions denied. + Personalize + Customize your now playing and UI controls + Pick from local storage + Pick image + Pinterest + Follow Pinterest page for Retro Music design inspiration + Plain + The playing notification provides actions for play/pause etc. + Playing notification + Empty playlist + Playlist is empty + Playlist name + Playlists + Album detail style + Amount of blur applied for blur themes, lower is faster + Blur amount + Adjust the bottom sheet dialog corners + Dialog corner + Filter songs by length + Filter song duration + Advanced + Album style + Audio + Blacklist + Controls + Theme + Images + Library + Lockscreen + Playlists + Pauses the song when the volume decreases to zero and starts playing back when the volume level rises. Also works outside the app + Pause on zero + Keep in mind that enabling this feature may affect battery life + Keep the screen on + Click to open with or slide to without transparent navigation of now playing screen + Click or Slide + Snow fall effect + 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. + Start playing as soon as connected to bluetooth device + Blur the album cover on the lockscreen. Can cause problems with third party apps and widgets + Carousel effect for the album art in the now playing screen. Note that Card and Blur Card themes won\'t work + 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 + Toggle home banner style + Can increase the album cover quality, but causes slower image loading times. Only enable this if you have problems with low resolution artworks + Configure visibility and order of library categories. + Use Retro Music\'s custom lockscreen controls + License details for open source software + Round the app\'s edges + Toggle titles for the bottom navigation bar tabs + Immersive mode + Start playing immediately after headphones are connected + Shuffle mode will turn off when playing a new list of songs + If enough space is available, show volume controls in the now playing screen + Show album cover + Album cover theme + Album cover skip + Album grid + Colored app shortcuts + Artist grid + Reduce volume on focus loss + Auto-download artist images + Blacklist + Bluetooth playback + Blur album cover + Choose equalizer + Classic notification design + Adaptive color + Colored notification + Desaturated color + Extra controls + Song info + Gapless playback + App theme + Show genre tab + Home artist grid + Home 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. + Queue + Rate the app + Love this app? Let us know in the Google Play Store how we can make it even better + Recent albums + Recent artists + Remove + Remove banner photo + Remove cover + Remove from blacklist + Remove profile photo + Remove song from playlist + %1$s from the playlist?]]> + Remove songs from playlist + %1$d songs from the playlist?]]> + Rename playlist + Report an issue + Report bug + Reset + Reset artist image + Restore + Restored previous purchase. Please restart the app to make use of all features. + Restored previous purchases. + Restoring purchase… + Retro Music Equalizer + Retro Music Player + Retro Music Pro + File delete failed: %s + + Can\'t get SAF URI + Open navigation drawer + Enable \'Show SD card\' in overflow menu + + %s needs SD card access + You need to select your SD card root directory + Select your SD card in navigation drawer + Do not open any sub-folders + Tap \'select\' button at the bottom of the screen + File write failed: %s + Save + + + Save as file + Save as files + Saved playlist to %s. + Saving changes + Scan media + Scanned %1$d of %2$d files. + Scrobbles + Search your library… + Select all + Select banner photo + Selected + Send crash log + Set + Set artist image + Set a profile photo + Share app + Share to Stories + Shuffle + Simple + Sleep timer canceled. + Sleep timer set for %d minutes from now. + Slide + Small album + Social + Share story + Song + Song duration + Songs + Sort order + Ascending + Album + Artist + Composer + Date added + Date modified + Year + Descending + Sorry! Your device doesn\'t support speech input + Search your library + Stack + Start playing music. + Suggestions + Just show your name on home screen + Support development + Swipe to unlock + Synced lyrics + System Equalizer + + Telegram + Join the Telegram group to discuss bugs, make suggestions, show off and more + Thank you! + The audio file + This month + This week + This year + Tiny + Title + Dashboard + Good afternoon + Good day + Good evening + Good morning + Good night + What\'s Your Name + Today + Top albums + Top artists + "Track (2 for track 2 or 3004 for CD3 track 4)" + Track number + Translate + Help us translate the app to your language + Twitter + Share your design with Retro Music + Unlabeled + Couldn\u2019t play this song. + Up next + Update image + Updating… + Username + Version + Vertical flip + Virtualizer + Volume + Web search + Welcome, + What do you want to share? + What\'s New + Window + Rounded corners + Set %1$s as your ringtone. + %1$d selected + Year + You have to select at least one category. + You will be forwarded to the issue tracker website. + Your account data is only used for authentication. + Amount + Note(Optional) + Start payment + Show now playing screen + Clicking on the notification will show now playing screen instead of the home screen + Tiny card + diff --git a/app/src/main/res/values-pl/strings.xml b/app/src/main/res/master/values-pl-rPL/strings.xml similarity index 88% rename from app/src/main/res/values-pl/strings.xml rename to app/src/main/res/master/values-pl-rPL/strings.xml index 3e8fabc0..65352a55 100644 --- a/app/src/main/res/values-pl/strings.xml +++ b/app/src/main/res/master/values-pl-rPL/strings.xml @@ -1,139 +1,85 @@ - + Zespół, media społecznościowe - Kolor akcentu Kolor akcentu motywu, domyślnie morski - O aplikacji - Dodaj do ulubionych Dodaj do kolejki Dodaj do playlisty - Wyczyść kolejkę Wyczyść playlistę - + Przełącz tryb powtarzania Usuń Usuń z urządzenia - Szczegóły - Przejdź do albumu Przejdź do artysty - Idź do gatunku + Przejdźdo gatunku Przejdź do katalogu startowego - Przyznaj - Rozmiar siatki Rozmiar siatki (poziomo) - Nowa playlista - Następny - - Odtwarzaj + Odtwórz Odtwórz wszystko Odtwarzaj następne Odtwarzanie/Pauza - Poprzedni - Usuń z ulubionych Usuń z kolejki odtwarzania Usuń z playlisty - Zmień nazwę - Zapisz kolejkę - Skanuj - Szukaj - Rozpocznij Ustaw jako dzwonek Ustaw jako katalog startowy - "Ustawienia" - Udostępnij - Losowo wszystko Playlista losowo - Wyłącznik czasowy - Sortowanie - Edytor tagów - + Przełącz na ulubione + Przełącz tryb losowy Adaptacyjny - Dodaj - Dodaj tekst utworu - Dodaj\nzdjęcie - "Dodaj do playlisty" - Dodaj znaczniki czasowe do tekstu - "Dodano 1 tytuł do kolejki odtwarzania" - Dodano %1$d tytułów do kolejki - 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 - - Losowo Najczęściej odtwarzane utwory - Retro music - Duży Retro music - Karta Retro music - Klasyczny Retro music - mały Retro music - Tekst - Artysta - Artyści - 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 - Rozmycie - Rozmyta Karta - Nie udało się wysłać raportu Niepoprawny token dostępu. Proszę się skontaktować z twórcą aplikacji. Problemy nie zostały włączone dla wybranego repozytorium. Proszę się skontaktować z twórcą aplikacji. @@ -148,146 +94,87 @@ 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 - Nie mo\u017cna utworzy\u0107 playlisty. "Nie mo\u017cna pobra\u0107 dopasowanej ok\u0142adki albumu" Nie można przywrócić zakupów. Nie można przeskanować %d plików. - Utwórz - Stworzono playlistę %1$s. - Członkowie i współpracownicy - Aktualnie odtwarzane %1$s wykonawcy %2$s. - Dość ciemny - Brak tekstu - Usuń playlistę %1$s?]]> - Usuń listy odtwarzania - Usuń utwór %1$s?]]> - Usuń utwory - %1$d ?]]> %1$d ?]]> Usunięto %1$d utworów. - + Usuwanie utworów Głębia - Opis - Informacje o urządzeniu - Pozwól Retro Music na modyfikację ustawień dźwięku - Ustaw jako dzwonek - Czy chcesz wyczyścić czarną listę? %1$s z czarnej listy?]]> - Wesprzyj nas - Jeżeli uważasz, że zasługuje na zapłatę za moją pracę możesz zostawić tu drobną sumę - Kup mi: - Pobierz z Last.fm - + Tryb samochodowy Edytuj - Edytuj okładkę - Pusto - Korektor dźwięku - Błąd - - FAQ - + Najczęściej zadawane pytania Ulubione - Dokończ ostatnią piosenkę - Dopasuj - Płaski - Foldery - + Śledź system Dla Ciebie - + Darmowe Pełne - Pełna karta - Zmień motyw i kolory aplikacji Wygląd i zachowanie interfejsu - Gatunek - Gatunki - Zobacz kod na GitHubie - Dołącz do społeczności Google Plus by uzyskać informacje o aktualizacjach i pomoc - 1 2 3 @@ -296,196 +183,123 @@ 6 7 8 - + Styl siatki Zawias - Historia - Strona główna - Obrót poziomy - Obraz - Obraz gradientowy - Zmień ustawienia pobierania obrazka wykonawcy - Dodano %1$d utworów do listy odtwarzania %2$s. - - Instagram Udostępnij swój setup aplikacji Retro Music na Instagramie - Klawiatura - - Bitrate - - Format + Przepływność + Typ Nazwa pliku Ścieżka pliku Rozmiar - + Więcej z %s Częstotliwość próbkowania - Długość - Wszystkie podpisy - Ostatnio dodane - Ostatni utwór - Odtwórzmy jakąś muzykę - Biblioteka - Kategorie biblioteki - Licencje - Śnieżno biały - + Słuchacze Listowanie plików - Ładowanie... - Zaloguj się - Tekst utworu - Stworzone z ❤️ w Indiach - Materialistyczny - Błąd - Błąd uprawnień - 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 - Brak artystów - "Odtwórz jakiś utwór i spróbuj ponownie." - Nie znaleziono korektora dźwięku. - Brak gatunków - Nie znaleziono tekstu utworu - + Brak odtwarzanych utworów Brak list odtwarzania - Nie znaleziono zakupów. - Brak wyników. - Brak utworów - Normalne - Normalny tekst utworu - Normalny - %s nie znajduje się w magazynie multimediów.]]> - Nic do skanowania. - + Nic do zobaczenia Powiadomienie - Zmień wygląd powiadomień - Teraz odtwarzane Kolejka teraz odtwarzanych Dostosuj panel aktualnie odtwarzanych 9+ motywów Teraz odtwarzane - Tylko przez Wi-Fi - Zaawansowane funkcje eksperymentalne - 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 Styl okładki Dźwięk + Czarna lista Przyciski kontrolne Motyw Obrazki Biblioteka Ekran blokady Listy odtwarzania - Zatrzymuje odtwarzanie przy zerowym poziomie głośności i wznawia po jego zwiększeniu. Kiedy zwiększysz głośność, odtwarzanie rozpocznie się nawet gdy jesteś poza aplikacją Zatrzymaj przy wyłączonym dźwięku Ta opcja może mieć wpływ na zużycie baterii Pozostaw ekran włączony - Kliknij aby otworzyć z lub przesunąć do przezroczystej nawigacji ekranu teraz odtwarzane Kliknij albo przesuń - - Efekt spadającego śniegu - Używaj okładki aktualnie odtwarzanego albumu jako tapety ekranu blokady Zmniejsz głośność kiedy dostajesz powiadomienia Zawartość czarnej listy jest ukryta w twojej bibliotece. + Rozpocznij odtwarzanie po podłączeniu urządzenia bluetooth Rozmazuj okładkę albumu na ekranie blokady. Może powodować problemy z aplikacjami i widżetami innych firm Efekt karuzeli na okładce obecnie odtwarzanego albumu. Zwróć uwagę, że motyw karty i rozmycia nie zadziała Użyj klasycznego wyglądu powiadomień. @@ -493,8 +307,10 @@ 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 @@ -508,7 +324,6 @@ Zacznij odtwarzanie po podłączanie zestawu słuchawkowego Odtwarzanie losowe zostanie wyłączone podczas odtwarzania nowej listy utworów Włącz sterowanie głośnością na ekranie \"teraz odtwarzane\" - Pokaż okładkę albumu Wygląd okładki albumu Przesuwanie okładki albumu @@ -518,12 +333,15 @@ 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 + Mniej nasycony kolor Dodatkowe sterowanie + Informacje o utworze Odtwarzanie bez przerw Motyw główny Pokaż kartę gatunku @@ -545,233 +363,153 @@ 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 - %1$d z listy odtwarzania?]]> - Zmień nazwę listy odtwarzania - Zgłoś problem - Zgłoś błąd - Zresetuj - Zresetuj obrazek wykonawcy - Przywróć - 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 + + Nie można uzyskać URI SAF + Otwórz szufladę nawigacji + Włącz \'Pokaż kartę SD\' w menu przeciążenia + + %s wymaga dostępu do karty SD + Musisz wybrać katalog główny karty SD + Wybierz kartę SD w panelu nawigacji + Nie otwieraj żadnych podfolderów + Dotknij przycisku \'Wybierz\' u dołu ekranu + Nie udało się zapisać do pliku: %s Zapisz - Zapisz jako plik - Zapisz jako - Zapisz listę odtwarzania do %s. - Zapisywanie zmian - 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 - Długość utworu - Utwory - Porządek sortowania Rosnąco Album Artysta Kompozytor Dane + Data modyfikacji Rok Malejąco - Przepraszamy! Twoje urządzenie nie obsługuje wprowadzania głosowego - Przeszukaj swoją bibliotekę - 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 - Dziękuję! - Pliki dźwiękowy - Ten miesiąc - Ten tydzień - Ten rok - Mały - Tytuł - - Dashboard - + 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 - "Ścieżka (2 dla ścieżki 2 lub 3004 dla ścieżki CD3 4)" - Numer utworu - Przetłumacz - Pomóż nam tłumaczyć aplikację na swój język - Strona na Twitterze Podziel się swoim designem z Retro Music - Niepodpisane - Nie mo\u017cna odtworzy\u0107 utworu. - Następne - Zaktualizuj obrazek - Aktualizowanie... - Nazwa użytkownika - Wersja - Obrót pionowy - Wirtualizacja - + Głośność Przeszukaj sieć - Witaj, - Co chciałbyś udostępnić? - Co nowego - Okno - Zaokrąglone rogi - Ustaw %1$s jako dzwonek. - Wybrano %1$d - Rok - Musisz zaznaczyć przynajmniej jedną kategorię - Będziesz przekierowany do strony ze zgłoszeniami. - Informacje o twoim koncie są używane tylko do autoryzacji. - More from %s + Ilość + Notatka(Opcjonalna) + Rozpocznij płatność + Wyświetl teraz odtwarzane + Kliknięcie powiadomienia pokaże teraz odtwarzane zamiast ekranu głównego + Mała karta diff --git a/app/src/main/res/master/values-pt-rBR/strings.xml b/app/src/main/res/master/values-pt-rBR/strings.xml new file mode 100644 index 00000000..5b8dd198 --- /dev/null +++ b/app/src/main/res/master/values-pt-rBR/strings.xml @@ -0,0 +1,515 @@ + + + Time, links sociais + Cor de destaque + A cor de destaque do tema, o padrão é verde + Sobre + Adicionar aos favoritos + Adicionar à lista de reprodução + Adicionar à lista + Limpar a atual fila de reprodução + Remover todos os itens da playlist + Alternar modo de repetição + Excluir + Excluir do dispositivo + Detalhes + Ir para o álbum + Ir para o artista + Ir para o gênero + Ir para o diretório inicial + Permitir + Tamanho da grade + Tamanho da grade (horizontal) + Nova lista de reprodução + Próxima + Reproduzir + Reproduzir tudo + Reproduzir próxima + Reproduzir/Pausar + Anterior + Remover dos favoritos + Remover da fila de reprodução + Remover da playlist + Renomear + Salvar fila de reprodução + Escanear + Buscar + Iniciar + Definir como toque + Definir como diretório inicial + "Configurações" + Compartilhar + Misturar todas + Embaralhar playlist + Temporizador + Ordem de classificação + Editor de TAG + Ativar/Desativar favorito + Alternar modo aleatório + Adaptável + Adicionar + Adicionar letras + Adicionar foto + "Adicionar à lista" + Adicione tempo de enquadramento das letras + "Uma música foi adicionada à fila de reprodução" + Foram adicionadas %1$d músicas na fila de reprodução + Álbum + Á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 + Aleatório + Músicas favoritas + Música Retrô-Grande + Música Retrô-Cartão + Música Retrô-Clássico + Música Retrô-Pequeno + Música Retrô-Texto + Artista + Artistas + Foco de áudio negado + Altere as configurações de som e ajuste os controles do equalizador + Automático + Baseado na cor do tema + Aumento de graves + Biografia + Biografia + Apenas preto + Lista negra + Desfocado + Cartão desfocado + Não é possível enviar o relatório + Token de acesso inválido. Entre em contato com o desenvolvedor do aplicativo + Os problemas não estão ativados para o repositório selecionado. Entre em contato com o desenvolvedor do aplicativo. + Um erro inesperado ocorreu. Entre em contato com o desenvolvedor do aplicativo. + Nome do usuário ou senha incorreta + Questão + Enviar manualmente + Por favor, insira uma descrição do problema + Por favor, digite sua senha válida do GitHub + Por favor, insira um título do problema + Por favor, digite seu nome de usuário válido do GitHub + Um erro inesperado ocorreu. Se você tentar novamente e o erro persistir, use a opção \"Limpar dados do aplicativo\" ou envie-nos um e-mail + Enviando relatório para o GitHub... + Enviar usando uma conta do GitHub + Compre agora + Cancelar + Cartão + Circular + Cartão colorido + Cartão + Carrossel + Efeito carrossel na tela de reprodução + Cascata + Transmitir + Lista de mudanças + Lista de mudanças mantida no Canal no Telegram + Círculo + Circular + Clássico + Limpar + Limpar dados do aplicativo + Limpar lista negra + Limpar fila + Limpar playlist + %1$s? Isso n\u00e3o pode ser desfeito!]]> + Fechar + Cor + Cor + Cores + Compositor + Informações do dispositivo copiado para a área de transferência. + N\u00e3o foi poss\u00edvel criar a playlist + "N\u00e3o foi poss\u00edvel baixar uma capa do \u00e1lbum correspondente" + Não foi possível restaurar a compra + Não foi possível escanear %d arquivos + Criar + A playlist %1$s foi criada + Membros e contribuidores + Atualmente ouvindo %1$s por %2$s. + Meio escuro + Sem letras + Excluir playlist + %1$s?]]> + Excluir playlists + Excluir música + %1$s?]]> + Excluir músicas + %1$d playlists?]]> + %1$d músicas?]]> + %1$d músicas foram excluídas. + Excluir músicas + Profundidade + Descrição + Informação do dispositivo + Permite que o Retro Music modifique as configurações de áudio + Definir toque + Você quer limpar a lista negra? + %1$s da lista negra?]]> + Doar + Se você acha que eu mereço ser recompensado pelo meu trabalho, você pode me deixar algum dinheiro aqui + Compre-me um: + Baixar do Last.fm + Modo de direção + Editar + Editar capa + Vazio + Equalizador + Erro + Perguntas frequentes + Favoritos + Terminar a última música + Em forma + Plano + Pastas + Seguir sistema + Para você + Grátis + Tela cheia + Cartão cheio + Alterar o tema e as cores do aplicativo + Aparência + Gênero + Gêneros + Fork o projeto no GitHub + Participe da comunidade do Google+, onde você pode pedir ajuda ou seguir as atualizações do Retro Music + 1 + 2 + 3 + 4 + 5 + 6 + 7 + 8 + Grades & Estilos + Dobradiça + Histórico + Início + Giro horizontal + Imagem + Imagem degradê + Alterar as configurações de download das imagens dos artistas + %1$d músicas adicionadas na playlist %2$s. + Compartilhe seu perfil do Retro Music para mostrá-lo no Instagram + Teclado + Taxa de bits + Formato + Nome do arquivo + Caminho do arquivo + Tamanho + Mais de %s + Taxa de amostragem + Comprimento + Rotulado + Mais recentes + Última música + Vamos reproduzir alguma música + Biblioteca + Categorias da biblioteca + Licenças + Claramente branco + Ouvintes + Listando arquivos... + Carregando produtos... + Entrar + Letras + Feito com ❤️ na Índia + Material + Erro + Erro de permissão + Nome + Mais tocadas + Nunca + Nova foto do mural + Nova playlist + Nova foto de perfil + %s é o novo diretório inicial + Próxima música + Sem álbuns + Sem artistas + "Reproduza uma música primeiro e tente novamente" + Nenhum equalizador encontrado + Sem gêneros + Nenhuma letra encontrada + Nenhuma música tocando + Sem playlists + Nenhuma compra encontrada. + Sem resultados + Sem músicas + Normal + Letras normais + Normal + %s não está listado no armazenamento de mídia]]> + Nada para escanear. + Nada para escanear + Notificação + Personalizar o estilo de notificação + Reproduzindo agora + Reproduzindo agora na fila + Personalizar tela de reprodução + Incríveis 9 temas para a interface do reprodutor + Apenas com Wi-Fi + Recursos avançados em teste + Outro + Senha + Últimos 3 meses + Cole as letras aqui + Peak + Permissão para acessar o armazenamento externo negada + Permissões negadas. + Personalizar + Personalizar os controles em Reproduzindo agora e Interface do Usuário + Escolha do armazenamento local + Escolha a imagem + Pinterest + Siga a página do Pinterest para inspiração de design do Retro Music + Liso + A notificação de reprodução fornece ações para reprodução/pausa, etc + Notificação de reprodução + Playlist vazia + A playlist está vazia + Nome da playlist + Playlists + Estilo de detalhe do álbum + Quantidade de desfoque aplicada a temas de desfoque, menor é mais rápido + Quantidade de desfoque + Ajustar os cantos da caixa de diálogo + Dialog corner + Filtrar músicas por duração + Filtrar duração da música + Avançado + Estilo do álbum + Áudio + Lista negra + Controles + Tema + Imagens + Biblioteca + Tela de bloqueio + Playlists + Pausa a reprodução quando o volume é zerado e reproduz novamente quando o volume aumentar. Também funciona fora do aplicativo + 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. + Comece a tocar assim que conectado ao dispositivo bluetooth + Desfoque a capa do álbum na tela de bloqueio. Pode causar problemas com aplicativos e widgets de terceiros + Efeito carrossel para a imagem do álbum na tela de reprodução. Note que nos temas \"Cartão\" e \"Cartão desfocado\" não irá funcionar + 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 + Se houver espaço suficiente, mostre os controles de volume na tela que está sendo reproduzida + Exibir a capa do álbum + Tema da capa do álbum + Pular a capa do álbum + Grade do álbum + Colorir os atalhos do aplicativo + Grade do artista + Reduza o volume na perda de foco + Baixar automaticamente as imagens dos artistas + Lista negra + Reprodução Bluetooth + Desfocar a capa do álbum + Escolha o equalizador + Design de notificação clássico + Cor adaptável + Notificações coloridas + Cor dessaturada + Controles extras + Informações da música + Reprodução contínua + Tema do aplicativo + Exibir a aba de gêneros + Grade de artistas na tela inicial + Mural na tela inicial + Ignorar capas do Armazenamento de Mídia + Intervalo da playlist \"Mais recentes\" + Controles em tela cheia + Barra de navegação colorida + Tema da tela \"Reproduzindo agora\" + Licenças de código aberto + Bordas arredondadas + Modo de títulos nas abas + Efeito carrossel + Cor dominante + Aplicativo em tela cheia + Títulos das guias + Execuções automática + Modo aleatório + Controles do volume + Informação do usuário + Cor primária + A cor principal do tema por padrão é cinza azulado, por enquanto funciona com cores escuras + Pro + Temas do reproduzindo agora, Efeito carrossel, Tema de cor e mais... + Perfil + Comprar + *Pense antes de comprar, não pergunte por reembolso! + Fila + Avalie o aplicativo + Adorou este aplicativo? Informe-nos na Google Play Store como podemos melhorar o aplicativo + Álbuns recentes + Artistas recentes + Remover + Remover foto do mural + Remover capa + Remover da lista negra + Remover foto do perfil + Remover música da playlist + %1$s da playlist?]]> + Remover músicas da playlist + %1$d músicas da playlist?]]> + Renomear playlist + Reportar um problema + Reportar erro + Resetar + Restaurar imagem do artista + Restaurar + Compra anterior restaurada. Por favor, reinicie o aplicativo para fazer uso de todos os recursos. + Compras anteriores foram restauradas. + Restaurando compra... + Equalizador do Retro Music + Retro Music Player + Retro Music Pro + Falha ao excluir arquivo: %s + + Não foi possível obter URI SAF + Abrir painel de navegação + Ativar \'Mostrar cartão SD\' no menu flutuante + + %s precisa de acesso ao cartão SD + Você precisa selecionar o diretório raiz do seu cartão SD + Selecione seu cartão SD no menu de navegação + Não abra nenhuma subpasta + Toque no botão \'selecionar\' na parte inferior da tela + Falha na escrita do arquivo: %s + Salvar + + + Salvar como arquivo + Salvar como arquivos + Playlist salva para %s + Salvando alterações... + Escanear mídia + Escaneados %1$d dos %2$d arquivos + Scrobbles + Pesquisar na sua biblioteca ... + Selecionar tudo + Selecione a foto do mural + Selecionado + Enviar log de falha + Definir + Definir imagem do artista + Definir uma foto de perfil + Compartilhar o aplicativo + Share to Stories + Aleatório + Simples + Temporizador cancelado + Temporizador definido para %d minutos a partir de agora + Deslizar + Português + Social + Share story + Música + Duração da música + Músicas + Ordem de classificação + Ascendente + Álbum + Artista + Compositor + Data + Date modified + Ano + Decrescente + Desculpe! O seu dispositivo não suporta entrada de voz + Pesquisar... + Pilha + Começar a reprodução de música. + Sugestões + Mostrar apenas o seu nome na tela inicial + Apoiar o desenvolvimento + Deslize para desbloquear + Letras sincronizadas + Equalizador do sistema + + Telegram + Junte-se ao grupo no Telegram para discutir bugs, fazer sugestões e muito mais + Obrigado! + Arquivo de áudio + Este mês + Esta semana + Este ano + Minúsculo + Título + Painel de controle + Boa tarde + Bom dia + Boa noite + Bom dia + Boa noite + Qual o seu nome? + Hoje + Melhores albuns + Artistas principais + "Música (2 para a música 2 ou 3004 para a música 4 do CD3)" + Número da música + Traduzir + Ajude-nos a traduzir o aplicativo para seu idioma + Twitter + Compartilhe seu design com o Retro Music + Não rotulado + N\u00e3o foi poss\u00edvel reproduzir est\u00e1 m\u00fasica. + A seguir + Atualizar imagem + Atualizando... + Nome de usuário + Versão + Giro vertical + Virtualizador + Volume + Pesquisar na internet + Bem-vindo(a), + O que você quer compartilhar? + Novidades + Janela + Cantos arredondados + Definir %1$s como toque. + %1$sd selecionado + Ano + Você precisa selecionar ao menos uma categoria. + Você será encaminhado para o website do rastreador de problemas. + Os dados da sua conta são usados ​​apenas para autenticação. + Amount + Note(Optional) + Start payment + Show now playing screen + Clicking on the notification will show now playing screen instead of the home screen + Tiny card + diff --git a/app/src/main/res/master/values-pt-rPT/strings.xml b/app/src/main/res/master/values-pt-rPT/strings.xml new file mode 100644 index 00000000..321eb477 --- /dev/null +++ b/app/src/main/res/master/values-pt-rPT/strings.xml @@ -0,0 +1,515 @@ + + + Team, social links + Accent color + The theme accent color, defaults to purple + About + Add to favorites + Add to playing queue + Add to playlist + Clear playing queue + Clear playlist + Cycle repeat mode + Delete + Delete from device + Details + Go to album + Go to artist + Go to genre + Go to start directory + Grant + Grid size + Grid size (land) + New playlist + Next + Play + Play all + Play next + Play/Pause + Previous + Remove from favorites + Remove from playing queue + Remove from playlist + Rename + Save playing queue + Scan + Search + Start + Set as ringtone + Set as start directory + "Settings" + Share + Shuffle all + Shuffle playlist + Sleep timer + Sort order + Tag editor + Toggle favorite + Toggle shuffle mode + Adaptive + Add + Add lyrics + Add \nphoto + "Add to playlist" + Add time frame lyrics + "Added 1 title to the playing queue." + Added %1$d titles to the playing queue. + Album + Album artist + The title or artist is empty. + Albums + Always + Hey check out this cool music player at: https://play.google.com/store/apps/details?id=%s + Shuffle + Top Tracks + Retro music - Big + Retro music - Card + Retro music - Classic + Retro music - Small + Retro music - Text + Artist + Artists + Audio focus denied. + Change the sound settings and adjust the equalizer controls + Auto + Base color theme + Bass Boost + Bio + Biography + Just Black + Blacklist + Blur + Blur Card + Unable to send report + Invalid access token. Please contact the app developer. + Issues are not enabled for the selected repository. Please contact the app developer. + An unexpected error occurred. Please contact the app developer. + Wrong username or password + Issue + Send manually + Please enter an issue description + Please enter your valid GitHub password + Please enter an issue title + Please enter your valid GitHub username + An unexpected error occurred. Sorry you found this bug, if it keeps crashing \"Clear app data\" or send an Email + Uploading report to GitHub… + Send using GitHub account + Buy now + Cancel + Card + Circular + Colored Card + Card + Carousel + Carousel effect on the now playing screen + Cascading + Cast + Changelog + Changelog maintained on the Telegram channel + Circle + Circular + Classic + Clear + Clear app data + Clear blacklist + Clear queue + Clear playlist + %1$s? This can\u2019t be undone!]]> + Close + Color + Color + Colors + Composer + Copied device info to clipboard. + Couldn\u2019t create playlist. + "Couldn\u2019t download a matching album cover." + Could not restore purchase. + Could not scan %d files. + Create + Created playlist %1$s. + Members and contributors + Currently listening to %1$s by %2$s. + Kinda Dark + No Lyrics + Delete playlist + %1$s?]]> + Delete playlists + Delete song + %1$s?]]> + Delete songs + %1$d playlists?]]> + %1$d songs?]]> + Deleted %1$d songs. + Deleting songs + Depth + Description + Device info + Allow Retro Music to modify audio settings + Set ringtone + Do you want to clear the blacklist? + %1$s from the blacklist?]]> + Donate + If you think I deserve to get paid for my work, you can leave some money here + Buy me a: + Download from Last.fm + Drive mode + Edit + Edit cover + Empty + Equalizer + Error + FAQ + Favorites + Finish last song + Fit + Flat + Folders + Follow system + For you + Free + Full + Full card + Change the theme and colors of the app + Look and feel + Genre + Genres + Fork the project on GitHub + Join the Google Plus community where you can ask for help or follow Retro Music updates + 1 + 2 + 3 + 4 + 5 + 6 + 7 + 8 + Grid style + Hinge + History + Home + Horizontal flip + Image + Gradient image + Change artist image download settings + Inserted %1$d songs into the playlist %2$s. + Share your Retro Music setup to showcase on Instagram + Keyboard + Bitrate + Format + File name + File path + Size + More from %s + Sampling rate + Length + Labeled + Last added + Last song + Let\'s play some music + Library + Library categories + Licenses + Clearly White + Listeners + Listing files + Loading products… + Login + Lyrics + Made with ❤️ in India + Material + Error + Permission error + Name + Most played + Never + New banner photo + New playlist + New profile photo + %s is the new start directory. + Next Song + You have no albums + You have no artists + "Play a song first, then try again." + No equalizer found + You have no genres + No lyrics found + No songs playing + You have no playlists + No purchase found. + No results + You have no songs + Normal + Normal lyrics + Normal + %s is not listed in the media store.]]> + Nothing to scan. + Nothing to see + Notification + Customize the notification style + Now playing + Now playing queue + Customize the now playing screen + 9+ now playing themes + Only on Wi-Fi + Advanced testing features + Other + Password + Past 3 months + Paste lyrics here + Peak + Permission to access external storage denied. + Permissions denied. + Personalize + Customize your now playing and UI controls + Pick from local storage + Pick image + Pinterest + Follow Pinterest page for Retro Music design inspiration + Plain + The playing notification provides actions for play/pause etc. + Playing notification + Empty playlist + Playlist is empty + Playlist name + Playlists + Album detail style + Amount of blur applied for blur themes, lower is faster + Blur amount + Adjust the bottom sheet dialog corners + Dialog corner + Filter songs by length + Filter song duration + Advanced + Album style + Audio + Blacklist + Controls + Theme + Images + Library + Lockscreen + Playlists + Pauses the song when the volume decreases to zero and starts playing back when the volume level rises. Also works outside the app + Pause on zero + Keep in mind that enabling this feature may affect battery life + Keep the screen on + Click to open with or slide to without transparent navigation of now playing screen + Click or Slide + Snow fall effect + 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. + Start playing as soon as connected to bluetooth device + Blur the album cover on the lockscreen. Can cause problems with third party apps and widgets + Carousel effect for the album art in the now playing screen. Note that Card and Blur Card themes won\'t work + 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 + Toggle home banner style + Can increase the album cover quality, but causes slower image loading times. Only enable this if you have problems with low resolution artworks + Configure visibility and order of library categories. + Use Retro Music\'s custom lockscreen controls + License details for open source software + Round the app\'s edges + Toggle titles for the bottom navigation bar tabs + Immersive mode + Start playing immediately after headphones are connected + Shuffle mode will turn off when playing a new list of songs + If enough space is available, show volume controls in the now playing screen + Show album cover + Album cover theme + Album cover skip + Album grid + Colored app shortcuts + Artist grid + Reduce volume on focus loss + Auto-download artist images + Blacklist + Bluetooth playback + Blur album cover + Choose equalizer + Classic notification design + Adaptive color + Colored notification + Desaturated color + Extra controls + Song info + Gapless playback + App theme + Show genre tab + Home artist grid + Home 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. + Queue + Rate the app + Love this app? Let us know in the Google Play Store how we can make it even better + Recent albums + Recent artists + Remove + Remove banner photo + Remove cover + Remove from blacklist + Remove profile photo + Remove song from playlist + %1$s from the playlist?]]> + Remove songs from playlist + %1$d songs from the playlist?]]> + Rename playlist + Report an issue + Report bug + Reset + Reset artist image + Restore + Restored previous purchase. Please restart the app to make use of all features. + Restored previous purchases. + Restoring purchase… + Retro Music Equalizer + Retro Music Player + Retro Music Pro + File delete failed: %s + + Can\'t get SAF URI + Open navigation drawer + Enable \'Show SD card\' in overflow menu + + %s needs SD card access + You need to select your SD card root directory + Select your SD card in navigation drawer + Do not open any sub-folders + Tap \'select\' button at the bottom of the screen + File write failed: %s + Save + + + Save as file + Save as files + Saved playlist to %s. + Saving changes + Scan media + Scanned %1$d of %2$d files. + Scrobbles + Search your library… + Select all + Select banner photo + Selected + Send crash log + Set + Set artist image + Set a profile photo + Share app + Share to Stories + Shuffle + Simple + Sleep timer canceled. + Sleep timer set for %d minutes from now. + Slide + Small album + Social + Share story + Song + Song duration + Songs + Sort order + Ascending + Album + Artist + Composer + Date added + Date modified + Year + Descending + Sorry! Your device doesn\'t support speech input + Search your library + Stack + Start playing music. + Suggestions + Just show your name on home screen + Support development + Swipe to unlock + Synced lyrics + System Equalizer + + Telegram + Join the Telegram group to discuss bugs, make suggestions, show off and more + Thank you! + The audio file + This month + This week + This year + Tiny + Title + Dashboard + Good afternoon + Good day + Good evening + Good morning + Good night + What\'s Your Name + Today + Top albums + Top artists + "Track (2 for track 2 or 3004 for CD3 track 4)" + Track number + Translate + Help us translate the app to your language + Twitter + Share your design with Retro Music + Unlabeled + Couldn\u2019t play this song. + Up next + Update image + Updating… + Username + Version + Vertical flip + Virtualizer + Volume + Web search + Welcome, + What do you want to share? + What\'s New + Window + Rounded corners + Set %1$s as your ringtone. + %1$d selected + Year + You have to select at least one category. + You will be forwarded to the issue tracker website. + Your account data is only used for authentication. + Amount + Note(Optional) + Start payment + Show now playing screen + Clicking on the notification will show now playing screen instead of the home screen + Tiny card + diff --git a/app/src/main/res/values-ro/strings.xml b/app/src/main/res/master/values-ro-rRO/strings.xml similarity index 58% rename from app/src/main/res/values-ro/strings.xml rename to app/src/main/res/master/values-ro-rRO/strings.xml index 4f85a50d..b54c02bf 100644 --- a/app/src/main/res/values-ro/strings.xml +++ b/app/src/main/res/master/values-ro-rRO/strings.xml @@ -1,195 +1,180 @@ - + + Team, social links Culoare ton Culoarea de accent, implicit, se face verde. - Despre - Adaugă la favorite Adaugă la coada de redare Adaugă la un playlist - Curăță coada de redare Șterge playlist - + Cycle repeat mode Șterge Șterge de pe dispozitiv - Detalii - Pagină album Pagină artist + Go to genre Registrul principal - Acord - Mărimea grilei Mărimea grilei (bază) - + New playlist Următorul - Redați + Play all Redă urmatorul Redați/Opriți - Anterior - Șterge din favorite Șterge din coada de redare Șterge din playlist - redenumiți - Salvează coada de redare - Scanează - Căutare - Setare Setează ca ton de apel Setează ca registru principal - "Setări" - Expediază - Amestecă tot Amestecă playlist - Cronometru de somn - + Sort order Redactor info - + Toggle favorite + Toggle shuffle mode + Adaptive Adaugă - + Add lyrics Adaugă fotografie - "Adaugă la playlist" - + Add time frame lyrics "Adăugat 1 titlu la coada de redare." - Adăugate %1$d titluri la coada de redare - Album - 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 - - Amestecă Top cântece - Retro music - Mare Retro music - Card Retro music - Classic Retro music - Mic - + Retro music - Text Artist - Artiști - Folcalizarea audio a fost respinsă. - Ajustați setările de sunet și comenzile egalizatorului - + Auto + Base color theme + Bass Boost + Bio Biografie - Negru - Lista neagră - Blur - Blur Card - + Unable to send report + Invalid access token. Please contact the app developer. + Issues are not enabled for the selected repository. Please contact the app developer. + An unexpected error occurred. Please contact the app developer. + Wrong username or password + Issue + Send manually + Please enter an issue description + Please enter your valid GitHub password + Please enter an issue title + Please enter your valid GitHub username + An unexpected error occurred. Sorry you found this bug, if it keeps crashing \"Clear app data\" or send an Email + Uploading report to GitHub… + Send using GitHub account + Buy now Anulează cronometrul curent - Card - + Circular + Colored Card + Card + Carousel + Carousel effect on the now playing screen + Cascading + Cast Modificări - Lista de modificări păstrată din aplicația \"Telegram\" - + Circle + Circular + Classic Șterge - + Clear app data Șterge \"Lista neagră\" - + Clear queue Șterge playlist %1$s? Aceast\u0103 ac\u021biune nu poate fi \u00eenapoiat\u0103!]]> - + Close Culoare - Culoare - Culori - + Composer + Copied device info to clipboard. Nu s-a putut crea playlist. "Nu s-a putut desc\u0103rca o copert\u0103 de album corespunz\u0103toare." Nu a putut fi restabilită achiziția. Nu s-au putut scana %d fișiere - Crează - S-a creat playlist-ul %1$s. - + Members and contributors Acum ascultați %1$s de %2$s. - Suriu - Nu există versuri - Șterge playlist %1$s?]]> - Șterge playlist-uri - + Delete song %1$s?]]> - + Delete songs %1$d playlist-uri?]]> %1$d cântece?]]> Au fost șterse %1$d cântece. - + Deleting songs + Depth + Description + Device info + Allow Retro Music to modify audio settings + Set ringtone Doriți să ștergeți lista neagră? %1$s din lista neagră?]]> - Donează - Dacă ești de părere că merit să fiu plătit pentru munca mea, poți să donezi aici. - Cumpăraţi-mi o(un) - Descarcă de pe Last.fm - + Drive mode + Edit + Edit cover Gol - Egalizator - + Error + FAQ Favorite - + Finish last song + Fit Uniform - Mape - + Follow system Pentru dvs. - + Free Plin - + Full card Schimbați culorile generale ale aplicației Aspect - Gen muzical - Genuri - + Fork the project on GitHub + Join the Google Plus community where you can ask for help or follow Retro Music updates 1 2 3 @@ -198,120 +183,123 @@ 6 7 8 - + Grid style + Hinge Istoric - Acasă - + Horizontal flip + Image + Gradient image + Change artist image download settings Au fost insertate %1$d cântece în playlist-ul %2$s. - + Share your Retro Music setup to showcase on Instagram + Keyboard Bitrate - Format Numele fișierului Dosarul fișierului Mărime - + More from %s Rata de eșantionare - Lungime - + Labeled Adăugate recent - + Last song Hai să ascultăm ceva - Biblioteca - + Library categories Licențe - Alb - + Listeners Listarea fișierelor - Se încarcă produsele... - + Login Versuri - + Made with ❤️ in India + Material + Error + Permission error Numele Meu - Top cântece redate - Niciodată - + New banner photo Playlist nou - + New profile photo %s a fost setat ca noul registru principal. - + Next Song Niciun album - Niciun artist - "Mai întâi redă un cântec, apoi incearcă din nou." - Nu a fost găsit nici un equalizer. - Niciun gen - Nu a fost găsite versuri. - + No songs playing Niciun playlist - Nu s-a găsit nicio achiziție. - Niciun rezultat - Niciun cântec - Normal - + Normal lyrics + Normal %s nu este litsat în magazinul media.]]> - Nimic de scanat. - + Nothing to see Notificare - Personalizează stil de notificare - Se redă Coada de redare - + Customize the now playing screen + 9+ now playing themes Doar pe Wi-Fi - + Advanced testing features Altele - + Password Ultimele 3 luni - + Paste lyrics here + Peak Accesul la stocarea externă este respinsă. - Permisiunile au fost respinse. - Personalizare - Personalizează UI si pagina de redare - Alegeți din spațiul de stocare local - + Pick image + Pinterest + Follow Pinterest page for Retro Music design inspiration Simplu - Notificarea de redare oferă acțiuni de redare / pauză etc. Notificarea de redare - Playlist gol - Playlist-ul este gol - Numele playlist-ului - Playlist-uri - + Album detail style + Amount of blur applied for blur themes, lower is faster + Blur amount + Adjust the bottom sheet dialog corners + Dialog corner + Filter songs by length + Filter song duration + Advanced + Album style Audio + Blacklist + Controls General Imagini + Library Ecran de blocare Playlist-uri - + Pauses the song when the volume decreases to zero and starts playing back when the volume level rises. Also works outside the app + Pause on zero + Keep in mind that enabling this feature may affect battery life + Keep the screen on + Click to open with or slide to without transparent navigation of now playing screen + Click or Slide + Snow fall effect 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. + Start playing as soon as connected to bluetooth device Spălăcește coperta de album pe ecranul de blocare. Poate cauza probleme cu alte aplcicatii sau widget-uri. Efectul carusel pentru coperţile de album în ecranul de redare. Rețineți că tema Card și Blur Card nu va funcționa Folosește designul classic de notificare. @@ -319,27 +307,46 @@ 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 + Toggle home banner style 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 Dacă aveți spațiu pe ecranul de redare, activați controalele de volum - Afișați coperta albumului + Album cover theme + Album cover skip + Album grid Comenzi rapide colorate + Artist grid Reduce volumul la pierderea focalizării Descărcați automat imagini ale artistului + Blacklist + Bluetooth playback Spălăcește coperta albumului + Choose equalizer Design classic de notificare Culoare adaptivă Notificare colorată + Desaturated color + Extra controls + Song info Redare \"Gapless\" Temă + Show genre tab + Home artist grid + Home banner Ignoră copertele de pe Magazinul Media Ultimul interval de playlist adăugat Comenzi ecran complet @@ -347,148 +354,162 @@ Aspect Licențe open source Colțuri rotunjite + Tab titles mode Efect de carusel Culoarea dominantă Ecran complet Titlurile categoriior Redare automată + Shuffle mode Controale volum Info utilizator - Culoarea de bază Culoarea temei primare, implicită în gri albastru, pentru moment funcționează doar cu culori închise - + Pro + Black theme, Now playing themes, Carousel effect and more.. + Profile Procurare - + *Think before buying, don\'t ask for refund. Coadă - Evaluaţi aplicaţia - Dacă vă place această aplicație, anunțați-ne în magazinul Google Play pentru a oferi o experiență mai bună - Albume recente - Artişti recenţi - Eliminare - + Remove banner photo Eliminare copertă - Eliminare din lista neagră - + Remove profile photo Eliminați melodia din lista de redare %1$s din lista de redare?]]> - Eliminare melodii din lista de redare - %1$d melodii din lista de redare?]]> - Redenumiţi lista de redare - + Report an issue + Report bug + Reset Reseteţi imaginea artistului - Restabilire - A fost restaurată achiziția anterioară. Reporniți aplicația pentru a utiliza toate funcțiile. Au fost restabilite achizițiile anterioare. - Se restabilește achiziția... - Retro Egalizator - + Retro Music Player Cumpărați RetroMusic Pro - + File delete failed: %s + + Can\'t get SAF URI + Open navigation drawer + Enable \'Show SD card\' in overflow menu + + %s needs SD card access + You need to select your SD card root directory + Select your SD card in navigation drawer + Do not open any sub-folders + Tap \'select\' button at the bottom of the screen + File write failed: %s + Save Salvare ca fişier + Save as files Salvaţi lista de redare în %s. - Salvare modificări - + Scan media Au fost scanate %1$d din %2$d fişiere. - + Scrobbles Căutare în bibliotecă... - + Select all + Select banner photo + Selected + Send crash log + Set Setaţi imaginea artistului - + Set a profile photo + Share app + Share to Stories Amestecare - Simplu - Temporizatorul a fost anulat. Temporizatorul este setat pentru %d minute de acum. - + Slide + Small album + Social + Share story Melodie - Durată - Melodii - ordinea de sortare - + Ascending + Album + Artist + Composer + Date added + Date modified + Year + Descending Scuze! Dispozitivul tau nu suporta comenzi vocale - Caută în colecția ta - + Stack + Start playing music. + Suggestions Numele tău va fi afișat pe ecranul de pornire - Susţineţi dezvoltarea - + Swipe to unlock + Synced lyrics + System Equalizer + Telegram + Join the Telegram group to discuss bugs, make suggestions, show off and more Mulțumesc! - Fișier audio - Luna aceasta - Săptămâna aceasta - Anul acesta - Mic - + Title Tablou de bord - Bună ziua O zi bună Bună seara Bună dimineaţa Noapte bună - Numele dvs. - Astăzi - Albume de top - Artişti de top - "Melodie (2 pentru melodia 2 sau 3004 pentru CD3 melodia 4)" - Numărul piesei - Traducere - + Help us translate the app to your language + Twitter + Share your design with Retro Music + Unlabeled Nu s-a putut reda aceast\u0103 melodie. - Urmează - Actualizare imagine - Se actualizează... - + Username Versiune - + Vertical flip + Virtualizer + Volume Căutare pe internet - + Welcome, Ce doriți să expediați? - + What\'s New Fereastră - + Rounded corners Setează %1$s ca ton de apel - %1$d selectat - Anul - More from %s + 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-ru/strings.xml b/app/src/main/res/master/values-ru-rRU/strings.xml similarity index 70% rename from app/src/main/res/values-ru/strings.xml rename to app/src/main/res/master/values-ru-rRU/strings.xml index 7968a9f1..d4bb9b7a 100644 --- a/app/src/main/res/values-ru/strings.xml +++ b/app/src/main/res/master/values-ru-rRU/strings.xml @@ -1,293 +1,181 @@ - + - Команда,ссылки на соц.сети - + Команда, наши социальные сети Основной цвет - Основной цвет, по умолчанию зеленовато-голубой. - + Основной цвет, по умолчанию фиолетовый О программe - Добавить в избранное Добавить в очередь проигрывания Добавить в плейлист - - Очистить очередь проигрывания + Очистить очередь воспроизведения Очистить плейлист - + Режим повтора цикла Удалить Удалить с устройства - Подробности - Перейти к альбому Перейти к исполнителю Перейти к жанру В начало - Разрешить - Размер сетки - Размер сетки (по горизонтали) - - "Создать плейлист -" - + Размер сетки (горизонтально) + Новый плейлист Далее - Играть + Воспроизвести всё Играть далее - Воспроизведение/Пауза - + Играть/Пауза Предыдуший - Удалить из избранного Удалить из очереди воспроизведения Удалить из плейлиста - Переименовать - Сохранить очередь воспроизведения - Сканировать - Поиск - Запустить - Задать в качества рингтона - Установить как стартовый каталог - + Установить в качества рингтона + Установить как стартовую папку "Настройки" - Поделиться - Перемешать всё Перемешать плейлист - Таймер сна - Порядок сортировки - Редактор тегов - - Адаптивный - + Показать избранное + Включить перемешивающий режим + Адаптированная Добавить - - Добавить тест песни - + Добавить текст Добавить \nфото - "Добавить в плейлист" - - Довавить текст песни - - "В очередь добавлен 1 трек" - - В очередь добавлено %1$d треков. - + Добавить контекстную лирику + "В очередь добавлен 1 трек." + В очередь добавлено %1$d треков. Альбом - Исполнитель альбома - Трек или альбом отсутствуют. - Альбомы - - Всегда - - Эй, попробуй этот крутой музыкальный плеер на: https://play.google.com/store/apps/details?id=%s - - + Эй, попробуй этот крутой музыкальный плеер: https://play.google.com/store/apps/details?id=%s Перемешать - Часто прослушиваемые треки - - Retro music - Крупный + Топ треков + Retro music - Большой Retro music - Карточка Retro music - Классический Retro music - Маленький Retro music - Текст - Исполнитель - Исполнители - Фокус на аудио отключен. - - Отрегулировать настройки звука и эквалайзера - + Изменить настройки звука и эквалайзера Авто - Основная цветовая тема - Усиление баса - Биография - Биография - - Максимально чёрный - + Просто Чёрная Черный список - Размытие - Карточка с размытием - Невозможно отправить отчет Недопустимый ключ доступа. Пожалуйста, свяжитесь с разработчиком приложения. Проблемы не активны в выбранном хранилище. Пожалуйста, свяжитесь с разработчиком приложения. Произошла непредвиденная ошибка. Пожалуйста, свяжитесь с разработчиком приложения. Неверное имя пользователя или пароль - Вопрос + Ошибка Отправить вручную Пожалуйста, введите описание проблемы Пожалуйста, введите ваш корректный пароль GitHub Пожалуйста, введите название отчета о проблеме Пожалуйста, введите корректно ваше имя пользователя GitHub Произошла непредвиденная ошибка. Извините, если это продолжится -то «Очистите данные приложения» +то «Очистите данные приложения» Загрузка отчета на GitHub… Отправить с помощью учетной записи GitHub - + Купить сейчас Отменить - Карточка - - Круговой - + Круговая Цветная карточка - Карточка - Карусель - - Эффект карусели на экране текущего воспроизведения - + Эффект карусели на экране воспроизведения Каскадный - - Передать на устройство - + Транслировать Список изменений - - Список изменений хранится на канале Telegram - + Список изменений находится на канале Telegram + Круг Круговая - - Классический - + Классическая Очистить - Очистить данные приложения - Очистить черный список - Очистить очередь - Очистить плейлист - %1$s? \u042d\u0442\u043e \u043d\u0435\u043b\u044c\u0437\u044f \u043e\u0442\u043c\u0435\u043d\u0438\u0442\u044c!]]> - + %1$s? Это невозможно отменить!]]> Закрыть - Цвет - Цвет - Цвета - Композитор - - Скопировать информацию об устройстве в буфер обмена. - - \u041d\u0435 \u0443\u0434\u0430\u043b\u043e\u0441\u044c \u0441\u043e\u0437\u0434\u0430\u0442\u044c \u043f\u043b\u0435\u0439\u043b\u0438\u0441\u0442. - "\u041d\u0435 \u0443\u0434\u0430\u043b\u043e\u0441\u044c \u0441\u043a\u0430\u0447\u0430\u0442\u044c \u043f\u043e\u0434\u0445\u043e\u0434\u044f\u0449\u0443\u044e \u043e\u0431\u043b\u043e\u0436\u043a\u0430 \u0430\u043b\u044c\u0431\u043e\u043c\u0430." + Информация об устройстве скопирована в буфер обмена. + Не удалось создать плейлист. + "Не удалось скачать соответствующую обложку альбома." Не удалось восстановить покупку. Не удалось отсканировать %d файлов. - Создать - Создан плейлист %1$s. - - Участники и помощники - + Участники и помощники Сейчас играет %1$s от %2$s. - - Немного чёрный - + Типа Тёмная Нет текста - Удалить плейлист %1$s?]]> - Удалить плейлисты - - Удалить трек - %1$s?]]> - - Удалить треки - + Удалить песню + %1$s?]]> + Удалить песни %1$d плейлистов?]]> - %1$d треков?]]> - Удалено %1$d треков. - + %1$d песен?]]> + Удалено %1$d песен. + Удаление песен Глубина - Описание - Информация об устройстве - Разрешить Retro Music изменять настройки звука - - Выбрать рингтон - + Установить рингтон Хотите очистить черный список? %1$s из черного списка?]]> - Пожертвовать - - Если вы считаете, что я заслуживаю награды за свою работу, можете отправить мне несколько долларов здесь. - - Купить мне: - + Если вы считаете, что я заслуживаю награды за свою работу, можете отправить мне несколько рублей здесь + Купите мне: Загрузить с Last.fm - + Режим вождения Редактировать - Изменить обложку - Пусто - Эквалайзер - Ошибка - ЧаВО - Избранное - - Соответствие - - Плоский - + Закончить последнюю песню + По размеру + Плоская Папки - + Системная Для вас - - Полный - - Полная карточка - - Изменить тему и цвета приложения + Бесплатная + Заполнение + Заполнение карточки + Изменить тему и цвета в приложении Внешний вид плеера - Жанр - Жанры - Развивай проект на GitHub - Присоединяйся к сообществу Google Plus, где ты можешь попросить о помощи или следить за обновлениями Retro Music - 1 2 3 @@ -296,226 +184,166 @@ 6 7 8 - + Стиль сетки Петля - История - Главная - - Горизонтальная ориентация - + Горизонтальный поворот Изображение - + Градиентное изображение Изменение настроек загрузки изображения артиста - - В плейлист %2$s внесено %1$d песен. - - Instagram + В плейлист %2$s внесено %1$d песен. Поделитесь своим обзором на приложение Retro Music в Instagram - + Клавиатура Битрейт - Формат Имя файла - Расположение файла + Путь к файлу Размер - + Больше от %s Частота дискретизации - Длина - Помечено - Последние добавленные - - Предыдущая песня - + Последняя песня Давайте послушаем немного музыки - Библиотека - Разделы библиотеки - Лицензии - - Белый - + Светлая + Слушатели Список файлов - - Загрузка товаров... - + Загрузка товаров… Войти - Текст - Сделано с ❤️ в Индии - - Материальный - + Material Ошибка - Ошибка разрешения - Моё имя - - Любимые треки - + Самые воспроизводимые Никогда - - Новая фото баннера - + Новое фото баннера Новый плейлист - Новое фото профиля - - %s новая стартовая директория. - - "Следующая песня " - + %s - новая начальная папка. + Следующая песня Альбомы отсутствуют - Исполнители отсутствуют - "Сначала проиграйте песню, затем попробуйте заново." - - Эквалайзер не найден. - + Эквалайзер не найден Жанры отсутствуют - Текст отсутствует - + Нет проигрываемых песен Плейлисты отсутствуют - Покупки отсутствуют. - Нет результатов - Нет песен - Обычный - Обычный текст - Нормальный - - %s не найден в media store.]]> - + %s не найден в каталоге Медиа.]]> Нечего сканировать. - + Нечего сканировать Уведомления - Настроить стиль уведомлений - Сейчас играет Очередь в \"Сейчас играет\" - Настроить экран текущего воспроизведения - 9+ тем экрана текущего воспроизведения - + Настроить экран воспроизведения + 9+ тем экрана воспроизведения Только по Wi-Fi - - Расширеные возможности - + Расширенные тестовые возможности Другое - Пароль - Последние 3 месяца - Вставьте тест песни сюда - - Разрешение для доступа у внешнему хранилищу не получено. - + Панель снизу + Разрешение для доступа к внешнему хранилищу не получено. Разрешения не получены. - Персонализировать - - Настройте управление экрана текущего воспроизведения и интерфейса - + Настройте экран воспроизведения и управление музыкой Взять из хранилища - Выбрать изображение - Pinterest Следуйте за страницей Retro Music в Pinterest - - Простой - + Простая Уведомление о песне предоставляет действия для воспроизведения / паузы и т.д. Уведомления воспроизведения - Пустой плейлист - Плейлист пуст - Название плейлиста - Плейлисты - Стиль деталей альбома - Сила размытия в соответствующих темах; чем ниже, тем меньше нагрузка на устройство Сила размытия - + Отрегулируйте углы нижней панели + Угол диалогового окна + Фильтровать песни по длине Фильтровать песни по длительности - + Расширенные настройки + Стиль альбома Аудио + Черный список + Управление Тема Изображения + Библиотека Экран блокировки Плейлисты - - Автоматически ставит музыку на паузу при уменьшении громкости до нуля и играет после увеличения громкости. Предупреждение, когда вы увеличиваете громкость не в приложении, то Retro Music также начнёт воспроизведение + Приостанавливает воспроизведение при уменьшении громкости до нуля и запускает после увеличения громкости. Предупреждение, когда вы увеличиваете громкость не в приложении, то Retro Music также начнёт воспроизведение Пауза при нулевой громкости - Имейте в виду, что включение этой функции может повлиять на заряд батареи - Оставить экран включенным - + Имейте в виду, что включение этой функции может повлиять на время работы аккумулятора + Не выключать экран Нажмите, чтобы открыть экран воспроизведения с прозрачной навигации или проведите чтобы открыть без прозрачной навигации Нажмите или Проведите - Эффект снегопада - - Использовать обложку альбома текущей песни в качестве обоев на экране блокировки. - Снизить громкость воспроизведения когда приходить звуковое уве + Использовать обложку альбома текущей песни в качестве обоев на экране блокировки + Снизить громкость воспроизведения когда приходить звуковое уведомление Содержимое черного списка скрыто из вашей библиотеки. - Размыть обложку альбома на экране блокировки. Может вызывать проблемы со сторонними приложениями и виджетами. - Эффект карусели для обложек альбома на экране текущего воспроизведения. Учтите, что темы \"Карточка\" и \"Размытая карточка\" не будут работать. - Использовать классический дизайн уведомлений. + Начать воспроизведение сразу же после подключения Bluetooth-устройства + Размыть обложку альбома на экране блокировки. Может вызывать проблемы со сторонними приложениями и виджетами + Эффект карусели для обложек альбома на экране воспроизведения. Учтите, что темы \"Карточка\" и \"Размытая карточка\" не будут работать + Использовать классический дизайн уведомлений Цвет кнопок фона и кнопок управления изменяется в соответствии с обложкой альбома с экрана воспроизведения Окрашивает ярлыки в главный цвет (Accent). Каждый раз, когда вы меняете цвет, вкл-выкл эту настройку, чтобы изменение вступило в силу Окрашивает панель навигации в главный цвет - "\u041e\u043a\u0440\u0430\u0448\u0438\u0432\u0430\u0442\u044c \u0443\u0432\u0435\u0434\u043e\u043c\u043b\u0435\u043d\u0438\u0435 \u0432 \u044f\u0440\u043a\u0438\u0439 \u0446\u0432\u0435\u0442 \u043e\u0431\u043b\u043e\u0436\u043a\u0438 \u0430\u043b\u044c\u0431\u043e\u043c\u0430" + "Окрашивает уведомление на обложке альбома ярким цветом" + Согласно Material Design в темном режиме цвета должны быть немного обесцвечены Наиболее доминирующий цвет будет выбран из обложки альбома или исполнителя Добавить дополнительные элементы управления для мини-плеера + Показать дополнительную информацию о песне, такую как формат файла, битрейт и частота "Может вызвать проблемы с воспроизведением на некоторых устройствах." Включить вкладку жанр Включить кнопку Домой - Может повысить качество обложки альбома, но приведет к более медленной загрузки изображения. Включите это только в том случае, если у вас есть картинки с низким разрешением + Может повысить качество обложки альбома, но привести к более медленной загрузки изображения. Включите это только в том случае, если у вас есть картинки с низким разрешением + Настроить вид и порядок категорий в библиотеке. Используйте экран блокировки Retro Music Сведения о лицензии для программного обеспечения с открытым исходным кодом Закруглить углы в приложении Включить заголовки для вкладок нижней панели навигации Полноэкранный режим Начать воспроизведение музыки сразу после подключения наушников - Режим перемешивания выключится при проигрывании нового списка треков + Режим перемешивания выключится при проигрывании нового списка песен Если доступно достаточно места, показывать управление громкостью на экране воспроизведения - Показать обложку альбома Тема обложки альбома - Стиль обложки экрана текущего воспроизведение + Стиль смены обложки альбома Сетка альбомов Цветные ярлыки Сетка исполнителей - Уменьшить громкость при потере фокуса + Уменьшить громкость при потере фокусировки Автозагрузка изображений исполнителя Черный список + Воспроизведение при подключении Bluetooth Размытие обложки альбома Выбрать эквалайзер Классический дизайн уведомлений - Адаптивный цвет + Адаптированный цвет Цветное уведомление + Немного обесцвеченный цвет Дополнительные элементы управления - Беспроблемное воспроизведение + Информация о песне + Непрерывное воспроизведение Тема приложения Показать вкладку жанра Сетка исполнителя на Главной странице @@ -524,235 +352,165 @@ Дата последнего добавления плейлиста Полноэкранное управление Цветная панель навигации - Тема экрана текущего воспроизведение + Тема экрана воспроизведения Лицензии с открытым кодом - Круглые углы + Углы краёв Название кнопок Эффект карусели Главный цвет Полноэкранное приложение - Заголовки + Названия вкладок Автовоспроизведение Режим перемешивания Управление громкостью Информация о пользователе - Основной цвет - Основной цвет темы, по умолчанию - синий, теперь работает с темными цветами - + Основной цвет темы, по умолчанию - серо-голубой, теперь работает с темными цветами + Pro + Черная тема, Темы экрана воспроизведения, Эффект карусели и многое другое.. Профиль - Купить - * Подумайте, прежде чем покупать, не просите возврата. - Очередь - Оценить приложение - - Любите это приложение? Сообщите нам в Google Play Store, как мы можем сделать его еще лучше - + Понравилось это приложение? Напишите нам в Google Play Store о том, как мы можем сделать его еще лучше Последние альбомы - Последние исполнители - Удалить - Удалить фотографию баннера - Удалить обложку - Удалить из черного списка - Удалить фотографию профиля - Удалить песню из плейлиста %1$s из плейлиста?]]> - Удалить песни из плейлиста - - Переименовать плейлист - Сообщить о проблеме - Сообщить об ошибке - + Сбросить Сбросить изображение исполнителя - - Restore - - Предыдущая покупка восстановлена. Перезагрузите приложение, чтобы использовать все функции. - Восстановленные предыдущие покупки. - - Восстановление покупки ... - + Восстановить + Предыдущая покупка восстановлена. Пожалуйста, перезапустите приложение, чтобы использовать все функции. + Предыдущие покупки восстановлены. + Восстановление покупки… Эквалайзер Retro Music - + Retro Music Player Retro Music Pro - + Ошибка при удалении файла: %s + + Не удается получить SAF URI + Открыть навигационное меню + Включите «Показать SD-карту» в всплывающем меню + + %s необходим доступ к SD-карте + Вы должны выбрать корневой каталог SD-карты + Выберите SD-карту в меню навигации + Не открывайте никакие подпапки + Нажмите кнопку «выбрать» в нижней части экрана + Ошибка при записи файла: %s Сохранить - - Сохранить как... - - Сохранить как... - + Сохранить как + Сохранить как Сохраненный список воспроизведения в %s. - Сохранение изменений - Сканировать медиа-файлы - Просканировано %1$d из %2$d файлов. - - Найдите свою библиотеку ... - + Скробблинги + Поиск в вашей библиотеке… Выбрать все - Выбрать фото баннера - Выбрано - - Отправить лог ошибки - - Задавать - + Отправить лог сбоя + Установить Установить изображение исполнителя - Выбрать фото профиля - Поделиться приложением - + Поделиться в Историях Перемешать - Простая - - Таймер отключения отменен. + Таймер сна отменен. Таймер сна установлен на %d минут. - Провести - Маленький альбом - Общее - + Поделиться историей Песня - Длительность песни - Песни - Порядок сортировки По возрастанию Альбом Исполнитель Композитор - Дата + Дата добавления + Дата изменения Год По убыванию - Извините! Ваше устройство не поддерживает ввод с помощью речи - Поиск в вашей библиотеке - + Стэк + Начать воспроизведение музыки. Предложения - Просто покажите свое имя на главном экране - Поддержать разработку - Проведите, чтобы разблокировать - Синхронизируемый текст - Системный эквалайзер - Telegram Присоединитесь к группе Telegram, чтобы обсуждать ошибки, предлагать улучшения, хвастаться и делать многое другое - - Спасибо ! - + Спасибо! Аудиофайл - Этот месяц - - Это неделя - + Эта неделя Этот год - Крошечный - Название - - Панель приборов - + Панель управления Добрый день Добрый день Добрый вечер Доброе утро Доброй ночи - Как тебя зовут - Сегодня - Топ альбомов - Топ исполнителей - - "Трек (2 для трека 2 или 3004 для CD3 трека 4)" - - Номер трека - - Переведите - + "Песня (2 для песня 2 или 3004 для CD3 песни 4)" + Номер песни + Перевести Помогите нам перевести приложение на ваш язык - - Twitter + Твиттер Поделитесь своим дизайном с Retro Music - Не помечено - - \u041d\u0435 \u0443\u0434\u0430\u043b\u043e\u0441\u044c \u0432\u043e\u0441\u043f\u0440\u043e\u0438\u0437\u0432\u0435\u0441\u0442\u0438 \u044d\u0442\u0443 \u043f\u0435\u0441\u043d\u044e. - + Не удалось воспроизвести эту песню. Следующий - Обновить изображение - - Обновленяется ... - + Обновляется… Имя пользователя - Версия - - Вертикальная ориентация - + Вертикальный поворт Виртуализация - + Громкость Поиск в интернете - + Добро пожаловать, Чем вы хотите поделиться? - - Что нового : - + Что нового Окно - Закругленные углы - Установите %1$s в качестве мелодии звонка. - Выбрано %1$d - Год - Выберите хотя бы одну категорию. - Вы будете перенаправлены на сайт системы отслеживания ошибок. - Данные вашей учетной записи используются только для аутентификации. - More from %s + Количество + Примечание (необязательно) + Начать оплату + Показать экран воспроизведения + Нажатие на уведомление будет показывать экран воспроизведения вместо домашнего экрана + Крошечная карточка diff --git a/app/src/main/res/master/values-sk-rSK/strings.xml b/app/src/main/res/master/values-sk-rSK/strings.xml new file mode 100644 index 00000000..321eb477 --- /dev/null +++ b/app/src/main/res/master/values-sk-rSK/strings.xml @@ -0,0 +1,515 @@ + + + Team, social links + Accent color + The theme accent color, defaults to purple + About + Add to favorites + Add to playing queue + Add to playlist + Clear playing queue + Clear playlist + Cycle repeat mode + Delete + Delete from device + Details + Go to album + Go to artist + Go to genre + Go to start directory + Grant + Grid size + Grid size (land) + New playlist + Next + Play + Play all + Play next + Play/Pause + Previous + Remove from favorites + Remove from playing queue + Remove from playlist + Rename + Save playing queue + Scan + Search + Start + Set as ringtone + Set as start directory + "Settings" + Share + Shuffle all + Shuffle playlist + Sleep timer + Sort order + Tag editor + Toggle favorite + Toggle shuffle mode + Adaptive + Add + Add lyrics + Add \nphoto + "Add to playlist" + Add time frame lyrics + "Added 1 title to the playing queue." + Added %1$d titles to the playing queue. + Album + Album artist + The title or artist is empty. + Albums + Always + Hey check out this cool music player at: https://play.google.com/store/apps/details?id=%s + Shuffle + Top Tracks + Retro music - Big + Retro music - Card + Retro music - Classic + Retro music - Small + Retro music - Text + Artist + Artists + Audio focus denied. + Change the sound settings and adjust the equalizer controls + Auto + Base color theme + Bass Boost + Bio + Biography + Just Black + Blacklist + Blur + Blur Card + Unable to send report + Invalid access token. Please contact the app developer. + Issues are not enabled for the selected repository. Please contact the app developer. + An unexpected error occurred. Please contact the app developer. + Wrong username or password + Issue + Send manually + Please enter an issue description + Please enter your valid GitHub password + Please enter an issue title + Please enter your valid GitHub username + An unexpected error occurred. Sorry you found this bug, if it keeps crashing \"Clear app data\" or send an Email + Uploading report to GitHub… + Send using GitHub account + Buy now + Cancel + Card + Circular + Colored Card + Card + Carousel + Carousel effect on the now playing screen + Cascading + Cast + Changelog + Changelog maintained on the Telegram channel + Circle + Circular + Classic + Clear + Clear app data + Clear blacklist + Clear queue + Clear playlist + %1$s? This can\u2019t be undone!]]> + Close + Color + Color + Colors + Composer + Copied device info to clipboard. + Couldn\u2019t create playlist. + "Couldn\u2019t download a matching album cover." + Could not restore purchase. + Could not scan %d files. + Create + Created playlist %1$s. + Members and contributors + Currently listening to %1$s by %2$s. + Kinda Dark + No Lyrics + Delete playlist + %1$s?]]> + Delete playlists + Delete song + %1$s?]]> + Delete songs + %1$d playlists?]]> + %1$d songs?]]> + Deleted %1$d songs. + Deleting songs + Depth + Description + Device info + Allow Retro Music to modify audio settings + Set ringtone + Do you want to clear the blacklist? + %1$s from the blacklist?]]> + Donate + If you think I deserve to get paid for my work, you can leave some money here + Buy me a: + Download from Last.fm + Drive mode + Edit + Edit cover + Empty + Equalizer + Error + FAQ + Favorites + Finish last song + Fit + Flat + Folders + Follow system + For you + Free + Full + Full card + Change the theme and colors of the app + Look and feel + Genre + Genres + Fork the project on GitHub + Join the Google Plus community where you can ask for help or follow Retro Music updates + 1 + 2 + 3 + 4 + 5 + 6 + 7 + 8 + Grid style + Hinge + History + Home + Horizontal flip + Image + Gradient image + Change artist image download settings + Inserted %1$d songs into the playlist %2$s. + Share your Retro Music setup to showcase on Instagram + Keyboard + Bitrate + Format + File name + File path + Size + More from %s + Sampling rate + Length + Labeled + Last added + Last song + Let\'s play some music + Library + Library categories + Licenses + Clearly White + Listeners + Listing files + Loading products… + Login + Lyrics + Made with ❤️ in India + Material + Error + Permission error + Name + Most played + Never + New banner photo + New playlist + New profile photo + %s is the new start directory. + Next Song + You have no albums + You have no artists + "Play a song first, then try again." + No equalizer found + You have no genres + No lyrics found + No songs playing + You have no playlists + No purchase found. + No results + You have no songs + Normal + Normal lyrics + Normal + %s is not listed in the media store.]]> + Nothing to scan. + Nothing to see + Notification + Customize the notification style + Now playing + Now playing queue + Customize the now playing screen + 9+ now playing themes + Only on Wi-Fi + Advanced testing features + Other + Password + Past 3 months + Paste lyrics here + Peak + Permission to access external storage denied. + Permissions denied. + Personalize + Customize your now playing and UI controls + Pick from local storage + Pick image + Pinterest + Follow Pinterest page for Retro Music design inspiration + Plain + The playing notification provides actions for play/pause etc. + Playing notification + Empty playlist + Playlist is empty + Playlist name + Playlists + Album detail style + Amount of blur applied for blur themes, lower is faster + Blur amount + Adjust the bottom sheet dialog corners + Dialog corner + Filter songs by length + Filter song duration + Advanced + Album style + Audio + Blacklist + Controls + Theme + Images + Library + Lockscreen + Playlists + Pauses the song when the volume decreases to zero and starts playing back when the volume level rises. Also works outside the app + Pause on zero + Keep in mind that enabling this feature may affect battery life + Keep the screen on + Click to open with or slide to without transparent navigation of now playing screen + Click or Slide + Snow fall effect + 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. + Start playing as soon as connected to bluetooth device + Blur the album cover on the lockscreen. Can cause problems with third party apps and widgets + Carousel effect for the album art in the now playing screen. Note that Card and Blur Card themes won\'t work + 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 + Toggle home banner style + Can increase the album cover quality, but causes slower image loading times. Only enable this if you have problems with low resolution artworks + Configure visibility and order of library categories. + Use Retro Music\'s custom lockscreen controls + License details for open source software + Round the app\'s edges + Toggle titles for the bottom navigation bar tabs + Immersive mode + Start playing immediately after headphones are connected + Shuffle mode will turn off when playing a new list of songs + If enough space is available, show volume controls in the now playing screen + Show album cover + Album cover theme + Album cover skip + Album grid + Colored app shortcuts + Artist grid + Reduce volume on focus loss + Auto-download artist images + Blacklist + Bluetooth playback + Blur album cover + Choose equalizer + Classic notification design + Adaptive color + Colored notification + Desaturated color + Extra controls + Song info + Gapless playback + App theme + Show genre tab + Home artist grid + Home 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. + Queue + Rate the app + Love this app? Let us know in the Google Play Store how we can make it even better + Recent albums + Recent artists + Remove + Remove banner photo + Remove cover + Remove from blacklist + Remove profile photo + Remove song from playlist + %1$s from the playlist?]]> + Remove songs from playlist + %1$d songs from the playlist?]]> + Rename playlist + Report an issue + Report bug + Reset + Reset artist image + Restore + Restored previous purchase. Please restart the app to make use of all features. + Restored previous purchases. + Restoring purchase… + Retro Music Equalizer + Retro Music Player + Retro Music Pro + File delete failed: %s + + Can\'t get SAF URI + Open navigation drawer + Enable \'Show SD card\' in overflow menu + + %s needs SD card access + You need to select your SD card root directory + Select your SD card in navigation drawer + Do not open any sub-folders + Tap \'select\' button at the bottom of the screen + File write failed: %s + Save + + + Save as file + Save as files + Saved playlist to %s. + Saving changes + Scan media + Scanned %1$d of %2$d files. + Scrobbles + Search your library… + Select all + Select banner photo + Selected + Send crash log + Set + Set artist image + Set a profile photo + Share app + Share to Stories + Shuffle + Simple + Sleep timer canceled. + Sleep timer set for %d minutes from now. + Slide + Small album + Social + Share story + Song + Song duration + Songs + Sort order + Ascending + Album + Artist + Composer + Date added + Date modified + Year + Descending + Sorry! Your device doesn\'t support speech input + Search your library + Stack + Start playing music. + Suggestions + Just show your name on home screen + Support development + Swipe to unlock + Synced lyrics + System Equalizer + + Telegram + Join the Telegram group to discuss bugs, make suggestions, show off and more + Thank you! + The audio file + This month + This week + This year + Tiny + Title + Dashboard + Good afternoon + Good day + Good evening + Good morning + Good night + What\'s Your Name + Today + Top albums + Top artists + "Track (2 for track 2 or 3004 for CD3 track 4)" + Track number + Translate + Help us translate the app to your language + Twitter + Share your design with Retro Music + Unlabeled + Couldn\u2019t play this song. + Up next + Update image + Updating… + Username + Version + Vertical flip + Virtualizer + Volume + Web search + Welcome, + What do you want to share? + What\'s New + Window + Rounded corners + Set %1$s as your ringtone. + %1$d selected + Year + You have to select at least one category. + You will be forwarded to the issue tracker website. + Your account data is only used for authentication. + Amount + Note(Optional) + Start payment + Show now playing screen + Clicking on the notification will show now playing screen instead of the home screen + Tiny card + diff --git a/app/src/main/res/values-sr/strings.xml b/app/src/main/res/master/values-sr-rSP/strings.xml similarity index 51% rename from app/src/main/res/values-sr/strings.xml rename to app/src/main/res/master/values-sr-rSP/strings.xml index 9532a716..779ba32e 100644 --- a/app/src/main/res/values-sr/strings.xml +++ b/app/src/main/res/master/values-sr-rSP/strings.xml @@ -1,175 +1,180 @@ - + + Team, social links Boja detalja Boja plejera, uobičajena je zelena - O programerima - Dodaj u omiljene Dodaj u listu za pustanje Dodaj na plejlistu - Izbrisi trenutnu plejlistu za pustanje Izbrisi plejlistu - + Cycle repeat mode Obrisi Izbrisi sa uredjaja - Detalji - Vidi album Vidi izvodjaca + Go to genre Idi u pocetni direktorijum - . - Velicina kartica . - + New playlist Sledece - Pusti + Play all Pusti sledeće Pusti/pauziraj - Prethodno - Izbrisi iz favorita Izbrisi iz trenutne plajliste za slusanje Obrisi sa plejliste - Promeni naziv - Sacuvaj plejlistu za trenutno pustanje - Skeniraj fajlove - Pretrazi - Postavi Postavi kao melodiju zvona Postavi kao pocetni direktorijum - "Podesavanja" - Podeli - Nasumicno pusti Nasumicno pusti plejlistu - Tajmer za iskljucivanje - + Sort order Uredjivac tagova - + Toggle favorite + Toggle shuffle mode + Adaptive Dodaj - + Add lyrics Dodaj sliku - "Dodaj na plejlistu" - + Add time frame lyrics "Dodata je 1 pesma na plejlistu" - Dodato %1$d pesama na plejlistu - Album - Izvodjac albuma - Naziv ili izvodjac su nepoznati - Albumi - Uvek - Isprobaj ovaj fantastican plejer na: https://play.google.com/store/apps/details?id=%s - Reprodukuj nasumicno Najvise slusano - Retro Music - Big Retro music - Card Retro music - Classic Retro Music - Small - + Retro music - Text Izvodjac - Izvodjac - Zvuk se vec reprodukuje - + Change the sound settings and adjust the equalizer controls + Auto + Base color theme + Bass Boost + Bio Biografija - Perfektno crna - Ne trazi muziku u... - + Blur + Blur Card + Unable to send report + Invalid access token. Please contact the app developer. + Issues are not enabled for the selected repository. Please contact the app developer. + An unexpected error occurred. Please contact the app developer. + Wrong username or password + Issue + Send manually + Please enter an issue description + Please enter your valid GitHub password + Please enter an issue title + Please enter your valid GitHub username + An unexpected error occurred. Sorry you found this bug, if it keeps crashing \"Clear app data\" or send an Email + Uploading report to GitHub… + Send using GitHub account + Buy now Otkazi trenutni tajmer - + Card + Circular + Colored Card + Card + Carousel + Carousel effect on the now playing screen + Cascading + Cast Izmene - Izmene odobrene za Telegram aplikacije - + Circle + Circular + Classic Ocisti - + Clear app data Ocisti listu za ignorisanje foldera - + Clear queue Ocisti plejlistu %1$s? Izmene se nece moci opozvati!]]> - + Close + Color + Color Boje - + Composer + Copied device info to clipboard. Nemoguce je napraviti plejlistu "Nemoguce je preuzeti odgovarajucu pozadinu albuma" + Could not restore purchase. Nije moguce skenirati %d fajlove - Napravi - Plejlista %1$s je napravljena - + Members and contributors Trenutno se reprodukuje %1$s izvodjaca %2$s - Kao tamno - Nema pronadjenih tekstova - Izbrisi plejlistu %1$s plejlistu?]]> - Izbrisi plejlistu - + Delete song %1$s?]]> - + Delete songs %1$d plejliste?]]> %1$d numere?]]> Izbrisi %1$d numere. - + Deleting songs + Depth + Description + Device info + Allow Retro Music to modify audio settings + Set ringtone Da li zelite da ispraznite listu za ignorisanje foldera? %1$s sa liste za ignorisanje foldera?]]> - Doniraj - Ako mislis da zasluzujem da budem placen za ovaj posao, mozes mi poslati par dolara - Kupi mi - Preuzmi sa Last.fm - + Drive mode + Edit + Edit cover Nema pesama - Ekvilajzer - + Error + FAQ Favoriti - + Finish last song + Fit Ravno - Folderi - + Follow system Za tebe - + Free Ispunjen - + Full card + Change the theme and colors of the app + Look and feel Zanr - + Genres + Fork the project on GitHub + Join the Google Plus community where you can ask for help or follow Retro Music updates 1 2 3 @@ -178,132 +183,170 @@ 6 7 8 - + Grid style + Hinge Istorija reprodukovanja - Pocetak - + Horizontal flip + Image + Gradient image + Change artist image download settings Ubaceno %1$d pesama u plejlistu %2$s. - + Share your Retro Music setup to showcase on Instagram + Keyboard Bitrate - Formatiraj Naziv datoteke Lokacija datoteke Velicina - + More from %s Brzina uzorkovanja - Duzina trajanja - + Labeled Poslednje dodato - + Last song Slusajmo nesto! - Pretrazi - + Library categories Licence - Perfektno bela - + Listeners Pronalazenje pesama - Ucitavanje datoteka... - + Login Tekst pesme - + Made with ❤️ in India + Material + Error + Permission error Moje ime je - Najslusanije numere - Nikada - + New banner photo Nova plejlista - + New profile photo %s je novi pocetni direktorijum. - + Next Song Nema albuma - Nema izvodjaca - "Prvo pusti pesmu, a onda pokusaj opet" - Nije pronadjen ni jedan ekvilajzer - + You have no genres Nema pronadjenog teksta pesme - + No songs playing Nema plejliste - + No purchase found. Nema rezultata - Nema pesama - Normalno - + Normal lyrics + Normal %s nije pronadjen u prodavnici pesama]]> - Nema se sta skenirati - + Nothing to see Obavestenja - + Customize the notification style + Now playing Lista za trenutno pustanje - + Customize the now playing screen + 9+ now playing themes Samo kada je povezan na WiFi - + Advanced testing features + Other + Password Prosla 3 meseca - + Paste lyrics here + Peak Dozvola za pristup spoljasnjem skladistu je odbijena - Dozvola odbijena. - + Personalize + Customize your now playing and UI controls Izaberi iz unutrasnjeg skladista - + Pick image + Pinterest + Follow Pinterest page for Retro Music design inspiration Jednostavan - Obavestenja obezbedjuju komande za pustanje/pauziranje itd. Obavestenja o reprodukciji - Isprazni plejlistu - Plejlista je prazna - Ime plejliste - Plejliste - + Album detail style + Amount of blur applied for blur themes, lower is faster + Blur amount + Adjust the bottom sheet dialog corners + Dialog corner + Filter songs by length + Filter song duration + Advanced + Album style Zvuk + Blacklist + Controls + Theme Slike + Library Zakljucan ekran Plejliste - + Pauses the song when the volume decreases to zero and starts playing back when the volume level rises. Also works outside the app + Pause on zero + Keep in mind that enabling this feature may affect battery life + Keep the screen on + Click to open with or slide to without transparent navigation of now playing screen + Click or Slide + Snow fall effect Koristi omot albuma kao pozadinu kada se reprodukuje muzika Obavestenja, navigacija itd. + The content of blacklisted folders is hidden from your library. + Start playing as soon as connected to bluetooth device Zamuti omot albuma na zakljucanom ekranu. (moze izazvati probleme sa drugim aplikacijama i vidzetima) + Carousel effect for the album art in the now playing screen. Note that Card and Blur Card themes won\'t work 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 + Toggle home banner style 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 Ukoliko imas prostora na ekranu za pustanje omoguci kontroler jacine zvuka. - Prikazi omot albuma + Album cover theme + Album cover skip + Album grid Obojene ikone aplikacije + Artist grid Utisaj zvuk prilikom poziva i drugih obavestenja. Automatski preuzmi sliku izvodjaca + Blacklist + Bluetooth playback Zamuti omot albuma + Choose equalizer Klasican stil obavestenja Prilagodive boje Obojena obavestenja + Desaturated color + Extra controls + Song info Neuznemiravano reprodukovanje Opsta tema + Show genre tab + Home artist grid + Home banner Ignorisi omote sa prodavnice Interval plejliste poslednje dodato Kontrole preko celog ekrana @@ -311,124 +354,162 @@ Izgled Otvoren izvor licenca Zaobli ivice + Tab titles mode + Carousel effect + Dominant color Aplikacija preko celog ekrana Nazivi kartica Automatsko reprodukovanje + Shuffle mode Kontroler jacine zvuka Podaci o korisniku - Primarna boja Primarna boja, podrazumevna je bela - + Pro + Black theme, Now playing themes, Carousel effect and more.. + Profile + Purchase + *Think before buying, don\'t ask for refund. Trenutno - Oceni aplikaciju - Volis ovu aplikaciju? Obavesti nas u Google Play Prodavnici - + Recent albums + Recent artists Izbrisi - + Remove banner photo Izbrisi omot albuma - Izbrisi sa liste za ignorisanje foldera - + Remove profile photo Izbrisi pesmu sa plejliste %1$s sa plejliste?]]> - Izbrisi pesme sa plejliste - %1$d pesama sa plejliste?]]> - Promeni ime plejliste - + Report an issue + Report bug + Reset Resetuj sliku izvodjaca - + Restore + Restored previous purchase. Please restart the app to make use of all features. Obnovljene su prethodne kupovine - + Restoring purchase… Retro ekvalajzer - + Retro Music Player + Retro Music Pro + File delete failed: %s + + Can\'t get SAF URI + Open navigation drawer + Enable \'Show SD card\' in overflow menu + + %s needs SD card access + You need to select your SD card root directory + Select your SD card in navigation drawer + Do not open any sub-folders + Tap \'select\' button at the bottom of the screen + File write failed: %s + Save + + Sacuvaj kao fajl + Save as files Plej lista sacuvana u %s. - Cuvanje izmena - + Scan media Skenirano %1$d od %2$d fajlova - + Scrobbles Pretrazi svoju biblioteku... - + Select all + Select banner photo + Selected + Send crash log + Set Postavi sliku izvodjaca - + Set a profile photo + Share app + Share to Stories Nasumicno pusti - Jednostavan - Tajmer za iskljucivanje je otkazan Tajmer za iskljucivanje je podesen za %d od sad. - + Slide + Small album + Social + Share story Pesma - Trajanje pesme - Pesme - Nacin sortiranja - + Ascending + Album + Artist + Composer + Date added + Date modified + Year + Descending Izvini! Tvoj uredjaj ne podrzava unos govorom - Pretrazi svoju biblioteku - + Stack + Start playing music. + Suggestions Prikazuje tvoje ima na pocetnom ekranu - Podrzi programera - + Swipe to unlock + Synced lyrics + System Equalizer + + Telegram + Join the Telegram group to discuss bugs, make suggestions, show off and more Hvala! - Audio fajl - Ovog meseca - Ove nedelje - Ove godine - Sitno - + Title Komandna tabla - Dobar dan Dobar dan Dobro vece Dobro jutro Laku noc - Kako se zoves? - Danas - + Top albums + Top artists "Redni broj (2 za redni broj 2 ili 3004 za CD3 redni broj 4)" - Redni broj - Prevod - + Help us translate the app to your language + Twitter + Share your design with Retro Music + Unlabeled Nije moguce pustiti pesmu. - Sledece - Azuriraj sliku - Azurira se... - + Username Verzija - + Vertical flip + Virtualizer + Volume Web pretraga - + Welcome, Sta zelis da podelis? - + What\'s New + Window + Rounded corners Postavi %1$s kao melodiju zvona. - Selektovano %1$d - Godina - More from %s + 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/master/values-sv-rSE/strings.xml b/app/src/main/res/master/values-sv-rSE/strings.xml new file mode 100644 index 00000000..321eb477 --- /dev/null +++ b/app/src/main/res/master/values-sv-rSE/strings.xml @@ -0,0 +1,515 @@ + + + Team, social links + Accent color + The theme accent color, defaults to purple + About + Add to favorites + Add to playing queue + Add to playlist + Clear playing queue + Clear playlist + Cycle repeat mode + Delete + Delete from device + Details + Go to album + Go to artist + Go to genre + Go to start directory + Grant + Grid size + Grid size (land) + New playlist + Next + Play + Play all + Play next + Play/Pause + Previous + Remove from favorites + Remove from playing queue + Remove from playlist + Rename + Save playing queue + Scan + Search + Start + Set as ringtone + Set as start directory + "Settings" + Share + Shuffle all + Shuffle playlist + Sleep timer + Sort order + Tag editor + Toggle favorite + Toggle shuffle mode + Adaptive + Add + Add lyrics + Add \nphoto + "Add to playlist" + Add time frame lyrics + "Added 1 title to the playing queue." + Added %1$d titles to the playing queue. + Album + Album artist + The title or artist is empty. + Albums + Always + Hey check out this cool music player at: https://play.google.com/store/apps/details?id=%s + Shuffle + Top Tracks + Retro music - Big + Retro music - Card + Retro music - Classic + Retro music - Small + Retro music - Text + Artist + Artists + Audio focus denied. + Change the sound settings and adjust the equalizer controls + Auto + Base color theme + Bass Boost + Bio + Biography + Just Black + Blacklist + Blur + Blur Card + Unable to send report + Invalid access token. Please contact the app developer. + Issues are not enabled for the selected repository. Please contact the app developer. + An unexpected error occurred. Please contact the app developer. + Wrong username or password + Issue + Send manually + Please enter an issue description + Please enter your valid GitHub password + Please enter an issue title + Please enter your valid GitHub username + An unexpected error occurred. Sorry you found this bug, if it keeps crashing \"Clear app data\" or send an Email + Uploading report to GitHub… + Send using GitHub account + Buy now + Cancel + Card + Circular + Colored Card + Card + Carousel + Carousel effect on the now playing screen + Cascading + Cast + Changelog + Changelog maintained on the Telegram channel + Circle + Circular + Classic + Clear + Clear app data + Clear blacklist + Clear queue + Clear playlist + %1$s? This can\u2019t be undone!]]> + Close + Color + Color + Colors + Composer + Copied device info to clipboard. + Couldn\u2019t create playlist. + "Couldn\u2019t download a matching album cover." + Could not restore purchase. + Could not scan %d files. + Create + Created playlist %1$s. + Members and contributors + Currently listening to %1$s by %2$s. + Kinda Dark + No Lyrics + Delete playlist + %1$s?]]> + Delete playlists + Delete song + %1$s?]]> + Delete songs + %1$d playlists?]]> + %1$d songs?]]> + Deleted %1$d songs. + Deleting songs + Depth + Description + Device info + Allow Retro Music to modify audio settings + Set ringtone + Do you want to clear the blacklist? + %1$s from the blacklist?]]> + Donate + If you think I deserve to get paid for my work, you can leave some money here + Buy me a: + Download from Last.fm + Drive mode + Edit + Edit cover + Empty + Equalizer + Error + FAQ + Favorites + Finish last song + Fit + Flat + Folders + Follow system + For you + Free + Full + Full card + Change the theme and colors of the app + Look and feel + Genre + Genres + Fork the project on GitHub + Join the Google Plus community where you can ask for help or follow Retro Music updates + 1 + 2 + 3 + 4 + 5 + 6 + 7 + 8 + Grid style + Hinge + History + Home + Horizontal flip + Image + Gradient image + Change artist image download settings + Inserted %1$d songs into the playlist %2$s. + Share your Retro Music setup to showcase on Instagram + Keyboard + Bitrate + Format + File name + File path + Size + More from %s + Sampling rate + Length + Labeled + Last added + Last song + Let\'s play some music + Library + Library categories + Licenses + Clearly White + Listeners + Listing files + Loading products… + Login + Lyrics + Made with ❤️ in India + Material + Error + Permission error + Name + Most played + Never + New banner photo + New playlist + New profile photo + %s is the new start directory. + Next Song + You have no albums + You have no artists + "Play a song first, then try again." + No equalizer found + You have no genres + No lyrics found + No songs playing + You have no playlists + No purchase found. + No results + You have no songs + Normal + Normal lyrics + Normal + %s is not listed in the media store.]]> + Nothing to scan. + Nothing to see + Notification + Customize the notification style + Now playing + Now playing queue + Customize the now playing screen + 9+ now playing themes + Only on Wi-Fi + Advanced testing features + Other + Password + Past 3 months + Paste lyrics here + Peak + Permission to access external storage denied. + Permissions denied. + Personalize + Customize your now playing and UI controls + Pick from local storage + Pick image + Pinterest + Follow Pinterest page for Retro Music design inspiration + Plain + The playing notification provides actions for play/pause etc. + Playing notification + Empty playlist + Playlist is empty + Playlist name + Playlists + Album detail style + Amount of blur applied for blur themes, lower is faster + Blur amount + Adjust the bottom sheet dialog corners + Dialog corner + Filter songs by length + Filter song duration + Advanced + Album style + Audio + Blacklist + Controls + Theme + Images + Library + Lockscreen + Playlists + Pauses the song when the volume decreases to zero and starts playing back when the volume level rises. Also works outside the app + Pause on zero + Keep in mind that enabling this feature may affect battery life + Keep the screen on + Click to open with or slide to without transparent navigation of now playing screen + Click or Slide + Snow fall effect + 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. + Start playing as soon as connected to bluetooth device + Blur the album cover on the lockscreen. Can cause problems with third party apps and widgets + Carousel effect for the album art in the now playing screen. Note that Card and Blur Card themes won\'t work + 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 + Toggle home banner style + Can increase the album cover quality, but causes slower image loading times. Only enable this if you have problems with low resolution artworks + Configure visibility and order of library categories. + Use Retro Music\'s custom lockscreen controls + License details for open source software + Round the app\'s edges + Toggle titles for the bottom navigation bar tabs + Immersive mode + Start playing immediately after headphones are connected + Shuffle mode will turn off when playing a new list of songs + If enough space is available, show volume controls in the now playing screen + Show album cover + Album cover theme + Album cover skip + Album grid + Colored app shortcuts + Artist grid + Reduce volume on focus loss + Auto-download artist images + Blacklist + Bluetooth playback + Blur album cover + Choose equalizer + Classic notification design + Adaptive color + Colored notification + Desaturated color + Extra controls + Song info + Gapless playback + App theme + Show genre tab + Home artist grid + Home 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. + Queue + Rate the app + Love this app? Let us know in the Google Play Store how we can make it even better + Recent albums + Recent artists + Remove + Remove banner photo + Remove cover + Remove from blacklist + Remove profile photo + Remove song from playlist + %1$s from the playlist?]]> + Remove songs from playlist + %1$d songs from the playlist?]]> + Rename playlist + Report an issue + Report bug + Reset + Reset artist image + Restore + Restored previous purchase. Please restart the app to make use of all features. + Restored previous purchases. + Restoring purchase… + Retro Music Equalizer + Retro Music Player + Retro Music Pro + File delete failed: %s + + Can\'t get SAF URI + Open navigation drawer + Enable \'Show SD card\' in overflow menu + + %s needs SD card access + You need to select your SD card root directory + Select your SD card in navigation drawer + Do not open any sub-folders + Tap \'select\' button at the bottom of the screen + File write failed: %s + Save + + + Save as file + Save as files + Saved playlist to %s. + Saving changes + Scan media + Scanned %1$d of %2$d files. + Scrobbles + Search your library… + Select all + Select banner photo + Selected + Send crash log + Set + Set artist image + Set a profile photo + Share app + Share to Stories + Shuffle + Simple + Sleep timer canceled. + Sleep timer set for %d minutes from now. + Slide + Small album + Social + Share story + Song + Song duration + Songs + Sort order + Ascending + Album + Artist + Composer + Date added + Date modified + Year + Descending + Sorry! Your device doesn\'t support speech input + Search your library + Stack + Start playing music. + Suggestions + Just show your name on home screen + Support development + Swipe to unlock + Synced lyrics + System Equalizer + + Telegram + Join the Telegram group to discuss bugs, make suggestions, show off and more + Thank you! + The audio file + This month + This week + This year + Tiny + Title + Dashboard + Good afternoon + Good day + Good evening + Good morning + Good night + What\'s Your Name + Today + Top albums + Top artists + "Track (2 for track 2 or 3004 for CD3 track 4)" + Track number + Translate + Help us translate the app to your language + Twitter + Share your design with Retro Music + Unlabeled + Couldn\u2019t play this song. + Up next + Update image + Updating… + Username + Version + Vertical flip + Virtualizer + Volume + Web search + Welcome, + What do you want to share? + What\'s New + Window + Rounded corners + Set %1$s as your ringtone. + %1$d selected + Year + You have to select at least one category. + You will be forwarded to the issue tracker website. + Your account data is only used for authentication. + Amount + Note(Optional) + Start payment + Show now playing screen + Clicking on the notification will show now playing screen instead of the home screen + Tiny card + diff --git a/app/src/main/res/master/values-ta-rIN/strings.xml b/app/src/main/res/master/values-ta-rIN/strings.xml new file mode 100644 index 00000000..321eb477 --- /dev/null +++ b/app/src/main/res/master/values-ta-rIN/strings.xml @@ -0,0 +1,515 @@ + + + Team, social links + Accent color + The theme accent color, defaults to purple + About + Add to favorites + Add to playing queue + Add to playlist + Clear playing queue + Clear playlist + Cycle repeat mode + Delete + Delete from device + Details + Go to album + Go to artist + Go to genre + Go to start directory + Grant + Grid size + Grid size (land) + New playlist + Next + Play + Play all + Play next + Play/Pause + Previous + Remove from favorites + Remove from playing queue + Remove from playlist + Rename + Save playing queue + Scan + Search + Start + Set as ringtone + Set as start directory + "Settings" + Share + Shuffle all + Shuffle playlist + Sleep timer + Sort order + Tag editor + Toggle favorite + Toggle shuffle mode + Adaptive + Add + Add lyrics + Add \nphoto + "Add to playlist" + Add time frame lyrics + "Added 1 title to the playing queue." + Added %1$d titles to the playing queue. + Album + Album artist + The title or artist is empty. + Albums + Always + Hey check out this cool music player at: https://play.google.com/store/apps/details?id=%s + Shuffle + Top Tracks + Retro music - Big + Retro music - Card + Retro music - Classic + Retro music - Small + Retro music - Text + Artist + Artists + Audio focus denied. + Change the sound settings and adjust the equalizer controls + Auto + Base color theme + Bass Boost + Bio + Biography + Just Black + Blacklist + Blur + Blur Card + Unable to send report + Invalid access token. Please contact the app developer. + Issues are not enabled for the selected repository. Please contact the app developer. + An unexpected error occurred. Please contact the app developer. + Wrong username or password + Issue + Send manually + Please enter an issue description + Please enter your valid GitHub password + Please enter an issue title + Please enter your valid GitHub username + An unexpected error occurred. Sorry you found this bug, if it keeps crashing \"Clear app data\" or send an Email + Uploading report to GitHub… + Send using GitHub account + Buy now + Cancel + Card + Circular + Colored Card + Card + Carousel + Carousel effect on the now playing screen + Cascading + Cast + Changelog + Changelog maintained on the Telegram channel + Circle + Circular + Classic + Clear + Clear app data + Clear blacklist + Clear queue + Clear playlist + %1$s? This can\u2019t be undone!]]> + Close + Color + Color + Colors + Composer + Copied device info to clipboard. + Couldn\u2019t create playlist. + "Couldn\u2019t download a matching album cover." + Could not restore purchase. + Could not scan %d files. + Create + Created playlist %1$s. + Members and contributors + Currently listening to %1$s by %2$s. + Kinda Dark + No Lyrics + Delete playlist + %1$s?]]> + Delete playlists + Delete song + %1$s?]]> + Delete songs + %1$d playlists?]]> + %1$d songs?]]> + Deleted %1$d songs. + Deleting songs + Depth + Description + Device info + Allow Retro Music to modify audio settings + Set ringtone + Do you want to clear the blacklist? + %1$s from the blacklist?]]> + Donate + If you think I deserve to get paid for my work, you can leave some money here + Buy me a: + Download from Last.fm + Drive mode + Edit + Edit cover + Empty + Equalizer + Error + FAQ + Favorites + Finish last song + Fit + Flat + Folders + Follow system + For you + Free + Full + Full card + Change the theme and colors of the app + Look and feel + Genre + Genres + Fork the project on GitHub + Join the Google Plus community where you can ask for help or follow Retro Music updates + 1 + 2 + 3 + 4 + 5 + 6 + 7 + 8 + Grid style + Hinge + History + Home + Horizontal flip + Image + Gradient image + Change artist image download settings + Inserted %1$d songs into the playlist %2$s. + Share your Retro Music setup to showcase on Instagram + Keyboard + Bitrate + Format + File name + File path + Size + More from %s + Sampling rate + Length + Labeled + Last added + Last song + Let\'s play some music + Library + Library categories + Licenses + Clearly White + Listeners + Listing files + Loading products… + Login + Lyrics + Made with ❤️ in India + Material + Error + Permission error + Name + Most played + Never + New banner photo + New playlist + New profile photo + %s is the new start directory. + Next Song + You have no albums + You have no artists + "Play a song first, then try again." + No equalizer found + You have no genres + No lyrics found + No songs playing + You have no playlists + No purchase found. + No results + You have no songs + Normal + Normal lyrics + Normal + %s is not listed in the media store.]]> + Nothing to scan. + Nothing to see + Notification + Customize the notification style + Now playing + Now playing queue + Customize the now playing screen + 9+ now playing themes + Only on Wi-Fi + Advanced testing features + Other + Password + Past 3 months + Paste lyrics here + Peak + Permission to access external storage denied. + Permissions denied. + Personalize + Customize your now playing and UI controls + Pick from local storage + Pick image + Pinterest + Follow Pinterest page for Retro Music design inspiration + Plain + The playing notification provides actions for play/pause etc. + Playing notification + Empty playlist + Playlist is empty + Playlist name + Playlists + Album detail style + Amount of blur applied for blur themes, lower is faster + Blur amount + Adjust the bottom sheet dialog corners + Dialog corner + Filter songs by length + Filter song duration + Advanced + Album style + Audio + Blacklist + Controls + Theme + Images + Library + Lockscreen + Playlists + Pauses the song when the volume decreases to zero and starts playing back when the volume level rises. Also works outside the app + Pause on zero + Keep in mind that enabling this feature may affect battery life + Keep the screen on + Click to open with or slide to without transparent navigation of now playing screen + Click or Slide + Snow fall effect + 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. + Start playing as soon as connected to bluetooth device + Blur the album cover on the lockscreen. Can cause problems with third party apps and widgets + Carousel effect for the album art in the now playing screen. Note that Card and Blur Card themes won\'t work + 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 + Toggle home banner style + Can increase the album cover quality, but causes slower image loading times. Only enable this if you have problems with low resolution artworks + Configure visibility and order of library categories. + Use Retro Music\'s custom lockscreen controls + License details for open source software + Round the app\'s edges + Toggle titles for the bottom navigation bar tabs + Immersive mode + Start playing immediately after headphones are connected + Shuffle mode will turn off when playing a new list of songs + If enough space is available, show volume controls in the now playing screen + Show album cover + Album cover theme + Album cover skip + Album grid + Colored app shortcuts + Artist grid + Reduce volume on focus loss + Auto-download artist images + Blacklist + Bluetooth playback + Blur album cover + Choose equalizer + Classic notification design + Adaptive color + Colored notification + Desaturated color + Extra controls + Song info + Gapless playback + App theme + Show genre tab + Home artist grid + Home 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. + Queue + Rate the app + Love this app? Let us know in the Google Play Store how we can make it even better + Recent albums + Recent artists + Remove + Remove banner photo + Remove cover + Remove from blacklist + Remove profile photo + Remove song from playlist + %1$s from the playlist?]]> + Remove songs from playlist + %1$d songs from the playlist?]]> + Rename playlist + Report an issue + Report bug + Reset + Reset artist image + Restore + Restored previous purchase. Please restart the app to make use of all features. + Restored previous purchases. + Restoring purchase… + Retro Music Equalizer + Retro Music Player + Retro Music Pro + File delete failed: %s + + Can\'t get SAF URI + Open navigation drawer + Enable \'Show SD card\' in overflow menu + + %s needs SD card access + You need to select your SD card root directory + Select your SD card in navigation drawer + Do not open any sub-folders + Tap \'select\' button at the bottom of the screen + File write failed: %s + Save + + + Save as file + Save as files + Saved playlist to %s. + Saving changes + Scan media + Scanned %1$d of %2$d files. + Scrobbles + Search your library… + Select all + Select banner photo + Selected + Send crash log + Set + Set artist image + Set a profile photo + Share app + Share to Stories + Shuffle + Simple + Sleep timer canceled. + Sleep timer set for %d minutes from now. + Slide + Small album + Social + Share story + Song + Song duration + Songs + Sort order + Ascending + Album + Artist + Composer + Date added + Date modified + Year + Descending + Sorry! Your device doesn\'t support speech input + Search your library + Stack + Start playing music. + Suggestions + Just show your name on home screen + Support development + Swipe to unlock + Synced lyrics + System Equalizer + + Telegram + Join the Telegram group to discuss bugs, make suggestions, show off and more + Thank you! + The audio file + This month + This week + This year + Tiny + Title + Dashboard + Good afternoon + Good day + Good evening + Good morning + Good night + What\'s Your Name + Today + Top albums + Top artists + "Track (2 for track 2 or 3004 for CD3 track 4)" + Track number + Translate + Help us translate the app to your language + Twitter + Share your design with Retro Music + Unlabeled + Couldn\u2019t play this song. + Up next + Update image + Updating… + Username + Version + Vertical flip + Virtualizer + Volume + Web search + Welcome, + What do you want to share? + What\'s New + Window + Rounded corners + Set %1$s as your ringtone. + %1$d selected + Year + You have to select at least one category. + You will be forwarded to the issue tracker website. + Your account data is only used for authentication. + Amount + Note(Optional) + Start payment + Show now playing screen + Clicking on the notification will show now playing screen instead of the home screen + Tiny card + diff --git a/app/src/main/res/master/values-te-rIN/strings.xml b/app/src/main/res/master/values-te-rIN/strings.xml new file mode 100644 index 00000000..c3c13e69 --- /dev/null +++ b/app/src/main/res/master/values-te-rIN/strings.xml @@ -0,0 +1,515 @@ + + + బృందం, సామాజిక లింకులు + యాస రంగు + థీమ్ యాస రంగు పర్పుల్ రంగుకు డిఫాల్ట్ అవుతుంది + గురించి + ఇష్టమైన వాటికి జోడించండి + క్యూ ఆడటానికి జోడించండి + పాటల క్రమంలో చేర్చు + క్యూ ప్లే చేయడం క్లియర్ + ప్లేజాబితాను క్లియర్ చేయండి + సైకిల్ రిపీట్ మోడ్ + తొలగించు + పరికరం నుండి తొలగించండి + వివరాలు + ఆల్బమ్‌కు వెళ్లండి + ఆర్టిస్ట్ వద్దకు వెళ్ళండి + కళా ప్రక్రియకు వెళ్లండి + డైరెక్టరీని ప్రారంభించడానికి వెళ్ళండి + గ్రాంట్ + గ్రిడ్ పరిమాణం + గ్రిడ్ పరిమాణం (land) + క్రొత్త ప్లేజాబితా + తరువాత + ప్లే + అన్ని ప్లే + తదుపరి ఆడండి + ప్లే / పాజ్ + మునుపటి + ఇష్టమైనవి నుండి తీసివేయండి + క్యూ ఆడటం నుండి తొలగించండి + ప్లేజాబితా నుండి తీసివేయండి + పేరు మార్చు + క్యూ ప్లే చేయడం సేవ్ చేయండి + స్కాన్ + వెతకండి + ప్రారంభం + రింగు టోనుగా ఏర్పాటు చేయు + ప్రారంభ డైరెక్టరీగా సెట్ చేయండి + "సెట్టింగులు" + Share + అన్నీ షఫుల్ చేయండి + ప్లేజాబితాను షఫుల్ చేయండి + స్లీప్ టైమర్ + క్రమాన్ని క్రమబద్ధీకరించు + ట్యాగ్ ఎడిటర్ + ఇష్టమైన టోగుల్ చేయండి + షఫుల్ మోడ్‌ను టోగుల్ చేయండి + అనుకూల + చేర్చు + సాహిత్యాన్ని జోడించండి + ఫోటోను జోడించండి + "పాటల క్రమంలో చేర్చు" + సమయ ఫ్రేమ్ సాహిత్యాన్ని జోడించండి + "ప్లే క్యూలో 1 శీర్షిక జోడించబడింది." + ప్లే క్యూలో %1$d శీర్షికలను చేర్చారు. + ఆల్బమ్ + ఆల్బమ్ ఆర్టిస్ట్ + టైటిల్ లేదా ఆర్టిస్ట్ ఖాళీగా ఉంది. + ఆల్బమ్లు + ఎల్లప్పుడూ + హే ఈ చల్లని మ్యూజిక్ ప్లేయర్‌ను ఇక్కడ చూడండి: https://play.google.com/store/apps/details?id=%s + షఫుల్ + అగ్ర ట్రాక్‌లు + రెట్రో సంగీతం - పెద్దది + రెట్రో సంగీతం - కార్డ్ + రెట్రో సంగీతం - క్లాసిక్ + రెట్రో సంగీతం - చిన్నది + రెట్రో సంగీతం - టెక్స్ట్ + ఆర్టిస్ట్ + ఆర్టిస్ట్స్ + ఆడియో ఫోకస్ తిరస్కరించబడింది. + ధ్వని సెట్టింగులను మార్చండి మరియు ఈక్వలైజర్ నియంత్రణలను సర్దుబాటు చేయండి + దానంతట అదే + బేస్ కలర్ థీమ్ + బాస్ బూస్ట్ + బయో + బయోగ్రఫీ + జస్ట్ బ్లాక్ + బ్లాక్లిస్ట్ + బ్లర్ + బ్లర్ కార్డ్ + నివేదిక పంపడం సాధ్యం కాలేదు + చెల్లని యాక్యిస్ టోకను. దయచేసి అనువర్తన డెవలపర్‌ను సంప్రదించండి. + ఎంచుకున్న రిపోజిటరీ కోసం సమస్యలు ప్రారంభించబడవు. దయచేసి అనువర్తన డెవలపర్‌ను సంప్రదించండి. + అనుకోని తప్పు జరిగినది. దయచేసి అనువర్తన డెవలపర్‌ను సంప్రదించండి. + తప్పు వాడుకరి పేరు లేదా తప్పు పాస్ వర్డ్ + సమస్య + మానవీయంగా పంపండి + దయచేసి సమస్య వివరణను నమోదు చేయండి + దయచేసి మీ చెల్లుబాటు అయ్యే GitHub పాస్‌వర్డ్‌ను నమోదు చేయండి + దయచేసి సమస్య శీర్షికను నమోదు చేయండి + దయచేసి మీ చెల్లుబాటు అయ్యే GitHub వినియోగదారు పేరును నమోదు చేయండి + అనుకోని తప్పు జరిగినది. క్షమించండి, మీరు ఈ బగ్‌ను కనుగొన్నారు, అది \"అనువర్తన డేటాను క్లియర్ చేయి\" క్రాష్ చేస్తూ ఉంటే లేదా ఇమెయిల్ పంపండి + గిట్‌హబ్‌కు నివేదికను అప్‌లోడ్ చేస్తోంది… + GitHub ఖాతాను ఉపయోగించి పంపండి + ఇప్పుడే కొనండి + రద్దు చేయండి + కార్డ్ + సర్క్యులర్ + రంగు కార్డు + కార్డ్ + రంగులరాట్నం + ఇప్పుడు ప్లే అవుతున్న తెరపై రంగులరాట్నం ప్రభావం + క్యాస్కేడింగ్ + తారాగణం + చేంజ్లాగ్ + టెలిగ్రామ్ ఛానెల్‌లో చేంజ్లాగ్ నిర్వహించబడుతుంది + వృత్తం + సర్క్యులర్ + క్లాసిక్ + ప్రశాంతంగా + అనువర్తన డేటాను క్లియర్ చేయండి + బ్లాక్లిస్ట్ క్లియర్ + క్యూ క్లియర్ + ప్లేజాబితాను క్లియర్ చేయండి + % 1 $ s ప్లేజాబితాను క్లియర్ చేయాలా? ఇది రద్దు చేయబడదు!]]> + దగ్గరగా + రంగు + రంగు + రంగులు + కంపోజర్ + పరికర సమాచారం క్లిప్‌బోర్డ్‌కు కాపీ చేయబడింది + ప్లేజాబితాను సృష్టించడం సాధ్యం కాలేదు + "సరిపోయే ఆల్బమ్ కవర్‌ను డౌన్‌లోడ్ చేయలేము." + కొనుగోలును పునరుద్ధరించడం సాధ్యం కాలేదు. + % D ఫైళ్ళను స్కాన్ చేయలేకపోయింది. + సృష్టించు + ప్లేజాబితా% 1 $ s సృష్టించబడింది. + సభ్యులు మరియు సహాయకులు + ప్రస్తుతం% 2 by s ద్వారా% 1 $ s వింటున్నారు. + కైండా డార్క్ + సాహిత్యం లేదు + ప్లేజాబితాను తొలగించండి + % 1 $ s ప్లేజాబితాను తొలగించాలా?]]> + ప్లేజాబితాలను తొలగించండి + పాటను తొలగించండి + % 1 $ s పాటను తొలగించాలా?]]> + పాటలను తొలగించండి + % 1 $ d ప్లేజాబితాలను తొలగించాలా?]]> + % 1 $ d పాటలను తొలగించాలా?]]> + % 1 $ d పాటలు తొలగించబడ్డాయి. + పాటలను తొలగిస్తోంది + లోతు + వివరణ + పరికర సమాచారం + ఆడియో సెట్టింగులను సవరించడానికి రెట్రో సంగీతాన్ని అనుమతించండి + రింగ్‌టోన్ సెట్ చేయండి + మీరు బ్లాక్లిస్ట్ క్లియర్ చేయాలనుకుంటున్నారా? + % 1 $ s ను తొలగించాలనుకుంటున్నారా?]]> + దానం + నా పనికి డబ్బు సంపాదించడానికి నేను అర్హుడని మీరు అనుకుంటే, మీరు ఇక్కడ కొంత డబ్బును వదిలివేయవచ్చు + నన్ను కొనండి: + Last.fm నుండి డౌన్‌లోడ్ చేయండి + డ్రైవ్ మోడ్ + మార్చు + కవర్‌ను సవరించండి + ఖాళీ + సమం + లోపం + ఎఫ్ ఎ క్యూ + ఇష్టమైన + చివరి పాటను ముగించండి + ఫిట్ + ఫ్లాట్ + ఫోల్డర్లు + వ్యవస్థను అనుసరించండి + మీ కోసం + ఉచిత + పూర్తి + పూర్తి కార్డు + అనువర్తనం యొక్క థీమ్ మరియు రంగులను మార్చండి + చూడండి మరియు అనుభూతి + చూడండి మరియు అనుభూతి + కళలు + GitHub లో ప్రాజెక్ట్ను ఫోర్క్ చేయండి + మీరు సహాయం కోసం అడగగల లేదా రెట్రో మ్యూజిక్ నవీకరణలను అనుసరించగల Google ప్లస్ సంఘంలో చేరండి + 1 + 2 + 3 + 4 + 5 + 6 + 7 + 8 + గ్రిడ్ శైలి + హింగ్ + చరిత్ర + హోమ్ + క్షితిజసమాంతర ఫ్లిప్ + చిత్రం + ప్రవణత చిత్రం + ఆర్టిస్ట్ ఇమేజ్ డౌన్‌లోడ్ సెట్టింగులను మార్చండి + % 1 $ d పాటలను ప్లేజాబితా% 2 $ s లో చేర్చారు. + Instagram లో ప్రదర్శించడానికి మీ రెట్రో మ్యూజిక్ సెటప్‌ను భాగస్వామ్యం చేయండి + కీబోర్డ్ + బిట్రేటుని + ఫార్మాట్ + ఫైల్ పేరు + ఫైల్ మార్గం + పరిమాణం + % S నుండి ఎక్కువ + మాదిరి రేటు + పొడవు + లేబుల్ + చివరిగా జోడించబడింది + చివరి పాట + కొంత సంగీతం ప్లే చేద్దాం + గ్రంధాలయం + లైబ్రరీ వర్గాలు + లైసెన్సుల + Clearly White + శ్రోతలు + ఫైళ్ళను జాబితా చేస్తోంది + ఉత్పత్తులను లోడ్ చేస్తోంది… + ప్రవేశించండి + సాహిత్యం + భారతదేశంలో 🖤 తో తయారు చేయబడింది + మెటీరియల్ + లోపం + అనుమతి లోపం + పేరు + ఎక్కువగా ఆడారు + నెవర్ + క్రొత్త బ్యానర్ ఫోటో + క్రొత్త ప్లేజాబితా + క్రొత్త ప్రొఫైల్ ఫోటో + % s క్రొత్త ప్రారంభ డైరెక్టరీ. + తదుపరి పాట + మీకు ఆల్బమ్‌లు లేవు + మీకు కళాకారులు లేరు + "మొదట పాటను ప్లే చేయండి, ఆపై మళ్లీ ప్రయత్నించండి." + ఈక్వలైజర్ కనుగొనబడలేదు + మీకు శైలులు లేవు + సాహిత్యం కనుగొనబడలేదు + పాటలు ఆడటం లేదు + మీకు ప్లేజాబితాలు లేవు + కొనుగోలు కనుగొనబడలేదు. + ఫలితాలు లేవు + మీకు పాటలు లేవు + సాధారణ + సాధారణ సాహిత్యం + సాధారణ + % s మీడియా స్టోర్‌లో జాబితా చేయబడలేదు.]]> + స్కాన్ చేయడానికి ఏమీ లేదు. + చూడటానికి ఏమీ లేదు + నోటిఫికేషన్ + నోటిఫికేషన్ శైలిని అనుకూలీకరించండి + ఇప్పుడు ఆడుతున్నారు + ఇప్పుడు క్యూ ఆడుతున్నారు + ఇప్పుడు ప్లే అవుతున్న స్క్రీన్‌ను అనుకూలీకరించండి + 9+ ఇప్పుడు థీమ్‌లను ప్లే చేస్తోంది + Wi-Fi లో మాత్రమే + అధునాతన పరీక్ష లక్షణాలు + ఇతర + పాస్వర్డ్ + గత 3 నెలలు + సాహిత్యాన్ని ఇక్కడ అతికించండి + శిఖరం + బాహ్య నిల్వను యాక్సెస్ చేయడానికి అనుమతి నిరాకరించబడింది. + అనుమతులు తిరస్కరించబడ్డాయి. + వ్యక్తిగతీకరించండి + మీరు ఇప్పుడు ఆడుతున్న మరియు UI నియంత్రణలను అనుకూలీకరించండి + స్థానిక నిల్వ నుండి ఎంచుకోండి + చిత్రాన్ని ఎంచుకోండి + Pinterest + రెట్రో మ్యూజిక్ డిజైన్ ప్రేరణ కోసం Pinterest పేజీని అనుసరించండి + సాదా + ప్లే నోటిఫికేషన్ ఆట / పాజ్ మొదలైన వాటి కోసం చర్యలను అందిస్తుంది. + నోటిఫికేషన్ ప్లే అవుతోంది + ఖాళీ ప్లేజాబితా + ప్లేజాబితా ఖాళీగా ఉంది + ప్లేజాబితా పేరు + ప్లేజాబితాలు + ఆల్బమ్ వివరాల శైలి + బ్లర్ థీమ్స్ కోసం బ్లర్ మొత్తం వర్తించబడుతుంది, తక్కువ వేగంగా ఉంటుంది + అస్పష్టమైన మొత్తం + దిగువ షీట్ డైలాగ్ మూలలను సర్దుబాటు చేయండి + డైలాగ్ మూలలో + పాటలను పొడవు వడపోత + పాట వ్యవధిని ఫిల్టర్ చేయండి + ఆధునిక + ఆల్బమ్ శైలి + ఆడియో + బ్లాక్లిస్ట్ + నియంత్రణలు + థీమ్ + చిత్రాలు + గ్రంధాలయం + లాక్ స్క్రీన్ + ప్లేజాబితాలు + వాల్యూమ్ సున్నాకి తగ్గినప్పుడు మరియు వాల్యూమ్ స్థాయి పెరిగినప్పుడు తిరిగి ప్లే చేయడం ప్రారంభించినప్పుడు పాటను పాజ్ చేస్తుంది. అనువర్తనం వెలుపల కూడా పనిచేస్తుంది + సున్నాపై పాజ్ చేయండి + ఈ లక్షణాన్ని ప్రారంభించడం బ్యాటరీ జీవితాన్ని ప్రభావితం చేస్తుందని గుర్తుంచుకోండి + స్క్రీన్‌ను ఆన్‌లో ఉంచండి + ఇప్పుడు ప్లే స్క్రీన్ యొక్క పారదర్శక నావిగేషన్ లేకుండా తెరవడానికి క్లిక్ చేయండి లేదా స్లైడ్ చేయండి + క్లిక్ చేయండి లేదా స్లైడ్ చేయండి + మంచు పతనం ప్రభావం + ప్రస్తుతం ప్లే అవుతున్న పాట ఆల్బమ్ కవర్‌ను లాక్‌స్క్రీన్ వాల్‌పేపర్‌గా ఉపయోగించండి + సిస్టమ్ ధ్వనిని ప్లే చేసినప్పుడు లేదా నోటిఫికేషన్ వచ్చినప్పుడు వాల్యూమ్‌ను తగ్గించండి + బ్లాక్ లిస్ట్ చేసిన ఫోల్డర్ల కంటెంట్ మీ లైబ్రరీ నుండి దాచబడింది. + బ్లూటూత్ పరికరానికి కనెక్ట్ అయిన వెంటనే ప్లే చేయడం ప్రారంభించండి + లాక్‌స్క్రీన్‌పై ఆల్బమ్ కవర్‌ను అస్పష్టం చేయండి. మూడవ పార్టీ అనువర్తనాలు మరియు విడ్జెట్‌లతో సమస్యలను కలిగిస్తుంది + ఇప్పుడు ప్లే అవుతున్న స్క్రీన్‌లో ఆల్బమ్ ఆర్ట్ కోసం రంగులరాట్నం ప్రభావం. కార్డ్ మరియు బ్లర్ కార్డ్ థీమ్‌లు పనిచేయవని గమనించండి + క్లాసిక్ నోటిఫికేషన్ డిజైన్‌ను ఉపయోగించండి + ఇప్పుడు ప్లే అవుతున్న స్క్రీన్ నుండి ఆల్బమ్ ఆర్ట్ ప్రకారం నేపథ్యం మరియు నియంత్రణ బటన్ రంగులు మారుతాయి + అనువర్తన సత్వరమార్గాలను యాస రంగులో రంగులు వేస్తుంది. మీరు రంగును మార్చిన ప్రతిసారీ దయచేసి దీనిని అమలు చేయడానికి టోగుల్ చేయండి + నావిగేషన్ బార్‌ను ప్రాథమిక రంగులో రంగులు వేస్తుంది + "ఆల్బమ్ కవర్ in u2019 యొక్క శక్తివంతమైన రంగులోని నోటిఫికేషన్‌ను రంగులు వేస్తుంది" + మెటీరియల్ డిజైన్ ప్రకారం డార్క్ మోడ్ రంగులలోని గైడ్ పంక్తులు డీసచురేటెడ్ అయి ఉండాలి + ఆల్బమ్ లేదా ఆర్టిస్ట్ కవర్ నుండి చాలా ఆధిపత్య రంగు తీసుకోబడుతుంది + మినీ ప్లేయర్ కోసం అదనపు నియంత్రణలను జోడించండి + ఫైల్ ఫార్మాట్, బిట్రేట్ మరియు ఫ్రీక్వెన్సీ వంటి అదనపు పాట సమాచారాన్ని చూపించు + "కొన్ని పరికరాల్లో ప్లేబ్యాక్ సమస్యలను కలిగిస్తుంది." + శైలి టాబ్‌ను టోగుల్ చేయండి + హోమ్ బ్యానర్ శైలిని టోగుల్ చేయండి + ఆల్బమ్ కవర్ నాణ్యతను పెంచగలదు, కానీ నెమ్మదిగా చిత్రం లోడింగ్ సమయాలకు కారణమవుతుంది. మీకు తక్కువ రిజల్యూషన్ కళాకృతులతో సమస్యలు ఉంటే మాత్రమే దీన్ని ప్రారంభించండి + లైబ్రరీ వర్గాల దృశ్యమానత మరియు క్రమాన్ని కాన్ఫిగర్ చేయండి. + రెట్రో మ్యూజిక్ యొక్క అనుకూల లాక్‌స్క్రీన్ నియంత్రణలను ఉపయోగించండి + ఓపెన్ సోర్స్ సాఫ్ట్‌వేర్ కోసం లైసెన్స్ వివరాలు + అనువర్తనం యొక్క అంచులను రౌండ్ చేయండి + దిగువ నావిగేషన్ బార్ ట్యాబ్‌ల కోసం శీర్షికలను టోగుల్ చేయండి + లీనమయ్యే మోడ్ + హెడ్‌ఫోన్‌లు కనెక్ట్ అయిన వెంటనే ప్లే చేయడం ప్రారంభించండి + కొత్త పాటల జాబితాను ప్లే చేసేటప్పుడు షఫుల్ మోడ్ ఆపివేయబడుతుంది + తగినంత స్థలం అందుబాటులో ఉంటే, ఇప్పుడు ప్లే అవుతున్న స్క్రీన్‌లో వాల్యూమ్ నియంత్రణలను చూపించు + ఆల్బమ్ కవర్ చూపించు + ఆల్బమ్ కవర్ థీమ్ + ఆల్బమ్ కవర్ దాటవేయి + Album grid + రంగు అనువర్తన సత్వరమార్గాలు + ఆర్టిస్ట్ గ్రిడ్ + ఫోకస్ నష్టంపై వాల్యూమ్‌ను తగ్గించండి + ఆర్టిస్ట్ చిత్రాలను ఆటో-డౌన్‌లోడ్ చేయండి + బ్లాక్లిస్ట్ + బ్లూటూత్ ప్లేబ్యాక్ + బ్లర్ ఆల్బమ్ కవర్ + ఈక్వలైజర్ ఎంచుకోండి + క్లాసిక్ నోటిఫికేషన్ డిజైన్ + అనుకూల రంగు + రంగు నోటిఫికేషన్ + అసంతృప్త రంగు + అదనపు నియంత్రణలు + పాట సమాచారం + గ్యాప్‌లెస్ ప్లేబ్యాక్ + అనువర్తన థీమ్ + శైలి టాబ్ చూపించు + హోమ్ ఆర్టిస్ట్ గ్రిడ్ + హోమ్ బ్యానర్ + మీడియా స్టోర్ కవర్లను విస్మరించండి + చివరిగా జోడించిన ప్లేజాబితా విరామం + పూర్తి స్క్రీన్ నియంత్రణలు + రంగు నావిగేషన్ బార్ + ఇప్పుడు థీమ్ ప్లే అవుతోంది + ఓపెన్ సోర్స్ లైసెన్సులు + కార్నర్ అంచులు + టాబ్ శీర్షికల మోడ్ + రంగులరాట్నం ప్రభావం + ఆధిపత్య రంగు + పూర్తి స్క్రీన్ అనువర్తనం + టాబ్ శీర్షికలు + ఆటో ప్లే + షఫుల్ మోడ్ + వాల్యూమ్ నియంత్రణలు + వినియోగదారు సమాచారం + ప్రాథమిక రంగు + ప్రాధమిక థీమ్ రంగు, డిఫాల్ట్‌గా నీలం బూడిద రంగులో ఉంది, ఎందుకంటే ఇప్పుడు ముదురు రంగులతో పనిచేస్తుంది + ప్రో + బ్లాక్ థీమ్, ఇప్పుడు థీమ్స్ ప్లే, రంగులరాట్నం ప్రభావం మరియు మరిన్ని .. + ప్రొఫైల్ + కొనుగోలు + * కొనడానికి ముందు ఆలోచించండి, వాపసు కోసం అడగవద్దు. + క్యూ + అనువర్తనాన్ని రేట్ చేయండి + ఈ అనువర్తనాన్ని ఇష్టపడుతున్నారా? దీన్ని మరింత మెరుగ్గా ఎలా చేయవచ్చో గూగుల్ ప్లే స్టోర్‌లో మాకు తెలియజేయండి + ఇటీవలి ఆల్బమ్‌లు + ఇటీవలి కళాకారులు + తొలగించు + బ్యానర్ ఫోటోను తొలగించండి + కవర్ తొలగించండి + బ్లాక్లిస్ట్ నుండి తొలగించండి + ప్రొఫైల్ ఫోటోను తొలగించండి + ప్లేజాబితా నుండి పాటను తొలగించండి + % 1 $ s పాటను ప్లేజాబితా నుండి తొలగించాలా?]]> + ప్లేజాబితా నుండి పాటలను తొలగించండి + % 1 $ d పాటలను ప్లేజాబితా నుండి తొలగించాలా?]]> + ప్లేజాబితా పేరు మార్చండి + సమస్యను నివేదించండి + బగ్‌ను నివేదించండి + రీసెట్ + ఆర్టిస్ట్ చిత్రాన్ని రీసెట్ చేయండి + పునరుద్ధరించు + మునుపటి కొనుగోలు పునరుద్ధరించబడింది. దయచేసి అన్ని లక్షణాలను ఉపయోగించడానికి అనువర్తనాన్ని పున art ప్రారంభించండి. + మునుపటి కొనుగోళ్లను పునరుద్ధరించారు. + కొనుగోలును పునరుద్ధరిస్తోంది… + రెట్రో మ్యూజిక్ ఈక్వలైజర్ + రెట్రో మ్యూజిక్ ప్లేయర్ + రెట్రో మ్యూజిక్ ప్రో + ఫైల్ తొలగింపు విఫలమైంది:% s + + SAF URI పొందలేము + నావిగేషన్ డ్రాయర్‌ను తెరవండి + ఓవర్‌ఫ్లో మెనులో \'SD కార్డ్ చూపించు\' ప్రారంభించండి + + % s కి SD కార్డ్ యాక్సెస్ అవసరం + మీరు మీ SD కార్డ్ రూట్ డైరెక్టరీని ఎంచుకోవాలి + నావిగేషన్ డ్రాయర్‌లో మీ SD కార్డ్‌ను ఎంచుకోండి + ఉప ఫోల్డర్‌లను తెరవవద్దు + స్క్రీన్ దిగువన ఉన్న \'ఎంచుకోండి\' బటన్ నొక్కండి + ఫైల్ రాయడం విఫలమైంది:% s + సేవ్ + + + ఫైల్‌గా సేవ్ చేయండి + ఫైల్‌లుగా సేవ్ చేయండి + Saved playlist to %s. + మార్పులను సేవ్ చేస్తోంది + మీడియాను స్కాన్ చేయండి + % 2 $ d ఫైళ్ళలో% 1 $ d స్కాన్ చేయబడింది. + Scrobbles + మీ లైబ్రరీని శోధించండి… + అన్ని ఎంచుకోండి + బ్యానర్ ఫోటోను ఎంచుకోండి + ఎంచుకున్న + క్రాష్ లాగ్ పంపండి + సెట్ + ఆర్టిస్ట్ చిత్రాన్ని సెట్ చేయండి + ప్రొఫైల్ ఫోటోను సెట్ చేయండి + అనువర్తనాన్ని భాగస్వామ్యం చేయండి + కథలకు భాగస్వామ్యం చేయండి + షఫుల్ + సాధారణ + స్లీప్ టైమర్ రద్దు చేయబడింది. + స్లీప్ టైమర్ ఇప్పటి నుండి% d నిమిషాలు సెట్ చేయబడింది. + స్లయిడ్ + చిన్న ఆల్బమ్ + సామాజిక + కథను భాగస్వామ్యం చేయండి + సాంగ్ + పాట వ్యవధి + సాంగ్స్ + క్రమాన్ని క్రమబద్ధీకరించు + ఆరోహణ + ఆల్బమ్ + ఆర్టిస్ట్ + కంపోజర్ + తేదీ జోడించబడింది + తేదీ సవరించబడింది + ఇయర్ + అవరోహణ + క్షమించాలి! మీ పరికరం ప్రసంగ ఇన్‌పుట్‌కు మద్దతు ఇవ్వదు + మీ లైబ్రరీని శోధించండి + స్టాక్ + సంగీతం ఆడటం ప్రారంభించండి. + సలహాలు + Just show your name on home screen + అభివృద్ధికి మద్దతు ఇవ్వండి + అన్‌లాక్ చేయడానికి స్వైప్ చేయండి + సమకాలీకరించిన సాహిత్యం + సిస్టమ్ ఈక్వలైజర్ + + టెలిగ్రాం + దోషాలను చర్చించడానికి, సూచనలు చేయడానికి, ప్రదర్శించడానికి మరియు మరిన్ని చేయడానికి టెలిగ్రామ్ సమూహంలో చేరండి + ధన్యవాదాలు! + ఆడియో ఫైల్ + ఈ నెల + ఈ వారం + ఈ సంవత్సరం + చిన్న + శీర్షిక + డాష్బోర్డ్ + శుభ మద్యాహ్నం + మంచి రోజు + శుభ సాయంత్రం + శుభోదయం + శుభ రాత్రి + మీ పేరు ఏమిటి + నేడు + అగ్ర ఆల్బమ్‌లు + అగ్ర కళాకారులు + "ట్రాక్ (ట్రాక్ 2 కోసం 2 లేదా సిడి 3 ట్రాక్ 4 కోసం 3004)" + ట్రాక్ సంఖ్య + అనువదించు + మీ భాషకు అనువర్తనాన్ని అనువదించడానికి మాకు సహాయపడండి + ట్విట్టర్ + మీ డిజైన్‌ను రెట్రో మ్యూజిక్‌తో పంచుకోండి + అన్ లేబుల్ + ఈ పాటను ప్లే చేయలేదు. + తదుపరిది + చిత్రాన్ని నవీకరించండి + నవీకరిస్తోంది… + యూజర్ పేరు + సంస్కరణ + లంబ ఫ్లిప్ + Virtualizer + వాల్యూమ్ + వెబ్ సెర్చ్ + స్వాగతం + మీరు ఏమి భాగస్వామ్యం చేయాలనుకుంటున్నారు? + కొత్తది ఏమిటి + కిటికీ + గుండ్రని మూలలు + % 1 $ s ను మీ రింగ్‌టోన్‌గా సెట్ చేయండి. + % 1 $ d ఎంచుకోబడింది + ఇయర్ + మీరు కనీసం ఒక వర్గాన్ని ఎంచుకోవాలి. + మీరు ఇష్యూ ట్రాకర్ వెబ్‌సైట్‌కు ఫార్వార్డ్ చేయబడతారు. + మీ ఖాతా డేటా ప్రామాణీకరణ కోసం మాత్రమే ఉపయోగించబడుతుంది. + మొత్తం + గమనిక (ఆప్షనల్) + చెల్లింపు ప్రారంభించండి + ఇప్పుడు ప్లే స్క్రీన్ చూపించు + నోటిఫికేషన్‌పై క్లిక్ చేస్తే హోమ్ స్క్రీన్‌కు బదులుగా ఇప్పుడు ప్లే స్క్రీన్ కనిపిస్తుంది + Tiny card + diff --git a/app/src/main/res/values-tr/strings.xml b/app/src/main/res/master/values-tr-rTR/strings.xml similarity index 93% rename from app/src/main/res/values-tr/strings.xml rename to app/src/main/res/master/values-tr-rTR/strings.xml index 84c0bfed..30758181 100644 --- a/app/src/main/res/values-tr/strings.xml +++ b/app/src/main/res/master/values-tr-rTR/strings.xml @@ -1,4 +1,4 @@ - + Takım, sosyal medya linkleri Vurgu rengi @@ -8,7 +8,7 @@ Oynatma sırasına ekle Oynatma listesine ekle Oynatma kuyruğunu temizle - Oynatma sırasını temizle + Oynatma listesini temizle Tekrarlı oynatma modu Sil Cihazdan sil @@ -106,6 +106,7 @@ Yayınla Değişiklik günlüğü Sürümlerdeki değişiklik kayıtları Telegram üzerinde tutulmaktadır. + Çember Dairesel Klasik Temizle @@ -113,6 +114,7 @@ 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 @@ -150,6 +152,7 @@ Çalışmalarımın karşılığı olması gerektiğini düşünüyorsan bana biraz bahşiş bırakabilirsin. Bana bağışlayacağın tutar: Last.fm\'den yükle + Drive mode Düzenle Albüm kapağını düzenle Boş @@ -163,6 +166,7 @@ Klasörler Sistemi izle Senin için + Free Dolu Kart dolu Uygulamanın arayüzünü ve renklerini değiştirin @@ -179,7 +183,7 @@ 6 8 8 - + Izgaralar & Stil Menteşe Geçmiş Ana sayfa @@ -188,7 +192,6 @@ Gradyan görüntü Şarkıcı görüntülerinin indirilme ayarları %2$s listesine %1$d parça eklendi. - Instagram Instagram\'da Retro Müzik temanızı paylaşın Klavye Bit Hızı @@ -196,6 +199,7 @@ Dosya adı Dosya yolu Boyut + More from %s Örnekleme oranı Uzunluk Etiketli @@ -206,6 +210,7 @@ Kütüphane kategorileri Lisanslar Açıkça Beyaz + Listeners Dosyalar listeleniyor Ürünler yükleniyor ... Giriş @@ -228,6 +233,7 @@ Ekolayzır bulunamadı Tür yok Şarkı sözleri yok + No songs playing Oynatma Listesi Yok Satın alma bulunamadı Sonuç yok @@ -237,6 +243,7 @@ Normal %s medya deposunda listelenmiyor.]]> Aranacak herhangi bir şey yok. + Nothing to see Bildirim Bildirim stilini özelleştirin Şimdi oynatılıyor @@ -268,10 +275,14 @@ 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 tutarı + Adjust the bottom sheet dialog corners Diyalog kenarı + Filter songs by length Şarkı süresini filtrele + Advanced Albüm stili Ses + Blacklist Kontroller Tema Görüntüler @@ -288,6 +299,7 @@ Ç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. + Start playing as soon as connected to bluetooth device Albüm kapağını kilitli ekran üzerinde bulanıklaştırır. Üçüncü taraf uygulamaları ve widget\'ları ile sorunlara neden olabilir Çalmakta olan ekranda albüm resmi için atlıkarınca efekti. Kart ve Bulanıklaştırma Kartı temalarının çalışmayacağını unutmayın Klasik bildirim tasarımını kullanın @@ -298,6 +310,7 @@ 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 + Show extra Song information, such as file format, bitrate and frequency "Bazı cihazlarda oynatma sorunlarına neden olabilir" Türk sekmesini aktif et Ana sayfa afişini etkinleştir @@ -320,6 +333,7 @@ Odak kaybında ses hacmini azaltın Sanatçı resimlerini otomatik indir Kara Liste + Bluetooth playback Bulanık albüm kapağı Ekolayzır seç Klasik bildirim tasarımı @@ -327,6 +341,7 @@ Renkli bildirim Doymamış renk Ekstra kontroller + Song info Boşluksuz oynatma Uygulama teması Tür sekmesini göster @@ -350,6 +365,7 @@ 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 @@ -378,6 +394,7 @@ Önceki satın almalar geri yüklendi. Satın alım geri yükleniyor ... Retro Music Ekolayzırı + Retro Music Player Retro Music Pro Dosya silme başarısız oldu: %s @@ -400,6 +417,7 @@ Değişiklikler kaydediliyor Medya tara %1$d / %2$d dosya tarandı. + Scrobbles Kütüphanenizi arayın… Hepsini seç Afiş fotoğrafını seçin @@ -409,6 +427,7 @@ Sanatçı resmini ayarla Profil fotoğrafı seç Uygulamayı paylaş + Share to Stories Karıştır Basit Uyku zamanlayıcısı iptal edildi. @@ -416,6 +435,7 @@ Kaydır Küçük albüm Sosyal + Share story Şarkı Şarkı süresi Şarkılar @@ -425,6 +445,7 @@ Sanatçı Besteci Tarih + Date modified Yıl Azalan Üzgünüz, ancak cihazın konuşma girişini desteklemiyor. @@ -450,8 +471,7 @@ Gösterge paneli Tünaydın İyi günler - "İyi akşamlar -" + İyi akşamlar Günaydın İyi geceler Adın Ne? @@ -473,6 +493,7 @@ Sürüm Dikey çevir Sanallaştırıcı + Volume İnternet\'de ara Hoşgeldin, Ne paylaşmak istiyorsun? @@ -485,4 +506,10 @@ En az bir kategori seçmek zorundasın. Sorun izleyici web sitesine yönlendirileceksiniz. Hesap verileriniz sadece kimlik doğrulama için kullanılır. + 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/master/values-uk-rUA/strings.xml b/app/src/main/res/master/values-uk-rUA/strings.xml new file mode 100644 index 00000000..3e5c375c --- /dev/null +++ b/app/src/main/res/master/values-uk-rUA/strings.xml @@ -0,0 +1,515 @@ + + + Команда, посилання на соц. мережі + Акцентний колір + Акцентний колір, за замовчуванням фіолетовий + Про додаток + Додати в обране + Додати до черги відтворення + Додати до списку відтворення + Очистити чергу відтворення + Очистити список відтворення + Циклічне повторення + Видалити + Видалити з пристрою + Деталі + Перейти до альбому + Перейти до виконавця + Перейти до жанру + Перейти до початкового каталогу + Надати + Розмір сітки + Розмір сітки (ландшафт) + Новий список відтворення + Далі + Відтворити + Відтворити усе + Відтворити наступною + Відтворити/Призупинити + Назад + Видалити з обраного + Видалити з черги відтворення + Видалити зі списку відтворення + Перейменувати + Зберегти чергу відтворення + Сканувати + Пошук + Розпочати + Встановити як мелодію дзвінка + Встановити в якості початкової теки + "Налаштування" + Поділитися + Перемішати всі + Перемішати список відтворення + Таймер сну + Порядок сортування + Редактор міток + Перемкнути улюблене + Перемкнути режим змішування + Адаптивний + Додати + Додати текст пісні + Додати \nфото + "Додати до списку відтворення" + Додати текст з мітками часу + "Додано 1 композицію до черги відтворення." + Додано %1$d композицій до черги відтворення. + Альбом + Виконавець альбому + Назва або виконавець відсутні. + Альбоми + Завжди + Привіт, зацініть цей крутий музичний плеєр за адресою: https://play.google.com/store/apps/details?id=%s + Перемішати + Кращі треки + Ретро-музика - Великий + Ретро музика - Картка + Ретро-музика - Класичний + Ретро-музика - Малий + Ретро-музика - Текст + Виконавець + Виконавці + В отриманні аудіофокусу відмовлено. + Змінити налаштування звуку та налаштувати параметри еквалайзера + Автоматично + Основна колірна тема + Підсилення басу + Життєпис + Життєпис + Чорний + Чорний список + Розмиття + Розмита картка + Не вдалося надіслати звіт + Недійсний токен доступу. Зв’яжіться з розробником додатка. + Проблеми не включені для вибраного сховища. Зверніться до розробника програми. + Виникла несподівана помилка. Зв\'яжіться з розробником додатку. + Неправильне ім\'я користувача або пароль + Помилка + Надіслати вручну + Введіть опис проблеми + Введіть свій дійсний пароль користувача GitHub + Введіть заголовок проблеми + Введіть своє дійсне ім’я користувача GitHub + Сталася неочікувана помилка. Вибачте, що натрапили на цю помилку, якщо вона постійно повторюється, спробуйте \"Очистити дані додатка\" або надішліть лист на ел. пошту + Завантаження звіту на GitHub… + Надіслати через обліковий запис GitHub + Придбати зараз + Скасувати + Картка + Коло + Кольорова картка + Картка + Карусель + Ефект каруселі на екрані відтворення + Каскад + Транслювати + Історія змін + Журнал змін доступний у каналі Telegram + Коло + Коло + Класичний + Очистити + Очистити дані додатку + Очистити чорний список + Очистити чергу + Очистити список відтворення + %1$s? Це незворотня дія!]]> + Закрити + Колір + Колір + Кольори + Композитор + Інформацію про пристрій скопійовано у буфер обміну. + Не вдалося створити список відтворення. + "Не вдалося завантажити відповідну обкладинку альбому." + Не вдалося відновити покупку. + Не вдалося просканувати %d файлів. + Створити + Створено список відтворення %1$s. + Учасники та меценати + Зараз грає %1$s від %2$s. + Майже темна + Текст відсутній + Видалити список відтворення + %1$s?]]> + Видалити списки відтворення + Видалити пісню + %1$s?]]> + Видалити пісні + %1$d списки відтворення?]]> + %1$d пісень?]]> + Видалено %1$d пісень. + Видалення пісень + Глибина + Опис + Інформація про пристрій + Дозволити Retro Music змінювати налаштування звуку + Встановити як мелодію дзвінка + Ви хочете очистити чорний список? + %1$s з чорного списку?]]> + Підтримати проект + Якщо ви вважаєте, що я заслуговую на оплату своєї праці, ви можете залишити гроші тут + Купіть мені: + Завантажити з Last.fm + Режим \"За кермом\" + Редагувати + Редагувати обкладинку + Порожньо + Еквалайзер + Помилка + Питання та відповіді + Обране + Закінчити останню пісню + Вмістити + Плоский + Папки + Наслідувати систему + Для Вас + Безкоштовно + Повний + Повна картка + Змінити тему і кольори додатку + Вигляд + Жанр + Жанри + Розгалужити проект на GitHub + Приєднатися до спільноти Google Plus, де ви можете звернутися по допомогу або слідкувати за оновленнями в Retro Music + 1 + 2 + 3 + 4 + 5 + 6 + 7 + 8 + Стиль сітки + Завіса + Історія + Домашня сторінка + Горизонтальне перевернення + Зображення + Градієнтне зображення + Змінити параметри завантаження зображення виконавця + Додано %1$d пісень до списку відтворення %2$s. + Похизуйтеся вашими налаштуваннями Retro Music у Instagram + Клавіатура + Бітрейт + Формат + Назва файлу + Шлях до файлу + Розмір + Більше від %s + Частота дискретизації + Довжина + З відміткою + Нещодавно додане + Остання пісня + Нумо слухати музику + Бібліотека + Категорії бібліотеки + Ліцензії + Яскраво-білий + Слухачі + Список файлів + Завантаження продуктів… + Логін + Текст + Зроблено з ❤ в Індії + Матеріал + Помилка + Помилка дозволу + Назва + Найчастіше відтворювані + Ніколи + Нове фото банеру + Новий список відтворення + Нове фото профілю + %s є новим початковим каталогом. + Наступна пісня + У вас немає альбомів + У вас немає виконавців + "Спочатку відтворіть пісню, а потім спробуйте ще раз." + Еквалайзер не знайдено + У вас немає жанрів + Текст не знайдено + Немає пісень, що відтворюються + У вас немає списків відтворення + Покупку не знайдено. + Немає результатів + У вас немає пісень + Нормальний + Стандартний текст + Нормальний + %s не вказано в медіа сховищі.]]> + Нічого сканувати. + Порожньо + Сповіщення + Налаштувати стиль сповіщення + Відтворюється зараз + Зараз в черзі відтворення + Налаштування екрану відтворення + 9+ тем екрану відтворення + Лише через Wi-Fi + Розширені функції тестування + Інше + Пароль + Останні 3 місяці + Вставте текст сюди + Пік + Відмовлено у доступі до зовнішнього сховища. + У доступі відмовлено. + Персоналізація + Налаштуйте екран відтворення та зовнішній вигляд + Вибрати з локального сховища + Вибрати зображення + Pinterest + Слідкуйте за сторінкою Pinterest від Retro Music для натхнення дизайну + Звичайний + Сповіщення про відтворення надає дії для відтворення/паузи тощо. + Сповіщення про відтворення + Порожній список відтворення + Список відтворення порожній + Назва списку відтворення + Списки відтворення + Стиль деталей альбому + Величина розмиття, що застосовується для розмиття тем, менше - швидше + Величина розмиття + Налаштування кутів діалогового вікна знизу + Куточок діалогового вікна + Сортувати пісні за довжиною + Сортувати пісні за тривалістю + Додатково + Стиль альбому + Аудіо + Чорний список + Елементи керування + Тема + Зображення + Бібліотека + Екран блокування + Списки відтворення + Призупиняє пісню, коли гучність зменшується до нуля і починає грати під час підвищення гучності. Також працює поза додатком + Пауза при нулі + Майте на увазі, що увімкнення цієї функції може вплинути на заряд акумулятора + Не вимикати екран + Натисніть, щоб відкрити або проведіть, щоб уникнути прозорої навігації на екрані відтворення + Клацніть або проведіть + Ефект снігопаду + Використовувати обкладинку альбому пісні як шпалери екрана блокування + Знизити гучність при відтворенні системного звуку або сповіщення + Вміст тек чорного списку приховано з вашої бібліотеки. + Почати програвання як тільки під\'єднано до пристрою Bluetooth + Розмивати обкладинку альбому на екрані блокування. Може спричинити проблеми зі сторонніми додатками та віджетами + Ефект каруселі для обкладинок альбомів на екрані відтворення. Теми \"Картка\" та \"Розмита картка\" не працюватимуть + Використовувати класичне оформлення сповіщень + Тло і кольори кнопок керування міняються в залежності від обкладинки екрана відтворення + Фарбує ярлики додатків у колір акценту. Кожного разу, коли ви змінюєте колір, будь ласка, перемкніть його, щоб зміни вступили в силу + Фарбує панель навігації у переважаючий колір + "Фарбує повідомлення в обкладинці альбому яскравим кольором" + Для Material Design лінії в темному режимі мають бути ненасичені + Домінуючий колір буде взято з обкладинки альбому або виконавця + Додати додаткові елементи керування до міні-програвача + Показати додаткову інформацію про пісню, таку як формат файлів, бітрейт та частоту + "Може викликати проблеми з відтворенням на деяких пристроях." + Сховати вкладку жанрів + Сховати головний банер + Може збільшити якість обкладинки альбому, але збільшує час завантаження зображення. Використовуйте тільки якщо у вас проблеми з обкладинками низької роздільної здатності + Налаштувати видимість та порядок категорій бібліотеки. + Використовувати керування музикою на екрані блокування від Retro Music + Деталі ліцензії для програмного забезпечення з відкритим кодом + Заокруглити кути додатку + Сховати назви для вкладок у нижній панелі навігації + Режим занурення + Почати відтворення відразу після підключення навушників + Випадковий режим вимкнеться при відтворенні нового списку пісень + Якщо вистачає місця, показувати панель гучності на екрані відтворення + Показати обкладинку альбому + Тема обкладинки альбому + Пропустити обкладинку альбому + Сітка альбому + Кольорові ярлики додатків + Сітка виконавців + Зменшити гучність при сторонніх звуках + Автоматично завантажувати зображення виконавців + Чорний список + Відтворення Bluetooth + Розмити обкладинку альбому + Вибрати еквалайзер + Класичне оформлення сповіщень + Адаптивний колір + Кольорове сповіщення + Ненасичений колір + Додаткові елементи керування + Інформація про пісню + Безперервне відтворення + Тема додатку + Показати вкладку жанрів + Домашня сітка виконавця + Головний банер + Ігнорувати обкладинки з Медіасховища + Інтервал останнього доданого списку відтворення + Повноекранне керування + Кольорова панель навігації + Тема відтворення + Ліцензії з відкритим кодом + Кути + Режим назв вкладок + Ефект Каруселі + Головний колір + На весь екран + Назви вкладок + Автоматичне відтворення + Режим перемішування + Регулювання гучності + Інформація про користувача + Основний колір + Основний колір теми, за замовчуванням сіро-синій, відтепер працює з темними кольорами + Pro + Чорна тема, теми відтворення, ефект каруселі та інше.. + Профіль + Придбати + *Подумайте перед придбанням, не просіть повернути гроші. + Черга + Оцініть додаток + Подобається цей додаток? Напишіть відгук нам у Google Play Store, як ми можемо зробити його ще кращим + Останні альбоми + Останні виконавці + Вилучити + Видалити фото банера + Видалити обкладинку + Видалити з чорного списку + Видалити фото профілю + Видалити пісню зі списку відтворення + %1$s зі списку відтворення?]]> + Видалити пісні зі списку відтворення + %1$d пісень зі списку відтворення?]]> + Перейменувати список відтворення + Повідомити про проблему + Повідомити про помилку + Скинути + Скинути зображення виконавця + Відновити + Відновлено попередню покупку. Перезапустіть додаток, щоб скористатися всіма функціями. + Відновлено попередні покупки. + Відновлення покупки… + Еквалайзер Retro Music + Retro Music плеєр + Retro Music Pro + Помилка видалення файлу: %s + + Неможливо отримати URI SAF + Відкрити панель навігації + Увімкніть \"Показувати SD-карту\" у меню налаштувань + + %s потребує доступ до SD-картки + Необхідно обрати кореневу директорію SD карти + Виберіть карту SD в навігаційній панелі + Не відкривайте вкладені папки + Натисніть кнопку \"вибрати\" внизу екрана + Не вдалося записати файл: %s + Зберегти + + + Зберегти як файл + Зберегти як файли + Збережено список відтворення в %s. + Збереження змін + Сканувати медіа + Проскановано %1$d з %2$d файлів. + Персоналізація + Пошук у бібліотеці… + Виділити все + Обрати фото банера + Обрано + Надіслати журнал збою + Встановити + Встановити зображення виконавця + Встановити фото профілю + Поділитися додатком + Поділитися в Історії + Перемішати + Простий + Таймер сну скасовано. + Таймер сну спрацює за %d хвилин. + Слайд + Маленький альбом + Соціальні мережі + Поділитися історією + Пісня + Тривалість пісні + Пісні + Порядок сортування + За зростанням + Альбом + Виконавець + Композитор + Дата додавання + Дата змінення + Рік + За спаданням + Вибачте! Ваш пристрій не підтримує введення мови + Пошук у бібліотеці + Стек + Почати програвати музику. + Пропозиції + Показувати своє ім\'я на домашньому екрані + Підтримати розробку + Змахніть, щоб розблокувати + Синхронізовані тексти + Системний еквалайзер + + Telegram + Приєднуйтесь до групи Telegram щоб обговорити помилки, робити пропозиції та інше + Щиро дякую! + Аудіофайл + Цього місяця + Цього тижня + Цього року + Дрібний + Назва + Головна панель + Добрий день + Доброго дня + Доброго вечора + Доброго ранку + Надобраніч + Як вас звати + Сьогодні + Топ альбомів + Топ виконавців + "Доріжка (2 для доріжки 2 або 3004 для CD3 доріжки 4)" + Номер пісні + Перекласти + Допоможіть нам перекласти додаток вашою мовою + Twitter + Поділіться своїм дизайном із Retro Music + Без позначки + Не вдалося відтворити пісню. + Наступне + Оновити зображення + Оновлення… + Ім\'я користувача + Версія додатку + Вертикальне сальто + Віртуалізатор + Гучність + Пошук в інтернеті + Ласкаво просимо, + Чим ви хочете поділитися? + Що нового + Вікно + Заокруглені кути + Встановити %1$s як мелодію дзвінка. + %1$d обрано + Рік + Виберіть принаймні одну категорію. + Вас буде перенаправлено на сайт відстеження проблем. + Дані вашого облікового запису використовуються лише для автентифікації. + Кількість + Примітка (необов\'язково) + Розпочати оплату + Показувати на екрані відтворення + При натисканні на сповіщення буде показано екран відтворення замість домашнього екрану + Крихітна картка + diff --git a/app/src/main/res/master/values-ur-rIN/strings.xml b/app/src/main/res/master/values-ur-rIN/strings.xml new file mode 100644 index 00000000..321eb477 --- /dev/null +++ b/app/src/main/res/master/values-ur-rIN/strings.xml @@ -0,0 +1,515 @@ + + + Team, social links + Accent color + The theme accent color, defaults to purple + About + Add to favorites + Add to playing queue + Add to playlist + Clear playing queue + Clear playlist + Cycle repeat mode + Delete + Delete from device + Details + Go to album + Go to artist + Go to genre + Go to start directory + Grant + Grid size + Grid size (land) + New playlist + Next + Play + Play all + Play next + Play/Pause + Previous + Remove from favorites + Remove from playing queue + Remove from playlist + Rename + Save playing queue + Scan + Search + Start + Set as ringtone + Set as start directory + "Settings" + Share + Shuffle all + Shuffle playlist + Sleep timer + Sort order + Tag editor + Toggle favorite + Toggle shuffle mode + Adaptive + Add + Add lyrics + Add \nphoto + "Add to playlist" + Add time frame lyrics + "Added 1 title to the playing queue." + Added %1$d titles to the playing queue. + Album + Album artist + The title or artist is empty. + Albums + Always + Hey check out this cool music player at: https://play.google.com/store/apps/details?id=%s + Shuffle + Top Tracks + Retro music - Big + Retro music - Card + Retro music - Classic + Retro music - Small + Retro music - Text + Artist + Artists + Audio focus denied. + Change the sound settings and adjust the equalizer controls + Auto + Base color theme + Bass Boost + Bio + Biography + Just Black + Blacklist + Blur + Blur Card + Unable to send report + Invalid access token. Please contact the app developer. + Issues are not enabled for the selected repository. Please contact the app developer. + An unexpected error occurred. Please contact the app developer. + Wrong username or password + Issue + Send manually + Please enter an issue description + Please enter your valid GitHub password + Please enter an issue title + Please enter your valid GitHub username + An unexpected error occurred. Sorry you found this bug, if it keeps crashing \"Clear app data\" or send an Email + Uploading report to GitHub… + Send using GitHub account + Buy now + Cancel + Card + Circular + Colored Card + Card + Carousel + Carousel effect on the now playing screen + Cascading + Cast + Changelog + Changelog maintained on the Telegram channel + Circle + Circular + Classic + Clear + Clear app data + Clear blacklist + Clear queue + Clear playlist + %1$s? This can\u2019t be undone!]]> + Close + Color + Color + Colors + Composer + Copied device info to clipboard. + Couldn\u2019t create playlist. + "Couldn\u2019t download a matching album cover." + Could not restore purchase. + Could not scan %d files. + Create + Created playlist %1$s. + Members and contributors + Currently listening to %1$s by %2$s. + Kinda Dark + No Lyrics + Delete playlist + %1$s?]]> + Delete playlists + Delete song + %1$s?]]> + Delete songs + %1$d playlists?]]> + %1$d songs?]]> + Deleted %1$d songs. + Deleting songs + Depth + Description + Device info + Allow Retro Music to modify audio settings + Set ringtone + Do you want to clear the blacklist? + %1$s from the blacklist?]]> + Donate + If you think I deserve to get paid for my work, you can leave some money here + Buy me a: + Download from Last.fm + Drive mode + Edit + Edit cover + Empty + Equalizer + Error + FAQ + Favorites + Finish last song + Fit + Flat + Folders + Follow system + For you + Free + Full + Full card + Change the theme and colors of the app + Look and feel + Genre + Genres + Fork the project on GitHub + Join the Google Plus community where you can ask for help or follow Retro Music updates + 1 + 2 + 3 + 4 + 5 + 6 + 7 + 8 + Grid style + Hinge + History + Home + Horizontal flip + Image + Gradient image + Change artist image download settings + Inserted %1$d songs into the playlist %2$s. + Share your Retro Music setup to showcase on Instagram + Keyboard + Bitrate + Format + File name + File path + Size + More from %s + Sampling rate + Length + Labeled + Last added + Last song + Let\'s play some music + Library + Library categories + Licenses + Clearly White + Listeners + Listing files + Loading products… + Login + Lyrics + Made with ❤️ in India + Material + Error + Permission error + Name + Most played + Never + New banner photo + New playlist + New profile photo + %s is the new start directory. + Next Song + You have no albums + You have no artists + "Play a song first, then try again." + No equalizer found + You have no genres + No lyrics found + No songs playing + You have no playlists + No purchase found. + No results + You have no songs + Normal + Normal lyrics + Normal + %s is not listed in the media store.]]> + Nothing to scan. + Nothing to see + Notification + Customize the notification style + Now playing + Now playing queue + Customize the now playing screen + 9+ now playing themes + Only on Wi-Fi + Advanced testing features + Other + Password + Past 3 months + Paste lyrics here + Peak + Permission to access external storage denied. + Permissions denied. + Personalize + Customize your now playing and UI controls + Pick from local storage + Pick image + Pinterest + Follow Pinterest page for Retro Music design inspiration + Plain + The playing notification provides actions for play/pause etc. + Playing notification + Empty playlist + Playlist is empty + Playlist name + Playlists + Album detail style + Amount of blur applied for blur themes, lower is faster + Blur amount + Adjust the bottom sheet dialog corners + Dialog corner + Filter songs by length + Filter song duration + Advanced + Album style + Audio + Blacklist + Controls + Theme + Images + Library + Lockscreen + Playlists + Pauses the song when the volume decreases to zero and starts playing back when the volume level rises. Also works outside the app + Pause on zero + Keep in mind that enabling this feature may affect battery life + Keep the screen on + Click to open with or slide to without transparent navigation of now playing screen + Click or Slide + Snow fall effect + 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. + Start playing as soon as connected to bluetooth device + Blur the album cover on the lockscreen. Can cause problems with third party apps and widgets + Carousel effect for the album art in the now playing screen. Note that Card and Blur Card themes won\'t work + 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 + Toggle home banner style + Can increase the album cover quality, but causes slower image loading times. Only enable this if you have problems with low resolution artworks + Configure visibility and order of library categories. + Use Retro Music\'s custom lockscreen controls + License details for open source software + Round the app\'s edges + Toggle titles for the bottom navigation bar tabs + Immersive mode + Start playing immediately after headphones are connected + Shuffle mode will turn off when playing a new list of songs + If enough space is available, show volume controls in the now playing screen + Show album cover + Album cover theme + Album cover skip + Album grid + Colored app shortcuts + Artist grid + Reduce volume on focus loss + Auto-download artist images + Blacklist + Bluetooth playback + Blur album cover + Choose equalizer + Classic notification design + Adaptive color + Colored notification + Desaturated color + Extra controls + Song info + Gapless playback + App theme + Show genre tab + Home artist grid + Home 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. + Queue + Rate the app + Love this app? Let us know in the Google Play Store how we can make it even better + Recent albums + Recent artists + Remove + Remove banner photo + Remove cover + Remove from blacklist + Remove profile photo + Remove song from playlist + %1$s from the playlist?]]> + Remove songs from playlist + %1$d songs from the playlist?]]> + Rename playlist + Report an issue + Report bug + Reset + Reset artist image + Restore + Restored previous purchase. Please restart the app to make use of all features. + Restored previous purchases. + Restoring purchase… + Retro Music Equalizer + Retro Music Player + Retro Music Pro + File delete failed: %s + + Can\'t get SAF URI + Open navigation drawer + Enable \'Show SD card\' in overflow menu + + %s needs SD card access + You need to select your SD card root directory + Select your SD card in navigation drawer + Do not open any sub-folders + Tap \'select\' button at the bottom of the screen + File write failed: %s + Save + + + Save as file + Save as files + Saved playlist to %s. + Saving changes + Scan media + Scanned %1$d of %2$d files. + Scrobbles + Search your library… + Select all + Select banner photo + Selected + Send crash log + Set + Set artist image + Set a profile photo + Share app + Share to Stories + Shuffle + Simple + Sleep timer canceled. + Sleep timer set for %d minutes from now. + Slide + Small album + Social + Share story + Song + Song duration + Songs + Sort order + Ascending + Album + Artist + Composer + Date added + Date modified + Year + Descending + Sorry! Your device doesn\'t support speech input + Search your library + Stack + Start playing music. + Suggestions + Just show your name on home screen + Support development + Swipe to unlock + Synced lyrics + System Equalizer + + Telegram + Join the Telegram group to discuss bugs, make suggestions, show off and more + Thank you! + The audio file + This month + This week + This year + Tiny + Title + Dashboard + Good afternoon + Good day + Good evening + Good morning + Good night + What\'s Your Name + Today + Top albums + Top artists + "Track (2 for track 2 or 3004 for CD3 track 4)" + Track number + Translate + Help us translate the app to your language + Twitter + Share your design with Retro Music + Unlabeled + Couldn\u2019t play this song. + Up next + Update image + Updating… + Username + Version + Vertical flip + Virtualizer + Volume + Web search + Welcome, + What do you want to share? + What\'s New + Window + Rounded corners + Set %1$s as your ringtone. + %1$d selected + Year + You have to select at least one category. + You will be forwarded to the issue tracker website. + Your account data is only used for authentication. + Amount + Note(Optional) + Start payment + Show now playing screen + Clicking on the notification will show now playing screen instead of the home screen + Tiny card + diff --git a/app/src/main/res/values-vi/strings.xml b/app/src/main/res/master/values-vi-rVN/strings.xml similarity index 89% rename from app/src/main/res/values-vi/strings.xml rename to app/src/main/res/master/values-vi-rVN/strings.xml index 31328155..8d4646e4 100644 --- a/app/src/main/res/values-vi/strings.xml +++ b/app/src/main/res/master/values-vi-rVN/strings.xml @@ -1,138 +1,85 @@ - + Đường dẫn tổ đội, mạng xã hội - Màu sắc nhấn mạnh Màu sắc chủ đạo của chủ đề, mặc định là xanh ngọc - Về chúng tôi - Thêm vào yêu thích Thêm vào hàng đợi Thêm vào danh sách phát - Xoá hàng đợi Xoá danh sách phát - + Cycle repeat mode Xoá Xóa khỏi thiết bị - Chi tiết - Đi đến album Đi đến nghệ sĩ Chuyển đến thể loại Đến trang bắt đầu - Cho phép - Kích thước lưới Kích thước lưới (chiều ngang) - Danh sách phát mới - Tiếp - Chơi Chơi tất cả Chơi kế tiếp Phát/Tạm dừng - Trước - Loại bỏ khỏi mục yêu thích Xoá khỏi hàng đợi Xoá khỏi danh sách phát - Đổi tên - Lưu hàng đợi phát - Quét - Tìm kiếm - Bắt đầu Đặt làm nhạc chuông Đặt làm trang bắt đầu - "Cài đặt" - Chia sẻ - Phát ngẫu nhiên tất cả Phát ngẫu nhiên theo danh sách phát - Hẹn giờ ngủ - Thứ tự sắp xếp - Chỉnh sửa thẻ - + Toggle favorite + Toggle shuffle mode Thích nghi - Thêm - Thêm lời bài hát - Thêm \nhình ảnh - "Thêm vào danh sách phát" - Thêm khung thời gian cho lời bài hát - "Đã thêm 1 bài vào háng đợi phát." - Đã thêm %1$d bài vào hàng đợi phát. - Album - 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 - - Ngẫu nhiên Bản nhạc hàng đầu - Retro music - Lớn Retro music - Thẻ Retro music - Cổ điển Retro music - Nhỏ - + Retro music - Text Nghệ sĩ - Nghệ sĩ - Tập trung âm thanh bị từ chối - Thay đổi cài đặt âm thanh và điều chỉnh các điều khiển bộ chỉnh âm - Tự động - Chủ đề màu cơ bản - Tăng cường Bass - Tiểu sử - Tiểu sử - Đen hoàn toàn - Danh sách đen - Làm mờ - Thẻ mờ - Không thể gửi báo cáo Mã token không hợp lệ. Vui lòng liên hệ với nhà phát triển ứng dụng. Các vấn đề không được kích hoạt cho repository đã chọn. Vui lòng liên hệ với nhà phát triển ứng dụng. @@ -147,147 +94,88 @@ Đã 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 " - + Gửi bằng tài khoản GitHub + Buy now Hủy - Thẻ - Tròn - Thẻ màu - Thẻ - Tiệc tùng - Hiệu ứng băng chuyền trên màn hình đang phát - Xếp tầng - Truyền - Thay đổi - Nhật ký thay đổi được cập nhật trong ứng dụng Telegram - + Circle Thông tư - Cổ điển - Xóa - Xóa dữ liệu ứng dụng - Xóa danh sách đen - Xóa hàng đợi - Xoá danh sách phát - + %1$s? This can\u2019t be undone!]]> Đóng - Màu sắc - Màu sắc - Màu sắc - Tác giả - Đã sao chép thông tin thiết bị vào clipboard. - Kh\u00f4ng th\u1ec3 t\u1ea1o danh s\u00e1ch ph\u00e1t "Kh\u00f4ng th\u1ec3 t\u1ea3i xu\u1ed1ng \u1ea3nh b\u00eca album ph\u00f9 h\u1ee3p." Không thể khôi phục mua hàng. Không thể quét %d tập tin. - Tạo - Đã tạo danh sách phát %1$s. - Thành viên và cộng tác viên - Đang nghe %1$s bởi %2$s. - Xám đen - Không có lời bài hát - Xoá danh sách phát %1$s?]]> - Xoá danh sách phát - Xoá bài hát %1$s?]]> - Xoá bài hát - %1$d danh sách phát?]]> %1$d bài hát?]]> Đã xoá %1$d bài hát. - + Deleting songs Độ sâu - Mô tả - Thông tin thiết bị - Cho phép Retro Music cấu hình cài đặt âm thanh - Cài làm nhạc chuông - Bạn có muốn xóa danh sách đen? %1$s khỏi danh sách đen?]]> - Ủng hộ - Nếu bạn nghĩ rằng tôi xứng đáng được thưởng cho công việc này, bạn có thể để lại một số tiền ở đây. Cảm ơn bạn! :D - Mua cho tôi một: - Tải xuống từ Last.fm - + Drive mode Chỉnh sửa - Chỉnh sửa ảnh bìa - Trống - Bộ chỉnh âm - Lỗi - Câu hỏi thường gặp - Yêu thích - Kết thúc bài cuối - Phù hợp - Phẳng - Thư mục - + Follow system Cho bạn - + Free Toàn bộ - Thẻ đầy đủ - Thay đổi chủ đề và màu sắc của ứng dụng Nhìn và cảm nhận - Thể loại - Thể loại - Tham gia phát triển dự án trên Github - Tham gia cộng đồng Google Plus, nơi bạn có thể yêu cầu trợ giúp hoặc theo dõi các cập nhật Retro Music - 1 2 3 @@ -296,194 +184,123 @@ tiếp tục xảy ra hãy \"Xóa dữ liệu ứng dụng\" 6 7 8 - - - + Bố trí lưới Bản lề - Lịch sử - Trang chủ - Lật ngang - Hình ảnh - Ảnh màu chuyển sắc - Thay đổi cài đặt tải xuống hình ảnh nghệ sĩ - Đã chèn %1$d bài hát vào danh sách phát %2$s. - - Instagram Chia sẻ thiết lập Retro Music của bạn trong Instagram - Bàn phím - Bitrate - Định dạng Tên tệp Đường dẫn tệp Kích thước - + More from %s Tần số lấy mẫu - Độ dài - Được dán nhãn - Đã thêm gần đây - Bài cuối - Hãy nghe một vài bản nhạc - Thư viện - Danh mục thư viện - Giấy phép - Hoàn toàn trắng - + Listeners Danh sách tập tin - Đang tải sản phẩm... - Đăng nhập - Lời bài hát - Được làm bằng ❤️ ở Ấn Độ - Material - Lỗi - Lỗi quyền truy cập - Tên của bạn - Phát nhiều nhất - Không bao giờ - Ảnh biểu ngữ mới - Danh sách phát mới - Ảnh tiểu sử mới - %s là trang bắt đầu mới. - Bài kế - Không có album - Không có nghệ sĩ - "Phát một bài hát trước, sau đó thử lại." - Không tìm thấy bộ chỉnh âm - Không có thể loại - Không tìm thấy lời bài hát - + No songs playing Không có danh sách phát - Không tìm thấy giao dịch mua. - Không có kết quả - Không có bài hát - Tiêu chuẩn - Lời chuẩn - Bình thường - %s không được liệt kê trong thư mục nhạc.]]> - Không có gì để quét. - + Nothing to see Thông báo - Tùy chỉnh kiểu thông báo - Đang phát Đang phát hàng đợi Tùy chỉnh màn hình đang phát Hơn 9 giao diện đang phát - Chỉ khi dùng Wi-Fi - Tính năng nâng cao đang kiểm thử - Khác - Mật khẩu - Mỗi tháng - Dán lời bài hát tại đây - + Peak Quyền truy cập bộ nhớ ngoài bị từ chối. - Quyền đã bị từ chối. - Cá nhân hoá - Tùy chỉnh màn hình phát và giao diện người dùng - Chọn từ bộ nhớ trong - Chọn ảnh - Pinterest - + Follow Pinterest page for Retro Music design inspiration Giản dị - Thanh thông báo đang phát sẽ cho phép bạn phát nhạc/tạm dừng, chuyển bài,... Thông báo đang phát - Danh sách phát trống - Danh sách phát trống - Tên danh sách phát - Danh sách phát - + Album detail style Độ mờ được áp dụng cho các chủ đề mờ, thấp hơn là nhanh hơn Độ mờ - + Adjust the bottom sheet dialog corners + Dialog corner + Filter songs by length Lọc theo thời lượng bài hát - + Advanced Kiểu Album Âm thanh + Blacklist Điều khiển Chủ đề Hình ảnh Thư viện Màn hình khoá Danh sách phát - Tạm dừng phát khi tắt âm lượng và phát lại sau khi tăng âm lượng. Cảnh báo: Khi bạn tăng âm lượng, nó sẽ bắt đầu phát ngay cả khi bạn ở ngoài ứ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. + Start playing as soon as connected to bluetooth device Làm mờ ảnh bìa album trên màn hình khóa. Có thể gây ra sự cố với các ứng dụng và tiện ích của bên thứ ba Hiệu ứng băng chuyền cho ảnh bìa album trong màn hình đang phát. Lưu ý rằng nó không hoạt động với chủ đề Thẻ và Thẻ mờ Dùng thiết kế thông báo cổ điển @@ -491,8 +308,10 @@ tiếp tục xảy ra hãy \"Xóa dữ liệu ứng dụng\" 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ủ @@ -506,7 +325,6 @@ tiếp tục xảy ra hãy \"Xóa dữ liệu ứng dụng\" 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 Hiện thanh điều chỉnh âm lượng nếu có không gian trống trong màn hình đang phát - Hiện ảnh bìa album Chủ đề bìa album Kiểu bìa album đang phát @@ -516,12 +334,15 @@ tiếp tục xảy ra hãy \"Xóa dữ liệu ứng dụng\" Giảm âm lượng khi có âm báo Tự động tải xuống hình ảnh nghệ sĩ Danh sách đen + Bluetooth playback Làm mờ bìa album Chọn bộ chỉnh âm Thiết kế thông báo cổ điển Màu sắc thích nghi Đổi màu thông báo + Desaturated color Điều khiển bổ sung + Song info Phát không gián đoạn Chủ đề ứng dụng Hiện thẻ thể loại @@ -543,227 +364,153 @@ tiếp tục xảy ra hãy \"Xóa dữ liệu ứng dụng\" Chế độ ngẫu nhiên Điều khiển âm lượng Thông tin người dùng - Màu chủ đạo Màu sắc chủ đạo, mặc định là màu xanh xám, bây giờ hoạt động với màu tối - + Pro + Black theme, Now playing themes, Carousel effect and more.. Hồ sơ - Mua - *Hãy suy nghĩ kĩ trước khi mua, không yêu cầu hoàn tiền. - Hàng đợi - Đánh giá ứng dụng - Bạn thích ứng dụng này không? Hãy cho chúng tôi biết suy nghĩ của bạn trên Cửa hàng Play để chúng tôi có thể làm cho nó tốt hơn nữa - Album mới thêm - Nghệ sĩ mới thêm - Loại bỏ - Xóa ảnh biểu ngữ - Xoá ảnh bìa - Xóa khỏi danh sách đen - Xóa ảnh tiểu sử - Xoá bài hát khỏi danh sách phát %1$s khỏi danh sách phát?]]> - Xoá bài hát khỏi danh sách phát - %1$d bài hát khỏi danh sách phát?]]> - Đổi tên danh sách phát - Báo cáo vấn đề - Báo cáo lỗi - Cài lại - Đặt lại ảnh nghệ sĩ - Khôi phục - Khôi phục mua trước đó. Vui lòng khởi động lại ứng dụng để sử dụng tất cả các tính năng. Đã khôi phục lần mua trước. - Đang khôi phục mua hàng... - Bộ chỉnh âm Retro - + Retro Music Player Retro Music Pro - + File delete failed: %s + + Can\'t get SAF URI + Open navigation drawer + Enable \'Show SD card\' in overflow menu + + %s needs SD card access + You need to select your SD card root directory + Select your SD card in navigation drawer + Do not open any sub-folders + Tap \'select\' button at the bottom of the screen + File write failed: %s Lưu - Lưu thành - Lưu thành tệp - Danh sách phát đã lưu đến %s. - Lưu thay đổi - Quét phương tiện - Đã sửa %1$d trong %2$d tập tin. - + Scrobbles Tìm kiếm trong thư viện của bạn... - Chọn tất cả - Chọn ảnh biểu ngữ - Đã chọn - Gửi bản ghi lỗi - Cấu hình - Đặt ảnh nghệ sĩ thủ công - Chọn một hình cá nhân - Chia sẽ ứng dụng - + Share to Stories Ngẫu nhiên - Đơn giản - Đã huỷ hẹn giờ ngủ. Dừng phát nhạc sau %d phút kể từ bây giờ. - Trang - Album nhỏ - Xã hội - + Share story Bài hát - Thời lượng bài hát - Bài hát - Thứ tự sắp xếp Tăng dần Album Nghệ sĩ Tác giả Ngày + Date modified Năm Giảm dần - Xin lỗi! Thiết bị không hỗ trợ nhập liệu bằng giọng nói - Tìm kiếm trong thư viện của bạn - Ngăn xếp - Bắt đầu chơi nhạc - Đề nghị - Tên của bạn chỉ hiển thị trên trang chủ - Hỗ trợ nhà phát triển - + Swipe to unlock Karaoke - Bộ chỉnh âm hệ thống - Telegram Tham gia nhóm Telegram để thảo luận về lỗi, đưa ra đề xuất, và hơn thế nữa - Cảm ơn! - Tệp âm thanh - Mỗi tháng - Mỗi tuần - Mỗi năm - Nhỏ - Tiêu đề - Bảng điều khiển - Chào buổi chiều Ngày tốt lành Chào buổi tối Chào buổi sáng Chúc ngủ ngon - Tên của bạn là gì - Hôm nay - Album hàng đầu - Nghệ sĩ hàng đầu - "Rãnh (2 cho bài số 2 hoặc 3004 cho CD3 bài số 4)" - Số rãnh - Dịch - Giúp chúng tôi dịch ứng dụng sang ngôn ngữ của bạn - Twitter Chia sẻ thiết kế của bạn với Retro Music - Chưa gắn nhãn - Kh\u00f4ng th\u1ec3 ph\u00e1t b\u00e0i h\u00e1t n\u00e0y. - Tiếp theo - Cập nhật hình ảnh - Đang cập nhật... - Tên người dùng - Phiên bản - + Vertical flip Trình ảo hóa - + Volume Tìm kiếm trên web - Chào mừng, - Bạn muốn chia sẻ gì? - Có gì mới! - Cửa sổ - Góc tròn - Đặt %1$s làm nhạc chuông. - %1$d đã chọn - Năm - Bạn phải chọn ít nhất một danh mục. - Bạn sẽ được chuyển tiếp đến trang web theo dõi vấn đề. - Dữ liệu tài khoản của bạn chỉ được sử dụng để xác thực. - More from %s + 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/master/values-zh-rCN/strings.xml b/app/src/main/res/master/values-zh-rCN/strings.xml new file mode 100644 index 00000000..f4cd0b83 --- /dev/null +++ b/app/src/main/res/master/values-zh-rCN/strings.xml @@ -0,0 +1,518 @@ + + + 团队、社交链接 + 主题色 + 主题色,默认为紫色。 + 关于 + 添加到收藏夹 + 加入播放队列 + 加入歌单 + 清空播放队列 + 清除播放列表 + 循环重复模式 + 删除 + 从设备中移除 + 详情 + 查看此专辑 + 查看艺术家 + 查看流派 + 返回起始目录 + 授权 + 网格大小 + 网格大小(横向) + 新建播放列表 + 下一首 + 播放 + 播放全部 + 下首播放 + 播放/暂停 + 上一首 + 从收藏夹中移除 + 从播放队列中移除 + 从播放列表中移除 + 重命名 + 保存播放队列 + 扫描 + 搜索 + 开始 + 设为铃声 + 设为起始目录 + "设置" + 分享 + 全部随机播放 + 随机播放列表 + 睡眠定时器 + 排序 + 标签编辑器 + 切换收藏夹 + 切换随机播放模式 + 自适应 + 添加 + 添加歌词 + 添加\n头像 + "添加到播放列表" + 添加时间戳歌词 + "已添加1首歌到播放队列。" + 已添加 %1$d 首歌到播放队列。 + 专辑 + 专辑艺术家 + 标题或艺术家是空的。 + 专辑 + 始终 + 嘿,快来瞧瞧这个酷炫的音乐播放器:https://play.google.com/store/apps/details?id=%s + 随机播放 + 热门曲目 + Retro Music - 大 + Retro Music - 卡片模式 + Retro Music - 经典模式 + Retro Music - 小 + Retro music - 文本 + 艺术家 + 艺术家 + 音频焦点丢失。 + 更改声音设置或调整均衡器 + 自动 + 基础颜色主题 + 低音增强 + 个性签名 + 简介 + A屏黑 + 黑名单 + 模糊 + 模糊卡片 + 无法提交报告 + 无效的访问令牌,请联系应用开发者。 + 目的仓库的 Issues 未启用,请联系应用开发者。 + 发生未知错误,请联系应用开发者。 + 错误的用户名或密码 + 问题 + 手动发送 + 请输入问题描述 + 请您输入有效的 GitHub 密码 + 请输入问题标题 + 请您输入有效的 GitHub 用户名 + 出错了,如一直崩溃请尝试清除应用数据或发送邮件给开发者 + 正在上传报告到 GitHub… + 使用 GitHub 帐户发送 + 立即购买 + 取消 + 卡片 + 圆形 + 彩色卡片 + 卡片 + 轮播 + 在「正在播放」界面使用轮播效果 + 层叠 + 投射 + 更新日志 + 在 Telegram 频道上维护更新日志 + 环形 + 圆形 + 古典 + 清空 + 清除应用数据 + 清空黑名单 + 清空队列 + 清除播放列表 + %1$s 吗? 该步骤无法撤销!]]> + 关闭 + 颜色 + 颜色 + 更多颜色 + 作曲家 + 已复制设备信息到剪贴板。 + 无法创建播放列表。 + "无法下载匹配的专辑封面。" + 无法恢复购买。 + 无法扫描 %d 个文件。 + 创建 + 已创建播放列表 %1$s。 + 开发团队和贡献者 + 正通过 %2$s 收听 %1$s。 + 暗夜黑 + 暂无歌词 + 删除播放列表 + %1$s 吗?]]> + 删除播放列表 + 删除歌曲 + %1$s吗?]]> + 删除歌曲 + %1$d 吗?]]> + %1$d 吗?]]> + 已删除 %1$d 首歌曲。 + 正在删除歌曲 + 深度 + 详情 + 设备信息 + 允许 Retro Music 修改声音设置 + 设为铃声 + 您想清空黑名单吗? + %1$s 吗?]]> + 捐赠 + 如果您认为应用还不错,可以通过捐赠支持我们 + 用以下方式捐赠: + 从 Last.fm 下载 + 驾驶模式 + 编辑 + 编辑专辑封面 + 空空如也 + 均衡器 + 错误 + 常见问题和解答 + 收藏夹 + 播放完最后一首歌曲 + 填充 + 扁平 + 文件夹 + 跟随系统 + 私人订制 + 免费 + 全屏 + 填充卡片 + 更改应用的主题和颜色 + 界面与外观 + 流派 + 流派 + 在 GitHub 上克隆项目 + 加入 Google+ 社区获得帮助或者更新信息 + 1 + 2 + 3 + 4 + 5 + 6 + 7 + 8 + 网格样式 + 关键 + 历史记录 + 主页 + 水平翻转 + 图片 + 渐变图片 + 更改下载艺术家图像方式 + 将歌曲 %1$d 加入 %2$s 列表。 + 将您的设置分享到 Instagram + 键盘 + 比特率 + 格式 + 文件名 + 文件路径 + 尺寸大小 + 来自 %s 的更多信息 + 采样率 + 长度 + 已标记 + 最近添加 + 最后一首 + 来点音乐吧! + 媒体库 + 媒体库分类 + 许可 + 质感白 + 监听器 + 正在罗列所有文件 + 加载产品... + 登录 + 歌词 + 印度 ❤️ 制造 + 质感 + 错误 + 权限错误 + 我的名字 + 播放最多 + 从不 + 新横幅图片 + 新建播放列表 + 使用新的头像 + %s 是新的起始目录。 + 下一曲 + 暂无专辑 + 暂无艺术家 + "请播放歌曲后重试" + 找不到均衡器 + 暂无流派 + 找不到歌词 + 没有播放的歌曲 + 暂无播放列表 + 找不到支付记录 + 暂无结果 + 暂无歌曲 + 正常 + 正常歌词 + 正常 + %s 未在媒体存储中列出。]]> + 检索不到任何东西。 + 空空如也 + 通知栏 + 自定义通知栏风格 + 正在播放 + 正在播放队列 + 自定义播放界面 + 多于 9 种播放主题 + 仅限 Wi-Fi 网络 + 高级测试功能 + 其他 + 密码 + 最近三个月 + 在此处粘贴歌词 + 顶点 + 访问外部存储权限时被拒绝。 + 权限被拒绝。 + 个性化 + 自定义正在播放控件和UI控件 + 从本地选取 + 选择图片 + Pinterest + 在 Pintrest 页面关注 Retro Music 的设计灵感 + 简洁 + 播放通知栏提供播放/暂停等操作。 + 通知栏播放 + 播放列表为空 + 播放列表为空 + 播放列表名 + 播放列表 + 专辑详细风格 + 应用于模糊主题,数值越低加载越快 + 模糊值 + 调整底部表格对话框圆角 + 对话框圆角 + 按长度筛选歌曲 + 筛选歌曲时长 + 高级 + 专辑样式 + 音频 + 黑名单 + 控件 + 主题 + 图片 + 媒体库 + 锁屏 + 播放列表 + 在音量为0时暂停播放,并在提高音量后自动播放。注意:当您提高音量后,它甚至会在您使用其他应用时开始播放 + 静音暂停 + 请注意,启用此功能可能会降低电池续航时间 + 保持屏幕常亮 + 点击打开或者滑动到非正在播放界面的透明导航栏 + 单击或划动 + 降雪效果 + 将正在播放的歌曲专辑封面设置为锁屏壁纸 + 系统音响起或消息提醒时降低音量 + 在媒体库中隐藏列入黑名单的文件夹内容。 + 连接到蓝牙设备后立即开始播放 + 在锁屏中显示模糊化的专辑封面 +(可能会影响第三方应用或小部件正常运行) + 在「正在播放」界面中使用轮播效果 +(在使用卡片和模糊卡片主题时无效 ) + 使用经典通知栏设计 + 背景色以及控件色跟随正在播放界面的专辑封面变化 + 将快捷方式颜色更改为强调色,每次颜色更改后需要切换一下该设置才能生效 + 将导航栏颜色修改为主色调 + "将通知栏颜色修改为专辑封面的强调色" + 根据材料设计指南,黑色模式时颜色应该降低饱和度 + 从专辑封面或艺术家图像中选取主色调 + 给迷你播放器添加额外控件 + 显示额外的歌曲信息,例如文件格式、比特率和频率 + "在一些设备上可能会播放异常" + 切换流派标签 + 切换主页横幅样式 + 可以提高封面质量,但加载时间较慢 +(建议只在图片分辨率过低时开启) + 配置媒体库的可见性和顺序 + 使用 Retro Music 的自定义锁屏 + 开源许可详情 + 使应用边角圆滑 + 切换底部导航栏的标签标题 + 沉浸模式 + 连接耳机后立即开始播放 + 播放新列表时关闭随机播放 + 空间充足时在播放界面显示音量控制控件 + 显示专辑封面 + 专辑封面主题 + 专辑封面跳过 + 专辑网格 + 着色应用快捷方式 + 艺术家网格 + 焦点丢失时降低音量 + 自动下载艺术家图片 + 黑名单 + 蓝牙播放 + 模糊专辑封面 + 选择均衡器 + 经典通知栏设计 + 自适应颜色 + 着色通知栏 + 不饱和色 + 额外控件 + 歌曲信息 + 无缝播放 + 应用主题 + 显示流派标签 + 主页艺术家网格 + 主页横幅 + 忽略媒体存储封面 + 上次添加播放列表到现在的间隔 + 全屏控件 + 着色导航栏 + 正在播放主题 + 开源许可 + 边角 + 标签标题模式 + 轮播效果 + 主色调 + 全屏应用 + 标签标题 + 自动播放 + 随机播放 + 音量控件 + 用户信息 + 主颜色 + 蓝灰色为默认主色调,目前正使用深色 + 高级版 + 黑色主题,正在播放主题,轮播效果和更多... + 个人信息 + 购买 + *购买前请先考虑,不要征询退款。 + 队列 + 评价 + 喜欢这个应用?去 Google Play Store 中告诉我们怎样才能让它更好 + 最近专辑 + 最近艺术家 + 删除 + 删除横幅图像 + 移除封面 + 从黑名单中移除 + 删除简介照片 + 从播放列表中删除歌曲 + %1$s?]]> + 从播放列表中删除歌曲 + %1$d?]]> + 重命名播放列表 + 报告问题 + 报告错误 + 重置 + 重置艺术家图片 + 恢复 + 恢复以前的购买。请重新启动应用以充分利用所有功能。 + 恢复之前的购买。 + 恢复购买中... + Retro Music 均衡器 + Retro Music Player + Retro Music 高级版 + 文件删除失败:%s + + 无法获取 SAF URI + 打开导航栏 + 在溢出菜单中启用「显示 SD 卡」 + + %s 需要访问 SD 卡 + 您需要选择您的 SD 卡根目录 + 在导航抽屉中选择您的 SD 卡 + 不要打开任何子文件夹 + 点击界面底部的「选择」按钮 + 文件写入失败:%s + 保存 + + + 保存为文件 + 保存为文件 + 保存播放列表到 %s。 + 保存修改 + 扫描媒体 + 已扫描 %1$d 个,共计 %2$d 个文件。 + 滚动条 + 搜索媒体库... + 全选 + 选择横幅图像 + 已选中 + 发送崩溃日志 + 设置 + 设置艺术家图片 + 设置个人资料照片 + 分享应用 + 分享到故事 + 随机播放 + 简单 + 睡眠定时已取消。 + 睡眠定时器设置为 %d 分钟。 + 滑动 + 小专辑 + 社交 + 分享故事 + 歌曲 + 歌曲时长 + 歌曲 + 排序 + 升序 + 专辑 + 艺术家 + 作曲家 + 日期 + 修改日期 + 年份 + 降序 + 抱歉!您的设备不支持语音输入 + 搜索媒体库 + 堆栈 + 开始播放音乐。 + 建议 + 仅仅在主页上显示您的名字 + 支持开发者 + 滑动以解锁 + 滚动歌词 + 系统均衡器 + + Telegram + 加入 Telegram 团队,讨论错误,提出建议,展示信息等等 + 谢谢您! + 音频文件 + 本月 + 本周 + 本年 + 细小 + 标题 + 仪表盘 + 下午好 + 美好的一天 + 傍晚好 + 早上好 + 晚上好 + 您的名字是什么? + 今日 + 热门专辑 + 热门艺术家 + "音轨" + 音轨编号 + 翻译 + 帮助我们将应用翻译成您的语言 + Twitter + 与 Retro Music 分享您的设计 + 未标记 + 无法播放这首歌曲。 + 下一首 + 更新图片 + 更新中... + 用户名 + 版本 + 垂直翻转 + 虚拟器 + 音量 + 网络搜索 + 欢迎, + 您想分享什么? + 更新内容 + 窗口 + 圆角 + 将 %1$s 设置为铃声。 + 已选择 %1$d 首 + 年份 + 请至少选择一个分类。 + 将跳转至问题追踪网站。 + 您的账户数据仅用于验证。 + 数量 + 备注(可选) + 开始支付 + 显示正在播放界面 + 点击通知将显示「正在播放界面」而不是「主界面」 + Tiny card + diff --git a/app/src/main/res/master/values-zh-rHK/strings.xml b/app/src/main/res/master/values-zh-rHK/strings.xml new file mode 100644 index 00000000..4b09542f --- /dev/null +++ b/app/src/main/res/master/values-zh-rHK/strings.xml @@ -0,0 +1,515 @@ + + + 我們的團隊,以及社交媒體 + 主題色 + 主題重色,預設為藍綠色 + 關於 + 加入至我的最愛 + 加入至播放列表 + 加入至播放清單 + 清除播放列表 + 清除播放清單 + 循環播放模式 + 刪除 + 由裝置記憶體刪除 + 內容 + 到專輯頁面 + 轉到歌手頁面 + 轉到類型頁面 + 到主目錄 + 接收 + 網格大小 + 網格大小(橫向) + 新播放清單 + 下一首 + 播放 + 播放全部 + 播放下一首 + 播放/暫停 + 上一首 + 由我的最愛移除 + 由播放列表移除 + 由播放清單移除 + 重新命名 + 儲存播放清單 + 掃描 + 搜尋 + 開始 + 設定為鈴聲 + 設定為主目錄 + "設定" + 分享 + 全部隨機播放 + 隨機播放播放清單 + 休眠計時器 + 排序方式 + 標籤編輯 + 切換至我的最愛 + 切換隨機播放模式 + 自適應 + 增加 + 增加歌詞 + 增加\n相片 + "加入至播放清單" + 增加時間同步歌詞 + "已經將1首歌曲新增至播放列表。" + 已經將 %1$d 首歌曲新增至播放列表。 + 專輯 + 專輯歌手 + 標題或歌手一欄是空白的。 + 專輯 + 經常 + 哈囉!來看看這個很有型的播放器吧: https://play.google.com/store/apps/details?id=%s + 隨機播放 + 歌曲榜 + Retro Music - 大型模式 + Retro Music - 卡片模式 + Retro Music - 經典模式 + Retro Music - 小型模式 + Retro Music - 文字模式 + 歌手 + 歌手 + 無法找到音頻焦點。 + 更改音頻設定及調整等化器 + 自動 + 基色主題 + 低音增強 + 個人資料 + 演出者資料 + 純黑 + 黑名單 + 模糊 + 模糊卡片 + 無法上傳報告 + 存取金鑰無效。請與程式開發人員聯絡。 + 已選的資源庫並未針對此問題而啟用。請與程式開發人員聯絡。 + 發生未預期的錯誤。請與程式開發人員聯絡。 + 用戶名稱或密碼錯誤 + 問題 + 手動傳送 + 請輸入問題描述 + 請輸入您的有效GitHub密碼 + 請輸入問題標題 + 請輸入您的有效GitHub用戶名稱 + 發生未預期的錯誤。真抱歉您發現了這個bug,如果一直死機請嘗試\"清除程式數據\",或者傳送電郵給我們 + 正在上傳報告至GitHub... + 使用Github帳戶傳送 + 立即購買 + 取消 + 卡片 + 圓盤 + 彩色卡片 + 卡片 + 轉盤 + 在現在播放的轉盤效果 + 階層式 + 投放 + 版本最新動向 + 在Telegram頻道取得更新動向 + Circle + 圓盤 + 基本 + 清除 + 清除程式數據 + 清除黑名單 + 清除列表 + 清除播放清單 + %1$s播放清單嗎?此動作將無法復原!]]> + 關閉 + 彩色 + 彩色 + 色彩 + 作曲者 + 已複製裝置內容到剪貼簿 + 無法建立播放清單。 + "無法下載符合的專輯圖片。" + 無法恢復購買狀態。 + 無法掃描%d個檔案。 + 新增 + 已新增%1$s播放清單。 + 成員和貢獻者 + 我在聽由 %2$s 唱的 %1$s 。 + 暗黑 + 沒有歌詞 + 刪除播放清單 + %1$s播放清單嗎?]]> + 刪除多個播放清單 + 刪除歌曲 + %1$s歌曲嗎?]]> + 刪除多首歌曲 + %1$d個播放清單嗎?]]> + %1$d首歌曲嗎?]]> + 已刪除%1$d首歌曲。 + 正在刪除歌曲 + 深度式 + 描述 + 裝置內容 + 允許Retro Music更改音效設定 + 設定鈴聲 + 要清除黑名單嗎? + %1$s由黑名單移除嗎?]]> + 捐款 + 若果您覺得我的開發工作值得回報,可以捐助幾元給我 + 給我買個: + 由Last.fm下載 + 駕駛模式 + 編輯 + 編輯專輯圖片 + 空白 + 等化器 + 錯誤 + 常見問題 + 我的最愛 + 最後一首已經結束播放 + Fit + 平面 + 資料夾 + 依照系統 + 給您的 + 免費 + 全螢幕 + 完整卡片 + 更改程式主題及色彩 + 介面外觀 + 類型 + 類型 + 在Github參與專案 + 加入Google+社交圈,在那裡您可以提出疑問或追蹤Retro Music的更新 + 1 + 2 + 3 + 4 + 5 + 6 + 7 + 8 + 網格及樣式 + 鉸鏈式 + 歷史 + 主頁 + 水平翻轉式 + 圖片 + 漸變圖像 + 更改下載歌手相片設定 + 已新增%1$d首歌曲到%2$s播放清單。 + 在Instagram分享以展示您的RetroMusic版面 + 鍵盤 + 位元率 + 格式 + 檔案名 + 檔案位址 + 大小 + More from %s + 取樣頻率 + 長度 + 已標記 + 最近新增 + 最後一首 + 讓我們播放音樂吧 + 媒體庫 + 類別庫 + 許可證 + 淺白色 + Listeners + 正在列出檔案 + 載入中... + 登入 + 歌詞 + 在印度用❤️做 + 物質 + 錯誤 + 權限錯誤 + 名字 + 最常播放 + 永不 + 新橫幅圖片 + 新播放清單 + 新個人資料圖片 + 最新的主目錄是%s。 + 下一首 + 沒有專輯 + 沒有歌手 + "請先播放一首歌曲,然後再試一次。" + 找不到等化器 + 無類型 + 找不到歌詞 + No songs playing + 沒有播放清單 + 無法找到購買狀態。 + 沒有結果 + 沒有歌曲 + 常用 + 正常歌詞 + 常用 + %s不在媒體庫。]]> + 沒有項目可以掃描。 + Nothing to see + 通知欄 + 個人化通知欄樣式 + 現在播放 + 現在播放清單 + 個人化現在播放界面 + 9+ 現在播放介面主題 + 僅透過Wi-Fi + 進階測試功能 + 其他 + 密碼 + 在3個月內 + 在此貼上歌詞 + 波紋 + 存取外置儲存空間權限被拒。 + 存取權限被拒。 + 個人化 + 個人化現在播放及用戶界面 + 由裝置儲存空間選擇 + 選擇圖片 + Pinterest + 加入我們的Pinterest來知道更多Retro Music的設計靈感 + 單色 + 播放通知欄包含了播放/暫停等動作。 + 播放通知欄 + 空白播放清單 + 空白播放清單 + 播放清單名稱 + 播放清單 + 專輯詳細樣式 + 給模糊模式主題的值,每值愈低就愈快 + 模糊值 + Adjust the bottom sheet dialog corners + 對話框圓角 + Filter songs by length + 過濾歌曲長度 + Advanced + 專輯樣式 + 音樂 + Blacklist + 控制 + 主題 + 圖片 + 媒體庫 + 鎖定螢幕 + 播放清單 + 當無音量時暫停,提高音量時播放。請注意無論你是否開啟了程式此選項也適用 + 無音量時暫停 + 請記住當您啟用此選項後或會影響電池壽命 + 螢幕保持開啟 + 點擊或滑動開啟無透明現在播放導航欄 + 點擊或滑動 + 雪花效果 + 使用現在播放歌曲的專輯圖片來用作鎖定畫面背景圖片 + 當播放系統聲音或收到通知時降低音量 + 列入黑名單的資料夾內的資料會在您的媒體庫隱藏。 + Start playing as soon as connected to bluetooth device + 在鎖定螢幕將專輯圖片模糊化。會引致第三方程式及工具無法正常運作 + 於現正播放專輯圖片使用的轉盤效果。請注意卡片模式及模糊卡片模式將無法使用此效果 + 使用基本的通知欄設計 + 背景及控制按鈕色彩根據現在播放中的專輯圖片而轉變 + 將重色設為程式捷徑色彩。每次更改色彩後請切換此選項來生效 + 設定導航欄色彩為主色調 + "\u5f9e\u5c08\u8f2f\u5716\u7247\u4e2d\u6700\u9bae\u660e\u7684\u8272\u5f69\u4f86\u6311\u9078\u901a\u77e5\u6b04\u8272\u5f69" + 根據物質設計指南(Material Design guide),在暗黑模式下的顏色應完全去飽和化 + 大多數主色會從專輯或歌手圖片中挑選 + 在迷你播放器增加控制項 + Show extra Song information, such as file format, bitrate and frequency + "或會引致某些裝置播放功能無法正常運作。" + 切換類型標籤 + 切換首頁橫幅樣式 + 可以提升專輯圖片質素,但這會引致加長圖片載入時間。建議只有當您的載入專輯圖片時質素較差時啟用 + 修改類別的可視性及順序。 + 使用Retro Music自訂鎖定螢幕控制 + 開放軟件特許條款內容 + 將程式的邊角圓角化 + 切換底部導航欄的標題標籤 + 全螢幕模式 + 當耳機連接後開始立即播放 + 播放新清單時會關閉隨機播放模式 + 如果現在播放控制有足夠空間則會顯示音量控制 + 顯示專輯圖片 + 專輯圖片主題 + 專輯圖片轉場 + 專輯網格 + 彩色化程式捷徑 + 歌手網格 + 失去音頻焦點時降低音量 + 自動下載歌手相片 + 黑名單 + Bluetooth playback + 模糊化專輯圖片 + 選擇等化器 + 基本通知欄設計 + 自適應色彩 + 彩色通知欄 + 飽和色 + 額外控制項 + Song info + 無縫播放 + 應用主題 + 顯示類型標籤 + 首頁歌手網格 + 首頁橫幅 + 忽略音樂檔內含的專輯圖片 + 最近新增播放清單間隔 + 全螢幕控制 + 彩色導航欄 + 現在播放介面主題 + 開放源碼認證 + 螢幕圓角 + 標題標籤模式 + 轉盤效果 + 主色 + 全螢幕程式 + 標題標籤 + 自動播放 + 隨機模式 + 音量控制 + 使用者資料 + 原色 + 主原色預設為灰藍色,現在適用於深色色彩 + Pro + 現時播放主題、轉盤效果,還有更多... + 個人資料 + 購買 + *購買前要三思,切勿要求退款 + 播放列表 + 為這個App評分 + 喜歡這個App嗎?請讓我們知道如何提供更好的體驗 + 近期專輯 + 近期歌手 + 移除 + 移除橫幅圖片 + 移除專輯圖片 + 由黑名單中移除 + 移除個人資料圖片 + 將歌曲由播放清單移除 + %1$s 歌曲由播放清單移除嗎?]]> + 將多首歌曲由播放清單移除 + %1$d 首歌曲由播放清單移除嗎?]]> + 重新命名播放清單 + 回報問題 + 回報錯誤 + 重設 + 重設歌手相片 + 恢復 + 已恢復上次購買狀態。請重新啟動程式來應用所有功能。 + 回復購買狀態 + 正在恢復購買狀態... + Retro等化器 + Retro Music Player + Retro Music Pro + 刪除檔案失敗: %s + + 獲取SAF URI失敗 + 開啟隱藏式選單 + 在溢出選單中啟用\'顯示SD卡\' + + %s 需要SD卡存取權。 + 您需要選擇SD卡的根目錄。 + 在隱藏式選單中選擇您的SD卡 + 不要開啟任何子資料夾 + 點擊螢幕底下的\'選擇\'按鈕 + 寫人檔案失敗: %s + 儲存 + + + 儲存檔案 + 儲存為多個檔案 + 已儲存播放清單到%s。 + 儲存 + 掃描媒體 + 成功掃描 %2$d 項目 中的 %1$d 項目。 + Scrobbles + 搜尋媒體庫... + 選擇全部 + 選擇橫幅圖片 + 已選 + 傳送報告 + 設定 + 設定歌手相片 + 設定個人資料圖片 + 分享程式 + Share to Stories + 隨機播放 + 簡單 + 休眠計時器已經取消。 + 休眠計時器從現在開始 %d 分鐘後停止播放。 + 滑動 + 迷你專輯 + 社交 + Share story + 歌曲 + 歌曲長度 + 歌曲 + 排序 + 遞增 + 專輯 + 歌手 + 作曲者 + 日期 + Date modified + 年份 + 遞減 + 對不起!您的裝置不支援語音服務 + 搜尋媒體庫 + 堆疊 + 開始播放音樂。 + 建議 + 只會在首頁顯示您的名字 + 開發支援 + 滑動螢幕以解鎖 + 同步歌詞 + 系統等化器 + + Telegram + 加入Telegram群組,討論程式錯誤、給予建議、炫耀一下,還有更多 + 多謝您! + 音樂檔案 + 這個月 + 這個星期 + 這年 + 迷你 + 標題 + 通知板 + 您好 + 今天真美好 + 晚安 + 早晨 + 晚安 + 您的名字是... + 今天 + 專輯榜 + 歌手榜 + "音軌 (2指音軌2或3004指CD3中的音軌4)" + 歌曲號碼 + 翻譯 + 協助我們將這個應用程式翻譯成為您的語言 + Twitter + 分享您的Retro Music設計 + 未標記 + \u7121\u6cd5\u64ad\u653e\u9019\u9996\u6b4c\u66f2\u3002 + 下一首 + 更新圖片 + 更新中... + 用戶名稱 + 版本 + 垂直翻轉式 + 音樂效果 + Volume + 網路搜尋 + 歡迎, + 有什麼內容想分享的? + 最新動向 + 視窗 + 圓角 + 已經將%1$s設定為您的鈴聲。 + %1$d個已選擇 + 年份 + 您必須選擇最少一項類別。 + 您將會轉到問題跟蹤網站。 + 您的帳戶只會用於認證用途。 + 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/master/values-zh-rTW/strings.xml b/app/src/main/res/master/values-zh-rTW/strings.xml new file mode 100644 index 00000000..9a51ea7c --- /dev/null +++ b/app/src/main/res/master/values-zh-rTW/strings.xml @@ -0,0 +1,515 @@ + + + Team, social links + 重點色調 + 重點色調,預設為粉紅色。 + 關於 + 加到最愛 + 加入播放佇列 + 加入播放清單... + 清空播放佇列 + 清除播放清單 + Cycle repeat mode + 刪除 + 刪除 + 詳細資訊 + 開啟此專輯 + 前往此演唱者頁面 + Go to genre + 前往起始目錄 + 取得 + 網格大小 + 網格大小 + New playlist + 下一首 + 播放 + Play all + 在下一首播放 + 播放/暫停 + 上一首 + 從最愛中移除 + 從播放佇列中移除 + 從播放清單移除 + 重新命名 + Save playing queue + 掃描 + 搜尋 + 設定 + 設為鈴聲 + 設為起始目錄 + "設定" + 分享 + 隨機播放 + 隨機播放清單 + 睡眠定時器 + Sort order + 編輯音樂資訊 + Toggle favorite + 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 + 隨機播放 + 最佳單曲 + Retro music - 大型 + Retro music - Card + Retro music - 經典 + Retro music - 小型 + Retro music - Text + 演唱者 + 演唱者 + 無法控制音訊焦點。 + Change the sound settings and adjust the equalizer controls + Auto + Base color theme + Bass Boost + Bio + 簡介 + 純黑(AMOLED) + Blacklist + Blur + Blur Card + Unable to send report + Invalid access token. Please contact the app developer. + Issues are not enabled for the selected repository. Please contact the app developer. + An unexpected error occurred. Please contact the app developer. + Wrong username or password + Issue + Send manually + Please enter an issue description + Please enter your valid GitHub password + Please enter an issue title + Please enter your valid GitHub username + An unexpected error occurred. Sorry you found this bug, if it keeps crashing \"Clear app data\" or send an Email + Uploading report to GitHub… + Send using GitHub account + Buy now + 取消目前的計時器 + Card + Circular + Colored Card + Card + Carousel + Carousel effect on the now playing screen + Cascading + Cast + 新功能 + Changelog maintained on the Telegram channel + Circle + Circular + Classic + 清空 + Clear app data + Clear blacklist + Clear queue + 清空播放清單 + %1$s? This can\u2019t be undone!]]> + Close + Color + Color + 主題顏色 + Composer + Copied device info to clipboard. + Couldn\u2019t create playlist. + "Couldn\u2019t download a matching album cover." + Could not restore purchase. + 不能掃描 %d。 + 建立 + 已新增播放清單 %1$s。 + Members and contributors + 我正在聽 %2$s 的 %1$s + 暗沉 + No Lyrics + 刪除播放清單 + %1$s 嗎?]]> + 刪除多個播放清單 + Delete song + %1$s 嗎?]]> + Delete songs + %1$d 個播放清單?]]> + %1$d 首歌嗎?]]> + 已刪除 %1$d 首歌。 + Deleting songs + Depth + Description + Device info + Allow Retro Music to modify audio settings + Set ringtone + Do you want to clear the blacklist? + %1$s from the blacklist?]]> + 捐助 + 如果你認為我的努力值得回報,你可以在這裡留幾塊錢。 + Buy me a: + 從 Last.fm 下載 + Drive mode + Edit + Edit cover + 空的 + 等化器 + Error + FAQ + 最愛 + Finish last song + Fit + 方角 + 文件夾 + Follow system + For you + Free + Full + Full card + Change the theme and colors of the app + Look and feel + 類型 + Genres + Fork the project on GitHub + Join the Google Plus community where you can ask for help or follow Retro Music updates + 1 + 2 + 3 + 4 + 5 + 6 + 7 + 8 + Grid style + Hinge + 記錄 + 首頁 + Horizontal flip + Image + Gradient image + Change artist image download settings + 已將 %1$d 首歌加入播放清單 %2$s 中。 + Share your Retro Music setup to showcase on Instagram + Keyboard + 位元率 + 格式 + 檔案名稱 + 檔案路徑 + 檔案大小 + More from %s + 取樣率 + 長度 + Labeled + 最後新增 + Last song + Let\'s play some music + 音樂庫 + Library categories + 原始碼授權 + 明亮 + Listeners + 清單文件 + 正在載入 + Login + 歌詞 + Made with ❤️ in India + Material + Error + Permission error + Name + 我的最佳單曲 + 永不 + New banner photo + 新增播放清單 + New profile photo + %s是新的起始目錄 + Next Song + 沒有專輯 + 沒有演唱者 + "請先播放一首歌後再重試一遍。" + 找不到等化器。 + You have no genres + No lyrics found + No songs playing + 沒有播放清單 + No purchase found. + 沒有搜尋結果 + 沒有歌曲 + Normal + Normal lyrics + Normal + %s 未在音樂庫裡。]]> + 沒有東西可掃描。 + Nothing to see + 通知 + Customize the notification style + Now playing + 播放佇列 + Customize the now playing screen + 9+ now playing themes + 只在有 Wi-Fi 連接時 + Advanced testing features + Other + Password + Past 3 months + Paste lyrics here + Peak + 無法取得存取外部儲存空間的權限。 + 存取被拒 + Personalize + Customize your now playing and UI controls + 從手機裡選擇(SD卡或記憶體) + Pick image + Pinterest + Follow Pinterest page for Retro Music design inspiration + Plain + The playing notification provides actions for play/pause etc. + Playing notification + 播放清單是空的 + Playlist is empty + 播放清單名稱 + 播放清單 + Album detail style + Amount of blur applied for blur themes, lower is faster + Blur amount + Adjust the bottom sheet dialog corners + Dialog corner + Filter songs by length + Filter song duration + Advanced + Album style + 音訊 + Blacklist + Controls + Theme + 圖片 + Library + 鎖定螢幕 + Playlists + Pauses the song when the volume decreases to zero and starts playing back when the volume level rises. Also works outside the app + Pause on zero + Keep in mind that enabling this feature may affect battery life + Keep the screen on + Click to open with or slide to without transparent navigation of now playing screen + Click or Slide + Snow fall effect + 將播放中歌曲的專輯封面設為鎖定螢幕背景。 + 通知鈴聲、導航語音等。 + The content of blacklisted folders is hidden from your library. + Start playing as soon as connected to bluetooth device + 在鎖定畫面上模糊化專輯圖片。第三方程式和小工具可能不正常運作。 + Carousel effect for the album art in the now playing screen. Note that Card and Blur Card themes won\'t work + 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 + Toggle home banner style + 提高專輯封面的成像品質,但會造成較長的讀取時間。建議只有在您對低畫質的專輯封面有問題時才開啟此選項。 + 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 + If enough space is available, show volume controls in the now playing screen + 顯示專輯封面 + Album cover theme + Album cover skip + Album grid + 彩色的應用快捷方式 + Artist grid + 在焦點音訊響起時降低音量 + 自動下載演唱者圖片 + Blacklist + Bluetooth playback + 將專輯圖片模糊化 + Choose equalizer + Classic notification design + 自適應顏色 + 彩色的狀態列 + Desaturated color + Extra controls + Song info + 無縫播放 + 主題 + Show genre tab + Home artist grid + Home banner + 忽略音訊檔內嵌的專輯封面 + Last added playlist interval + Fullscreen controls + 彩色的導航列 + 外觀 + 開源授權協議 + 圓形邊角 + Tab titles mode + Carousel effect + Dominant color + Fullscreen app + Tab titles + Auto-play + Shuffle mode + Volume controls + User info + 主色調 + The primary theme color, defaults to blue grey, for now works with dark colors + Pro + Black theme, Now playing themes, Carousel effect and more.. + Profile + Purchase + *Think before buying, don\'t ask for refund. + 播放佇列 + 評分 + 如果您喜歡 Retro music,在 Play 商店給個好評吧 ! + Recent albums + Recent artists + 移除 + Remove banner photo + 移除封面 + Remove from blacklist + Remove profile photo + 將歌曲從播放清單中移除 + %1$s 從播放清單中移除嗎?]]> + 將多首歌曲從播放清單中移除 + %1$d 首歌從播放清單中移除嗎?]]> + 重新命名播放清單 + Report an issue + Report bug + Reset + Reset artist image + Restore + Restored previous purchase. Please restart the app to make use of all features. + 回復購買 + Restoring purchase… + Retro Music Equalizer + Retro Music Player + Retro Music Pro + File delete failed: %s + + Can\'t get SAF URI + Open navigation drawer + Enable \'Show SD card\' in overflow menu + + %s needs SD card access + You need to select your SD card root directory + Select your SD card in navigation drawer + Do not open any sub-folders + Tap \'select\' button at the bottom of the screen + File write failed: %s + Save + + + 儲存檔案 + Save as files + 已儲存播放清單至 %s + 儲存變更 + Scan media + 已掃描 %2$d 個檔案夾中的 %1$d 個。 + Scrobbles + 搜尋音樂庫… + Select all + Select banner photo + Selected + Send crash log + Set + Set artist image + Set a profile photo + Share app + Share to Stories + 隨機播放 + Simple + 已取消睡眠定時器。 + %d 分鐘後,音樂將會自動停止。 + Slide + Small album + Social + Share story + 歌曲 + Song duration + 歌曲 + 排序 + Ascending + Album + Artist + Composer + Date added + Date modified + Year + Descending + 抱歉!你的裝置不支援語音輸入 + 搜尋音樂庫 + Stack + Start playing music. + Suggestions + Just show your name on home screen + 支援開發 + Swipe to unlock + Synced lyrics + System Equalizer + + Telegram + Join the Telegram group to discuss bugs, make suggestions, show off and more + 感謝你! + 音訊檔案 + This month + This week + This year + Tiny + Title + Dashboard + Good afternoon + Good day + Good evening + Good morning + Good night + What\'s Your Name + Today + Top albums + Top artists + "音軌(用2表示第2首歌或用3004表示 CD3 的第4首歌)" + Track number + 翻譯 + Help us translate the app to your language + Twitter + Share your design with Retro Music + Unlabeled + \u7121\u6cd5\u64ad\u653e\u9019\u9996\u6b4c\u3002 + 即將播放 + 更新圖片 + 正在更新… + Username + 版本 + Vertical flip + Virtualizer + Volume + 網路搜尋 + Welcome, + 你想分享哪些內容? + What\'s New + Window + Rounded corners + 已將 %1$s 設為鈴聲。 + 已選取 %1$d 個 + 年份 + You have to select at least one category. + You will be forwarded to the issue tracker website. + Your account data is only used for authentication. + Amount + Note(Optional) + Start payment + Show now playing screen + Clicking on the notification will show now playing screen instead of the home screen + Tiny card + diff --git a/app/src/main/res/values-af-rZA/strings.xml b/app/src/main/res/values-af-rZA/strings.xml index 2124ffe5..911dc4dc 100644 --- a/app/src/main/res/values-af-rZA/strings.xml +++ b/app/src/main/res/values-af-rZA/strings.xml @@ -192,7 +192,6 @@ Gradient image Change artist image download settings Inserted %1$d songs into the playlist %2$s. - Instagram Share your Retro Music setup to showcase on Instagram Keyboard Bitrate @@ -512,4 +511,9 @@ 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 diff --git a/app/src/main/res/values-ar-rSA/strings.xml b/app/src/main/res/values-ar-rSA/strings.xml index 2124ffe5..d3141078 100644 --- a/app/src/main/res/values-ar-rSA/strings.xml +++ b/app/src/main/res/values-ar-rSA/strings.xml @@ -1,180 +1,181 @@ - Team, social links - Accent color - The theme accent color, defaults to purple - About - Add to favorites - Add to playing queue - Add to playlist - Clear playing queue - Clear playlist - Cycle repeat mode - Delete - Delete from device - Details - Go to album - Go to artist - Go to genre - Go to start directory - Grant - Grid size - Grid size (land) - New playlist - Next - Play - Play all - Play next - Play/Pause - Previous - Remove from favorites - Remove from playing queue - Remove from playlist - Rename - Save playing queue - Scan - Search - Start - Set as ringtone - Set as start directory - "Settings" - Share - Shuffle all - Shuffle playlist - Sleep timer - Sort order - Tag editor - Toggle favorite + الفريق, الروابط للتواصل + اللون الأساسي + لون تمييز المظهر ، يتم تعيينه إلى اللون الأرجواني + حول + اضافة الى المفضلة + إضافة الى قائمة التشغيل الحالية + أضف إلى قائمة التشغيل + إخلاء قائمة التشغيل الحالية + إخلاء قائمة التشغيل + وضع تكرار الدورة + حذف + حذف من الجهاز + تفاصيل + إنتقل إلى الالبوم + إنتقل إلى الفنان + إنتقل إلى النوع + إنتقل إلى الدليل + امنح + حجم الشبكة + حجم الشبكة (أفقيا) + قائمة تشغيل جديدة + التالي + تشغيل + تشغيل الكل + تشغيل التالي + تشغيل/ايقاف + السابق + ازالة من المفضلة + ازالة من قائمة التشغيل الحالية + ازالة من قائمة التشغيل + اعادة تسمية + حفظ قائمة التشغيل الحالية + فحص + بحث + تشغيل + تعين كنغمة رنين + تعين كدليل بداية + "الإعدادات" + مشاركة + خلط للكل + تشغيل عشوائي قائمة التشغيل + مؤقت النوم + ترتيب الفرز + محرر البطاقة + تبديل المفضلة Toggle shuffle mode - Adaptive - Add - Add lyrics - Add \nphoto - "Add to playlist" - Add time frame lyrics - "Added 1 title to the playing queue." - Added %1$d titles to the playing queue. - Album - Album artist - The title or artist is empty. - Albums - Always - Hey check out this cool music player at: https://play.google.com/store/apps/details?id=%s - Shuffle - Top Tracks - Retro music - Big - Retro music - Card - Retro music - Classic - Retro music - Small - Retro music - Text - Artist - Artists - Audio focus denied. - Change the sound settings and adjust the equalizer controls - Auto - Base color theme - Bass Boost - Bio - Biography - Just Black - Blacklist - Blur - Blur Card - Unable to send report - Invalid access token. Please contact the app developer. - Issues are not enabled for the selected repository. Please contact the app developer. - An unexpected error occurred. Please contact the app developer. - Wrong username or password - Issue - Send manually - Please enter an issue description - Please enter your valid GitHub password - Please enter an issue title - Please enter your valid GitHub username - An unexpected error occurred. Sorry you found this bug, if it keeps crashing \"Clear app data\" or send an Email - Uploading report to GitHub… - Send using GitHub account - Buy now - 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$d من العناوين الى قائمة التشغيل الحالية + البوم + البوم الفنان + العنوان او الفنان فارغ + الألبومات + دائما + مرحبا القي نظرة على مشغل الموسيقى الرائع هذا في: https://play.google.com/store/apps/details?id=%s + عشوائي + المسارات الاكثر شعبية + ريترو ميوزك - كبير + ريترو ميوزك - بطاقة + ريترو ميوزك - تقليدي + ريترو ميوزك - صغير + ريترو ميوزك - نص + فنان + فنانين + تم منع تركيز الصوت + تغيير إعدادات الصوت وضبط عناصر التحكم في موازن الصوت + تلقائي + لون الثيم الاساسي + معزز Bass + الحالة + سيرة ذاتية + أسود لامع + القائمة السوداء + ضبابي + بطاقة ضبابية + لم يمكن ارسال التقرير + دخول غير مكتمل. الرجاء إبلاغ مطور التطبيق + المشاكل غير مفعلة للمستودعات المحددة.الرجاء إبلاغ مطور التطبيق + حدث خطأ غير متوقع.الرجاء إبلاغ المطور + اسم مستخدم او كلمة السر خاطئة + مشكلة + ارسال يدويا + الرجاء ادخال وصف الخطأ + الرجاء ادخال كلمة سر صالحة + الرجاء ادخال الخطأ هنا + الرجاء ادخال أسم مستخدم صالح + حصل خطأ غير متوقع. نأسف لذالك, اذا تكرر معك الخطأ \"قم بمسح بيانات التطبيق\"او ارسل ايميل + رفع التقرير الى چيتهب + ارسال بأستخدام حساب چيتهب + اشتري الآن + إلغاء + بطاقة + دائري + بطاقة ملونة + بطاقة + دائري + التاثير الدائري على شاشة التشغيل الآن + المتتالية + بث + سجل التغيرات + سجل التغيرات ثابت على قناة التيليجرام + دائرية + دائري + كلاسيكي + إزالة + مسح بيانات التطبيق + إزالة القائمة السوداء + مسح التسلسل + إزالة قائمة التشغيل %1$s? This can\u2019t be undone!]]> - Close - Color - Color - Colors - Composer - Copied device info to clipboard. - Couldn\u2019t create playlist. + اغلاق + لون + لون + الوان + المؤلف + تم نسخ معلومات الجهاز للحافظة. + تعذّر\u2019t إنشاء قائمة. "Couldn\u2019t download a matching album cover." - Could not restore purchase. - Could not scan %d files. - Create - Created playlist %1$s. - Members and contributors - Currently listening to %1$s by %2$s. - Kinda Dark - No Lyrics - Delete playlist - %1$s?]]> - Delete playlists - Delete song - %1$s?]]> - Delete songs - %1$d playlists?]]> - %1$d songs?]]> - Deleted %1$d songs. - Deleting songs - Depth - Description - Device info - Allow Retro Music to modify audio settings - Set ringtone - Do you want to clear the blacklist? - %1$s from the blacklist?]]> - Donate - If you think I deserve to get paid for my work, you can leave some money here - Buy me a: - Download from Last.fm - Drive mode - Edit - Edit cover - Empty - Equalizer - Error - FAQ - Favorites - Finish last song - Fit - Flat - Folders - Follow system - For you - Free - Full - Full card - Change the theme and colors of the app - Look and feel - Genre - Genres - Fork the project on GitHub - Join the Google Plus community where you can ask for help or follow Retro Music updates + لايمكن إسترجاع المشتريات + لايمكن فحص الملفات %d + إنشاء + قائمة التشغيل الموجودة %1$s. + الافراد والمساهمين + يستمع حالياً إلى %1$s لـ %2$s + أسود قليلاً + لا يوجد كلمات + حذف قائمة التشغيل + %1$s؟]]> + حذف قوائم التشغيل + حذف اغنية + %1$s؟]]> + حذف الاغاني + %1$d؟]]> + %1$d؟]]> + تم حذف %1$d الأغاني. + حذف الأغاني + العمق + الوصف + معلومات الجهاز + السمات لتطبيق ريترو ميوزك بتعديل اعدادات الصوت + ك نغمة رنين + هل تريد إزالة القائمة السوداء؟ + %1$s من القائمة السوداء]]> + تبرع + إذا كنت تعتقد أنني أستحق الحصول على المال مقابل عملي ، +يمكنك ترك بعض المال هنا. + اشتري لي: + تنزيل من Last.fm + وضع القيادة + تعديل + تحرير الغلاف + فارغ + موازن الصوت + خطأ + التعليمات + المفضلات + إنهاء الأغنية الأخيرة + تناسق + مسطح + المجلدات + اتبع النظام + لأجلك + مجاني + كامل + بطاقة كاملة + تغيير سمات وألوان التطبيق + المظهر و الحس + فئة + فئات + اجلب المشروع على GitHub + انضم الى مجتمعنا في Google plus , حيث يمكنك طلب المساعدة او متابعة آخر تطورات تطبيق ريترو ميوزك 1 2 3 @@ -183,333 +184,337 @@ 6 7 8 - Grid style - Hinge - History - Home - Horizontal flip - Image - Gradient image - Change artist image download settings - Inserted %1$d songs into the playlist %2$s. - Instagram - Share your Retro Music setup to showcase on Instagram - Keyboard - Bitrate - Format - File name - File path - Size - More from %s - Sampling rate - Length - Labeled - Last added - Last song - Let\'s play some music - Library - Library categories - Licenses - Clearly White - Listeners - Listing files - Loading products… - Login - Lyrics - Made with ❤️ in India - Material - Error - Permission error - Name - Most played - Never - New banner photo - New playlist - New profile photo - %s is the new start directory. - Next Song - You have no albums - You have no artists - "Play a song first, then try again." - No equalizer found - You have no genres - No lyrics found - No songs playing - You have no playlists - No purchase found. - No results - You have no songs - Normal - Normal lyrics - Normal - %s is not listed in the media store.]]> - Nothing to scan. - Nothing to see - Notification - Customize the notification style - Now playing - Now playing queue - Customize the now playing screen - 9+ now playing themes - Only on Wi-Fi - Advanced testing features - Other - Password - Past 3 months - Paste lyrics here + الشبكة والأسلوب + مفصل + السجل + الشاشة الرئيسية + تدوير عمودي + صورة + الصورة المتدرجة + تغيير إعدادات تنزيل صور الفنان + إدراج %1$d الأغاني في قائمة التشغيل %2$s. + شارك إعداد Retro Music الخاص بك للعرض على إنستقرام + الكيبورد + معدل البت + الصيغة + اسم الملف + مسار الملف + الحجم + المزيد من %s + معدل العينات + الامتداد + معنون + المضافة مؤخرا + الاغنية الاخيرة + لنشغل بعض الموسيقى + المكتبة + فئات المكتبة الموسيقية + تراخيص + أبيض صافي + المستمعون + قائمة الملفات + تحميل المنتجات... + تسجيل الدخول + كلمات الاغنية + صنع ب❤️في الهند + ماتيريال + خطأ + خطأ في الصلاحيات + الأسم + الأكثر تشغيل + أبداً + صورة عرض جديدة + قائمة تشغيل جديدة + صورة ملف شخصي جديدة + %s هذا دليل البدء الجديد. + الاغنية التالية + لا توجد ألبومات + لا يوجد مغنين + "قم بتشغيل أغنية أولاً ، ثم حاول مرة أخرى." + لم يتم العثور موازن الصوت + لا يوجد تصنيفات + لم يتم العثور على كلمات للاغنية + لا توجد أغاني تشتغل + لا يوجد قوائم تشغيل + لم يتم العثور على عملية شراء. + لا يوجد نتائج + لا يوجد أغاني + الافتراضي + كلمات عادية + الافتراضي + %s غير مدرج في مخزن الوسائط]]> + لاشيء لفحصه. + لاشيء لفحصه + إشعارات + تخصيص نمط الإشعارات + تشغيل الان + تسلسل التشغيل الان + تخصيص شاشة التشغيل الآن + 9+ من ثيمات التشغيل الان + فقط على الواي فاي + اعدادات اختبارية متقدمة + آخر + كلمة السر + أخر 3 أشهر + الصق الكلمات هنا 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 - Album style - Audio - Blacklist - Controls - Theme - Images - Library - Lockscreen - Playlists - Pauses the song when the volume decreases to zero and starts playing back when the volume level rises. Also works outside the app - Pause on zero - Keep in mind that enabling this feature may affect battery life - Keep the screen on - Click to open with or slide to without transparent navigation of now playing screen - Click or Slide - Snow fall effect - 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. - Start playing as soon as connected to bluetooth device - Blur the album cover on the lockscreen. Can cause problems with third party apps and widgets - Carousel effect for the album art in the now playing screen. Note that Card and Blur Card themes won\'t work - 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 + تم رفض إذن الوصول إلى وحدة التخزين الخارجي. + تم رفض الأذونات. + تخصيص + تخصيص المشغل و الواجهة + اختر من وحدة التخزين الداخلي + اختيار صورة + بينتريست + متابعة صفحة البينتريست لمشاهدة الهامات التصميم + عادي + اشعارات التشغيل توفر إجراءات للتشغيل / الإيقاف المؤقت إلخ. + تنبيهات التشغيل + تفريغ قائمة التشغيل + قائمة التشغيل فارغة + اسم قائمة التشغيل + قوائم التشغيل + شكل معلومات الالبوم + مستوى ضبابية الثيم , كلما قل كلما كان افضل + مستوى الضبابية + ضبط زوايا مربع لوحة التحكم + زاوية الحوار + تصفية الأغاني حسب الطول + فلترة المدة الزمنية للاغنية + متقدّم + شكل الأسلوب + الصوت + القائمة السوداء + التحكم + الثيم + الصور + المكتبة + شاشة القفل + قوائم التشغيل + ايقاف التشغيل عند مستوى الصوت 0 والتشغيل عند رفع الصوت.ويعمل حتى وانت خارج التطبيق سيتم تشغيل الموسيقى تلقائيا + ايقاف عند الصفر + ضع في اعتبارك أن تمكين هذه الميزة قد يؤثر على عمر البطارية + ابقاء الشاشة تعمل + انقر للفتح أو التمرير بدون الإنتقال الشفاف لشاشة التشغيل الآن + اضغط او أسحب + تأثير تساقط الثلج + استخدم غلاف ألبوم الأغنية قيد التشغيل حاليًا كخلفية لشاشة القفل + خفض مستوى الصوت عند تشغيل صوت نظام أو تلقي إشعارات + محتويات مجلدات القائمة السوداء يتم أخفائها من مكتبتك الموسيقية. + بدء التشغيل بمجرد توصيل جهاز بلوتوث + ظبابية غطاء الألبوم على شاشة القفل . يمكن أن يسبب مشاكل في تطبيقات وويدجت الطرف الثالث + التأثير الدائري لصورة الألبوم في شاشة التشغيل الآن. لاحظ أن مواضيع البطاقة و البطاقة الضبابية لن تعمل + أستخدم تصميم الإشعارات التقليدي + تتغير ألوان أزرار الخلفية والتحكم وفقًا لصورة الألبوم من شاشة التشغيل الآن + تلوين اختصارات التطبيق باللون الثانوي . في كل مرة تقوم فيها بتغيير اللون ، يرجى تفعيل هذا الخيار ليتم تطبيق التغييرات + تلوين شريط التنقل باللون الاساسي "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 - Toggle home banner style - Can increase the album cover quality, but causes slower image loading times. Only enable this if you have problems with low resolution artworks - Configure visibility and order of library categories. - Use Retro Music\'s custom lockscreen controls - License details for open source software - Round the app\'s edges - Toggle titles for the bottom navigation bar tabs - Immersive mode - Start playing immediately after headphones are connected - Shuffle mode will turn off when playing a new list of songs - If enough space is available, show volume controls in the now playing screen - Show album cover - Album cover theme - Album cover skip - Album grid - Colored app shortcuts - Artist grid - Reduce volume on focus loss - Auto-download artist images - Blacklist - Bluetooth playback - Blur album cover - Choose equalizer - Classic notification design - Adaptive color - Colored notification - Desaturated color - Extra controls - Song info - Gapless playback - App theme - Show genre tab - Home artist grid - Home 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. - Queue - Rate the app - Love this app? Let us know in the Google Play Store how we can make it even better - Recent albums - Recent artists - Remove - Remove banner photo - Remove cover - Remove from blacklist - Remove profile photo - Remove song from playlist - %1$s from the playlist?]]> - Remove songs from playlist - %1$d songs from the playlist?]]> - Rename playlist - Report an issue - Report bug - Reset - Reset artist image - Restore - Restored previous purchase. Please restart the app to make use of all features. - Restored previous purchases. - Restoring purchase… - Retro Music Equalizer - Retro Music Player + تشغيل الآن السمات ، وتأثير التكدس ، وموضوع اللون وأكثر من ذلك .. + الملف الشخصي + شراء + *فكر عميقا قبل الشراء, ولاتسال عن الاسترجاع. + تسلسل + تقييم التطبيق + أحببت هذا التطبيق؟ أخبرنا في متجر Google Play كيف يمكننا تحسينه + الالبومات الحديثة + الفنانون الحديثون + حذف + حذف صورة البانر + حذف الغطاء + حذف من القائمة السوداء + حذف صورة العرض + حذف الأغنية من قائمة التشغيل + %1$s من قائمة التشغيل ?]]> + حذف الاغاني من قائمة التشغيل + %1$d اغنية من قائمة التشغيل?]]> + اعادة تسمية قائمة التشغيل + تبليغ عن مشكلة + تقرير الأخطاء + استرداد + اعادة ضبط صور الالبومات + استرجاع + تم استرداد عملية الشراء السابقة. الرجاء اعادة تشغيل التطبيق الاستمتاع بكافة المميزات. + تم + استرداد عملية الشراء... + معادل ريترو ميوزك + مشغل الموسيقى Retro Retro Music Pro - File delete failed: %s + فشل حذف الملف: %s - Can\'t get SAF URI - Open navigation drawer + لا يمكن الحصول على URI SAF + فتح قائمة التنقل Enable \'Show SD card\' in overflow menu - %s needs SD card access - You need to select your SD card root directory - Select your SD card in navigation drawer - Do not open any sub-folders - Tap \'select\' button at the bottom of the screen - File write failed: %s - Save + %s يحتاج الوصول إلى بطاقة SD + تحتاج إلى تحديد دليل جذر بطاقة الذاكرة SD + حدد بطاقة الذاكرة SD في درج التنقل + لا تفتح أي مجلدات فرعية + اضغط على زر \"تحديد\" في الجزء السفلي من الشاشة + فشلت كتابة الملف: %s + حفظ - Save as file - Save as files - Saved playlist to %s. - Saving changes - Scan media - Scanned %1$d of %2$d files. + حفظ كملف + حفظ كملف + حفظ قائمة التشغيل الى %s. + حفظ التغييرات + فحص الميديا + تم فحص %1$d من %2$d ملف. Scrobbles - Search your library… - Select all - Select banner photo - Selected - Send crash log - Set - Set artist image - Set a profile photo - Share app + البحث في مكتبتك... + تحديد الكل + اختيار صورة البانر + محدد + ارسال تقرير بالخطأ + تعيين + اختيار صورة الفنان + تعيين كصورة البروفايل + مشاركة التطبيق Share to Stories - Shuffle - Simple - Sleep timer canceled. - Sleep timer set for %d minutes from now. - Slide - Small album - Social - Share story - Song - Song duration - Songs - Sort order - Ascending - Album - Artist - Composer - Date added - Date modified - Year - Descending - Sorry! Your device doesn\'t support speech input - Search your library - Stack - Start playing music. - Suggestions - Just show your name on home screen - Support development - Swipe to unlock - Synced lyrics - System Equalizer + خلط + بسيط + تم إلغاء مؤقت النوم. + تم ضبط مؤقت النوم الى %d دقيقة من الآن. + سحب + ألبوم صغير + أجتماعي + مشاركة القصة + الاغنية + مدة الأغنية + الاغاني + ترتيب الفرز + تصاعدي + الالبوم + الفنان + المؤلف + التاريخ + تاريخ التعديل + السنة + تنازلي + عذرا! جهازك لايدعم الادخال الصوتي + أبحث في مكتبتك + التكدس + أبدا بتشغيل الموسيقى. + اقتراحات + قم بعرض اسمك في الشاشة الرئيسية + دعم التطوير + اسخب للفتح + مزامنة الكلمات + معادل الصوت - Telegram - Join the Telegram group to discuss bugs, make suggestions, show off and more - Thank you! - The audio file - This month - This week - This year - Tiny - Title - Dashboard - Good afternoon - Good day - Good evening - Good morning - Good night - What\'s Your Name - Today - Top albums - Top artists - "Track (2 for track 2 or 3004 for CD3 track 4)" - Track number - Translate - Help us translate the app to your language - Twitter - Share your design with Retro Music - Unlabeled + تيليجرام + انضم لمجموعة التيليجرام لمناقشة المشاكل, و طرح اقتراحات والمزيد + شكرا + الملف الصوتي + هذا الشهر + هذا الاسبوع + هذه السنة + صغير + عنوان + الرئيسية + نهار جميل + يوم جميل + مساء الخير + صباح الخير + ليلة جميلة + ماهو أسمك + اليوم + افضل الالبومات + افضل الفنانين + "المسار (2 للمسار 2 أو 3004 لمسار CD3 4)" + رقم المسار + ترجمة + ساعدها لترجمة التطبيق الى لغتك + تويتر + شارك تصميمك مع ريترو ميوزك + غير معنون Couldn\u2019t play this song. - Up next - Update image - Updating… - Username - Version - Vertical flip - Virtualizer - Volume - Web search - Welcome, - What do you want to share? - What\'s New - Window - Rounded corners - Set %1$s as your ringtone. - %1$d selected - Year - You have to select at least one category. - You will be forwarded to the issue tracker website. - Your account data is only used for authentication. - Amount - Note(Optional) - Start payment - Show now playing screen + التالي + تحديث الصورة + تحديث... + أسم المستخدم + الإصدار + تدوير رأسي + التاثيرات + الصوت + البحث عبر الانترنت + مرحبا, + مالذي تريد مشاركته? + مالجديد + نافذة + حواف دائرية + تعيين %1$s كنغمة الرنين الخاصة بك. + %1$d تحديد + السنة + عليك اختيار فئة واحدة على الأقل. + سيتم تحويلك الى صفحة سجل الاخطاء + بيانات حسابك تستخدم لتوثيق فقط. + الكمية + ملاحظة (اختياري) + بدء عملية الدفع + إظهار شاشة التشغيل 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 diff --git a/app/src/main/res/values-bg/strings.xml b/app/src/main/res/values-bg/strings.xml deleted file mode 100644 index 376b8f62..00000000 --- a/app/src/main/res/values-bg/strings.xml +++ /dev/null @@ -1,699 +0,0 @@ - - - Акцентен цвят - Акцентен цвят на темата, по подразбиране изумруден - - Системни - - Добави към любими - Добави към опашката - Добави към плейлист... - - Изчисти опашката - Изчисти плейлист - - Изтрий - Изтрий от устройството - - Подробности - - Към албума - Към изпълнителя - Към жанра - Към началната директория - - Позволи - - Размер на мрежата - Размер на мрежата (хоризонтално) - - Следващ - - Пусни - Пусни следващ - Пусни/Спри - - Предишен - - Премахни от любими - Премахни от опашката - Премахни от плейлист - - Преименувай - - Запази опашката - - Сканирай - - Търси - - Старт - Задай като мелодия на звънене - Задай като стартова директория - - "Настройки" - - Сподели - - Разбъркай всички - Разбъркай плейлист - - Таймер на заспиване - - Ред на сортиране - - Редактор на етикети - - Адаптивен - - Добави - - Добави \nснимка - - "Добави към плейлист" - - "Добавено 1 заглавие към опаката." - - Добавени %1$d заглавия към опашката. - - Албум - - Изпълнител на албума - - Липсва заглавие или изпълнител. - - Албуми - - - Винаги - - Научи повече за този музикален плейър на: https://play.google.com/store/apps/details?id=%s - - - Разбъркай - Любими песни - - Retro music - Голям - Retro music - Карта - Retro music - Класически - Retro music - Малък - Retro Music - Текст - - Изпълнител - - Изпълнители - - Аудио фокус отказан. - - Промени настройките на звука и настрой контролите на усилвателя - - Авто - - Основна цветова тема - - Усилване на баса - - Биография - - Биография - - Просто черно - - Черен списък - - Замъглено - - Замъглена карта - - Неуспешно изпращане на доклада - Невалиден тоукън за достъп. Моля, свържете се с разработчика на приложението. - Моля, свържете се с разработчика на приложението. - Грешка. Моля, свържете се с разработчика на приложението. - Грешно име или парола - Проблем - Изпрати ръчно - Моля, въведете описание на проблема - Моля, въведете валидна GitHub парола - Моля, въведете заглавие за проблема - Моля, въведете валидно GitHub име - Възникна неочаквана грешка. Съжалявам, че намери този бъг, ако проблемът продължава -\"Изчисти данните от приложението\" - Качване на доклада в GitHub... - Изпрати чрез GitHub акаунт - - Отмени - - Карта - - Кръг - - Оцветена карта - - Карта - - Въртележка - - Ефект на въртележка на екрана с песен - - Каскаден - - Предавай - - Списък с промените - - Списък промените в Telegram канала - - Кръгъл - - Изчисти - - Изчисти данните от приложението - - Изчисти черен списък - - Изчисти опашката - - Изчисти плейлист - - Затвори - - Цвят - - Цвят - - Цветове - - Копирана информация за устройството в клипборда. - - Неуспешно възстановяване на покупката. - Неуспешно сканиране на %d файлове. - - Създай - - Създай плейлист %1$s. - - Членове и сътрудници - - В момента се слуша %1$s от %2$s. - - Малко тъмно - - Без текст - - Изтрий плейлист - %1$s?]]> - - Изтрий плейлисти - - %1$s?]]> - - %1$d плейлисти?]]> - %1$d песни?]]> - Изтрити %1$d песни. - - Дълбочина - - Описание - - Информация за устройството - - Да се изчисти ли черният списък? - %1$s от черния списък?]]> - - Дарения - - Ако смяташ, че заслужавам яка пачка за това яко приложение, може да пуснеш -пара ей тука - - Купи ми: - - Свали от Last.fm - - Редактирай корица - - Празно - - Усилвател - - Грешка - - Често задавани въпроси - - Любими - - Побери - - Плосък - - Папки - - За теб - - Пълно - - Пълна карта - - Смени темата и цветовете на приложението - Изглед и усещане - - Жанр - - Жанрове - - Подкрепи проекта в GitHub - - Присъедини се към Google Plus общността, където можеш да поискаш помощ и да следиш за Retro Music актуализации - - 1 - 2 - 3 - 4 - 5 - 6 - 7 - 8 - - Панта - - История - - Начало - - Хоризонтално завъртане - - Изображение - - Промени настройките за изтегляне на изображения на изпълнителите - - Добавени %1$d песни в плейлист %2$s. - - Instagram - Сподели твоят Retro Music изглед в Instagram - - Bitrate - - Формат - Име на файл - Местонахождение на файла - Размер - - More from %s - - Размер на използване - - Дължина - - С етикет - - Последно добавени - - Да послушаме малко музика - - Библиотека - - Лицензи - - Очевидно бяло - - Файлове - - Зареждане на продукти... - - Влез - - Текст - - Направено с ❤️ в Индия - - Материален - - Моето име - - Най-слушани - - Никога - - Нова снимка на корицата - - Нов плейлист - - Нова профилна снимка - - %s е новата начална директория. - - Няма албуми - - Няма изпълнители - - "Първо пусни песен, след това опитай отново." - - Не е намерен усилвател - - Няма жанрове - - Не е намерен текст - - Няма плейлисти - - Не е намерена покупка. - - Няма резултати - - Няма песни - - Нормален - - Нормален текст - - Нормален - - %s не е намерен в медия магазина.]]> - - Нищо за сканиране. - - Известие - - Персонализирай стила на известията - - Сега се слуша - Опашка на слушане - Персонализирай екрана с песен - 9+ теми на екрана с песен - - Само през Wi-Fi - - Други - - Парола - - Последните 3 месеца - - Достъп до вътрешната памет отказан. - - Достъп отказан. - - Персонализирай. - - Персонализирай контролите за слушане и потребителски интерфейс - - Избери от паметта - - Изчистен - - Известието на слушане дава възможност за пускане/спиране и т.н. - Известие на слушане - - Празен плейлист - - Плейлист е празен. - - Име на плейлист - - Плейлисти - - Стил на детайли на албума - - Количество на замъгленост при темите, колкото по-ниско, толкова по-бързо - Количество на замъгленост - - Аудио - Тема - Изображения - Заключен екран - Плейлисти - - Паузирай когато музиката е на нула и пусни при увеличаване на звука. Внимание, че при увеличаване на звука музиката започва дори и извън приложението. - Паузирай на нула - Имайте предвид, че тази настройка може да повлияе на батерията. - Дръж екрана включен - - Натисни за или плъзни за без прозрачна навигация на екрана с песен - Натисни или плъзни - - Ефект на валящ сняг - - Използвай корицата на настоящата песен като фон на заключен екран - Понижи звука, когато бъде получен звук от системата или известие - Съдържанието на блокиратите папки е скрито от библиотеката Ви. - Замъгли корицата на албума на заключения екран. Може да причини проблеми с други приложения и уиджети. - Ефект на въртележка за корицата на албума. Имайте предвид, че темите Карта и Замъглена карта няма да работят - Използвай класическия дизайн на известията - Цветовете на фона и бутоните на контрол се променят спрямо корицата на албума на настоящата песен - Оцветява преките пътища на приложението в акцентния цвят. При всяко променяне на цвета включете и изключете тази опция наново за ефекта. - Оцветява навигационния бар в главния цвят - "\u041e\u0446\u0432\u0435\u0442\u044f\u0432\u0430 \u0438\u0437\u0432\u0435\u0441\u0442\u0438\u0435\u0442\u043e \u0432 \u043d\u0430\u0439-\u044f\u0440\u043a\u0438\u044f \u0446\u0432\u044f\u0442 \u043d\u0430 \u043a\u043e\u0440\u0438\u0446\u0430\u0442\u0430 \u043d\u0430 \u0430\u043b\u0431\u0443\u043c\u0430" - Преобладаващият цвят ще бъде избран от корицата на албума или на изпълнителя - Добави допълнителни контроли за мини-плейъра - "Може да причини проблеми на някои устройства." - Покажи раздел с жанрове - Покажи стил на начална корица - Може да увеличи резолюцията на корицата, но води до по-бавно зареждане на изображението. Включете единствено ако имате проблем с корици с ниска резолюция - Използвай персонализираните контроли за заключен екран на Retro Music - Детайли за лиценз за софуер с отворен източник - Заобли ъглите на приложението - Покажи заглавията на долните навигационни раздели - Пълен екран - Пусни музиката веднага след включване на слушалки - Режимът на разбъркване ще се изключи при пускане на списък с нови песни - Ако има достатъчно пространство, контроли за звука ще бъдат показани на екрана - - Покажи корица на албум - Тема на корица на албум - Стил на корица на албуми на екрана с песен - Мрежа на албум - Оцветени преки пътища на приложение - Мрежа на изпълнител - Намали звук при загуба на фокус - Изтегляй автоматично изображение на изпълнителя - Черен списък - Замъгли корицата на албума - Избери усилвател - Класически дизайн на известие - Адаптивен цвят - Оцветено известие - Допълнителни контроли - Слушане без пауза - Тема на приложението - Покажи раздел за жанрове - Начална мрежа на изпълнители - Начална корица - Игнорирай кориците от медийния магазин - Интервал на плейлист с последно добавени песни - Контроли за пълен екран - Оцветена навигационна лента - Тема на екран с песен - Лицензи за отворен източник - Заострени ъгли - Режим на заглавия на раздели - Ефект на въртележка - Преобладаващ цвят - Приложение на пълен екран - Заглавия на раздели - Автоматично пускане - Режим на разбъркване - Контроли за звука - Информация на потребител - - Основен цвят - Основният цвят на темата, по подразбиране сиво-син, засега работи с тъмни цветове - - Профил - - Купи - - *Мисли преди да купиш, не моли за пари обратно. - - Опашка - - Оцени приложението - - Love this app? Let us know in the Google Play Store how we can make it even better - - Скорошни албуми - - Скорошни изпълнители - - Премахни - - Премахни снимка на корица - - Премахни корица - - Премахни от черен списък - - Премахни профилна снимка - - Премахни песен от плейлист - %1$s от плейлиста?]]> - - Премахни песни от плейлист - - %1$d песни от плейлиста?]]> - - Преименувай плейлист - - Докладвай проблем - - Докладвай нередности - - Възстанови първоначалното изображение на изпълнител - - Възстанови - - Възстановена предишна покупка. Моля, рестартирайте приложението, за да можете да се възползвате от всички свойства. - Възстановени предишни покупки. - - Възстановяване на покупка... - - Retro Music Усилвател - - Retro Music Pro - - - - Запази като файл - - Запази като файлове - - Плейлист запазен в %s. - - Запазване на промените - - Сканиране на файловете - - Сканирани %1$d от %2$d файла. - - Търсене в библиотеката ти... - - Избери всички - - Избери снимка за корица - - Избран - - Задай снимка на изпълнител - - Сподели приложението - - Разбъркай - - Семпъл - - Таймерът на заспиване беше отменен. - Таймерът на заспиване е зададен на %d минути от сега. - - Малък албум - - Социални - - Песен - - Продължителност на песен - - Песни - - Ред на сортиране - Покачващ се - Албум - Изпълнител - Дата - Година - Намаляващ - - Съжалявам, но устройството не поддържа гласово въвеждане - - Търсене в библиотеката - - Предложения - - Покажи името ти на началния екран - - Подкрепа на разработката - - Синхронизиран текст - - Системен усилвател - - - Telegram - Join the Telegram group to discuss bugs, make suggestions, show off and more - - Благодаря! - - Аудио файлът - - Този месец - - Тази седмица - - Тази година - - Миниатюрен - - Заглавие - - Контролно табло - - Лек следобед - Добър ден - Добър вечер - Добро утро - Лека нощ - - Как е името ти - - Днес - - Топ албуми - - Топ изпълнители - - "Песен (2 за песен 2 или 3004 за CD3 песен 4)" - - Номер на песен - - Превод - - Помогни да преведем приложението на твоя език - - Twitter - Сподели дизайна си с Retro Music - - Без етикет - - \u041f\u0435\u0441\u0435\u043d\u0442\u0430 \u043d\u0435 \u043c\u043e\u0436\u0430 \u0434\u0430 \u0441\u0435 \u0438\u0437\u043f\u044a\u043b\u043d\u0438. - - Следва - - Обнови изображение - - Обновява се... - - Потребителско име - - Версия - - Вертикално завъртане - - Виртуализатор - - Уеб търсене - - Какво искаш да споделиш? - - Какво е ново? - - Прозорец - - Заоблени ъгли - - Задай %1$s като тон на звънене. - - %1$d избрано - - Година - - Ще бъдете препратени към сайта на тракера. - - Данните на акаунта Ви се използват единствено за автентификация. - diff --git a/app/src/main/res/values-bn-rIN/strings.xml b/app/src/main/res/values-bn-rIN/strings.xml index 2124ffe5..911dc4dc 100644 --- a/app/src/main/res/values-bn-rIN/strings.xml +++ b/app/src/main/res/values-bn-rIN/strings.xml @@ -192,7 +192,6 @@ Gradient image Change artist image download settings Inserted %1$d songs into the playlist %2$s. - Instagram Share your Retro Music setup to showcase on Instagram Keyboard Bitrate @@ -512,4 +511,9 @@ 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 diff --git a/app/src/main/res/values-ca-rES/strings.xml b/app/src/main/res/values-ca-rES/strings.xml index 2124ffe5..911dc4dc 100644 --- a/app/src/main/res/values-ca-rES/strings.xml +++ b/app/src/main/res/values-ca-rES/strings.xml @@ -192,7 +192,6 @@ Gradient image Change artist image download settings Inserted %1$d songs into the playlist %2$s. - Instagram Share your Retro Music setup to showcase on Instagram Keyboard Bitrate @@ -512,4 +511,9 @@ 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 diff --git a/app/src/main/res/values-cs-rCZ/strings.xml b/app/src/main/res/values-cs-rCZ/strings.xml index 2124ffe5..6adba0f3 100644 --- a/app/src/main/res/values-cs-rCZ/strings.xml +++ b/app/src/main/res/values-cs-rCZ/strings.xml @@ -1,64 +1,64 @@ Team, social links - Accent color - The theme accent color, defaults to purple - About - Add to favorites - Add to playing queue - Add to playlist - Clear playing queue - Clear playlist + Barva akcentů + Barva motivu akcentu je výchozí k růžové barvě. + Informace + Přidat k oblíbeným + Přidat do fronty + Přidat do seznamu skladeb… + Vyčistit frontu + Vymazat playlist Cycle repeat mode - Delete - Delete from device - Details - Go to album - Go to artist + Smazat + Vymazat ze zařízení + Podrobnosti + Přejít na album + Přejít na interpreta Go to genre - Go to start directory + Přejít do začáteční složky Grant - Grid size - Grid size (land) + Velikost mřížky + Velikost spodní mřížky New playlist - Next - Play + Další + Přehrát Play all - Play next - Play/Pause - Previous - Remove from favorites - Remove from playing queue - Remove from playlist - Rename + Přehrát další + Přehrát/Pozastavit + Předchozí + Odstranit z oblíbených + Odstranit z fronty + Odstranit ze seznamu skladeb + Přejmenovat Save playing queue - Scan - Search - Start - Set as ringtone - Set as start directory - "Settings" - Share - Shuffle all - Shuffle playlist - Sleep timer + Skenovat + Hledat + Nastavit + Nastavit jako vyzvánění + Nastavit jako počáteční adresář + "Nastavení" + Sdílet + Náhodný výběr všech skladeb + Náhodný výběr playlistu + Časovač vypnutí Sort order - Tag editor + Editor tagů Toggle favorite Toggle shuffle mode Adaptive Add Add lyrics Add \nphoto - "Add to playlist" + "Přidat do seznamu skladeb" Add time frame lyrics - "Added 1 title to the playing queue." - Added %1$d titles to the playing queue. + "Přidán 1 titul do fronty přehrávání." + Přidány %1$d tituly do fronty přehrávání. Album - Album artist - The title or artist is empty. - Albums - Always + 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 Shuffle Top Tracks @@ -67,16 +67,16 @@ Retro music - Classic Retro music - Small Retro music - Text - Artist - Artists - Audio focus denied. + Umělec + Umělci + Zaměření zvuku bylo zamítnuto. Change the sound settings and adjust the equalizer controls Auto Base color theme Bass Boost Bio - Biography - Just Black + Bio + Velmi černá Blacklist Blur Blur Card @@ -95,7 +95,7 @@ Uploading report to GitHub… Send using GitHub account Buy now - Cancel + Zrušit aktuální časovač Card Circular Colored Card @@ -104,42 +104,42 @@ Carousel effect on the now playing screen Cascading Cast - Changelog + Přehled změn Changelog maintained on the Telegram channel Circle Circular Classic - Clear + Vyčistit Clear app data Clear blacklist Clear queue - Clear playlist - %1$s? This can\u2019t be undone!]]> + Vyčistit seznam skladeb + %1$s? Akci nelze vr\u00e1tit zp\u011bt!]]> Close Color Color - Colors + Barvy Composer Copied device info to clipboard. - Couldn\u2019t create playlist. - "Couldn\u2019t download a matching album cover." + Nelze vytvo\u0159it playlist. + "Nelze st\u00e1hnout odpov\u00eddaj\u00edc\u00ed obal alba." Could not restore purchase. - Could not scan %d files. - Create - Created playlist %1$s. + Nelze skenovat %d soubory. + Vytvořit + Vytvořený seznam skladeb %1$s. Members and contributors - Currently listening to %1$s by %2$s. - Kinda Dark + Aktuálně posloucháš %1$s od %2$s. + Tmavá No Lyrics - Delete playlist - %1$s?]]> - Delete playlists + Smazat seznam skladeb + %1$s?]]> + Smazat seznamy skladeb Delete song - %1$s?]]> + %1$s?]]> Delete songs - %1$d playlists?]]> - %1$d songs?]]> - Deleted %1$d songs. + %1$d seznamů skladeb?]]> + %1$d písní?]]> + %1$d skladby byly smazány. Deleting songs Depth Description @@ -148,22 +148,22 @@ Set ringtone Do you want to clear the blacklist? %1$s from the blacklist?]]> - Donate - If you think I deserve to get paid for my work, you can leave some money here + 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: - Download from Last.fm + Stáhnout z Last.fm Drive mode Edit Edit cover - Empty + Prázdný Equalizer Error FAQ - Favorites + Oblíbené Finish last song Fit Flat - Folders + Složky Follow system For you Free @@ -171,7 +171,7 @@ Full card Change the theme and colors of the app Look and feel - Genre + Žánr Genres Fork the project on GitHub Join the Google Plus community where you can ask for help or follow Retro Music updates @@ -185,94 +185,93 @@ 8 Grid style Hinge - History - Home + Historie + Domov Horizontal flip Image Gradient image Change artist image download settings - Inserted %1$d songs into the playlist %2$s. - Instagram + Do playlistu %2$s byly vloženy %1$d skladby. Share your Retro Music setup to showcase on Instagram Keyboard - Bitrate - Format - File name - File path - Size + Datový tok + Formát + Název souboru + Umístění souboru + Velikost More from %s - Sampling rate - Length + Vzorkovací frekvence + Délka Labeled - Last added + Poslední Last song Let\'s play some music - Library + Knihovna Library categories - Licenses - Clearly White + Licence + Velmi bílá Listeners - Listing files - Loading products… + Výpis souborů + Načítání produktů... Login - Lyrics + Text Made with ❤️ in India Material Error Permission error Name - Most played - Never + Moje top skladby + Nikdy New banner photo - New playlist + Nový seznam skladeb New profile photo - %s is the new start directory. + %S je nový úvodní adresář. Next Song - You have no albums - You have no artists - "Play a song first, then try again." - No equalizer found + Žádné alba + žádní umělci + "Přehrajte nejprve píseň a zkuste to znovu." + Nebyl nalezen žádný ekvalizér. You have no genres No lyrics found No songs playing - You have no playlists + Žádné playlisty No purchase found. - No results - You have no songs + Žádné výsledky + Žádné písně Normal Normal lyrics Normal - %s is not listed in the media store.]]> - Nothing to scan. + %s není uveden v úložišti médií.]]> + Nic pro skenování. Nothing to see - Notification + Upozornění Customize the notification style Now playing - Now playing queue + Aktuální fronta Customize the now playing screen 9+ now playing themes - Only on Wi-Fi + Pouze přes Wifi Advanced testing features Other Password Past 3 months Paste lyrics here Peak - Permission to access external storage denied. - Permissions denied. + 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 - Pick from local storage + 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 - Empty playlist + Prázdny seznam skladeb Playlist is empty - Playlist name - Playlists + Název playlistu + Seznamy skladeb Album detail style Amount of blur applied for blur themes, lower is faster Blur amount @@ -282,13 +281,13 @@ Filter song duration Advanced Album style - Audio + Zvuk Blacklist Controls Theme - Images + Obrázky Library - Lockscreen + Obrazovka uzamčení Playlists Pauses the song when the volume decreases to zero and starts playing back when the volume level rises. Also works outside the app Pause on zero @@ -297,64 +296,64 @@ 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 + 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. Start playing as soon as connected to bluetooth device - Blur the album cover on the lockscreen. Can cause problems with third party apps and widgets + Blur obal alba na uzamčení obrazovky. Může způsobit problémy s aplikacemi třetích stran a widgety. Carousel effect for the album art in the now playing screen. Note that Card and Blur Card themes won\'t work 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" + 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 - "Can cause playback issues on some devices." + "Může způsobit problémy s přehráváním u některých zařízení." Toggle genre tab Toggle home banner style - Can increase the album cover quality, but causes slower image loading times. Only enable this if you have problems with low resolution artworks + 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 - Round the app\'s edges + 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 If enough space is available, show volume controls in the now playing screen - Show album cover + Zobrazit obal alba Album cover theme Album cover skip Album grid - Colored app shortcuts + Barevné zkratky aplikace Artist grid - Reduce volume on focus loss - Auto-download artist images + 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 - Adaptive color - Colored notification + Adaptivní barva + Barevné notifikace Desaturated color Extra controls Song info - Gapless playback - App theme + Přehrávání bez mezery + Hlavní téma Show genre tab Home artist grid Home banner - Ignore Media Store covers + Ignorovat obaly v zařízení Last added playlist interval Fullscreen controls - Colored navigation bar - Now playing theme + Barevná navigační lišta + Vzhled Open source licences - Corner edges + Rohy Tab titles mode Carousel effect Dominant color @@ -364,35 +363,35 @@ Shuffle mode Volume controls User info - Primary color - The primary theme color, defaults to blue grey, for now works with dark colors + 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. - Queue - Rate the app - Love this app? Let us know in the Google Play Store how we can make it even better + Fronta + Ohodnoťte aplikaci + Zanechte pozitivní hodnocení na Google Play pokud máte rádi Retro music. Recent albums Recent artists - Remove + Odstranit Remove banner photo - Remove cover + Odstranit obal Remove from blacklist Remove profile photo - Remove song from playlist - %1$s from the playlist?]]> - Remove songs from playlist - %1$d songs from the playlist?]]> - Rename playlist + Smazat skladbu ze seznamu skladeb + %1$s ze seznamu skladeb?]]> + Smazat skladby ze seznamu skladeb + %1$d skladby ze seznamu skladeb?]]> + Přejmenovat seznam skladeb Report an issue Report bug Reset Reset artist image Restore Restored previous purchase. Please restart the app to make use of all features. - Restored previous purchases. + Předchozí nákupy byly obnoveny. Restoring purchase… Retro Music Equalizer Retro Music Player @@ -412,14 +411,14 @@ Save - Save as file + Uložit jako soubor Save as files - Saved playlist to %s. - Saving changes + Seznam skladeb uložený do %s. + Uložení změn Scan media - Scanned %1$d of %2$d files. + Naskenované %1$d z %2$d souborů. Scrobbles - Search your library… + Prohledat knihovnu... Select all Select banner photo Selected @@ -429,18 +428,18 @@ Set a profile photo Share app Share to Stories - Shuffle + Náhodně Simple - Sleep timer canceled. - Sleep timer set for %d minutes from now. + Časovač vypnutí byl zrušen. + Časovač vypnutí byl nastaven na %d minut. Slide Small album Social Share story - Song + Skladba Song duration - Songs - Sort order + Písně + Řazení Ascending Album Artist @@ -449,21 +448,21 @@ Date modified Year Descending - Sorry! Your device doesn\'t support speech input - Search your library + Promiňte! Vaše zařízení nepodporuje vstup řeči + Prohledat knihovnu Stack Start playing music. Suggestions Just show your name on home screen - Support development + Podpora vývoje Swipe to unlock Synced lyrics System Equalizer Telegram Join the Telegram group to discuss bugs, make suggestions, show off and more - Thank you! - The audio file + Děkujeme! + Audio soubor This month This week This year @@ -479,31 +478,31 @@ Today Top albums Top artists - "Track (2 for track 2 or 3004 for CD3 track 4)" + "Skladba (2 pro stopu 2 ​​nebo 3004 pro čtvrtou stopu z CD3)" Track number - Translate + Překlad Help us translate the app to your language Twitter Share your design with Retro Music Unlabeled - Couldn\u2019t play this song. + Tuto p\u00edse\u0148 se nepoda\u0159ilo p\u0159ehr\u00e1t. Up next - Update image - Updating… + Aktualizovat obrázek + Aktualizace... Username - Version + Verze Vertical flip Virtualizer Volume - Web search + Webové vyhledávání Welcome, - What do you want to share? + Co chcete sdílet? What\'s New Window Rounded corners - Set %1$s as your ringtone. - %1$d selected - Year + Nastavit %1$s jako zvonění + %1$d vybrané + Rok You have to select at least one category. You will be forwarded to the issue tracker website. Your account data is only used for authentication. @@ -512,4 +511,9 @@ 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 diff --git a/app/src/main/res/values-cs/strings.xml b/app/src/main/res/values-cs/strings.xml deleted file mode 100644 index c439cf14..00000000 --- a/app/src/main/res/values-cs/strings.xml +++ /dev/null @@ -1,283 +0,0 @@ - - - Barva akcentů - Barva motivu akcentu je výchozí k růžové barvě. - - Informace - Přidat k oblíbeným - "Přidat do fronty " - Přidat do seznamu skladeb… - Vyčistit frontu - Vymazat playlist - Smazat - Vymazat ze zařízení - Podrobnosti - Přejít na album - Přejít na interpreta - Přejít do začáteční složky - Grant - Velikost mřížky - Velikost spodní mřížky - Další - Přehrát - Přehrát další - Přehrát/Pozastavit - Předchozí - "Odstranit z oblíbených " - "Odstranit z fronty " - Odstranit ze seznamu skladeb - Přejmenovat - Skenovat - Hledat - Nastavit - Nastavit jako vyzvánění - Nastavit jako počáteční adresář - "Nastavení" - Sdílet - Náhodný výběr všech skladeb - Náhodný výběr playlistu - Časovač vypnutí - Editor tagů - - "Přidat do seznamu skladeb" - - "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 - - - Shuffle - Top Tracks - Retro music - Big - Retro music - Classic - Retro music - Small - - Umělec - - Umělci - - Zaměření zvuku bylo zamítnuto. - - Bio - - Velmi černá - - Zrušit aktuální časovač - - Přehled změn - - Vyčistit - Vyčistit seznam skladeb - %1$s? Akci nelze vr\u00e1tit zp\u011bt!]]> - - Barvy - - Nelze vytvo\u0159it playlist. - "Nelze st\u00e1hnout odpov\u00eddaj\u00edc\u00ed obal alba." - Nelze skenovat %d soubory. - - Vytvořit - - Vytvořený seznam skladeb %1$s. - - Aktuálně posloucháš %1$s od %2$s. - - Tmavá - - Smazat seznam skladeb - %1$s?]]> - Smazat seznamy skladeb - %1$s?]]> - %1$d seznamů skladeb?]]> - %1$d písní?]]> - - %1$d skladby byly smazány. - - Darovat - Pokud si myslíte, že si zasloužím odměnu za svou práci, můžete mi nechat pár dolarů. - - Stáhnout z Last.fm - - Prázdný - - Equalizer - - Oblíbené - - Flat - - Složky - - Žánr - - Historie - - Domov - - Do playlistu %2$s byly vloženy %1$d skladby. - - Datový tok - Formát - Název souboru - Umístění souboru - Velikost - Vzorkovací frekvence - Délka - - "Poslední " - - Knihovna - - Licence - - Velmi bílá - - Výpis souborů - - Načítání produktů... - - Text - - Moje top skladby - - Nikdy - - "Nový seznam skladeb " - "%S je nový úvodní adresář. " - - Žádné alba - žádní umělci - "Přehrajte nejprve píseň a zkuste to znovu." - Nebyl nalezen žádný ekvalizér. - Žádné playlisty - Žádné výsledky - Žádné písně - - %s není uveden v úložišti médií.]]> - - Nic pro skenování. - - Upozornění - - Aktuální fronta - - Pouze přes Wifi - - Povolení přístupu k externímu úložišti bylo zamítnuto. - - Oprávnění byla odepřena. - - Vyberte z místního úložiště - - Prázdny seznam skladeb - Název playlistu - - Seznamy skladeb - - Zvuk - Obrázky - Obrazovka uzamčení - Používá současný obal alba písní jako tapetu zámku. - Oznámení, navigace atd. - Blur obal alba na uzamčení obrazovky. Může způsobit problémy s aplikacemi třetích stran a widgety. - 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." - "Může způsobit problémy s přehráváním u některých zařízení." - 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. - Rohové okraje oken, alba atd. - Zobrazit obal alba - Barevné zkratky aplikace - Snížit hlasitost při ztrátě zaostření - Automatické stahování obrázků interpretů - Blur album cover - Adaptivní barva - Barevné notifikace - Přehrávání bez mezery - Hlavní téma - Ignorovat obaly v zařízení - Barevná navigační lišta - Vzhled - Rohy - - Hlavní barva - Primární barva motivu je výchozí pro indigo. - - Fronta - - Ohodnoťte aplikaci - Zanechte pozitivní hodnocení na Google Play pokud máte rádi Retro music. - - Odstranit - Odstranit obal - Smazat skladbu ze seznamu skladeb - %1$s ze seznamu skladeb?]]> - Smazat skladby ze seznamu skladeb - %1$d skladby ze seznamu skladeb?]]> - - Přejmenovat seznam skladeb - - Předchozí nákupy byly obnoveny. - - Uložit jako soubor - - Seznam skladeb uložený do %s. - - Uložení změn - - Naskenované %1$d z %2$d souborů. - - Prohledat knihovnu... - - Náhodně - - Časovač vypnutí byl zrušen. - Časovač vypnutí byl nastaven na %d minut. - - Skladba - - Písně - - "Řazení " - - Promiňte! Vaše zařízení nepodporuje vstup řeči - Prohledat knihovnu - - Podpora vývoje - - Děkujeme! - - Audio soubor - - "Skladba (2 pro stopu 2 ​​nebo 3004 pro čtvrtou stopu z CD3)" - - Překlad - - Tuto p\u00edse\u0148 se nepoda\u0159ilo p\u0159ehr\u00e1t. - - Up next - - Aktualizovat obrázek - - Aktualizace... - - Verze - - Webové vyhledávání - - Co chcete sdílet? - - Nastavit %1$s jako zvonění - %1$d vybrané - - Rok - More from %s - diff --git a/app/src/main/res/values-da-rDK/strings.xml b/app/src/main/res/values-da-rDK/strings.xml index 2124ffe5..911dc4dc 100644 --- a/app/src/main/res/values-da-rDK/strings.xml +++ b/app/src/main/res/values-da-rDK/strings.xml @@ -192,7 +192,6 @@ Gradient image Change artist image download settings Inserted %1$d songs into the playlist %2$s. - Instagram Share your Retro Music setup to showcase on Instagram Keyboard Bitrate @@ -512,4 +511,9 @@ 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 diff --git a/app/src/main/res/values-de-rDE/strings.xml b/app/src/main/res/values-de-rDE/strings.xml index 2124ffe5..bab320bf 100644 --- a/app/src/main/res/values-de-rDE/strings.xml +++ b/app/src/main/res/values-de-rDE/strings.xml @@ -1,180 +1,180 @@ - Team, social links - Accent color - The theme accent color, defaults to purple - About - Add to favorites - Add to playing queue - Add to playlist - Clear playing queue - Clear playlist + Team, soziale Netzwerke + Akzentfarbe + Akzentfarbe des Farbthemas, Standard ist Grün + Über + Zu Favoriten hinzufügen + Zur Wiedergabeliste hinzufügen + Zur Playlist hinzufügen... + Wiedergabeliste leeren + Playlist leeren Cycle repeat mode - Delete - Delete from device + Löschen + Vom Gerät löschen Details - Go to album - Go to artist - Go to genre - Go to start directory - Grant - Grid size - Grid size (land) - New playlist - Next - Play - Play all - Play next - Play/Pause - Previous - Remove from favorites - Remove from playing queue - Remove from playlist - Rename - Save playing queue - Scan - Search - Start - Set as ringtone - Set as start directory - "Settings" - Share - Shuffle all - Shuffle playlist - Sleep timer - Sort order - Tag editor - Toggle favorite + Zum Album gehen + Zum Künstler gehen + Zu Genre gehen + Zum Startverzeichnis gehen + Gewähren + Gittergröße + Gittergröße (Querformat) + Neue Wiedergabeliste + Nächstes + Abspielen + Alles abspielen + Spiel danach + Abspielen/Pausieren + Vorheriges + Aus Favoriten entfernen + Von Wiedergabeliste entfernen + Von Playlist entfernen + Umbenennen + Wiedergabeliste speichern + Scannen + Suche + Verwenden + Als Klingelton verwenden + Als Startverzeichnis verwenden + "Einstellungen" + Teilen + Alle zufällig wiedergeben + Playlist zufällig wiedergeben + Sleep-Timer + Sortierreihenfolge + Tag-Editor + Favorit umschalten 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. + 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 artist - The title or artist is empty. - Albums - Always - Hey check out this cool music player at: https://play.google.com/store/apps/details?id=%s - Shuffle - Top Tracks - Retro music - Big - Retro music - Card - Retro music - Classic - Retro music - Small - Retro music - Text - Artist - Artists - Audio focus denied. - Change the sound settings and adjust the equalizer controls - Auto - Base color theme - Bass Boost - Bio - Biography - Just Black - Blacklist - Blur - Blur Card - Unable to send report - Invalid access token. Please contact the app developer. - Issues are not enabled for the selected repository. Please contact the app developer. - An unexpected error occurred. Please contact the app developer. - Wrong username or password - Issue - Send manually - Please enter an issue description - Please enter your valid GitHub password - Please enter an issue title - Please enter your valid GitHub username - An unexpected error occurred. Sorry you found this bug, if it keeps crashing \"Clear app data\" or send an Email - Uploading report to GitHub… - Send using GitHub account - Buy now - Cancel - Card - Circular - Colored Card - Card - Carousel - Carousel effect on the now playing screen - Cascading - Cast - Changelog - Changelog maintained on the Telegram channel - Circle - Circular - Classic - Clear - Clear app data - Clear blacklist - Clear queue - Clear playlist - %1$s? This can\u2019t be undone!]]> - Close - Color - Color - Colors - Composer - Copied device info to clipboard. - Couldn\u2019t create playlist. - "Couldn\u2019t download a matching album cover." - Could not restore purchase. - Could not scan %d files. - Create - Created playlist %1$s. - Members and contributors - Currently listening to %1$s by %2$s. - Kinda Dark - No Lyrics - Delete playlist - %1$s?]]> - Delete playlists - Delete song - %1$s?]]> - Delete songs - %1$d playlists?]]> - %1$d songs?]]> - Deleted %1$d songs. - Deleting songs - Depth - Description - Device info - Allow Retro Music to modify audio settings - Set ringtone - Do you want to clear the blacklist? - %1$s from the blacklist?]]> - Donate - If you think I deserve to get paid for my work, you can leave some money here - Buy me a: - Download from Last.fm - Drive mode - Edit - Edit cover - Empty + 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 + Zufällig + Top Songs + Retro Music - Big + Retro Musik - Karte + Retro Music - Classic + Retro Music - Klein + Retro Music - Text + Künstler + Künstler + Audio Fokus verweigert. + Sound- und Equalizer-Optionen einstellen + Automatisch + Grundfarbe + Bassboost + Beschreibung + Biografie + Sehr schwarz + Schwarze Liste + Unschärfe + Karte (Unschärfe) + Fehler beim Melden + Ungültiger Token. Bitte kontaktiere den Entwickler. + Für diese Repository sind Fehlermeldungen nicht aktiviert. Bitte den Entwickler kontaktieren. + Ein unerwarteter Fehler ist aufgetreten. Bitte kontaktiere den Entwickler. + Falscher Nutzername oder Passwort + Problem + Manuell senden + Bitte gebe eine Beschreibung ein + Bitte nutze das korrekte GitHub-Passwort + Bitte gebe einen Titel ein + Bitte nutze einen gültigen GitHub-Nutzernamen + Sorry! Ein unerwarteter Fehler ist aufgetreten. Die App-Daten zurückzusetzen, könnte helfen. + Meldung zu GitHub hochladen... + Via GitHub senden + Jetzt kaufen + Timer stoppen + Karte + Rund + Karte (Farbe) + Karte + Karussell + Karussell-Effekt auf dem Abspielbildschirm + Kaskadierend + Übertragen + Änderungen + Changelog über Telegram-App verwaltet. + Kreis + Rund + Klassik + Leer + App-Daten zurücksetzen + Blacklist leeren + Leeren + Playlist leeren + %1$s leeren? Dies kann nicht r\u00fcckg\u00e4ngig gemacht werden!]]> + Schließen + Farbe + Farbe + Farben + Komponist + Geräteinformationen wurden kopiert + Playlist konnte nicht erstellt werden. + "Passendes Album Cover konnte nicht gedownloadet werden." + Kauf konnte nicht wiederhergestellt werden. + %d Dateien konnte(n) nicht gescannt werden. + Erstellen + Playlist %1$s erstellt. + Helfende Hände + Spielt zur Zeit %1$s von %2$s. + Dunkel + keine Lyrics + Playlist löschen + %1$s löschen?]]> + Playlisten löschen + Song löschen + %1$s löschen?]]> + Songs löschen + %1$d Playlisten löschen?]]> + %1$d Songs löschen?]]> + %1$d Songs gelöscht. + Lösche Songs + Tiefe + Beschreibung + Geräteinfo + Retro Music erlauben, Audioeinstellungen zu verändern + Klingelton festlegen + Möchtest du die Blacklist leeren? + %1$s von der Blacklist entfernen?]]> + Spenden + Falls du denkst ich habe mir etwas für meine Arbeit verdient, kannst du hier gerne ein bisschen Geld hinterlassen. + Kauf\' mir: + Von Last.fm downloaden + Fahrmodus + Bearbeiten + Cover bearbeiten + Leer Equalizer - Error + Fehler FAQ - Favorites - Finish last song - Fit - Flat - Folders - Follow system - For you - Free - Full - Full card - Change the theme and colors of the app - Look and feel + Favoriten + Letzten Song ganz spielen + Anpassen + Flach + Ordner + System folgen + Für dich + Kostenlos + Voll + Karte (Voll) + Allgemeine Farben der App ändern + Aussehen Genre Genres - Fork the project on GitHub - Join the Google Plus community where you can ask for help or follow Retro Music updates + 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 @@ -183,333 +183,337 @@ 6 7 8 - Grid style - Hinge - History - Home - Horizontal flip - Image - Gradient image - Change artist image download settings - Inserted %1$d songs into the playlist %2$s. - Instagram - Share your Retro Music setup to showcase on Instagram - Keyboard + Vorschaubilder + Scharnier + Verlauf + Zuhause + Horizontale Drehung + Bild + Bild mit Farbverlauf + Download-Verhalten für Interpretenbilder ändern + %1$d Song(s) in Playlist %2$s eingefügt. + Teile dein Retro Music-Design auf Instagram + Tastatur Bitrate - Format - File name - File path - Size - More from %s - Sampling rate - Length - Labeled - Last added - Last song - Let\'s play some music - Library - Library categories - Licenses - Clearly White - Listeners - Listing files - Loading products… + Formattieren + Dateiname + Dateipfad + Größe + Mehr von %s + Sampling Rate + Länge + Beschriftet + Zuletzt hinzugefügt + Letzter Song + Lass uns etwas abspielen + Bibliothek + Bibliothekkategorien + Lizenzen + Sehr weiß + Zuhörer + Gelistete Dateien + Produkte werden geladen... Login - Lyrics - Made with ❤️ in India + Songtext + Hergestellt mit ❤ in Indien Material - Error - Permission error - Name - Most played - Never - New banner photo - New playlist - New profile photo - %s is the new start directory. - Next Song - You have no albums - You have no artists - "Play a song first, then try again." - No equalizer found - You have no genres - No lyrics found - No songs playing - You have no playlists - No purchase found. - No results - You have no songs + Fehler + Berechtigungsfehler + Mein Name + Meine Top Lieder + Nie + Neues Banner-Foto + Neue Playlist + Neues Profilbild + %s ist das neue Startverzeichnis. + Nächster Song + Keine Alben + Keine Künstler + "Song abspielen und anschließend erneut versuchen." + Keinen Equalizer gefunden. + Keine Genres + Keine Lyrics gefunden + Kein Lied wird gespielt + Keine Playlisten + Kein Kauf gefunden. + Keine Ergebnisse + Keine Songs Normal - Normal lyrics + Normaler Songtext Normal - %s is not listed in the media store.]]> - Nothing to scan. - Nothing to see - Notification - Customize the notification style - Now playing - Now playing queue - Customize the now playing screen - 9+ now playing themes - Only on Wi-Fi - Advanced testing features - Other - Password - Past 3 months - Paste lyrics here - Peak - Permission to access external storage denied. - Permissions denied. - Personalize - Customize your now playing and UI controls - Pick from local storage - Pick image + %s ist nicht im Medienspeicher aufgeführt.]]> + Nichts zu scannen. + Nichts zu sehen + Benachrichtigung + Benachrichtigungen bearbeiten + Derzeit gespielt + Aktuelle Wiedergabeliste + Passe den Abspielbildschirm an + Mehr als 10 Abspiel-Themes + Nur über Wi-Fi + Erweiterte Testfunktionen + Anderes + Passwort + Letzte 3 Monate + Songtext hier einfügen + Spitze + Berechtigung für den Zugriff auf externen Speicher verweigert. + Berechtigung verweigert. + Personalisieren + Abspiel-Bildschirm und Interface bearbeiten + Vom lokalen Speicher wählen + Bild auswählen Pinterest - 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 + 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 - Filter songs by length - Filter song duration - Advanced - Album style + Lieder nach Länge filtern + Nach Spieldauer filtern + Erweitert + Album-Stil Audio Blacklist - Controls - Theme - Images - Library - Lockscreen - Playlists - Pauses the song when the volume decreases to zero and starts playing back when the volume level rises. Also works outside the app - Pause on zero - Keep in mind that enabling this feature may affect battery life - Keep the screen on - Click to open with or slide to without transparent navigation of now playing screen - Click or Slide - Snow fall effect - 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. - Start playing as soon as connected to bluetooth device - Blur the album cover on the lockscreen. Can cause problems with third party apps and widgets - Carousel effect for the album art in the now playing screen. Note that Card and Blur Card themes won\'t work - 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 - Toggle home banner style - Can increase the album cover quality, but causes slower image loading times. Only enable this if you have problems with low resolution artworks - Configure visibility and order of library categories. - Use Retro Music\'s custom lockscreen controls - License details for open source software - Round the app\'s edges - Toggle titles for the bottom navigation bar tabs - Immersive mode - Start playing immediately after headphones are connected - Shuffle mode will turn off when playing a new list of songs - If enough space is available, show volume controls in the now playing screen - Show album cover - Album cover theme - Album cover skip - Album grid - Colored app shortcuts - Artist grid - Reduce volume on focus loss - Auto-download artist images - Blacklist - Bluetooth playback - Blur album cover - Choose equalizer - Classic notification design - Adaptive color - Colored notification - Desaturated color - Extra controls - Song info - Gapless playback - App theme - Show genre tab - Home artist grid - Home 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 + Schaltflächen + Allgemein + Bilder + Bibliothek + Sperrbildschirm + Playlist + Die Musik pausieren, wenn die Lautstärke auf 0 gestellt wird. Achtung! Wenn die Lautstärke wieder erhöht wird, wird die Musik weiter abgespielt. + 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. + Wiedergabe starten, sobald mit dem Bluetooth-Gerät verbunden wurde + Verunschärft das Album-Cover des Sperrbildschirm. Kann Probleme mit anderen Apps und Widgets verursachen. + Karusselleffekt beim Albumcover auf dem Abspiel-Bildschirm. Die Designs Karte und Karte (Unschärfe) unterstützen diese Funktion nicht. + 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 + Falls Platz vorhanden ist, Lautstärkeregler auf Derzeit gespielt-Bildschirm zeigen + Album Cover anzeigen + Aussehen des Albumcovers + Stil des Album-Covers + Album-Rasteransicht + Gefärbte App Shortcuts + Interpreten-Rasteransicht + Lautstärke bei Fokusverlust reduzieren + Künstler Bild automatisch downloaden + Schwarze Liste + Bluetooth-Wiedergabe + Album Cover weichzeichnen + Equalizer wählen + Klassisches Design für Benachrichtigungen. + selbstanpassende Farbe + Gefärbte Benachrichtigung + Desaturatierte Farbe + Zusätzliche Schaltflächen + Song-Info + Lückenlose Wiedergabe + Hauptthema + Genre-Tab anzeigen + Künstlerbilder auf der Startseite + Home-Banner + Media Store Cover ignorieren + Zuletzt hinzugefügtes Playlist Intervall + Vollbildschirmsteuerung + Gefärbte Navigationsleiste + Erscheinungsbild + Open Source Lizenzen + abgerundet Ecken + Beschriftung der Navigationselemente + Karussell-Effekt + Dominante Farbe + Vollbild App + Navigationsleistentitel + Automatische Wiedergabe + Shuffle-Modus + Lautstärkeregler + Benutzerinformationen + Hauptfarbe + Primäre Farbe des Farbthemas, Standard ist indigo Pro - Black theme, Now playing themes, Carousel effect and more.. - Profile - Purchase - *Think before buying, don\'t ask for refund. - Queue - Rate the app - Love this app? Let us know in the Google Play Store how we can make it even better - Recent albums - Recent artists - Remove - Remove banner photo - Remove cover - Remove from blacklist - Remove profile photo - Remove song from playlist - %1$s from the playlist?]]> - Remove songs from playlist - %1$d songs from the playlist?]]> - Rename playlist - Report an issue - Report bug - Reset - Reset artist image - Restore - Restored previous purchase. Please restart the app to make use of all features. - Restored previous purchases. - Restoring purchase… - Retro Music Equalizer + Themes für \"Now Playing\", Karussell-Effekte und mehr + Profil + Kaufen + *Denke vor dem Kauf nach, frage nicht nach einer Rückerstattung. + Warteschlange + App bewerten + Hinterlasse eine positive Bewertung auf Google Play, wenn die Retro Music gefällt. + Kürzlich gespielte Alben + Kürzlich gehörte Interpreten + Entfernen + Banner-Foto entfernen + Cover entfernen + Von der Blacklist löschen + Profilbild entfernen + Songs von Playlist entfernen + %1$s von der Playlist entfernen?]]> + Songs von Playlist entfernen + %1$d Songs von der Playlist entfernen?]]> + Playlist umbenennen + Fehler melden + Einen Fehler melden + Zurücksetzen + Interpretenbild zurücksetzen + Wiederherstellen + Vorherigen Kauf wiederherstellen. Starte die App bitte neu, um den Vorgang abzuschließen. + Käufe wiederhergestellt + Kauf wird wiederhergestellt... + Retro Music-Equalizer Retro Music Player Retro Music Pro - File delete failed: %s + Löschen der Datei fehlgeschlagen: %s - Can\'t get SAF URI + SAF-URI kann nicht geladen werden Open navigation drawer - Enable \'Show SD card\' in overflow menu + Aktiviere \'SD-Karte anzeigen\' im Überlaufmenü - %s needs SD card access - You need to select your SD card root directory - Select your SD card in navigation drawer - Do not open any sub-folders - Tap \'select\' button at the bottom of the screen - File write failed: %s - Save + %s benötigt Zugriff auf die SD-Karte + Sie müssen Ihr Stammverzeichnis für die SD-Karte auswählen + SD-Karte im Navigationsmenü auswählen + Keine Unterordner öffnen + Tippe auf die \'auswählen\' Taste am unteren Bildschirmrand + Datei schreiben fehlgeschlagen: %s + Speichern - Save as file - Save as files - Saved playlist to %s. - Saving changes - Scan media - Scanned %1$d of %2$d files. + Als Datei speichern + Als Dateien speichern + Playlist gespeichert zu %s. + Änderungen speichern + Medien scannen + %1$d von %2$d Dateien gescannt. Scrobbles - Search your library… - Select all - Select banner photo - Selected - Send crash log - Set - Set artist image - Set a profile photo - Share app - Share to Stories - Shuffle - Simple - Sleep timer canceled. - Sleep timer set for %d minutes from now. - Slide - Small album - Social - Share story - Song - Song duration - Songs - Sort order - Ascending + Bibliothek durchsuchen... + Alle auswählen + Banner-Foto auswählen + Ausgewähltes beschriftet + Crashlogs senden + Setzen + Wähle ein Interpretenbild + Profilfoto festlegen + App teilen + In Stories teilen + Zufall + Einfach + Sleep-Timer abgebrochen + Sleep-Timer wurde auf %d minuten eingestellt. + Folie + Kleines Album + Sozial + Story teilen + Lied + Songdauer + Titel + Sortierreihenfolge + Aufsteigend Album - Artist - Composer - Date added - Date modified - Year - Descending - Sorry! Your device doesn\'t support speech input - Search your library - Stack - Start playing music. - Suggestions - Just show your name on home screen - Support development - Swipe to unlock - Synced lyrics - System Equalizer + Künstler + Komponist + Datum + Änderungsdatum + Jahr + Absteigend + Tut uns leid! Dein Gerät unterstützt keine Spracheingabe + Bibliothek durchsuchen + Gestapelt + Beginne Musik zu spielen. + Für dich + Zeige nur deinen Namen auf dem Startbildschirm + Entwickler unterstützen + Wischen zum Entsperren + Synchronisierter Songtext + System-Equalizer Telegram - Join the Telegram group to discuss bugs, make suggestions, show off and more - Thank you! - The audio file - This month - This week - This year - Tiny - Title - Dashboard - Good afternoon - Good day - Good evening - Good morning - Good night - What\'s Your Name - Today - Top albums - Top artists - "Track (2 for track 2 or 3004 for CD3 track 4)" - Track number - Translate - Help us translate the app to your language - Twitter - Share your design with Retro Music - Unlabeled - Couldn\u2019t play this song. - Up next - Update image - Updating… - Username + Betritt die Telegram-Gruppe um über Fehler zu diskutieren, um Vorschläge zu geben usw. + Vielen Dank! + Die Audiodatei + Diesen Monat + Diese Woche + Dieses Jahr + Winzig + Titel + Bedienfläche + Guten Nachmittag! + Guten Tag! + Einen schönen Abend! + Guten Morgen! + Gute Nacht + Wie heißt du? + Heute + Top Alben + Top Interpreten + "Songnummer (2 für Song 2 oder 3004 für CD3 Song 4)" + Songnummer + Übersetzen + Hilf\' uns, die App in deine Sprache zu übersetzen! + Twitter-Seite + Teile dein Design mit RetroMusic + Unbeschriftet + Song konnte nicht abgespielt werden. + Als Nächstes + Bild aktualisieren + Aktualisieren... + Benutzername Version - Vertical flip - Virtualizer - Volume - Web search - Welcome, - What do you want to share? - What\'s New - Window - Rounded corners - Set %1$s as your ringtone. - %1$d selected - Year - You have to select at least one category. - You will be forwarded to the issue tracker website. - Your account data is only used for authentication. - Amount - Note(Optional) - Start payment - Show now playing screen - Clicking on the notification will show now playing screen instead of the home screen + Vertikale Drehung + Surroundsound + Lautstärke + Internetsuche + Willkommen, + Was möchtest du teilen? + Neuigkeiten + Fenster + Runde Ecken + %1$s als Klingelton verwenden. + %1$d ausgewählt + Jahr + Du musst mindestens eine Kategorie auswählen + Du wirst auf die Issue Tracker-Seite weitergeleitet. + Deine Accountdaten werden ausschließlich zur Authentifizierung genutzt + Anzahl + Notiz(Optional) + Zahlung starten + \"Now Playing\" Bildschirm anzeigen + Wenn Sie auf die Benachrichtigung klicken, wird das \"Now Playing\" Bildschirms statt des Startbildschirms angezeigt + Tiny card + About %s + Select language + Translators + The people who helped translate this app diff --git a/app/src/main/res/values-de/strings.xml b/app/src/main/res/values-de/strings.xml deleted file mode 100644 index b37ff8b5..00000000 --- a/app/src/main/res/values-de/strings.xml +++ /dev/null @@ -1,401 +0,0 @@ - - - Akzentfarbe - Akzentfarbe des Farbthemas, Standard ist Grün - - Über - - Zu Favoriten hinzufügen - Zur Wiedergabeliste hinzufügen - Zur Playlist hinzufügen... - - Wiedergabeliste leeren - Playlist leeren - - Löschen - Vom Gerät löschen - - Details - - Zum Album gehen - Zum Künstler gehen - Zum Startverzeichnis gehen - - Gewähren - - Gittergröße - Gittergröße (Querformat) - - Nächstes - - Play - Spiel danach - Play/Pause - - Vorheriges - - Aus Favoriten entfernen - Von Wiedergabeliste entfernen - Von Playlist entfernen - - Umbenennen - - Wiedergabeliste speichern - - Scannen - - Suche - - Verwenden - Als Klingelton verwenden - Als Startverzeichnis verwenden - - "Einstellungen" - - Teilen - - Alle zufällig wiedergeben - Playlist zufällig wiedergeben - - Sleep-Timer - - Tag-Editor - - Hinzufügen - - Bild \nhinzufügen - - "Zur Playlist 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 - - Zufällig - Top Songs - - Retro Music - Big - Retro Musik - Karte - Retro Music - Classic - Retro Music - Klein - - Künstler - - Künstler - - Audio Fokus verweigert. - - Biografie - - Sehr schwarz - - Blacklist - - Timer stoppen - - Änderungen - - Changelog über Telegram-App verwaltet. - - Leer - - Blacklist leeren - - Playlist leeren - %1$s leeren? Dies kann nicht r\u00fcckg\u00e4ngig gemacht werden!]]> - - Farben - - Playlist konnte nicht erstellt werden. - "Passendes Album Cover konnte nicht gedownloadet werden." - %d Dateien konnte(n) nicht gescannt werden. - - Erstellen - - Playlist %1$s erstellt. - - Spielt zur Zeit %1$s von %2$s. - - Dunkel - - keine Lyrics - - Playlist löschen - %1$s löschen?]]> - - Playlisten löschen - - %1$s löschen?]]> - - %1$d Playlisten löschen?]]> - %1$d Songs löschen?]]> - %1$d Songs gelöscht. - - Möchtest du die Blacklist leeren? - %1$s von der Blacklist entfernen?]]> - - Spenden - - Falls du denkst ich habe mir etwas für meine Arbeit verdient, kannst du hier gerne ein bisschen Geld hinterlassen. - - Von Last.fm downloaden - - Leer - - Equalizer - - Favoriten - - Flach - - Ordner - - Genre - - 1 - 2 - 3 - 4 - 5 - 6 - 7 - 8 - - Verlauf - - Home - - %1$d Song(s) in Playlist %2$s eingefügt. - - Bitrate - - Format - Dateiname - Dateipfad - Größe - - Sampling Rate - - Länge - - Zuletzt hinzugefügt - - Lass uns etwas abspielen - - Bibliothek - - Lizenzen - - Sehr weiß - - Gelistete Dateien - - Produkte werden geladen... - - Lyrics - - Mein Name - - Meine Top Lieder - - Nie - - Neue Playlist - - %s ist das neue Startverzeichnis. - - Keine Alben - - Keine Künstler - - "Song abspielen und anschließend erneut versuchen." - - Keinen Equalizer gefunden. - - Keine Lyrics gefunden - - Keine Playlisten - - Keine Ergebnisse - - Keine Songs - - Normal - - %s ist nicht im Medienspeicher aufgeführt.]]> - - Nichts zu scannen. - - Benachrichtigung - - Aktuelle Wiedergabeliste - - Nur über Wi-Fi - - Letzte 3 Monate - - Berechtigung für den Zugriff auf externen Speicher verweigert. - - Berechtigung verweigert. - - Vom lokalen Speicher wählen - - Die Abspielbenachrichtigung bietet Play/Pause-Steuerung - Abspielbenachrichtigung - - Leere Playlist - - Playlist ist leer - - Playlistname - - Wiedergabelisten - - Audio - Allgemein - Bilder - Sperrbildschirm - Playlist - - Aktuelles Album-Cover als Sperrbildschrim verwenden. - Benachrichtigungen, Benachrichtigung etc. - Verunschärft das Album-Cover des Sperrbildschirm. Kann Probleme mit anderen Apps und Widgets verursachen. - 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" - "Kann bei manchen Geräten Probleme beim Playback verursachen." - Erhöt die Qualität des Album Covers aber verlangsamt die Ladezeit. Nur aktivieren, falls Probleme mit niedriger Auflösung entstehen. - Vollständige Musiksteuerung auf dem Sperrbildschirm einschalten. - Details zu den Lizensen der Open Source Software - Abgerundete Ecken für den Bildschirm, Album Cover, etc. - Schalte den immersiven Modus ein. - - Album Cover anzeigen - Gefärbte App Shortcuts - Lautstärke bei Fokusverlust reduzieren - Künstler Bild automatisch downloaden - Album Cover weichzeichnen - Klassisches Design für Benachrichtigungen. - selbstanpassende Farbe - Gefärbte Benachrichtigung - Lückenlose Wiedergabe - Hauptthema - Media Store Cover ignorieren - Zuletzt hinzugefügtes Playlist Intervall - Gefärbte Navigationsleiste - Erscheinungsbild - Open Source Lizenzen - abgerundet Ecken - Vollbild App - Lautstärkeregler - Benutzerinformationen - - Hauptfarbe - Primäre Farbe des Farbthemas, Standard ist indigo - - Warteschlange - - App bewerten - - Hinterlasse eine positive Bewertung auf Google Play, wenn die Retro Music gefällt. - - Entfernen - - Cover entfernen - - Von der Blacklist löschen - - Songs von Playlist entfernen - %1$s von der Playlist entfernen?]]> - - Songs von Playlist entfernen - - %1$d Songs von der Playlist entfernen?]]> - - Playlist umbenennen - - Käufe wiederhergestellt - - Als Datei speichern - Playlist gespeichert zu %s. - - Änderungen speichern - - %1$d von %2$d Dateien gescannt. - - Bibliothek durchsuchen... - - Zufall - - Sleep-Timer abgebrochen - Sleep-Timer wurde auf %d minuten eingestellt. - - Song - - Songdauer - - Titel - - Sortierreihenfolge - - Tut uns leid! Dein Gerät unterstützt keine Spracheingabe - - Bibliothek durchsuchen - - Zeige nur deinen Namen auf dem Startbildschirm - - Entwickler unterstützen - - Vielen Dank! - - Die Audiodatei - - Diesen Monat - - Diese Woche - - Dieses Jahr - - Gute Nacht - - Wie heißt du? - - Heute - - Übersetzen - - Song konnte nicht abgespielt werden. - - Als Nächstes - - Bild aktualisieren - - Aktualisieren... - - Version - - Internetsuche - - Was möchtest du teilen? - - %1$s als Klingelton verwenden. - - %1$d ausgewählt - - Jahr - More from %s - diff --git a/app/src/main/res/values-el-rGR/strings.xml b/app/src/main/res/values-el-rGR/strings.xml index 2124ffe5..1a47be7a 100644 --- a/app/src/main/res/values-el-rGR/strings.xml +++ b/app/src/main/res/values-el-rGR/strings.xml @@ -1,82 +1,82 @@ Team, social links - Accent color - The theme accent color, defaults to purple - About - Add to favorites - Add to playing queue - Add to playlist - Clear playing queue - Clear playlist + Χρώμα Τονισμού + Το χρώμα τονισμού του θέματος, η προεπιλογή είναι το πράσινο. + Σχετικά με... + Προσθήκη στα αγαπημένα + Προσθήκη στην ουρά αναπ/γής + Προσθήκη σε playlist... + Εκκαθάριση ουράς αναπαραγωγής + Εκκαθάριση playlist Cycle repeat mode - Delete - Delete from device - Details - Go to album - Go to artist + Διαγραφή + Διαγραφή από την συσκευή + Λεπτομέρειες + Πήγαινε στο άλμπουμ + Πήγαινε στον καλλιτέχνη Go to genre - Go to start directory - Grant - Grid size - Grid size (land) + Αναπήδηση σε κατάλογο εκκίνησης + Παραχώρηση + Μέγεθος Πλέγματος + Μέγεθος Πλέγματος (landscape mode) New playlist - Next - Play + Επόμενο + Αναπαραγωγή Play all - Play next - Play/Pause - Previous - Remove from favorites - Remove from playing queue - Remove from playlist - Rename - Save playing queue - Scan - Search - Start - Set as ringtone - Set as start directory - "Settings" - Share - Shuffle all - Shuffle playlist - Sleep timer + Αναπαραγωγή επόμενου + Παίξε/Παύση + Προηγούμενο + Αφαίρεση από τα αγαπημένα + Αφαίρεση από την ουρά αναπ/γής + Αφαίρεση από playlist + Μετονομασία + Αποθήκευση τρέχων ουράς αναπ/γής + Σάρωση + Αναζήτηση + Ορισμός + Ορισμός ως ήχος κλήσης + Ορισμός ως κατάλογο εκκίνησης + "Ρυθμίσεις" + Μοιράσου + Τυχαία αναπ/γη όλων + Τυχαία αναπ/γη playlist + Χρονοδιακόπτης Ύπνου Sort order - Tag editor + Επεξεργασία Ετικετών Toggle favorite Toggle shuffle mode Adaptive - Add + Προσθήκη Add lyrics - Add \nphoto - "Add to playlist" + Προσθήκη εικόνας + "Προσθήκη στη playlist" Add time frame lyrics - "Added 1 title to the playing queue." - Added %1$d titles to the playing queue. - Album - Album artist - The title or artist is empty. - Albums - Always - Hey check out this cool music player at: https://play.google.com/store/apps/details?id=%s - Shuffle - Top Tracks - Retro music - Big - Retro music - Card - Retro music - Classic - Retro music - Small + "Προστέθηκε 1 κομμάτι στην ουρά αναπ/γης." + Προστέθηκαν %1$d κομμάτια στην ουρά αναπ/γης. + Άλμπουμ + Καλλιτέχνης Άλμπουμ + Ο τίτλος ή το όνομα του καλλιτέχνη είναι κενό + Άλμπουμ + Πάντα + Τσεκάρετε αυτό το κούλ music player στο:https://play.google.com/store/apps/details?id=%s + Τυχαία αναπαραγωγή + Κορυφαία Κομμάτια + Retro Music - Μεγάλο + Retro Music - Κάρτα + Retro Music - Κλασσικό + Retro Music - Μικρό Retro music - Text - Artist - Artists - Audio focus denied. + Καλλιτέχνης + Καλλιτέχνες + Η εστίαση ήχου απορρίφθηκε. Change the sound settings and adjust the equalizer controls Auto Base color theme Bass Boost Bio - Biography - Just Black + Βιογραφία + Απλά Μαύρο Blacklist Blur Blur Card @@ -95,7 +95,7 @@ Uploading report to GitHub… Send using GitHub account Buy now - Cancel + Ακύρωση τρέχων χρονοδιακόπτη Card Circular Colored Card @@ -104,74 +104,74 @@ Carousel effect on the now playing screen Cascading Cast - Changelog - Changelog maintained on the Telegram channel + Λίστα Αλλαγών + Η Λίστα Αλλαγών συντηρείται από το Telegram app Circle Circular Classic - Clear + Εκκαθάριση Clear app data - Clear blacklist + Εκκαθάριση blacklist Clear queue - Clear playlist - %1$s? This can\u2019t be undone!]]> + Εκκαθάριση playlist + %1$s? \u0394\u03b5\u03bd \u03c5\u03c0\u03ac\u03c1\u03c7\u03b5\u03b9 \u03b1\u03bd\u03b1\u03af\u03c1\u03b5\u03c3\u03b7!]]> Close Color Color - Colors + Χρώματα Composer Copied device info to clipboard. - Couldn\u2019t create playlist. - "Couldn\u2019t download a matching album cover." + \u0391\u03b4\u03c5\u03bd\u03b1\u03bc\u03af\u03b1 \u03b4\u03b7\u03bc\u03b9\u03bf\u03c5\u03c1\u03b3\u03af\u03b1\u03c2 playlist. + "\u0391\u03b4\u03c5\u03bd\u03b1\u03bc\u03af\u03b1 \u03bb\u03ae\u03c8\u03b7\u03c2 \u03c4\u03b1\u03b9\u03c1\u03b9\u03b1\u03c3\u03c4\u03bf\u03cd \u03b5\u03be\u03c9\u03c6\u03cd\u03bb\u03bb\u03bf\u03c5 \u03ac\u03bb\u03bc\u03c0\u03bf\u03c5\u03bc." Could not restore purchase. - Could not scan %d files. - Create - Created playlist %1$s. + Αδυναμία στο σκανάρισμα %d αρχείων. + Δημιουργία + Δημιουργήθηκε η playlist %1$s. Members and contributors - Currently listening to %1$s by %2$s. - Kinda Dark - No Lyrics - Delete playlist - %1$s?]]> - Delete playlists + Παίζει το %1$s από τους %2$s. + Κάπως Σκούρο + Δεν βρέθηκαν στίχοι. + Διαγραφή playlist + %1$s?]]> + Διαγραφή αυτών των playlist Delete song - %1$s?]]> + %1$s?]]> Delete songs - %1$d playlists?]]> - %1$d songs?]]> - Deleted %1$d songs. + %1$d playlist?]]> + %1$d κομματιών?]]> + Διαγράφηκαν %1$d κομμάτια. Deleting songs Depth Description Device info Allow Retro Music to modify audio settings Set ringtone - Do you want to clear the blacklist? - %1$s from the blacklist?]]> - 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 + Εκκαθάριση της blacklist? + %1$s από τη blacklist?]]> + Δώρισε + Αν σου άρεσε η εφαρμογή μπορείς να δωρίσεις εδώ. + Αγορασέ μου ένα + Λήψη από Last.fm Drive mode Edit Edit cover - Empty - Equalizer + Κενό + Ισοσταθμιστής Error FAQ - Favorites + Αγαπημένα Finish last song Fit - Flat - Folders + Επίπεδο + Φάκελοι Follow system For you Free - Full + Πλήρες Full card Change the theme and colors of the app Look and feel - Genre + Είδος Genres Fork the project on GitHub Join the Google Plus community where you can ask for help or follow Retro Music updates @@ -185,93 +185,92 @@ 8 Grid style Hinge - History - Home + Ιστορικό + Αρχική Horizontal flip Image Gradient image Change artist image download settings - Inserted %1$d songs into the playlist %2$s. - Instagram + Προστέθηκαν %1$d κομμάτια στη playlist %2$s. Share your Retro Music setup to showcase on Instagram Keyboard Bitrate - Format - File name - File path - Size + Μορφή + Όνομα Αρχείου + Διαδρομή Αρχείου + Μέγεθος More from %s - Sampling rate - Length + Συχνότητα δείγματος + Μήκος Labeled - Last added + Προστέθηκαν τελευταία Last song - Let\'s play some music - Library + Ας παίξουμε κάτι + Περιηγήσου Library categories - Licenses - Clearly White + Άδειες + Ξεκάθαρα Λευκό Listeners - Listing files - Loading products… + Καταγραφή αρχείων + Φόρτωση προϊόντων... Login - Lyrics + Στίχοι Made with ❤️ in India Material Error Permission error - Name - Most played - Never + Το Όνομά μου + Τα Κορυφαία Κομμάτια μου + Ποτέ New banner photo - New playlist + Νέα playlist New profile photo - %s is the new start directory. + %s είναι ο νέος κατάλογος εκκίνησης. Next Song - You have no albums - You have no artists - "Play a song first, then try again." - No equalizer found - You have no genres - No lyrics found + Κανένα άλμπουμ + Κανένας καλλιτέχνης + "Παίξτε ενα κομμάτι πρώτα, και ξαναπροσπαθήστε." + Δεν βρέθηκε ισοσταθμιστής. + Κανένα είδος + Δεν βρέθηκαν στίχοι No songs playing - You have no playlists + Δεν βρέθηκαν playlists No purchase found. - No results - You have no songs - Normal + Κανένα αποτέλεσμα + Δεν βρέθηκαν κομμάτια + Κανονικό Normal lyrics Normal - %s is not listed in the media store.]]> - Nothing to scan. + %s δεν υπάρχει στο media store.]]> + Δεν υπάρχει στοιχείο προς σάρωση. Nothing to see - Notification + Ειδοποίηση Customize the notification style Now playing - Now playing queue + Ουρά \"Παίζει Τώρα\" Customize the now playing screen 9+ now playing themes - Only on Wi-Fi + Μόνο από Wi-Fi Advanced testing features Other Password - Past 3 months + Τους περασμένους 3 μήνες Paste lyrics here Peak - Permission to access external storage denied. - Permissions denied. + Η άδεια για προσπέλαση του external storage δεν παραχωρήθηκε. + Οι άδειες δεν παραχωρήθηκαν. 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 + Απλό + Η ειδοποίηση αναπαραγωγής προσφέρει κουμπιά για play/pause, κλπ. + Ειδοποίηση Αναπαραγωγής + Κενή playlist + H Playlist είναι κενή + Όνομα Playlist Playlists Album detail style Amount of blur applied for blur themes, lower is faster @@ -282,13 +281,13 @@ Filter song duration Advanced Album style - Audio + Ήχος Blacklist Controls Theme - Images + Εικόνες Library - Lockscreen + Οθόνη Κλειδώματος Playlists Pauses the song when the volume decreases to zero and starts playing back when the volume level rises. Also works outside the app Pause on zero @@ -297,104 +296,104 @@ 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. Start playing as soon as connected to bluetooth device - Blur the album cover on the lockscreen. Can cause problems with third party apps and widgets + Θολώνει το εξώφυλλο άλμπουμ στην οθόνη κλειδώματος. Μπορεί να προκαλέσει προβλήματα με εφαρμογές και widgets. Carousel effect for the album art in the now playing screen. Note that Card and Blur Card themes won\'t work - 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" + Χρήση του κλασσικού 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 - "Can cause playback issues on some devices." + "Μπορεί να προκαλέσει προβλήματα με την αναπαραγωγή σε κάποιες συσκευές." Toggle genre tab Toggle home banner style - 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 + Ενεργοποίηση διακοπτών ρύθμισης στην οθόνη κλειδώματος. + Λεπτομέρειες άδειας για τη χρήση open source λογισμικού + Στρογγυλεμένες άκρες για το παράθυρο, εξώφυλλα άλμπουμ, κλπ. + Ενεργοποίηση/ Απενεργοποίηση τίτλων από την κάτω μπάρα + Ενεργοποίηση της επιλογής για χρήση πλήρους οθόνης + Όταν συνδεθούν ηχεία/ακουστικά , αρχίζει η αναπαραγωγή Shuffle mode will turn off when playing a new list of songs - If enough space is available, show volume controls in the now playing screen - Show album cover + Εαν υπάρχει χώρος στην οθόνη αναπαραγωγής, ενεργοποιήστε τον πίνακα ελέγχου έντασης. + Εμφάνιση εξωφύλλου άλμπουμ. Album cover theme Album cover skip Album grid - Colored app shortcuts + Χρωματιστά 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 + Κλασσικό design ειδοποίησης + Προσαρμοστικό Χρώμα + Χρωματιστή ειδοποίηση Desaturated color Extra controls Song info - Gapless playback - App theme + Αναπαραγωγή χωρίς κενά + Γενικό θέμα Show genre tab Home artist grid Home banner - Ignore Media Store covers - Last added playlist interval - Fullscreen controls - Colored navigation bar - Now playing theme - Open source licences - Corner edges + Παράληψη Media Store για εξώφυλλα + Χρονικό διάστημα playlist \"Προστέθηκε τελευταία\" + Full screen Ρυθμίσεις + Χρωματιστό navigation bar + Εμφάνιση + Άδειες λογισμικού open source + Στρογγυλεμένες Άκρες Tab titles mode Carousel effect Dominant color - Fullscreen app - Tab titles - Auto-play + Full screen εφαρμογή + Τίτλοι καρτελών + Αυτόματη αναπαραγωγή 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. - Queue - Rate the app - Love this app? Let us know in the Google Play Store how we can make it even better + Ουρά + Βαθμολόγησε την εφαρμογή + Σας αρέσει αυτό το app; Γράψτε μας τις εντυπώσεις σας στο Google Play για να σας παρέχουμε μια καλύτερη εμπειρία Recent albums Recent artists - Remove + Αφαίρεση Remove banner photo - Remove cover - Remove from blacklist + Αφαίρεση Εξώφυλλου + Αφαίρεση από τη blacklist Remove profile photo - Remove song from playlist - %1$s from the playlist?]]> - Remove songs from playlist - %1$d songs from the playlist?]]> - Rename playlist + Αφαίρεσε το κομμάτι από την playlist + %1$s από τη playlist?]]> + Αφαίρεσε τα κομμάτια από την playlist + %1$d κομματιών από τη playlist?]]> + Μετονόμασε την playlist Report an issue Report bug Reset - Reset artist image + Επαναφορά εικόνας καλλιτέχνη Restore Restored previous purchase. Please restart the app to make use of all features. - Restored previous purchases. + Επαναφορά προηγούμενων αγορών επιτυχής. Restoring purchase… - Retro Music Equalizer + Retro Ισοσταθμιστής Retro Music Player Retro Music Pro File delete failed: %s @@ -412,35 +411,35 @@ Save - Save as file + Αποθήκευσε ως αρχείο Save as files - Saved playlist to %s. - Saving changes + Η Playlist αποθηκεύτηκε στο %s. + Αποθηκευόνται οι αλλαγές... Scan media - Scanned %1$d of %2$d files. + Σαρώθηκαν %1$d από %2$d αρχεία. 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. + Τυχαία Αναπαραγωγή + Απλό + Χρονοδιακόπτης ύπνου ακυρώθηκε. + Ο χρονοδιακόπτης ύπνου ορίστικε για %d λεπτά από τώρα. Slide Small album Social Share story - Song - Song duration - Songs - Sort order + Κομμάτι + Διάρκεια κομματιού + Κομμάτια + Σειρά Διάταξης Ascending Album Artist @@ -449,61 +448,61 @@ Date modified Year Descending - Sorry! Your device doesn\'t support speech input - Search your library + Ουπς! Η συσκευή σου δεν υποστηρίζει εισαγωγή φωνής + Αναζητήστε στην Βιβλιοθήκη Stack Start playing music. Suggestions - Just show your name on home screen - Support development + Δείξτε το όνομά σας στην οθόνη κλειδώματος + Υποστήριξη ανάπτυξης της εφαρμογής Swipe to unlock Synced lyrics System Equalizer Telegram Join the Telegram group to discuss bugs, make suggestions, show off and more - Thank you! - The audio file - This month - This week - This year + Σας ευχαριστούμε! + Το αρχείο ήχου + Αυτό το μήνα + Αυτή την εβδομάδα + Αυτό το χρόνο Tiny Title - Dashboard - Good afternoon - Good day - Good evening - Good morning - Good night - What\'s Your Name - Today + Ταμπλό + Καλό Μεσημέρι + Καλημέρα + Καλό Απόγευμα + Καλημέρα + Καληνύχτα + Ποιό είναι το όνομά σας; + Σήμερα Top albums Top artists - "Track (2 for track 2 or 3004 for CD3 track 4)" - Track number - Translate + "Κομμάτι (2 για κομμάτι 2, ή 3004 για CD3 κομμάτι 4)" + Αριθμός Κομματιού + Μετάφραση Help us translate the app to your language Twitter Share your design with Retro Music Unlabeled - Couldn\u2019t play this song. - Up next - Update image - Updating… + \u0394\u03b5\u03bd \u03bc\u03c0\u03bf\u03c1\u03ad\u03c3\u03b1\u03bc\u03b5 \u03bd\u03b1 \u03c0\u03b1\u03af\u03be\u03bf\u03c5\u03bc\u03b5 \u03b1\u03c5\u03c4\u03cc \u03c4\u03bf \u03ba\u03bf\u03bc\u03bc\u03ac\u03c4\u03b9. + Αμέσως επόμενο + Ενημέρωση εικόνας + Ενημέρωση σε εξέλιξη... Username - Version + Έκδοση Vertical flip Virtualizer Volume - Web search + Αναζήτηση στον ιστό Welcome, - What do you want to share? + Τι θα θέλατε να μοιραστείτε; What\'s New Window Rounded corners - Set %1$s as your ringtone. - %1$d selected - Year + Ορισμός %1$s ως ήχου κλήσης. + %1$d έχει επιλεγεί + Χρονιά You have to select at least one category. You will be forwarded to the issue tracker website. Your account data is only used for authentication. @@ -512,4 +511,9 @@ 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 diff --git a/app/src/main/res/values-en-rHK/strings.xml b/app/src/main/res/values-en-rHK/strings.xml index 2124ffe5..321eb477 100644 --- a/app/src/main/res/values-en-rHK/strings.xml +++ b/app/src/main/res/values-en-rHK/strings.xml @@ -192,7 +192,6 @@ Gradient image Change artist image download settings Inserted %1$d songs into the playlist %2$s. - Instagram Share your Retro Music setup to showcase on Instagram Keyboard Bitrate @@ -512,4 +511,5 @@ 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 2124ffe5..321eb477 100644 --- a/app/src/main/res/values-en-rID/strings.xml +++ b/app/src/main/res/values-en-rID/strings.xml @@ -192,7 +192,6 @@ Gradient image Change artist image download settings Inserted %1$d songs into the playlist %2$s. - Instagram Share your Retro Music setup to showcase on Instagram Keyboard Bitrate @@ -512,4 +511,5 @@ 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 2124ffe5..321eb477 100644 --- a/app/src/main/res/values-en-rIN/strings.xml +++ b/app/src/main/res/values-en-rIN/strings.xml @@ -192,7 +192,6 @@ Gradient image Change artist image download settings Inserted %1$d songs into the playlist %2$s. - Instagram Share your Retro Music setup to showcase on Instagram Keyboard Bitrate @@ -512,4 +511,5 @@ 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 2124ffe5..911dc4dc 100644 --- a/app/src/main/res/values-en-rUS/strings.xml +++ b/app/src/main/res/values-en-rUS/strings.xml @@ -192,7 +192,6 @@ Gradient image Change artist image download settings Inserted %1$d songs into the playlist %2$s. - Instagram Share your Retro Music setup to showcase on Instagram Keyboard Bitrate @@ -512,4 +511,9 @@ 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 diff --git a/app/src/main/res/values-es-rES/strings.xml b/app/src/main/res/values-es-rES/strings.xml index 2124ffe5..9373da4f 100644 --- a/app/src/main/res/values-es-rES/strings.xml +++ b/app/src/main/res/values-es-rES/strings.xml @@ -1,180 +1,180 @@ - Team, social links - Accent color - The theme accent color, defaults to purple - About - Add to favorites - Add to playing queue - Add to playlist - Clear playing queue - Clear playlist - Cycle repeat mode - Delete - Delete from device - Details - Go to album - Go to artist - Go to genre - Go to start directory - Grant - Grid size - Grid size (land) - New playlist - Next - Play - Play all - Play next - Play/Pause - Previous - Remove from favorites - Remove from playing queue - Remove from playlist - Rename - Save playing queue - Scan - Search - Start - Set as ringtone - Set as start directory - "Settings" - Share - Shuffle all - Shuffle playlist - Sleep timer - Sort order - Tag editor - Toggle favorite - Toggle shuffle mode - Adaptive - Add - Add lyrics - Add \nphoto - "Add to playlist" - Add time frame lyrics - "Added 1 title to the playing queue." - Added %1$d titles to the playing queue. - Album - Album artist - The title or artist is empty. - Albums - Always - Hey check out this cool music player at: https://play.google.com/store/apps/details?id=%s - Shuffle - Top Tracks - Retro music - Big - Retro music - Card - Retro music - Classic - Retro music - Small - Retro music - Text - Artist - Artists - Audio focus denied. - Change the sound settings and adjust the equalizer controls - Auto - Base color theme - Bass Boost - Bio - Biography - Just Black - Blacklist - Blur - Blur Card - Unable to send report - Invalid access token. Please contact the app developer. - Issues are not enabled for the selected repository. Please contact the app developer. - An unexpected error occurred. Please contact the app developer. - Wrong username or password - Issue - Send manually - Please enter an issue description - Please enter your valid GitHub password - Please enter an issue title - Please enter your valid GitHub username - An unexpected error occurred. Sorry you found this bug, if it keeps crashing \"Clear app data\" or send an Email - Uploading report to GitHub… - Send using GitHub account - Buy now - Cancel - Card + Equipo, enlaces sociales + Color de énfasis + El color de énfasis del tema, es morado por defecto + Acerca de Retro Music Player + Añadir a favoritos + Añadir a la cola de reproducción + Añadir a la lista de reproducción + Vaciar cola de reproducción + Limpiar lista de reproducción + Modo de repetición + Eliminar + Eliminar del dispositivo + Detalles + Ir al álbum + Ir al artista + Ir al género + Ir al directorio de inicio + Permitir + Tamaño de la cuadricula + Tamaño de cuadrícula (horizontal) + Nueva lista de reproducción + Siguiente + Reproducir + Reproducir todo + Reproducir siguiente + Reproducir/Pausar + Anterior + Eliminar de favoritos + Eliminar de la cola de reproducción + Eliminar de la lista de reproducción + Renombrar + Guardar lista de reproducción + Escanear + Buscar + Iniciar + Establecer como tono de llamada + Establecer como directorio de inicio + "Ajustes" + Compartir + Mezclar todo + Mezclar lista de reproducción + Temporizador de apagado + Ordenar por + Editor de etiquetas + Alternar favoritos + Alternar el modo aleatorio + Adaptativo + Agregar + Añadir letra + Agregar foto + "Agregar a lista de reproducción" + Añadir retardo 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 + Aleatorio + Canciones más reproducidas + Retro Music - Grande + Retro Music - Tarjeta + Retro Music - Clásico + Retro Music - Pequeño + Retro Music - Texto + Artista + Artistas + Enfoque de audio denegado + Modifica los ajustes de sonido y ajusta los controles del ecualizador + Automático + Color base del tema + Refuerzo de graves + Biografía + Biografía + Negro + Lista Negra + Desenfoque + Tarjeta con desenfoque + Enviando el reporte a GitHub... + Token de acceso inválido. Por favor, contacta con el desarrollador de la aplicación + El problema no esta habilitado para el repositorio seleccionado. Por favor, contacta col el desarrollador de la app. + Se ha producido un error inesperado. Por favor, contacta con el desarrollador de la aplicación + Usuario o contraseña incorrectos + Problema + Enviar manualmente + Por favor, describe el problema + Por favor, introduce tu contraseña de GitHub + 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 - Colored Card - Card - Carousel - Carousel effect on the now playing screen - Cascading - Cast - Changelog - Changelog maintained on the Telegram channel - Circle + 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 - Classic - Clear - Clear app data - Clear blacklist - Clear queue - Clear playlist - %1$s? This can\u2019t be undone!]]> - Close + 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 - Colors - Composer - Copied device info to clipboard. - Couldn\u2019t create playlist. - "Couldn\u2019t download a matching album cover." - Could not restore purchase. - Could not scan %d files. - Create - Created playlist %1$s. - Members and contributors - Currently listening to %1$s by %2$s. - Kinda Dark - No Lyrics - Delete playlist - %1$s?]]> - Delete playlists - Delete song - %1$s?]]> - Delete songs - %1$d playlists?]]> - %1$d songs?]]> - Deleted %1$d songs. - Deleting songs - Depth - Description - Device info - Allow Retro Music to modify audio settings - Set ringtone - Do you want to clear the blacklist? - %1$s from the blacklist?]]> - Donate - If you think I deserve to get paid for my work, you can leave some money here - Buy me a: - Download from Last.fm - Drive mode - Edit - Edit cover - Empty - Equalizer + Colores + Compositor + Información del dispositivo copiada al portapapeles + No se pudo crear la lista de reproducción. + "No se pudo descargar una portada de álbum coincidente." + No se pudo restaurar la compra. + No se pudieron escanear %d archivos + Crear + Lista de reproducción %1$s creada + Miembros y colaboradores + Actualmente estás escuchando %1$s de %2$s. + Un poco oscuro + No hay letras + Eliminar lista de reproducción + %1$s?]]> + Eliminar listas de reproducción + Eliminar canción + %1$s?]]> + Eliminar canciones + %1$d listas de reproducción?]]> + %1$d canciones?]]> + %1$d canciones eliminadas. + Eliminando canciones + Profundidad + Descripción + Información del dispositivo + Permitir a Retro Music modificar los ajustes de audio + Establecer como tono + ¿Deseas limpiar la lista negra? + %1$s de la lista negra?]]> + Donar + Si crees que merezco que me paguen por mi trabajo, puedes dejar algo de dinero aquí + Cómprame: + Descargar de Last.fm + Modo de conducir + Editar + Editar portada + Vacio + Ecualizador Error - FAQ - Favorites - Finish last song - Fit - Flat - Folders - Follow system - For you - Free - Full - Full card - Change the theme and colors of the app - Look and feel - Genre - Genres - Fork the project on GitHub - Join the Google Plus community where you can ask for help or follow Retro Music updates + Preguntas más frecuentes + Favoritos + Termina la última canción + Ajustado + Plano + Carpetas + Seguir al sistema + Para ti + Gratuito + Completo + Tarjeta completa + Cambiar el tema y colores de la aplicación + Aspecto y la sensación + Género + Géneros + Haz Fork del proyecto en GitHub + Únase a la comunidad de Google Plus donde puede pedir ayuda o seguir las actualizaciones Retro Music 1 2 3 @@ -183,333 +183,337 @@ 6 7 8 - Grid style - Hinge - History - Home - Horizontal flip - Image - Gradient image - Change artist image download settings - Inserted %1$d songs into the playlist %2$s. - Instagram - Share your Retro Music setup to showcase on Instagram - Keyboard - Bitrate - Format - File name - File path - Size - More from %s - Sampling rate - Length - Labeled - Last added - Last song - Let\'s play some music - Library - Library categories - Licenses - Clearly White - Listeners - Listing files - Loading products… - Login - Lyrics - Made with ❤️ in India + Cuadricula y estilo + Giro + Historial + Inicio + Giro horizontal + Imagen + Imagen de degradado + Cambiar la configuración de descarga de imágenes del artista + %1$d canciones agregadas a la lista de reproducción %2$s. + Comparte tu configuración de Retro Music para exhibirlo en Instagram + Teclado + Velocidad de bits + Formato + Nombre del archivo + Ruta del archivo + Tamaño + Más desde %s + Frecuencia de muestreo + Duración + Etiquetado + Añadidos recientemente + Última canción + Vamos a tocar un poco de música + Biblioteca + Categorías biblioteca + Licencias + Blanco claro + Escuchadores + Listando archivos + Cargando productos... + Iniciar Sección + Letras + Hecho con ❤️ en India Material Error - Permission error - Name - Most played - Never - New banner photo - New playlist - New profile photo - %s is the new start directory. - Next Song - You have no albums - You have no artists - "Play a song first, then try again." - No equalizer found - You have no genres - No lyrics found - No songs playing - You have no playlists - No purchase found. - No results - You have no songs + Error de permisos + Nombre + Más reproducidas + Nunca + Nueva foto del banner + Nueva lista + Nueva foto de perfil + %s es el nuevo directorio de inicio + Próxima canción + No hay Álbumes + No hay Artistas + "Primero reproduce una canción, luego intenta de nuevo." + No se encontró ecualizador + No hay Géneros + No se encontró letra + No hay canciones tocando + No hay Listas de Reproducción + No se encontraron compras. + Sin resultados + No hay Canciones Normal - Normal lyrics + Letras normales Normal - %s is not listed in the media store.]]> - Nothing to scan. - Nothing to see - Notification - Customize the notification style - Now playing - Now playing queue - Customize the now playing screen - 9+ now playing themes - Only on Wi-Fi - Advanced testing features - Other - Password - Past 3 months - Paste lyrics here + %s no aparece en la lista de medios.]]> + Nada para escanear. + Nada para escanear + Notificaciones + Personaliza el estilo de la notificación + Reproduciendo ahora + Cola de reproducción actual + Personalizar la ventana de reproducción + Más de 9 temas para la ventana de reproducción + Solo con Wi-Fi + Funciones avanzadas experimentales + Otro + Contraseña + Más de 3 meses + Pegar letra aquí Peak - Permission to access external storage denied. - Permissions denied. - Personalize - Customize your now playing and UI controls - Pick from local storage - Pick image + 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 - 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 - Album style + 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 + Estilo del álbum Audio - Blacklist - Controls - Theme - Images - Library - Lockscreen - Playlists - Pauses the song when the volume decreases to zero and starts playing back when the volume level rises. Also works outside the app - Pause on zero - Keep in mind that enabling this feature may affect battery life - Keep the screen on - Click to open with or slide to without transparent navigation of now playing screen - Click or Slide - Snow fall effect - 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. - Start playing as soon as connected to bluetooth device - Blur the album cover on the lockscreen. Can cause problems with third party apps and widgets - Carousel effect for the album art in the now playing screen. Note that Card and Blur Card themes won\'t work - 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 - Toggle home banner style - Can increase the album cover quality, but causes slower image loading times. Only enable this if you have problems with low resolution artworks - Configure visibility and order of library categories. - Use Retro Music\'s custom lockscreen controls - License details for open source software - Round the app\'s edges - Toggle titles for the bottom navigation bar tabs - Immersive mode - Start playing immediately after headphones are connected - Shuffle mode will turn off when playing a new list of songs - If enough space is available, show volume controls in the now playing screen - Show album cover - Album cover theme - Album cover skip - Album grid - Colored app shortcuts - Artist grid - Reduce volume on focus loss - Auto-download artist images - Blacklist - Bluetooth playback - Blur album cover - Choose equalizer - Classic notification design - Adaptive color - Colored notification - Desaturated color - Extra controls - Song info - Gapless playback - App theme - Show genre tab - Home artist grid - Home 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 + Lista Negra + Controles + Tema + Imágenes + Biblioteca + Pantalla de bloqueo + Listas de reproducción + Pausar la reproducción cuando se esta en silencio y reproducir cuando se aumenta el volumen. ¡Cuidado! Cuando se aumenta el volumen se empezara la reproducción aunque se este fuera de la app. + 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. + Comienza a reproducir tan pronto como esté conectado al dispositivo bluetooth + Desenfocar la portada el álbum en la pantalla de bloqueo. Puede causar problemas con aplicaciones y widgets de terceros + Efecto carrusel para la portada del álbum en la ventana de reproducción. En los temas \"Tarjeta\" y \"Tarjeta Desenfocada\" no funcionará + 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\u00f3n con el color vibrante de la portada del \u00e1lbum" + 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, bitrate y frecuencia + "Puede causar problemas de reproducción en algunos dispositivos" + Mostrar/Ocultar pestaña de 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 se conecten audífonos + El modo aleatorio se desactivará cuando se reproduzca una nueva lista de canciones + Mostrar controles de volumen si hay suficiente espacio disponible. + Mostrar/Ocultar portada del álbum + Tema de la portada del álbum + Estilo de portada del álbum en reproducción + Cuadricula del álbum + Accesos directos de la aplicación coloreados + Cuadricula de los artistas + Reducir el volumen en pérdida de enfoque + Descarga automática de imágenes de artistas + Lista Negra + Reproducción por Bluetooth + Desenfocar portada del álbum + Elegir ecualizador + Diseño de notificación clásico + Color adaptativo + Notificación coloreada + Color Desaturado + Controles extra + Información de la canción + Reproducción sin pausas + Tema de la aplicación + Mostrar pestaña de géneros + Cuadricula 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 es gris azulado, por ahora funciona con colores oscuros Pro - Black theme, Now playing themes, Carousel effect and more.. - Profile - Purchase - *Think before buying, don\'t ask for refund. - Queue - Rate the app - Love this app? Let us know in the Google Play Store how we can make it even better - Recent albums - Recent artists - Remove - Remove banner photo - Remove cover - Remove from blacklist - Remove profile photo - Remove song from playlist - %1$s from the playlist?]]> - Remove songs from playlist - %1$d songs from the playlist?]]> - Rename playlist - Report an issue - Report bug - Reset - Reset artist image - Restore - Restored previous purchase. Please restart the app to make use of all features. - Restored previous purchases. - Restoring purchase… - Retro Music Equalizer - Retro Music Player + Temas en reproducción, efecto Carrusel, tema de color y más ... + Perfil + Comprar + *Piense antes de comprar, no pida un reembolso. + Cola + Califica la aplicación + ¿Te encanta la aplicación? Haznos saber en Google Play Store cómo podemos hacerla aún mejor + Álbumes recientes + Artistas recientes + Eliminar + Eliminar foto del banner + Eliminar portada + Eliminar de la lista negra + Eliminar foto de perfil + Eliminar canción de la lista + %1$s de la lista?]]> + Eliminar canciones de la lista + %1$d canciones de la lista?]]> + Renombrar lista + Reporta un problema + Reportar un error + Restablecer + Reiniciar imagen del artista + Restaurar + Compra anterior restaurada. Por favor, reinicie la aplicación para hacer uso de todas las funciones. + Compras anteriores restauradas. + Restaurando compra... + Ecualizador de Reto Music + Reproductor de Música Retro Retro Music Pro - File delete failed: %s + La eliminación del archivo falló - Can\'t get SAF URI - Open navigation drawer - Enable \'Show SD card\' in overflow menu + No se puede obtener SAF URI + Abrir panel de navegación + Activar \"Mostrar tarjeta SD\" en el menú - %s needs SD card access - You need to select your SD card root directory - Select your SD card in navigation drawer - Do not open any sub-folders - Tap \'select\' button at the bottom of the screen - File write failed: %s - Save + %s necesita acceder a la tarjeta SD + Debes seleccionar el directorio raíz de tu tarjeta SD + Selecciona tu tarjeta SD en el cajón de navegación + No abra ninguna sub-carpeta + Toca el botón \'seleccionar\' en la parte inferior de la pantalla + Error al escribir: %s + Guardar - Save as file - Save as files - Saved playlist to %s. - Saving changes - Scan media - Scanned %1$d of %2$d files. + Guardar como archivo + Guardar como archivos + Guardar lista de reproducción a %s + Guardando cambios + Escanear medios + %1$d de %2$d archivos escaneados. Scrobbles - 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 + 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 - Share story - Song - Song duration - Songs - Sort order - Ascending - Album - Artist - Composer - Date added - Date modified - Year - Descending - Sorry! Your device doesn\'t support speech input - Search your library - Stack - Start playing music. - Suggestions - Just show your name on home screen - Support development - Swipe to unlock - Synced lyrics - System Equalizer + Compartir historia + Canción + Duración de la canción + Canciones + Ordenar por + Ascendente + Álbum + Artista + Compositor + Fecha + Fecha de modificación + Año + Descendente + ¡Lo siento! Su dispositivo no es compatible con la entrada de voz + Busca en tu biblioteca + Apilado + Comenzar a reproducir música. + Recomendaciones + Muestra tu nombre en la pantalla de inicio + Apoya el desarrollo + Desbloquear + Letras sincronizadas + Ecualizador del Sistema Telegram - Join the Telegram group to discuss bugs, make suggestions, show off and more - Thank you! - The audio file - This month - This week - This year - Tiny - Title - Dashboard - Good afternoon - Good day - Good evening - Good morning - Good night - What\'s Your Name - Today - Top albums - Top artists - "Track (2 for track 2 or 3004 for CD3 track 4)" - Track number - Translate - Help us translate the app to your language + Únete al grupo de Telegram para discutir los errores, hacer sugerencias, presumir y más + ¡Gracias! + El archivo de audio + Este mes + Esta semana + Este año + Pequeño + Titulo + Tablero + ¡Buenas Tardes! + ¡Buen Día! + ¡Buenas Tardes! + ¡Buenos días! + Buenas noches + ¿Cómo te llamas? + Hoy + Álbumes mas reproducidos + Artistas más reproducidos + "Pista (2 para pista 2 o 3004 para CD3 pista 4)" + Número de pista + Traducir + Ayúdanos a traducir la aplicación a tu lenguaje Twitter - Share your design with Retro Music - Unlabeled - Couldn\u2019t play this song. - Up next - Update image - Updating… - Username - Version - Vertical flip - Virtualizer - Volume - Web search - Welcome, - What do you want to share? - What\'s New - Window - Rounded corners - Set %1$s as your ringtone. - %1$d selected - Year - You have to select at least one category. - You will be forwarded to the issue tracker website. - Your account data is only used for authentication. - Amount - Note(Optional) - Start payment - Show now playing screen - Clicking on the notification will show now playing screen instead of the home screen + Comparte tu diseño con Retro Music + Sin etiqueta + No se pudo reproducir esta canci\u00f3n + A continuación + Actualizar imagen + Actualizando... + Nombre de usuario + Versión + giro vertical + Virtualizador + Volumen + Búsqueda web + Bienvenido, + ¿Qué quieres compartir? + Lo Nuevo + Ventana + Esquinas redondeadas + %1$s establecido como tono de llamada. + %1$d seleccionados + Año + Tienes que seleccionar al menos una categoría + Sera 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 + Tiny card + About %s + Select language + Translators + The people who helped translate this app diff --git a/app/src/main/res/values-es-rUS/strings.xml b/app/src/main/res/values-es-rUS/strings.xml deleted file mode 100644 index f78f2ee9..00000000 --- a/app/src/main/res/values-es-rUS/strings.xml +++ /dev/null @@ -1,702 +0,0 @@ - - - Hello - El color de énfasis del tema, por defecto es verde azulado - - Acerca de Retro Music Player - - Añadir a favoritos - Añadir a la cola de reproducción - Añadir a la lista de reproducción - - Borrar cola de reproducción - Limpiar lista - - Eliminar - Eliminar del dispositivo - - Detalles - - Ir al álbum - Ir al artista - Ir a género - Ir al inicio - - Permitir - - Tamaño de cuadrícula - Tamaño de cuadrícula (horizontal) - - Siguiente - - Reproducir - Reproducir siguiente - Reproducir/Pausar - - Anterior - - Borrar de favoritos - Borrar de la cola de reproducción - Remover de la lista de reproducción - - Renombrar - - Guardar cola de reproducción - - Escanear - - Buscar - - Iniciar - Establecer como tono de llamada - Establecer como directorio de inicio - - "Ajustes" - - Compartir - - Aleatorio - Reproducción aleatoria de lista - - Temporizador de apagado - - Ordenar por - - Editor de etiquetas - - Adaptativo - - Agregar - - Agregar \nfoto - - "Agregar a la lista" - - "Se agregó 1 canción a la lista" - - %1$d canciones añadidas a la cola de reproducción. - - Álbum - - Artista del álbum - - El título o artista está vacío. - - Álbumes - - - Siempre - - Echa un vistazo a este reproductor de música en: https://play.google.com/store/apps/details?id=%s - - - Aleatorio - Hello - - Retro Music - Grande - Retro Music - Tarjeta - Retro Music - Clásico - Retro Music - Pequeño - Retro Music - Texto - - Artista - - Artistas - - Enfoque de audio denegado - - Modificar los ajustes de sonido y los controles del ecualizador - - Automático - - Color base del tema - - Refuerzo de Graves - - Biografía - - Biografía - - Negro - - Lista Negra - - Desenfoque - - Tarjeta con desenfoque - - No se puede enviar el reporte - Token de acceso inválido. Por favor, contacta con el desarrollador de la aplicación - Los problemas no están habilitados para el repositorio seleccionado. Por favor, contacta con el desarrollador de la aplicación - Se ha producido un error inesperado. Por favor, contacta con el desarrollador de la aplicación - Usuario o contraseña incorrectos - Problemas - Enviar manualmente - Por favor, escribe la descripción del problema - Por favor, introduce tu contraseña de GitHub - 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 - - Cancelar - - Tarjeta - - Circular - - Tarjeta coloreada - - Tarjeta - - Carrusel - - Efecto carrusel en la ventana de reproducción - - En cascada - - Emitir - - Lista de cambios - - La lista de cambios se encuentra disponible en el canal de Telegram - - Circular - - Limpiar - - Borrar datos de la aplicación - - Limpiar lista negra - - Limpiar la cola - - Limpiar lista - %1$s? \u00a1Esto no se puede deshacer!]]> - - Cerrar - - Color - - Color - - Colores - - Información del dispositivo copiada al portapapeles - - No se pudo crear la lista - "No se pudo descargar una portada de \u00e1lbum coincidente" - No se pudo restaurar la compra - No se pudieron escanear %d archivos - - Crear - - Se creó la lista reproducción %1$s - - Miembros y contribuidores - - Estás escuchando %1$s de %2$s - - Oscuro - - No hay letras - - Eliminar lista - %1$s?]]> - - Eliminar listas - - %1$s?]]> - - %1$d listas?]]> - %1$d canciones?]]> - Se eliminaron %1$d canciones - - Profundidad - - Descripción - - Información del dispositivo - - ¿Deseas limpiar la lista negra? - %1$s de la lista negra?]]> - - Donar - - Si crees que merezco que me paguen por mi trabajo, puedes dejar algo de dinero aquí - - Cómprame: - - Descargar desde Last.fm - - Editar - - Editar portada - - Vacío - - Ecualizador - - Error - - Preguntas más frecuentes - - Favoritos - - Ajustado - - Plano - - Carpetas - - Para ti - - Completo - - Tarjeta completa - - Cambia el tema y colores de la aplicación - Apariencia - - Género - - Géneros - - Bifurca el proyecto en GitHub - - Únete a nuestra comunidad de Google Plus, donde puedes pedir ayuda o seguir las actualizaciones de Retro Music - - 1 - 2 - 3 - 4 - 5 - 6 - 7 - 8 - - Giro - - Historial - - Inicio - - Giro horizontal - - Imagen - - Cambia la configuración de descarga de imágenes de artistas - - Añadiste %1$d canciones a la lista %2$s - - Instagram - Comparte tu configuración de Retro Music para exhibirlo en Instagram - - Tasa de bits - - Formato - Nombre del archivo - Ruta de archivo - Tamaño - - Frecuencia de muestreo - - Duración - - Etiquetado - - Agregados recientemente - - Vamos a reproducir algo - - Biblioteca - - Licencias - - Blanco - - Listado de archivos - - Cargando productos... - - Inicio de sesión - - Letras - - Hecho con ❤️ en India - - Material - - Mi Nombre - - Más reproducidas - - Nunca - - Nueva foto de portada - - Nueva lista - - Nueva foto de perfil - - %s es el nuevo directorio de inicio - - No hay álbumes - - No hay artistas - - "Reproduce una canción primero e intenta de nuevo" - - No se encontró ecualizador - - No hay géneros - - No se encontraron letras - - No hay listas - - No se encontraron compras previas - - Sin resultados - - No hay canciones - - Normal - - Letras normales - - Normal - - %s no se encuentra listado en los medios almacenados]]> - - Nada para escanear - - Notificaciones - - Personaliza el estilo de la notificación - - Reproduciendo ahora - Cola de reproducción actual - Personalizar la ventana de reproducción - Más de 9 temas para la ventana de reproducción - - Solo con Wi-Fi - - Otro - - Contraseña - - Últimos 3 meses - - Permiso para acceder al almacenamiento externo denegado - - Permisos denegados - - Personalizar - - Personaliza la ventana de reproducción y controles de interfaz de usuario - - Seleccionar del almacenamiento interno - - Sencillo - - 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 - - Estilo de detalle de álbum - - Cantidad de desenfoque aplicado a los temas de desenfoque, más bajo es más rápido - Cantidad de desenfoque - - Audio - Tema - Imágenes - Pantalla de bloqueo - Listas de reproducción - - Pausa la reproducción en cero y la reproduce después de subir el volumen. Aviso: cuando subas el volumen, la música empezará a sonar incluso fuera de la aplicación - 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 - Hacer Clic o Deslizar - - Efecto \"Snow Fall\" - - Utiliza la portada del álbum de la canción que se reproduce como fondo de pantalla de bloqueo - Baja el volumen cuando se reproduzca un sonido del sistema o se reciba una notificación - El contenido de las carpetas de la lista negra se oculta de la biblioteca - Desenfoca la portada del álbum en la pantalla de bloqueo. Puede causar problemas con aplicaciones y widgets de terceros - Efecto carrusel en la portada del álbum en la ventana de reproducción. No funciona en los temas \"Desenfoque\" y \"Tarjeta con desenfoque\" - Utiliza el diseño clásico de notificación - Los colores del fondo y de los botones de control cambian de acuerdo con la portada del álbum en la ventana de reproducción - Colorea los accesos directos de la aplicación con el color de énfasis. Cada vez que cambies de color, por favor activa esta opción - Colorea la barra de navegación con el color principal - "Colorea la notificaci\u00f3n con el color vibrante de la portada del \u00e1lbum" - El color dominante se elegirá de la imagen del álbum o artista - "Añadir controles extra al minireproductor " - "Puede causar problemas de reproducción en algunos dispositivos" - Mostrar/Ocultar pestaña de géneros - Mostar/Ocultar banner de pantalla de inicio - Puede aumentar la calidad de la portada del álbum, pero a veces puede tardar en cargar. Actívalo solo si tienes problemas con portadas de baja resolución - Utiliza los controles de pantalla de bloqueo personalizados de Retro Music - Detalles de la licencia para software de código abierto - Redondea las esquinas de la aplicación - Mostrar/Ocultar títulos para las pestañas de la barra de navegación inferior - Modo inmersivo - Empezar a reproducir inmediatamente después de conectar los auriculares - El modo aleatorio se desactivará cuando se reproduzca una nueva lista de canciones - Muestra los controles de volumen en la ventana de reproducción, si hay suficiente espacio disponible - - Mostrar portada del álbum - Tema de la portada del álbum - Estilo de portada del álbum en reproducción - Cuadrícula del álbum - Accesos directos coloreados - Cuadrícula de artistas - Reducir volumen al recibir notificaciones - Descarga automática de imágenes de artistas - Lista Negra - Desenfocar portada del álbum - Elegir ecualizador - Diseño clásico de notificación - Color adaptativo - Notificación coloreada - Controles extra - Reproducción sin pausas - Tema de la aplicación - Mostrar pestaña de géneros - Cuadrícula de artista en pantalla de inicio - Banner de pantalla de inicio - Ignorar las portadas de la biblioteca de medios - Intervalo de la lista \"Añadidos Recientemente\" - Controles a pantalla completa - Barra de navegación coloreada - Tema de la ventana de reproducción - Licencias de código abierto - Esquinas redondeadas - Tipo de títulos de pestañas - Efecto carrusel - Color dominante - App a pantalla completa - Títulos de pestañas - Reproducción automática - Aleatorio - Controles de volumen - Información de usuario - - Color principal - El color principal del tema -por defecto es azul grisáceo- temporalmente funciona con colores oscuros - - Perfil - - Comprar - - *Piensa antes de comprar, no pidas un reembolso - - Cola - - Calificar app - - Te gusta la aplicación? Haznos saber en Google Play Store cómo podemos hacerla aún mejor - - Álbumes recientes - - Artistas recientes - - Eliminar - - Eliminar foto del banner - - Eliminar portada - - Eliminar de la lista negra - - Eliminar foto de perfil - - Eliminar canción de la lista - %1$s de la lista?]]> - - Eliminar canciones de la lista - - %1$d canciones de la lista?]]> - - Renombrar lista - - Reporta un problema - - Reportar un error - - Restablecer imagen de artista - - Restaurar - - Compras previas restauradas. Por favor, reinicia la aplicación para hacer uso de todas las funciones - Compras previas restauradas - - Restaurando compra... - - Ecualizador Retro - - Retro Music Pro - - - - Guardar como archivo - - Guardar como archivos - - Guardar lista de reproducción a %s - - Guardando cambios - - Escanear medios - - Escaneados %1$d de %2$d archivos - - Busca en tu biblioteca... - - Seleccionar todos - - Seleccionar foto del banner - - Seleccionado - - Establecer imagen de artista - - Compartir app - - Aleatorio - - Simple - - Temporizador apagado - Temporizador establecido para %d minutos desde ahora - - "Portada Pequeña -" - - Social - - Canción - - Duración de la canción - - Canciones - - Ordenar por - Ascendente - Álbum - Artista - Fecha - Año - Descendente - - ¡Lo sentimos! Su dispositivo no soporta la entrada de voz - - Busca en tu biblioteca - - Recomendaciones - - Muestra tu nombre en la pantalla de inicio - - Soporte de desarrollo - - Letras Sincronizadas - - Ecualizador del Sistema - - - Telegram - Únete al grupo de Telegram para discutir los errores y hacer sugerencias - - ¡Gracias! - - El archivo de audio - - Este mes - - Esta semana - - Este año - - Pequeño - - Título - - "Tablero " - - ¡Buenas Tardes! - ¡Buen Día! - ¡Buenas Tardes! - ¡Buenos días! - Buenas noches - - Cuál es tu nombre - - Hoy - - "Top álbumes " - - Artistas más reproducidos - - "Pista (2 para pista 2 o 3004 para CD3 pista 4)" - - Número de pista - - Traducir - - Ayúdanos a traducir la aplicación a tu idioma - - Twitter - Comparte tu diseño con Retro Music - - No etiquetado - - No se pudo reproducir esta canci\u00f3n - - A continuación - - Actualizar imagen - - Actualizando... - - Nombre de usuario - - Versión - - giro vertical - - Virtualizador - - Búsqueda web - - ¿Qué quieres compartir? - - Lo Nuevo - - Ventana - - Esquinas redondeadas - - Establecer %1$s como tono de llamada - - %1$d seleccionado - - Año - - Serás redirigido al sitio web de seguimiento de problemas - - Los datos de tu cuenta sólo se utilizan para la autenticación - More from %s - diff --git a/app/src/main/res/values-eu-rES/strings.xml b/app/src/main/res/values-eu-rES/strings.xml index 2124ffe5..de9b259b 100644 --- a/app/src/main/res/values-eu-rES/strings.xml +++ b/app/src/main/res/values-eu-rES/strings.xml @@ -1,180 +1,180 @@ Team, social links - Accent color - The theme accent color, defaults to purple - About - Add to favorites - Add to playing queue - Add to playlist - Clear playing queue - Clear playlist + Azentu kolorea + Gaiaren azentu kolorea. Lehenetsia: teal + Honi buruz + Gogokoetara gehitu + Ilaran gehitu + Erreprodukzio zerrendan gehitu + Erreprodukzio ilara garbitu + Erreprodukzio zerrenda garbitu Cycle repeat mode - Delete - Delete from device - Details - Go to album - Go to artist - Go to genre - Go to start directory - Grant - Grid size - Grid size (land) + Ezabatu + Gailutik ezabatu + Xehetasunak + Albumera joan + Artistara joan + Generora joan + Hasierako direktoriora joan + Onartu + Sareta tamaina + Sareta tamaina (paisaia) New playlist - Next - Play + Hurrengoa + Erreproduzitu Play all - Play next - Play/Pause - Previous - Remove from favorites - Remove from playing queue - Remove from playlist - Rename - Save playing queue - Scan - Search - Start - Set as ringtone - Set as start directory - "Settings" - Share - Shuffle all - Shuffle playlist - Sleep timer - Sort order - Tag editor + Hurrengoa erreproduzitu + Erreproduzitu/Pausatu + Aurrekoa + Kendu gogokoetatik + Erreprodukzio ilaratik kendu + Erreprodukzio zerrendatik kendu + Berrizendatu + Erreprodukzio ilara gorde + Eskaneatu + Bilatu + Hasi + Dei-tonu bezala ezarri + Hasierako direktorio bezala ezarri + "Ezarpenak" + Partekatu + Nahastu guztiak + Nahastu erreprodukzio zerrenda + Lo tenporizadorea + Ordenatze irizpidea + Etiketa editorea Toggle favorite Toggle shuffle mode - Adaptive - Add + Moldagarria + Gehitu Add lyrics - Add \nphoto - "Add to playlist" + Argazkia\ngehitu + "Erreprodukzio zerrendan gehitu" Add time frame lyrics - "Added 1 title to the playing queue." - Added %1$d titles to the playing queue. - Album - Album artist - The title or artist is empty. - Albums - Always - Hey check out this cool music player at: https://play.google.com/store/apps/details?id=%s - Shuffle - Top Tracks - Retro music - Big - Retro music - Card - Retro music - Classic - Retro music - Small - Retro music - Text - Artist - Artists - Audio focus denied. - Change the sound settings and adjust the equalizer controls - Auto - Base color theme - Bass Boost - Bio - Biography - Just Black - Blacklist - Blur - Blur Card - Unable to send report - Invalid access token. Please contact the app developer. - Issues are not enabled for the selected repository. Please contact the app developer. - An unexpected error occurred. Please contact the app developer. - Wrong username or password - Issue - Send manually - Please enter an issue description - Please enter your valid GitHub password - Please enter an issue title - Please enter your valid GitHub username - An unexpected error occurred. Sorry you found this bug, if it keeps crashing \"Clear app data\" or send an Email - Uploading report to GitHub… - Send using GitHub account + "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 + Nahastu + Pista onenak + Retro music - Handia + Retro music - Txartela + Retro music - Klasikoa + Retro music - Txikia + Retro music - Testua + Artista + Artistak + Audio fokatzea ukatua + Aldatu soinu ezarpenak eta doitu nahasgailuaren kontrolak + Automatikoa + Oinarrizko kolore gaia + Baxu Bultzada + Биография + Biografia + Beltza bakarrik + Zerrenda beltza + Lausotzea + Txartel lausotua + Ezin izan da txostena bidali + Okerreko sarrera fitxa. Mesedez aplikazioaren garatzailearekin harremanetan jarri + Arazoak ez daude gaituta aukeratutako biltegian. Mesedez aplikazioaren garatzailearekin harremanetan jarri + Ustekabeko akats bat gertatu da. Mesedez aplikazioaren garatzailearekin harremanetan jarri + Okerreko erabiltzaile izena edo pasahitza + Arazoa + Eskuz bidali + Mesedez sartu arazoaren azalpen bat + Mesedez sartu zure baliozko GitHub-eko pasahitza + 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 - Cancel - Card - Circular - Colored Card - Card - Carousel - Carousel effect on the now playing screen - Cascading - Cast - Changelog - Changelog maintained on the Telegram channel + 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 - Circular + Zirkularra Classic - Clear - Clear app data - Clear blacklist - Clear queue - Clear playlist - %1$s? This can\u2019t be undone!]]> - Close - Color - Color - Colors + 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 - Copied device info to clipboard. - Couldn\u2019t create playlist. - "Couldn\u2019t download a matching album cover." - Could not restore purchase. - Could not scan %d files. - Create - Created playlist %1$s. - Members and contributors - Currently listening to %1$s by %2$s. - Kinda Dark - No Lyrics - Delete playlist - %1$s?]]> - Delete playlists + Gailuaren informazioa arbelean kopiatuta + Ezin izan da erreprodukzio zerrenda sortu + "Ezin izan da bat datorren albumaren azalik deskargatu" + Ezin izan da erosketa leheneratu + Ezin izan dira %d fitxategiak eskaneatu + Sortu + %1$s erreprodukzio zerrenda sortua + Kideak eta laguntzaileak + %2$s-(r)en %1$s entzuten ari zara + Nahiko iluna + Letrarik ez + Erreprodukzio zerrenda ezabatu + %1$s erreprodukzio zerrenda ezabatu?]]> + Erreprodukzio zerrendak ezabatu Delete song - %1$s?]]> + %1$s abestia ezabatu?]]> Delete songs - %1$d playlists?]]> - %1$d songs?]]> - Deleted %1$d songs. + %1$d erreprodukzio zerrenda ezabatu?]]> + %1$d abesti ezabatu?]]> + %1$d abesti ezabatu dira Deleting songs - Depth - Description - Device info + Sakonera + Azalpena + Gailuaren informazioa Allow Retro Music to modify audio settings Set ringtone - Do you want to clear the blacklist? - %1$s from the blacklist?]]> - Donate - If you think I deserve to get paid for my work, you can leave some money here - Buy me a: - Download from Last.fm + Zerrenda beltza garbitu nahi duzu? + %1$s zerrenda beltzetik ezabatu nahi duzu?]]> + Lagundu diruz + Nire lanagatik ordaindua izan behar dudala pentsatzen baduzu, diru apur bat utzi dezakezu hemen + Erosidazu: + Deskargatu Last.fm-tik Drive mode Edit - Edit cover - Empty - Equalizer - Error - FAQ - Favorites + Azala editatu + Hutsik + Nahasgailua + Akatsa + Ohiko galderak + Gogokoak Finish last song - Fit - Flat - Folders + Egokitu + Laua + Karpetak Follow system - For you + Zuretzako Free - Full - Full card - Change the theme and colors of the app - Look and feel - Genre - Genres - Fork the project on GitHub - Join the Google Plus community where you can ask for help or follow Retro Music updates + Beteta + Txartel betea + Aldatu applikazioaren gai eta koloreak + Itxura + Generoa + Generoak + GitHub-en proiektua zatitu + Batu Google Plus-eko komunitatea laguntza eskatzeko edo Retro Music-en eguneraketak jarraitzeko 1 2 3 @@ -184,217 +184,216 @@ 7 8 Grid style - Hinge - History - Home - Horizontal flip - Image + Bisagra + Historiala + Hasiera + Iraulketa horizontala + Irudia Gradient image - Change artist image download settings - Inserted %1$d songs into the playlist %2$s. - Instagram - Share your Retro Music setup to showcase on Instagram + Aldatu artisten irudien deskarga ezarpenak + %1$d abesti gehitu dira %2$s erreprodukzio zerrendan + Partekatu zure Retro Music-en konfigurazioa Instagram-en Keyboard - Bitrate - Format - File name - File path - Size + Bit-tasa + Formatua + Fitxategiaren izena + Fitxategiaren kokalekua + Tamaina More from %s - Sampling rate - Length - Labeled - Last added + Laginketa tasa + Luzera + Etiketaduna + Gehitutako azkenak Last song - Let\'s play some music - Library + Musika erreproduzitu dezagun + Liburutegia Library categories - Licenses - Clearly White + Lizentziak + Zuria jakina Listeners - Listing files - Loading products… - Login - Lyrics - Made with ❤️ in India - Material + Fitxategien zerrenda + Produktuak kargatzen... + Saioa hasi + Letrak + ❤️-z Indian egina + Материален Error Permission error - Name - Most played - Never - New banner photo - New playlist - New profile photo - %s is the new start directory. + Nire izena + Gehien erreproduzituak + Inoiz ez + Banner argazki berria + Erreprodukzio zerrenda berria + Profileko argazki berria + %s da hasierako direktorio berria Next Song - You have no albums - You have no artists - "Play a song first, then try again." - No equalizer found - You have no genres - No lyrics found + Albumik ez + Artistarik ez + "Lehenik erreproduzitu abesti bat, saiatu berriro ondoren" + Nahasgailurik ez da aurkitu + Generorik ez + Ez da letrarik aurkitu No songs playing - You have no playlists - No purchase found. - No results - You have no songs - Normal - Normal lyrics - Normal - %s is not listed in the media store.]]> - Nothing to scan. + Erreprodukzio zerrendarik ez + Ez da erosketarik aurkitu + Emaitzarik ez + Abestirik ez + Normala + Letra normalak + Normala + %s ez dator dendan zerrendatua]]> + Eskaneatzekorik ez Nothing to see - Notification - Customize the notification style - Now playing - Now playing queue - Customize the now playing screen - 9+ now playing themes - Only on Wi-Fi + Jakinarazpena + Jakinarazpen estiloa pertsonalizatu + Orain erreproduzitzen + Erreprodukzio ilara + Pertsonalizatu orain erreproduzitzen pantaila + 9+ orain erreproduzitzen gai + Wi-Fi-arekin bakarrik Advanced testing features - Other - Password - Past 3 months + Bestelako + Pasahitza + Azken 3 hilabeteak Paste lyrics here Peak - Permission to access external storage denied. - Permissions denied. - Personalize - Customize your now playing and UI controls - Pick from local storage + 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 - 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 + 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 Album style - Audio + Audioa Blacklist Controls - Theme - Images + Gaia + Irudiak Library - Lockscreen - Playlists - Pauses the song when the volume decreases to zero and starts playing back when the volume level rises. Also works outside the app - Pause on zero - Keep in mind that enabling this feature may affect battery life - Keep the screen on - Click to open with or slide to without transparent navigation of now playing screen - Click or Slide - Snow fall effect - 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. + Blokeo-pantaila + Erreprodukzio zerrendak + Pausaru zeroan eta erreproduzitu bolumena igotzean. Adi, bolumena igotzean aplikaziotik kanpo egonik ere erreproduzituko da + 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 Start playing as soon as connected to bluetooth device - Blur the album cover on the lockscreen. Can cause problems with third party apps and widgets - Carousel effect for the album art in the now playing screen. Note that Card and Blur Card themes won\'t work - 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" + Lausotu albumaren azala blokeo-pantailan. Arazoak sor ditzazke hirugarrenen aplikazio edota widgetekin + Karrusel efektua erreprodukzio pantailako album azalerako. Kontuan izan Txartela eta Txartel lausotua gaiek ez dutela funtzionatuko + 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 - Most dominant color will be picked from the album or artist cover - Add extra controls for mini player + Albumaren edo artistaren azaletik kolore menderatzailea hartuko da + Gehitu kontrol gehigarriak erreproduzitzaile txikirako Show extra Song information, such as file format, bitrate and frequency - "Can cause playback issues on some devices." - Toggle genre tab - Toggle home banner style - Can increase the album cover quality, but causes slower image loading times. Only enable this if you have problems with low resolution artworks + "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. - Use Retro Music\'s custom lockscreen controls - License details for open source software - Round the app\'s edges - Toggle titles for the bottom navigation bar tabs - Immersive mode - Start playing immediately after headphones are connected - Shuffle mode will turn off when playing a new list of songs - If enough space is available, show volume controls in the now playing screen - 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 + 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 + Lekua egonik, erakutsi bolumenaren kontrolak orain erreproduzitzen pantailan + 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 - Blur album cover - Choose equalizer - Classic notification design - Adaptive color - Colored notification + Lausotu albumaren azala + Hautatu nahasgailua + Jakinarazpenen diseinu klasikoa + Kolore moldagarria + Jakinarazpen koloreztatua Desaturated color - Extra controls + Kontrol gehigarriak Song info - Gapless playback - App theme - Show genre tab - Home artist grid - Home 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 + 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.. - Profile - Purchase - *Think before buying, don\'t ask for refund. - Queue - Rate the app - Love this app? Let us know in the Google Play Store how we can make it even better - Recent albums - Recent artists - Remove - Remove banner photo - Remove cover - Remove from blacklist - Remove profile photo - Remove song from playlist - %1$s from the playlist?]]> - Remove songs from playlist - %1$d songs from the playlist?]]> - Rename playlist - Report an issue - Report bug + Profila + Erosi + *Pentsatu erosi aurretik, ez eskatu itzulketarik + Ilara + Baloratu aplikazioa + Aplikazioa gustatzen zaizu? Esan iezaguzu Google Play Store-n nola hobetu dezakegun + Azken albumak + Azken artistak + Kendu + Banner argazkia kendu + Azala kendu + Zerrenda beltzetik kendu + Profileko argazkia kendu + Abestia erreprodukzio zerrendatik kendu + %1$s abestia erreprodukzio zerrendatik kendu?]]> + Abestiak erreprodukzio zerrendatik kendu + %1$d abesti erreprodukzio zerrendatik kendu?]]> + Erreprodukzio zerrenda berrizendatu + Arazo baten berri eman + Eman akatsen berri Reset - Reset artist image - Restore - Restored previous purchase. Please restart the app to make use of all features. - Restored previous purchases. - Restoring purchase… - Retro Music Equalizer + Artistaren irudia berrezarri + Leheneratu + Aurreko erosketa leheneratua. Mesedez aplikazioa berrabiarazi ezaugarri guztiak erabiltzeko + Aurreko erosketa leheneratua + Erosketa leheneratzen... + Retro Music Nahasgailua Retro Music Player Retro Music Pro File delete failed: %s @@ -412,104 +411,109 @@ Save - Save as file - Save as files - Saved playlist to %s. - Saving changes - Scan media - Scanned %1$d of %2$d files. + Gorde fitxategi gisa + Gorde fitxategi gisa + Erreprodukzio zerrenda %s-n gorde da + Aldaketak gordetzen + Eskaneatu media + %2$d-tik %1$d fitxategi eskaneatu dira Scrobbles - Search your library… - Select all - Select banner photo - Selected + Zure liburutegian bilatu... + Hautatu guztiak + Banner argazkia hautatu + Hautatua Send crash log Set - Set artist image + Artistaren irudia ezarri Set a profile photo - Share app + Partekatu aplikazioa Share to Stories - Shuffle - Simple - Sleep timer canceled. - Sleep timer set for %d minutes from now. + Nahastu + Soila + Lo tenporizadorea bertan behera utzi da + Lo tenporizadorea %d minuturako ezarri da Slide - Small album - Social + Album txikia + Soziala Share story - Song - Song duration - Songs - Sort order - Ascending - Album - Artist + Abestia + Abestiaren iraupena + Abestiak + Ordenatze irizpidea + Gorakorra + Albuma + Artista Composer - Date added + Data Date modified - Year - Descending - Sorry! Your device doesn\'t support speech input - Search your library + Urtea + Beherakorra + Sentitzen dugu! Zure gailuak ez du ahots bidezko idazketa onartzen + Zure liburutegian bilatu Stack Start playing music. - Suggestions - Just show your name on home screen - Support development + Iradokizunak + Zure izena bakarrik erakutsi hasiera pantailan + Onartutako garapena Swipe to unlock - Synced lyrics - System Equalizer + Letra sinkronizatuak + Sistemako nahasgailua Telegram - Join the Telegram group to discuss bugs, make suggestions, show off and more - Thank you! - The audio file - This month - This week - This year - Tiny - Title - Dashboard - Good afternoon - Good day - Good evening - Good morning - Good night - What\'s Your Name - Today - Top albums - Top artists - "Track (2 for track 2 or 3004 for CD3 track 4)" - Track number - Translate - Help us translate the app to your language + Batu Telegram-eko kanala akatsak, iradokizunak etab. kontatzeko + Eskerrik asko! + Audio fitxategia + Hilabete hau + Aste hau + Urte hau + Ñimiñoa + Titulua + Arbela + Arratsalde on + Egun on + Arratsalde on + Egun on + Gabon + Zein da zure izena + Gaur + Album onenak + Artista onenak + "Pista (2, 2. pistarako edo 3004 3. CDko 4. pistarako)" + Pista zenbakia + Itzuli + Lagun iezaguzu aplikazioa zure hizkuntzara itzultzen Twitter - Share your design with Retro Music - Unlabeled - Couldn\u2019t play this song. - Up next - Update image - Updating… - Username - Version - Vertical flip - Virtualizer + Partekatu zure Retro Music-en diseinua + Etiketa gabe + Ezin izan da abestia erreproduzitu + Jarraian + Irudia eguneratu + Eguneratzen... + Erabiltzaile izena + Bertsioa + Iraulketa bertikala + Birtualizatzailea Volume - Web search + Web bilaketa Welcome, - What do you want to share? - What\'s New - Window - Rounded corners - Set %1$s as your ringtone. - %1$d selected - Year + Zer partekatu nahi duzu? + Zer berri + Leihoa + Ertz biribilduak + Ezarri %1$s dei-tonu gisa + %1$d hautaturik + Urtea You have to select at least one category. - You will be forwarded to the issue tracker website. - Your account data is only used for authentication. + 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 diff --git a/app/src/main/res/values-fa-rIR/strings.xml b/app/src/main/res/values-fa-rIR/strings.xml index 2124ffe5..911dc4dc 100644 --- a/app/src/main/res/values-fa-rIR/strings.xml +++ b/app/src/main/res/values-fa-rIR/strings.xml @@ -192,7 +192,6 @@ Gradient image Change artist image download settings Inserted %1$d songs into the playlist %2$s. - Instagram Share your Retro Music setup to showcase on Instagram Keyboard Bitrate @@ -512,4 +511,9 @@ 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 diff --git a/app/src/main/res/values-fi-rFI/strings.xml b/app/src/main/res/values-fi-rFI/strings.xml index 2124ffe5..911dc4dc 100644 --- a/app/src/main/res/values-fi-rFI/strings.xml +++ b/app/src/main/res/values-fi-rFI/strings.xml @@ -192,7 +192,6 @@ Gradient image Change artist image download settings Inserted %1$d songs into the playlist %2$s. - Instagram Share your Retro Music setup to showcase on Instagram Keyboard Bitrate @@ -512,4 +511,9 @@ 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 diff --git a/app/src/main/res/values-fr-rFR/strings.xml b/app/src/main/res/values-fr-rFR/strings.xml index ed51e997..51f9a041 100644 --- a/app/src/main/res/values-fr-rFR/strings.xml +++ b/app/src/main/res/values-fr-rFR/strings.xml @@ -2,8 +2,8 @@ Équipe, liens sociaux Couleur d\'accentuation - Couleur d\'accentuation du thème, violette par défaut - À propos de + La couleur d\'accentuation du thème, verte par défaut + À propos Ajouter aux favoris Ajouter à la file d\'attente Ajouter à la playlist @@ -20,11 +20,11 @@ Accorder Taille de la grille Taille de la grille (paysage) - Nouvelle liste de lecture + Nouvelle liste de lecture… Suivant Lecture - Jouer tout - Jouer le suivant + Jouer tous les + Lire après Lecture / Pause Précédent Supprimer des favoris @@ -40,26 +40,26 @@ "Paramètres" Partager Tout aléatoire - Lancer en aléatoire - Minuteur - Trier par - Éditeur de tag - Activer les favoris - Jouer en aléatoire + Playlist en lecture aléatoire + Minuteur de sommeil + Ordre de tri + Éditeur de tag metadata + Activer/désactiver les favoris + Toggle shuffle mode Adaptatif Ajouter - Ajouter des paroles - Ajouter une photo - "Ajouter à la playlist" - Ajouter des paroles synchronisées - "1 titre ajouté à la file d’attente." - %1$d titres ajoutés à la liste d’attente. + 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. + Artiste de l\'album + Le titre ou l\'artiste est vide. Albums Toujours - Hey, jetez un coup d’œil à cet excellent lecteur de musique: https://play.google.com/store/apps/details?id=%s + Hey, jetez un coup d\'œil à ce super lecteur de musique : https://play.google.com/store/apps/details?id=%s Aléatoire Pistes préférées Retro Music – Grand @@ -71,8 +71,8 @@ Artistes Focus audio refusé. Changer les paramètres audio et ajuster l\'égaliseur - Automatique - Couleur par défaut + Auto + Couleur de base du thème Renforcement des basses Biographie Biographie @@ -83,90 +83,90 @@ Impossible d\'envoyer le rapport de bug Jeton d\'accès invalide. Veuillez contacter le développeur de l\'application. Les problèmes ne sont pas activés pour le dépôt sélectionné. Veuillez contacter le développeur de l\'application. - Erreur inattendue. Veuillez contacter le développeur de l’application. + Erreur inopinée. Veuillez contacter le développeur de l\'application. Nom d\'utilisateur ou mot de passe invalide Problème Envoyer manuellement Veuillez entrer une description du problème Veuillez entrer votre mot de passe GitHub valide Veuillez entrer un titre pour le problème - 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 + 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 Buy now - Cancel - Card - Circular - Colored Card - Card + Annuler + Carte + Circulaire + Cartes colorées + Carte Carousel - Carousel effect on the now playing screen - Cascading - Cast - Changelog - Changelog maintained on the Telegram channel + Effet carousel sur l\'écran de lecture en cours + En cascade + Caster + Liste des changements + Liste des changements maintenu sur la canal Telegram Circle - Circular - Classic - Clear - Clear app data - Clear blacklist - Clear queue - Clear playlist - %1$s? This can\u2019t be undone!]]> - Close - Color - Color - Colors - Composer - Copied device info to clipboard. - Couldn\u2019t create playlist. - "Couldn\u2019t download a matching album cover." - Could not restore purchase. - Could not scan %d files. - Create - Created playlist %1$s. - Members and contributors - Currently listening to %1$s by %2$s. - Kinda Dark - No Lyrics - Delete playlist - %1$s?]]> - Delete playlists - Delete song - %1$s?]]> - Delete songs - %1$d playlists?]]> - %1$d songs?]]> - Deleted %1$d songs. - Suppression des morceaux + Circulaire + Classique + Effacer + Effacer les données d\'application + Effacer la liste noire + Vider la file d\'attente + Effacer la liste de lecture + %1$s ? Cette action ne pourra pas \u00eatre annul\u00e9e !]]> + Fermer + Couleur + Couleur + Couleurs + Compositeur + Informations sur l\'appareil copiées dans le presse-papier. + La liste de lecture n\'a pas pu \u00eatre cr\u00e9\u00e9e. + "Impossible de t\u00e9l\u00e9charger une image d'album qui corresponde." + Les achats n\'ont pas pu être restaurés. + Les fichiers %d n\'ont pas pu être scanné. + Créer + Liste de lecture %1$s créée. + Membres et contributeurs + Vous écoutez actuellement %1$s par %2$s. + Plutôt Sombre + Pas de Paroles + Supprimer la liste de lecture + %1$s ?]]> + Supprimer les listes de lecture + Supprimer le morceau + %1$s ?]]> + Supprimer les morceaux + %1$d ?]]> + %1$d ?]]> + %1$d à été supprimé. + Deleting songs Profondeur - Libellé + Description Infos sur l\'appareil - Autoriser Retro Music à modifier les réglages audio - Choisir la sonnerie - Souhaitez vous vraiment vider la liste noire ? - %1$s de la liste noire ?]]> + Autoriser la musique Retro pour modifier les paramètres audio + Set ringtone + Voulez vous vraiment vider la liste noire ? + %1$s de la liste noire ?]]> Faire un don - Si vous penser que je mériterais d’être payé pour mon travail, vous pouvez laisser de l’argent ici - Achetez moi: + 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 - Mode conduite + Drive mode Modifier Modifier la couverture Vide Égaliseur Erreur - Foire Aux Questions + FAQ Favoris Finissez la dernière chanson Adapter Plat Dossiers - Suivre le réglage système + Follow system Pour vous - Gratuit + Free Plein Carte complète Changer le thème et les couleurs de l\'application @@ -183,191 +183,190 @@ 6 7 8 - Style de grille + Les Grilles & Le Style Charnière Historique Accueil Balayage horizontal Image - Image et dégradé - Change artist image download settings - Inserted %1$d songs into the playlist %2$s. - Instagram - Share your Retro Music setup to showcase on Instagram - Keyboard - Bitrate + Le Gradient de l\'image + Changer les paramètres de téléchargement des photos d\'artistes + %1$d morceaux ont été inséré dans la liste %2$s. + Partager votre configuration de Retro Music pour la montrer sur Instagram + Clavier + Débit Format - File name - File path - Size + Nom du fichier + Chemin de fichier + Taille More from %s - Sampling rate - Length - Labeled - Last added - Last song - Let\'s play some music - Library - Library categories - Licenses - Clearly White + Taux d’échantillonnage + Longueur + Étiqueté + Dernier ajout + Dernière Chanson + Jouons un peu de musique + Bibliothèque + Catégories + Licences + Clairement blanc Listeners - Listing files - Loading products… - Login - Lyrics - Made with ❤️ in India + Listage des fichiers + Chargement des produits… + Se connecter + Paroles + Fait avec ❤️ en Inde Material - Error - Permission error - Name - Most played - Never - New banner photo - New playlist - New profile photo - %s is the new start directory. - Next Song - You have no albums - You have no artists - "Play a song first, then try again." - No equalizer found - You have no genres - No lyrics found + Erreur + Erreur d\'autorisation + Mon nom + Plus jouées + jamais + Nouvelle bannière photo + Nouvelle liste de lecture + Nouvelle photo de profil + %s est le nouveau dossier de départ. + Prochaine Chanson + Pas d\'albums + Pas d\'artistes + "Lancez d'abord un morceau, puis réessayez." + Aucun égaliseur trouvé + Aucun genre + Aucune parole trouvée No songs playing - You have no playlists - No purchase found. - No results - You have no songs + Aucune liste de lecture + Aucun achat trouvé + Aucun résultat + Aucun morceau Normal Paroles normales Normal - %s n\'est pas repertorié dans le stockage.]]> + %s n\'est pas repertorié dans le stockage média.]]> Rien à scanner. - Rien à afficher + Nothing to see Notification Personnaliser le style de notification - En cours de lecture + Lecture en cours File d\'attente Personnaliser l\'écran de lecture 9+ thèmes d\'écran de lecture en cours Uniquement via Wi-Fi Fonctions de test avancées - Autres + Autre Mot de passe - Au cours des 3 derniers mois + 3 derniers mois Coller les paroles ici - Pic - Permission d’accéder au stockage externe refusée. + 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 Pinterest pour plus d’inspiration de design pour Retro Music + Suivez la page de Pintrest pour la musique Retro. Simple La notification de lecture fournit des actions pour la lecture / pause etc. - Notification de lecture + 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, le moins flou est le plus rapide + Quantité de flou appliqué aux thèmes flous, bas est plus rapide Quantité de flou - Ajuster les coins de la fenêtre de résumé - Coin de la fenêtre de dialogue - Filtrer les morceaux par longueur - Filtre des morceaux par durée - Avancé - Style de l\'album + Adjust the bottom sheet dialog corners + Dialog corner + Filter songs by length + Filtre de la durée de la chanson + Advanced + De style Album Audio - Liste noire - Contrôles + Blacklist + Contrôle Thème Images Bibliothèque Écran de verrouillage Listes de lecture - Pauses the song when the volume decreases to zero and starts playing back when the volume level rises. Also works outside the app - Pause on zero - Keep in mind that enabling this feature may affect battery life - Keep the screen on - Click to open with or slide to without transparent navigation of now playing screen - Click or Slide - Snow fall effect - 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. + La lecture se met en pause à zéro et se lance lorsque le volume augmente. Attention, lorsque vous augmentez le volume, la musique se lance même si vous êtes en dehors de l\'app. + 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. Start playing as soon as connected to bluetooth device - Blur the album cover on the lockscreen. Can cause problems with third party apps and widgets - Carousel effect for the album art in the now playing screen. Note that Card and Blur Card themes won\'t work - 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" + Flouter la couverture de l\'album sur l\'écran de verrouillage. Cela peut poser des problèmes avec des applications et widgets tiers. + Effet carousel pour les couvertures d\'albums sur l\'écran de lecture en cours. Veuillez noter que les thèmes Carte et Carte floutée ne fonctionneront pas + 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 - Most dominant color will be picked from the album or artist cover - Add extra controls for mini player + 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 - "Can cause playback issues on some devices." - Toggle genre tab - Toggle home banner style - Can increase the album cover quality, but causes slower image loading times. Only enable this if you have problems with low resolution artworks - Configure visibility and order of library categories. - Use Retro Music\'s custom lockscreen controls - License details for open source software - Round the app\'s edges - Toggle titles for the bottom navigation bar tabs - Immersive mode - Start playing immediately after headphones are connected - Shuffle mode will turn off when playing a new list of songs - If enough space is available, show volume controls in the now playing screen - 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 + "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 + Si vous avez assez de place, affiche les contrôle du volume sur l\'écran de lecture + 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 - Blur album cover - Choose equalizer - Classic notification design - Adaptive color - Colored notification - Couleur désaturée + Flouter la couverture d\'album + Choisir l\'égalisateur + Design de notification classique + Couleur adaptative + Notification colorée + Desaturated color Contrôles supplémentaires - Détails sur le morceau - Lecture sans pause + Song info + Lecture sans blanc Thème de l\'application Montrer l\'onglet Genres - Style de la grille des artistes sur l\'accueil + Disposition de la grille d\'artistes sur l\'accueil Bannière d\'accueil - Ignorer les couvertures dans le stockage + 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 des titres d’onglets + Mode Titres onglets Effet carousel Couleur dominante - Application en plein écran - Titres des onglets + App en plein écran + Titres onglets Lecture automatique - Lecture aléatoire + 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 - Thème noir, thèmes pour la fenêtre de lecture, effet carrousel et plus... + 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. @@ -377,7 +376,7 @@ Albums récents Artistes récents Supprimer - Retirer la photo en bannière + Retirer la bannière photo Supprimer la couverture Retirer de la liste noire Supprimer la photo de profil @@ -390,11 +389,11 @@ Signaler un bug Réinitialiser Réinitialiser la photo de l\'artiste - Restore - Restored previous purchase. Please restart the app to make use of all features. - Restored previous purchases. - Restoring purchase… - Retro Music Equalizer + Restaurer + Achat précédent restauré. Veuillez redémarrer l\'application pour utiliser toutes les fonctionnalités. + Achats précédents restaurés. + Restauration de l\'achat… + Égaliseur Retro Music Retro Music Player Retro Music Pro File delete failed: %s @@ -409,62 +408,62 @@ Do not open any sub-folders Tap \'select\' button at the bottom of the screen File write failed: %s - Save + Enregistrer - Save as file - Save as files - Saved playlist to %s. - Saving changes - Scan media - Scanned %1$d of %2$d files. + Enregistrer en tant que fichier + Enregistrer en tant que fichiers + Liste de lecture enregistrée vers %s + Enregistrement des changements + Scanner le média + Fichier %1$d sur %2$d scanné Scrobbles - Search your library… - Select all - Select banner photo - Selected - Send crash log - Set - Set artist image - Set a profile photo - Share app + 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 - Shuffle + Aléatoire Simple - Sleep timer canceled. - Sleep timer set for %d minutes from now. - Slide - Small album + Minuteur d\'extinction annulé. + Extinction dans %d minutes. + Diapositive + Petit album Social Share story - Song - Song duration - Songs - Sort order - Ascending + Morceau + Durée du morceau + Morceaux + Ordre de classement + Ascendant Album - Artist + Artiste Compositeur - Date d\'ajout - Date de modification + Date + Date modified Année Descendant - Désolé ! Votre appareil ne prend pas en charge la saisie vocale + Désolé, votre appareil ne supporte pas l\'entrée vocale Rechercher dans votre bibliothèque Pile - Jouer de la musique. + 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 - Égaliseur système + Égalisateur système Telegram Rejoignez le groupe Telegram pour discuter des bugs, faire des suggestions, montrer votre configuration, etc. Merci ! Le fichier audio - Ce mois-ci + Ce mois Cette semaine Cette année Petit @@ -475,41 +474,46 @@ Bonsoir Bonne journée Bonne soirée - Quel est votre nom + Quel est ton nom Aujourd\'hui - Albums les plus joués - Artistes les plus joués + Top albums + Top artistes "Morceau (2 pour morceau 2, 3004 pour morceau 4 du CD 3)" Numéro du morceau - Traduire + Traduction Aidez-nous à traduire l\'application dans votre langue Twitter Partager votre design avec Retro Music Non étiqueté - Impossible de lire ce fichier. + Impossible de lire ce morceau. À suivre Mettre à jour l\'image - Mise à jour en cours… + Mise à jour... Nom d\'utilisateur - Version + version Balayage vertical Virtualisateur Volume - Web search - Welcome, - What do you want to share? - What\'s New - Window - Rounded corners - Set %1$s as your ringtone. - %1$d selected - Year - You have to select at least one category. - You will be forwarded to the issue tracker website. - Your account data is only used for authentication. + Recherche internet + Accueillir, + Que souhaitez-vous partager ? + Quoi de neuf + Fenêtre + Bords arrondis + Définir %1$s comme sonnerie. + %1$d sélectionné + Année + Vous devez sélectionner au moins une catégorie. + Vous allez être redirigé vers le site web de suivi des problèmes. + Vos données de compte sont utilisées uniquement pour vous authentifier. Amount Note(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 diff --git a/app/src/main/res/values-hi-rIN/strings.xml b/app/src/main/res/values-hi-rIN/strings.xml index 2124ffe5..d4e12edf 100644 --- a/app/src/main/res/values-hi-rIN/strings.xml +++ b/app/src/main/res/values-hi-rIN/strings.xml @@ -1,115 +1,115 @@ - Team, social links - Accent color - The theme accent color, defaults to purple - About - Add to favorites - Add to playing queue - Add to playlist - Clear playing queue - Clear playlist - Cycle repeat mode - Delete - Delete from device - Details - Go to album - Go to artist - Go to genre - Go to start directory - Grant - Grid size - Grid size (land) - New playlist - Next - Play - Play all - Play next - Play/Pause - Previous - Remove from favorites - Remove from playing queue - Remove from playlist - Rename - Save playing queue - Scan - Search - Start - Set as ringtone - Set as start directory - "Settings" - Share - Shuffle all - Shuffle playlist - Sleep timer - Sort order - Tag editor - Toggle favorite - Toggle shuffle mode - Adaptive - Add - Add lyrics - Add \nphoto - "Add to playlist" - Add time frame lyrics - "Added 1 title to the playing queue." - Added %1$d titles to the playing queue. - Album - Album artist - The title or artist is empty. - Albums - Always - Hey check out this cool music player at: https://play.google.com/store/apps/details?id=%s - Shuffle - Top Tracks - Retro music - Big - Retro music - Card - Retro music - Classic + टीम, सामाजिक लिंक + एक्सेंट रंग + एक्सेंट विषयवस्तु रंग, डिफ़ॉल्ट हरा है। + इसके बारे में + पसंदीदा में जोड़े + कतार में जोड़ें + प्लेलिस्ट में जोड़ें + कतार निकाल दे + प्लेलिस्ट निकाल दे + साइकिल रिपीट मोड + हटाएं + डिवाइस से हटाएं + विवरण + एल्बम पर जाएं + कलाकार पर जाएं + शैली पर जाएं + शुरू निर्देशिका पर जाएं + अनुदान + ग्रीड आकार + ग्रीड आकार (परीसदृश्य) + नई प्लेलिस्ट + अगला + चलाएं + सभी को बजाएं + अगला चलाएं + चलाएं/रोकें + पिछला + पसंदीदा में से निकाले + कतार में से निकले + प्लेलिस्ट में से निकालें + नाम बदलें + कतार सहेजें + छाने + खोजें + सेट + रिंगटोन के रूप में सेट करें + शुरू निर्देशिका के रूप में सेट करें + "सेटिंग" + शेयर + सभी शफ़ल करें + शफ़ल प्लेलिस्ट + स्लीप टाइमर + क्रमबद्ध आदेश + टैग एडिटर + पसंदीदा टॉगल करें + शफल मोड को टॉगल करें + अनुकूली + जोड़ें + गीत जोड़ें + फ़ोटो\nजोड़ें + "प्लेलिस्ट में जोड़ें" + समय सीमा गीत जोड़ें + "कतार मे 1 शीर्षक जोड़ा गया है।" + कतार मे %1$d शीर्षक जोड़ा गया है। + एल्बम + एल्बम कलाकार + शीर्षक या कलाकार खाली है + एल्बम + हमेशा + इस बढ़िया म्यूजिक प्लेयर को यहां देखें:https://play.google.com/store/apps/details?id=%s + शफ़ल + टॉप गीत + रेट्रो म्यूजिक - बिग + रेट्रो म्यूजिक - कार्ड + रेट्रो म्यूजिक - क्लासिक Retro music - Small Retro music - Text - Artist - Artists - Audio focus denied. - Change the sound settings and adjust the equalizer controls - Auto - Base color theme - Bass Boost - Bio - Biography - Just Black - Blacklist - Blur - Blur Card - Unable to send report - Invalid access token. Please contact the app developer. - Issues are not enabled for the selected repository. Please contact the app developer. - An unexpected error occurred. Please contact the app developer. - Wrong username or password - Issue - Send manually - Please enter an issue description - Please enter your valid GitHub password - Please enter an issue title - Please enter your valid GitHub username - An unexpected error occurred. Sorry you found this bug, if it keeps crashing \"Clear app data\" or send an Email - Uploading report to GitHub… - Send using GitHub account - Buy now - Cancel - Card - Circular + कलाकार + कलाकार + ऑडियो फोकस से इनकार किया। + ध्वनि सेटिंग्स बदलें और तुल्यकारक नियंत्रण समायोजित करें + ऑटो + आधार रंग विषय + मंद्र को बढ़ाना + जैव + जीवनी + सिर्फ काला + ब्लैकलिस्ट + कलंक + ब्लर कार्ड + रिपोर्ट भेजने में असमर्थ + अमान्य प्रवेश टोकन। कृपया ऐप डेवलपर से संपर्क करें। + चयनित रिपॉजिटरी के लिए समस्याएँ सक्षम नहीं हैं। कृपया ऐप डेवलपर से संपर्क करें। + एक अप्रत्याशित त्रुटि हुई। कृपया ऐप डेवलपर से संपर्क करें। + उपयोगकर्ता का गलत नाम और पासवर्ड + मुद्दा + मैन्युअल भेजें + कृपया एक समस्या विवरण दर्ज करें + कृपया अपना वैध GitHub पासवर्ड दर्ज करें + कृपया एक समस्या शीर्षक दर्ज करें + कृपया अपना वैध GitHub उपयोगकर्ता नाम दर्ज करें + एक अप्रत्याशित त्रुटि हुई। क्षमा करें, आपको यह बग मिल गया है, अगर यह \"क्लियर ऐप डेटा\" को क्रैश करता है या ईमेल भेजता है + GitHub पर रिपोर्ट अपलोड कर रहा है ... + GitHub खाते का उपयोग करके भेजें + अभी खरीदें + वर्तमान टाइमर को रद्द करें + कार्ड + परिपत्र 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 @@ -186,13 +186,12 @@ Grid style Hinge History - Home + Ghar Horizontal flip Image Gradient image Change artist image download settings Inserted %1$d songs into the playlist %2$s. - Instagram Share your Retro Music setup to showcase on Instagram Keyboard Bitrate @@ -512,4 +511,9 @@ 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 diff --git a/app/src/main/res/values-hr-rHR/strings.xml b/app/src/main/res/values-hr-rHR/strings.xml index 2124ffe5..cd904350 100644 --- a/app/src/main/res/values-hr-rHR/strings.xml +++ b/app/src/main/res/values-hr-rHR/strings.xml @@ -1,180 +1,182 @@ Team, social links - Accent color - The theme accent color, defaults to purple - About - Add to favorites - Add to playing queue - Add to playlist - Clear playing queue - Clear playlist + Naglašena boja + Naglašena boja teme, zadana je plavo zelena + O aplikaciji + Dodaj u omiljene + Dodaj u red čekanja + Dodaj na popis naslova + Očisti red čekanja + Očisti popis naslova Cycle repeat mode - Delete - Delete from device - Details - Go to album - Go to artist - Go to genre - Go to start directory - Grant - Grid size - Grid size (land) + Izbriši + Izbriši s uređaja + Detalji + Odi na album + Idi na izvođača + Idi na žanr + Idi na početni direktorij + Dopusti + Veličina rešetke + Veličina rešetke (polja) New playlist - Next - Play + Dalje + Reproduciraj Play all - Play next - Play/Pause - Previous - Remove from favorites - Remove from playing queue - Remove from playlist - Rename - Save playing queue - Scan - Search - Start - Set as ringtone - Set as start directory - "Settings" - Share - Shuffle all - Shuffle playlist - Sleep timer - Sort order - Tag editor + Reproduciraj sljedeće + Reproduciraj/pauziraj + Prethodno + Ukloni iz favorita + Ukloni iz reda reprodukcije + Ukloni sa popisa naslova + Preimenuj + Spremi red reproduciranja + Skeniraj + Traži + Započni + Postavi kao zvuk zvona + Postavi kao početni direktorij + "Postavke" + Podijeli + Izmješaj sve + Izmiješaj popis naslova + Brojač za spavanje + Način sortiranja + Uređivač oznaka Toggle favorite Toggle shuffle mode - Adaptive - Add + Prilagodljivo + Dodaj Add lyrics - Add \nphoto - "Add to playlist" + Dodaj\nsliku + "Dodaj na popis naslova" Add time frame lyrics - "Added 1 title to the playing queue." - Added %1$d titles to the playing queue. + "Dodana 1 pjesma na red reprodukcije." + Dodano %1$d pjesama na red reprodukcije. Album - Album artist - The title or artist is empty. - Albums - Always - Hey check out this cool music player at: https://play.google.com/store/apps/details?id=%s - Shuffle - Top Tracks - Retro music - Big - Retro music - Card - Retro music - Classic - Retro music - Small - Retro music - Text - Artist - Artists - Audio focus denied. - Change the sound settings and adjust the equalizer controls - Auto - Base color theme - Bass Boost - Bio - Biography - Just Black - Blacklist - Blur - Blur Card - Unable to send report - Invalid access token. Please contact the app developer. - Issues are not enabled for the selected repository. Please contact the app developer. - An unexpected error occurred. Please contact the app developer. - Wrong username or password - Issue - Send manually - Please enter an issue description - Please enter your valid GitHub password - Please enter an issue title - Please enter your valid GitHub username - An unexpected error occurred. Sorry you found this bug, if it keeps crashing \"Clear app data\" or send an Email - Uploading report to GitHub… - Send using GitHub account + 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 + Izmiješaj + Najslušanije pjesme + Retro Music - Velik + Retro Music - Kartica + Retro Music - Klasičan + Retro Music - Malen + Retro Music - Tekst + Izvođač + Izvođači + Fokus zvuka je odbijen. + Promijenite postavke zvuka i kontrole ekvalizatora + Automatski + Temeljna boja teme + Pojačalo Bassa + Biografija + Biografija + Samo crna + Crni popis + Zamagljenje + Zamagljena kartica + Nije moguće poslati izvješće + Pristupni token nije valjan. Molimo kontaktirajte razvojnog programera aplikacije. + Problemi nisu omogućeni za odabrani repozitorij. Molimo kontaktirajte razvojnog programera aplikacije. + Dogodila se neočekivana pogreška. Molimo kontaktirajte razvojnog programera aplikacije. + Krivo korisničko ime ili lozinka + Problem + Pošalji ručno + Molimo unesite opis problema + Molimo unesite vašu valjanu GitHub lozinku + Molimo unesite naslov problema + 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 - Cancel - Card - Circular - Colored Card - Card - Carousel - Carousel effect on the now playing screen - Cascading - Cast - Changelog - Changelog maintained on the Telegram channel + 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 - Circular + Kružno Classic - Clear - Clear app data - Clear blacklist - Clear queue - Clear playlist - %1$s? This can\u2019t be undone!]]> - Close - Color - Color - Colors + 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 - Copied device info to clipboard. - Couldn\u2019t create playlist. - "Couldn\u2019t download a matching album cover." - Could not restore purchase. - Could not scan %d files. - Create - Created playlist %1$s. - Members and contributors - Currently listening to %1$s by %2$s. - Kinda Dark - No Lyrics - Delete playlist - %1$s?]]> - Delete playlists + Informacije o uređaju su kopirane u međuspremnik. + Stvaranje popisa naslova nije uspjelo. + "Preuzimanje odgovaraju\u0107eg omota albuma nije uspjelo." + Vraćanje kupnje nije uspjelo. + Skeniranje %d datoteke nije uspjelo. + Stvori + Popis naslova %1$s je stvoren. + Članovi i dobrinositelji + Trenutno slušaš %1$s od %2$s. + Otprilike mračna + Nema Teksta + Izbriši popis naslova + %1$s?]]> + Izbriši popise naslova Delete song - %1$s?]]> + %1$s?]]> Delete songs - %1$d playlists?]]> - %1$d songs?]]> - Deleted %1$d songs. + %1$d popisa naslova?]]> + %1$d pjesama?]]> + Izbrisano je %1$d pjesama. Deleting songs - Depth - Description - Device info + Dubina + Opis + Informacije o uređaju Allow Retro Music to modify audio settings Set ringtone - Do you want to clear the blacklist? - %1$s from the blacklist?]]> - Donate - If you think I deserve to get paid for my work, you can leave some money here - Buy me a: - Download from Last.fm + Želite li očistiti crni popis? + %1$s sa crnog popisa?]]> + Doniraj + Ako mislite da zaslužujem biti plaćen za svoj posao, možete mi ostaviti nešto + novca ovdje + Kupite mi: + Preuzmi sa Last.fm-a Drive mode - Edit - Edit cover - Empty - Equalizer - Error - FAQ - Favorites + Uredi + Uredi omot + Prazno + Ekvalizator + Pogreška + Često postavljena pitanja + Favoriti Finish last song - Fit - Flat - Folders + Podesi + Ravno + Mape Follow system - For you + Za vas Free - Full - Full card - Change the theme and colors of the app - Look and feel - Genre - Genres - Fork the project on GitHub - Join the Google Plus community where you can ask for help or follow Retro Music updates + Puno + Potpuna kartica + Promijenite temu i boje aplikacije + Izgled i osjećaj + Žanr + Žanri + Forkaj projekt na GitHubu + Pridružite se Google plus zajednici, gdje možete pitati za pomoć ili pratiti ažuriranja Retro Musica 1 2 3 @@ -184,217 +186,216 @@ 7 8 Grid style - Hinge - History - Home - Horizontal flip - Image + Šarka + Povijest + Početna + Horizontalni okret + Slika Gradient image - Change artist image download settings - Inserted %1$d songs into the playlist %2$s. - Instagram - Share your Retro Music setup to showcase on Instagram + Promijenite postavke preuzimanja slika izvođača + Dodano je %1$d pjesama na popis naslova %2$s. + Podjelite svoju Retro Music postavu na Instagramu Keyboard - Bitrate + Brzina prijenosa Format - File name - File path - Size + Naziv datoteke + Put datoteke + Veličina More from %s - Sampling rate - Length - Labeled - Last added + Brzina uzorkovanja + Dužina + Označeno + Posljednje dodano Last song - Let\'s play some music - Library + Reproducirajmo malo glazbe + Biblioteka Library categories - Licenses - Clearly White + Licence + Jasno bijela Listeners - Listing files - Loading products… - Login - Lyrics - Made with ❤️ in India - Material + Popisivanje datoteka + Učitavanje proizvoda... + Prijava + Tekst + Napravljeno sa ❤️ u Indiji + Materijal Error Permission error - Name - Most played - Never - New banner photo - New playlist - New profile photo - %s is the new start directory. + Moje ime + Najslušanije + Nikad + Nova slika naslovnice + Novi popis naslova + Nova slika profila + %s je novi početni direktorij. Next Song - You have no albums - You have no artists - "Play a song first, then try again." - No equalizer found - You have no genres - No lyrics found + Nema albuma + Nema izvođača + "Prvo reproducirajte pjesmu, zatim pokušajte ponovo." + Ekvalizator nije pronađen + Nema žanrova + Tekst nije pronađen No songs playing - You have no playlists - No purchase found. - No results - You have no songs - Normal - Normal lyrics - Normal - %s is not listed in the media store.]]> - Nothing to scan. + Nema popisa naslova + Kupnja nije pronađena. + Nema rezultata + Nema pjesama + Normalno + Normalni tekst + Normalno + %s nije na popisu medijske pohrane.]]> + Nema stavki za skeniranje. Nothing to see - Notification - Customize the notification style - Now playing - Now playing queue - Customize the now playing screen - 9+ now playing themes - Only on Wi-Fi + Obavijest + Prilagodite stil obavijesti + Zaslon reprodukcije + Red reprodukcije + Prilagodite zaslon reprodukcije + 9+ tema za zaslon reprodukcije + Samo na Wi-Fi-u Advanced testing features - Other - Password - Past 3 months + Ostalo + Lozinka + Prošla 3 mjeseca Paste lyrics here Peak - Permission to access external storage denied. - Permissions denied. - Personalize - Customize your now playing and UI controls - Pick from local storage + 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 - 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 + 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 Album style - Audio + Zvuk Blacklist Controls - Theme - Images + Tema + Slike Library - Lockscreen - Playlists - Pauses the song when the volume decreases to zero and starts playing back when the volume level rises. Also works outside the app - Pause on zero - Keep in mind that enabling this feature may affect battery life - Keep the screen on - Click to open with or slide to without transparent navigation of now playing screen - Click or Slide - Snow fall effect - 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. + Zaključani zaslon + Playliste + Pauzirajte reprodukciju na nuli i započnite ju nakon podizanja glasnoće. Budite oprezni prilikom podizanja glasnoće jer se reprodukcija nastavlja čak i izvan aplikacije + 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. Start playing as soon as connected to bluetooth device - Blur the album cover on the lockscreen. Can cause problems with third party apps and widgets - Carousel effect for the album art in the now playing screen. Note that Card and Blur Card themes won\'t work - 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" + Zamagljuje omot albuma na zaključanom zaslonu. Može uzrokovati probleme s widgetima i aplikacijama treće strane. + Efekt ringišpila za omot albuma na zaslonu reprodukcije. Zapamtite da teme Kartica i Zamagljena Kartica neće raditi + 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 - Most dominant color will be picked from the album or artist cover - Add extra controls for mini player + 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 - "Can cause playback issues on some devices." - Toggle genre tab - Toggle home banner style - Can increase the album cover quality, but causes slower image loading times. Only enable this if you have problems with low resolution artworks + "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. - Use Retro Music\'s custom lockscreen controls - License details for open source software - Round the app\'s edges - Toggle titles for the bottom navigation bar tabs - Immersive mode - Start playing immediately after headphones are connected - Shuffle mode will turn off when playing a new list of songs - If enough space is available, show volume controls in the now playing screen - 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 + 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 + Ako ima dovoljno prostora, prikazati će se kontrole glasnoće na zaslonu reprodukcije + 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 - Blur album cover - Choose equalizer - Classic notification design - Adaptive color - Colored notification + Zamagli prevlaku albuma + Odaberi ekvalizator + Klasični dizajn obavijesti + Prilagodljiva boja + Obojena obavijest Desaturated color - Extra controls + Dodatne kontrole Song info - Gapless playback - App theme - Show genre tab - Home artist grid - Home 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 + 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.. - Profile - Purchase - *Think before buying, don\'t ask for refund. - Queue - Rate the app - Love this app? Let us know in the Google Play Store how we can make it even better - Recent albums - Recent artists - Remove - Remove banner photo - Remove cover - Remove from blacklist - Remove profile photo - Remove song from playlist - %1$s from the playlist?]]> - Remove songs from playlist - %1$d songs from the playlist?]]> - Rename playlist - Report an issue - Report bug + Profil + Kupi + *Razmisli prije kupnje, ne pitaj za povrat novca. + Red + Ocijeni aplikaciju + Volite ovu aplikaciju? Javite nam to na Google Play trgovini kako bi smo vam poboljšali iskustvo + Nedavni albumi + Nedavni izvođači + Ukloni + Ukloni sliku naslovnice + Ukloni omot + Ukloni sa crnog popisa + Ukloni sliku profila + Ukloni pjesmu s popisa naslova + %1$s sa popisa naslova?]]> + Ukloni pjesme sa popisa naslova + %1$d pjesama sa popisa naslova?]]> + Preimenuj popis naslova + Prijavi pogrešku + Prijavi pogrešku Reset - Reset artist image - Restore - Restored previous purchase. Please restart the app to make use of all features. - Restored previous purchases. - Restoring purchase… - Retro Music Equalizer + Resetiraj sliku izvođača + Vrati + Vrati prošlu kupnju. Molimo vas ponovno pokrenite aplikaciju da biste koristili sve značajke. + Bivše kupnje vraćene. + Vraćanje kupnje... + Retro Music Ekvalizator Retro Music Player Retro Music Pro File delete failed: %s @@ -412,104 +413,109 @@ Save - Save as file - Save as files - Saved playlist to %s. - Saving changes - Scan media - Scanned %1$d of %2$d files. + Spremi kao datoteku + Spremi kao datoteke + Popis naslova je spremljen u %s. + Spremanje promjena + Skeniraj medije + Skenirano %1$d od %2$d datoteka. Scrobbles - Search your library… - Select all - Select banner photo - Selected + Pretraži svoju biblioteku... + Odaberi sve + Odaberi sliku naslovnice + Odabrano Send crash log Set - Set artist image + Postavi sliku izvođača Set a profile photo - Share app + Podijeli aplikaciju Share to Stories - Shuffle - Simple - Sleep timer canceled. - Sleep timer set for %d minutes from now. + Izmiješaj + Jednostavno + Brojač za spavanje je otkazan. + Brojač za spavanje je postavljen za %d minuta od sada. Slide - Small album - Social + Mali album + Društveno Share story - Song - Song duration - Songs - Sort order - Ascending + Pjesma + Trajanje pjesme + Pjesme + Red sortiranja + Uzlazno Album - Artist + Izvođač Composer - Date added + Datum Date modified - Year - Descending - Sorry! Your device doesn\'t support speech input - Search your library + Godina + Silazno + Žao mi je! Tvoj uređaj ne podržava unos govora + Pretraži svoju biblioteku Stack Start playing music. - Suggestions - Just show your name on home screen - Support development + Preporuke + Prikažite samo svoje ime na početnoj stranici + Podrži razvijanje Swipe to unlock - Synced lyrics - System Equalizer + Sinkroniziran tekst + Sustavski ekvalizator Telegram - Join the Telegram group to discuss bugs, make suggestions, show off and more - Thank you! - The audio file - This month - This week - This year - Tiny - Title - Dashboard - Good afternoon - Good day - Good evening - Good morning - Good night - What\'s Your Name - Today - Top albums - Top artists - "Track (2 for track 2 or 3004 for CD3 track 4)" - Track number - Translate - Help us translate the app to your language + Pridružite se Telegram grupi da biste raspravili o pogreškama, dali preporuke, te još mnogo toga + Hvala ti! + Zvučna datoteka + Ovaj mjesec + Ovaj tjedan + Ove godine + Sitno + Naziv + Kontrolna ploča + Dobar dan + Dobar dan + Dobra večer + Dobro jutro + Laku noć + Kako se zoveš + Danas + Najslušaniji albumi + Najslušaniji izvođači + "Pjesma (2 za 2. pjesmu ili 3004 za 3. CD 4. pjesmu)" + Broj pjesme + Prevedi + Pomozite nam prevesti našu aplikaciju na svoj jezik Twitter - Share your design with Retro Music - Unlabeled - Couldn\u2019t play this song. - Up next - Update image - Updating… - Username - Version - Vertical flip - Virtualizer + Podjeli svoj dizajn sa Retro Music-om + Neoznačeno + Nije mogu\u0107e reproducirati ovu pjesmu. + Sljedeće + Ažuriraj sliku + Ažuriranje... + Korisničko ime + Verzija + Vertikalni okret + Virtualizator Volume - Web search + Web pretraživanje Welcome, - What do you want to share? - What\'s New - Window - Rounded corners - Set %1$s as your ringtone. - %1$d selected - Year + Što želite podijeliti? + Što je novo + Prozor + Zaobljeni kutovi + Postavi %1$s kao zvuk zvona. + %1$d odabran + Godina You have to select at least one category. - You will be forwarded to the issue tracker website. - Your account data is only used for authentication. + 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 diff --git a/app/src/main/res/values-hu-rHU/strings.xml b/app/src/main/res/values-hu-rHU/strings.xml index f7bee1d0..e463a04b 100644 --- a/app/src/main/res/values-hu-rHU/strings.xml +++ b/app/src/main/res/values-hu-rHU/strings.xml @@ -5,9 +5,9 @@ Az kiemelő téma színe alapértelmezés szerint színtiszta Rólunk Hozzáadás a kedvencekhez - Hozzáadás a lejátszási kvótához + Hozzáadás a lejátszási sorhoz Hozzáadás lejátszási listához - Lejátszási kvóta törlése + Lejátszási sor törlése Lejátszási lista törlése Ciklus ismétlés üzemmód Törlés @@ -28,10 +28,10 @@ Lejátszás / Szünet Előző Eltávolítás a kedvencekből - Lejátszási kvóta törlése + Eltávolítás a lejátszási sorból Eltávolítás a lejátszási listáról Átnevezés - Lejátszási kvóta mentése + Lejátszási sor mentése Keresés Keresés Elkezdés @@ -46,14 +46,14 @@ Címkeszerkesztő A kedvenc váltása A véletlenszerű lejátszás megváltoztatása - Adaptív + 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 kvótához." - %1$d cím hozzáadva a lejátszási kvótához. + "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. @@ -71,9 +71,9 @@ Előadók Az audiofókusz megtagadva. Módosítsa a hangbeállításokat és állítsa be a hangszínszabályzó irányítását - Automatikus - Alapszín téma - Bass Boost + Autó + Kiinduló szín témája + Basszuskiemelés Bio Életrajz Csak Fekete @@ -84,24 +84,24 @@ Érvénytelen belépési azonosító. Kérem, lépjen kapcsolatba az alkalmazás fejlesztőjével. A problémák jelentése nincs engedélyezve a repository-ban. Kérem, lépjen kapcsolatba az alkalmazás fejlesztőjével. Váratlan hiba történt. Kérem, lépjen kapcsolatba az alkalmazás fejlesztőjével. - Rossz felhasználónév vagy jelszó + Nem sikerült elküldeni a jelentést Probléma Küldés manuálisan Kérem, adja meg a leírást Kérem, adja meg az érvényes GitHub jelszavát 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… + 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 alakú + Kör Színes Kártya Kártya Körhinta - Körhinta effekt a most játszik képernyőn + Kőrhinta effekt a most játszik képernyőn Növelés Cast Változtatási napló @@ -114,21 +114,21 @@ Feketelista kiürítése Lejátszási sor törlése Lejátszási lista kiürítése - %1$s lejátszási listát? Ezt nem lehet visszavonni!]]> + %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. - Nem sikerült létrehozni a lejátszási listát. - "Nem sikerült letölteni a megfelelő album borítóját." + Lej\u00e1tsz\u00e1si lista l\u00e9trehoz\u00e1sa nem siker\u00fclt. + "Nem siker\u00fclt lek\u00e9rni a megfelel\u0151 albumbor\u00edt\u00f3t." A vásárlást nem sikerült visszaállítani. Nem sikerült beolvasni %d fájlt. Létrehozás Létrehozott lejátszási lista %1$s. - Tagok és támogatók - Jelenleg hallgat %1$s által %2$s. + 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 @@ -151,30 +151,30 @@ 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: - Download from Last.fm - Drive mode - Edit - Edit cover - Empty - Equalizer - Error - FAQ - Favorites - Finish last song - Fit - Flat - Folders - Follow system - For you - Free - Full - Full card - Change the theme and colors of the app - Look and feel - Genre - Genres - Fork the project on GitHub - Join the Google Plus community where you can ask for help or follow Retro Music updates + Letöltés a Last.fm-ről + Vezetés mód + Szerkesztés + Borító szerkesztése + Üres + Hangszínszabályzó + Hiba + GYIK + Kedvencek + Fejezze be az utolsó dalt + Illeszkedő + Lapos + Mappák + Kövesse a rendszert + Neked + Ingyenes + Teljes + Teljes kártya + Módosítsa az alkalmazás témáját és színeit + Megjelenés + Műfaj + Műfajok + Szerezd meg a projektet a githubon + Csatlakozzon a Google Plus közösséghez ahol segítséget kérhet, vagy követheti a Retro Zene Alkalmazás frissítéseit 1 2 3 @@ -183,24 +183,23 @@ 6 7 8 - Grid style - Hinge - History - Home - Horizontal flip - Image - Gradient image - Change artist image download settings - Inserted %1$d songs into the playlist %2$s. - Instagram - Share your Retro Music setup to showcase on Instagram - Keyboard - Bitrate - Format - File name - File path - Size - More from %s + Rácsok és stílus + Zsanér + Előzmény + Kezdőlap + Vízszintes forgatás + Kép + Színátmenet kép + A művészképek letöltésének megváltoztatása. + %1$d dalt betett a %2$s lejátszási listába. + Ossza meg Retro Music beállításait, hogy bemutassa a Instagram-on + Billentyűzet + Bitrát + Formátum + Fájl név + Fájl elérési út + Méret + Több a következőtől: %s Mintavételi arány Hossz Címkézve @@ -213,303 +212,308 @@ Világos fehér Hallgatók Listázási fájlok - A termékek betöltése… - Bejelentkezés + A termékek betöltése ... + Bjelentkezés Dalszöveg ❤️-el készítve Indiából - Material - Error - Permission error - Name - Most played - Never - New banner photo - New playlist - New profile photo - %s is the new start directory. - Next Song - You have no albums - You have no artists - "Play a song first, then try again." - No equalizer found - You have no genres - No lyrics found - No songs playing - You have no playlists - No purchase found. - No results - You have no songs - Normal - Normal lyrics - Normal - %s is not listed in the media store.]]> - Nothing to scan. - Nothing to see - Notification - Customize the notification style - Now playing - Now playing queue - Customize the now playing screen - 9+ now playing themes - Only on Wi-Fi - Advanced testing features - Other - Password - Past 3 months - Paste lyrics here - Peak - Permission to access external storage denied. - Permissions denied. - Personalize - Customize your now playing and UI controls - Pick from local storage - Pick image + Materiál + Hiba + Engedély hiba + Név + Legjobb számok + Soha + Új banner fotó + Új lejátszási lista + Új profilfotó + %s az új indítókönyvtár. + Következő dal + Nincsenek albumok + Nincs előadó + "Először játssz le egy dalt, majd próbálkozzon újra." + Nem találtunk hangszínszabályzott. + Nincsenek műfajok + Nem található dalszöveg + Nincs lejátszott dal + Nincs lejátszási lista + Nincs vásárlás. + Nincs eredmény + Nincs dal + Normál + Normál dalszövegek + Normál + %s nem szerepel a médiában.]]> + Nincs szkennelve. + Semmit sem látni + Értesítés + Értesítési stílus testreszabása + Most lejátszott + Sorban áll + Most játszik képernyő személyre szabása + 9+ most játszik témák + Csak Wi-Fi-n + Speciális tesztelési szolgáltatások + Egyéb + Jelszó + 3 hónapnál túl + Ide illessze be a dalszövegeket + Csúcs + A külső tárolási hozzáférés engedélyezése tiltva. + Engedélyek megtagadva. + Megszemélyesít + Szabd személyre a jelenleg játszott felületet és a kezelőfelületet + Válasszon a helyi tárolóból + Válasszon képet Pinterest - 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 - Album style - Audio - Blacklist - Controls - Theme - Images - Library - Lockscreen - Playlists - Pauses the song when the volume decreases to zero and starts playing back when the volume level rises. Also works outside the app - Pause on zero - Keep in mind that enabling this feature may affect battery life - Keep the screen on - Click to open with or slide to without transparent navigation of now playing screen - Click or Slide - Snow fall effect - 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. - Start playing as soon as connected to bluetooth device - Blur the album cover on the lockscreen. Can cause problems with third party apps and widgets - Carousel effect for the album art in the now playing screen. Note that Card and Blur Card themes won\'t work - 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 - Toggle home banner style - Can increase the album cover quality, but causes slower image loading times. Only enable this if you have problems with low resolution artworks - Configure visibility and order of library categories. - Use Retro Music\'s custom lockscreen controls - License details for open source software - Round the app\'s edges - Toggle titles for the bottom navigation bar tabs - Immersive mode - Start playing immediately after headphones are connected - Shuffle mode will turn off when playing a new list of songs - If enough space is available, show volume controls in the now playing screen - Show album cover - Album cover theme - Album cover skip - Album grid - Colored app shortcuts - Artist grid - Reduce volume on focus loss - Auto-download artist images - Blacklist - Bluetooth playback - Blur album cover - Choose equalizer - Classic notification design - Adaptive color - Colored notification - Desaturated color - Extra controls - Song info - Gapless playback - App theme - Show genre tab - Home artist grid - Home 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 + 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ó + Album stílusa + Hang + Feketelista + Vezérlők + Téma + Képek + Könyvtár + Zárképernyő + Lejátszási listák + Szünetelteti a dalt, amikor a hangerő nullára csökken, és elindítja a lejátszást, ha a hangerő emelkedik. Az alkalmazáson kívül is működik + 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. + Amint csatlakoztatta a bluetooth készüléket, kezdje el a lejátszást + Elhomályosítja az album borítóját a zárolás képernyőjén. Problémákat okozhat harmadik féltől származó alkalmazásokkal és widgetekkel. + Körhinta effektus a most játszott képernyőn lévő albumborítón. Ne feledje, hogy a Kártya és a Homályosított Kártya téma nem fog működni + 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 + Ha van szabad hely a képernyőn engedélyezett hangerőszabályzókkal + Az album borítójának megjelenítése + Album borító téma + Most játszik album borító stílusa + Album rács stílusa + Színes alkalmazás parancsikonok + Előadói rács stílusa + Csökkentse a fókuszvesztés hangerejét + Automatikus letölti képeket + Feketelista + Bluetooth lejátszás + Elhomályosított albumborító + Válasszon Hangszínszabélyzott + Klasszikus értesítési terv + Adaptív szín + Színes értesítés + Deszaturált szín + Extra vezérlők + Dalinformáció + Gapless lejátszás + Általános téma + Mutasd a műfaj lapot + Kezdőlapi előadó rács + Kezdőlap banner + Figyelmen kívül hagyja a médiatárolók fedelét + Utoljára hozzáadott lejátszási lista intervallum + Teljes képernyős vezérlők + Színes navigációs sáv + Megjelenés + Nyílt forráskódú licencek + Sarokélek + Lap címek módja + Carousel hatás + Domináns szín + Teljes képernyős alkalmazás + Alcímek + Automatikus lejátszás + Kevert mód + Hangerőszabályzók + Felhasználói adatok + Elsődleges szín + Az elsődleges téma színe, alapértelmezés szerint kék szürke, jelenleg sötét színekkel működik Pro - Black theme, Now playing themes, Carousel effect and more.. - Profile - Purchase - *Think before buying, don\'t ask for refund. - Queue - Rate the app - Love this app? Let us know in the Google Play Store how we can make it even better - Recent albums - Recent artists - Remove - Remove banner photo - Remove cover - Remove from blacklist - Remove profile photo - Remove song from playlist - %1$s from the playlist?]]> - Remove songs from playlist - %1$d songs from the playlist?]]> - Rename playlist - Report an issue - Report bug - Reset - Reset artist image - Restore - Restored previous purchase. Please restart the app to make use of all features. - Restored previous purchases. - Restoring purchase… - Retro Music Equalizer + Jelenleg témákat játszik, körhinta effektus és még sok más .. + Profil + Vásárlás + *Gondolja vásárolása előtt, ne kérjen visszatérítést. + Sorban áll + Értékeld az alkalmazást + Szereted ezt az app-ot a Google Play áruházban, hogy jobb élményt nyújtsunk + Legutóbbi albumok + Legújabb előadók + Eltávolítás + Banner fotó törlése + Borító eltávolítása + Eltávolítás a feketelistáról + Profilfotó eltávolítása + Távolítsa el a dalt a lejátszási listáról + %1$s dalt a lejátszási listából?]]> + A dalok eltávolítása a lejátszási listáról + %1$d dalt a lejátszási listából?]]> + Lejátszási lista átnevezése + Hibajelentés + Hibajelentés + Visszaállítás + Az előadó képének visszaállítása + Visszaállítás + Az előző vásárlás helyreállítása. Kérjük, indítsa újra az alkalmazást az összes funkció használatához. + Korábbi vásárlások visszaállítása. + A vásárlás visszaállítása ... + Retro Zene Hangszínszabályzó Retro Music Player Retro Music Pro - File delete failed: %s + A fájl törlése sikertelen: %s - Can\'t get SAF URI - Open navigation drawer - Enable \'Show SD card\' in overflow menu + Nem lehet SAF URI + Nyissa meg a navigációs fiókot + Engedélyezze az \"SD kártya megjelenítése\" lehetőséget a túlcsordulási menüben - %s needs SD card access - You need to select your SD card root directory - Select your SD card in navigation drawer - Do not open any sub-folders - Tap \'select\' button at the bottom of the screen - File write failed: %s - Save + %s SD kártya hozzáférést igényel + Meg kell választanod az SD-kártya gyökérkönyvtárát + Válassza ki az SD kártyát a navigációs fiókban + Ne nyisson semmilyen almappát + Érintse meg a \"select\" gombot a képernyő alján + A fájl írása sikertelen: %s + Mentés - Save as file - Save as files - Saved playlist to %s. - Saving changes - Scan media - Scanned %1$d of %2$d files. - Scrobbles - Search your library… - Select all - Select banner photo - Selected - Send crash log - Set - Set artist image - Set a profile photo - Share app - Share to Stories - Shuffle - Simple - Sleep timer canceled. - Sleep timer set for %d minutes from now. - Slide - Small album - Social - Share story - Song - Song duration - Songs - Sort order - Ascending + Mentés fájlként + Fájl mentése másként + Mentett lejátszási lista a következőhöz: %s + A változtatások mentése + Média szkennelés + %2$d fájlt %1$d szkennelt. + Scrobblek + Keresés a könyvtárban ... + Minden kiválasztása + Banner fotó kiválasztása + Kiválaszott + Küldjön összeomlási naplót + Beállít + Állítsa be az előadó képét + Profilfotó beállítása + Alkalmazás megosztása + Ossza meg a Történet-ben + Keverés + Egyszerű + Az elalváskapcsoló kikapcsolva. + Az elalvási időzítő beállítása %d perc múlva. + Csúsztatás + Kis album + Közösségi + Ossza meg a történetet + Dal + A dal időtartama + Dalok + Sorrend + Növekvő Album - Artist - Composer - Date added - Date modified - Year - Descending - Sorry! Your device doesn\'t support speech input - Search your library - Stack - Start playing music. - Suggestions - Just show your name on home screen - Support development - Swipe to unlock - Synced lyrics - System Equalizer + Előadó + Zeneszerző + Dátum + Módosítás dátuma + Év + Csökkenő + Sajnálom! A készülék nem támogatja a beszédet + Keresés a könyvtárban + Rakás + Kezdje el lejátszani a zenét + Javaslatok + Csak mutassa meg a nevét a kezdőképernyőn + Támogatás fejlesztése + Csúsztasd fel a feloldáshoz + Szinkronizált dalszövegek + Rendszer kiegyenlítő Telegram - Join the Telegram group to discuss bugs, make suggestions, show off and more - Thank you! - The audio file - This month - This week - This year - Tiny - Title - Dashboard - Good afternoon - Good day - Good evening - Good morning - Good night - What\'s Your Name - Today - Top albums - Top artists - "Track (2 for track 2 or 3004 for CD3 track 4)" - Track number - Translate - Help us translate the app to your language - Twitter - Share your design with Retro Music - Unlabeled - Couldn\u2019t play this song. - Up next - Update image - Updating… - Username - Version - Vertical flip - Virtualizer - Volume - Web search - Welcome, - What do you want to share? - What\'s New - Window - Rounded corners - Set %1$s as your ringtone. - %1$d selected - Year - You have to select at least one category. - You will be forwarded to the issue tracker website. - Your account data is only used for authentication. - Amount - Note(Optional) - Start payment - Show now playing screen - Clicking on the notification will show now playing screen instead of the home screen + Csatlakozz a Telegram csoporthoz hogy megbeszélhesd a hibákat, ajánlásokat tegyél, bemutass valamit stb... + Köszönöm! + Az audio fájl + Ebben a hónapban + Ezen a héten + Egy éve + Apró + Cím + Irányítópult + Jó napot + Jó nap + Jó estét + Jó reggelt + Jó éjszakát + Mi a neved? + Ma + Legjobb albumok + Legjobb előadok + "Sáv (2 a 2. vagy a 3004-es számhoz a CD3 4. sávjához)" + Sáv száma + Fordítás + Segítsen nekünk az alkalmazás nyelvének fordításához + Twitter oldal + Ossza meg tervét a RetroMusicApp segítségével + Címkézetlen + Nem lehetett j\u00e1tszani ezt a dalt. + A következő + Kép frissítése + Frissítés... + Felhasználónév + Verzió + Függőleges forgatás + Virtualizáló + Hangerő + Webes keresés + Üdvözöljük, + Mit szeretne megosztani? + Mi az újdonság? + Ablak + Lekerekített sarkak + Állítsa be a (z) %1$s csengőhangot. + %1$d kiválasztása + Év + Legalább egy kategóriát kell kiválasztania + Továbbítani fogjuk a problémakezelő weboldalra. + Fiókja adatait kizárólag a hitelesítéshez fogjuk használni. + Tartalom + Megjegyzés (opcionális) + Kezdje a fizetést + Jelenítse meg a most játszó képernyőt + Az értesítésre kattintva a kezdőképernyő helyett a lejátszási képernyő jelenik meg + Apró kártya + %s -ról + Válasszon nyelvet + Translators + The people who helped translate this app diff --git a/app/src/main/res/values-hu/strings.xml b/app/src/main/res/values-hu/strings.xml index 16ef3463..447f7a27 100644 --- a/app/src/main/res/values-hu/strings.xml +++ b/app/src/main/res/values-hu/strings.xml @@ -1,13 +1,13 @@ - + Csapat, társadalmi kapcsolatok - A hangsúly színe - Az akcentus téma színe alapértelmezés szerint színtiszta + Kiemelő szín + Az kiemelő téma színe alapértelmezés szerint színtiszta Rólunk Hozzáadás a kedvencekhez - Hozzáadás a lejátszási kvótához. + Hozzáadás a lejátszási sorhoz Hozzáadás lejátszási listához - Lejátszási kvóta törlése + Lejátszási sor törlése Lejátszási lista törlése Ciklus ismétlés üzemmód Törlés @@ -28,13 +28,13 @@ Lejátszás / Szünet Előző Eltávolítás a kedvencekből - Lejátszási kvóta törlése + Eltávolítás a lejátszási sorból Eltávolítás a lejátszási listáról Átnevezés - Lejátszási kvóta mentése + Lejátszási sor mentése Keresés Keresés - Start + Elkezdés Beállítás csengőhangként Beállítás kezdőkönyvtárként "Beállítások" @@ -50,10 +50,10 @@ Hozzáad Dalszöveg hozzáadása Fénykép\nhozzáadása - "Lejátszási listához adni" + "Hozzáadás lejátszási listához" Adjon hozzá időkeretet dalszövegeket - "1 cím lett hozzáadva a lejátszási kvótához." - %1$d cím hozzáadva a lejátszási kvótához. + "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. @@ -106,6 +106,7 @@ 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 @@ -151,6 +152,7 @@ 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 @@ -159,11 +161,12 @@ GYIK Kedvencek Fejezze be az utolsó dalt - Fit + Illeszkedő Lapos Mappák Kövesse a rendszert Neked + Ingyenes Teljes Teljes kártya Módosítsa az alkalmazás témáját és színeit @@ -180,16 +183,15 @@ 6 7 8 - + Rácsok és stílus Zsanér Előzmény Kezdőlap - Vízszintes flip + Vízszintes forgatás Kép Színátmenet kép A művészképek letöltésének megváltoztatása. %1$d dalt betett a %2$s lejátszási listába. - Instagram Ossza meg Retro Music beállításait, hogy bemutassa a Instagram-on Billentyűzet Bitrát @@ -197,6 +199,7 @@ Fájl név Fájl elérési út Méret + Több a következőtől: %s Mintavételi arány Hossz Címkézve @@ -207,6 +210,7 @@ Könyvtár kategóriák Licencek Világos fehér + Hallgatók Listázási fájlok A termékek betöltése ... Bjelentkezés @@ -229,6 +233,7 @@ Nem találtunk hangszínszabályzott. Nincsenek műfajok Nem található dalszöveg + Nincs lejátszott dal Nincs lejátszási lista Nincs vásárlás. Nincs eredmény @@ -238,6 +243,7 @@ Normál %s nem szerepel a médiában.]]> Nincs szkennelve. + Semmit sem látni Értesítés Értesítési stílus testreszabása Most lejátszott @@ -269,10 +275,14 @@ 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ó Album stílusa Hang + Feketelista Vezérlők Téma Képek @@ -289,6 +299,7 @@ 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. + Amint csatlakoztatta a bluetooth készüléket, kezdje el a lejátszást Elhomályosítja az album borítóját a zárolás képernyőjén. Problémákat okozhat harmadik féltől származó alkalmazásokkal és widgetekkel. Körhinta effektus a most játszott képernyőn lévő albumborítón. Ne feledje, hogy a Kártya és a Homályosított Kártya téma nem fog működni Használja a klasszikus értesítési kinézetet. @@ -299,6 +310,7 @@ 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 @@ -321,6 +333,7 @@ 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 @@ -328,6 +341,7 @@ Színes értesítés Deszaturált szín Extra vezérlők + Dalinformáció Gapless lejátszás Általános téma Mutasd a műfaj lapot @@ -351,6 +365,7 @@ 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 @@ -379,6 +394,7 @@ 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 @@ -401,6 +417,7 @@ A változtatások mentése Média szkennelés %2$d fájlt %1$d szkennelt. + Scrobblek Keresés a könyvtárban ... Minden kiválasztása Banner fotó kiválasztása @@ -410,6 +427,7 @@ Á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. @@ -417,6 +435,7 @@ Csúsztatás Kis album Közösségi + Ossza meg a történetet Dal A dal időtartama Dalok @@ -426,6 +445,7 @@ Előadó Zeneszerző Dátum + Módosítás dátuma Év Csökkenő Sajnálom! A készülék nem támogatja a beszédet @@ -471,8 +491,9 @@ Frissítés... Felhasználónév Verzió - Függőleges flip + Függőleges forgatás Virtualizáló + Hangerő Webes keresés Üdvözöljük, Mit szeretne megosztani? @@ -485,4 +506,12 @@ Legalább egy kategóriát kell kiválasztania Továbbítani fogjuk a problémakezelő weboldalra. Fiókja adatait kizárólag a hitelesítéshez fogjuk használni. + Tartalom + Megjegyzés (opcionális) + Kezdje a fizetést + Jelenítse meg a most játszó képernyőt + Az értesítésre kattintva a kezdőképernyő helyett a lejátszási képernyő jelenik meg + Apró kártya + %s -ról + Select language diff --git a/app/src/main/res/values-in-rID/strings.xml b/app/src/main/res/values-in-rID/strings.xml index f4d5d55d..ea10802b 100644 --- a/app/src/main/res/values-in-rID/strings.xml +++ b/app/src/main/res/values-in-rID/strings.xml @@ -1,11 +1,11 @@ Tim, tautan sosial - Warna aksen + Warna Aksen Warna aksen tema, bawaan adalah ungu Tentang Tambahkan ke favorit - Tambahkan ke antrean pemutaran + Tambahkan ke antrean pemutar Tambahkan ke daftar putar Bersihkan antrean pemutaran Bersihkan daftar putar @@ -18,7 +18,7 @@ Ke aliran Ke direktori awal Izinkan - Ukuran kisi + Jumlah kisi Ukuran kisi (lanskap) Daftar putar baru Selanjutnya @@ -56,7 +56,7 @@ %1$d ditambahkan ke antrean pemutaran. Album Album artis - Judul atau artis kosong. + Judul atau artis kosong Album Selalu Hei lihat pemutar musik keren ini di: @@ -70,7 +70,7 @@ https://play.google.com/store/apps/details?id=%s Retro music - Teks Artis Artis - Fokus audio ditolak. + Fokus audio ditolak Ubah pengaturan suara dan sesuaikan ekualiser Otomatis Berdasarkan warna tema @@ -94,7 +94,7 @@ 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… + Mengunggah laporan ke GitHub Kirim menggunakan akun GitHub Beli sekarang Batalkan @@ -116,19 +116,19 @@ tetap bermasalah, \"Hapus data Aplikasi\" atau kirim Email Bersihkan daftar hitam Hapus antrean Bersihkan daftar putar - %1$s? Ini tidak bisa dibatalkan!]]> + %1$s? Ini tidak bisa dibatalkan]]> Tutup Warna Warna Warna Komposer Info perangkat telah disalin ke papan klip. - Tidak dapat membuat daftar putar. + Tidak dapat membuat daftar putar "Tidak dapat mengunduh sampul album yang cocok." - Tidak dapat mengembalikan pembelian. - Tidak dapat memindai %d file. + Tidak dapat mengembalikan pembelian + Tidak dapat memindai %d file Buat - Daftar putar %1$s dibuat. + Daftar putar %1$s dibuat Member dan kontributor Terakhir kali mengdengarkan %1$s oleh %2$s. Agak gelap @@ -141,7 +141,7 @@ tetap bermasalah, \"Hapus data Aplikasi\" atau kirim Email Hapus lagu %1$d daftar putar?]]> %1$d lagu?]]> - Lagu %1$d dihapus. + Lagu %1$d dihapus Mengapus lagu Kedalaman Deskripsi @@ -193,8 +193,7 @@ tetap bermasalah, \"Hapus data Aplikasi\" atau kirim Email Gambar Gradasi gambar Ubah pengaturan pengunduhan gambar artis - Lagu %1$d dimasukan ke daftar putar %2$s. - Instagram + Lagu %1$d dimasukan ke daftar putar %2$s Bagikan pengaturan Retro Musicmu di Instagram untuk menunjukannya Papan ketik Bitrate @@ -215,7 +214,7 @@ tetap bermasalah, \"Hapus data Aplikasi\" atau kirim Email Putih jelas Pendengar Pengurutan berkas - Memuat produk… + Memuat produk... Masuk Lirik Dibuat dengan cinta ❤️ di India @@ -232,20 +231,20 @@ tetap bermasalah, \"Hapus data Aplikasi\" atau kirim Email Lagu selanjutnya Tidak ada album Tidak ada artis - "Putar lagu lebih dahulu, lalu coba lagi." + "Putar lagu lebih dahulu, lalu coba lagi" Ekualiser tidak ditemukan Tidak ada genre Lirik tidak ditemukan Tidak ada lagu diputar Tidak ada daftar putar - Pembelian tidak ditemukan. + Pembelian tidak ditemukan Tidak ada hasil Tidak ada lagu Normal Lirik normal Normal - %s tidak ada di daftar media.]]> - Tak ada apapun untuk dipindai. + %s tidak ada di daftar media]]> + Tak ada apapun untuk dipindai Tidak ada apapun untuk dilihat Pemberitahuan Sesuaikan gaya pemberitahuan @@ -303,7 +302,7 @@ tetap bermasalah, \"Hapus data Aplikasi\" atau kirim Email Volume lebih rendah ketika suara sistem diputar atau terdapat notifikasi baru Konten folder yang telah didaftar hitamkan disembunyikan dari pustaka. Mulai pemutaran saat terhubung dengan perangkat bluetooth - Blur sampul album di layar kunci. Dapat menyebabkan masalah dengan aplikasi pihak ketiga dan widget + Blur sampul album di layar kunci. Dapat menyebabkan masalah dengan aplikasi pihak ketiga dan widget. Efek karosel di sampul album yang sedang diputar. Ingat bahwa Kartu dan Kartu Buram tidak akan bekerja Gunakan desain notifikasi klasik Latar belakang, Warna tombol kontrol berubah sesuai sampul album lagu yang diputar @@ -311,20 +310,20 @@ tetap bermasalah, \"Hapus data Aplikasi\" atau kirim Email 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 + 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 + 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 + Putar segera setelah headphones terhubung. Mode acak akan non-aktif ketika memutar lagu baru dari daftar Jika tersedia ruang yang memadai, tampilkan pengendai suara di layar sedang diputar Tampilkan sampul album @@ -350,168 +349,173 @@ tetap bermasalah, \"Hapus data Aplikasi\" atau kirim Email Tampilkan tab aliran Kisi beranda artis Banner beranda - 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 + 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 - Black theme, Now playing themes, Carousel effect and more.. - Profile - Purchase - *Think before buying, don\'t ask for refund. - Queue - Rate the app - Love this app? Let us know in the Google Play Store how we can make it even better - Recent albums - Recent artists - Remove - Remove banner photo - Remove cover - Remove from blacklist - Remove profile photo - Remove song from playlist - %1$s from the playlist?]]> - Remove songs from playlist - %1$d songs from the playlist?]]> - Rename playlist - Report an issue - Report bug - Reset - Reset artist image - Restore - Restored previous purchase. Please restart the app to make use of all features. - Restored previous purchases. - Restoring purchase… - Retro Music Equalizer + Tema hitam, tema sedang diputar, efek karosel dan lainnya.. + Profil + Beli + *Pikirkan sebelum membeli, jangan minta pengembalian uang. + Antrean + Nilai aplikasi + Suka aplikasi ini? beri tahu kami di Google Play Store untuk memberikan pengalaman yang lebih baik + Album terbaru + Artis terbaru + Hapus + Hapus foto banner + Hapus sampul + Hapus dari daftar hitam + Hapus foto profil + Hapus lagu dari daftar putar + %1$s dari daftar putar?]]> + Hapus lagu dari daftar putar + %1$d dari daftar putar?]]> + Ganti nama daftar putar + Laporkan isu + Laporkan bug + Setel ulang + Setel ulang gambar artis + Pulihkan + Pembelian dipulihkan. Mulai kembali aplikasi agar semua fitur dapat digunakan + Pembelian dipulihkan. + Memulihkan pembelian... + Ekualiser Retro Music Retro Music Player Retro Music Pro - File delete failed: %s + Gagal menghapus file: %s - Can\'t get SAF URI - Open navigation drawer - Enable \'Show SD card\' in overflow menu + Gagal mendapatkan SAF URI + Buka laci notifikasi + Aktifkan \'Tampilkan Kartu SD\' di menu luapan - %s needs SD card access - You need to select your SD card root directory - Select your SD card in navigation drawer - Do not open any sub-folders - Tap \'select\' button at the bottom of the screen - File write failed: %s - Save + %s membutuhkan akses kartu SD + Anda perlu memilih direktori akar kartu SD anda + Pilih kartu SD anda di laci navigasi + Jangan buka sub-folder apapun + Ketuk tombol \'pilih\' pada bagaian bawah layar + Gagal menulis file: %s + Simpan - Save as file - Save as files - Saved playlist to %s. - Saving changes - Scan media - Scanned %1$d of %2$d files. + Simpan berkas sebagai + Simpan file sebagai + Daftar putar disimpan ke %s. + Menyimpan perubahan + Pindai media + %1$d dari %2$d selesai dipindai. Scrobbles - Search your library… - Select all - Select banner photo - Selected - Send crash log - Set - Set artist image - Set a profile photo - Share app - Share to Stories - Shuffle - Simple - Sleep timer canceled. - Sleep timer set for %d minutes from now. - Slide - Small album - Social - Share story - Song - Song duration - Songs - Sort order - Ascending + Cari di pustaka... + Pilih semua + Pilih foto banner + Terpilih + Kirim catatan kerusakan + Atur + Setel gambar artis + Atur foto profil + Bagikan Apl + Bagikan ke Cerita + Acak + Sederhana + Waktu tidur dibatalkan. + Pewaktu tidur diatur %d menit dari sekarang. + Meluncur + Album kecil + Sosial + Bagikan cerita + Lagu + Durasi lagu + Lagu + Urutkan + Meningkat Album - Artist - Composer - Date added - Date modified - Year - Descending - Sorry! Your device doesn\'t support speech input - Search your library - Stack - Start playing music. - Suggestions - Just show your name on home screen - Support development - Swipe to unlock - Synced lyrics - System Equalizer + Artis + Komposer + Tanggal ditambahkan + Tanggal diubah + Tahun + Menurun + Maaf! Perangkat anda tidak mendukung masukan suara + Cari pustaka anda + Tumpuk + Mulai pemutaran musik. + Saran + Hanya tampilkan nama anda di beranda + Dukung pengembangan + Geser untuk membuka + Lirik tersinkron + Ekualiser Sistem Telegram - Join the Telegram group to discuss bugs, make suggestions, show off and more - Thank you! - The audio file - This month - This week - This year - Tiny - Title - Dashboard - Good afternoon - Good day - Good evening - Good morning - Good night - What\'s Your Name - Today - Top albums - Top artists - "Track (2 for track 2 or 3004 for CD3 track 4)" - Track number - Translate - Help us translate the app to your language + Gabung ke grup Telegram untuk mendiskusikan masalah, membuat permintaan, memamerkan dan lainnya + Terima kasih! + Berkas audio + Bulan ini + Pekan ini + Tahun ini + Kecil + Judul + Dasbor + Selamat sore + Selamat siang + Selamat malam + Selamat pagi + Selamat malam + Siapa namamu + Hari ini + Album teratas + Artis teratas + "Trek (2 untuk trek 2 atau 3004 untuk CD3 trek 4)" + Nomor trek + Terjemahkan + Bantu kami untuk menerjemahkan aplikasi ke bahasa anda Twitter - Share your design with Retro Music - Unlabeled - Couldn\u2019t play this song. - Up next - Update image - Updating… - Username - Version - Vertical flip - Virtualizer + Bagikan desain anda dengan Retro Music + Tidak berlabel + Tidak dapat memutar lagu ini. + Selanjutnya + Perbarui gambar + Memperbarui… + Nama pengguna + Versi + Balik vertikal + Virtualiser Volume - Web search - Welcome, - What do you want to share? - What\'s New - Window - Rounded corners - Set %1$s as your ringtone. - %1$d selected - Year - You have to select at least one category. - You will be forwarded to the issue tracker website. - Your account data is only used for authentication. - Amount - Note(Optional) - Start payment - Show now playing screen - Clicking on the notification will show now playing screen instead of the home screen + Pencarian web + Selamat datang, + Apa yang ingin anda bagikan? + Apa yang baru + Jendela + Sudut melengkung + Atur %1$s sebagai nada dering. + %1$d dipilih + Tahun + Anda harus memilih setidaknya satu kategori + Anda akan diteruskan ke situs web pelacak masalah. + Data akun anda hanya digunakan untuk otentikasi + Jumlah + Catatan(Opsional) + Mulai pembayaran + Tampilkan layar sedang diputar + Mengklik pada notifikasi akan menampilkan layar sedang diputar bukan layar beranda + Kartu kecil + Tentang %s + Pilih bahasa + Translators + The people who helped translate this app diff --git a/app/src/main/res/values-in/strings.xml b/app/src/main/res/values-in/strings.xml deleted file mode 100644 index 7e3bce45..00000000 --- a/app/src/main/res/values-in/strings.xml +++ /dev/null @@ -1,296 +0,0 @@ - - - Warna aksen - Warna aksen, warna bawaan adalah pink. - - Tentang - - Tambahkan sebagai favorit - Tambahkan ke antrian - Tambahkan ke daftar putar... - - Bersihkan antrian - - Hapus - Hapus dari perangkat - - Rincian - - Lihat album - Lihat artis - Lihat direktori awal - - Izinkan - - Ukuran kotak - Ukuran kotak (lansekap) - - Selanjutnya - - Putar - Putar selanjutnya - Putar/Jeda - - Sebelumnya - - Hapus dari favorit - Hapus dari antrian - Hapus dari daftar putar - - Ubah nama - - Pindai - - Cari - - Atur - Atur sebagai nada dering - Atur sebagai direktori awal - - "Setelan" - - Bagikan - - Acak semua - Acak daftar putar - - Sunting Tag - - "Tambahkan ke daftar putar" - - "1 judul ditambahkan ke antrian." - - %1$d judul ditambahkan ke antrian. - - Album - - Artis album - - Judul atau artis kosong. - - Album - - Selalu - - - Acak - - Retro music - Besar - Retro music - Klasik - - Artis - - Artis - - Fokus suara ditolak. - - Biografi - - Hitam - - Catatan ubahan - - Warna - - Tidak dapat menambahkan daftar putar. - "Gagal mengunduh gambar album." - Tidak dapat memindai %d fail. - - Tambahkan - - Daftar putar %1$s ditambahkan. - - Saat ini mendengarkan %1$s oleh %2$s. - - Gelap - - Hapus daftar putar - %1$s?]]> - - Hapus daftar putar - - %1$s?]]> - - %1$d daftar putar?]]> - %1$d lagu?]]> - %1$d lagu dihapus. - - Donasi - - Unduh dari Last.fm - - Kosong - - Ekualizer - - Favorit - - Direktori - - Genre - - Riwayat - - Beranda - - %1$d lagu dimasukkan ke daftar putar %2$s. - - Birate - - Format - Nama fail - Lokasi fail - Ukuran - - Rasio sampling - - Durasi - - Terakhir ditambahkan - - Pustaka - - Lisensi - - Putih - - Daftar fail - - Memuat produk... - - Lirik - - Lagu teratas - - Tidak pernah - - Daftar putar baru... - - %s adalah direktori awal - - Tidak ada album - - Tidak ada artis - - "Putar lagu dahulu, lalu coba lagi." - - Tidak ada ekualizer ditemukan. - - Tidak ada daftar putar - - Tak ada hasil - - Tidak ada lagu - - Pemberitahuan - - Antrian daftar putar saat ini - - Hanya dengan Wi-Fi - - Izin akses penyimpanan eksternal ditolak. - - Izin ditolak. - - Pilih dari penyimpanan lokal - - Daftar putar kosong - - Nama daftar putar - - Daftar putar - - Suara - Gambar - Layarkunci - - Menggunakan gambar album sebagai latar layarkunci. - Pemberitahuan, navigasi, dll. - Kaburkan gambar album pada layarkunci. Dapat menyebabkan masalah pada apl pihak ketiga dan widget. - Warna latar, tombol kontrol berubah sesuai gambar album - Warnai pintasan apl dengan warna aksen. Setiap anda mengubah warna, aktifkan ini untuk menerapkan efek. - Warnai bilah navigasi dengan warna utama. - "Warnai pemberitahuan dengan warna gambar album." - "Dapat menyebabkan masalah pada beberapa perangkat." - Meningkatkan kualitas gambar album namun memperlambat waktu muat. Aktifkan ini hanya jika ada masalah dengan gambar album resolusi rendah. - Lengkungan pojok jendela dan gambar album. - - Perlihatkan gambar album - Pintasan apl berwarna - Kurangi volume saat kehilangan fokus - Unduh otomatis gambar artis - Kaburkan gambar album - Warna adaptif - Pemberitahuan berwarna - Putar tanpa jeda - Tema utama - Abaikan gambar Media Store - Bilah navigasi berwarna - Lengkungan pojok - - Warna utama - - Antrian - - Nilai aplikasi - - Hapus - - Hapus gambar album - - Hapus lagu dari daftar putar - %1$s dari daftar putar?]]> - - Hapus lagu dari daftar putar - - %1$d lagu dari daftar putar?]]> - - Ubah nama daftar putar - Simpan sebagai fail - Daftar putar tersimpan ke %s. - - Menyimpan perubahan - - Terpindai %1$d dari %2$d fail. - - Cari di perpustakaan anda... - - Acak - - Lagu - - Lagu - - Urutan sortir - - Maaf! Perangkat anda tidak mendukung input suara - - Cari di perpustakaan - - Dukungan pengembangan - - Terima kasih! - - Fail audio - - "Trek (2 untuk trek 2 atau 3004 untuk CD3 trek 4)" - - Tidak dapat memutar lagu ini. - - Selanjutnya - - Perbarui gambar - - Memperbarui... - - Pencarian Web - - Apa yang ingin anda bagikan? - - Atur %1$s sebagai nada dering. - - %1$d dipilh - - Tahun - More from %s - diff --git a/app/src/main/res/values-it-rIT/strings.xml b/app/src/main/res/values-it-rIT/strings.xml index 2124ffe5..d2e9ac80 100644 --- a/app/src/main/res/values-it-rIT/strings.xml +++ b/app/src/main/res/values-it-rIT/strings.xml @@ -1,180 +1,181 @@ - Team, social links - Accent color - The theme accent color, defaults to purple - About - Add to favorites - Add to playing queue - Add to playlist - Clear playing queue - Clear playlist - Cycle repeat mode - Delete - Delete from device - Details - Go to album - Go to artist - Go to genre - Go to start directory - Grant - Grid size - Grid size (land) - New playlist - Next - Play - Play all - Play next - Play/Pause - Previous - Remove from favorites - Remove from playing queue - Remove from playlist - Rename - Save playing queue - Scan - Search - Start - Set as ringtone - Set as start directory - "Settings" - Share - Shuffle all - Shuffle playlist - Sleep timer - Sort order - Tag editor - Toggle favorite - Toggle shuffle mode - Adaptive - Add - Add lyrics - Add \nphoto - "Add to playlist" - Add time frame lyrics - "Added 1 title to the playing queue." - Added %1$d titles to the playing queue. + Team e pagine social + Accento colore + Il colore di accento del tema, il predefinito é verde acqua + Informazioni + Aggiungi ai preferiti + Aggiungi alla coda + Aggiungi alla playlist + Cancella coda + Svuota la playlist + Modalità ripetizione continua + Elimina + Elimina dal dispositivo + Dettagli + Vai all\'album + Vai all\'artista + Vai al genere + Torna al percorso iniziale + Concedi + Dimensione griglia + Dimensione griglia (orizzontale) + Nuova playlist + Successivo + Riproduci + Riproduci tutti + Riproduci successivo + Riproduci/Pausa + Precedente + Rimuovi dai preferiti + Rimuovi dalla coda + Rimuovi dalla playlist + Rinomina + Salva coda di riproduzione + Scansiona + Cerca + Inizia + Imposta come suoneria + Imposta come percorso iniziale + "Impostazioni" + Condividi + Riproduzione casuale + Riproduzione casuale playlist + Timer sonno + Ordina per + Modifica tag + Seleziona preferito + Seleziona modalità di riproduzione casuale + Adattivo + Aggiungi + Aggiungi testi + Aggiungi foto + "Aggiungi alla playlist" + Aggiungi testi sincronizzati + "Aggiunto un brano alla coda." + Aggiungi %1$d brani alla coda. Album - Album artist - The title or artist is empty. - Albums - Always - Hey check out this cool music player at: https://play.google.com/store/apps/details?id=%s - Shuffle - Top Tracks - Retro music - Big - Retro music - Card - Retro music - Classic - Retro music - Small - Retro music - Text - Artist - Artists - Audio focus denied. - Change the sound settings and adjust the equalizer controls - Auto - Base color theme - Bass Boost - Bio - Biography - Just Black + Artista dell\'album + Il titolo o l\'artista sono vuoti + Album + Sempre + Hey, dai un\'occhiata a questo fantastico lettore musicale: +https://play.google.com/store/apps/details?id=%s + Casuale + Tracce migliori + Retro music - Grande + Retro Music - Card + Retro Music - Classico + Retro Music - Piccolo + Retro music - Testo + Artista + Artisti + Focalizzazione audio negata. + Modifica le impostazioni audio e regola i controlli dell\'equalizzatore + Automatico + Colore base del tema + Amplificazione bassi + Biografia + Biografia + Solo nero Blacklist - Blur - Blur Card - Unable to send report - Invalid access token. Please contact the app developer. - Issues are not enabled for the selected repository. Please contact the app developer. - An unexpected error occurred. Please contact the app developer. - Wrong username or password - Issue - Send manually - Please enter an issue description - Please enter your valid GitHub password - Please enter an issue title - Please enter your valid GitHub username - An unexpected error occurred. Sorry you found this bug, if it keeps crashing \"Clear app data\" or send an Email - Uploading report to GitHub… - Send using GitHub account - Buy now - Cancel - Card - Circular - Colored Card - Card - Carousel - Carousel effect on the now playing screen - Cascading - Cast - Changelog - Changelog maintained on the Telegram channel - Circle - Circular - Classic - Clear - Clear app data - Clear blacklist - Clear queue - Clear playlist - %1$s? This can\u2019t be undone!]]> - Close - Color - Color - Colors - Composer - Copied device info to clipboard. - Couldn\u2019t create playlist. - "Couldn\u2019t download a matching album cover." - Could not restore purchase. - Could not scan %d files. - Create - Created playlist %1$s. - Members and contributors - Currently listening to %1$s by %2$s. - Kinda Dark - No Lyrics - Delete playlist - %1$s?]]> - Delete playlists - Delete song - %1$s?]]> - Delete songs - %1$d playlists?]]> - %1$d songs?]]> - Deleted %1$d songs. - Deleting songs - Depth - Description - Device info - Allow Retro Music to modify audio settings - Set ringtone - Do you want to clear the blacklist? - %1$s from the blacklist?]]> - Donate - If you think I deserve to get paid for my work, you can leave some money here - Buy me a: - Download from Last.fm - Drive mode - Edit - Edit cover - Empty - Equalizer - Error + Sfocatura + Card sfocata + Impossibile inviare il rapporto + Token di accesso non valido. Contatta lo sviluppatore dell\'app. + I problemi non sono abilitati per la repository selezionata. Contatta lo sviluppatore dell\'app. + Si è verificato un errore imprevisto. Contatta lo sviluppatore dell\'app. + Nome utente o password errati + Problema + Invia manualmente + Inserisci una descrizione del problema + Inserisci la tua password GitHub + 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 + Scheda + Circolare + Card colorata + Scheda + Carosello + Effetto scorrimento sulla schermata di riproduzione + Cascata + Forma + Ultime modifiche + Per visualizzare le ultime modifiche, entra nel canale Telegram + Cerchio + Circolare + Classico + Vuoto + Cancella i dati dell\'app + Cancella blacklist + Cancella coda + Cancella playlist + %1$s ? Questo non pu\u00f2 essere annullato!]]> + Chiudi + Colore + Colore + Colori + Compositore + Info dispositivo copiate negli appunti. + Impossibile creare la playlist. + "Impossibile scaricare la copertina dell'album corrispondente." + Impossibile ripristinare l\'acquisto. + Impossibile scansionare %d file. + Crea + Playlist %1$s creata. + Membri e collaboratori + Ascoltando attualmente %1$s di %2$s. + Scuro + Nessun testo + Elimina playlist + %1$s?]]> + Elimina playlist + Elimina brano + %1$s?]]> + Elimina brani + %1$d playlist?]]> + %1$d brani?]]> + Eliminati %1$d brani + Eliminando i brani + Profondità + Descrizione + Info dispositivo + Consenti a Retro Music di modificare le impostazioni audio + Imposta suoneria + Vuoi cancellare la blacklist? + %1$s dalla blacklist?]]> + Dona + Se pensi che io meriti di essere pagato per il mio lavoro, puoi lasciarmi qualche soldo qui + Pagami un: + Scarica da Last.fm + Modalità alla guida + Modifica + Modifica copertina + Vuoto + Equalizzatore + Errore FAQ - Favorites - Finish last song - Fit - Flat - Folders - Follow system - For you - Free - Full - Full card - Change the theme and colors of the app - Look and feel - Genre - Genres - Fork the project on GitHub - Join the Google Plus community where you can ask for help or follow Retro Music updates + Preferiti + Termina ultimo brano + Adatta + Piatto + Cartelle + Sistema + Per te + Gratis + Pieno + Scheda intera + Cambia il tema e i colori dell\'app + Aspetto + Genere + Generi + Sviluppa il progetto su GitHub + Unisciti alla community di Google Plus, dove puoi chiedere aiuto o seguire gli aggiornamenti di Retro Music 1 2 3 @@ -183,333 +184,337 @@ 6 7 8 - Grid style - Hinge - History - Home - Horizontal flip - Image - Gradient image - Change artist image download settings - Inserted %1$d songs into the playlist %2$s. - Instagram - Share your Retro Music setup to showcase on Instagram - Keyboard + Griglie e stile + Cerniera + Cronologia + Homepage + Flip orizzontale + Immagine + Immagine sfumata + Modifica le impostazioni di download delle immagini + Inseriti %1$d brani nella playlist %2$s. + Condividi la tua configurazione di Retro Music per mostrarla su Instagram + Tastiera Bitrate - Format - File name - File path - Size - More from %s - Sampling rate - Length - Labeled - Last added - Last song - Let\'s play some music - Library - Library categories - Licenses - Clearly White - Listeners - Listing files - Loading products… - Login - Lyrics - Made with ❤️ in India + Formato + Nome del file + Percorso del file + Dimensione + Altro da %s + Frequenza di campionamento + Lunghezza + Etichettato + Ultimi aggiunti + Ultimo brano + Suoniamo un po\' di musica + Raccolta + Categorie della raccolta + Licenze + Chiaro + Ascoltatori + Elenco dei file + Caricamento prodotti... + Accedi + Testi + Creato con ❤ in India Material - Error - Permission error - Name - Most played - Never - New banner photo - New playlist - New profile photo - %s is the new start directory. - Next Song - You have no albums - You have no artists - "Play a song first, then try again." - No equalizer found - You have no genres - No lyrics found - No songs playing - You have no playlists - No purchase found. - No results - You have no songs - Normal - Normal lyrics - Normal - %s is not listed in the media store.]]> - Nothing to scan. - Nothing to see - Notification - Customize the notification style - Now playing - Now playing queue - Customize the now playing screen - 9+ now playing themes - Only on Wi-Fi - Advanced testing features - Other + Errore + Errore di autorizzazione + Nome + I più riprodotti + Mai + Nuova immagine copertina + Nuova playlist + Nuova foto del profilo + %s è la nuova directory di avvio + Brano successivo + Nessun album + Nessun artista + "Prima riproduci un brano, poi riprova." + Nessun equalizzatore trovato + Nessun genere + Nessun testo trovato + Nessun brano in riproduzione + Nessuna playlist + Nessun acquisto trovato. + Nessun risultato + Nessun brano + Normale + Testi normali + Normale + %s non è presente nel Media Store.]]> + Niente da rilevare + Non c\'è niente da vedere + Notifica + Modifica lo stile delle notifiche + In riproduzione + Coda in riproduzione + Personalizza la schermata riproduzione + Più di 9 schermate di riproduzione + Solo tramite Wi-fi + Funzionalità sperimentali + Altro Password - 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 + 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 - 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 - Album style + 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 + Stile album Audio Blacklist - Controls - Theme - Images - Library - Lockscreen - Playlists - Pauses the song when the volume decreases to zero and starts playing back when the volume level rises. Also works outside the app - Pause on zero - Keep in mind that enabling this feature may affect battery life - Keep the screen on - Click to open with or slide to without transparent navigation of now playing screen - Click or Slide - Snow fall effect - 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. - Start playing as soon as connected to bluetooth device - Blur the album cover on the lockscreen. Can cause problems with third party apps and widgets - Carousel effect for the album art in the now playing screen. Note that Card and Blur Card themes won\'t work - 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 - Toggle home banner style - Can increase the album cover quality, but causes slower image loading times. Only enable this if you have problems with low resolution artworks - Configure visibility and order of library categories. - Use Retro Music\'s custom lockscreen controls - License details for open source software - Round the app\'s edges - Toggle titles for the bottom navigation bar tabs - Immersive mode - Start playing immediately after headphones are connected - Shuffle mode will turn off when playing a new list of songs - If enough space is available, show volume controls in the now playing screen - 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 + Controlli + Tema + Immagini + Raccolta + Schermata di blocco + Playlist + Mette in pausa la riproduzione quando il volume scende a zero e riprende aumentando il volume. Funziona anche al di fuori dell\'app + 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. + Avvia la riproduzione non appena connesso al dispositivo bluetooth + Sfoca la copertina dell\'album sulla schermata di blocco. Può causare problemi con app e widget di terze parti + Effetto scorrimento della copertina nella schermata in riproduzione. Non funziona con i temi Scheda e Scheda sfocata + 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 + Se c\'è spazio sufficiente, mostra i controlli del volume nella schermata in riproduzione + 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 - Bluetooth playback - Blur album cover - Choose equalizer - Classic notification design - Adaptive color - Colored notification - Desaturated color - Extra controls - Song info - Gapless playback - App theme - Show genre tab - Home artist grid + Riproduzione bluetooth + Copertina dell\'album sfocata + Scegli un equalizzatore + Design classico per le notifiche + Colore adattivo + Notifica colorata + Colori desaturati + Controlli extra + Informazioni brano + Riproduzione senza interruzioni + Tema generale + Mostra scheda Genere + Griglia schermata artista Home 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 + 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 - Black theme, Now playing themes, Carousel effect and more.. - Profile - Purchase - *Think before buying, don\'t ask for refund. - Queue - Rate the app - Love this app? Let us know in the Google Play Store how we can make it even better - Recent albums - Recent artists - Remove - Remove banner photo - Remove cover - Remove from blacklist - Remove profile photo - Remove song from playlist - %1$s from the playlist?]]> - Remove songs from playlist - %1$d songs from the playlist?]]> - Rename playlist - Report an issue - Report bug - Reset - Reset artist image - Restore - Restored previous purchase. Please restart the app to make use of all features. - Restored previous purchases. - Restoring purchase… - Retro Music Equalizer + Temi in riproduzione, effetto scorrimento e molto altro... + Profilo + Acquista + * Pensaci prima di acquistare, non chiedere il rimborso. + Coda + Valuta l\'app + Adori quest\'app? Facci sapere sul Play Store come possiamo renderla ancora migliore + Album recenti + Artisti recenti + Rimuovi + Rimuovi la foto del banner + Rimuovi copertina + Rimuovi dalla blacklist + Rimuovi la foto profilo + Rimuovi il brano dalla playlist + %1$s dalla playlist?]]> + Rimuovi brani dalla playlist + %1$d dalla playlist?]]> + Rinomina playlist + Segnala un problema + Segnala bug + Ripristina + Ripristina immagine artista + Ripristina + Acquisto precedente ripristinato. Riavvia l\'app per utilizzare tutte le funzionalità. + Acquisti precedenti ripristinati. + Ripristino acquisto... + Equalizzatore di Retro Music Retro Music Player Retro Music Pro - File delete failed: %s + Eliminazione file fallita: %s - Can\'t get SAF URI - Open navigation drawer - Enable \'Show SD card\' in overflow menu + Impossibile ottenere l\'URI dal SAF + Apri il pannello di navigazione + Abilita \'Mostra scheda SD\' nel menu a comparsa - %s needs SD card access - You need to select your SD card root directory - Select your SD card in navigation drawer - Do not open any sub-folders - Tap \'select\' button at the bottom of the screen - File write failed: %s - Save + %s richiede l\'accesso alla scheda SD + Seleziona la directory principale della scheda SD + Seleziona la tua scheda SD nel pannello di navigazione + Non aprire alcuna sottocartella + Tocca \'seleziona\' nella parte inferiore dello schermo + Scrittura file fallita: %s + Salva - Save as file - Save as files - Saved playlist to %s. - Saving changes - Scan media - Scanned %1$d of %2$d files. + Salva come file + Salva come file + Playlist salvata in %s. + Salvataggio modifiche + Scansiona media + Scansionati %1$d di %2$d file. 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 + 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 - Share story - Song - Song duration - Songs - Sort order - Ascending + Condividi storia + Brano + Durata brano + Brani + Ordina per + Crescente Album - Artist - Composer - Date added - Date modified - Year - Descending - Sorry! Your device doesn\'t support speech input - Search your library - Stack - Start playing music. - Suggestions - Just show your name on home screen - Support development - Swipe to unlock - Synced lyrics - System Equalizer + Artista + Compositore + Data + Ultima modifica + Anno + Decrescente + Il tuo dispositivo non supporta l\'input vocale + Cerca nella tua raccolta + Pila + Inizia a riprodurre musica. + Suggerimenti + Mostra il tuo nome nella schermata home + Sostieni lo sviluppo + Scorri per sbloccare + Testi sincronizzati + Equalizzatore di sistema Telegram - Join the Telegram group to discuss bugs, make suggestions, show off and more - Thank you! - The audio file - This month - This week - This year - Tiny - Title + Unisciti al gruppo Telegram per discutere dei bug, dare suggerimenti e molto altro + Grazie! + Il file audio + Questo mese + Questa settimana + Quest\'anno + Piccolo + Titolo Dashboard - Good afternoon - Good day - Good evening - Good morning - Good night - What\'s Your Name - Today - Top albums - Top artists - "Track (2 for track 2 or 3004 for CD3 track 4)" - Track number - Translate - Help us translate the app to your language + Buon pomeriggio + Buona giornata + Buonasera + Buongiorno + Buonanotte + Qual è il tuo nome + Oggi + Album migliori + Artisti migliori + "Traccia (2 per traccia 2 o 3004 per CD3 traccia 4)" + Numero traccia + Traduci + Aiutaci traducendo l\'app nella tua lingua Twitter - Share your design with Retro Music - Unlabeled - Couldn\u2019t play this song. - Up next - Update image - Updating… - Username - Version - Vertical flip - Virtualizer + Condividi il tuo design con Retro Music + Senza etichetta + Impossibile riprodurre il brano. + Prossimo + Aggiorna immagine + Aggiornamento... + Nome utente + Versione + Flip verticale + Virtualizzatore Volume - Web search - Welcome, - What do you want to share? - What\'s New - Window - Rounded corners - Set %1$s as your ringtone. - %1$d selected - Year - You have to select at least one category. - You will be forwarded to the issue tracker website. - Your account data is only used for authentication. - Amount - Note(Optional) - Start payment - Show now playing screen - Clicking on the notification will show now playing screen instead of the home screen + Ricerca web + Benvenuto. + Cosa vuoi condividere? + Novità + Finestra + Angoli arrotondati + %1$s impostata come suoneria. + %1$d selezionato + Anno + Seleziona almeno una categoria. + Verrai reindirizzato al sito web dei problemi. + I dati del tuo account vengono utilizzati solo per l\'autenticazione. + Valore + Nota (opzionale) + Inizia pagamento + Mostra la schermata riproduzione + Cliccando sulla notifica verrà visualizzata la schermata di riproduzione invece della schermata home + Tiny card + About %s + Select language + Translators + The people who helped translate this app diff --git a/app/src/main/res/values-iw-rIL/strings.xml b/app/src/main/res/values-iw-rIL/strings.xml index 2124ffe5..911dc4dc 100644 --- a/app/src/main/res/values-iw-rIL/strings.xml +++ b/app/src/main/res/values-iw-rIL/strings.xml @@ -192,7 +192,6 @@ Gradient image Change artist image download settings Inserted %1$d songs into the playlist %2$s. - Instagram Share your Retro Music setup to showcase on Instagram Keyboard Bitrate @@ -512,4 +511,9 @@ 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 diff --git a/app/src/main/res/values-ja-rJP/strings.xml b/app/src/main/res/values-ja-rJP/strings.xml index 2124ffe5..51e1d1bd 100644 --- a/app/src/main/res/values-ja-rJP/strings.xml +++ b/app/src/main/res/values-ja-rJP/strings.xml @@ -1,400 +1,400 @@ - Team, social links - Accent color - The theme accent color, defaults to purple - About - Add to favorites - Add to playing queue - Add to playlist - Clear playing queue - Clear playlist + 我々のチームとソーシャルリンク + アクセントカラー + テーマのアクセントカラー、既定は青緑色です。 + このアプリについて + お気に入りに追加 + 再生キューに追加 + プレイリストに追加… + 再生キューをクリア + プレイリストを削除 Cycle repeat mode - Delete - Delete from device - Details - Go to album - Go to artist - Go to genre - Go to start directory - Grant - Grid size - Grid size (land) + 削除 + デバイスから削除 + 詳細 + アルバムに移動 + アーティストに移動 + ジャンルに移動 + 最初のディレクトリに移動 + 承諾 + グリッドサイズ + グリッドサイズ(土地) New playlist - Next - Play + + 再生 Play all - Play next - Play/Pause - Previous - Remove from favorites - Remove from playing queue - Remove from playlist - Rename - Save playing queue - Scan - Search - Start - Set as ringtone - Set as start directory - "Settings" - Share - Shuffle all - Shuffle playlist - Sleep timer - Sort order - Tag editor + 次に再生する + 再生/一時停止 + + お気に入りから削除 + 再生キューから削除 + プレイリストから削除 + 名前を変更 + 再生キューを保存 + スキャン + 検索 + 開始 + 着信音に設定 + 最初のディレクトリとして設定する + "設定" + 共有 + すべてシャッフル + プレイリストをシャッフル + スリープタイマー + 順番をソート + 音楽タグエディター Toggle favorite Toggle shuffle mode - Adaptive - Add - Add lyrics - Add \nphoto - "Add to playlist" - Add time frame lyrics - "Added 1 title to the playing queue." - Added %1$d titles to the playing queue. - Album - Album artist - The title or artist is empty. - Albums - Always - Hey check out this cool music player at: https://play.google.com/store/apps/details?id=%s - Shuffle - Top Tracks - Retro music - Big - Retro music - Card - Retro music - Classic - Retro music - Small - Retro music - Text - Artist - Artists - Audio focus denied. - Change the sound settings and adjust the equalizer controls - Auto - Base color theme - Bass Boost - Bio - Biography - Just Black - Blacklist - Blur - Blur Card - Unable to send report - Invalid access token. Please contact the app developer. - Issues are not enabled for the selected repository. Please contact the app developer. - An unexpected error occurred. Please contact the app developer. - Wrong username or password - Issue - Send manually - Please enter an issue description - Please enter your valid GitHub password - Please enter an issue title - Please enter your valid GitHub username - An unexpected error occurred. Sorry you found this bug, if it keeps crashing \"Clear app data\" or send an Email - Uploading report to GitHub… - Send using GitHub account + アダプティブ + 追加 + 歌詞を追加 + 写真を\n追加 + "プレイリストに追加" + 歌詞に時間枠を組み入れる + "1曲が再生キューに追加されました" + %1$d 曲が再生キューに追加されました + アルバム + アルバム アーティスト + 不明なタイトルまたはアーティスト + アルバム + 常に + クールな音楽プレイヤーをチェックしよう: https://play.google.com/store/apps/details?id=%s + シャッフル + トップ曲 + レトロミュージック - ビッグ + レトロミュージック - カード + レトロミュージック - クラシック + レトロミュージック - 小 + Retro music - テキスト + アーティスト + アーティスト + オーディオのフォーカスが拒否されました。 + サウンド設定を変更し、イコライザーコントロールを調整する + 自動 + ベースカラーテーマ + 低音ブースト + バイオグラフィー + バイオグラフィー + + ブラックリスト + ぼかし + ブラーとカード + レポートを送信できませんでした + 無効なトークン:アプリの開発者に連絡してください + 選択されたリポジトリで問題が有効になっていません。開発者に連絡してください + 予期しないエラーが発生しました。開発者に連絡してください。 + ユーザー名かパスワードが違います + 問題 + 手動で送信 + 問題の説明を入力してください + 有効なGitHubのパスワードを入力してください + 問題のタイトルを入力してください + 有効なGitHubアカウントのユーザー名を入力してください + 予期しないエラーが発生しました。申し訳ございません。 +このバグが何度も発生する場合は、端末のアプリ設定より「データを削除する(Androidバージョンによって異なります)」を実行するか、概要をメールで送信してください。 + GitHubにレポートをアップロード中... + GitHubアカウントを使って送信 Buy now - Cancel - Card - Circular - Colored Card - Card - Carousel - Carousel effect on the now playing screen - Cascading - Cast - Changelog - Changelog maintained on the Telegram channel + キャンセル + カード + + 色付きのカード + カード + カルーセル + 再生中画面でのカルーセル効果 + 重ねて表示 + キャスト + パッチノート + 電報チャネルで変更ログが維持されています Circle - Circular - Classic - Clear - Clear app data - Clear blacklist - Clear queue - Clear playlist + + クラシック + 削除 + アプリのデータを削除 + ブラックリストを削除 + キューを削除 + プレイリストを削除 %1$s? This can\u2019t be undone!]]> - Close - Color - Color - Colors - Composer - Copied device info to clipboard. - Couldn\u2019t create playlist. - "Couldn\u2019t download a matching album cover." - Could not restore purchase. - Could not scan %d files. - Create - Created playlist %1$s. - Members and contributors - Currently listening to %1$s by %2$s. - Kinda Dark - No Lyrics - Delete playlist - %1$s?]]> - Delete playlists + 閉じる + カラフル + カラフル + + 作曲家 + 端末情報をコピー + \u30d7\u30ec\u30a4\u30ea\u30b9\u30c8\u306e\u4f5c\u6210\u306b\u5931\u6557\u3057\u307e\u3057\u305f\u3002 + "\u9069\u5207\u306a\u30a2\u30eb\u30d0\u30e0\u30a2\u30fc\u30c8\u3092\u30c0\u30a6\u30f3\u30ed\u30fc\u30c9\u3067\u304d\u307e\u305b\u3093\u3067\u3057\u305f" + 購入の復元に失敗しました + %d のファイルをスキャンできませんでした + 作成 + プレイリストを作成しました %1$s + メンバーと貢献者 + 現在、 %1$s によって %2$s で聴いています。 + ちょっと暗い + 歌詞がありません + プレイリストを削除 + %1$s を削除しますか?]]> + プレイリストを削除 Delete song - %1$s?]]> + %1$s を削除しますか?]]> Delete songs - %1$d playlists?]]> - %1$d songs?]]> - Deleted %1$d songs. + %1$d を削除しますか?]]> + %1$d 曲を削除しますか?]]> + %1$d 曲を削除しました Deleting songs - Depth - Description - Device info - Allow Retro Music to modify audio settings - Set ringtone - Do you want to clear the blacklist? - %1$s from the blacklist?]]> - 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 + 深さ + 説明 + 端末の情報 + Retro Musicにオーディオ設定の変更を許可する + 着信音に設定 + ブラックリストを削除しますか? + %1$s をブラックリストから削除しますか?]]> + 寄付します + 私が自分の仕事に払う価値があると思うなら、あなたはここにお金を残すことができます + 俺を購入: + Last.fm からダウンロード Drive mode - Edit - Edit cover - Empty - Equalizer - Error - FAQ - Favorites + 編集 + カバーを編集 + 空の + イコライザー + エラー + よくある質問 + お気に入り Finish last song - Fit - Flat - Folders + フィット + フラット + フォルダ Follow system - For you + あなたのために Free - Full - Full card - Change the theme and colors of the app - Look and feel - Genre - Genres - Fork the project on GitHub - Join the Google Plus community where you can ask for help or follow Retro Music updates - 1 - 2 - 3 - 4 - 5 - 6 - 7 - 8 + いっぱい + 全体のカード + このアプリのテーマや色を変更します + 見た目と操作感 + ジャンル + ジャンル + GitHubでプロジェクトにフォークする + Google Plus コミュニティに参加してヘルプや Retro Music のアップデート情報を受け取ろう + + + + + + + + Grid style - Hinge - History - Home - Horizontal flip - Image + ヒンジ + 履歴 + ホーム + 水平方向に反転 + 画像 Gradient image - Change artist image download settings - Inserted %1$d songs into the playlist %2$s. - Instagram - Share your Retro Music setup to showcase on Instagram + アーティスト画像のダウンロード設定を変更する + プレイリスト %2$s に %1$d 曲を追加しました + 君のRetro Music設定を共有してInstagramにショーケースしましょう Keyboard - Bitrate - Format - File name - File path - Size + ビットレート + フォーマット + ファイルの名前 + ファイルパス + サイズ More from %s - Sampling rate - Length - Labeled - Last added - Last song - Let\'s play some music - Library + サンプリングレート + 長さ + ラベル付き + 最後に追加された + 前の曲 + 何か再生しよう + ライブラリ Library categories - Licenses - Clearly White + ライセンス + はっきり白 Listeners - Listing files - Loading products… - Login - Lyrics + リスティングファイル + 商品の読み込み中... + ログイン + 歌詞 Made with ❤️ in India - Material - Error - Permission error - Name - Most played - Never - New banner photo - New playlist - New profile photo - %s is the new start directory. - Next Song - You have no albums - You have no artists - "Play a song first, then try again." - No equalizer found - You have no genres - No lyrics found + マテリアル + エラー + 権限が付与されていません + 名前 + 最も再生された + 決して + 新しいバナー画像 + 新しいプレイリスト + 新しいプロフィール画像 + %s は新しい開始ディレクトリです。 + 次の曲 + アルバムがありません + アーティストがありません + "音楽再生してから、再度お試しください" + イコライザが見つかりませんでした + ジャンルがありません + 歌詞が見つかりませんでした No songs playing - You have no playlists - No purchase found. - No results - You have no songs - Normal - Normal lyrics - Normal - %s is not listed in the media store.]]> - Nothing to scan. + プレイリストがありません + 購入が見つかりません。 + 結果なし + 曲がありません + 通常 + 通常の歌詞 + 通常 + %s がリストされたされていません。]]> + スキャン対象がありません Nothing to see - Notification - Customize the notification style - Now playing - Now playing queue - Customize the now playing screen - 9+ now playing themes - Only on Wi-Fi - Advanced testing features - Other - Password - Past 3 months - Paste lyrics here + 通知 + 通知スタイルを変更 + 再生中 + 再生中のキュー + 再生中の画面をカスタマイズ + 9種類以上の再生中テーマ + Wi-Fi時のみ + 高度な試験的機能 + その他 + パスワード + 過去3ヶ月 + ここに歌詞を入力してください Peak - Permission to access external storage denied. - Permissions denied. - Personalize - Customize your now playing and UI controls - Pick from local storage - Pick image + 外部ストレージへのアクセスが拒否されました + 許可が拒否されました + 個人用設定 + 再生中のUI画面をカスタマイズ + ローカルストレージから選択 + 画像を選択 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 + PintrestでRetro Musicのデザインのインスピレーションを感じましょう! + プレーン + 再生中の通知は再生/停止の操作が利用できます + 再生中の通知 + 空のプレイリスト + プレイリストが空です + プレイリストの名前 + プレイリスト + アルバムのディテールスタイル + ブラーを使用するテーマを使用した際のブラーの強さを設定します。低いほど処理が早くなります + ぼかしの強さ Adjust the bottom sheet dialog corners Dialog corner Filter songs by length - Filter song duration + 曲の長さをフィルター Advanced Album style - Audio + オーディオ Blacklist Controls - Theme - Images + テーマ + 画像 Library - Lockscreen - Playlists - Pauses the song when the volume decreases to zero and starts playing back when the volume level rises. Also works outside the app - Pause on zero - Keep in mind that enabling this feature may affect battery life - Keep the screen on - Click to open with or slide to without transparent navigation of now playing screen - Click or Slide - Snow fall effect - 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. + ロック画面 + プレイリスト + 音量がゼロになると自動的に音楽が一時停止し、再び音量を上げると音楽が再生されます。※あなたがアプリ外で音量を上げると、Retro Musicも再生を開始します。 + 音量をゼロで一時停止 + この機能をオンにすると、バッテリー寿命に影響する可能性があります + 画面をオンのままにする + 現在再生中の画面に移動せずに、クリックまたはスライドして開く + クリックもしくはスライド + スノーフォールエフェクト + 再生中のジャケットをロック画面の壁紙に適用する + システムでサウンドが再生されたとき、または通知が受信されたときに一時的に音量を下げる + ブラックリストに登録されたフォルダの内容はコレクションには表示されません。 Start playing as soon as connected to bluetooth device - Blur the album cover on the lockscreen. Can cause problems with third party apps and widgets - Carousel effect for the album art in the now playing screen. Note that Card and Blur Card themes won\'t work - 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" + ロック画面のジャケットをぼかします。他のアプリやウィジェットに問題を及ぼす可能性があります + 再生中のジャケットにスライドエフェクトを適用する。この設定を適用するとカードテーマの設定は自動的にオフになります + 古い通知デザインを使用する + ジャケットから抽出された色が背景と再生ボタンに適用されます + アプリのショートカットアイコンをアクセントカラーに切り替えます。アクセントカラーを変更した場合はトグルを切り替えて設定を適用してください + ナビゲーションバーにプライマリカラーを適用します + "\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 - 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 - Toggle home banner style - Can increase the album cover quality, but causes slower image loading times. Only enable this if you have problems with low resolution artworks + "一部のデバイスでは再生に問題が発生する場合があります" + ジャンルタブを切り替える + ホーム画面を切り替える + アルバムジャケットのクオリティを上げますが、読み込みに時間がかかる場合があります。低解像度の画像で問題がある場合に有効です。 Configure visibility and order of library categories. - Use Retro Music\'s custom lockscreen controls - License details for open source software - Round the app\'s edges - Toggle titles for the bottom navigation bar tabs - Immersive mode - Start playing immediately after headphones are connected - Shuffle mode will turn off when playing a new list of songs - If enough space is available, show volume controls in the now playing screen - 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 + Retro Musicのカスタムされたロック画面を使用する + オープンソースライセンスの詳細 + アプリの端を丸める + 下部のナビゲーションタブを切り替える + フルスクリーンモード + ヘッドフォンが接続されたら自動で再生を開始する + 新しいリストの楽曲を再生する時にシャッフルは自動的にオフになります + 再生画面に十分なスペースがある場合に音量コントロールを追加する + アルバムジャケットを表示 + アルバムカバーのテーマ + アルバムジャケットをスキップ + アルバムの間隔 + 色のついたアプリショートカット + アーティストの間隔 + フォーカスロス時に音量を下げる + アーティスト画像を自動でダウンロードする + ブラックリスト Bluetooth playback - Blur album cover - Choose equalizer - Classic notification design - Adaptive color - Colored notification + アルバムジャケットにぼかしを適用する + イコライザーを選択 + 古い通知デザイン + アダプティブカラー + 色付きの通知 Desaturated color - Extra controls + 追加のコントロール Song info - Gapless playback - App theme - Show genre tab - Home artist grid - Home 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 + ギャップレス再生 + アプリのテーマ + ジャンルタブを表示 + アーティストの間隔 + ホーム画面 + Media Store のカバーを無視する + 最後に追加されたプレイリストの間隔 + フルスクリーンコントロール + ナビゲーションに着色する + 再生中のテーマ + オープンソースライセンス + コーナーと角 + タブのラベルモード + カルーセルエフェクト + 全体の色 + フルスクリーンアプリ + タブのタイトル + 自動再生 + シャッフルモード + ボリュームコントロール + ユーザー情報 + プライマリカラー + プライマリカラーはデフォルトではブルーグレーに設定されています。現在はダークモードでのみ動作します。 Pro Black theme, Now playing themes, Carousel effect and more.. - Profile - Purchase - *Think before buying, don\'t ask for refund. - Queue - Rate the app - Love this app? Let us know in the Google Play Store how we can make it even better - Recent albums - Recent artists - Remove - Remove banner photo - Remove cover - Remove from blacklist - Remove profile photo - Remove song from playlist - %1$s from the playlist?]]> - Remove songs from playlist - %1$d songs from the playlist?]]> - Rename playlist - Report an issue - Report bug + プロフィール + 購入 + 購入後に返金を求めないようにお願い申し上げます。 + キュー + アプリを評価する + このアプリを気に入りましたか?アプリをより良いものにするために、Google Play Storeで問題の報告と意見をよろしくお願いします。 + 最近のアルバム + 最近のアーティスト + 削除 + バナー画像を削除する + ジャケットを削除 + ブラックリストから削除 + プロフィール画像を削除 + プレイリストから曲を削除 + %1$s をプレイリストから削除しますか?]]> + プレイリストから曲を削除する + %1$d をプレイリストから削除しますか?]]> + プレイリストの名前を変更 + 問題を報告 + 不具合を報告する Reset - Reset artist image - Restore - Restored previous purchase. Please restart the app to make use of all features. - Restored previous purchases. - Restoring purchase… - Retro Music Equalizer + アーティスト画像をリセット + 復元 + 購入を復元しました。アプリを再起動してフルバージョンをご堪能ください! + 購入を復元しました + 購入を復元しています... + Retro Music イコライザ Retro Music Player Retro Music Pro File delete failed: %s @@ -409,107 +409,112 @@ Do not open any sub-folders Tap \'select\' button at the bottom of the screen File write failed: %s - Save + 保存 - Save as file - Save as files - Saved playlist to %s. - Saving changes - Scan media - Scanned %1$d of %2$d files. + ファイルとして保存 + ファイルとして保存 + %s にプレイリストを保存しました + 変更を保存中 + メディアをスキャン + %2$d のうち、%1$d がスキャンされました 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 + シャッフル + シンプル + スリープタイマーがキャンセルされました + スリープタイマーは %d 分後に設定されました。 + スライド + 小さなアルバム + ソーシャル Share story - Song - Song duration - Songs - Sort order - Ascending - Album - Artist - Composer - Date added + + 曲の長さ + + 順番をソート + 昇順 + アルバム + アーティスト + 作曲家 + 日付 Date modified - Year - Descending - Sorry! Your device doesn\'t support speech input - Search your library + + 降順 + ごめんなさい! このデバイスは音声入力に対応しておりません + ライブラリを検索 Stack Start playing music. - Suggestions - Just show your name on home screen - Support development - Swipe to unlock - Synced lyrics - System Equalizer + 改善を提案 + ホームに名前が表示されます + 開発を支援 + スワイプしてアンロック + 連動した歌詞 + システムのイコライザ Telegram - Join the Telegram group to discuss bugs, make suggestions, show off and more - Thank you! - The audio file - This month - This week - This year - Tiny - Title - Dashboard - Good afternoon - Good day - Good evening - Good morning - Good night - What\'s Your Name - Today - Top albums - Top artists - "Track (2 for track 2 or 3004 for CD3 track 4)" - Track number - Translate - Help us translate the app to your language - Twitter - Share your design with Retro Music - Unlabeled - Couldn\u2019t play this song. - Up next - Update image - Updating… - Username - Version - Vertical flip - Virtualizer + Telegram のグループに参加して、バグについて話し合ったり、提案したりしましょう + ありがとう! + オーディオファイル + 今月 + 今週 + 今年 + 小さい + 主題 + ダッシュボード + こんにちは + 良い一日を + こんばんは + おはようございます + おやすみなさい + あなたの名前はなんですか? + 今日 + トップアルバム + トップアーティスト + "トラック(トラック2の場合は「truck 2」、CD3でtruck4の場合は 「3004」)" + トラック番号 + 翻訳 + 翻訳を手伝ってください! + ツイッター + あなたのデザインを皆に共有しましょう + ラベル付きでない + \u3053\u306e\u66f2\u3092\u518d\u751f\u3067\u304d\u307e\u305b\u3093\u3067\u3057\u305f + + 画像を更新 + 更新中... + ユーザー名 + バージョン + 垂直方向に反転 + バーチャライザー Volume - Web search + ウェブで検索 Welcome, - What do you want to share? - What\'s New - Window - Rounded corners - Set %1$s as your ringtone. - %1$d selected - Year + 何を共有しますか? + 更新内容 + ウィンドウ + 角を丸める + %1$s をあなたの着信音として設定しました + %1$d が選択されました + You have to select at least one category. - You will be forwarded to the issue tracker website. - Your account data is only used for authentication. + 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 diff --git a/app/src/main/res/values-kn-rIN/strings.xml b/app/src/main/res/values-kn-rIN/strings.xml index 2124ffe5..911dc4dc 100644 --- a/app/src/main/res/values-kn-rIN/strings.xml +++ b/app/src/main/res/values-kn-rIN/strings.xml @@ -192,7 +192,6 @@ Gradient image Change artist image download settings Inserted %1$d songs into the playlist %2$s. - Instagram Share your Retro Music setup to showcase on Instagram Keyboard Bitrate @@ -512,4 +511,9 @@ 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 diff --git a/app/src/main/res/values-ko-rKR/strings.xml b/app/src/main/res/values-ko-rKR/strings.xml index 2124ffe5..10e44ca8 100644 --- a/app/src/main/res/values-ko-rKR/strings.xml +++ b/app/src/main/res/values-ko-rKR/strings.xml @@ -1,85 +1,85 @@ Team, social links - Accent color - The theme accent color, defaults to purple - About - Add to favorites - Add to playing queue - Add to playlist - Clear playing queue - Clear playlist + 강조 색상 + 강조 색상을 지정합니다. 기본값은 녹색입니다. + 정보 + 즐겨찾기에 추가 + 재생 대기열에 추가 + 재생목록에 추가... + 재생 대기열 비우기 + 재생목록 비우기 Cycle repeat mode - Delete - Delete from device - Details - Go to album - Go to artist + 삭제 + 기기에서 삭제 + 세부 정보 + 해당 앨범으로 이동 + 해당 아티스트로 이동 Go to genre - Go to start directory - Grant - Grid size - Grid size (land) + 초기 디렉터리로 이동 + 허용 + 격자 크기 + 격자 크기 (가로) New playlist - Next - Play + 다음 + 재생 Play all - Play next - Play/Pause - Previous - Remove from favorites - Remove from playing queue - Remove from playlist - Rename - Save playing queue - Scan - Search - Start - Set as ringtone - Set as start directory - "Settings" - Share - Shuffle all - Shuffle playlist - Sleep timer + 다음 곡 재생 + 재생/일시정지 + 이전 + 즐겨찾기에서 제거 + 재생 대기열에서 제거 + 재생목록에서 제거 + 이름 바꾸기 + 재생 대기열 저장 + 스캔 + 검색 + 지정 + 벨소리로 설정 + 초기 디렉터리로 설정 + "설정" + 공유 + 모든 곡 무작위 재생 + 재생목록 무작위 재생 + 수면 타이머 Sort order - Tag editor + 태그 편집기 Toggle favorite Toggle shuffle mode Adaptive - Add + 추가 Add lyrics - Add \nphoto - "Add to playlist" + 사진\n추가 + "재생목록에 추가" Add time frame lyrics - "Added 1 title to the playing queue." - Added %1$d titles to the playing queue. - Album - Album artist - The title or artist is empty. - Albums - Always - Hey check out this cool music player at: https://play.google.com/store/apps/details?id=%s - Shuffle - Top Tracks - Retro music - Big - Retro music - Card - Retro music - Classic - Retro music - Small + "재생 대기열에 1곡이 추가되었습니다." + 재생 대기열에 %1$d곡이 추가되었습니다. + 앨범 + 앨범 아티스트 + 제목 또는 아티스트가 없습니다. + 앨범 + 항상 + 이 멋진 뮤직 플레이어를 한 번 써보세요!: https://play.google.com/store/apps/details?id=%s + 무작위 + 자주 재생한 음악 + Retro music - 대형 + Retro music - 카드 + Retro music - 클래식 + Retro music - 소형 Retro music - Text - Artist - Artists - Audio focus denied. - Change the sound settings and adjust the equalizer controls + 아티스트 + 아티스트 + 오디오 포커스가 거부되었습니다. + 소리 설정 및 이퀄라이저 조정 Auto Base color theme Bass Boost Bio - Biography - Just Black - Blacklist - Blur - Blur Card + 바이오그래피 + 저스트 블랙 + 블랙리스트 + 흐림 효과 + 블러 카드 Unable to send report Invalid access token. Please contact the app developer. Issues are not enabled for the selected repository. Please contact the app developer. @@ -95,8 +95,8 @@ Uploading report to GitHub… Send using GitHub account Buy now - Cancel - Card + 현재 타이머 취소 + 카드 Circular Colored Card Card @@ -104,75 +104,75 @@ Carousel effect on the now playing screen Cascading Cast - Changelog - Changelog maintained on the Telegram channel + 변경 사항 + 변경 사항은 Telegram을 통해 확인할 수 있습니다 Circle Circular Classic - Clear + 비우기 Clear app data - Clear blacklist + 블랙리스트 비우기 Clear queue - Clear playlist + 재생목록 비우기 %1$s? This can\u2019t be undone!]]> Close - Color - Color - Colors + 색상 + 색상 + 색상 Composer Copied device info to clipboard. - Couldn\u2019t create playlist. - "Couldn\u2019t download a matching album cover." - Could not restore purchase. - Could not scan %d files. - Create - Created playlist %1$s. + \uc7ac\uc0dd\ubaa9\ub85d\uc744 \ub9cc\ub4e4 \uc218 \uc5c6\uc2b5\ub2c8\ub2e4. + "\uc774 \uc568\ubc94\uacfc \uc77c\uce58\ud558\ub294 \uc568\ubc94 \ucee4\ubc84\ub97c \ub2e4\uc6b4\ub85c\ub4dc\ud560 \uc218 \uc5c6\uc2b5\ub2c8\ub2e4." + 구매내역을 복구할 수 없습니다. + %d개의 파일을 스캔하지 못했습니다. + 만들기 + %1$s 재생목록을 만들었습니다. Members and contributors - Currently listening to %1$s by %2$s. - Kinda Dark - No Lyrics - Delete playlist - %1$s?]]> - Delete playlists + 현재 %2$s의 %1$s를 듣는 중입니다. + 카인다 다크 + 가사 없음 + 재생목록 삭제 + %1$s 재생목록을 삭제하시겠습니까?]]> + 재생목록 삭제 Delete song - %1$s?]]> + %1$s 노래를 삭제하시겠습니까?]]> Delete songs - %1$d playlists?]]> - %1$d songs?]]> - Deleted %1$d songs. + %1$d개의 재생목록을 삭제하시겠습니까?]]> + %1$d개의 노래를 삭제하시겠습니까?]]> + %1$d개의 노래를 삭제했습니다. Deleting songs Depth Description Device info Allow Retro Music to modify audio settings Set ringtone - Do you want to clear the blacklist? - %1$s from the blacklist?]]> - 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 + 블랙리스트를 비우시겠습니까? + %1$s 항목을 제거하시겠습니까?]]> + 기부하기 + 제 작업에 대한 대가를 받을 자격이 있다고 생각하신다면 여기서 저를 위해 소액을 기부할 수 있습니다. + 사주세요! + Last.fm에서 다운로드 Drive mode Edit Edit cover - Empty - Equalizer + 비어 있음 + 이퀄라이저 Error FAQ - Favorites + 즐겨찾기 Finish last song Fit - Flat - Folders + 플랫 + 폴더 Follow system - For you + 당신을 위해 Free - Full + 전체 Full card - Change the theme and colors of the app - Look and feel - Genre - Genres + 앱의 여러 가지 색상 변경 + 외관 + 장르 + 장르 Fork the project on GitHub Join the Google Plus community where you can ask for help or follow Retro Music updates 1 @@ -185,94 +185,93 @@ 8 Grid style Hinge - History - Home + 기록 + Horizontal flip Image Gradient image Change artist image download settings - Inserted %1$d songs into the playlist %2$s. - Instagram + %2$s 재생목록에 %1$d개의 노래를 추가했습니다. Share your Retro Music setup to showcase on Instagram Keyboard - Bitrate - Format - File name - File path - Size + 비트레이트 + 형식 + 파일 이름 + 파일 경로 + 크기 More from %s - Sampling rate - Length + 샘플링 레이트 + 길이 Labeled - Last added + 최근 추가된 목록 Last song - Let\'s play some music - Library + 아무거나 재생해보죠! + 라이브러리 Library categories - Licenses - Clearly White + 라이선스 + 클리어리 화이트 Listeners - Listing files - Loading products… + 파일 목록 생성 + 제품을 불러오는 중... Login - Lyrics + 가사 Made with ❤️ in India Material Error Permission error - Name - Most played - Never + 내 이름 + 자주 재생한 음악 + 아니오 New banner photo - New playlist + 새 재생목록 New profile photo - %s is the new start directory. + 이제 %s 디렉터리가 새 초기 디렉터리입니다. Next Song - You have no albums - You have no artists - "Play a song first, then try again." - No equalizer found - You have no genres - No lyrics found + 앨범 없음 + 아티스트 없음 + "먼저 노래를 재생하고 다시 시도해 보십시오." + 이퀄라이저가 없습니다. + 장르 없음 + 가사 없음 No songs playing - You have no playlists - No purchase found. - No results - You have no songs - Normal + 재생목록 없음 + 구매내역을 찾을 수 없습니다. + 결과 없음 + 노래 없음 + 일반 Normal lyrics Normal - %s is not listed in the media store.]]> - Nothing to scan. + %s은(는) 미디어 저장소에 없는 항목입니다.]]> + 스캔할 것이 없습니다. Nothing to see - Notification - Customize the notification style - Now playing - Now playing queue + 알림 + 알림 스타일 변경 + 지금 재생 중 + 현재 재생 대기열 Customize the now playing screen 9+ now playing themes - Only on Wi-Fi + Wi-Fi에서만 Advanced testing features - Other + 기타 Password - Past 3 months + 이전 3개월 Paste lyrics here Peak - Permission to access external storage denied. - Permissions denied. - Personalize - Customize your now playing and UI controls - Pick from local storage + 외부 저장소 접근 권한이 거부되었습니다. + 권한이 거부되었습니다. + 개인화 + 지금 재생 중 화면과 UI 변경 + 로컬 저장소에서 선택 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 @@ -282,14 +281,14 @@ Filter song duration Advanced Album style - Audio + 오디오 Blacklist Controls - Theme - Images + 일반 + 이미지 Library - Lockscreen - Playlists + 잠금 화면 + 재생목록 Pauses the song when the volume decreases to zero and starts playing back when the volume level rises. Also works outside the app Pause on zero Keep in mind that enabling this feature may affect battery life @@ -297,106 +296,106 @@ 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. Start playing as soon as connected to bluetooth device - Blur the album cover on the lockscreen. Can cause problems with third party apps and widgets - Carousel effect for the album art in the now playing screen. Note that Card and Blur Card themes won\'t work - 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" + 잠금 화면의 앨범 커버에 흐림 효과를 적용합니다. 서드 파티 앱 및 위젯에서 문제가 생길 수 있습니다. + 지금 재생 중 화면에서 이전/다음 곡의 앨범 아트를 표시합니다. + 클래식 알림 디자인을 사용합니다. + 배경과 조작 버튼의 색상을 재생 화면의 앨범 사진에 따라 바꿉니다. + 강조 색상의 앱 바로 가기 색상을 지정합니다. 색깔을 바꿀 때마다 이 설정을 다시 켜주세요 + 네비게이션 바의 기본 색상을 지정합니다. + "\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 - 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 Toggle home banner style - 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 + Retro music에서 제공하는 자체 잠금 화면 사용 + 오픈소스 소프트웨어의 상세 라이센스 정보 + 창이나 앨범 아트 등의 모서리를 둥글게 처리 + 하단 탭에 제목을 보여줄지 결정합니다. + 몰입 모드 + 이어폰이 연결되면 바로 음악을 재생합니다. Shuffle mode will turn off when playing a new list of songs - If enough space is available, show volume controls in the now playing screen - Show album cover + 음악 재생 화면에서 공간이 있을 시 볼륨 컨트롤을 보입니다 + 앨범 커버 표시 Album cover theme Album cover skip Album grid - Colored app shortcuts + 앱 바로가기 색상 틴트 Artist grid - Reduce volume on focus loss - Auto-download artist images + 알림이 올 때 볼륨 감소 + 아티스트 이미지 자동 다운로드 Blacklist Bluetooth playback - Blur album cover + 앨범 커버 블러 Choose equalizer - Classic notification design - Adaptive color - Colored notification + 클래식 알림 디자인 + 반응형 색상 지정 + 알림 색상 틴트 Desaturated color Extra controls Song info - Gapless playback - App theme + 지연없이 재생하기 + 기본 테마 Show genre tab Home artist grid Home 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. - 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 + 대기열 + 앱 평가 + 앱이 마음에 드신다면 Google Play 스토어에 평가를 남겨주세요. + 지난 앨범 + 지난 아티스트 + 제거 Remove banner photo - Remove cover - Remove from blacklist + 커버 제거 + 블랙리스트에서 제거 Remove profile photo - Remove song from playlist - %1$s from the playlist?]]> - Remove songs from playlist - %1$d songs from the playlist?]]> - Rename playlist + 노래를 재생목록에서 제거 + %1$s 노래를 재생목록에서 제거하시겠습니까?]]> + 노래를 재생목록에서 삭제 + %1$d개의 노래를 재생목록에서 삭제하시겠습니까?]]> + 재생목록 이름 바꾸기 Report an issue Report bug Reset - Reset artist image - Restore - Restored previous purchase. Please restart the app to make use of all features. - Restored previous purchases. - Restoring purchase… - Retro Music Equalizer + 아티스트 이미지 초기화 + 복원 + 지난 구매를 복원했습니다. 모든 기능을 사용하기 위해선 앱을 재시작해 주세요. + 이전 구매 내역을 복원했습니다. + 구매 복원 중... + Retro 이퀄라이저 Retro Music Player - Retro Music Pro + RetroMusic Pro 구매 File delete failed: %s Can\'t get SAF URI @@ -412,35 +411,35 @@ Save - Save as file + 파일로 저장 Save as files - Saved playlist to %s. - Saving changes + 재생목록을 %s 위치에 파일로 저장했습니다. + 변경 사항 저장 Scan media - Scanned %1$d of %2$d files. + %2$d개 파일 중 %1$d개 파일을 스캔했습니다. 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. + 무작위 재생 + 심플 + 수면 타이머가 취소되었습니다. + 수면 타이머가 지금으로부터 %d분 후로 설정되었습니다. Slide Small album Social Share story - Song - Song duration - Songs - Sort order + 노래 + 노래 길이 + 노래 + 정렬 순서 Ascending Album Artist @@ -449,61 +448,61 @@ Date modified Year Descending - Sorry! Your device doesn\'t support speech input - Search your library + 음성 입력을 지원하지 않는 기기입니다 + 라이브러리 검색 Stack Start playing music. Suggestions - Just show your name on home screen - Support development + 홈 화면에 사용자의 이름을 보여줍니다. + 개발 지원 Swipe to unlock Synced lyrics System Equalizer Telegram Join the Telegram group to discuss bugs, make suggestions, show off and more - Thank you! - The audio file - This month - This week - This year - Tiny + 감사합니다! + 오디오 파일 + 이번 달 + 이번 주 + 올해 + 작음 Title - Dashboard - Good afternoon - Good day - Good evening - Good morning - Good night - What\'s Your Name - Today - Top albums - Top artists - "Track (2 for track 2 or 3004 for CD3 track 4)" - Track number - Translate + 대시보드 + 좋은 저녁입니다 + 좋은 하루입니다 + 좋은 저녁입니다 + 좋은 아침이에요 + 좋은 밤이에요 + 이름이 무엇인가요? + 오늘 + 인기 앨범 + 인기 아티스트 + "트랙 (트랙 2는 2, CD3의 트랙 4는 3004)" + 트랙 번호 + 번역 Help us translate the app to your language Twitter Share your design with Retro Music Unlabeled - Couldn\u2019t play this song. - Up next - Update image - Updating… + \uc774 \ub178\ub798\ub97c \uc7ac\uc0dd\ud560 \uc218 \uc5c6\uc2b5\ub2c8\ub2e4. + 다음 곡으로 재생 + 이미지 갱신 + 갱신 중... Username - Version + 버전 Vertical flip Virtualizer Volume - Web search + 웹 검색 Welcome, - What do you want to share? + 무엇을 공유하시겠습니까? What\'s New - Window + Rounded corners - Set %1$s as your ringtone. - %1$d selected - Year + %1$s을(를) 벨소리로 설정했습니다. + %1$d개 항목 선택됨 + 연도 You have to select at least one category. You will be forwarded to the issue tracker website. Your account data is only used for authentication. @@ -512,4 +511,9 @@ 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 diff --git a/app/src/main/res/values-land/dimens.xml b/app/src/main/res/values-land/dimens.xml deleted file mode 100644 index bb871f65..00000000 --- a/app/src/main/res/values-land/dimens.xml +++ /dev/null @@ -1,4 +0,0 @@ - - - 8dp - \ No newline at end of file diff --git a/app/src/main/res/values-land/integers.xml b/app/src/main/res/values-land/integers.xml deleted file mode 100644 index a6b3daec..00000000 --- a/app/src/main/res/values-land/integers.xml +++ /dev/null @@ -1,2 +0,0 @@ - - \ No newline at end of file diff --git a/app/src/main/res/values-large/dimens.xml b/app/src/main/res/values-large/dimens.xml deleted file mode 100644 index 6990767a..00000000 --- a/app/src/main/res/values-large/dimens.xml +++ /dev/null @@ -1,5 +0,0 @@ - - 42dp - 52dp - 16dp - diff --git a/app/src/main/res/values-ml-rIN/strings.xml b/app/src/main/res/values-ml-rIN/strings.xml index 2124ffe5..911dc4dc 100644 --- a/app/src/main/res/values-ml-rIN/strings.xml +++ b/app/src/main/res/values-ml-rIN/strings.xml @@ -192,7 +192,6 @@ Gradient image Change artist image download settings Inserted %1$d songs into the playlist %2$s. - Instagram Share your Retro Music setup to showcase on Instagram Keyboard Bitrate @@ -512,4 +511,9 @@ 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 diff --git a/app/src/main/res/values-ms/strings.xml b/app/src/main/res/values-ms/strings.xml deleted file mode 100644 index ccfd840b..00000000 --- a/app/src/main/res/values-ms/strings.xml +++ /dev/null @@ -1,444 +0,0 @@ - - - Warna aksen - Warna tema aksen, tetapan asalnya adalah hijau - - Mengenai - - Tambahkan ke kegemaran - Tambahkan ke baris gilir main - Tambahkan ke senarai main... - - Kosongkan baris gilir main - Kosongkan senarai main - - Padam - Padamkan daripada peranti - - Butiran - - Pergi ke album - Pergi ke seniman - Pergi ke direktori mula - - Keizinan - - Saiz grid - Saiz grid (landskap) - - Seterusnya - - Main - Mainkan seterusnya - Main/Jeda - - Sebelumnya - - Keluarkan daripada kegemaran - Keluarkan daripada baris gilir main - Keluarkan daripada senarai main - - Namakan semula - - Simpan baris gilir main - - Imbas - - Cari - - Tetapkan - Tetapkan sebagai nada dering - Tetapkan sebagai direktori mula - - "Seting" - - Kongsi - - Kocok semua - Kocok senarai main - - Pemasa tidur - - Penyunting tag - - Tambah - - Tambah \ngambar - - "Tambahkan ke senarai main" - - "1 judul ditambah ke baris gilir." - - %1$d judul ditambah ke baris gilir. - - Album - - Seniman album - - Judul atau seniman adalah kosong. - - Album - - - Sentiasa - - Hai. Cuba lihat pemain muzik hebat ini di: https://play.google.com/store/apps/details?id=%s - - - Kocok - Runut teratas - - Retro Music - Besar - Retro Music - Kad - Retro Music - Klasik - Retro Music - Kecil - - Seniman - - Seniman - - Fokus audio dinafikan. - - Biografi - - Cuma hitam - - Senarai hitam - - Batalkan pemasa semasa - - Log perubahan - - Log perubahan dikelolakan daripada aplikasi Telegram - - Kosongkan - - Kosongkan senarai hitam - - Kosongkan senarai main - %1$s? Perbuatan ini tidak boleh diundurkan!]]> - - Warna - - Tidak dapat mencipta senarai main. - "Tidak dapat memuat turun kulit album yang sepadan." - Tidak dapat mengimbas %d fail. - - Cipta - - Senarai main %1$s dicipta. - - Sedang mendengar %1$s oleh %2$s. - - Macam gelap - - Tiada seni kata - - Padam senarai main - %1$s?]]> - - Padam senarai main - - %1$s?]]> - - %1$d senarai main?]]> - %1$d lagu?]]> - %1$d lagu dipadamkan. - - Adakah anda ingin mengosongkan senarai hitam? - %1$s daripada senarai hitam?]]> - - Sumbang - - Jika anda rasa saya layak untuk menerima bayaran bagi hasil kerja saya, anda boleh memberi sumbangan di sini. - - Belikan saya - - Muat turun daripada Last.fm - - Kosong - - Penyama - - Kegemaran - - Rata - - Folder - - Untuk anda - - Penuh - - Genre - - 1 - 2 - 3 - 4 - 5 - 6 - 7 - 8 - - Sejarah - - Utama - - %1$d lagu ditambahkan ke dalam senarai main %2$s. - - Kadar bit - - Format - Nama fail - Laluan fail - Saiz - - Kadar pensampelan - - Panjang - - Terakhir ditambah - - Mari mainkan sesuatu - - Semak seimbas - - Lesen - - Sememangnya putih - - Fail senarai - - Memuatkan produk... - - Seni kata - - Nama saya - - Runut teratas saya - - Tidak pernah - - Senarai main baru - - %s ialah direktori mula yang baru - - Tiada album - - Tiada seniman - - "Mainkan lagu dahulu, kemudian cuba lagi." - - Tiada penyama dijumpai. - - Tiada genre - - Tiada seni kata dijumpai - - Tiada senarai main - - Tiada hasil - - Tiada lagu - - Normal - - %s tidak disenaraikan dalam gedung media.]]> - - Tiada apa-apa untuk diimbas - - Pemberitahuan - - Kini memainkan baris gilir - - Hanya dengan Wi-Fi - - 3 bulan lepas - - Keizinan untuk mencapai storan luar dinafikan. - - Keizinan ditolak. - - Pilih daripada storan tempatan - - Biasa - - Pemberitahuan main menyediakan tindakan untuk main/jeda dan lain-lain. - Pemberitahuan main - - Senarai main kosong - - Senarai main kosong - - Nama senarai main - - Senarai main - - Audio - Imej - Skrin kunci - Senarai main - - - Menggunakan kulit album lagu semasa sebagai hias latar skrin kunci - Pemberitahuan, pandu arah dan lain-lain. - Kaburkan kulit album pada skrin kunci. Ini boleh menyebabkan masalah dengan aplikasi dan widget pihak ketiga. - Gunakan reka bentuk pemberitahuan klasik. - Warna latar belakang, butang kawalan berubah mengikut warna seni album - Gunakan warna aksen pada warna pintasan aplikasi. Setiap kali anda mengubah warna, sila tekan ini melihat perubahan - Warnakan bar pandu arah dengan warna utama. - "Warnakan pemberitahuan dengan warna ceria kulit album." - Kebanyakan warna dominan akan diambil daripada seni album atau seniman - "Boleh menyebabkan isu main semula pada sesetengah peranti." - Boleh meningkatkan mutu kulit album tetapi menyebabkan masa pemuatan imej yang perlahan. Dayakan ini jika anda mempunyai masalah dengan karya seni yang berleraian rendah. - Tunjukkan kawalan skrin kunci untuk Retro Music - Butiran lesen untuk perisian sumber terbuka - Pinggir sudut untuk tetingkap, seni album dan lain-lain. - Dayakan/lumpuhkan tajuk pada tab bawah - Dayakan ini untuk mod terendam - Mainkan muzik apabila fon kepala disambungkan - Mendayakan kawalan kelantangan jika terdapat ruang pada skrin kini dimainkan - - Tunjukkan kulit album - Pintasan aplikasi berwarna - Kurangkan kelantangan jika kehilangan fokus - Muat turun imej seniman secara automatik - Kulit album kabur - Reka bentuk pemberitahuan klasik - Warna boleh suai - Pemberitahuan berwarna - Main semula tanpa sela - Tema umum - Abaikan kulit gedung media - Sela masa senarai main kali terakhir ditambah - Kawalan skrin penuh - Bar pandu arah berwarna - Penampilan - Lesen sumber terbuka - Pinggir sudut - Warna dominan - Aplikasi skrin penuh - Tajuk bawah - Automain - Kawalan kelantangan - Maklumat pengguna - - Warna utama - Warna tema utama, tetapan asalnya adalah putih - - Baris gilir - - Nilaikan aplikasi - - Sukakan aplikasi ini. Beritahu kami di Gedung Google Play untuk menyediakan pengalaman yang lebih baik - - Alih keluar - - Alih keluar kulit - - Keluarkan daripada senarai hitam - - Keluarkan lagu daripada senarai main - %1$s daripada senarai main?]]> - - Keluarkan lagu daripada senarai main - - %1$d lagu daripada senarai main?]]> - - Namakan semula senarai main - - Tetapkan semula imej seniman - - Pembelian sebelumnya dipulihkan. - - Penyama Retro - - - - Simpan sebagai fail - Senarai main yang disimpan ke %s. - - Menyimpan perubahan - - %1$d daripada %2$d fail diimbas. - - Cari pustaka anda... - - Tetapkan imej seniman - - Kocok - - Ringkas - - Pemasa tidur dibatalkan. - Pemasa tidur ditetapkan untuk %d minit dari sekarang. - - Lagu - - Tempoh lagu - - Lagu - - Isih susunan - - Maaf, peranti anda tidak menyokong input ucapan. - - Cari pustaka anda - - Hanya tunjukkan nama anda pada skrin utama - - Sokong pembangunan - - - Terima kasih! - - Fail audio - - Bulan ini - - Minggu ini - - Tahun ini - - Kecil - - Papan pemuka - - Selamat tengah hari - Selamat siang - Selamat petang - Selamat pagi - Selamat malam - - Siapakah nama anda - - Hari ini - - "Runut (2 untuk runut 2 atau 3004 untuk CD3 runut 4)" - - Nombor runut - - Terjemah - - Tidak dapat memainkan lagu ini. - - Seterusnya - - Kemas kini imej - - Mengemas kini... - - Versi - - Carian web - - Apakah yang anda ingin kongsikan? - - Tetapkan %1$s sebagai nada dering anda. - - %1$d dipilih - - Tahun - More from %s - diff --git a/app/src/main/res/values-ne-rIN/strings.xml b/app/src/main/res/values-ne-rIN/strings.xml index 2124ffe5..911dc4dc 100644 --- a/app/src/main/res/values-ne-rIN/strings.xml +++ b/app/src/main/res/values-ne-rIN/strings.xml @@ -192,7 +192,6 @@ Gradient image Change artist image download settings Inserted %1$d songs into the playlist %2$s. - Instagram Share your Retro Music setup to showcase on Instagram Keyboard Bitrate @@ -512,4 +511,9 @@ 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 diff --git a/app/src/main/res/values-nl-rNL/strings.xml b/app/src/main/res/values-nl-rNL/strings.xml index 2124ffe5..66526e81 100644 --- a/app/src/main/res/values-nl-rNL/strings.xml +++ b/app/src/main/res/values-nl-rNL/strings.xml @@ -1,83 +1,83 @@ Team, social links - Accent color - The theme accent color, defaults to purple - About - Add to favorites - Add to playing queue - Add to playlist - Clear playing queue - Clear playlist + Accent kleur + De accent kleur, standaard naar groen + Over + Toevoegen aan favorieten + Voeg toe aan afspeel wachtrij + Voeg toe aan afspeellijst... + Afspeel wachtrij legen + Leeg afspeellijst Cycle repeat mode - Delete - Delete from device + Verwijder + Verwijder van apparaat Details - Go to album - Go to artist + Ga naar album + Ga naar artiest Go to genre - Go to start directory - Grant - Grid size - Grid size (land) + Ga naar begin directory + Geef toestemming + Raster grootte + Raster grootte (land) New playlist - Next - Play + Volgende + Afspelen. Play all - Play next - Play/Pause - Previous - Remove from favorites - Remove from playing queue - Remove from playlist - Rename - Save playing queue + Volgende afspelen + Afspelen/pauzeren + Vorige + Verwijder van favorieten + Verwijder van afspeel wachtrij + Verwijder van afspeellijst + Hernoem + Afspeel wachtrij opslaan Scan - Search - Start - Set as ringtone - Set as start directory - "Settings" - Share - Shuffle all - Shuffle playlist - Sleep timer + Zoek + Instellen + Stel in als ringtone + Stel in als begin directory + "Instellingen" + Delen + Shuffle alles + Shuffle afspeellijst + Slaap timer Sort order - Tag editor + Tags aanpassen Toggle favorite Toggle shuffle mode Adaptive - Add + Toevoegen Add lyrics - Add \nphoto - "Add to playlist" + Foto toevoegen + "Toevogen aan afspeellijst" Add time frame lyrics - "Added 1 title to the playing queue." - Added %1$d titles to the playing queue. + "1 titel aan afspeel wachtrij toegevoegd." + %1$d titels toegevoegd aan afspeel wachtrij Album - Album artist - The title or artist is empty. + Album artiest + De titel of artiest mist Albums - Always - Hey check out this cool music player at: https://play.google.com/store/apps/details?id=%s + Altijd + Hey, bekijk deze coole muziekspeler op:https://play.google.com/store/apps/details?id=%s Shuffle - Top Tracks - Retro music - Big - Retro music - Card - Retro music - Classic - Retro music - Small + Top tracks + Retro music - Groot + Retro music - Kaart + Retro music - Klassiek + Retro music - Klein Retro music - Text - Artist - Artists - Audio focus denied. + Artiest + Artiesten + Geluid focus geweigerd Change the sound settings and adjust the equalizer controls Auto Base color theme Bass Boost Bio - Biography - Just Black - Blacklist + Biografie + Gewoon zwart + Zwarte lijst Blur Blur Card Unable to send report @@ -95,7 +95,7 @@ Uploading report to GitHub… Send using GitHub account Buy now - Cancel + Annuleer huidige timer Card Circular Colored Card @@ -105,69 +105,69 @@ Cascading Cast Changelog - Changelog maintained on the Telegram channel + Changelog onderhouden in Telegram Circle Circular Classic - Clear + Legen Clear app data - Clear blacklist + Leeg zwarte lijst Clear queue - Clear playlist - %1$s? This can\u2019t be undone!]]> + Leeg afspeellijst + %1$s? Dit kan niet ongedaan gemaakt worden!]]> Close Color Color - Colors + Kleuren Composer Copied device info to clipboard. - Couldn\u2019t create playlist. - "Couldn\u2019t download a matching album cover." + Kon geen afspeellijst maken. + "Kon geen matchende album cover downloaden." Could not restore purchase. - Could not scan %d files. - Create - Created playlist %1$s. + Kon %d files niet scannen. + Aanmaken + Afspeellijst %1$s aangemaakt. Members and contributors - Currently listening to %1$s by %2$s. - Kinda Dark - No Lyrics - Delete playlist - %1$s?]]> - Delete playlists + Nu luisterend naar %1$s van %2$s. + Soort van donker + Geen lyrics + Afspeellijst verwijderen + %1$s verwijderen?]]> + Afspeellijsten verwijderen Delete song - %1$s?]]> + %1$s?]]> Delete songs - %1$d playlists?]]> - %1$d songs?]]> - Deleted %1$d songs. + %1$d?]]> + %1$d?]]> + Liedjes %1$d verwijderd. Deleting songs Depth Description Device info Allow Retro Music to modify audio settings Set ringtone - Do you want to clear the blacklist? - %1$s from the blacklist?]]> - Donate - If you think I deserve to get paid for my work, you can leave some money here - Buy me a: - Download from Last.fm + Wil je de zwarte lijst leegmaken? + %1$s verwijderen van de zwarte lijst?]]> + Doneren + Als je vindt dat ik het verdien om geld te krijgen voor mijn werk, dan kun je hier een paar euro\'s doneren. + Koop mij een + Downloaden van Last.fm Drive mode Edit Edit cover - Empty + Leeg Equalizer Error FAQ - Favorites + Favorieten Finish last song Fit - Flat - Folders + Plat + Mappen Follow system For you Free - Full + Vol Full card Change the theme and colors of the app Look and feel @@ -185,94 +185,93 @@ 8 Grid style Hinge - History - Home + Geschiedenis + Start Horizontal flip Image Gradient image Change artist image download settings - Inserted %1$d songs into the playlist %2$s. - Instagram + %1$d liedjes toegevoegd aan afspeellijst %2$s. Share your Retro Music setup to showcase on Instagram Keyboard Bitrate - Format - File name - File path - Size + Formaat + Bestandsnaam + Bestandslocatie + Grootte More from %s Sampling rate - Length + Duur Labeled - Last added + Laatst toegevoegd Last song - Let\'s play some music - Library + Laten we iets afspelen + Bibliotheek Library categories - Licenses - Clearly White + Licenties + Clearly wit Listeners - Listing files - Loading products… + Luister bestanden + Podcasts laden... Login Lyrics Made with ❤️ in India Material Error Permission error - Name - Most played - Never + Mijn naam + Mijn top tracks + Nooit New banner photo - New playlist + Nieuwe afspeellijst New profile photo - %s is the new start directory. + %s is de nieuwe start folder Next Song - You have no albums - You have no artists - "Play a song first, then try again." - No equalizer found + Geen albums + Geen artiesten + "Laat eerst een liedje afspelen, probeer dan opniew." + Geen equalizer gevonden. You have no genres - No lyrics found + Geen lyrics gevonden No songs playing - You have no playlists + Geen afspeellijsten No purchase found. - No results - You have no songs - Normal + Geen resultaten + Geen liedjes + Normaal Normal lyrics Normal - %s is not listed in the media store.]]> - Nothing to scan. + %s staat niet in de media store]]> + Niets om te scannen Nothing to see - Notification + Notificatie Customize the notification style Now playing - Now playing queue + Nu afspeel wachtrij Customize the now playing screen 9+ now playing themes - Only on Wi-Fi + Alleen Wi-Fi Advanced testing features Other Password - Past 3 months + Laatste 3 maanden Paste lyrics here Peak - Permission to access external storage denied. - Permissions denied. + Permissie voor toegang tot extern opslag is afgewezen + Permissies afgewezen Personalize Customize your now playing and UI controls - Pick from local storage + Kies van 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 + 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 @@ -282,14 +281,14 @@ Filter song duration Advanced Album style - Audio + Geluid Blacklist Controls Theme - Images + Afbeeldingen Library - Lockscreen - Playlists + Vergrendelscherm + Afspeellijsten Pauses the song when the volume decreases to zero and starts playing back when the volume level rises. Also works outside the app Pause on zero Keep in mind that enabling this feature may affect battery life @@ -297,104 +296,104 @@ 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 + Gebruik de huidige cover als vergrendelscherm achtergrond. + Notificaties, bediening etc. The content of blacklisted folders is hidden from your library. Start playing as soon as connected to bluetooth device - Blur the album cover on the lockscreen. Can cause problems with third party apps and widgets + Vervaagt de album cover op het vergrendelscherm. Kan problemen veroorzaken met apps van derde en widgets/ Carousel effect for the album art in the now playing screen. Note that Card and Blur Card themes won\'t work - 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" + 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 - "Can cause playback issues on some devices." + "Kan afspeelproblemen veroorzaken op sommige toestellen" Toggle genre tab Toggle home banner style - Can increase the album cover quality, but causes slower image loading times. Only enable this if you have problems with low resolution artworks + 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. - 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 + 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 - If enough space is available, show volume controls in the now playing screen - Show album cover + Als er ruimte is in het nu afspelen scherm, zet volume knoppen aan + Laat album cover zien Album cover theme Album cover skip Album grid - Colored app shortcuts + Gekleurde app snelkoppelingen Artist grid - Reduce volume on focus loss - Auto-download artist images + Beperk volume bij verliezen focus + Automatisch downloaden artisten afbeeldingen Blacklist Bluetooth playback - Blur album cover + Vervaag album cover Choose equalizer - Classic notification design - Adaptive color - Colored notification + Klassiek notificatie design + Aangepaste kleur + Gekleurde notificatie Desaturated color Extra controls Song info - Gapless playback - App theme + Afspelen zonder pauzes + Basis thema Show genre tab Home artist grid Home banner - Ignore Media Store covers - Last added playlist interval - Fullscreen controls - Colored navigation bar - Now playing theme - Open source licences - Corner edges + 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 - Fullscreen app - Tab titles - Auto-play + Volledig scherm app + Tabblad titels + Automatisch afspelen Shuffle mode - Volume controls - User info - Primary color + 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. - Queue - Rate the app - Love this app? Let us know in the Google Play Store how we can make it even better + 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 - Remove + Verwijderen Remove banner photo - Remove cover - Remove from blacklist + Verwijder cover + Verwijder van zwarte lijst Remove profile photo - Remove song from playlist - %1$s from the playlist?]]> - Remove songs from playlist - %1$d songs from the playlist?]]> - Rename playlist + Verwijder liedje van afspeellijst + %1$s van de afspeellijst?]]> + Verwijder liedjes van afspeellijst + %1$d van de afspeellijst?]]> + Hernoem afspeellijst Report an issue Report bug Reset - Reset artist image + Reset artiest afbeelding Restore Restored previous purchase. Please restart the app to make use of all features. - Restored previous purchases. + Teruggezette aankopen Restoring purchase… - Retro Music Equalizer + Retri equalizer Retro Music Player Retro Music Pro File delete failed: %s @@ -412,35 +411,35 @@ Save - Save as file + Opslaan als bestand Save as files - Saved playlist to %s. - Saving changes + Afspeellijst opgeslagen in %s. + Aanpassingen opslaan Scan media - Scanned %1$d of %2$d files. + %1$d van de %2$d bestanden gescant Scrobbles - Search your library… + Zoek in je biebliotheek Select all Select banner photo Selected Send crash log Set - Set artist image + Stel artiest afbeelding in Set a profile photo Share app Share to Stories Shuffle - Simple - Sleep timer canceled. - Sleep timer set for %d minutes from now. + Simpel + Slaap timer geannuleerd + Slaap timer ingesteld in %d minuten vanaf nu Slide Small album Social Share story - Song - Song duration - Songs - Sort order + Liedje + Duur liedje + Nummers + Volgorde Ascending Album Artist @@ -449,61 +448,61 @@ Date modified Year Descending - Sorry! Your device doesn\'t support speech input - Search your library + Sorry! Je apparaat ondersteunt geen spraak invoer + Zoek door je bibliotheek Stack Start playing music. Suggestions - Just show your name on home screen - Support development + 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 - Thank you! - The audio file - This month - This week - This year + Bedankt! + Het geluidsbestand + Deze maand + Deze week + Dit jaar Tiny Title - Dashboard - Good afternoon - Good day - Good evening - Good morning - Good night - What\'s Your Name - Today + Dashbord + Goedemiddag + Goededag + Goede avond + Goedemorgen + Goede nacht + Wat is je naam + Vandaag Top albums Top artists - "Track (2 for track 2 or 3004 for CD3 track 4)" - Track number - Translate + "Nummer (2 voor nummer 2 of 3004 voor CD3 nummer 4)" + Track nummer + Vertalen Help us translate the app to your language Twitter Share your design with Retro Music Unlabeled - Couldn\u2019t play this song. - Up next - Update image - Updating… + Kon dit nummer niet afspelen + Volgende + Update afbeelding + Bijwerken... Username - Version + Versie Vertical flip Virtualizer Volume - Web search + Web zoekopdracht Welcome, - What do you want to share? + Wat wil je delen? What\'s New Window Rounded corners - Set %1$s as your ringtone. - %1$d selected - Year + Stel %1$s in als ringtone + %1$d geselecteerd + Jaar You have to select at least one category. You will be forwarded to the issue tracker website. Your account data is only used for authentication. @@ -512,4 +511,9 @@ 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 diff --git a/app/src/main/res/values-nl/strings.xml b/app/src/main/res/values-nl/strings.xml deleted file mode 100644 index 7335bc78..00000000 --- a/app/src/main/res/values-nl/strings.xml +++ /dev/null @@ -1,420 +0,0 @@ - - - Accent kleur - De accent kleur, standaard naar groen - - Over - - Toevoegen aan favorieten - Voeg toe aan afspeel wachtrij - Voeg toe aan afspeellijst... - - Afspeel wachtrij legen - Leeg afspeellijst - - Verwijder - Verwijder van apparaat - - Details - - "Ga naar album " - Ga naar artiest - Ga naar begin directory - - Geef toestemming - - Raster grootte - Raster grootte (land) - - Volgende - - "Afspelen. " - "Volgende afspelen " - Afspelen/pauzeren - - Vorige - - "Verwijder van favorieten " - Verwijder van afspeel wachtrij - Verwijder van afspeellijst - - Hernoem - - Afspeel wachtrij opslaan - - Scan - - Zoek - - Instellen - Stel in als ringtone - Stel in als begin directory - - "Instellingen" - - Delen - - Shuffle alles - Shuffle afspeellijst - - Slaap timer - - Tags aanpassen - - Toevoegen - - Foto toevoegen - - "Toevogen aan afspeellijst" - - "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 - - Shuffle - Top tracks - - Retro music - Groot - Retro music - Kaart - Retro music - Klassiek - Retro music - Klein - - Artiest - - Artiesten - - "Geluid focus geweigerd " - - Biografie - - Gewoon zwart - - Zwarte lijst - - Annuleer huidige timer - - Changelog - - Changelog onderhouden in Telegram - - Legen - - Leeg zwarte lijst - - Leeg afspeellijst - %1$s? Dit kan niet ongedaan gemaakt worden!]]> - - Kleuren - - Kon geen afspeellijst maken. - "Kon geen matchende album cover downloaden." - Kon %d files niet scannen. - - Aanmaken - - Afspeellijst %1$s aangemaakt. - - Nu luisterend naar %1$s van %2$s. - - Soort van donker - - Geen lyrics - - Afspeellijst verwijderen - %1$s verwijderen?]]> - - Afspeellijsten verwijderen - - %1$s?]]> - - %1$d?]]> - %1$d?]]> - Liedjes %1$d verwijderd. - - Wil je de zwarte lijst leegmaken? - %1$s verwijderen van de zwarte lijst?]]> - - Doneren - - Als je vindt dat ik het verdien om geld te krijgen voor mijn werk, dan kun je hier een paar euro\'s doneren. - - Koop mij een - - Downloaden van Last.fm - - Leeg - - Equalizer - - Favorieten - - Plat - - Mappen - - Vol - - Genre - - Geschiedenis - - Start - - %1$d liedjes toegevoegd aan afspeellijst %2$s. - - Bitrate - - Formaat - Bestandsnaam - Bestandslocatie - Grootte - - Sampling rate - - Duur - - Laatst toegevoegd - - Laten we iets afspelen - - Bibliotheek - - Licenties - - Clearly wit - - Luister bestanden - - Podcasts laden... - - Lyrics - - Mijn naam - - Mijn top tracks - - Nooit - - Nieuwe afspeellijst - - %s is de nieuwe start folder - - Geen albums - - Geen artiesten - - "Laat eerst een liedje afspelen, probeer dan opniew." - - Geen equalizer gevonden. - - Geen lyrics gevonden - - Geen afspeellijsten - - Geen resultaten - - Geen liedjes - - Normaal - - %s staat niet in de media store]]> - - Niets om te scannen - - Notificatie - - Nu afspeel wachtrij - - Alleen Wi-Fi - - Laatste 3 maanden - - Permissie voor toegang tot extern opslag is afgewezen - - Permissies afgewezen - - Kies van local storage - - Vlak - - De afspeel notificatie bied acties om af te spelen/pauzeren etc. - Afspeel notificatie - - Lege afspeellijst - - Afspeellijst is leeg - - Naam afspeellijst - - Afspeellijsten - - Geluid - Afbeeldingen - Vergrendelscherm - Afspeellijsten - - Gebruik de huidige cover als vergrendelscherm achtergrond. - Notificaties, bediening etc. - Vervaagt de album cover op het vergrendelscherm. Kan problemen veroorzaken met apps van derde en widgets/ - 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" - "Kan afspeelproblemen veroorzaken op sommige toestellen" - Kan album cover kwaliteit verbeteren, maar veroorzaakt langere laadtijden. Alleen aanzetten als je problemen hebt met lage resolutie artworks - 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 - Als er ruimte is in het nu afspelen scherm, zet volume knoppen aan - - Laat album cover zien - Gekleurde app snelkoppelingen - Beperk volume bij verliezen focus - Automatisch downloaden artisten afbeeldingen - Vervaag album cover - Klassiek notificatie design - Aangepaste kleur - Gekleurde notificatie - Afspelen zonder pauzes - Basis thema - Negeer media store covers - Laatst toegevoegde afspeellijst interval - Volledig scherm besturing knoppen - Gekleurde navigatiebalk - Uiterlijk - Open source licenties - Afgeronde hoeken - Volledig scherm app - Tabblad titels - Automatisch afspelen - Volume knoppen - Gebruikers info - - Primaire kleur - - Wachtrij - - App beoordelen - - Vind je deze app leuk? Laat het ons weten in de Google Play Store om de ervaring te verbeteren - - Verwijderen - - Verwijder cover - - Verwijder van zwarte lijst - - Verwijder liedje van afspeellijst - %1$s van de afspeellijst?]]> - - Verwijder liedjes van afspeellijst - - %1$d van de afspeellijst?]]> - - Hernoem afspeellijst - - Reset artiest afbeelding - - Teruggezette aankopen - - Retri equalizer - - Opslaan als bestand - Afspeellijst opgeslagen in %s. - - Aanpassingen opslaan - - %1$d van de %2$d bestanden gescant - - Zoek in je biebliotheek - - Stel artiest afbeelding in - - Shuffle - - Simpel - - Slaap timer geannuleerd - Slaap timer ingesteld in %d minuten vanaf nu - - Liedje - - Duur liedje - - Nummers - - "Volgorde " - - Sorry! Je apparaat ondersteunt geen spraak invoer - - Zoek door je bibliotheek - - Laat gewoon je naam zien op het startscherm - - Ondersteun ontwikkelaars - - Bedankt! - - Het geluidsbestand - - Deze maand - - Deze week - - Dit jaar - - Dashbord - - Goedemiddag - Goededag - Goede avond - Goedemorgen - Goede nacht - - Wat is je naam - - Vandaag - - "Nummer (2 voor nummer 2 of 3004 voor CD3 nummer 4)" - - Track nummer - - Vertalen - - "Kon dit nummer niet afspelen " - - Volgende - - Update afbeelding - - Bijwerken... - - Versie - - Web zoekopdracht - - Wat wil je delen? - - Stel %1$s in als ringtone - - %1$d geselecteerd - - Jaar - More from %s - diff --git a/app/src/main/res/values-no-rNO/strings.xml b/app/src/main/res/values-no-rNO/strings.xml index 2124ffe5..911dc4dc 100644 --- a/app/src/main/res/values-no-rNO/strings.xml +++ b/app/src/main/res/values-no-rNO/strings.xml @@ -192,7 +192,6 @@ Gradient image Change artist image download settings Inserted %1$d songs into the playlist %2$s. - Instagram Share your Retro Music setup to showcase on Instagram Keyboard Bitrate @@ -512,4 +511,9 @@ 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 diff --git a/app/src/main/res/values-or-rIN/strings.xml b/app/src/main/res/values-or-rIN/strings.xml index 2124ffe5..911dc4dc 100644 --- a/app/src/main/res/values-or-rIN/strings.xml +++ b/app/src/main/res/values-or-rIN/strings.xml @@ -192,7 +192,6 @@ Gradient image Change artist image download settings Inserted %1$d songs into the playlist %2$s. - Instagram Share your Retro Music setup to showcase on Instagram Keyboard Bitrate @@ -512,4 +511,9 @@ 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 diff --git a/app/src/main/res/values-pl-rPL/strings.xml b/app/src/main/res/values-pl-rPL/strings.xml index 07ae682c..87c186a7 100644 --- a/app/src/main/res/values-pl-rPL/strings.xml +++ b/app/src/main/res/values-pl-rPL/strings.xml @@ -1,180 +1,180 @@ - Team, social links - Accent color - The theme accent color, defaults to purple - About - Add to favorites - Add to playing queue - Add to playlist - Clear playing queue - Clear playlist - Cycle repeat mode + Zespół, media społecznościowe + Kolor akcentu + Kolor akcentu motywu, domyślnie morski + O aplikacji + Dodaj do ulubionych + Dodaj do kolejki + Dodaj do playlisty + Wyczyść kolejkę + Wyczyść playlistę + Przełącz tryb powtarzania Usuń Usuń z urządzenia Szczegóły Przejdź do albumu Przejdź do artysty - Przejdźdo gatunku + Idź do gatunku Przejdź do katalogu startowego Przyznaj Rozmiar siatki Rozmiar siatki (poziomo) Nowa playlista Następny - Odtwórz - Play all - Play next - Play/Pause - Previous - Remove from favorites - Remove from playing queue - Remove from playlist - Rename - Save playing queue - Scan - Search - Start - Set as ringtone - Set as start directory - "Settings" - Share - Shuffle all - Shuffle playlist - Sleep timer - Sort order - Tag editor - Toggle favorite - Toggle shuffle mode - Adaptive - Add - Add lyrics - Add \nphoto - "Add to playlist" - Add time frame lyrics - "Added 1 title to the playing queue." - Added %1$d titles to the playing queue. + Odtwarzaj + Odtwórz wszystko + Odtwarzaj następne + Odtwarzanie/Pauza + Poprzedni + Usuń z ulubionych + Usuń z kolejki odtwarzania + Usuń z playlisty + Zmień nazwę + Zapisz kolejkę + Skanuj + Szukaj + Rozpocznij + Ustaw jako dzwonek + Ustaw jako katalog startowy + "Ustawienia" + Udostępnij + Losowo wszystko + Playlista losowo + Wyłącznik czasowy + Sortowanie + Edytor tagów + Przełącz na ulubione + Przełącz tryb losowy + Adaptacyjny + Dodaj + Dodaj tekst utworu + Dodaj\nzdjęcie + "Dodaj do playlisty" + Dodaj znaczniki czasowe do tekstu + "Dodano 1 tytuł do kolejki odtwarzania" + Dodano %1$d tytułów do kolejki Album - Album artist - The title or artist is empty. - Albums - Always - Hey check out this cool music player at: https://play.google.com/store/apps/details?id=%s - Shuffle - Top Tracks - Retro music - Big - Retro music - Card - Retro music - Classic - Retro music - Small - Retro music - Text - Artist - Artists - Audio focus denied. - Change the sound settings and adjust the equalizer controls - Auto - Base color theme - Bass Boost - Bio - Biography - Just Black - Blacklist - Blur - Blur Card - Unable to send report - Invalid access token. Please contact the app developer. - Issues are not enabled for the selected repository. Please contact the app developer. - An unexpected error occurred. Please contact the app developer. - Wrong username or password - Issue - Send manually - Please enter an issue description - Please enter your valid GitHub password - Please enter an issue title - Please enter your valid GitHub username - An unexpected error occurred. Sorry you found this bug, if it keeps crashing \"Clear app data\" or send an Email - Uploading report to GitHub… - Send using GitHub account - Buy now - Cancel - Card - Circular - Colored Card - Card - Carousel - Carousel effect on the now playing screen - Cascading - Cast - Changelog - Changelog maintained on the Telegram channel - Circle - Circular - Classic - Clear - Clear app data - Clear blacklist - Clear queue - Clear playlist - %1$s? This can\u2019t be undone!]]> - Close - Color - Color - Colors - Composer - Copied device info to clipboard. - Couldn\u2019t create playlist. - "Couldn\u2019t download a matching album cover." - Could not restore purchase. - Could not scan %d files. - Create - Created playlist %1$s. - Members and contributors - Currently listening to %1$s by %2$s. - Kinda Dark - No Lyrics - Delete playlist - %1$s?]]> - Delete playlists - Delete song - %1$s?]]> - Delete songs - %1$d playlists?]]> - %1$d songs?]]> - Deleted %1$d songs. - Deleting songs - Depth - Description - Device info - Allow Retro Music to modify audio settings - Set ringtone - Do you want to clear the blacklist? - %1$s from the blacklist?]]> - Donate - If you think I deserve to get paid for my work, you can leave some money here - Buy me a: - Download from Last.fm - Drive mode - Edit - Edit cover - Empty - Equalizer - Error - FAQ - Favorites - Finish last song - Fit - Flat - Folders - Follow system - For you - Free - Full - Full card - Change the theme and colors of the app - Look and feel - Genre - Genres - Fork the project on GitHub - Join the Google Plus community where you can ask for help or follow Retro Music updates + 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 + Losowo + Najczęściej odtwarzane utwory + Retro music - Duży + Retro music - Karta + Retro music - Klasyczny + Retro music - mały + Retro music - Tekst + Artysta + Artyści + 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 + Rozmycie + Rozmyta Karta + Nie udało się wysłać raportu + Niepoprawny token dostępu. Proszę się skontaktować z twórcą aplikacji. + Problemy nie zostały włączone dla wybranego repozytorium. Proszę się skontaktować z twórcą aplikacji. + Wystąpił nieoczekiwany błąd. Proszę skontaktować się z twórcą aplikacji. + Zła nazwa użytkownika lub hasło + Problem + Wyślij ręcznie + Proszę opisać problemu + Proszę wpisać poprawne hasło GitHub + Proszę wpisać tytuł problemu + Proszę wpisać poprawną nazwę użytkownika GitHub + Wystąpił nieoczekiwany błąd. Wyczyść dane podręczne lub - jeśli błąd pojawi się ponownie - wyślij nam maila. + Wrzucanie raportu na GitHub... + 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 + Nie mo\u017cna utworzy\u0107 playlisty. + "Nie mo\u017cna pobra\u0107 dopasowanej ok\u0142adki albumu" + Nie można przywrócić zakupów. + Nie można przeskanować %d plików. + Utwórz + Stworzono playlistę %1$s. + Członkowie i współpracownicy + Aktualnie odtwarzane %1$s wykonawcy %2$s. + Dość ciemny + Brak tekstu + Usuń playlistę + %1$s?]]> + Usuń listy odtwarzania + Usuń utwór + %1$s?]]> + Usuń utwory + %1$d ?]]> + %1$d ?]]> + Usunięto %1$d utworów. + Usuwanie utworów + Głębia + Opis + Informacje o urządzeniu + Pozwól Retro Music na modyfikację ustawień dźwięku + Ustaw jako dzwonek + Czy chcesz wyczyścić czarną listę? + %1$s z czarnej listy?]]> + Wesprzyj nas + Jeżeli uważasz, że zasługuje na zapłatę za moją pracę możesz zostawić tu drobną sumę + Kup mi: + Pobierz z Last.fm + Tryb samochodowy + Edytuj + Edytuj okładkę + Pusto + Korektor dźwięku + Błąd + Najczęściej zadawane pytania + Ulubione + Dokończ ostatnią piosenkę + Dopasuj + Płaski + Foldery + Śledź system + Dla Ciebie + Darmowe + Pełne + Pełna karta + Zmień motyw i kolory aplikacji + Wygląd i zachowanie interfejsu + Gatunek + Gatunki + Zobacz kod na GitHubie + Dołącz do społeczności Google Plus by uzyskać informacje o aktualizacjach i pomoc 1 2 3 @@ -183,333 +183,337 @@ 6 7 8 - Grid style - Hinge - History + Styl siatki + Zawias + Historia Strona główna - Horizontal flip - Image - Gradient image - Change artist image download settings - Inserted %1$d songs into the playlist %2$s. - Instagram - Share your Retro Music setup to showcase on Instagram - Keyboard - Bitrate - Format - File name - File path - Size - More from %s - Sampling rate - Length - Labeled - Last added - Last song - Let\'s play some music - Library - Library categories - Licenses - Clearly White - Listeners - Listing files - Loading products… - Login - Lyrics - Made with ❤️ in India - Material - Error - Permission error - Name - Most played - Never - New banner photo - New playlist - New profile photo - %s is the new start directory. - Next Song - You have no albums - You have no artists - "Play a song first, then try again." - No equalizer found - You have no genres - No lyrics found - No songs playing - You have no playlists - No purchase found. - No results - You have no songs - Normal - Normal lyrics - Normal - %s is not listed in the media store.]]> - Nothing to scan. - Nothing to see - Notification - Customize the notification style - Now playing - Now playing queue - Customize the now playing screen - 9+ now playing themes - Only on Wi-Fi - Advanced testing features - Other - Password - Past 3 months - Paste lyrics here - Peak - Permission to access external storage denied. - Permissions denied. - Personalize - Customize your now playing and UI controls - Pick from local storage - Pick image + Obrót poziomy + Obraz + Obraz gradientowy + Zmień ustawienia pobierania obrazka wykonawcy + Dodano %1$d utworów do listy odtwarzania %2$s. + Udostępnij swój setup aplikacji Retro Music na Instagramie + Klawiatura + Przepływność + Typ + Nazwa pliku + Ścieżka pliku + Rozmiar + Więcej z %s + Częstotliwość próbkowania + Długość + Wszystkie podpisy + Ostatnio dodane + Ostatni utwór + Odtwórzmy jakąś muzykę + Biblioteka + Kategorie biblioteki + Licencje + Śnieżno biały + Słuchacze + Listowanie plików + Ładowanie... + Zaloguj się + Tekst utworu + Stworzone z ❤️ w Indiach + Materialistyczny + Błąd + Błąd uprawnień + 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 + Brak artystów + "Odtwórz jakiś utwór i spróbuj ponownie." + Nie znaleziono korektora dźwięku. + Brak gatunków + Nie znaleziono tekstu utworu + Brak odtwarzanych utworów + Brak list odtwarzania + Nie znaleziono zakupów. + Brak wyników. + Brak utworów + Normalne + Normalny tekst utworu + Normalny + %s nie znajduje się w magazynie multimediów.]]> + Nic do skanowania. + Nic do zobaczenia + Powiadomienie + Zmień wygląd powiadomień + Teraz odtwarzane + Kolejka teraz odtwarzanych + Dostosuj panel aktualnie odtwarzanych + 9+ motywów Teraz odtwarzane + Tylko przez Wi-Fi + Zaawansowane funkcje eksperymentalne + 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 - 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 - Album style - Audio - Blacklist - Controls - Theme - Images - Library - Lockscreen - Playlists - Pauses the song when the volume decreases to zero and starts playing back when the volume level rises. Also works outside the app - Pause on zero - Keep in mind that enabling this feature may affect battery life - Keep the screen on - Click to open with or slide to without transparent navigation of now playing screen - Click or Slide - Snow fall effect - 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. - Start playing as soon as connected to bluetooth device - Blur the album cover on the lockscreen. Can cause problems with third party apps and widgets - Carousel effect for the album art in the now playing screen. Note that Card and Blur Card themes won\'t work - 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 - Toggle home banner style - Can increase the album cover quality, but causes slower image loading times. Only enable this if you have problems with low resolution artworks - Configure visibility and order of library categories. - Use Retro Music\'s custom lockscreen controls - License details for open source software - Round the app\'s edges - Toggle titles for the bottom navigation bar tabs - Immersive mode - Start playing immediately after headphones are connected - Shuffle mode will turn off when playing a new list of songs - If enough space is available, show volume controls in the now playing screen - Show album cover - Album cover theme - Album cover skip - Album grid - Colored app shortcuts - Artist grid - Reduce volume on focus loss - Auto-download artist images - Blacklist - Bluetooth playback - Blur album cover - Choose equalizer - Classic notification design - Adaptive color - Colored notification - Desaturated color - Extra controls - Song info - Gapless playback - App theme - Show genre tab - Home artist grid - Home 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 + Ś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 + Styl okładki + Dźwięk + Czarna lista + Przyciski kontrolne + Motyw + Obrazki + Biblioteka + Ekran blokady + Listy odtwarzania + Zatrzymuje odtwarzanie przy zerowym poziomie głośności i wznawia po jego zwiększeniu. Kiedy zwiększysz głośność, odtwarzanie rozpocznie się nawet gdy jesteś poza aplikacją + Zatrzymaj przy wyłączonym dźwięku + Ta opcja może mieć wpływ na zużycie baterii + Pozostaw ekran włączony + Kliknij aby otworzyć z lub przesunąć do przezroczystej nawigacji ekranu teraz odtwarzane + Kliknij albo przesuń + Efekt spadającego śniegu + Używaj okładki aktualnie odtwarzanego albumu jako tapety ekranu blokady + Zmniejsz głośność kiedy dostajesz powiadomienia + Zawartość czarnej listy jest ukryta w twojej bibliotece. + Rozpocznij odtwarzanie po podłączeniu urządzenia bluetooth + Rozmazuj okładkę albumu na ekranie blokady. Może powodować problemy z aplikacjami i widżetami innych firm + Efekt karuzeli na okładce obecnie odtwarzanego albumu. Zwróć uwagę, że motyw karty i rozmycia nie zadziała + Użyj klasycznego wyglądu powiadomień. + Tło oraz kolor przycisku sterującego zmieniają się zgodnie z okładką albumu na ekranie odtwarzacza + Koloruje skróty aplikacji w kolorze akcentującym. Za każdym razem, gdy zmieniasz kolor, włącz tę opcję, aby zmiany odniosły skutek. + Koloruje pasek nawigacji kolorem wiodącym. + "Koloruje powiadomienie dominuj\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 + Włącz sterowanie głośnością na ekranie \"teraz odtwarzane\" + Pokaż okładkę albumu + Wygląd okładki albumu + Przesuwanie okładki albumu + Siatka albumów + Kolorowe skróty aplikacji + Siatka 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 + Mniej nasycony kolor + Dodatkowe sterowanie + 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 - Black theme, Now playing themes, Carousel effect and more.. - Profile - Purchase - *Think before buying, don\'t ask for refund. - Queue - Rate the app - Love this app? Let us know in the Google Play Store how we can make it even better - Recent albums - Recent artists - Remove - Remove banner photo - Remove cover - Remove from blacklist - Remove profile photo - Remove song from playlist - %1$s from the playlist?]]> - Remove songs from playlist - %1$d songs from the playlist?]]> - Rename playlist - Report an issue - Report bug - Reset - Reset artist image - Restore - Restored previous purchase. Please restart the app to make use of all features. - Restored previous purchases. - Restoring purchase… - Retro Music Equalizer + 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 + %1$d z listy odtwarzania?]]> + Zmień nazwę listy odtwarzania + Zgłoś problem + Zgłoś błąd + Zresetuj + Zresetuj obrazek wykonawcy + Przywróć + 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 - File delete failed: %s + Nie udało się usunąć pliku: %s - Can\'t get SAF URI - Open navigation drawer - Enable \'Show SD card\' in overflow menu + Nie można uzyskać URI SAF + Otwórz szufladę nawigacji + Włącz \'Pokaż kartę SD\' w menu przeciążenia - %s needs SD card access - You need to select your SD card root directory - Select your SD card in navigation drawer - Do not open any sub-folders - Tap \'select\' button at the bottom of the screen - File write failed: %s - Save + %s wymaga dostępu do karty SD + Musisz wybrać katalog główny karty SD + Wybierz kartę SD w panelu nawigacji + Nie otwieraj żadnych podfolderów + Dotknij przycisku \'Wybierz\' u dołu ekranu + Nie udało się zapisać do pliku: %s + Zapisz - Save as file - Save as files - Saved playlist to %s. - Saving changes - Scan media - Scanned %1$d of %2$d files. - Scrobbles - Search your library… - Select all - Select banner photo - Selected - Send crash log - Set - Set artist image - Set a profile photo - Share app - Share to Stories - Shuffle - Simple - Sleep timer canceled. - Sleep timer set for %d minutes from now. - Slide - Small album - Social - Share story - Song - Song duration - Songs - Sort order - Ascending + Zapisz jako plik + Zapisz jako + Zapisz listę odtwarzania do %s. + Zapisywanie zmian + 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 + Długość utworu + Utwory + Porządek sortowania + Rosnąco Album - Artist - Composer - Date added - Date modified - Year - Descending - Sorry! Your device doesn\'t support speech input - Search your library - Stack - Start playing music. - Suggestions - Just show your name on home screen - Support development - Swipe to unlock - Synced lyrics - System Equalizer + Artysta + Kompozytor + Dane + Data modyfikacji + Rok + Malejąco + Przepraszamy! Twoje urządzenie nie obsługuje wprowadzania głosowego + Przeszukaj swoją bibliotekę + 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 - Join the Telegram group to discuss bugs, make suggestions, show off and more - Thank you! - The audio file - This month - This week - This year - Tiny - Title - Dashboard - Good afternoon - Good day - Good evening - Good morning - Good night - What\'s Your Name - Today - Top albums - Top artists - "Track (2 for track 2 or 3004 for CD3 track 4)" - Track number - Translate - Help us translate the app to your language - Twitter - Share your design with Retro Music - Unlabeled - Couldn\u2019t play this song. - Up next - Update image - Updating… - Username - Version - Vertical flip - Virtualizer - Volume - Web search - Welcome, - What do you want to share? - What\'s New - Window - Rounded corners - Set %1$s as your ringtone. - %1$d selected - Year - You have to select at least one category. - You will be forwarded to the issue tracker website. - Your account data is only used for authentication. - Amount - Note(Optional) - Start payment - Show now playing screen - Clicking on the notification will show now playing screen instead of the home screen + Dołącz do grupy Telegram, aby zgłosić błędy, zasugerować zmiany i inne + Dziękuję! + Pliki dźwiękowy + Ten miesiąc + Ten tydzień + 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 + "Ścieżka (2 dla ścieżki 2 lub 3004 dla ścieżki CD3 4)" + Numer utworu + Przetłumacz + Pomóż nam tłumaczyć aplikację na swój język + Strona na Twitterze + Podziel się swoim designem z Retro Music + Niepodpisane + Nie mo\u017cna odtworzy\u0107 utworu. + Następne + Zaktualizuj obrazek + Aktualizowanie... + Nazwa użytkownika + Wersja + Obrót pionowy + Wirtualizacja + Głośność + Przeszukaj sieć + Witaj, + Co chciałbyś udostępnić? + Co nowego + Okno + Zaokrąglone rogi + Ustaw %1$s jako dzwonek. + Wybrano %1$d + Rok + 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 + Select language + Translators + The people who helped translate this app diff --git a/app/src/main/res/values-pt-rBR/strings.xml b/app/src/main/res/values-pt-rBR/strings.xml index 220dd1c6..74da3926 100644 --- a/app/src/main/res/values-pt-rBR/strings.xml +++ b/app/src/main/res/values-pt-rBR/strings.xml @@ -1,30 +1,30 @@ - Team, social links - Accent color - The theme accent color, defaults to purple - About - Add to favorites - Add to playing queue - Add to playlist - Clear playing queue - Clear playlist - Cycle repeat mode - Delete - Delete from device - Details - Go to album - Go to artist - Go to genre - Go to start directory - Grant - Grid size - Grid size (land) - New playlist - Next - Play + Time, links sociais + Cor de destaque + A cor de destaque do tema, o padrão é verde + Sobre + Adicionar aos favoritos + Adicionar à lista de reprodução + Adicionar à lista + Limpar a atual fila de reprodução + Remover todos os itens da playlist + Alternar modo de repetição + Excluir + Excluir do dispositivo + Detalhes + Ir para o álbum + Ir para o artista + Ir para o gênero + Ir para o diretório inicial + Permitir + Tamanho da grade + Tamanho da grade (horizontal) + Nova lista de reprodução + Próxima + Reproduzir Reproduzir tudo - Reproduzir próxima + Reproduzir a próxima Reproduzir/Pausar Anterior Remover dos favoritos @@ -33,7 +33,7 @@ Renomear Salvar fila de reprodução Escanear - Buscar + Pesquisar Iniciar Definir como toque Definir como diretório inicial @@ -41,140 +41,140 @@ Compartilhar Misturar todas Embaralhar playlist - Sleep timer - Sort order - Tag editor - Toggle favorite - Toggle shuffle mode - Adaptive - Add - Add lyrics - Add \nphoto - "Add to playlist" - Add time frame lyrics - "Added 1 title to the playing queue." - Added %1$d titles to the playing queue. - Album - Album artist - The title or artist is empty. - Albums - Always - Hey check out this cool music player at: https://play.google.com/store/apps/details?id=%s - Shuffle - Top Tracks - Retro music - Big - Retro music - Card - Retro music - Classic - Retro music - Small - Retro music - Text - Artist - Artists - Audio focus denied. - Change the sound settings and adjust the equalizer controls - Auto - Base color theme - Bass Boost - Bio - Biography - Just Black - Blacklist - Blur - Blur Card - Unable to send report - Invalid access token. Please contact the app developer. - Issues are not enabled for the selected repository. Please contact the app developer. - An unexpected error occurred. Please contact the app developer. - Wrong username or password - Issue - Send manually - Please enter an issue description - Please enter your valid GitHub password - Please enter an issue title - Please enter your valid GitHub username - An unexpected error occurred. Sorry you found this bug, if it keeps crashing \"Clear app data\" or send an Email - Uploading report to GitHub… - Send using GitHub account - Buy now - Cancel - Card + Temporizador + Ordem de classificação + Editor de TAG + Ativar/Desativar favorito + Alternar modo aleatório + Adaptável + Adicionar + Adicionar letras + Adicionar foto + "Adicionar à lista" + Adicione tempo de enquadramento das letras + "Uma música foi adicionada à fila de reprodução" + Foram adicionadas %1$d músicas na fila de reprodução + Álbum + Á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 + Aleatório + Músicas favoritas + Música Retrô-Grande + Música Retrô-Cartão + Música Retrô-Clássico + Música Retrô-Pequeno + Música Retrô-Texto + Artista + Artistas + Foco de áudio negado + Altere as configurações de som e ajuste os controles do equalizador + Automático + Baseado na cor do tema + Aumento de graves + Biografia + Biografia + Apenas preto + Lista negra + Desfocado + Cartão desfocado + Não é possível enviar o relatório + Token de acesso inválido. Entre em contato com o desenvolvedor do aplicativo + Os problemas não estão ativados para o repositório selecionado. Entre em contato com o desenvolvedor do aplicativo. + Um erro inesperado ocorreu. Entre em contato com o desenvolvedor do aplicativo. + Nome do usuário ou senha incorreta + Questão + Enviar manualmente + Por favor, insira uma descrição do problema + Por favor, digite sua senha válida do GitHub + 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 - Colored Card - Card - Carousel - Carousel effect on the now playing screen - Cascading - Cast - Changelog - Changelog maintained on the Telegram channel - Circle + 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 - Classic - Clear - Clear app data - Clear blacklist - Clear queue - Clear playlist - %1$s? This can\u2019t be undone!]]> - Close - Color - Color - Colors - Composer - Copied device info to clipboard. - Couldn\u2019t create playlist. - "Couldn\u2019t download a matching album cover." - Could not restore purchase. - Could not scan %d files. - Create - Created playlist %1$s. - Members and contributors - Currently listening to %1$s by %2$s. - Kinda Dark - No Lyrics - Delete playlist - %1$s?]]> - Delete playlists - Delete song - %1$s?]]> - Delete songs - %1$d playlists?]]> - %1$d songs?]]> - Deleted %1$d songs. - Deleting songs - Depth - Description - Device info - Allow Retro Music to modify audio settings - Set ringtone - Do you want to clear the blacklist? - %1$s from the blacklist?]]> - Donate - If you think I deserve to get paid for my work, you can leave some money here - Buy me a: - Download from Last.fm - Drive mode - Edit - Edit cover - Empty - Equalizer - Error - FAQ - Favorites - Finish last song - Fit - Flat - Folders - Follow system - For you - Free - Full - Full card - Change the theme and colors of the app - Look and feel - Genre - Genres - Fork the project on GitHub - Join the Google Plus community where you can ask for help or follow Retro Music updates + Clássico + Limpar + Limpar dados do aplicativo + Limpar lista negra + Limpar fila + Limpar playlist + %1$s? Isso n\u00e3o pode ser desfeito!]]> + Fechar + Cor + Cor + Cores + Compositor + Informações do dispositivo copiado para a área de transferência. + N\u00e3o foi poss\u00edvel criar a playlist + "N\u00e3o foi poss\u00edvel baixar uma capa do \u00e1lbum correspondente" + Não foi possível restaurar a compra + Não foi possível escanear %d arquivos + Criar + A playlist %1$s foi criada + Membros e contribuidores + Atualmente ouvindo %1$s por %2$s. + Meio escuro + Sem letras + Excluir playlist + %1$s?]]> + Excluir playlists + Excluir música + %1$s?]]> + Excluir músicas + %1$d playlists?]]> + %1$d músicas?]]> + %1$d músicas foram excluídas. + Excluir músicas + Profundidade + Descrição + Informação do dispositivo + Permite que o Retro Music modifique as configurações de áudio + Definir toque + Você quer limpar a lista negra? + %1$s da lista negra?]]> + Doar + Se você acha que eu mereço ser recompensado pelo meu trabalho, você pode me deixar algum dinheiro aqui + Compre-me um: + Baixar do Last.fm + Modo de direção + Editar + Editar capa + Vazio + Equalizador + Erro + Perguntas frequentes + Favoritos + Terminar a última música + Em forma + Plano + Pastas + Seguir sistema + Para você + Grátis + Tela cheia + Cartão cheio + Alterar o tema e as cores do aplicativo + Aparência + Gênero + Gêneros + Fork o projeto no GitHub + Participe da comunidade do Google+, onde você pode pedir ajuda ou seguir as atualizações do Retro Music 1 2 3 @@ -183,333 +183,337 @@ 6 7 8 - Grid style - Hinge - History - Home - Horizontal flip - Image - Gradient image - Change artist image download settings - Inserted %1$d songs into the playlist %2$s. - Instagram - Share your Retro Music setup to showcase on Instagram - Keyboard - Bitrate - Format - File name - File path - Size - More from %s - Sampling rate - Length - Labeled - Last added - Last song - Let\'s play some music - Library - Library categories - Licenses - Clearly White - Listeners - Listing files - Loading products… - Login - Lyrics - Made with ❤️ in India + Grades & Estilos + Dobradiça + Histórico + Início + Giro horizontal + Imagem + Imagem degradê + Alterar as configurações de download das imagens dos artistas + %1$d músicas adicionadas na playlist %2$s. + Compartilhe seu perfil do Retro Music para mostrá-lo no Instagram + Teclado + Taxa de bits + Formato + Nome do arquivo + Caminho do arquivo + Tamanho + Mais de %s + Taxa de amostragem + Comprimento + Rotulado + Mais recentes + Última música + Vamos reproduzir alguma música + Biblioteca + Categorias da biblioteca + Licenças + Claramente branco + Ouvintes + Listando arquivos... + Carregando produtos... + Entrar + Letras + Feito com ❤️ na Índia Material - Error - Permission error - Name - Most played - Never - New banner photo - New playlist - New profile photo - %s is the new start directory. - Next Song - You have no albums - You have no artists - "Play a song first, then try again." - No equalizer found - You have no genres - No lyrics found - No songs playing - You have no playlists - No purchase found. - No results - You have no songs + Erro + Erro de permissão + Nome + Mais tocadas + Nunca + Nova foto do mural + Nova playlist + Nova foto de perfil + %s é o novo diretório inicial + Próxima música + Sem álbuns + Sem artistas + "Reproduza uma música primeiro e tente novamente" + Nenhum equalizador encontrado + Sem gêneros + Nenhuma letra encontrada + Nenhuma música tocando + Sem playlists + Nenhuma compra encontrada. + Sem resultados + Sem músicas Normal - Normal lyrics + Letras normais Normal - %s is not listed in the media store.]]> - Nothing to scan. - Nothing to see - Notification - Customize the notification style - Now playing - Now playing queue - Customize the now playing screen - 9+ now playing themes - Only on Wi-Fi - Advanced testing features - Other - Password - Past 3 months - Paste lyrics here + %s não está listado no armazenamento de mídia]]> + Nada para escanear. + Nada para escanear + Notificação + Personalizar o estilo de notificação + Reproduzindo agora + Reproduzindo agora na fila + Personalizar tela de reprodução + Incríveis 9 temas para a interface do reprodutor + Apenas com Wi-Fi + Recursos avançados em teste + Outro + Senha + Últimos 3 meses + Cole as letras aqui Peak - Permission to access external storage denied. - Permissions denied. - Personalize - Customize your now playing and UI controls - Pick from local storage - Pick image + 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 - 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 + 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 - Album detail style - Amount of blur applied for blur themes, lower is faster - Blur amount - Adjust the bottom sheet dialog corners + 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 - Filter songs by length - Filter song duration - Advanced - Album style - Audio - Blacklist - Controls - Theme - Images - Library - Lockscreen + Filtrar músicas por duração + Filtrar duração da música + Avançado + Estilo do álbum + Áudio + Lista negra + Controles + Tema + Imagens + Biblioteca + Tela de bloqueio Playlists - Pauses the song when the volume decreases to zero and starts playing back when the volume level rises. Also works outside the app - Pause on zero - Keep in mind that enabling this feature may affect battery life - Keep the screen on - Click to open with or slide to without transparent navigation of now playing screen - Click or Slide - Snow fall effect - 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. - Start playing as soon as connected to bluetooth device - Blur the album cover on the lockscreen. Can cause problems with third party apps and widgets - Carousel effect for the album art in the now playing screen. Note that Card and Blur Card themes won\'t work - 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 - Toggle home banner style - Can increase the album cover quality, but causes slower image loading times. Only enable this if you have problems with low resolution artworks - Configure visibility and order of library categories. - Use Retro Music\'s custom lockscreen controls - License details for open source software - Round the app\'s edges - Toggle titles for the bottom navigation bar tabs - Immersive mode - Start playing immediately after headphones are connected - Shuffle mode will turn off when playing a new list of songs - If enough space is available, show volume controls in the now playing screen - Show album cover - Album cover theme - Album cover skip - Album grid - Colored app shortcuts - Artist grid - Reduce volume on focus loss - Auto-download artist images - Blacklist - Bluetooth playback - Blur album cover - Choose equalizer - Classic notification design - Adaptive color - Colored notification - Desaturated color - Extra controls - Song info - Gapless playback - App theme - Show genre tab - Home artist grid - Home 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 + Pausa a reprodução quando o volume é zerado e reproduz novamente quando o volume aumentar. Também funciona fora do aplicativo + 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. + Comece a tocar assim que conectado ao dispositivo bluetooth + Desfoque a capa do álbum na tela de bloqueio. Pode causar problemas com aplicativos e widgets de terceiros + Efeito carrossel para a imagem do álbum na tela de reprodução. Note que nos temas \"Cartão\" e \"Cartão desfocado\" não irá funcionar + 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 + Se houver espaço suficiente, mostre os controles de volume na tela que está sendo reproduzida + Exibir a capa do álbum + Tema da capa do álbum + Pular a capa do álbum + Grade do álbum + Colorir os atalhos do aplicativo + Grade do artista + Reduza o volume na perda de foco + Baixar automaticamente as imagens dos artistas + Lista negra + Reprodução Bluetooth + Desfocar a capa do álbum + Escolha o equalizador + Design de notificação clássico + Cor adaptável + Notificações coloridas + Cor dessaturada + Controles extras + Informações da música + Reprodução contínua + Tema do aplicativo + Exibir a aba de gêneros + Grade de artistas na tela inicial + Mural na tela inicial + Ignorar capas do Armazenamento de Mídia + Intervalo da playlist \"Mais recentes\" + Controles em tela cheia + Barra de navegação colorida + Tema da tela \"Reproduzindo agora\" + Licenças de código aberto + Bordas arredondadas + Modo de títulos nas abas + Efeito carrossel + Cor dominante + Aplicativo em tela cheia + Títulos das guias + Execuções automática + Modo aleatório + Controles do volume + Informação do usuário + Cor primária + A cor principal do tema por padrão é cinza azulado, por enquanto funciona com cores escuras Pro - Black theme, Now playing themes, Carousel effect and more.. - Profile - Purchase - *Think before buying, don\'t ask for refund. - Queue - Rate the app - Love this app? Let us know in the Google Play Store how we can make it even better - Recent albums - Recent artists - Remove - Remove banner photo - Remove cover - Remove from blacklist - Remove profile photo - Remove song from playlist - %1$s from the playlist?]]> - Remove songs from playlist - %1$d songs from the playlist?]]> - Rename playlist - Report an issue - Report bug - Reset - Reset artist image - Restore - Restored previous purchase. Please restart the app to make use of all features. - Restored previous purchases. - Restoring purchase… - Retro Music Equalizer + Temas do reproduzindo agora, Efeito carrossel, Tema de cor e mais... + Perfil + Comprar + *Pense antes de comprar, não pergunte por reembolso! + Fila + Avalie o aplicativo + Adorou este aplicativo? Informe-nos na Google Play Store como podemos melhorar o aplicativo + Álbuns recentes + Artistas recentes + Remover + Remover foto do mural + Remover capa + Remover da lista negra + Remover foto do perfil + Remover música da playlist + %1$s da playlist?]]> + Remover músicas da playlist + %1$d músicas da playlist?]]> + Renomear playlist + Reportar um problema + Reportar erro + Resetar + Restaurar imagem do artista + Restaurar + Compra anterior restaurada. Por favor, reinicie o aplicativo para fazer uso de todos os recursos. + Compras anteriores foram restauradas. + Restaurando compra... + Equalizador do Retro Music Retro Music Player Retro Music Pro - File delete failed: %s + Falha ao excluir arquivo: %s - Can\'t get SAF URI - Open navigation drawer - Enable \'Show SD card\' in overflow menu + Não foi possível obter URI SAF + Abrir painel de navegação + Ativar \'Mostrar cartão SD\' no menu flutuante - %s needs SD card access - You need to select your SD card root directory - Select your SD card in navigation drawer - Do not open any sub-folders - Tap \'select\' button at the bottom of the screen - File write failed: %s - Save + %s precisa de acesso ao cartão SD + Você precisa selecionar o diretório raiz do seu cartão SD + Selecione seu cartão SD no menu de navegação + Não abra nenhuma subpasta + Toque no botão \'selecionar\' na parte inferior da tela + Falha na escrita do arquivo: %s + Salvar - Save as file - Save as files - Saved playlist to %s. - Saving changes - Scan media - Scanned %1$d of %2$d files. + Salvar como arquivo + Salvar como arquivos + Playlist salva para %s + Salvando alterações... + Escanear mídia + Escaneados %1$d dos %2$d arquivos Scrobbles - Search your library… - Select all - Select banner photo - Selected - Send crash log - Set - Set artist image - Set a profile photo - Share app + 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 - Shuffle - Simple - Sleep timer canceled. - Sleep timer set for %d minutes from now. - Slide - Small album + Aleatório + Simples + Temporizador cancelado + Temporizador definido para %d minutos a partir de agora + Deslizar + Português Social Share story - Song - Song duration - Songs - Sort order - Ascending - Album - Artist - Composer - Date added + Música + Duração da música + Músicas + Ordem de classificação + Ascendente + Álbum + Artista + Compositor + Data Date modified - Year - Descending - Sorry! Your device doesn\'t support speech input - Search your library - Stack - Start playing music. - Suggestions - Just show your name on home screen - Support development - Swipe to unlock - Synced lyrics - System Equalizer + Ano + Decrescente + Desculpe! O seu dispositivo não suporta entrada de voz + Pesquisar... + Pilha + Começar a reprodução de música. + Sugestões + Mostrar apenas o seu nome na tela inicial + Apoiar o desenvolvimento + Deslize para desbloquear + Letras sincronizadas + Equalizador do sistema Telegram - Join the Telegram group to discuss bugs, make suggestions, show off and more - Thank you! - The audio file - This month - This week - This year - Tiny - Title - Dashboard - Good afternoon - Good day - Good evening - Good morning - Good night - What\'s Your Name - Today - Top albums - Top artists - "Track (2 for track 2 or 3004 for CD3 track 4)" - Track number - Translate - Help us translate the app to your language - Twitter - Share your design with Retro Music - Unlabeled - Couldn\u2019t play this song. - Up next - Update image - Updating… - Username - Version - Vertical flip - Virtualizer + Junte-se ao grupo no Telegram para discutir bugs, fazer sugestões e muito mais + Obrigado! + Arquivo de áudio + Este mês + Esta semana + Este ano + Minúsculo + Título + Painel de controle + Boa tarde + Bom dia + Boa noite + Bom dia + Boa noite + Qual o seu nome? + Hoje + Melhores albuns + Artistas principais + "Música (2 para a música 2 ou 3004 para a música 4 do CD3)" + Número da música + Traduzir + Ajude-nos a traduzir o aplicativo para seu idioma + Twitter + Compartilhe seu design com o Retro Music + Não rotulado + N\u00e3o foi poss\u00edvel reproduzir est\u00e1 m\u00fasica. + A seguir + Atualizar imagem + Atualizando... + Nome de usuário + Versão + Giro vertical + Virtualizador Volume - Web search - Welcome, - What do you want to share? - What\'s New - Window - Rounded corners - Set %1$s as your ringtone. - %1$d selected - Year - You have to select at least one category. - You will be forwarded to the issue tracker website. - Your account data is only used for authentication. + Pesquisar na internet + Bem-vindo(a), + O que você quer compartilhar? + Novidades + Janela + Cantos arredondados + Definir %1$s como toque. + %1$sd selecionado + Ano + Você precisa selecionar ao menos uma categoria. + Você será encaminhado para o website do rastreador de problemas. + Os dados da sua conta são usados ​​apenas para autenticação. Amount Note(Optional) Start payment Show now playing screen Clicking on the notification will show now playing screen instead of the home screen + Tiny card + About %s + Select language + Translators + The people who helped translate this app diff --git a/app/src/main/res/values-pt-rPT/strings.xml b/app/src/main/res/values-pt-rPT/strings.xml index 2124ffe5..911dc4dc 100644 --- a/app/src/main/res/values-pt-rPT/strings.xml +++ b/app/src/main/res/values-pt-rPT/strings.xml @@ -192,7 +192,6 @@ Gradient image Change artist image download settings Inserted %1$d songs into the playlist %2$s. - Instagram Share your Retro Music setup to showcase on Instagram Keyboard Bitrate @@ -512,4 +511,9 @@ 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 diff --git a/app/src/main/res/values-ro-rRO/strings.xml b/app/src/main/res/values-ro-rRO/strings.xml index 2124ffe5..e4ecce6c 100644 --- a/app/src/main/res/values-ro-rRO/strings.xml +++ b/app/src/main/res/values-ro-rRO/strings.xml @@ -1,83 +1,83 @@ Team, social links - Accent color - The theme accent color, defaults to purple - About - Add to favorites - Add to playing queue - Add to playlist - Clear playing queue - Clear playlist + Culoare ton + Culoarea de accent, implicit, se face verde. + Despre + Adaugă la favorite + Adaugă la coada de redare + Adaugă la un playlist + Curăță coada de redare + Șterge playlist Cycle repeat mode - Delete - Delete from device - Details - Go to album - Go to artist + Șterge + Șterge de pe dispozitiv + Detalii + Pagină album + Pagină artist Go to genre - Go to start directory - Grant - Grid size - Grid size (land) + Registrul principal + Acord + Mărimea grilei + Mărimea grilei (bază) New playlist - Next - Play + Următorul + Redați Play all - Play next - Play/Pause - Previous - Remove from favorites - Remove from playing queue - Remove from playlist - Rename - Save playing queue - Scan - Search - Start - Set as ringtone - Set as start directory - "Settings" - Share - Shuffle all - Shuffle playlist - Sleep timer + Redă urmatorul + Redați/Opriți + Anterior + Șterge din favorite + Șterge din coada de redare + Șterge din playlist + redenumiți + Salvează coada de redare + Scanează + Căutare + Setare + Setează ca ton de apel + Setează ca registru principal + "Setări" + Expediază + Amestecă tot + Amestecă playlist + Cronometru de somn Sort order - Tag editor + Redactor info Toggle favorite Toggle shuffle mode Adaptive - Add + Adaugă Add lyrics - Add \nphoto - "Add to playlist" + Adaugă fotografie + "Adaugă la playlist" Add time frame lyrics - "Added 1 title to the playing queue." - Added %1$d titles to the playing queue. + "Adăugat 1 titlu la coada de redare." + Adăugate %1$d titluri la coada de redare Album - Album artist - The title or artist is empty. - Albums - Always - Hey check out this cool music player at: https://play.google.com/store/apps/details?id=%s - Shuffle - Top Tracks - Retro music - Big + 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 + Amestecă + Top cântece + Retro music - Mare Retro music - Card Retro music - Classic - Retro music - Small + Retro music - Mic Retro music - Text Artist - Artists - Audio focus denied. - Change the sound settings and adjust the equalizer controls + Artiști + Folcalizarea audio a fost respinsă. + Ajustați setările de sunet și comenzile egalizatorului Auto Base color theme Bass Boost Bio - Biography - Just Black - Blacklist + Biografie + Negru + Lista neagră Blur Blur Card Unable to send report @@ -95,7 +95,7 @@ Uploading report to GitHub… Send using GitHub account Buy now - Cancel + Anulează cronometrul curent Card Circular Colored Card @@ -104,75 +104,75 @@ Carousel effect on the now playing screen Cascading Cast - Changelog - Changelog maintained on the Telegram channel + Modificări + Lista de modificări păstrată din aplicația \"Telegram\" Circle Circular Classic - Clear + Șterge Clear app data - Clear blacklist + Șterge \"Lista neagră\" Clear queue - Clear playlist - %1$s? This can\u2019t be undone!]]> + Șterge playlist + %1$s? Aceast\u0103 ac\u021biune nu poate fi \u00eenapoiat\u0103!]]> Close - Color - Color - Colors + Culoare + Culoare + Culori Composer Copied device info to clipboard. - Couldn\u2019t create playlist. - "Couldn\u2019t download a matching album cover." - Could not restore purchase. - Could not scan %d files. - Create - Created playlist %1$s. + Nu s-a putut crea playlist. + "Nu s-a putut desc\u0103rca o copert\u0103 de album corespunz\u0103toare." + Nu a putut fi restabilită achiziția. + Nu s-au putut scana %d fișiere + Crează + S-a creat playlist-ul %1$s. Members and contributors - Currently listening to %1$s by %2$s. - Kinda Dark - No Lyrics - Delete playlist - %1$s?]]> - Delete playlists + Acum ascultați %1$s de %2$s. + Suriu + Nu există versuri + Șterge playlist + %1$s?]]> + Șterge playlist-uri Delete song - %1$s?]]> + %1$s?]]> Delete songs - %1$d playlists?]]> - %1$d songs?]]> - Deleted %1$d songs. + %1$d playlist-uri?]]> + %1$d cântece?]]> + Au fost șterse %1$d cântece. Deleting songs Depth Description Device info Allow Retro Music to modify audio settings Set ringtone - Do you want to clear the blacklist? - %1$s from the blacklist?]]> - Donate - If you think I deserve to get paid for my work, you can leave some money here - Buy me a: - Download from Last.fm + Doriți să ștergeți lista neagră? + %1$s din lista neagră?]]> + Donează + Dacă ești de părere că merit să fiu plătit pentru munca mea, poți să donezi aici. + Cumpăraţi-mi o(un) + Descarcă de pe Last.fm Drive mode Edit Edit cover - Empty - Equalizer + Gol + Egalizator Error FAQ - Favorites + Favorite Finish last song Fit - Flat - Folders + Uniform + Mape Follow system - For you + Pentru dvs. Free - Full + Plin Full card - Change the theme and colors of the app - Look and feel - Genre - Genres + Schimbați culorile generale ale aplicației + Aspect + Gen muzical + Genuri Fork the project on GitHub Join the Google Plus community where you can ask for help or follow Retro Music updates 1 @@ -185,94 +185,93 @@ 8 Grid style Hinge - History - Home + Istoric + Acasă Horizontal flip Image Gradient image Change artist image download settings - Inserted %1$d songs into the playlist %2$s. - Instagram + Au fost insertate %1$d cântece în playlist-ul %2$s. Share your Retro Music setup to showcase on Instagram Keyboard Bitrate Format - File name - File path - Size + Numele fișierului + Dosarul fișierului + Mărime More from %s - Sampling rate - Length + Rata de eșantionare + Lungime Labeled - Last added + Adăugate recent Last song - Let\'s play some music - Library + Hai să ascultăm ceva + Biblioteca Library categories - Licenses - Clearly White + Licențe + Alb Listeners - Listing files - Loading products… + Listarea fișierelor + Se încarcă produsele... Login - Lyrics + Versuri Made with ❤️ in India Material Error Permission error - Name - Most played - Never + Numele Meu + Top cântece redate + Niciodată New banner photo - New playlist + Playlist nou New profile photo - %s is the new start directory. + %s a fost setat ca noul registru principal. Next Song - You have no albums - You have no artists - "Play a song first, then try again." - No equalizer found - You have no genres - No lyrics found + Niciun album + Niciun artist + "Mai întâi redă un cântec, apoi incearcă din nou." + Nu a fost găsit nici un equalizer. + Niciun gen + Nu a fost găsite versuri. No songs playing - You have no playlists - No purchase found. - No results - You have no songs + Niciun playlist + Nu s-a găsit nicio achiziție. + Niciun rezultat + Niciun cântec Normal Normal lyrics Normal - %s is not listed in the media store.]]> - Nothing to scan. + %s nu este litsat în magazinul media.]]> + Nimic de scanat. Nothing to see - Notification - Customize the notification style - Now playing - Now playing queue + Notificare + Personalizează stil de notificare + Se redă + Coada de redare Customize the now playing screen 9+ now playing themes - Only on Wi-Fi + Doar pe Wi-Fi Advanced testing features - Other + Altele Password - Past 3 months + Ultimele 3 luni Paste lyrics here Peak - Permission to access external storage denied. - Permissions denied. - Personalize - Customize your now playing and UI controls - Pick from local storage + 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 - Plain - The playing notification provides actions for play/pause etc. - Playing notification - Empty playlist - Playlist is empty - Playlist name - Playlists + 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 @@ -285,11 +284,11 @@ Audio Blacklist Controls - Theme - Images + General + Imagini Library - Lockscreen - Playlists + Ecran de blocare + Playlist-uri Pauses the song when the volume decreases to zero and starts playing back when the volume level rises. Also works outside the app Pause on zero Keep in mind that enabling this feature may affect battery life @@ -297,106 +296,106 @@ 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 + 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. Start playing as soon as connected to bluetooth device - Blur the album cover on the lockscreen. Can cause problems with third party apps and widgets - Carousel effect for the album art in the now playing screen. Note that Card and Blur Card themes won\'t work - 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" + Spălăcește coperta de album pe ecranul de blocare. Poate cauza probleme cu alte aplcicatii sau widget-uri. + Efectul carusel pentru coperţile de album în ecranul de redare. Rețineți că tema Card și Blur Card nu va funcționa + 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 - Most dominant color will be picked from the album or artist cover + 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 - "Can cause playback issues on some devices." + "Poate cauza probleme de redare pe unele dispozitive." Toggle genre tab Toggle home banner style - Can increase the album cover quality, but causes slower image loading times. Only enable this if you have problems with low resolution artworks + 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. - 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 + 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 - If enough space is available, show volume controls in the now playing screen - Show album cover + Dacă aveți spațiu pe ecranul de redare, activați controalele de volum + Afișați coperta albumului Album cover theme Album cover skip Album grid - Colored app shortcuts + Comenzi rapide colorate Artist grid - Reduce volume on focus loss - Auto-download artist images + Reduce volumul la pierderea focalizării + Descărcați automat imagini ale artistului Blacklist Bluetooth playback - Blur album cover + Spălăcește coperta albumului Choose equalizer - Classic notification design - Adaptive color - Colored notification + Design classic de notificare + Culoare adaptivă + Notificare colorată Desaturated color Extra controls Song info - Gapless playback - App theme + Redare \"Gapless\" + Temă Show genre tab Home artist grid Home banner - Ignore Media Store covers - Last added playlist interval - Fullscreen controls - Colored navigation bar - Now playing theme - Open source licences - Corner edges + 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 - Carousel effect - Dominant color - Fullscreen app - Tab titles - Auto-play + Efect de carusel + Culoarea dominantă + Ecran complet + Titlurile categoriior + Redare automată Shuffle mode - Volume controls - User info - Primary color - The primary theme color, defaults to blue grey, for now works with dark colors + 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 - Purchase + Procurare *Think before buying, don\'t ask for refund. - 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 + 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 - Remove cover - Remove from blacklist + Eliminare copertă + Eliminare din lista neagră Remove profile photo - Remove song from playlist - %1$s from the playlist?]]> - Remove songs from playlist - %1$d songs from the playlist?]]> - Rename playlist + Eliminați melodia din lista de redare + %1$s din lista de redare?]]> + Eliminare melodii din lista de redare + %1$d melodii din lista de redare?]]> + Redenumiţi lista de redare Report an issue Report bug Reset - Reset artist image - Restore - Restored previous purchase. Please restart the app to make use of all features. - Restored previous purchases. - Restoring purchase… - Retro Music Equalizer + Reseteţi imaginea artistului + Restabilire + A fost restaurată achiziția anterioară. Reporniți aplicația pentru a utiliza toate funcțiile. + Au fost restabilite achizițiile anterioare. + Se restabilește achiziția... + Retro Egalizator Retro Music Player - Retro Music Pro + Cumpărați RetroMusic Pro File delete failed: %s Can\'t get SAF URI @@ -412,35 +411,35 @@ Save - Save as file + Salvare ca fişier Save as files - Saved playlist to %s. - Saving changes + Salvaţi lista de redare în %s. + Salvare modificări Scan media - Scanned %1$d of %2$d files. + Au fost scanate %1$d din %2$d fişiere. Scrobbles - Search your library… + Căutare în bibliotecă... Select all Select banner photo Selected Send crash log Set - Set artist image + Setaţi imaginea artistului Set a profile photo Share app Share to Stories - Shuffle - Simple - Sleep timer canceled. - Sleep timer set for %d minutes from now. + Amestecare + Simplu + Temporizatorul a fost anulat. + Temporizatorul este setat pentru %d minute de acum. Slide Small album Social Share story - Song - Song duration - Songs - Sort order + Melodie + Durată + Melodii + ordinea de sortare Ascending Album Artist @@ -449,61 +448,61 @@ Date modified Year Descending - Sorry! Your device doesn\'t support speech input - Search your library + Scuze! Dispozitivul tau nu suporta comenzi vocale + Caută în colecția ta Stack Start playing music. Suggestions - Just show your name on home screen - Support development + 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 - Thank you! - The audio file - This month - This week - This year - Tiny + Mulțumesc! + Fișier audio + Luna aceasta + Săptămâna aceasta + Anul acesta + Mic Title - Dashboard - Good afternoon - Good day - Good evening - Good morning - Good night - What\'s Your Name - Today - Top albums - Top artists - "Track (2 for track 2 or 3004 for CD3 track 4)" - Track number - Translate + Tablou de bord + Bună ziua + O zi bună + Bună seara + Bună dimineaţa + Noapte bună + Numele dvs. + Astăzi + Albume de top + Artişti de top + "Melodie (2 pentru melodia 2 sau 3004 pentru CD3 melodia 4)" + Numărul piesei + Traducere Help us translate the app to your language Twitter Share your design with Retro Music Unlabeled - Couldn\u2019t play this song. - Up next - Update image - Updating… + Nu s-a putut reda aceast\u0103 melodie. + Urmează + Actualizare imagine + Se actualizează... Username - Version + Versiune Vertical flip Virtualizer Volume - Web search + Căutare pe internet Welcome, - What do you want to share? + Ce doriți să expediați? What\'s New - Window + Fereastră Rounded corners - Set %1$s as your ringtone. - %1$d selected - Year + Setează %1$s ca ton de apel + %1$d selectat + Anul You have to select at least one category. You will be forwarded to the issue tracker website. Your account data is only used for authentication. @@ -512,4 +511,9 @@ 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 diff --git a/app/src/main/res/values-ru-rRU/strings.xml b/app/src/main/res/values-ru-rRU/strings.xml index 2beb72e6..8a981538 100644 --- a/app/src/main/res/values-ru-rRU/strings.xml +++ b/app/src/main/res/values-ru-rRU/strings.xml @@ -1,13 +1,13 @@ - Команда, наши социальные сети + Команда, ссылки на соц. сети Основной цвет Основной цвет, по умолчанию фиолетовый О программe Добавить в избранное Добавить в очередь проигрывания Добавить в плейлист - Очистить очередь воспроизведения + Очистить очередь проигрывания Очистить плейлист Режим повтора цикла Удалить @@ -19,13 +19,13 @@ В начало Разрешить Размер сетки - Размер сетки (горизонтально) - Новый плейлист + Размер сетки (по горизонтали) + Создать плейлист Далее Играть Воспроизвести всё Играть далее - Играть/Пауза + Воспроизведение/Пауза Предыдуший Удалить из избранного Удалить из очереди воспроизведения @@ -35,8 +35,8 @@ Сканировать Поиск Запустить - Установить в качества рингтона - Установить как стартовую папку + Задать в качества рингтона + Установить как стартовый каталог "Настройки" Поделиться Перемешать всё @@ -48,21 +48,21 @@ Включить перемешивающий режим Адаптированная Добавить - Добавить текст + Добавить тест песни Добавить \nфото "Добавить в плейлист" - Добавить контекстную лирику - "В очередь добавлен 1 трек." - В очередь добавлено %1$d треков. + Довавить текст песни + "В очередь добавлен 1 трек" + В очередь добавлено %1$d треков. Альбом Исполнитель альбома Трек или альбом отсутствуют. Альбомы Всегда - Эй, попробуй этот крутой музыкальный плеер: https://play.google.com/store/apps/details?id=%s + Эй, попробуй этот крутой музыкальный плеер на: https://play.google.com/store/apps/details?id=%s Перемешать - Топ треков - Retro music - Большой + Часто прослушиваемые треки + Retro music - Крупный Retro music - Карточка Retro music - Классический Retro music - Маленький @@ -70,13 +70,13 @@ Исполнитель Исполнители Фокус на аудио отключен. - Изменить настройки звука и эквалайзера + Отрегулировать настройки звука и эквалайзера Авто Основная цветовая тема Усиление баса Биография Биография - Просто Чёрная + Чёрная Черный список Размытие Карточка с размытием @@ -85,73 +85,73 @@ Проблемы не активны в выбранном хранилище. Пожалуйста, свяжитесь с разработчиком приложения. Произошла непредвиденная ошибка. Пожалуйста, свяжитесь с разработчиком приложения. Неверное имя пользователя или пароль - Ошибка + Вопрос Отправить вручную Пожалуйста, введите описание проблемы Пожалуйста, введите ваш корректный пароль GitHub Пожалуйста, введите название отчета о проблеме Пожалуйста, введите корректно ваше имя пользователя GitHub Произошла непредвиденная ошибка. Извините, если это продолжится -то «Очистите данные приложения» +то «Очистите данные приложения» Загрузка отчета на GitHub… Отправить с помощью учетной записи GitHub Купить сейчас Отменить Карточка - Круговая + Круговой Цветная карточка Карточка Карусель - Эффект карусели на экране воспроизведения + Эффект карусели на экране текущего воспроизведения Каскадный - Транслировать + Передать на устройство Список изменений - Список изменений находится на канале Telegram + Список изменений хранится на канале Telegram Круг Круговая - Классическая + Классический Очистить Очистить данные приложения Очистить черный список Очистить очередь Очистить плейлист - %1$s? Это невозможно отменить!]]> + %1$s? \u042d\u0442\u043e \u043d\u0435\u043b\u044c\u0437\u044f \u043e\u0442\u043c\u0435\u043d\u0438\u0442\u044c!]]> Закрыть Цвет Цвет Цвета Композитор - Информация об устройстве скопирована в буфер обмена. - Не удалось создать плейлист. - "Не удалось скачать соответствующую обложку альбома." + Скопировать информацию об устройстве в буфер обмена. + \u041d\u0435 \u0443\u0434\u0430\u043b\u043e\u0441\u044c \u0441\u043e\u0437\u0434\u0430\u0442\u044c \u043f\u043b\u0435\u0439\u043b\u0438\u0441\u0442. + "\u041d\u0435 \u0443\u0434\u0430\u043b\u043e\u0441\u044c \u0441\u043a\u0430\u0447\u0430\u0442\u044c \u043f\u043e\u0434\u0445\u043e\u0434\u044f\u0449\u0443\u044e \u043e\u0431\u043b\u043e\u0436\u043a\u0430 \u0430\u043b\u044c\u0431\u043e\u043c\u0430." Не удалось восстановить покупку. Не удалось отсканировать %d файлов. Создать Создан плейлист %1$s. - Участники и помощники + Участники и помощники Сейчас играет %1$s от %2$s. - Типа Тёмная + Тёмная Нет текста Удалить плейлист %1$s?]]> Удалить плейлисты - Удалить песню - %1$s?]]> - Удалить песни + Удалить трек + %1$s?]]> + Удалить треки %1$d плейлистов?]]> - %1$d песен?]]> - Удалено %1$d песен. + %1$d треков?]]> + Удалено %1$d треков. Удаление песен Глубина Описание Информация об устройстве Разрешить Retro Music изменять настройки звука - Установить рингтон + Выбрать рингтон Хотите очистить черный список? %1$s из черного списка?]]> Пожертвовать - Если вы считаете, что я заслуживаю награды за свою работу, можете отправить мне несколько рублей здесь - Купите мне: + Если вы считаете, что я заслуживаю награды за свою работу, можете отправить мне несколько долларов здесь. + Купить мне: Загрузить с Last.fm Режим вождения Редактировать @@ -162,15 +162,15 @@ ЧаВО Избранное Закончить последнюю песню - По размеру - Плоская + Соответствие + Плоский Папки Системная Для вас Бесплатная - Заполнение - Заполнение карточки - Изменить тему и цвета в приложении + Полный + Полная карточка + Изменить тему и цвета приложения Внешний вид плеера Жанр Жанры @@ -188,51 +188,50 @@ Петля История Главная - Горизонтальный поворот + Горизонтальная ориентация Изображение Градиентное изображение Изменение настроек загрузки изображения артиста - В плейлист %2$s внесено %1$d песен. - Instagram + В плейлист %2$s внесено %1$d песен. Поделитесь своим обзором на приложение Retro Music в Instagram Клавиатура Битрейт Формат Имя файла - Путь к файлу + Расположение файла Размер Больше от %s Частота дискретизации Длина Помечено Последние добавленные - Последняя песня + Предыдущая песня Давайте послушаем немного музыки Библиотека Разделы библиотеки Лицензии - Светлая + Белая Слушатели Список файлов - Загрузка товаров… + Загрузка товаров... Войти Текст Сделано с ❤️ в Индии - Material + Материальный Ошибка Ошибка разрешения Моё имя - Самые воспроизводимые + Любимые треки Никогда - Новое фото баннера + Новая фото баннера Новый плейлист Новое фото профиля - %s - новая начальная папка. - Следующая песня + %s новая стартовая директория. + Следующая песня Альбомы отсутствуют Исполнители отсутствуют "Сначала проиграйте песню, затем попробуйте заново." - Эквалайзер не найден + Эквалайзер не найден. Жанры отсутствуют Текст отсутствует Нет проигрываемых песен @@ -243,31 +242,31 @@ Обычный Обычный текст Нормальный - %s не найден в каталоге Медиа.]]> + %s не найден в media store.]]> Нечего сканировать. Нечего сканировать Уведомления Настроить стиль уведомлений Сейчас играет Очередь в \"Сейчас играет\" - Настроить экран воспроизведения - 9+ тем экрана воспроизведения + Настроить экран текущего воспроизведения + 9+ тем экрана текущего воспроизведения Только по Wi-Fi - Расширенные тестовые возможности + Расширеные возможности Другое Пароль Последние 3 месяца Вставьте тест песни сюда - Панель снизу - Разрешение для доступа к внешнему хранилищу не получено. + Пик + Разрешение для доступа у внешнему хранилищу не получено. Разрешения не получены. Персонализировать - Настройте экран воспроизведения и управление музыкой + Настройте управление экрана текущего воспроизведения и интерфейса Взять из хранилища Выбрать изображение Pinterest Следуйте за страницей Retro Music в Pinterest - Простая + Простой Уведомление о песне предоставляет действия для воспроизведения / паузы и т.д. Уведомления воспроизведения Пустой плейлист @@ -291,24 +290,24 @@ Библиотека Экран блокировки Плейлисты - Приостанавливает воспроизведение при уменьшении громкости до нуля и запускает после увеличения громкости. Предупреждение, когда вы увеличиваете громкость не в приложении, то Retro Music также начнёт воспроизведение + Автоматически ставит музыку на паузу при уменьшении громкости до нуля и играет после увеличения громкости. Предупреждение, когда вы увеличиваете громкость не в приложении, то Retro Music также начнёт воспроизведение Пауза при нулевой громкости - Имейте в виду, что включение этой функции может повлиять на время работы аккумулятора - Не выключать экран + Имейте в виду, что включение этой функции может повлиять на заряд батареи + Оставить экран включенным Нажмите, чтобы открыть экран воспроизведения с прозрачной навигации или проведите чтобы открыть без прозрачной навигации Нажмите или Проведите Эффект снегопада - Использовать обложку альбома текущей песни в качестве обоев на экране блокировки - Снизить громкость воспроизведения когда приходить звуковое уведомление + Использовать обложку альбома текущей песни в качестве обоев на экране блокировки. + Снизить громкость воспроизведения когда приходить звуковое уве Содержимое черного списка скрыто из вашей библиотеки. Начать воспроизведение сразу же после подключения Bluetooth-устройства - Размыть обложку альбома на экране блокировки. Может вызывать проблемы со сторонними приложениями и виджетами - Эффект карусели для обложек альбома на экране воспроизведения. Учтите, что темы \"Карточка\" и \"Размытая карточка\" не будут работать - Использовать классический дизайн уведомлений + Размыть обложку альбома на экране блокировки. Может вызывать проблемы со сторонними приложениями и виджетами. + Эффект карусели для обложек альбома на экране текущего воспроизведения. Учтите, что темы \"Карточка\" и \"Размытая карточка\" не будут работать. + Использовать классический дизайн уведомлений. Цвет кнопок фона и кнопок управления изменяется в соответствии с обложкой альбома с экрана воспроизведения - Окрашивает ярлыки в главный цвет (Accent). Каждый раз, когда вы меняете цвет, вкл-выкл эту настройку, чтобы изменение вступило в силу + Окрашивает ярлыки в основной цвет. Каждый раз, когда вы меняете цвет, вкл-выкл эту настройку, чтобы изменение вступило в силу Окрашивает панель навигации в главный цвет - "Окрашивает уведомление на обложке альбома ярким цветом" + "\u041e\u043a\u0440\u0430\u0448\u0438\u0432\u0430\u0442\u044c \u0443\u0432\u0435\u0434\u043e\u043c\u043b\u0435\u043d\u0438\u0435 \u0432 \u044f\u0440\u043a\u0438\u0439 \u0446\u0432\u0435\u0442 \u043e\u0431\u043b\u043e\u0436\u043a\u0438 \u0430\u043b\u044c\u0431\u043e\u043c\u0430" Согласно Material Design в темном режиме цвета должны быть немного обесцвечены Наиболее доминирующий цвет будет выбран из обложки альбома или исполнителя Добавить дополнительные элементы управления для мини-плеера @@ -316,7 +315,7 @@ "Может вызвать проблемы с воспроизведением на некоторых устройствах." Включить вкладку жанр Включить кнопку Домой - Может повысить качество обложки альбома, но привести к более медленной загрузки изображения. Включите это только в том случае, если у вас есть картинки с низким разрешением + Может повысить качество обложки альбома, но приведет к более медленной загрузки изображения. Включите это только в том случае, если у вас есть картинки с низким разрешением Настроить вид и порядок категорий в библиотеке. Используйте экран блокировки Retro Music Сведения о лицензии для программного обеспечения с открытым исходным кодом @@ -324,15 +323,15 @@ Включить заголовки для вкладок нижней панели навигации Полноэкранный режим Начать воспроизведение музыки сразу после подключения наушников - Режим перемешивания выключится при проигрывании нового списка песен + Режим перемешивания выключится при проигрывании нового списка треков Если доступно достаточно места, показывать управление громкостью на экране воспроизведения Показать обложку альбома Тема обложки альбома - Стиль смены обложки альбома + Стиль обложки экрана текущего воспроизведение Сетка альбомов Цветные ярлыки Сетка исполнителей - Уменьшить громкость при потере фокусировки + Уменьшить громкость при потере фокуса Автозагрузка изображений исполнителя Черный список Воспроизведение при подключении Bluetooth @@ -341,10 +340,10 @@ Классический дизайн уведомлений Адаптированный цвет Цветное уведомление - Немного обесцвеченный цвет + Немного обесцвеченный цвет Дополнительные элементы управления Информация о песне - Непрерывное воспроизведение + Беспроблемное воспроизведение Тема приложения Показать вкладку жанра Сетка исполнителя на Главной странице @@ -353,20 +352,20 @@ Дата последнего добавления плейлиста Полноэкранное управление Цветная панель навигации - Тема экрана воспроизведения + Тема экрана текущего воспроизведение Лицензии с открытым кодом - Углы краёв + Круглые углы Название кнопок Эффект карусели Главный цвет Полноэкранное приложение - Названия вкладок + Заголовки Автовоспроизведение Режим перемешивания Управление громкостью Информация о пользователе Основной цвет - Основной цвет темы, по умолчанию - серо-голубой, теперь работает с темными цветами + Основной цвет темы, по умолчанию - синий, теперь работает с темными цветами Pro Черная тема, Темы экрана воспроизведения, Эффект карусели и многое другое.. Профиль @@ -374,7 +373,7 @@ * Подумайте, прежде чем покупать, не просите возврата. Очередь Оценить приложение - Понравилось это приложение? Напишите нам в Google Play Store о том, как мы можем сделать его еще лучше + Любите это приложение? Сообщите нам в Google Play Store, как мы можем сделать его еще лучше Последние альбомы Последние исполнители Удалить @@ -392,9 +391,9 @@ Сбросить Сбросить изображение исполнителя Восстановить - Предыдущая покупка восстановлена. Пожалуйста, перезапустите приложение, чтобы использовать все функции. - Предыдущие покупки восстановлены. - Восстановление покупки… + Предыдущая покупка восстановлена. Перезагрузите приложение, чтобы использовать все функции. + Восстановленные предыдущие покупки. + Восстановление покупки ... Эквалайзер Retro Music Retro Music Player Retro Music Pro @@ -413,26 +412,26 @@ Сохранить - Сохранить как - Сохранить как + Сохранить как... + Сохранить как... Сохраненный список воспроизведения в %s. Сохранение изменений Сканировать медиа-файлы Просканировано %1$d из %2$d файлов. - Скробблинги - Поиск в вашей библиотеке… + Скробблинг + Найдите свою библиотеку ... Выбрать все Выбрать фото баннера Выбрано - Отправить лог сбоя - Установить + Отправить лог ошибки + Задавать Установить изображение исполнителя Выбрать фото профиля Поделиться приложением Поделиться в Историях Перемешать Простая - Таймер сна отменен. + Таймер отключения отменен. Таймер сна установлен на %d минут. Провести Маленький альбом @@ -446,7 +445,7 @@ Альбом Исполнитель Композитор - Дата добавления + Дата Дата изменения Год По убыванию @@ -463,14 +462,14 @@ Telegram Присоединитесь к группе Telegram, чтобы обсуждать ошибки, предлагать улучшения, хвастаться и делать многое другое - Спасибо! + Спасибо ! Аудиофайл Этот месяц - Эта неделя + Это неделя Этот год Крошечный Название - Панель управления + Панель приборов Добрый день Добрый день Добрый вечер @@ -480,26 +479,26 @@ Сегодня Топ альбомов Топ исполнителей - "Песня (2 для песня 2 или 3004 для CD3 песни 4)" - Номер песни - Перевести + "Трек (2 для трека 2 или 3004 для CD3 трека 4)" + Номер трека + Переведите Помогите нам перевести приложение на ваш язык Твиттер Поделитесь своим дизайном с Retro Music Не помечено - Не удалось воспроизвести эту песню. - Следующий + \u041d\u0435 \u0443\u0434\u0430\u043b\u043e\u0441\u044c \u0432\u043e\u0441\u043f\u0440\u043e\u0438\u0437\u0432\u0435\u0441\u0442\u0438 \u044d\u0442\u0443 \u043f\u0435\u0441\u043d\u044e. + Следующие песни Обновить изображение - Обновляется… + Обновленяется ... Имя пользователя Версия - Вертикальный поворт + Вертикальная ориентация Виртуализация Громкость Поиск в интернете Добро пожаловать, Чем вы хотите поделиться? - Что нового + Что нового : Окно Закругленные углы Установите %1$s в качестве мелодии звонка. @@ -513,4 +512,9 @@ Начать оплату Показать экран воспроизведения Нажатие на уведомление будет показывать экран воспроизведения вместо домашнего экрана + Крошечная карточка + О программе %s + Выберите язык + Переводчики + Люди которые помогали переводить это приложение diff --git a/app/src/main/res/values-sk-rSK/strings.xml b/app/src/main/res/values-sk-rSK/strings.xml index 2124ffe5..911dc4dc 100644 --- a/app/src/main/res/values-sk-rSK/strings.xml +++ b/app/src/main/res/values-sk-rSK/strings.xml @@ -192,7 +192,6 @@ Gradient image Change artist image download settings Inserted %1$d songs into the playlist %2$s. - Instagram Share your Retro Music setup to showcase on Instagram Keyboard Bitrate @@ -512,4 +511,9 @@ 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 diff --git a/app/src/main/res/values-sr-rSP/strings.xml b/app/src/main/res/values-sr-rSP/strings.xml index 2124ffe5..2bd48d8f 100644 --- a/app/src/main/res/values-sr-rSP/strings.xml +++ b/app/src/main/res/values-sr-rSP/strings.xml @@ -1,83 +1,83 @@ Team, social links - Accent color - The theme accent color, defaults to purple - About - Add to favorites - Add to playing queue - Add to playlist - Clear playing queue - Clear playlist + Boja detalja + Boja plejera, uobičajena je zelena + O programerima + Dodaj u omiljene + Dodaj u listu za pustanje + Dodaj na plejlistu + Izbrisi trenutnu plejlistu za pustanje + Izbrisi plejlistu Cycle repeat mode - Delete - Delete from device - Details - Go to album - Go to artist + Obrisi + Izbrisi sa uredjaja + Detalji + Vidi album + Vidi izvodjaca Go to genre - Go to start directory - Grant - Grid size - Grid size (land) + Idi u pocetni direktorijum + . + Velicina kartica + . New playlist - Next - Play + Sledece + Pusti Play all - Play next - Play/Pause - Previous - Remove from favorites - Remove from playing queue - Remove from playlist - Rename - Save playing queue - Scan - Search - Start - Set as ringtone - Set as start directory - "Settings" - Share - Shuffle all - Shuffle playlist - Sleep timer + Pusti sledeće + Pusti/pauziraj + Prethodno + Izbrisi iz favorita + Izbrisi iz trenutne plajliste za slusanje + Obrisi sa plejliste + Promeni naziv + Sacuvaj plejlistu za trenutno pustanje + Skeniraj fajlove + Pretrazi + Postavi + Postavi kao melodiju zvona + Postavi kao pocetni direktorijum + "Podesavanja" + Podeli + Nasumicno pusti + Nasumicno pusti plejlistu + Tajmer za iskljucivanje Sort order - Tag editor + Uredjivac tagova Toggle favorite Toggle shuffle mode Adaptive - Add + Dodaj Add lyrics - Add \nphoto - "Add to playlist" + Dodaj sliku + "Dodaj na plejlistu" Add time frame lyrics - "Added 1 title to the playing queue." - Added %1$d titles to the playing queue. + "Dodata je 1 pesma na plejlistu" + Dodato %1$d pesama na plejlistu Album - Album artist - The title or artist is empty. - Albums - Always - Hey check out this cool music player at: https://play.google.com/store/apps/details?id=%s - Shuffle - Top Tracks - Retro music - Big + Izvodjac albuma + Naziv ili izvodjac su nepoznati + Albumi + Uvek + Isprobaj ovaj fantastican plejer na: https://play.google.com/store/apps/details?id=%s + Reprodukuj nasumicno + Najvise slusano + Retro Music - Big Retro music - Card Retro music - Classic - Retro music - Small + Retro Music - Small Retro music - Text - Artist - Artists - Audio focus denied. + Izvodjac + Izvodjac + Zvuk se vec reprodukuje Change the sound settings and adjust the equalizer controls Auto Base color theme Bass Boost Bio - Biography - Just Black - Blacklist + Biografija + Perfektno crna + Ne trazi muziku u... Blur Blur Card Unable to send report @@ -95,7 +95,7 @@ Uploading report to GitHub… Send using GitHub account Buy now - Cancel + Otkazi trenutni tajmer Card Circular Colored Card @@ -104,74 +104,74 @@ Carousel effect on the now playing screen Cascading Cast - Changelog - Changelog maintained on the Telegram channel + Izmene + Izmene odobrene za Telegram aplikacije Circle Circular Classic - Clear + Ocisti Clear app data - Clear blacklist + Ocisti listu za ignorisanje foldera Clear queue - Clear playlist - %1$s? This can\u2019t be undone!]]> + Ocisti plejlistu + %1$s? Izmene se nece moci opozvati!]]> Close Color Color - Colors + Boje Composer Copied device info to clipboard. - Couldn\u2019t create playlist. - "Couldn\u2019t download a matching album cover." + Nemoguce je napraviti plejlistu + "Nemoguce je preuzeti odgovarajucu pozadinu albuma" Could not restore purchase. - Could not scan %d files. - Create - Created playlist %1$s. + Nije moguce skenirati %d fajlove + Napravi + Plejlista %1$s je napravljena Members and contributors - Currently listening to %1$s by %2$s. - Kinda Dark - No Lyrics - Delete playlist - %1$s?]]> - Delete playlists + Trenutno se reprodukuje %1$s izvodjaca %2$s + Kao tamno + Nema pronadjenih tekstova + Izbrisi plejlistu + %1$s plejlistu?]]> + Izbrisi plejlistu Delete song - %1$s?]]> + %1$s?]]> Delete songs - %1$d playlists?]]> - %1$d songs?]]> - Deleted %1$d songs. + %1$d plejliste?]]> + %1$d numere?]]> + Izbrisi %1$d numere. Deleting songs Depth Description Device info Allow Retro Music to modify audio settings Set ringtone - Do you want to clear the blacklist? - %1$s from the blacklist?]]> - Donate - If you think I deserve to get paid for my work, you can leave some money here - Buy me a: - Download from Last.fm + Da li zelite da ispraznite listu za ignorisanje foldera? + %1$s sa liste za ignorisanje foldera?]]> + Doniraj + Ako mislis da zasluzujem da budem placen za ovaj posao, mozes mi poslati par dolara + Kupi mi + Preuzmi sa Last.fm Drive mode Edit Edit cover - Empty - Equalizer + Nema pesama + Ekvilajzer Error FAQ - Favorites + Favoriti Finish last song Fit - Flat - Folders + Ravno + Folderi Follow system - For you + Za tebe Free - Full + Ispunjen Full card Change the theme and colors of the app Look and feel - Genre + Zanr Genres Fork the project on GitHub Join the Google Plus community where you can ask for help or follow Retro Music updates @@ -185,94 +185,93 @@ 8 Grid style Hinge - History - Home + Istorija reprodukovanja + Pocetak Horizontal flip Image Gradient image Change artist image download settings - Inserted %1$d songs into the playlist %2$s. - Instagram + Ubaceno %1$d pesama u plejlistu %2$s. Share your Retro Music setup to showcase on Instagram Keyboard Bitrate - Format - File name - File path - Size + Formatiraj + Naziv datoteke + Lokacija datoteke + Velicina More from %s - Sampling rate - Length + Brzina uzorkovanja + Duzina trajanja Labeled - Last added + Poslednje dodato Last song - Let\'s play some music - Library + Slusajmo nesto! + Pretrazi Library categories - Licenses - Clearly White + Licence + Perfektno bela Listeners - Listing files - Loading products… + Pronalazenje pesama + Ucitavanje datoteka... Login - Lyrics + Tekst pesme Made with ❤️ in India Material Error Permission error - Name - Most played - Never + Moje ime je + Najslusanije numere + Nikada New banner photo - New playlist + Nova plejlista New profile photo - %s is the new start directory. + %s je novi pocetni direktorijum. Next Song - You have no albums - You have no artists - "Play a song first, then try again." - No equalizer found + Nema albuma + Nema izvodjaca + "Prvo pusti pesmu, a onda pokusaj opet" + Nije pronadjen ni jedan ekvilajzer You have no genres - No lyrics found + Nema pronadjenog teksta pesme No songs playing - You have no playlists + Nema plejliste No purchase found. - No results - You have no songs - Normal + Nema rezultata + Nema pesama + Normalno Normal lyrics Normal - %s is not listed in the media store.]]> - Nothing to scan. + %s nije pronadjen u prodavnici pesama]]> + Nema se sta skenirati Nothing to see - Notification + Obavestenja Customize the notification style Now playing - Now playing queue + Lista za trenutno pustanje Customize the now playing screen 9+ now playing themes - Only on Wi-Fi + Samo kada je povezan na WiFi Advanced testing features Other Password - Past 3 months + Prosla 3 meseca Paste lyrics here Peak - Permission to access external storage denied. - Permissions denied. + Dozvola za pristup spoljasnjem skladistu je odbijena + Dozvola odbijena. Personalize Customize your now playing and UI controls - Pick from local storage + Izaberi iz unutrasnjeg skladista 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 + 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 @@ -282,14 +281,14 @@ Filter song duration Advanced Album style - Audio + Zvuk Blacklist Controls Theme - Images + Slike Library - Lockscreen - Playlists + Zakljucan ekran + Plejliste Pauses the song when the volume decreases to zero and starts playing back when the volume level rises. Also works outside the app Pause on zero Keep in mind that enabling this feature may affect battery life @@ -297,104 +296,104 @@ 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 + Koristi omot albuma kao pozadinu kada se reprodukuje muzika + Obavestenja, navigacija itd. The content of blacklisted folders is hidden from your library. Start playing as soon as connected to bluetooth device - Blur the album cover on the lockscreen. Can cause problems with third party apps and widgets + Zamuti omot albuma na zakljucanom ekranu. (moze izazvati probleme sa drugim aplikacijama i vidzetima) Carousel effect for the album art in the now playing screen. Note that Card and Blur Card themes won\'t work - 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" + 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 - "Can cause playback issues on some devices." + "Moze prouzrokovati probleme na pojedinim uredjajima." Toggle genre tab Toggle home banner style - Can increase the album cover quality, but causes slower image loading times. Only enable this if you have problems with low resolution artworks + 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. - 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 + 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 - If enough space is available, show volume controls in the now playing screen - Show album cover + Ukoliko imas prostora na ekranu za pustanje omoguci kontroler jacine zvuka. + Prikazi omot albuma Album cover theme Album cover skip Album grid - Colored app shortcuts + Obojene ikone aplikacije Artist grid - Reduce volume on focus loss - Auto-download artist images + Utisaj zvuk prilikom poziva i drugih obavestenja. + Automatski preuzmi sliku izvodjaca Blacklist Bluetooth playback - Blur album cover + Zamuti omot albuma Choose equalizer - Classic notification design - Adaptive color - Colored notification + Klasican stil obavestenja + Prilagodive boje + Obojena obavestenja Desaturated color Extra controls Song info - Gapless playback - App theme + Neuznemiravano reprodukovanje + Opsta tema Show genre tab Home artist grid Home banner - Ignore Media Store covers - Last added playlist interval - Fullscreen controls - Colored navigation bar - Now playing theme - Open source licences - Corner edges + 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 - Fullscreen app - Tab titles - Auto-play + Aplikacija preko celog ekrana + Nazivi kartica + Automatsko reprodukovanje Shuffle mode - Volume controls - User info - Primary color - The primary theme color, defaults to blue grey, for now works with dark colors + 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. - Queue - Rate the app - Love this app? Let us know in the Google Play Store how we can make it even better + Trenutno + Oceni aplikaciju + Volis ovu aplikaciju? Obavesti nas u Google Play Prodavnici Recent albums Recent artists - Remove + Izbrisi Remove banner photo - Remove cover - Remove from blacklist + Izbrisi omot albuma + Izbrisi sa liste za ignorisanje foldera Remove profile photo - Remove song from playlist - %1$s from the playlist?]]> - Remove songs from playlist - %1$d songs from the playlist?]]> - Rename playlist + Izbrisi pesmu sa plejliste + %1$s sa plejliste?]]> + Izbrisi pesme sa plejliste + %1$d pesama sa plejliste?]]> + Promeni ime plejliste Report an issue Report bug Reset - Reset artist image + Resetuj sliku izvodjaca Restore Restored previous purchase. Please restart the app to make use of all features. - Restored previous purchases. + Obnovljene su prethodne kupovine Restoring purchase… - Retro Music Equalizer + Retro ekvalajzer Retro Music Player Retro Music Pro File delete failed: %s @@ -412,35 +411,35 @@ Save - Save as file + Sacuvaj kao fajl Save as files - Saved playlist to %s. - Saving changes + Plej lista sacuvana u %s. + Cuvanje izmena Scan media - Scanned %1$d of %2$d files. + Skenirano %1$d od %2$d fajlova Scrobbles - Search your library… + Pretrazi svoju biblioteku... Select all Select banner photo Selected Send crash log Set - Set artist image + Postavi sliku izvodjaca Set a profile photo Share app Share to Stories - Shuffle - Simple - Sleep timer canceled. - Sleep timer set for %d minutes from now. + Nasumicno pusti + Jednostavan + Tajmer za iskljucivanje je otkazan + Tajmer za iskljucivanje je podesen za %d od sad. Slide Small album Social Share story - Song - Song duration - Songs - Sort order + Pesma + Trajanje pesme + Pesme + Nacin sortiranja Ascending Album Artist @@ -449,61 +448,61 @@ Date modified Year Descending - Sorry! Your device doesn\'t support speech input - Search your library + Izvini! Tvoj uredjaj ne podrzava unos govorom + Pretrazi svoju biblioteku Stack Start playing music. Suggestions - Just show your name on home screen - Support development + 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 - Thank you! - The audio file - This month - This week - This year - Tiny + Hvala! + Audio fajl + Ovog meseca + Ove nedelje + Ove godine + Sitno Title - Dashboard - Good afternoon - Good day - Good evening - Good morning - Good night - What\'s Your Name - Today + Komandna tabla + Dobar dan + Dobar dan + Dobro vece + Dobro jutro + Laku noc + Kako se zoves? + Danas Top albums Top artists - "Track (2 for track 2 or 3004 for CD3 track 4)" - Track number - Translate + "Redni broj (2 za redni broj 2 ili 3004 za CD3 redni broj 4)" + Redni broj + Prevod Help us translate the app to your language Twitter Share your design with Retro Music Unlabeled - Couldn\u2019t play this song. - Up next - Update image - Updating… + Nije moguce pustiti pesmu. + Sledece + Azuriraj sliku + Azurira se... Username - Version + Verzija Vertical flip Virtualizer Volume - Web search + Web pretraga Welcome, - What do you want to share? + Sta zelis da podelis? What\'s New Window Rounded corners - Set %1$s as your ringtone. - %1$d selected - Year + Postavi %1$s kao melodiju zvona. + Selektovano %1$d + Godina You have to select at least one category. You will be forwarded to the issue tracker website. Your account data is only used for authentication. @@ -512,4 +511,9 @@ 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 diff --git a/app/src/main/res/values-sv-rSE/strings.xml b/app/src/main/res/values-sv-rSE/strings.xml index 2124ffe5..911dc4dc 100644 --- a/app/src/main/res/values-sv-rSE/strings.xml +++ b/app/src/main/res/values-sv-rSE/strings.xml @@ -192,7 +192,6 @@ Gradient image Change artist image download settings Inserted %1$d songs into the playlist %2$s. - Instagram Share your Retro Music setup to showcase on Instagram Keyboard Bitrate @@ -512,4 +511,9 @@ 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 diff --git a/app/src/main/res/values-ta-rIN/strings.xml b/app/src/main/res/values-ta-rIN/strings.xml index 2124ffe5..911dc4dc 100644 --- a/app/src/main/res/values-ta-rIN/strings.xml +++ b/app/src/main/res/values-ta-rIN/strings.xml @@ -192,7 +192,6 @@ Gradient image Change artist image download settings Inserted %1$d songs into the playlist %2$s. - Instagram Share your Retro Music setup to showcase on Instagram Keyboard Bitrate @@ -512,4 +511,9 @@ 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 diff --git a/app/src/main/res/values-te-rIN/strings.xml b/app/src/main/res/values-te-rIN/strings.xml index f4bc9744..1ffea1aa 100644 --- a/app/src/main/res/values-te-rIN/strings.xml +++ b/app/src/main/res/values-te-rIN/strings.xml @@ -2,187 +2,187 @@ బృందం, సామాజిక లింకులు యాస రంగు - The theme accent color, defaults to purple - About - Add to favorites - Add to playing queue - Add to playlist - Clear playing queue - Clear playlist - Cycle repeat mode - Delete - Delete from device - Details - Go to album - Go to artist - Go to genre - Go to start directory - Grant - Grid size - Grid size (land) - New playlist - Next - Play - Play all - Play next - Play/Pause - Previous - Remove from favorites - Remove from playing queue - Remove from playlist - Rename - Save playing queue - Scan - Search - Start - Set as ringtone - Set as start directory - "Settings" + థీమ్ యాస రంగు పర్పుల్ రంగుకు డిఫాల్ట్ అవుతుంది + గురించి + ఇష్టమైన వాటికి జోడించండి + క్యూ ఆడటానికి జోడించండి + పాటల క్రమంలో చేర్చు + క్యూ ప్లే చేయడం క్లియర్ + ప్లేజాబితాను క్లియర్ చేయండి + సైకిల్ రిపీట్ మోడ్ + తొలగించు + పరికరం నుండి తొలగించండి + వివరాలు + ఆల్బమ్‌కు వెళ్లండి + ఆర్టిస్ట్ వద్దకు వెళ్ళండి + కళా ప్రక్రియకు వెళ్లండి + డైరెక్టరీని ప్రారంభించడానికి వెళ్ళండి + గ్రాంట్ + గ్రిడ్ పరిమాణం + గ్రిడ్ పరిమాణం (land) + క్రొత్త ప్లేజాబితా + తరువాత + ప్లే + అన్ని ప్లే + తదుపరి ఆడండి + ప్లే / పాజ్ + మునుపటి + ఇష్టమైనవి నుండి తీసివేయండి + క్యూ ఆడటం నుండి తొలగించండి + ప్లేజాబితా నుండి తీసివేయండి + పేరు మార్చు + క్యూ ప్లే చేయడం సేవ్ చేయండి + స్కాన్ + వెతకండి + ప్రారంభం + రింగు టోనుగా ఏర్పాటు చేయు + ప్రారంభ డైరెక్టరీగా సెట్ చేయండి + "సెట్టింగులు" Share - Shuffle all - Shuffle playlist - Sleep timer - Sort order - Tag editor - Toggle favorite - Toggle shuffle mode - Adaptive - Add - Add lyrics - Add \nphoto - "Add to playlist" - Add time frame lyrics - "Added 1 title to the playing queue." - Added %1$d titles to the playing queue. - Album - Album artist - The title or artist is empty. - Albums - Always - Hey check out this cool music player at: https://play.google.com/store/apps/details?id=%s - Shuffle - Top Tracks - Retro music - Big - Retro music - Card - Retro music - Classic - Retro music - Small - Retro music - Text - Artist - Artists - Audio focus denied. - Change the sound settings and adjust the equalizer controls - Auto - Base color theme - Bass Boost - Bio - Biography - Just Black - Blacklist - Blur - Blur Card - Unable to send report - Invalid access token. Please contact the app developer. - Issues are not enabled for the selected repository. Please contact the app developer. - An unexpected error occurred. Please contact the app developer. - Wrong username or password - Issue - Send manually - Please enter an issue description - Please enter your valid GitHub password - Please enter an issue title - Please enter your valid GitHub username - An unexpected error occurred. Sorry you found this bug, if it keeps crashing \"Clear app data\" or send an Email - Uploading report to GitHub… - Send using GitHub account - Buy now - Cancel - Card - Circular - Colored Card - Card - Carousel - Carousel effect on the now playing screen - Cascading - Cast - Changelog - Changelog maintained on the Telegram channel - Circle - Circular - Classic - Clear - Clear app data - Clear blacklist - Clear queue - Clear playlist - %1$s? This can\u2019t be undone!]]> - Close - Color - Color - Colors - Composer - Copied device info to clipboard. - Couldn\u2019t create playlist. - "Couldn\u2019t download a matching album cover." - Could not restore purchase. - Could not scan %d files. - Create - Created playlist %1$s. - Members and contributors - Currently listening to %1$s by %2$s. - Kinda Dark - No Lyrics - Delete playlist - %1$s?]]> - Delete playlists - Delete song - %1$s?]]> - Delete songs - %1$d playlists?]]> - %1$d songs?]]> - Deleted %1$d songs. - Deleting songs - Depth - Description - Device info - Allow Retro Music to modify audio settings - Set ringtone - Do you want to clear the blacklist? - %1$s from the blacklist?]]> - Donate - If you think I deserve to get paid for my work, you can leave some money here - Buy me a: - Download from Last.fm - Drive mode - Edit - Edit cover - Empty - Equalizer - Error - FAQ - Favorites - Finish last song - Fit - Flat - Folders - Follow system - For you - Free - Full - Full card - Change the theme and colors of the app - Look and feel - Genre - Genres - Fork the project on GitHub - Join the Google Plus community where you can ask for help or follow Retro Music updates - ఒకటి - రెండు - మూడు - నాలుగు - ఐదు - ఆరు - ఏడు - ఎనిమిది + అన్నీ షఫుల్ చేయండి + ప్లేజాబితాను షఫుల్ చేయండి + స్లీప్ టైమర్ + క్రమాన్ని క్రమబద్ధీకరించు + ట్యాగ్ ఎడిటర్ + ఇష్టమైన టోగుల్ చేయండి + షఫుల్ మోడ్‌ను టోగుల్ చేయండి + అనుకూల + చేర్చు + సాహిత్యాన్ని జోడించండి + ఫోటోను జోడించండి + "పాటల క్రమంలో చేర్చు" + సమయ ఫ్రేమ్ సాహిత్యాన్ని జోడించండి + "ప్లే క్యూలో 1 శీర్షిక జోడించబడింది." + ప్లే క్యూలో %1$d శీర్షికలను చేర్చారు. + ఆల్బమ్ + ఆల్బమ్ ఆర్టిస్ట్ + టైటిల్ లేదా ఆర్టిస్ట్ ఖాళీగా ఉంది. + ఆల్బమ్లు + ఎల్లప్పుడూ + హే ఈ చల్లని మ్యూజిక్ ప్లేయర్‌ను ఇక్కడ చూడండి: https://play.google.com/store/apps/details?id=%s + షఫుల్ + అగ్ర ట్రాక్‌లు + రెట్రో సంగీతం - పెద్దది + రెట్రో సంగీతం - కార్డ్ + రెట్రో సంగీతం - క్లాసిక్ + రెట్రో సంగీతం - చిన్నది + రెట్రో సంగీతం - టెక్స్ట్ + ఆర్టిస్ట్ + ఆర్టిస్ట్స్ + ఆడియో ఫోకస్ తిరస్కరించబడింది. + ధ్వని సెట్టింగులను మార్చండి మరియు ఈక్వలైజర్ నియంత్రణలను సర్దుబాటు చేయండి + దానంతట అదే + బేస్ కలర్ థీమ్ + బాస్ బూస్ట్ + బయో + బయోగ్రఫీ + జస్ట్ బ్లాక్ + బ్లాక్లిస్ట్ + బ్లర్ + బ్లర్ కార్డ్ + నివేదిక పంపడం సాధ్యం కాలేదు + చెల్లని యాక్యిస్ టోకను. దయచేసి అనువర్తన డెవలపర్‌ను సంప్రదించండి. + ఎంచుకున్న రిపోజిటరీ కోసం సమస్యలు ప్రారంభించబడవు. దయచేసి అనువర్తన డెవలపర్‌ను సంప్రదించండి. + అనుకోని తప్పు జరిగినది. దయచేసి అనువర్తన డెవలపర్‌ను సంప్రదించండి. + తప్పు వాడుకరి పేరు లేదా తప్పు పాస్ వర్డ్ + సమస్య + మానవీయంగా పంపండి + దయచేసి సమస్య వివరణను నమోదు చేయండి + దయచేసి మీ చెల్లుబాటు అయ్యే GitHub పాస్‌వర్డ్‌ను నమోదు చేయండి + దయచేసి సమస్య శీర్షికను నమోదు చేయండి + దయచేసి మీ చెల్లుబాటు అయ్యే GitHub వినియోగదారు పేరును నమోదు చేయండి + అనుకోని తప్పు జరిగినది. క్షమించండి, మీరు ఈ బగ్‌ను కనుగొన్నారు, అది \"అనువర్తన డేటాను క్లియర్ చేయి\" క్రాష్ చేస్తూ ఉంటే లేదా ఇమెయిల్ పంపండి + గిట్‌హబ్‌కు నివేదికను అప్‌లోడ్ చేస్తోంది… + GitHub ఖాతాను ఉపయోగించి పంపండి + ఇప్పుడే కొనండి + రద్దు చేయండి + కార్డ్ + సర్క్యులర్ + రంగు కార్డు + కార్డ్ + రంగులరాట్నం + ఇప్పుడు ప్లే అవుతున్న తెరపై రంగులరాట్నం ప్రభావం + క్యాస్కేడింగ్ + తారాగణం + చేంజ్లాగ్ + టెలిగ్రామ్ ఛానెల్‌లో చేంజ్లాగ్ నిర్వహించబడుతుంది + వృత్తం + సర్క్యులర్ + క్లాసిక్ + ప్రశాంతంగా + అనువర్తన డేటాను క్లియర్ చేయండి + బ్లాక్లిస్ట్ క్లియర్ + క్యూ క్లియర్ + ప్లేజాబితాను క్లియర్ చేయండి + % 1 $ s ప్లేజాబితాను క్లియర్ చేయాలా? ఇది రద్దు చేయబడదు!]]> + దగ్గరగా + రంగు + రంగు + రంగులు + కంపోజర్ + పరికర సమాచారం క్లిప్‌బోర్డ్‌కు కాపీ చేయబడింది + ప్లేజాబితాను సృష్టించడం సాధ్యం కాలేదు + "సరిపోయే ఆల్బమ్ కవర్‌ను డౌన్‌లోడ్ చేయలేము." + కొనుగోలును పునరుద్ధరించడం సాధ్యం కాలేదు. + % D ఫైళ్ళను స్కాన్ చేయలేకపోయింది. + సృష్టించు + ప్లేజాబితా% 1 $ s సృష్టించబడింది. + సభ్యులు మరియు సహాయకులు + ప్రస్తుతం% 2 by s ద్వారా% 1 $ s వింటున్నారు. + కైండా డార్క్ + సాహిత్యం లేదు + ప్లేజాబితాను తొలగించండి + % 1 $ s ప్లేజాబితాను తొలగించాలా?]]> + ప్లేజాబితాలను తొలగించండి + పాటను తొలగించండి + % 1 $ s పాటను తొలగించాలా?]]> + పాటలను తొలగించండి + % 1 $ d ప్లేజాబితాలను తొలగించాలా?]]> + % 1 $ d పాటలను తొలగించాలా?]]> + % 1 $ d పాటలు తొలగించబడ్డాయి. + పాటలను తొలగిస్తోంది + లోతు + వివరణ + పరికర సమాచారం + ఆడియో సెట్టింగులను సవరించడానికి రెట్రో సంగీతాన్ని అనుమతించండి + రింగ్‌టోన్ సెట్ చేయండి + మీరు బ్లాక్లిస్ట్ క్లియర్ చేయాలనుకుంటున్నారా? + % 1 $ s ను తొలగించాలనుకుంటున్నారా?]]> + దానం + నా పనికి డబ్బు సంపాదించడానికి నేను అర్హుడని మీరు అనుకుంటే, మీరు ఇక్కడ కొంత డబ్బును వదిలివేయవచ్చు + నన్ను కొనండి: + Last.fm నుండి డౌన్‌లోడ్ చేయండి + డ్రైవ్ మోడ్ + మార్చు + కవర్‌ను సవరించండి + ఖాళీ + సమం + లోపం + ఎఫ్ ఎ క్యూ + ఇష్టమైన + చివరి పాటను ముగించండి + ఫిట్ + ఫ్లాట్ + ఫోల్డర్లు + వ్యవస్థను అనుసరించండి + మీ కోసం + ఉచిత + పూర్తి + పూర్తి కార్డు + అనువర్తనం యొక్క థీమ్ మరియు రంగులను మార్చండి + చూడండి మరియు అనుభూతి + చూడండి మరియు అనుభూతి + కళలు + GitHub లో ప్రాజెక్ట్ను ఫోర్క్ చేయండి + మీరు సహాయం కోసం అడగగల లేదా రెట్రో మ్యూజిక్ నవీకరణలను అనుసరించగల Google ప్లస్ సంఘంలో చేరండి + 1 + 2 + 3 + 4 + 5 + 6 + 7 + 8 గ్రిడ్ శైలి హింగ్ చరిత్ర @@ -191,8 +191,7 @@ చిత్రం ప్రవణత చిత్రం ఆర్టిస్ట్ ఇమేజ్ డౌన్‌లోడ్ సెట్టింగులను మార్చండి - %1$d పాటలను ప్లేజాబితా %2$s లో చేర్చారు. - Instagram + % 1 $ d పాటలను ప్లేజాబితా% 2 $ s లో చేర్చారు. Instagram లో ప్రదర్శించడానికి మీ రెట్రో మ్యూజిక్ సెటప్‌ను భాగస్వామ్యం చేయండి కీబోర్డ్ బిట్రేటుని @@ -200,7 +199,7 @@ ఫైల్ పేరు ఫైల్ మార్గం పరిమాణం - %S నుండి ఎక్కువ + % S నుండి ఎక్కువ మాదిరి రేటు పొడవు లేబుల్ @@ -210,306 +209,311 @@ గ్రంధాలయం లైబ్రరీ వర్గాలు లైసెన్సుల - స్పష్టంగా తెలుపు + Clearly White శ్రోతలు - Listing files - Loading products… - Login - Lyrics - Made with ❤️ in India - Material - Error - Permission error - Name + ఫైళ్ళను జాబితా చేస్తోంది + ఉత్పత్తులను లోడ్ చేస్తోంది… + ప్రవేశించండి + సాహిత్యం + భారతదేశంలో 🖤 తో తయారు చేయబడింది + మెటీరియల్ + లోపం + అనుమతి లోపం + పేరు ఎక్కువగా ఆడారు - Never - New banner photo - New playlist - New profile photo - %s is the new start directory. - Next Song - You have no albums - You have no artists - "Play a song first, then try again." - No equalizer found - You have no genres - No lyrics found - No songs playing - You have no playlists - No purchase found. - No results - You have no songs - Normal - Normal lyrics - Normal - %s is not listed in the media store.]]> - Nothing to scan. - Nothing to see - Notification - Customize the notification style - Now playing - Now playing queue - Customize the now playing screen - 9+ now playing themes - Only on Wi-Fi - Advanced testing features - Other - Password - Past 3 months - Paste lyrics here - Peak - Permission to access external storage denied. - Permissions denied. - Personalize - Customize your now playing and UI controls - Pick from local storage - Pick image + నెవర్ + క్రొత్త బ్యానర్ ఫోటో + క్రొత్త ప్లేజాబితా + క్రొత్త ప్రొఫైల్ ఫోటో + % s క్రొత్త ప్రారంభ డైరెక్టరీ. + తదుపరి పాట + మీకు ఆల్బమ్‌లు లేవు + మీకు కళాకారులు లేరు + "మొదట పాటను ప్లే చేయండి, ఆపై మళ్లీ ప్రయత్నించండి." + ఈక్వలైజర్ కనుగొనబడలేదు + మీకు శైలులు లేవు + సాహిత్యం కనుగొనబడలేదు + పాటలు ఆడటం లేదు + మీకు ప్లేజాబితాలు లేవు + కొనుగోలు కనుగొనబడలేదు. + ఫలితాలు లేవు + మీకు పాటలు లేవు + సాధారణ + సాధారణ సాహిత్యం + సాధారణ + % s మీడియా స్టోర్‌లో జాబితా చేయబడలేదు.]]> + స్కాన్ చేయడానికి ఏమీ లేదు. + చూడటానికి ఏమీ లేదు + నోటిఫికేషన్ + నోటిఫికేషన్ శైలిని అనుకూలీకరించండి + ఇప్పుడు ఆడుతున్నారు + ఇప్పుడు క్యూ ఆడుతున్నారు + ఇప్పుడు ప్లే అవుతున్న స్క్రీన్‌ను అనుకూలీకరించండి + 9+ ఇప్పుడు థీమ్‌లను ప్లే చేస్తోంది + Wi-Fi లో మాత్రమే + అధునాతన పరీక్ష లక్షణాలు + ఇతర + పాస్వర్డ్ + గత 3 నెలలు + సాహిత్యాన్ని ఇక్కడ అతికించండి + శిఖరం + బాహ్య నిల్వను యాక్సెస్ చేయడానికి అనుమతి నిరాకరించబడింది. + అనుమతులు తిరస్కరించబడ్డాయి. + వ్యక్తిగతీకరించండి + మీరు ఇప్పుడు ఆడుతున్న మరియు UI నియంత్రణలను అనుకూలీకరించండి + స్థానిక నిల్వ నుండి ఎంచుకోండి + చిత్రాన్ని ఎంచుకోండి 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 - Album style - Audio - Blacklist - Controls - Theme - Images - Library - Lockscreen - Playlists - Pauses the song when the volume decreases to zero and starts playing back when the volume level rises. Also works outside the app - Pause on zero - Keep in mind that enabling this feature may affect battery life - Keep the screen on - Click to open with or slide to without transparent navigation of now playing screen - Click or Slide - Snow fall effect - 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. - Start playing as soon as connected to bluetooth device - Blur the album cover on the lockscreen. Can cause problems with third party apps and widgets - Carousel effect for the album art in the now playing screen. Note that Card and Blur Card themes won\'t work - 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 - Toggle home banner style - Can increase the album cover quality, but causes slower image loading times. Only enable this if you have problems with low resolution artworks - Configure visibility and order of library categories. - Use Retro Music\'s custom lockscreen controls - License details for open source software - Round the app\'s edges - Toggle titles for the bottom navigation bar tabs - Immersive mode - Start playing immediately after headphones are connected - Shuffle mode will turn off when playing a new list of songs - If enough space is available, show volume controls in the now playing screen - Show album cover - Album cover theme - Album cover skip + రెట్రో మ్యూజిక్ డిజైన్ ప్రేరణ కోసం Pinterest పేజీని అనుసరించండి + సాదా + ప్లే నోటిఫికేషన్ ఆట / పాజ్ మొదలైన వాటి కోసం చర్యలను అందిస్తుంది. + నోటిఫికేషన్ ప్లే అవుతోంది + ఖాళీ ప్లేజాబితా + ప్లేజాబితా ఖాళీగా ఉంది + ప్లేజాబితా పేరు + ప్లేజాబితాలు + ఆల్బమ్ వివరాల శైలి + బ్లర్ థీమ్స్ కోసం బ్లర్ మొత్తం వర్తించబడుతుంది, తక్కువ వేగంగా ఉంటుంది + అస్పష్టమైన మొత్తం + దిగువ షీట్ డైలాగ్ మూలలను సర్దుబాటు చేయండి + డైలాగ్ మూలలో + పాటలను పొడవు వడపోత + పాట వ్యవధిని ఫిల్టర్ చేయండి + ఆధునిక + ఆల్బమ్ శైలి + ఆడియో + బ్లాక్లిస్ట్ + నియంత్రణలు + థీమ్ + చిత్రాలు + గ్రంధాలయం + లాక్ స్క్రీన్ + ప్లేజాబితాలు + వాల్యూమ్ సున్నాకి తగ్గినప్పుడు మరియు వాల్యూమ్ స్థాయి పెరిగినప్పుడు తిరిగి ప్లే చేయడం ప్రారంభించినప్పుడు పాటను పాజ్ చేస్తుంది. అనువర్తనం వెలుపల కూడా పనిచేస్తుంది + సున్నాపై పాజ్ చేయండి + ఈ లక్షణాన్ని ప్రారంభించడం బ్యాటరీ జీవితాన్ని ప్రభావితం చేస్తుందని గుర్తుంచుకోండి + స్క్రీన్‌ను ఆన్‌లో ఉంచండి + ఇప్పుడు ప్లే స్క్రీన్ యొక్క పారదర్శక నావిగేషన్ లేకుండా తెరవడానికి క్లిక్ చేయండి లేదా స్లైడ్ చేయండి + క్లిక్ చేయండి లేదా స్లైడ్ చేయండి + మంచు పతనం ప్రభావం + ప్రస్తుతం ప్లే అవుతున్న పాట ఆల్బమ్ కవర్‌ను లాక్‌స్క్రీన్ వాల్‌పేపర్‌గా ఉపయోగించండి + సిస్టమ్ ధ్వనిని ప్లే చేసినప్పుడు లేదా నోటిఫికేషన్ వచ్చినప్పుడు వాల్యూమ్‌ను తగ్గించండి + బ్లాక్ లిస్ట్ చేసిన ఫోల్డర్ల కంటెంట్ మీ లైబ్రరీ నుండి దాచబడింది. + బ్లూటూత్ పరికరానికి కనెక్ట్ అయిన వెంటనే ప్లే చేయడం ప్రారంభించండి + లాక్‌స్క్రీన్‌పై ఆల్బమ్ కవర్‌ను అస్పష్టం చేయండి. మూడవ పార్టీ అనువర్తనాలు మరియు విడ్జెట్‌లతో సమస్యలను కలిగిస్తుంది + ఇప్పుడు ప్లే అవుతున్న స్క్రీన్‌లో ఆల్బమ్ ఆర్ట్ కోసం రంగులరాట్నం ప్రభావం. కార్డ్ మరియు బ్లర్ కార్డ్ థీమ్‌లు పనిచేయవని గమనించండి + క్లాసిక్ నోటిఫికేషన్ డిజైన్‌ను ఉపయోగించండి + ఇప్పుడు ప్లే అవుతున్న స్క్రీన్ నుండి ఆల్బమ్ ఆర్ట్ ప్రకారం నేపథ్యం మరియు నియంత్రణ బటన్ రంగులు మారుతాయి + అనువర్తన సత్వరమార్గాలను యాస రంగులో రంగులు వేస్తుంది. మీరు రంగును మార్చిన ప్రతిసారీ దయచేసి దీనిని అమలు చేయడానికి టోగుల్ చేయండి + నావిగేషన్ బార్‌ను ప్రాథమిక రంగులో రంగులు వేస్తుంది + "ఆల్బమ్ కవర్ in u2019 యొక్క శక్తివంతమైన రంగులోని నోటిఫికేషన్‌ను రంగులు వేస్తుంది" + మెటీరియల్ డిజైన్ ప్రకారం డార్క్ మోడ్ రంగులలోని గైడ్ పంక్తులు డీసచురేటెడ్ అయి ఉండాలి + ఆల్బమ్ లేదా ఆర్టిస్ట్ కవర్ నుండి చాలా ఆధిపత్య రంగు తీసుకోబడుతుంది + మినీ ప్లేయర్ కోసం అదనపు నియంత్రణలను జోడించండి + ఫైల్ ఫార్మాట్, బిట్రేట్ మరియు ఫ్రీక్వెన్సీ వంటి అదనపు పాట సమాచారాన్ని చూపించు + "కొన్ని పరికరాల్లో ప్లేబ్యాక్ సమస్యలను కలిగిస్తుంది." + శైలి టాబ్‌ను టోగుల్ చేయండి + హోమ్ బ్యానర్ శైలిని టోగుల్ చేయండి + ఆల్బమ్ కవర్ నాణ్యతను పెంచగలదు, కానీ నెమ్మదిగా చిత్రం లోడింగ్ సమయాలకు కారణమవుతుంది. మీకు తక్కువ రిజల్యూషన్ కళాకృతులతో సమస్యలు ఉంటే మాత్రమే దీన్ని ప్రారంభించండి + లైబ్రరీ వర్గాల దృశ్యమానత మరియు క్రమాన్ని కాన్ఫిగర్ చేయండి. + రెట్రో మ్యూజిక్ యొక్క అనుకూల లాక్‌స్క్రీన్ నియంత్రణలను ఉపయోగించండి + ఓపెన్ సోర్స్ సాఫ్ట్‌వేర్ కోసం లైసెన్స్ వివరాలు + అనువర్తనం యొక్క అంచులను రౌండ్ చేయండి + దిగువ నావిగేషన్ బార్ ట్యాబ్‌ల కోసం శీర్షికలను టోగుల్ చేయండి + లీనమయ్యే మోడ్ + హెడ్‌ఫోన్‌లు కనెక్ట్ అయిన వెంటనే ప్లే చేయడం ప్రారంభించండి + కొత్త పాటల జాబితాను ప్లే చేసేటప్పుడు షఫుల్ మోడ్ ఆపివేయబడుతుంది + తగినంత స్థలం అందుబాటులో ఉంటే, ఇప్పుడు ప్లే అవుతున్న స్క్రీన్‌లో వాల్యూమ్ నియంత్రణలను చూపించు + ఆల్బమ్ కవర్ చూపించు + ఆల్బమ్ కవర్ థీమ్ + ఆల్బమ్ కవర్ దాటవేయి Album grid - Colored app shortcuts - Artist grid - Reduce volume on focus loss - Auto-download artist images - Blacklist - Bluetooth playback - Blur album cover - Choose equalizer - Classic notification design - Adaptive color - Colored notification - Desaturated color - Extra controls - Song info - Gapless playback - App theme - Show genre tab - Home artist grid - Home 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. - Queue - Rate the app - Love this app? Let us know in the Google Play Store how we can make it even better - Recent albums - Recent artists - Remove - Remove banner photo - Remove cover - Remove from blacklist - Remove profile photo - Remove song from playlist - %1$s from the playlist?]]> - Remove songs from playlist - %1$d songs from the playlist?]]> - Rename playlist - Report an issue - Report bug - Reset - Reset artist image - Restore - Restored previous purchase. Please restart the app to make use of all features. - Restored previous purchases. - Restoring purchase… - Retro Music Equalizer - Retro Music Player - Retro Music Pro - File delete failed: %s + రంగు అనువర్తన సత్వరమార్గాలు + ఆర్టిస్ట్ గ్రిడ్ + ఫోకస్ నష్టంపై వాల్యూమ్‌ను తగ్గించండి + ఆర్టిస్ట్ చిత్రాలను ఆటో-డౌన్‌లోడ్ చేయండి + బ్లాక్లిస్ట్ + బ్లూటూత్ ప్లేబ్యాక్ + బ్లర్ ఆల్బమ్ కవర్ + ఈక్వలైజర్ ఎంచుకోండి + క్లాసిక్ నోటిఫికేషన్ డిజైన్ + అనుకూల రంగు + రంగు నోటిఫికేషన్ + అసంతృప్త రంగు + అదనపు నియంత్రణలు + పాట సమాచారం + గ్యాప్‌లెస్ ప్లేబ్యాక్ + అనువర్తన థీమ్ + శైలి టాబ్ చూపించు + హోమ్ ఆర్టిస్ట్ గ్రిడ్ + హోమ్ బ్యానర్ + మీడియా స్టోర్ కవర్లను విస్మరించండి + చివరిగా జోడించిన ప్లేజాబితా విరామం + పూర్తి స్క్రీన్ నియంత్రణలు + రంగు నావిగేషన్ బార్ + ఇప్పుడు థీమ్ ప్లే అవుతోంది + ఓపెన్ సోర్స్ లైసెన్సులు + కార్నర్ అంచులు + టాబ్ శీర్షికల మోడ్ + రంగులరాట్నం ప్రభావం + ఆధిపత్య రంగు + పూర్తి స్క్రీన్ అనువర్తనం + టాబ్ శీర్షికలు + ఆటో ప్లే + షఫుల్ మోడ్ + వాల్యూమ్ నియంత్రణలు + వినియోగదారు సమాచారం + ప్రాథమిక రంగు + ప్రాధమిక థీమ్ రంగు, డిఫాల్ట్‌గా నీలం బూడిద రంగులో ఉంది, ఎందుకంటే ఇప్పుడు ముదురు రంగులతో పనిచేస్తుంది + ప్రో + బ్లాక్ థీమ్, ఇప్పుడు థీమ్స్ ప్లే, రంగులరాట్నం ప్రభావం మరియు మరిన్ని .. + ప్రొఫైల్ + కొనుగోలు + * కొనడానికి ముందు ఆలోచించండి, వాపసు కోసం అడగవద్దు. + క్యూ + అనువర్తనాన్ని రేట్ చేయండి + ఈ అనువర్తనాన్ని ఇష్టపడుతున్నారా? దీన్ని మరింత మెరుగ్గా ఎలా చేయవచ్చో గూగుల్ ప్లే స్టోర్‌లో మాకు తెలియజేయండి + ఇటీవలి ఆల్బమ్‌లు + ఇటీవలి కళాకారులు + తొలగించు + బ్యానర్ ఫోటోను తొలగించండి + కవర్ తొలగించండి + బ్లాక్లిస్ట్ నుండి తొలగించండి + ప్రొఫైల్ ఫోటోను తొలగించండి + ప్లేజాబితా నుండి పాటను తొలగించండి + % 1 $ s పాటను ప్లేజాబితా నుండి తొలగించాలా?]]> + ప్లేజాబితా నుండి పాటలను తొలగించండి + % 1 $ d పాటలను ప్లేజాబితా నుండి తొలగించాలా?]]> + ప్లేజాబితా పేరు మార్చండి + సమస్యను నివేదించండి + బగ్‌ను నివేదించండి + రీసెట్ + ఆర్టిస్ట్ చిత్రాన్ని రీసెట్ చేయండి + పునరుద్ధరించు + మునుపటి కొనుగోలు పునరుద్ధరించబడింది. దయచేసి అన్ని లక్షణాలను ఉపయోగించడానికి అనువర్తనాన్ని పున art ప్రారంభించండి. + మునుపటి కొనుగోళ్లను పునరుద్ధరించారు. + కొనుగోలును పునరుద్ధరిస్తోంది… + రెట్రో మ్యూజిక్ ఈక్వలైజర్ + రెట్రో మ్యూజిక్ ప్లేయర్ + రెట్రో మ్యూజిక్ ప్రో + ఫైల్ తొలగింపు విఫలమైంది:% s - Can\'t get SAF URI - Open navigation drawer - Enable \'Show SD card\' in overflow menu + SAF URI పొందలేము + నావిగేషన్ డ్రాయర్‌ను తెరవండి + ఓవర్‌ఫ్లో మెనులో \'SD కార్డ్ చూపించు\' ప్రారంభించండి - %s needs SD card access - You need to select your SD card root directory - Select your SD card in navigation drawer - Do not open any sub-folders - Tap \'select\' button at the bottom of the screen - File write failed: %s - Save + % s కి SD కార్డ్ యాక్సెస్ అవసరం + మీరు మీ SD కార్డ్ రూట్ డైరెక్టరీని ఎంచుకోవాలి + నావిగేషన్ డ్రాయర్‌లో మీ SD కార్డ్‌ను ఎంచుకోండి + ఉప ఫోల్డర్‌లను తెరవవద్దు + స్క్రీన్ దిగువన ఉన్న \'ఎంచుకోండి\' బటన్ నొక్కండి + ఫైల్ రాయడం విఫలమైంది:% s + సేవ్ - Save as file - Save as files + ఫైల్‌గా సేవ్ చేయండి + ఫైల్‌లుగా సేవ్ చేయండి Saved playlist to %s. - Saving changes - Scan media - Scanned %1$d of %2$d files. + మార్పులను సేవ్ చేస్తోంది + మీడియాను స్కాన్ చేయండి + % 2 $ d ఫైళ్ళలో% 1 $ d స్కాన్ చేయబడింది. 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 + మీ లైబ్రరీని శోధించండి… + అన్ని ఎంచుకోండి + బ్యానర్ ఫోటోను ఎంచుకోండి + ఎంచుకున్న + క్రాష్ లాగ్ పంపండి + సెట్ + ఆర్టిస్ట్ చిత్రాన్ని సెట్ చేయండి + ప్రొఫైల్ ఫోటోను సెట్ చేయండి + అనువర్తనాన్ని భాగస్వామ్యం చేయండి + కథలకు భాగస్వామ్యం చేయండి షఫుల్ - Simple - Sleep timer canceled. - Sleep timer set for %d minutes from now. - Slide - Small album - Social - Share story - Song - Song duration - Songs - Sort order - Ascending - Album - Artist - Composer - Date added - Date modified - Year - Descending - Sorry! Your device doesn\'t support speech input - Search your library - Stack - Start playing music. - Suggestions + సాధారణ + స్లీప్ టైమర్ రద్దు చేయబడింది. + స్లీప్ టైమర్ ఇప్పటి నుండి% d నిమిషాలు సెట్ చేయబడింది. + స్లయిడ్ + చిన్న ఆల్బమ్ + సామాజిక + కథను భాగస్వామ్యం చేయండి + సాంగ్ + పాట వ్యవధి + సాంగ్స్ + క్రమాన్ని క్రమబద్ధీకరించు + ఆరోహణ + ఆల్బమ్ + ఆర్టిస్ట్ + కంపోజర్ + తేదీ జోడించబడింది + తేదీ సవరించబడింది + ఇయర్ + అవరోహణ + క్షమించాలి! మీ పరికరం ప్రసంగ ఇన్‌పుట్‌కు మద్దతు ఇవ్వదు + మీ లైబ్రరీని శోధించండి + స్టాక్ + సంగీతం ఆడటం ప్రారంభించండి. + సలహాలు Just show your name on home screen - Support development - Swipe to unlock - Synced lyrics - System Equalizer + అభివృద్ధికి మద్దతు ఇవ్వండి + అన్‌లాక్ చేయడానికి స్వైప్ చేయండి + సమకాలీకరించిన సాహిత్యం + సిస్టమ్ ఈక్వలైజర్ - Telegram - Join the Telegram group to discuss bugs, make suggestions, show off and more - Thank you! - The audio file - This month - This week - This year - Tiny - Title - Dashboard - Good afternoon - Good day - Good evening - Good morning - Good night - What\'s Your Name - Today - Top albums - Top artists - "Track (2 for track 2 or 3004 for CD3 track 4)" - Track number - Translate - Help us translate the app to your language - Twitter - Share your design with Retro Music - Unlabeled - Couldn\u2019t play this song. - Up next - Update image - Updating… - Username - Version - Vertical flip + టెలిగ్రాం + దోషాలను చర్చించడానికి, సూచనలు చేయడానికి, ప్రదర్శించడానికి మరియు మరిన్ని చేయడానికి టెలిగ్రామ్ సమూహంలో చేరండి + ధన్యవాదాలు! + ఆడియో ఫైల్ + ఈ నెల + ఈ వారం + ఈ సంవత్సరం + చిన్న + శీర్షిక + డాష్బోర్డ్ + శుభ మద్యాహ్నం + మంచి రోజు + శుభ సాయంత్రం + శుభోదయం + శుభ రాత్రి + మీ పేరు ఏమిటి + నేడు + అగ్ర ఆల్బమ్‌లు + అగ్ర కళాకారులు + "ట్రాక్ (ట్రాక్ 2 కోసం 2 లేదా సిడి 3 ట్రాక్ 4 కోసం 3004)" + ట్రాక్ సంఖ్య + అనువదించు + మీ భాషకు అనువర్తనాన్ని అనువదించడానికి మాకు సహాయపడండి + ట్విట్టర్ + మీ డిజైన్‌ను రెట్రో మ్యూజిక్‌తో పంచుకోండి + అన్ లేబుల్ + ఈ పాటను ప్లే చేయలేదు. + తదుపరిది + చిత్రాన్ని నవీకరించండి + నవీకరిస్తోంది… + యూజర్ పేరు + సంస్కరణ + లంబ ఫ్లిప్ Virtualizer - Volume - Web search - Welcome, - What do you want to share? - What\'s New - Window - Rounded corners - Set %1$s as your ringtone. - %1$d selected - Year - You have to select at least one category. - You will be forwarded to the issue tracker website. - Your account data is only used for authentication. - Amount - Note(Optional) - Start payment - Show now playing screen - Clicking on the notification will show now playing screen instead of the home screen + వాల్యూమ్ + వెబ్ సెర్చ్ + స్వాగతం + మీరు ఏమి భాగస్వామ్యం చేయాలనుకుంటున్నారు? + కొత్తది ఏమిటి + కిటికీ + గుండ్రని మూలలు + % 1 $ s ను మీ రింగ్‌టోన్‌గా సెట్ చేయండి. + % 1 $ d ఎంచుకోబడింది + ఇయర్ + మీరు కనీసం ఒక వర్గాన్ని ఎంచుకోవాలి. + మీరు ఇష్యూ ట్రాకర్ వెబ్‌సైట్‌కు ఫార్వార్డ్ చేయబడతారు. + మీ ఖాతా డేటా ప్రామాణీకరణ కోసం మాత్రమే ఉపయోగించబడుతుంది. + మొత్తం + గమనిక (ఆప్షనల్) + చెల్లింపు ప్రారంభించండి + ఇప్పుడు ప్లే స్క్రీన్ చూపించు + నోటిఫికేషన్‌పై క్లిక్ చేస్తే హోమ్ స్క్రీన్‌కు బదులుగా ఇప్పుడు ప్లే స్క్రీన్ కనిపిస్తుంది + Tiny card + సుమారు% s + భాషను ఎంచుకోండి + అనువాదకుల + The people who helped translate this app diff --git a/app/src/main/res/values-tr-rTR/strings.xml b/app/src/main/res/values-tr-rTR/strings.xml index 2124ffe5..5c4513a6 100644 --- a/app/src/main/res/values-tr-rTR/strings.xml +++ b/app/src/main/res/values-tr-rTR/strings.xml @@ -1,515 +1,519 @@ - Team, social links - Accent color - The theme accent color, defaults to purple - About - Add to favorites - Add to playing queue - Add to playlist - Clear playing queue - Clear playlist - Cycle repeat mode - Delete - Delete from device - Details - Go to album - Go to artist - Go to genre - Go to start directory - Grant - Grid size - Grid size (land) - New playlist - Next - Play - Play all - Play next - Play/Pause - Previous - Remove from favorites - Remove from playing queue - Remove from playlist - Rename - Save playing queue - Scan - Search - Start - Set as ringtone - Set as start directory - "Settings" - Share - Shuffle all - Shuffle playlist - Sleep timer - Sort order - Tag editor - Toggle favorite - Toggle shuffle mode - Adaptive - Add - Add lyrics - Add \nphoto - "Add to playlist" - Add time frame lyrics - "Added 1 title to the playing queue." - Added %1$d titles to the playing queue. - Album - Album artist - The title or artist is empty. - Albums - Always - Hey check out this cool music player at: https://play.google.com/store/apps/details?id=%s - Shuffle - Top Tracks - Retro music - Big - Retro music - Card - Retro music - Classic - Retro music - Small - Retro music - Text - Artist - Artists - Audio focus denied. - Change the sound settings and adjust the equalizer controls - Auto - Base color theme - Bass Boost - Bio - Biography - Just Black - Blacklist - Blur - Blur Card - Unable to send report - Invalid access token. Please contact the app developer. - Issues are not enabled for the selected repository. Please contact the app developer. - An unexpected error occurred. Please contact the app developer. - Wrong username or password - Issue - Send manually - Please enter an issue description - Please enter your valid GitHub password - Please enter an issue title - Please enter your valid GitHub username - An unexpected error occurred. Sorry you found this bug, if it keeps crashing \"Clear app data\" or send an Email - Uploading report to GitHub… - Send using GitHub account - Buy now - Cancel - Card - Circular - Colored Card - Card - Carousel - Carousel effect on the now playing screen - Cascading - Cast - Changelog - Changelog maintained on the Telegram channel - Circle - Circular - Classic - Clear - Clear app data - Clear blacklist - Clear queue - Clear playlist - %1$s? This can\u2019t be undone!]]> - Close - Color - Color - Colors - Composer - Copied device info to clipboard. - Couldn\u2019t create playlist. - "Couldn\u2019t download a matching album cover." - Could not restore purchase. - Could not scan %d files. - Create - Created playlist %1$s. - Members and contributors - Currently listening to %1$s by %2$s. - Kinda Dark - No Lyrics - Delete playlist - %1$s?]]> - Delete playlists - Delete song - %1$s?]]> - Delete songs - %1$d playlists?]]> - %1$d songs?]]> - Deleted %1$d songs. - Deleting songs - Depth - Description - Device info - Allow Retro Music to modify audio settings - Set ringtone - Do you want to clear the blacklist? - %1$s from the blacklist?]]> - Donate - If you think I deserve to get paid for my work, you can leave some money here - Buy me a: - Download from Last.fm + Takım, sosyal medya linkleri + Vurgu rengi + Tema vurgu rengi, varsayılan olarak çamurcun renktedir. + Hakkında + Favorilere Ekle + Oynatma sırasına ekle + Oynatma listesine ekle + Oynatma kuyruğunu temizle + Oynatma listesini temizle + Tekrarlı oynatma modu + Sil + Cihazdan sil + Ayrıntılar + Albüme git + Şarkıcıya git + Şarkı türüne git + Başlangıç dizine git + Onayla + Izgara boyutu + Izgara boyutu (yer) + Yeni oynatma listesi + Sonraki + Oynat + Hepsini oynat + Bir sonrakini oynat + Oynat/Durdur + Önceki + Favorilerden çıkar + Oynatma listesinden çıkar + Oynatma listesinden çıkar + Yeniden adlandır + Oynatma kuyruğunu kaydet + Tara + Ara + Başla + Zil sesi olarak ayarla + Başlangıç ​​dizini olarak ayarla + "Ayarlar" + Paylaş + Hepsini karıştır + Oynatma listesini karıştır + Uyku zamanlayıcısı + Sıralama koşulu + Şarkı bilgilerini düzenle + Favori değiştir + Karışık Çal + Uyarlanabilir + Ekle + Şarkı sözleri ekle + Fotoğraf ekle + "Oynatma listesine ekle" + Süreli şarkı sözleri ekle + "Kuyruğa 1 parça eklendi." + %1$d şarkı kuyruğa eklendi. + Albüm + Albümün sâhibi + Ya başlık ya da şarkıcı adı boş. + Albümler + Her zaman + Merhaba, harika bir müzik deneyenimi için Retro Müziği şuradan indir: https://play.google.com/store/apps/details?id=%s + Karıştır + Sık çalınan şarkılar + Retro music - Büyük + Retro Music - Kart + Retro Music - Alışılageldik + Retro Music - Küçük + Retro Music - Yazı + Şarkıcı + Şarkıcılar + Ses odaklaması reddedildi. + Ses ayarlarını değiştirin ve ekolayzır denetimlerini gözden geçirin + Otomatik + Temel renk teması + Bas Kuvvetlendirme + Biyografi + Yaşam öyküsü + Siyah + Kara Liste + Bulanıklık + Bulanık kart + Rapor gönderilemiyor + Geçersiz erişim belirteci. Lütfen uygulama geliştiricisine başvurun. + Seçilen depo için sorunlar etkin değil. Lütfen uygulama geliştiricisiyle iletişime geçin. + Beklenmedik bir sorun oluştu. Lütfen uygulama geliştiricisine başvurun. + Yanlış kullanıcı adı veya şifre + Sorun + Manuel olarak gönder + Lütfen sorun açıklamasını yazın + Lütfen geçerli GitHub şifrenizi girin + Lütfen bir sorun başlığı girin + Lütfen geçerli bir GitHub kullanıcı adını gir + Beklenmedik bir hata oluştu. Bu hatayı bulduğunuz için üzgünüz, eğer dur madan hata verirse \"Verileri Temizleyin\" ya da Eposta gönderin + Rapor GitHub\'a yükleniyor ... + GitHub hesabını kullanarak gönder + Şimdi satın al + İptal et + Kart + Yuvarlak + Renkli Kart + Kart + Atlıkarınca + Şimdi oynatlıyor ekranında atlıkarınca efekti + Basamaklı + Yayınla + Değişiklik 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 + Yazar + Cihaz bilgileri panoya kopyalandı + Oynatma listesi yarat\u0131lamad\u0131. + "E\u015fle\u015fen bir alb\u00fcm kapa\u011f\u0131 indirilemedi" + Satın alma bulunamadı. + Dosya taranamadı + Yarat + %1$s adıyla çalma listesi yaratıldı. + Ü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 + Şarkıyı sil + %1$s adlı şarkı silinsin mi?]]> + Şarkıları sil + %1$d çalma listeleri silinsin mi?]]> + %1$d parçaları silinsin mi?]]> + %1$d parça silindi. + Şarkılar siliniyor + Derinlik + Açıklama + Cihaz Bilgisi + Retro Müzik\'in ses ayarlarını değiştirmesine izin ver + Zil sesini ayarla + Kara listeyi temizlemek istiyor musunuz? + %1$s yolunu kaldırmak istiyor musunuz?]]> + Bağış + Çalışmalarımın karşılığı olması gerektiğini düşünüyorsan bana biraz bahşiş bırakabilirsin. + Bana bağışlayacağın tutar: + Last.fm\'den yükle Drive mode - Edit - Edit cover - Empty - Equalizer - Error - FAQ - Favorites - Finish last song + Düzenle + Albüm kapağını düzenle + Boş + Ekolayzır + Hata + SSS + Gözdeler + Son şarkıyı bitir Fit - Flat - Folders - Follow system - For you + Düz + Klasörler + Sistemi izle + Senin için Free - Full - Full card - Change the theme and colors of the app - Look and feel - Genre - Genres - Fork the project on GitHub - Join the Google Plus community where you can ask for help or follow Retro Music updates + Dolu + Kart dolu + Uygulamanın arayüzünü ve renklerini değiştirin + Bak ve Hisset + Tür + Türler + Projeyi GitHub\'da çatalla + Yardım isteyebileceğiniz veya Retro Müzik güncellemelerini takip etmek için Google+ topluluğumuza katılın. 1 2 3 4 5 6 - 7 + 8 8 - Grid style - Hinge - History - Home - Horizontal flip - Image - Gradient image - Change artist image download settings - Inserted %1$d songs into the playlist %2$s. - Instagram - Share your Retro Music setup to showcase on Instagram - Keyboard - Bitrate - Format - File name - File path - Size + Izgaralar & Stil + Menteşe + Geçmiş + Ana sayfa + Yatay çevir + Görüntü + Gradyan görüntü + Şarkıcı görüntülerinin indirilme ayarları + %2$s listesine %1$d parça eklendi. + Instagram\'da Retro Müzik temanızı paylaşın + Klavye + Bit Hızı + Biçim + Dosya adı + Dosya yolu + Boyut More from %s - Sampling rate - Length - Labeled - Last added - Last song - Let\'s play some music - Library - Library categories - Licenses - Clearly White + Örnekleme oranı + Uzunluk + Etiketli + Son eklenen + Son şarkı + Hadi, biraz müzik çalım! + Kütüphane + Kütüphane kategorileri + Lisanslar + Açıkça Beyaz Listeners - Listing files - Loading products… - Login - Lyrics - Made with ❤️ in India - Material - Error - Permission error - Name - Most played - Never - New banner photo - New playlist - New profile photo - %s is the new start directory. - Next Song - You have no albums - You have no artists - "Play a song first, then try again." - No equalizer found - You have no genres - No lyrics found + Dosyalar listeleniyor + Ürünler yükleniyor ... + Giriş + Şarkı sözleri + Hindistan\'da ❤️ ile üretildi + Materyal + Hata + İzin hatası + İsim + Sık oynatılanlar + Asla + Yeni afiş fotoğrafı + Yeni şarkı listesi + Yeni profil fotoğrafı ekle + %s yeni başlangıç dizini + Sonraki Şarkı + Albüm yok + Sanatçı yok + "Önce bir şarkı çal, sonra tekrar dene" + Ekolayzır bulunamadı + Tür yok + Şarkı sözleri yok No songs playing - You have no playlists - No purchase found. - No results - You have no songs + Oynatma Listesi Yok + Satın alma bulunamadı + Sonuç yok + Şarkı yok Normal - Normal lyrics + Normal şarkı sözleri Normal - %s is not listed in the media store.]]> - Nothing to scan. + %s medya deposunda listelenmiyor.]]> + Aranacak herhangi bir şey yok. Nothing to see - Notification - Customize the notification style - Now playing - Now playing queue - Customize the now playing screen - 9+ now playing themes - Only on Wi-Fi - Advanced testing features - Other - Password - Past 3 months - Paste lyrics here - Peak - Permission to access external storage denied. - Permissions denied. - Personalize - Customize your now playing and UI controls - Pick from local storage - Pick image + Bildirim + Bildirim stilini özelleştirin + Şimdi oynatılıyor + Şimdi çalınıyor kuyruğu + Şimdi oynatılıyor ekranını özelleştirin + 9+ şimdi oynatılıyor temaları + Sadece Wi-Fi ile + Gelişmiş test özellikleri + Diğer + Şifre + Son 3 ay + Şarkı sözlerini buraya yapıştır + Zirve + Depolama izni reddedildi. + İzinler reddedildi + Kişiselleştirme + Şimdi çalmakta olan ve kullanıcı arayüzü kontrollerinizi özelleştirin + Yerel depolama alanından seç + Resim koy 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 + Retro Music tasarımından ilham almak için Pinterest sayfasını takip edin + Sade + Oynatma 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 tutarı Adjust the bottom sheet dialog corners - Dialog corner + Diyalog kenarı Filter songs by length - Filter song duration + Şarkı süresini filtrele Advanced - Album style - Audio + Albüm stili + Ses Blacklist - Controls - Theme - Images - Library - Lockscreen - Playlists - Pauses the song when the volume decreases to zero and starts playing back when the volume level rises. Also works outside the app - Pause on zero - Keep in mind that enabling this feature may affect battery life - Keep the screen on - Click to open with or slide to without transparent navigation of now playing screen - Click or Slide - Snow fall effect - 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. + Kontroller + Tema + Görüntüler + Kütüphane + Kilit ekranı + Oynatma listeleri + Ses sıfıra düştüğünde şarkıyı duraklatır ve ses seviyesi yükseldiğinde çalmaya başlar. Ayrıca uygulamanın dışında da çalışır + 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. Start playing as soon as connected to bluetooth device - Blur the album cover on the lockscreen. Can cause problems with third party apps and widgets - Carousel effect for the album art in the now playing screen. Note that Card and Blur Card themes won\'t work - 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 + Albüm kapağını kilitli ekran üzerinde bulanıklaştırır. Üçüncü taraf uygulamaları ve widget\'ları ile sorunlara neden olabilir + Çalmakta olan ekranda albüm resmi için atlıkarınca efekti. Kart ve Bulanıklaştırma Kartı temalarının çalışmayacağını unutmayın + 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 Show extra Song information, such as file format, bitrate and frequency - "Can cause playback issues on some devices." - Toggle genre tab - Toggle home banner style - Can increase the album cover quality, but causes slower image loading times. Only enable this if you have problems with low resolution artworks - Configure visibility and order of library categories. - Use Retro Music\'s custom lockscreen controls - License details for open source software - Round the app\'s edges - Toggle titles for the bottom navigation bar tabs - Immersive mode - Start playing immediately after headphones are connected - Shuffle mode will turn off when playing a new list of songs - If enough space is available, show volume controls in the now playing screen - 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 + "Bazı cihazlarda oynatma sorunlarına neden olabilir" + Türk sekmesini aktif et + 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şlayın. + Yeni bir şarkı listesi çalınırken Karışık modu kapanacak + Yeterli alan varsa, ses denetimlerini şimdi oynatma ekranında göster + 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 - Blur album cover - Choose equalizer - Classic notification design - Adaptive color - Colored notification - Desaturated color - Extra controls + Bulanık albüm kapağı + Ekolayzır seç + Klasik bildirim tasarımı + Adaptif renk + Renkli bildirim + Doymamış renk + Ekstra kontroller Song info - Gapless playback - App theme - Show genre tab - Home artist grid - Home 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 + Boşluksuz oynatma + Uygulama teması + Tür sekmesini göster + Ana sayfa sanatçı ızgarası + Ana sayfa başlığı + 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 - Black theme, Now playing themes, Carousel effect and more.. - Profile - Purchase - *Think before buying, don\'t ask for refund. - Queue - Rate the app - Love this app? Let us know in the Google Play Store how we can make it even better - Recent albums - Recent artists - Remove - Remove banner photo - Remove cover - Remove from blacklist - Remove profile photo - Remove song from playlist - %1$s from the playlist?]]> - Remove songs from playlist - %1$d songs from the playlist?]]> - Rename playlist - Report an issue - Report bug - Reset - Reset artist image - Restore - Restored previous purchase. Please restart the app to make use of all features. - Restored previous purchases. - Restoring purchase… - Retro Music Equalizer + Ş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ğerlendir + Bu uygulamayı sevdin mi? Daha iyi bir gelişim için lütfen Google Play\'de nasıl daha iyi yapabileceğimizi bildir. + 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 şarkısı oynatma listesinden kaldır?]]> + Şarkıları oynatma listesinden kaldır + %1$d oynatma listesinden kaldıracağından emin misin?]]> + Oynatma listesini yeniden adlandır + Sorun Bildir + Hata bildir + Sıfırla + Sanatçı resmini sıfırla + Geri yükle + Önceki satın alma işlemi geri yüklendi. Tüm özelliklerden yararlanmak için lütfen uygulamayı yeniden başlatın. + Önceki satın almalar geri yüklendi. + Satın alım geri yükleniyor ... + Retro Music Ekolayzırı Retro Music Player Retro Music Pro - File delete failed: %s + Dosya silme başarısız oldu: %s - Can\'t get SAF URI - Open navigation drawer - Enable \'Show SD card\' in overflow menu + SAF url\'si alınamıyor. + Navigasyon sekmesini aç + Taşma menüsünde \'SD kartı göster\' seçeneğini etkinleştir - %s needs SD card access - You need to select your SD card root directory - Select your SD card in navigation drawer - Do not open any sub-folders - Tap \'select\' button at the bottom of the screen - File write failed: %s - Save + %s SD kart erişimi gerekiyor + SD kart kök dizini seçmeniz gerekir + Navigasyon sekmesinde SD kartınızı seçin + Herhangi bir alt klasörü açmayın + Ekranın alt kısmındaki\' Seç \' düğmesine dokunun + Dosya yazma başarısız oldu: %s + Kaydet - Save as file - Save as files - Saved playlist to %s. - Saving changes - Scan media - Scanned %1$d of %2$d files. + Dosya olarak kaydet + Dosya olarak kaydet + Oynatma listesi %s olarak kaydedildi. + Değişiklikler kaydediliyor + Medya tara + %1$d / %2$d dosya tarandı. Scrobbles - Search your library… - Select all - Select banner photo - Selected - Send crash log - Set - Set artist image - Set a profile photo - Share app + 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ş Share to Stories - Shuffle - Simple - Sleep timer canceled. - Sleep timer set for %d minutes from now. - Slide - Small album - Social + Karıştır + Basit + Uyku zamanlayıcısı iptal edildi. + Uyku zamanlayıcısı %d dakikaya ayarlandı. + Kaydır + Küçük albüm + Sosyal Share story - Song - Song duration - Songs - Sort order - Ascending - Album - Artist - Composer - Date added + Şarkı + Şarkı süresi + Şarkılar + Sıralama Ölçütü + yükselen + Albüm + Sanatçı + Besteci + Tarih Date modified - Year - Descending - Sorry! Your device doesn\'t support speech input - Search your library + Yıl + Azalan + Üzgünüz, ancak cihazın konuşma girişini desteklemiyor. + Kütüphanenizde arayın Stack - Start playing music. - Suggestions - Just show your name on home screen - Support development - Swipe to unlock - Synced lyrics - System Equalizer + 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 - Join the Telegram group to discuss bugs, make suggestions, show off and more - Thank you! - The audio file - This month - This week - This year - Tiny - Title - Dashboard - Good afternoon - Good day - Good evening - Good morning - Good night - What\'s Your Name - Today - Top albums - Top artists - "Track (2 for track 2 or 3004 for CD3 track 4)" - Track number - Translate - Help us translate the app to your language + Hataları tartışmak, önerilerde bulunmak ve daha fazlası için Telegram grubuna katılın + Teşekkür ederim! + Ses dosyası + Bu ay + Bu hafta + Bu yıl + Küçük + Başlık + Gösterge paneli + Tünaydın + İyi günler + İyi akşamlar + Günaydın + İyi geceler + Adın Ne? + Bugün + En iyi albümler + En iyi sanatçılar + "Parça (parça 2 için 2 veya CD3 parça 4 için 3004)" + Parça numarası + Çevir + Uygulamayı diline çevirmek için bize yardımcı ol. Twitter - Share your design with Retro Music - Unlabeled - Couldn\u2019t play this song. - Up next - Update image - Updating… - Username - Version - Vertical flip - Virtualizer + Tasarımını Retro Müzik ile paylaşın + Etiketsiz + Bu \u015fark\u0131 oynat\u0131lamad\u0131 + Bir sonraki + Resmi güncelle + Güncelleniyor ... + Kullanıcı Adı + Sürüm + Dikey çevir + Sanallaştırıcı Volume - Web search - Welcome, - What do you want to share? - What\'s New - Window - Rounded corners - Set %1$s as your ringtone. - %1$d selected - Year - You have to select at least one category. - You will be forwarded to the issue tracker website. - Your account data is only used for authentication. + İnternet\'de ara + Hoşgeldin, + Ne paylaşmak istiyorsun? + Yenilikler + Pencere + Yuvarlatılmış kenarlar + %1$s zil sesi olarak ayarla. + %1$d seçildi + Yıl + En az bir kategori seçmek zorundasın. + Sorun izleyici web sitesine yönlendirileceksiniz. + Hesap verileriniz sadece kimlik doğrulama için kullanılır. 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 diff --git a/app/src/main/res/values-uk-rUA/strings.xml b/app/src/main/res/values-uk-rUA/strings.xml index 2124ffe5..1ad78551 100644 --- a/app/src/main/res/values-uk-rUA/strings.xml +++ b/app/src/main/res/values-uk-rUA/strings.xml @@ -1,180 +1,180 @@ - Team, social links - Accent color - The theme accent color, defaults to purple - About - Add to favorites - Add to playing queue - Add to playlist - Clear playing queue - Clear playlist - Cycle repeat mode - Delete - Delete from device - Details - Go to album - Go to artist - Go to genre - Go to start directory - Grant - Grid size - Grid size (land) - New playlist - Next - Play - Play all - Play next - Play/Pause - Previous - Remove from favorites - Remove from playing queue - Remove from playlist - Rename - Save playing queue - Scan - Search - Start - Set as ringtone - Set as start directory - "Settings" - Share - Shuffle all - Shuffle playlist - Sleep timer - Sort order - Tag editor - Toggle favorite - Toggle shuffle mode - Adaptive - Add - Add lyrics - Add \nphoto - "Add to playlist" - Add time frame lyrics - "Added 1 title to the playing queue." - Added %1$d titles to the playing queue. - Album - Album artist - The title or artist is empty. - Albums - Always - Hey check out this cool music player at: https://play.google.com/store/apps/details?id=%s - Shuffle - Top Tracks - Retro music - Big - Retro music - Card - Retro music - Classic - Retro music - Small - Retro music - Text - Artist - Artists - Audio focus denied. - Change the sound settings and adjust the equalizer controls - Auto - Base color theme - Bass Boost - Bio - Biography - Just Black - Blacklist - Blur - Blur Card - Unable to send report - Invalid access token. Please contact the app developer. - Issues are not enabled for the selected repository. Please contact the app developer. - An unexpected error occurred. Please contact the app developer. - Wrong username or password - Issue - Send manually - Please enter an issue description - Please enter your valid GitHub password - Please enter an issue title - Please enter your valid GitHub username - An unexpected error occurred. Sorry you found this bug, if it keeps crashing \"Clear app data\" or send an Email - Uploading report to GitHub… - Send using GitHub account - Buy now - Cancel - Card - Circular - Colored Card - Card - Carousel - Carousel effect on the now playing screen - Cascading - Cast - Changelog - Changelog maintained on the Telegram channel - Circle - Circular - Classic - Clear - Clear app data - Clear blacklist - Clear queue - Clear playlist - %1$s? This can\u2019t be undone!]]> - Close - Color - Color - Colors - Composer - Copied device info to clipboard. - Couldn\u2019t create playlist. - "Couldn\u2019t download a matching album cover." - Could not restore purchase. - Could not scan %d files. - Create - Created playlist %1$s. - Members and contributors - Currently listening to %1$s by %2$s. - Kinda Dark - No Lyrics - Delete playlist - %1$s?]]> - Delete playlists - Delete song - %1$s?]]> - Delete songs - %1$d playlists?]]> - %1$d songs?]]> - Deleted %1$d songs. - Deleting songs - Depth - Description - Device info - Allow Retro Music to modify audio settings - Set ringtone - Do you want to clear the blacklist? - %1$s from the blacklist?]]> - Donate - If you think I deserve to get paid for my work, you can leave some money here - Buy me a: - Download from Last.fm - Drive mode - Edit - Edit cover - Empty - Equalizer - Error - FAQ - Favorites - Finish last song - Fit - Flat - Folders - Follow system - For you - Free - Full - Full card - Change the theme and colors of the app - Look and feel - Genre - Genres - Fork the project on GitHub - Join the Google Plus community where you can ask for help or follow Retro Music updates + Команда, посилання на соц. мережі + Акцентний колір + Акцентний колір, за замовчуванням фіолетовий + Про додаток + Додати в обране + Додати до черги відтворення + Додати до списку відтворення + Очистити чергу відтворення + Очистити список відтворення + Циклічне повторення + Видалити + Видалити з пристрою + Деталі + Перейти до альбому + Перейти до виконавця + Перейти до жанру + Перейти до початкової директорії + Надати + Розмір сітки + Розмір сітки (ландшафт) + Новий список відтворення + Далі + Відтворити + Відтворити усі + Відтворити наступною + Відтворення/Пауза + Попередній + Вилучити з обраного + Вилучити з черги відтворення + Вилучити зі списку відтворення + Перейменувати + Зберегти чергу відтворення + Сканувати + Пошук + Розпочати + Встановити як мелодію дзвінка + Встановити в якості початкової теки + "Налаштування" + Поділитися + Перемішати всі + Перемішати список відтворення + Таймер сну + Порядок сортування + Редактор тегів + Перемкнути улюблене + Перемкнути режим змішування + Адаптивний + Додати + Додати текст пісні + Додати \nфото + "Додати до списку відтворення" + Додати текст з мітками часу + "Додано 1 композицію до черги відтворення." + Додано %1$d композицій до черги відтворення. + Альбом + Виконавець альбому + Назва або виконавець відсутні. + Альбоми + Завжди + Привіт, перегляньте цей крутий музичний плеєр за адресою: https://play.google.com/store/apps/details?id=%s + Перемішати + Кращі треки + Ретро-музика - Великий + Ретро музика - Картка + Ретро-музика - Класичний + Ретро-музика - Малий + Ретро-музика - Текст + Виконавець + Виконавці + В отриманні аудіофокусу відмовлено. + Змінити налаштування звуку та налаштувати параметри еквалайзера + Автоматично + Основна колірна тема + Підсилення басу + Життєпис + Життєпис + Чорний + Чорний список + Розмиття + Розмита картка + Не вдалося надіслати звіт + Недійсний токен доступу. Зв’яжіться з розробником додатка. + Проблеми не включені для вибраного сховища. Зверніться до розробника програми. + Виникла несподівана помилка. Зв\'яжіться з розробником додатку. + Неправильне ім\'я користувача або пароль + Помилка + Надіслати вручну + Введіть опис проблеми + Введіть свій дійсний пароль користувача GitHub + Введіть заголовок проблеми + Введіть своє дійсне ім’я користувача GitHub + Сталася неочікувана помилка. Вибачте, що натрапили на цю помилку, якщо вона постійно повторюється, спробуйте \"Очистити дані додатка\" або надішліть лист на ел. пошту + Завантаження звіту на GitHub… + Надіслати через обліковий запис GitHub + Придбайте вже + Відмінити + Картка + Кільце + Кольорова картка + Картка + Карусель + Карусель на екрані відтворення + Каскад + Транслювати + Історія змін + Журнал змін доступний у каналі Telegram + Коло + Круглий + Класичний + Очистити + Очистити дані додатку + Очистити чорний список + Очистити чергу + Очистити список відтворення + %1$s? Це незворотня дія!]]> + Закрити + Колір + Колір + Кольори + Композитор + Скопійовано інформацію про пристрій у буфер обміну. + Не вдалося створити список відтворення. + "Не вдалося завантажити відповідну обкладинку альбому." + Не вдалося відновити покупку. + Не вдалося просканувати %d файлів. + Створити + Створено список відтворення %1$s. + Учасники та меценати + Зараз грає %1$s від %2$s. + Майже темна + Текст відсутній + Видалити список відтворення + %1$s?]]> + Видалити списки відтворення + Видалити пісню + %1$s?]]> + Видалити пісні + %1$d списки відтворення?]]> + %1$d пісень?]]> + Видалено %1$d пісень. + Видалення пісень + Глибина + Опис + Інформація про пристрій + Дозволити Retro Music змінювати налаштування звуку + Встановити як мелодію дзвінка + Ви хочете очистити чорний список? + %1$s з чорного списку?]]> + Підтримати + Якщо ви вважаєте, що я заслуговую на оплату своєї праці, ви можете залишити гроші тут + Купіть мені: + Завантажити з Last.fm + Режим водія + Редагувати + Редагувати обкладинку + Порожньо + Еквалайзер + Помилка + ЧаП + Обране + Закінчити останню пісню + Вмістити + Плоский + Папки + Наслідувати систему + Для Вас + Безкоштовно + Повний + Повна картка + Змінити тему і кольори додатку + Вигляд + Жанр + Жанри + Розгалужити проект на GitHub + Приєднайтеся до спільноти Google Plus, де ви можете звернутися по допомогу або слідкувати за оновленнями в Retro Music 1 2 3 @@ -183,333 +183,337 @@ 6 7 8 - Grid style - Hinge - History - Home - Horizontal flip - Image - Gradient image - Change artist image download settings - Inserted %1$d songs into the playlist %2$s. - Instagram - Share your Retro Music setup to showcase on Instagram - Keyboard - Bitrate - Format - File name - File path - Size - More from %s - Sampling rate - Length - Labeled - Last added - Last song - Let\'s play some music - Library - Library categories - Licenses - Clearly White - Listeners - Listing files - Loading products… - Login - Lyrics - Made with ❤️ in India - Material - Error - Permission error - Name - Most played - Never - New banner photo - New playlist - New profile photo - %s is the new start directory. - Next Song - You have no albums - You have no artists - "Play a song first, then try again." - No equalizer found - You have no genres - No lyrics found - No songs playing - You have no playlists - No purchase found. - No results - You have no songs - Normal - Normal lyrics - Normal - %s is not listed in the media store.]]> - Nothing to scan. - Nothing to see - Notification - Customize the notification style - Now playing - Now playing queue - Customize the now playing screen - 9+ now playing themes - Only on Wi-Fi - Advanced testing features - Other - Password - Past 3 months - Paste lyrics here - Peak - Permission to access external storage denied. - Permissions denied. - Personalize - Customize your now playing and UI controls - Pick from local storage - Pick image + Стиль сітки + Завіса + Історія + Домашня сторінка + Горизонтальне перевернення + Зображення + Градієнтне зображення + Змінити параметри завантаження зображення виконавця + Додано %1$d пісень до списку відтворення %2$s. + Похизуйтеся вашими налаштуваннями Retro Music у Instagram + Клавіатура + Бітрейт + Формат + Назва файлу + Шлях до файлу + Розмір + Більше від %s + Частота дискретизації + Довжина + З відміткою + Нещодавно додане + Остання пісня + Нумо слухати музику + Бібліотека + Категорії бібліотеки + Ліцензії + Яскраво-білий + Слухачі + Список файлів + Завантаження продуктів… + Логін + Текст + Зроблено з ❤ в Індії + Матеріал + Помилка + Помилка дозволу + Назва + Найчастіше відтворювані + Ніколи + Нове фото банеру + Новий список відтворення + Нове фото профілю + %s є новим початковим каталогом. + Наступна пісня + Немає жодного альбому + Немає жодного виконавця + "Спочатку відтворіть пісню, а потім спробуйте ще раз." + Еквалайзер не знайдено + У вас немає жанрів + Текст не знайдено + Немає пісень, що відтворюються + У вас немає списків відтворення + Покупки не знайдено. + Немає результатів + У вас немає пісень + Нормальний + Стандартний текст + Нормальний + %s не вказано в медіа сховищі.]]> + Нічого сканувати. + Порожньо + Сповіщення + Налаштувати стиль сповіщення + Відтворюється зараз + Зараз в черзі відтворення + Налаштування екрану відтворення + 9+ тем екрану відтворення + Лише через Wi-Fi + Розширені функції тестування + Інше + Пароль + Останні 3 місяці + Вставити текст сюди + Пік + Відмовлено у доступі до зовнішнього сховища. + У доступі відмовлено. + Персоналізація + Налаштуйте екран відтворення та зовнішній вигляд + Вибрати з локального сховища + Вибрати зображення 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 - Album style - Audio - Blacklist - Controls - Theme - Images - Library - Lockscreen - Playlists - Pauses the song when the volume decreases to zero and starts playing back when the volume level rises. Also works outside the app - Pause on zero - Keep in mind that enabling this feature may affect battery life - Keep the screen on - Click to open with or slide to without transparent navigation of now playing screen - Click or Slide - Snow fall effect - 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. - Start playing as soon as connected to bluetooth device - Blur the album cover on the lockscreen. Can cause problems with third party apps and widgets - Carousel effect for the album art in the now playing screen. Note that Card and Blur Card themes won\'t work - 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 - Toggle home banner style - Can increase the album cover quality, but causes slower image loading times. Only enable this if you have problems with low resolution artworks - Configure visibility and order of library categories. - Use Retro Music\'s custom lockscreen controls - License details for open source software - Round the app\'s edges - Toggle titles for the bottom navigation bar tabs - Immersive mode - Start playing immediately after headphones are connected - Shuffle mode will turn off when playing a new list of songs - If enough space is available, show volume controls in the now playing screen - Show album cover - Album cover theme - Album cover skip - Album grid - Colored app shortcuts - Artist grid - Reduce volume on focus loss - Auto-download artist images - Blacklist - Bluetooth playback - Blur album cover - Choose equalizer - Classic notification design - Adaptive color - Colored notification - Desaturated color - Extra controls - Song info - Gapless playback - App theme - Show genre tab - Home artist grid - Home 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 + Слідкуйте за сторінкою Pinterest від Retro Music для натхнення дизайну + Звичайний + Сповіщення про відтворення надає дії для відтворення/паузи тощо. + Сповіщення про відтворення + Порожній список відтворення + Список відтворення порожній + Назва списку відтворення + Списки відтворення + Стиль деталей альбому + Величина розмиття, що застосовується для розмиття тем, менше - швидше + Величина розмиття + Налаштування кутів діалогового вікна знизу + Куточок діалогового вікна + Сортувати пісні за довжиною + Сортувати пісні за тривалістю + Додатково + Стиль альбому + Аудіо + Чорний список + Елементи керування + Тема + Зображення + Бібліотека + Екран блокування + Списки відтворення + Призупиняє пісню, коли гучність зменшується до нуля і починає грати під час підвищення гучності. Також працює поза додатком + Пауза при нулі + Майте на увазі, що увімкнення цієї функції може вплинути на заряд акумулятора + Не вимикати екран + Натисніть, щоб відкрити або проведіть, щоб уникнути прозорої навігації на екрані відтворення + Клацніть або проведіть + Ефект снігопаду + Використовувати обкладинку альбому пісні як шпалери екрана блокування + Зменшення гучності при відтворенні системного звуку або сповіщення + Вміст тек чорного списку приховано з вашої бібліотеки. + Почати відтворення відразу при під\'єднанні до Bluetooth пристрою + Розмивати обкладинку альбому на екрані блокування. Можуть виникнути проблеми з сторонніми додатками та віджетами + Ефект каруселі для обкладинок альбомів на екрані відтворення. Теми \"Картка\" та \"Розмита картка\" не працюватимуть + Використовувати класичне оформлення сповіщення + Тло і кольори кнопок керування міняються в залежності від обкладинки екрана відтворення + Фарбує ярлики додатків у колір акценту. Кожного разу, коли ви змінюєте колір, будь ласка, перемкніть його, щоб зміни вступили в силу + Фарбує панель навігації у переважаючий колір + "Фарбує повідомлення в обкладинці альбому яскравим кольором" + Для Material Design лінії в темному режимі мають бути ненасичені + Домінуючий колір буде взято з обкладинки альбому або виконавця + Додати додаткові елементи керування до міні-програвача + Показати додаткову інформацію про пісню, таку як формат файлів, бітрейт та частоту + "Може викликати проблеми з відтворенням на деяких пристроях." + Сховати вкладку жанрів + Сховати головний банер + Може збільшити якість обкладинки альбому, але збільшує час завантаження зображення. Використовуйте тільки якщо у вас проблеми з обкладинками низької роздільної здатності + Налаштувати видимість та порядок категорій бібліотеки. + Використовувати керування музикою на екрані блокування від Retro Music + Деталі ліцензії для програмного забезпечення з відкритим кодом + Заокруглити кути додатку + Сховати назви для вкладок у нижній панелі навігації + Режим занурення + Почати відтворення відразу після підключення навушників + Випадковий режим вимкнеться при відтворенні нового списку пісень + Якщо вистачає місця, показувати панель гучності на екрані відтворення + Показати обкладинку альбому + Тема обкладинки альбому + Пропустити обкладинку альбому + Сітка альбому + Кольорові ярлики додатків + Сітка виконавців + Зменшити гучність при сторонніх звуках + Автоматично завантажувати зображення виконавців + Чорний список + Відтворення Bluetooth + Розмити обкладинку альбому + Вибрати еквалайзер + Класичне оформлення сповіщень + Адаптивний колір + Кольорове сповіщення + Ненасичений колір + Додаткові елементи керування + Інформація про пісню + Безперервне відтворення + Тема додатку + Показати вкладку жанрів + Домашня сітка виконавця + Головний банер + Ігнорувати обкладинки з Медіасховища + Інтервал останнього доданого списку відтворення + Повноекранне керування + Кольорова панель навігації + Тема відтворення + Ліцензії з відкритим кодом + Кути + Режим назв вкладок + Ефект Каруселі + Головний колір + На весь екран + Назви вкладок + Автоматичне відтворення + Режим перемішування + Регулювання гучності + Інформація про користувача + Основний колір + Основний колір теми, за замовчуванням сіро-синій, відтепер працює з темними кольорами Pro - Black theme, Now playing themes, Carousel effect and more.. - Profile - Purchase - *Think before buying, don\'t ask for refund. - Queue - Rate the app - Love this app? Let us know in the Google Play Store how we can make it even better - Recent albums - Recent artists - Remove - Remove banner photo - Remove cover - Remove from blacklist - Remove profile photo - Remove song from playlist - %1$s from the playlist?]]> - Remove songs from playlist - %1$d songs from the playlist?]]> - Rename playlist - Report an issue - Report bug - Reset - Reset artist image - Restore - Restored previous purchase. Please restart the app to make use of all features. - Restored previous purchases. - Restoring purchase… - Retro Music Equalizer - Retro Music Player + Чорна тема, теми відтворення, ефект каруселі та інше.. + Профіль + Придбати + *Подумайте перед придбанням, не просіть повернути гроші. + Черга + Оцініть додаток + Подобається цей додаток? Напишіть відгук нам у Google Play Store, як ми можемо зробити його ще кращим + Останні альбоми + Останні виконавці + Вилучити + Видалити фото банера + Видалити обкладинку + Видалити з чорного списку + Видалити фото профілю + Видалити пісню зі списку відтворення + %1$s зі списку відтворення?]]> + Видалити пісні зі списку відтворення + %1$d пісень зі списку відтворення?]]> + Перейменувати список відтворення + Повідомити про помилку + Повідомити про помилку + Скинути + Скинути зображення виконавця + Відновити + Відновлено попередню покупку. Перезапустіть додаток, щоб скористатися всіма функціями. + Відновлені попередні покупки. + Відновлення покупки… + Еквалайзер Retro Music + Retro Music плеєр Retro Music Pro - File delete failed: %s + Помилка видалення файлу: %s - Can\'t get SAF URI - Open navigation drawer - Enable \'Show SD card\' in overflow menu + Неможливо отримати URI SAF + Відкрити панель навігації + Увімкніть \"Показувати SD-карту\" у меню налаштувань - %s needs SD card access - You need to select your SD card root directory - Select your SD card in navigation drawer - Do not open any sub-folders - Tap \'select\' button at the bottom of the screen - File write failed: %s - Save + %s потребує доступ до SD-карти + Необхідно обрати кореневу директорію SD карти + Виберіть карту SD в навігаційній панелі + Не відкривайте вкладені папки + Натисніть кнопку \"вибрати\" внизу екрана + Не вдалося записати файл: %s + Зберегти - Save as file - Save as files - Saved playlist to %s. - Saving changes - Scan media - Scanned %1$d of %2$d files. - Scrobbles - Search your library… - Select all - Select banner photo - Selected - Send crash log - Set - Set artist image - Set a profile photo - Share app - Share to Stories - Shuffle - Simple - Sleep timer canceled. - Sleep timer set for %d minutes from now. - Slide - Small album - Social - Share story - Song - Song duration - Songs - Sort order - Ascending - Album - Artist - Composer - Date added - Date modified - Year - Descending - Sorry! Your device doesn\'t support speech input - Search your library - Stack - Start playing music. - Suggestions - Just show your name on home screen - Support development - Swipe to unlock - Synced lyrics - System Equalizer + Зберегти як файл + Зберегти як файли + Збережено список відтворення в %s. + Збереження змін + Сканувати медіа + Проскановано %1$d з %2$d файлів. + Персоналізація + Пошук у бібліотеці… + Виділити все + Обрати фото банера + Обрано + Надіслати журнал збою + Встановити + Встановити зображення виконавця + Встановити фото профілю + Поділитися додатком + Поділитися в Історії + Перемішати + Простий + Таймер сну скасовано. + Таймер сну спрацює за %d хвилин. + Слайд + Маленький альбом + Соціальні мережі + Поділитися історією + Пісня + Тривалість пісні + Пісні + Порядок сортування + За зростанням + Альбом + Виконавець + Композитор + Дата додавання + Дата змінення + Рік + За спаданням + Вибачте! Ваш пристрій не підтримує введення мови + Пошук у бібліотеці + Стек + Почати програвати музику. + Пропозиції + Показувати своє ім\'я на домашньому екрані + Підтримати розробку + Свайпніть, щоб розблокувати + Синхронізовані тексти + Системний еквалайзер Telegram - Join the Telegram group to discuss bugs, make suggestions, show off and more - Thank you! - The audio file - This month - This week - This year - Tiny - Title - Dashboard - Good afternoon - Good day - Good evening - Good morning - Good night - What\'s Your Name - Today - Top albums - Top artists - "Track (2 for track 2 or 3004 for CD3 track 4)" - Track number - Translate - Help us translate the app to your language - Twitter - Share your design with Retro Music - Unlabeled - Couldn\u2019t play this song. - Up next - Update image - Updating… - Username - Version - Vertical flip - Virtualizer - Volume - Web search - Welcome, - What do you want to share? - What\'s New - Window - Rounded corners - Set %1$s as your ringtone. - %1$d selected - Year - You have to select at least one category. - You will be forwarded to the issue tracker website. - Your account data is only used for authentication. - Amount - Note(Optional) - Start payment - Show now playing screen - Clicking on the notification will show now playing screen instead of the home screen + Приєднуйтесь до групи Telegram щоб обговорити помилки, робити пропозиції та інше + Щиро дякую! + Аудіофайл + Цього місяця + Цього тижня + Цього року + Дрібний + Назва + Головна панель + Добрий день + Доброго дня + Доброго вечора + Доброго ранку + Надобраніч + Як вас звати + Сьогодні + Топ альбомів + Топ виконавців + "Доріжка (2 для доріжки 2 або 3004 для CD3 доріжки 4)" + Номер пісні + Перекласти + Допоможіть нам перекласти додаток на вашу мову + Твіттер + Поділіться своїм дизайном із Retro Music + Без позначки + Не можу відтворити пісню. + Наступне + Оновити зображення + Оновлення… + Ім\'я користувача + Версія додатку + Вертикальне сальто + Віртуалізатор + Гучність + Пошук в інтернеті + Вітаємо вас, + Чим ви хочете поділитися? + Що нового + Вікно + Закруглені кути + Встановити %1$s як мелодію дзвінка. + %1$d обрано + Рік + Виберіть принаймні одну категорію. + Вас буде перенаправлено на сайт відстеження проблем. + Дані вашого облікового запису використовуються лише для автентифікації. + Кількість + Примітка (необов\'язково) + Розпочати оплату + Показувати на екрані відтворення + При натисканні на сповіщення буде показано екран відтворення замість домашнього екрану + Крихітна картка + Про додаток %s + Select language + Translators + The people who helped translate this app diff --git a/app/src/main/res/values-ur-rIN/strings.xml b/app/src/main/res/values-ur-rIN/strings.xml index 2124ffe5..911dc4dc 100644 --- a/app/src/main/res/values-ur-rIN/strings.xml +++ b/app/src/main/res/values-ur-rIN/strings.xml @@ -192,7 +192,6 @@ Gradient image Change artist image download settings Inserted %1$d songs into the playlist %2$s. - Instagram Share your Retro Music setup to showcase on Instagram Keyboard Bitrate @@ -512,4 +511,9 @@ 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 diff --git a/app/src/main/res/values-vi-rVN/strings.xml b/app/src/main/res/values-vi-rVN/strings.xml index 2124ffe5..ad9d323f 100644 --- a/app/src/main/res/values-vi-rVN/strings.xml +++ b/app/src/main/res/values-vi-rVN/strings.xml @@ -1,180 +1,181 @@ - Team, social links - Accent color - The theme accent color, defaults to purple - About - Add to favorites - Add to playing queue - Add to playlist - Clear playing queue - Clear playlist + Đường dẫn tổ đội, mạng xã hội + Màu sắc nhấn mạnh + Màu sắc chủ đạo của chủ đề, mặc định là xanh ngọc + Về chúng tôi + Thêm vào yêu thích + Thêm vào hàng đợi + Thêm vào danh sách phát + Xoá hàng đợi + Xoá danh sách phát Cycle repeat mode - Delete - Delete from device - Details - Go to album - Go to artist - Go to genre - Go to start directory - Grant - Grid size - Grid size (land) - New playlist - Next - Play - Play all - Play next - Play/Pause - Previous - Remove from favorites - Remove from playing queue - Remove from playlist - Rename - Save playing queue - Scan - Search - Start - Set as ringtone - Set as start directory - "Settings" - Share - Shuffle all - Shuffle playlist - Sleep timer - Sort order - Tag editor + Xoá + Xóa khỏi thiết bị + Chi tiết + Đi đến album + Đi đến nghệ sĩ + Chuyển đến thể loại + Đến trang bắt đầu + Cho phép + Kích thước lưới + Kích thước lưới (chiều ngang) + Danh sách phát mới + Tiếp + Chơi + Chơi tất cả + Chơi kế tiếp + Phát/Tạm dừng + Trước + Loại bỏ khỏi mục yêu thích + Xoá khỏi hàng đợi + Xoá khỏi danh sách phát + Đổi tên + Lưu hàng đợi phát + Quét + Tìm kiếm + Bắt đầu + Đặt làm nhạc chuông + Đặt làm trang bắt đầu + "Cài đặt" + Chia sẻ + Phát ngẫu nhiên tất cả + Phát ngẫu nhiên theo danh sách phát + Hẹn giờ ngủ + Thứ tự sắp xếp + Chỉnh sửa thẻ Toggle favorite Toggle shuffle mode - Adaptive - Add - Add lyrics - Add \nphoto - "Add to playlist" - Add time frame lyrics - "Added 1 title to the playing queue." - Added %1$d titles to the playing queue. + 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 artist - The title or artist is empty. - Albums - Always - Hey check out this cool music player at: https://play.google.com/store/apps/details?id=%s - Shuffle - Top Tracks - Retro music - Big - Retro music - Card - Retro music - Classic - Retro music - Small + 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 + Ngẫu nhiên + Bản nhạc hàng đầu + Retro music - Lớn + Retro music - Thẻ + Retro music - Cổ điển + Retro music - Nhỏ Retro music - Text - Artist - Artists - Audio focus denied. - Change the sound settings and adjust the equalizer controls - Auto - Base color theme - Bass Boost - Bio - Biography - Just Black - Blacklist - Blur - Blur Card - Unable to send report - Invalid access token. Please contact the app developer. - Issues are not enabled for the selected repository. Please contact the app developer. - An unexpected error occurred. Please contact the app developer. - Wrong username or password - Issue - Send manually - Please enter an issue description - Please enter your valid GitHub password - Please enter an issue title - Please enter your valid GitHub username - An unexpected error occurred. Sorry you found this bug, if it keeps crashing \"Clear app data\" or send an Email - Uploading report to GitHub… - Send using GitHub account + Nghệ sĩ + Nghệ sĩ + Tập trung âm thanh bị từ chối + Thay đổi cài đặt âm thanh và điều chỉnh các điều khiển bộ chỉnh âm + Tự động + Chủ đề màu cơ bản + Tăng cường Bass + Tiểu sử + Tiểu sử + Đen hoàn toàn + Danh sách đen + Làm mờ + Thẻ mờ + Không thể gửi báo cáo + Mã token không hợp lệ. Vui lòng liên hệ với nhà phát triển ứng dụng. + Các vấn đề không được kích hoạt cho repository đã chọn. Vui lòng liên hệ với nhà phát triển ứng dụng. + Đã xảy ra lỗi không mong muốn. Vui lòng liên hệ với nhà phát triển ứng dụng. + Tên người dùng hoặc mật khẩu không đúng + Vấn đề + Gửi thủ công + Vui lòng nhập mô tả vấn đề + Vui lòng nhập đúng mật khẩu dùng Github của bạn + Vui lòng nhập tiêu đề vấn đề + 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 - Cancel - Card - Circular - Colored Card - Card - Carousel - Carousel effect on the now playing screen - Cascading - Cast - Changelog - Changelog maintained on the Telegram channel + 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 - Circular - Classic - Clear - Clear app data - Clear blacklist - Clear queue - Clear playlist + 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!]]> - Close - Color - Color - Colors - Composer - Copied device info to clipboard. - Couldn\u2019t create playlist. - "Couldn\u2019t download a matching album cover." - Could not restore purchase. - Could not scan %d files. - Create - Created playlist %1$s. - Members and contributors - Currently listening to %1$s by %2$s. - Kinda Dark - No Lyrics - Delete playlist - %1$s?]]> - Delete playlists - Delete song - %1$s?]]> - Delete songs - %1$d playlists?]]> - %1$d songs?]]> - Deleted %1$d songs. + Đóng + Màu sắc + Màu sắc + Màu sắc + Tác giả + Đã sao chép thông tin thiết bị vào clipboard. + Kh\u00f4ng th\u1ec3 t\u1ea1o danh s\u00e1ch ph\u00e1t + "Kh\u00f4ng th\u1ec3 t\u1ea3i xu\u1ed1ng \u1ea3nh b\u00eca album ph\u00f9 h\u1ee3p." + Không thể khôi phục mua hàng. + Không thể quét %d tập tin. + Tạo + Đã tạo danh sách phát %1$s. + Thành viên và cộng tác viên + Đang nghe %1$s bởi %2$s. + Xám đen + Không có lời bài hát + Xoá danh sách phát + %1$s?]]> + Xoá danh sách phát + Xoá bài hát + %1$s?]]> + Xoá bài hát + %1$d danh sách phát?]]> + %1$d bài hát?]]> + Đã xoá %1$d bài hát. Deleting songs - Depth - Description - Device info - Allow Retro Music to modify audio settings - Set ringtone - Do you want to clear the blacklist? - %1$s from the blacklist?]]> - Donate - If you think I deserve to get paid for my work, you can leave some money here - Buy me a: - Download from Last.fm + Độ sâu + Mô tả + Thông tin thiết bị + Cho phép Retro Music cấu hình cài đặt âm thanh + Cài làm nhạc chuông + Bạn có muốn xóa danh sách đen? + %1$s khỏi danh sách đen?]]> + Ủng hộ + Nếu bạn nghĩ rằng tôi xứng đáng được thưởng cho công việc này, bạn có thể để lại một số tiền ở đây. Cảm ơn bạn! :D + Mua cho tôi một: + Tải xuống từ Last.fm Drive mode - Edit - Edit cover - Empty - Equalizer - Error - FAQ - Favorites - Finish last song - Fit - Flat - Folders + Chỉnh sửa + Chỉnh sửa ảnh bìa + Trống + Bộ chỉnh âm + Lỗi + Câu hỏi thường gặp + Yêu thích + Kết thúc bài cuối + Phù hợp + Phẳng + Thư mục Follow system - For you + Cho bạn Free - Full - Full card - Change the theme and colors of the app - Look and feel - Genre - Genres - Fork the project on GitHub - Join the Google Plus community where you can ask for help or follow Retro Music updates + Toàn bộ + Thẻ đầy đủ + Thay đổi chủ đề và màu sắc của ứng dụng + Nhìn và cảm nhận + Thể loại + Thể loại + Tham gia phát triển dự án trên Github + Tham gia cộng đồng Google Plus, nơi bạn có thể yêu cầu trợ giúp hoặc theo dõi các cập nhật Retro Music 1 2 3 @@ -183,218 +184,217 @@ 6 7 8 - Grid style - Hinge - History - Home - Horizontal flip - Image - Gradient image - Change artist image download settings - Inserted %1$d songs into the playlist %2$s. - Instagram - Share your Retro Music setup to showcase on Instagram - Keyboard + Bố trí lưới + Bản lề + Lịch sử + Trang chủ + Lật ngang + Hình ảnh + Ảnh màu chuyển sắc + Thay đổi cài đặt tải xuống hình ảnh nghệ sĩ + Đã chèn %1$d bài hát vào danh sách phát %2$s. + Chia sẻ thiết lập Retro Music của bạn trong Instagram + Bàn phím Bitrate - Format - File name - File path - Size + Định dạng + Tên tệp + Đường dẫn tệp + Kích thước More from %s - Sampling rate - Length - Labeled - Last added - Last song - Let\'s play some music - Library - Library categories - Licenses - Clearly White + Tần số lấy mẫu + Độ dài + Được dán nhãn + Đã thêm gần đây + Bài cuối + Hãy nghe một vài bản nhạc + Thư viện + Danh mục thư viện + Giấy phép + Hoàn toàn trắng Listeners - Listing files - Loading products… - Login - Lyrics - Made with ❤️ in India + Danh sách tập tin + Đang tải sản phẩm... + Đăng nhập + Lời bài hát + Được làm bằng ❤️ ở Ấn Độ Material - Error - Permission error - Name - Most played - Never - New banner photo - New playlist - New profile photo - %s is the new start directory. - Next Song - You have no albums - You have no artists - "Play a song first, then try again." - No equalizer found - You have no genres - No lyrics found + Lỗi + Lỗi quyền truy cập + Tên của bạn + Phát nhiều nhất + Không bao giờ + Ảnh biểu ngữ mới + Danh sách phát mới + Ảnh tiểu sử mới + %s là trang bắt đầu mới. + Bài kế + Không có album + Không có nghệ sĩ + "Phát một bài hát trước, sau đó thử lại." + Không tìm thấy bộ chỉnh âm + Không có thể loại + Không tìm thấy lời bài hát No songs playing - You have no playlists - No purchase found. - No results - You have no songs - Normal - Normal lyrics - Normal - %s is not listed in the media store.]]> - Nothing to scan. + Không có danh sách phát + Không tìm thấy giao dịch mua. + Không có kết quả + Không có bài hát + Tiêu chuẩn + Lời chuẩn + Bình thường + %s không được liệt kê trong thư mục nhạc.]]> + Không có gì để quét. Nothing to see - Notification - Customize the notification style - Now playing - Now playing queue - Customize the now playing screen - 9+ now playing themes - Only on Wi-Fi - Advanced testing features - Other - Password - Past 3 months - Paste lyrics here + Thông báo + Tùy chỉnh kiểu thông báo + Đang phát + Đang phát hàng đợi + Tùy chỉnh màn hình đang phát + Hơn 9 giao diện đang phát + Chỉ khi dùng Wi-Fi + Tính năng nâng cao đang kiểm thử + Khác + Mật khẩu + Mỗi tháng + Dán lời bài hát tại đây Peak - Permission to access external storage denied. - Permissions denied. - Personalize - Customize your now playing and UI controls - Pick from local storage - Pick image + 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 - Plain - The playing notification provides actions for play/pause etc. - Playing notification - Empty playlist - Playlist is empty - Playlist name - Playlists + 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 - Amount of blur applied for blur themes, lower is faster - Blur amount + Độ 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 - Filter song duration + Lọc theo thời lượng bài hát Advanced - Album style - Audio + Kiểu Album + Âm thanh Blacklist - Controls - Theme - Images - Library - Lockscreen - Playlists - Pauses the song when the volume decreases to zero and starts playing back when the volume level rises. Also works outside the app - Pause on zero - Keep in mind that enabling this feature may affect battery life - Keep the screen on - Click to open with or slide to without transparent navigation of now playing screen - Click or Slide - Snow fall effect - 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. + Điều khiển + Chủ đề + Hình ảnh + Thư viện + Màn hình khoá + Danh sách phát + Tạm dừng phát khi tắt âm lượng và phát lại sau khi tăng âm lượng. Cảnh báo: Khi bạn tăng âm lượng, nó sẽ bắt đầu phát ngay cả khi bạn ở ngoài ứ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. Start playing as soon as connected to bluetooth device - Blur the album cover on the lockscreen. Can cause problems with third party apps and widgets - Carousel effect for the album art in the now playing screen. Note that Card and Blur Card themes won\'t work - 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" + Làm mờ ảnh bìa album trên màn hình khóa. Có thể gây ra sự cố với các ứng dụng và tiện ích của bên thứ ba + Hiệu ứng băng chuyền cho ảnh bìa album trong màn hình đang phát. Lưu ý rằng nó không hoạt động với chủ đề Thẻ và Thẻ mờ + 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 - Most dominant color will be picked from the album or artist cover - Add extra controls for mini player + 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 - "Can cause playback issues on some devices." - Toggle genre tab - Toggle home banner style - Can increase the album cover quality, but causes slower image loading times. Only enable this if you have problems with low resolution artworks - Configure visibility and order of library categories. - Use Retro Music\'s custom lockscreen controls - License details for open source software - Round the app\'s edges - Toggle titles for the bottom navigation bar tabs - Immersive mode - Start playing immediately after headphones are connected - Shuffle mode will turn off when playing a new list of songs - If enough space is available, show volume controls in the now playing screen - 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 + "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 + Hiện thanh điều chỉnh âm lượng nếu có không gian trống trong màn hình đang phát + 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 - Blur album cover - Choose equalizer - Classic notification design - Adaptive color - Colored notification + Làm mờ bìa album + Chọn bộ chỉnh âm + Thiết kế thông báo cổ điển + Màu sắc thích nghi + Đổi màu thông báo Desaturated color - Extra controls + Điều khiển bổ sung Song info - Gapless playback - App theme - Show genre tab - Home artist grid - Home 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 + 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.. - Profile - Purchase - *Think before buying, don\'t ask for refund. - Queue - Rate the app - Love this app? Let us know in the Google Play Store how we can make it even better - Recent albums - Recent artists - Remove - Remove banner photo - Remove cover - Remove from blacklist - Remove profile photo - Remove song from playlist - %1$s from the playlist?]]> - Remove songs from playlist - %1$d songs from the playlist?]]> - Rename playlist - Report an issue - Report bug - Reset - Reset artist image - Restore - Restored previous purchase. Please restart the app to make use of all features. - Restored previous purchases. - Restoring purchase… - Retro Music Equalizer + Hồ sơ + Mua + *Hãy suy nghĩ kĩ trước khi mua, không yêu cầu hoàn tiền. + Hàng đợi + Đánh giá ứng dụng + Bạn thích ứng dụng này không? Hãy cho chúng tôi biết suy nghĩ của bạn trên Cửa hàng Play để chúng tôi có thể làm cho nó tốt hơn nữa + Album mới thêm + Nghệ sĩ mới thêm + Loại bỏ + Xóa ảnh biểu ngữ + Xoá ảnh bìa + Xóa khỏi danh sách đen + Xóa ảnh tiểu sử + Xoá bài hát khỏi danh sách phát + %1$s khỏi danh sách phát?]]> + Xoá bài hát khỏi danh sách phát + %1$d bài hát khỏi danh sách phát?]]> + Đổi tên danh sách phát + Báo cáo vấn đề + Báo cáo lỗi + Cài lại + Đặt lại ảnh nghệ sĩ + Khôi phục + Khôi phục mua trước đó. Vui lòng khởi động lại ứng dụng để sử dụng tất cả các tính năng. + Đã khôi phục lần mua trước. + Đang khôi phục mua hàng... + Bộ chỉnh âm Retro Retro Music Player Retro Music Pro File delete failed: %s @@ -409,107 +409,112 @@ Do not open any sub-folders Tap \'select\' button at the bottom of the screen File write failed: %s - Save + Lưu - Save as file - Save as files - Saved playlist to %s. - Saving changes - Scan media - Scanned %1$d of %2$d files. + Lưu thành + Lưu thành tệp + Danh sách phát đã lưu đến %s. + Lưu thay đổi + Quét phương tiện + Đã sửa %1$d trong %2$d tập tin. Scrobbles - Search your library… - Select all - Select banner photo - Selected - Send crash log - Set - Set artist image - Set a profile photo - Share app + 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 - Shuffle - Simple - Sleep timer canceled. - Sleep timer set for %d minutes from now. - Slide - Small album - Social + 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 - Song - Song duration - Songs - Sort order - Ascending + Bài hát + Thời lượng bài hát + Bài hát + Thứ tự sắp xếp + Tăng dần Album - Artist - Composer - Date added + Nghệ sĩ + Tác giả + Ngày Date modified - Year - Descending - Sorry! Your device doesn\'t support speech input - Search your library - Stack - Start playing music. - Suggestions - Just show your name on home screen - Support development + Năm + Giảm dần + Xin lỗi! Thiết bị không hỗ trợ nhập liệu bằng giọng nói + Tìm kiếm trong thư viện của bạn + Ngăn xếp + Bắt đầu chơi nhạc + Đề nghị + Tên của bạn chỉ hiển thị trên trang chủ + Hỗ trợ nhà phát triển Swipe to unlock - Synced lyrics - System Equalizer + Karaoke + Bộ chỉnh âm hệ thống Telegram - Join the Telegram group to discuss bugs, make suggestions, show off and more - Thank you! - The audio file - This month - This week - This year - Tiny - Title - Dashboard - Good afternoon - Good day - Good evening - Good morning - Good night - What\'s Your Name - Today - Top albums - Top artists - "Track (2 for track 2 or 3004 for CD3 track 4)" - Track number - Translate - Help us translate the app to your language + Tham gia nhóm Telegram để thảo luận về lỗi, đưa ra đề xuất, và hơn thế nữa + Cảm ơn! + Tệp âm thanh + Mỗi tháng + Mỗi tuần + Mỗi năm + Nhỏ + Tiêu đề + Bảng điều khiển + Chào buổi chiều + Ngày tốt lành + Chào buổi tối + Chào buổi sáng + Chúc ngủ ngon + Tên của bạn là gì + Hôm nay + Album hàng đầu + Nghệ sĩ hàng đầu + "Rãnh (2 cho bài số 2 hoặc 3004 cho CD3 bài số 4)" + Số rãnh + Dịch + Giúp chúng tôi dịch ứng dụng sang ngôn ngữ của bạn Twitter - Share your design with Retro Music - Unlabeled - Couldn\u2019t play this song. - Up next - Update image - Updating… - Username - Version + Chia sẻ thiết kế của bạn với Retro Music + Chưa gắn nhãn + Kh\u00f4ng th\u1ec3 ph\u00e1t b\u00e0i h\u00e1t n\u00e0y. + Tiếp theo + Cập nhật hình ảnh + Đang cập nhật... + Tên người dùng + Phiên bản Vertical flip - Virtualizer + Trình ảo hóa Volume - Web search - Welcome, - What do you want to share? - What\'s New - Window - Rounded corners - Set %1$s as your ringtone. - %1$d selected - Year - You have to select at least one category. - You will be forwarded to the issue tracker website. - Your account data is only used for authentication. + Tìm kiếm trên web + Chào mừng, + Bạn muốn chia sẻ gì? + Có gì mới! + Cửa sổ + Góc tròn + Đặt %1$s làm nhạc chuông. + %1$d đã chọn + Năm + Bạn phải chọn ít nhất một danh mục. + Bạn sẽ được chuyển tiếp đến trang web theo dõi vấn đề. + Dữ liệu tài khoản của bạn chỉ được sử dụng để xác thực. Amount Note(Optional) Start payment Show now playing screen Clicking on the notification will show now playing screen instead of the home screen + Tiny card + About %s + Select language + Translators + The people who helped translate this app diff --git a/app/src/main/res/values-zh-rCN/strings.xml b/app/src/main/res/values-zh-rCN/strings.xml index f4e8aaf3..c8f37e1a 100644 --- a/app/src/main/res/values-zh-rCN/strings.xml +++ b/app/src/main/res/values-zh-rCN/strings.xml @@ -1,14 +1,14 @@ - 团队、社交链接 + 团队,社交链接 主题色 - 主题色,默认为紫色。 + 主题强调色,默认为紫色。 关于 添加到收藏夹 - 加入播放队列 - 加入歌单 + 添加到播放队列 + 添加到播放列表 清空播放队列 - 清除播放列表 + 清空播放列表 循环重复模式 删除 从设备中移除 @@ -17,164 +17,164 @@ 查看艺术家 查看流派 返回起始目录 - Grant - Grid size - Grid size (land) - New playlist - Next - Play - Play all - Play next - Play/Pause - Previous - Remove from favorites - Remove from playing queue - Remove from playlist - Rename - Save playing queue - Scan - Search - Start - Set as ringtone - Set as start directory - "Settings" - Share - Shuffle all - Shuffle playlist - Sleep timer - Sort order - Tag editor - Toggle favorite - Toggle shuffle mode - Adaptive - Add - Add lyrics - Add \nphoto - "Add to playlist" - Add time frame lyrics - "Added 1 title to the playing queue." - Added %1$d titles to the playing queue. - Album - Album artist - The title or artist is empty. - Albums - Always - Hey check out this cool music player at: https://play.google.com/store/apps/details?id=%s - Shuffle - Top Tracks - Retro music - Big - Retro music - Card - Retro music - Classic - Retro music - Small - Retro music - Text - Artist - Artists - Audio focus denied. - Change the sound settings and adjust the equalizer controls - Auto - Base color theme - Bass Boost - Bio - Biography - Just Black - Blacklist - Blur - Blur Card - Unable to send report - Invalid access token. Please contact the app developer. - Issues are not enabled for the selected repository. Please contact the app developer. - An unexpected error occurred. Please contact the app developer. - Wrong username or password - Issue - Send manually - Please enter an issue description - Please enter your valid GitHub password - Please enter an issue title - Please enter your valid GitHub username - An unexpected error occurred. Sorry you found this bug, if it keeps crashing \"Clear app data\" or send an Email - Uploading report to GitHub… - Send using GitHub account - Buy now - Cancel - Card - Circular - Colored Card - Card - Carousel - Carousel effect on the now playing screen - Cascading - Cast - Changelog - Changelog maintained on the Telegram channel - Circle - Circular - Classic - Clear - Clear app data - Clear blacklist - Clear queue - Clear playlist - %1$s? This can\u2019t be undone!]]> - Close - Color - Color - Colors - Composer - Copied device info to clipboard. - Couldn\u2019t create playlist. - "Couldn\u2019t download a matching album cover." - Could not restore purchase. - Could not scan %d files. - Create - Created playlist %1$s. - Members and contributors - Currently listening to %1$s by %2$s. - Kinda Dark - No Lyrics - Delete playlist - %1$s?]]> - Delete playlists - Delete song - %1$s?]]> - Delete songs - %1$d playlists?]]> - %1$d songs?]]> - Deleted %1$d songs. - Deleting songs - Depth - Description - Device info - Allow Retro Music to modify audio settings - Set ringtone - Do you want to clear the blacklist? - %1$s from the blacklist?]]> - Donate - If you think I deserve to get paid for my work, you can leave some money here - Buy me a: - Download from Last.fm - Drive mode - Edit - Edit cover - Empty - Equalizer - Error - FAQ - Favorites - Finish last song - Fit - Flat - Folders + 授权 + 网格大小 + 网格大小(横向) + 新建播放列表 + 下一首 + 播放 + 播放全部 + 下首播放 + 播放/暂停 + 上一首 + 从收藏夹中移除 + 从播放队列中移除 + 从播放列表中移除 + 重命名 + 保存播放队列 + 扫描 + 搜索 + 开始 + 设为铃声 + 设为起始目录 + "设置" + 分享 + 全部随机播放 + 随机播放列表 + 睡眠定时器 + 排序 + 标签编辑器 + 切换收藏夹 + 切换随机播放模式 + 自适应 + 添加 + 添加歌词 + 添加\n头像 + "添加到播放列表" + 添加时间戳歌词 + "已添加1首歌到播放队列。" + 已添加 %1$d 首歌到播放队列。 + 专辑 + 专辑艺术家 + 标题或艺术家是空的。 + 专辑 + 始终 + 嘿,快来瞧瞧这个酷炫的音乐播放器:https://play.google.com/store/apps/details?id=%s + 随机播放 + 热门曲目 + Retro Music - 大 + Retro Music - 卡片模式 + Retro Music - 经典模式 + Retro Music - 小 + Retro music - 文本 + 艺术家 + 艺术家 + 音频焦点丢失。 + 更改声音设置或调整均衡器 + 自动 + 基础颜色主题 + 低音增强 + 个性签名 + 简介 + A屏黑 + 黑名单 + 模糊 + 模糊卡片 + 无法提交报告 + 无效的访问令牌,请联系应用开发者。 + 目的仓库的 Issues 未启用,请联系应用开发者。 + 发生未知错误,请联系应用开发者。 + 错误的用户名或密码 + 问题 + 手动发送 + 请输入问题描述 + 请您输入有效的 GitHub 密码 + 请输入问题标题 + 请您输入有效的 GitHub 用户名 + 出错了,如一直崩溃请尝试清除应用数据或发送邮件给开发者 + 正在上传报告到 GitHub… + 使用 GitHub 帐户发送 + 立即购买 + 取消 + 卡片 + 圆形 + 彩色卡片 + 卡片 + 轮播 + 在「正在播放」界面使用轮播效果 + 层叠 + 投射 + 更新日志 + 在 Telegram 频道上维护更新日志 + 环形 + 圆形 + 古典 + 清空 + 清除应用数据 + 清空黑名单 + 清空队列 + 清除播放列表 + %1$s 吗? 该步骤无法撤销!]]> + 关闭 + 颜色 + 颜色 + 更多颜色 + 作曲家 + 已复制设备信息到剪贴板。 + 无法创建播放列表。 + "无法下载匹配的专辑封面。" + 无法恢复购买。 + 无法扫描 %d 个文件。 + 创建 + 已创建播放列表 %1$s。 + 开发团队和贡献者 + 正通过 %2$s 收听 %1$s。 + 暗夜黑 + 暂无歌词 + 删除播放列表 + %1$s 吗?]]> + 删除播放列表 + 删除歌曲 + %1$s吗?]]> + 删除歌曲 + %1$d 吗?]]> + %1$d 吗?]]> + 已删除 %1$d 首歌曲。 + 正在删除歌曲 + 深度 + 详情 + 设备信息 + 允许 Retro Music 修改声音设置 + 设为铃声 + 您想清空黑名单吗? + %1$s 吗?]]> + 捐赠 + 如果您认为应用还不错,可以通过捐赠支持我们 + 用以下方式捐赠: + 从 Last.fm 下载 + 驾驶模式 + 编辑 + 编辑专辑封面 + 空空如也 + 均衡器 + 错误 + 常见问题和解答 + 收藏夹 + 播放完最后一首歌曲 + 填充 + 扁平 + 文件夹 跟随系统 - For you - Free - Full - Full card - Change the theme and colors of the app - Look and feel - Genre - Genres - Fork the project on GitHub - Join the Google Plus community where you can ask for help or follow Retro Music updates + 私人订制 + 免费 + 全屏 + 填充卡片 + 更改应用的主题和颜色 + 界面与外观 + 流派 + 流派 + 在 GitHub 上克隆项目 + 加入 Google+ 社区获得帮助或者更新信息 1 2 3 @@ -183,333 +183,340 @@ 6 7 8 - Grid style - Hinge - History - Home - Horizontal flip - Image - Gradient image - Change artist image download settings - Inserted %1$d songs into the playlist %2$s. - Instagram - Share your Retro Music setup to showcase on Instagram - Keyboard - Bitrate - Format - File name - File path - Size - More from %s - Sampling rate - Length - Labeled - Last added - Last song - Let\'s play some music - Library - Library categories - Licenses - Clearly White - Listeners - Listing files - Loading products… - Login - Lyrics - Made with ❤️ in India - Material - Error - Permission error - Name - Most played - Never - New banner photo - New playlist - New profile photo - %s is the new start directory. - Next Song - You have no albums - You have no artists - "Play a song first, then try again." - No equalizer found - You have no genres - No lyrics found - No songs playing - You have no playlists - No purchase found. - No results - You have no songs - Normal - Normal lyrics - Normal - %s is not listed in the media store.]]> - Nothing to scan. - Nothing to see - Notification - Customize the notification style - Now playing - Now playing queue - Customize the now playing screen - 9+ now playing themes - Only on Wi-Fi - Advanced testing features - Other - Password - Past 3 months - Paste lyrics here - Peak - Permission to access external storage denied. - Permissions denied. - Personalize - Customize your now playing and UI controls - Pick from local storage - Pick image + 网格样式 + 关键 + 历史记录 + 主页 + 水平翻转 + 图片 + 渐变图片 + 更改下载艺术家图像方式 + 将歌曲 %1$d 加入 %2$s 列表。 + 将您的设置分享到 Instagram + 键盘 + 比特率 + 格式 + 文件名 + 文件路径 + 尺寸大小 + 来自 %s 的更多信息 + 采样率 + 长度 + 已标记 + 最近添加 + 最后一首 + 来点音乐吧! + 媒体库 + 媒体库分类 + 许可 + 质感白 + 监听器 + 正在罗列所有文件 + 加载产品... + 登录 + 歌词 + 印度 ❤️ 制造 + 质感 + 错误 + 权限错误 + 我的名字 + 播放最多 + 从不 + 新横幅图片 + 新建播放列表 + 使用新的头像 + %s 是新的起始目录。 + 下一曲 + 暂无专辑 + 暂无艺术家 + "请播放歌曲后重试" + 找不到均衡器 + 暂无流派 + 找不到歌词 + 没有播放的歌曲 + 暂无播放列表 + 找不到支付记录 + 暂无结果 + 暂无歌曲 + 正常 + 正常歌词 + 正常 + %s 未在媒体存储中列出。]]> + 检索不到任何东西。 + 空空如也 + 通知栏 + 自定义通知栏风格 + 正在播放 + 正在播放队列 + 自定义播放界面 + 多于 9 种播放主题 + 仅限 Wi-Fi 网络 + 高级测试功能 + 其他 + 密码 + 最近三个月 + 在此处粘贴歌词 + 顶点 + 访问外部存储权限时被拒绝。 + 权限被拒绝。 + 个性化 + 自定义正在播放控件和UI控件 + 从本地选取 + 选择图片 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 - Album style - Audio - Blacklist - Controls - Theme - Images - Library - Lockscreen - Playlists - Pauses the song when the volume decreases to zero and starts playing back when the volume level rises. Also works outside the app - Pause on zero - Keep in mind that enabling this feature may affect battery life - Keep the screen on - Click to open with or slide to without transparent navigation of now playing screen - Click or Slide - Snow fall effect - 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. - Start playing as soon as connected to bluetooth device - Blur the album cover on the lockscreen. Can cause problems with third party apps and widgets - Carousel effect for the album art in the now playing screen. Note that Card and Blur Card themes won\'t work - 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" + 在 Pintrest 页面关注 Retro Music 的设计灵感 + 简洁 + 播放通知栏提供播放/暂停等操作。 + 通知栏播放 + 播放列表为空 + 播放列表为空 + 播放列表名 + 播放列表 + 专辑详细风格 + 应用于模糊主题,数值越低加载越快 + 模糊值 + 调整底部表格对话框圆角 + 对话框圆角 + 按长度筛选歌曲 + 筛选歌曲时长 + 高级 + 专辑样式 + 音频 + 黑名单 + 控件 + 主题 + 图片 + 媒体库 + 锁屏 + 播放列表 + 在音量为0时暂停播放,并在提高音量后自动播放。注意:当您提高音量后,它甚至会在您使用其他应用时开始播放 + 静音暂停 + 请注意,启用此功能可能会降低电池续航时间 + 保持屏幕常亮 + 点击打开或者滑动到非正在播放界面的透明导航栏 + 单击或划动 + 降雪效果 + 将正在播放的歌曲专辑封面设置为锁屏壁纸 + 系统音响起或消息提醒时降低音量 + 在媒体库中隐藏列入黑名单的文件夹内容。 + 连接到蓝牙设备后立即开始播放 + 在锁屏中显示模糊化的专辑封面 +(可能会影响第三方应用或小部件正常运行) + 在「正在播放」界面中使用轮播效果 +(在使用卡片和模糊卡片主题时无效 ) + 使用经典通知栏设计 + 背景色以及控件色跟随正在播放界面的专辑封面变化 + 将快捷方式颜色更改为强调色,每次颜色更改后需要切换一下该设置才能生效 + 将导航栏颜色修改为主色调 + "将通知栏颜色修改为专辑封面的强调色" 根据材料设计指南,黑色模式时颜色应该降低饱和度 - Most dominant color will be picked from the album or artist cover - Add extra controls for mini player + 从专辑封面或艺术家图像中选取主色调 + 给迷你播放器添加额外控件 显示额外的歌曲信息,例如文件格式、比特率和频率 - "Can cause playback issues on some devices." - Toggle genre tab - Toggle home banner style - Can increase the album cover quality, but causes slower image loading times. Only enable this if you have problems with low resolution artworks - Configure visibility and order of library categories. - Use Retro Music\'s custom lockscreen controls - License details for open source software - Round the app\'s edges - Toggle titles for the bottom navigation bar tabs - Immersive mode - Start playing immediately after headphones are connected - Shuffle mode will turn off when playing a new list of songs - If enough space is available, show volume controls in the now playing screen - 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 + "在一些设备上可能会播放异常" + 切换流派标签 + 切换主页横幅样式 + 可以提高封面质量,但加载时间较慢 +(建议只在图片分辨率过低时开启) + 配置媒体库的可见性和顺序 + 使用 Retro Music 的自定义锁屏 + 开源许可详情 + 使应用边角圆滑 + 切换底部导航栏的标签标题 + 沉浸模式 + 连接耳机后立即开始播放 + 播放新列表时关闭随机播放 + 空间充足时在播放界面显示音量控制控件 + 显示专辑封面 + 专辑封面主题 + 专辑封面跳过 + 专辑网格 + 着色应用快捷方式 + 艺术家网格 + 焦点丢失时降低音量 + 自动下载艺术家图片 + 黑名单 + 蓝牙播放 + 模糊专辑封面 + 选择均衡器 + 经典通知栏设计 + 自适应颜色 + 着色通知栏 不饱和色 - Extra controls + 额外控件 歌曲信息 - Gapless playback - App theme - Show genre tab - Home artist grid - Home 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. - Queue - Rate the app - Love this app? Let us know in the Google Play Store how we can make it even better - Recent albums - Recent artists - Remove - Remove banner photo - Remove cover - Remove from blacklist - Remove profile photo - Remove song from playlist - %1$s from the playlist?]]> - Remove songs from playlist - %1$d songs from the playlist?]]> - Rename playlist - Report an issue - Report bug - Reset - Reset artist image - Restore - Restored previous purchase. Please restart the app to make use of all features. - Restored previous purchases. - Restoring purchase… - Retro Music Equalizer + 无缝播放 + 应用主题 + 显示流派标签 + 主页艺术家网格 + 主页横幅 + 忽略媒体存储封面 + 上次添加播放列表到现在的间隔 + 全屏控件 + 着色导航栏 + 正在播放主题 + 开源许可 + 边角 + 标签标题模式 + 轮播效果 + 主色调 + 全屏应用 + 标签标题 + 自动播放 + 随机播放 + 音量控件 + 用户信息 + 主颜色 + 蓝灰色为默认主色调,目前正使用深色 + 高级版 + 黑色主题,正在播放主题,轮播效果和更多... + 个人信息 + 购买 + *购买前请先考虑,不要征询退款。 + 队列 + 评价 + 喜欢这个应用?去 Google Play Store 中告诉我们怎样才能让它更好 + 最近专辑 + 最近艺术家 + 删除 + 删除横幅图像 + 移除封面 + 从黑名单中移除 + 删除简介照片 + 从播放列表中删除歌曲 + %1$s?]]> + 从播放列表中删除歌曲 + %1$d?]]> + 重命名播放列表 + 报告问题 + 报告错误 + 重置 + 重置艺术家图片 + 恢复 + 恢复以前的购买。请重新启动应用以充分利用所有功能。 + 恢复之前的购买。 + 恢复购买中... + Retro Music 均衡器 Retro Music Player - Retro Music Pro - File delete failed: %s + Retro Music 高级版 + 文件删除失败:%s - Can\'t get SAF URI - Open navigation drawer - Enable \'Show SD card\' in overflow menu + 无法获取 SAF URI + 打开导航栏 + 在溢出菜单中启用「显示 SD 卡」 - %s needs SD card access - You need to select your SD card root directory - Select your SD card in navigation drawer - Do not open any sub-folders - Tap \'select\' button at the bottom of the screen - File write failed: %s - Save + %s 需要访问 SD 卡 + 您需要选择您的 SD 卡根目录 + 在导航抽屉中选择您的 SD 卡 + 不要打开任何子文件夹 + 点击界面底部的「选择」按钮 + 文件写入失败:%s + 保存 - Save as file - Save as files - Saved playlist to %s. - Saving changes - Scan media - Scanned %1$d of %2$d files. - Scrobbles - Search your library… - Select all - Select banner photo - Selected - Send crash log - Set - Set artist image - Set a profile photo - Share app - Share to Stories - Shuffle - Simple - Sleep timer canceled. - Sleep timer set for %d minutes from now. - Slide - Small album - Social - Share story - Song - Song duration - Songs - Sort order - Ascending - Album - Artist - Composer - Date added - Date modified - Year - Descending - Sorry! Your device doesn\'t support speech input - Search your library - Stack - Start playing music. - Suggestions - Just show your name on home screen - Support development - Swipe to unlock - Synced lyrics - System Equalizer + 保存为文件 + 保存为文件 + 保存播放列表到 %s。 + 保存修改 + 扫描媒体 + 已扫描 %1$d 个,共计 %2$d 个文件。 + 滚动条 + 搜索媒体库... + 全选 + 选择横幅图像 + 已选中 + 发送崩溃日志 + 设置 + 设置艺术家图片 + 设置个人资料照片 + 分享应用 + 分享到故事 + 随机播放 + 简单 + 睡眠定时已取消。 + 睡眠定时器设置为 %d 分钟。 + 滑动 + 小专辑 + 社交 + 分享故事 + 歌曲 + 歌曲时长 + 歌曲 + 排序 + 升序 + 专辑 + 艺术家 + 作曲家 + 日期 + 修改日期 + 年份 + 降序 + 抱歉!您的设备不支持语音输入 + 搜索媒体库 + 堆栈 + 开始播放音乐。 + 建议 + 仅仅在主页上显示您的名字 + 支持开发者 + 滑动以解锁 + 滚动歌词 + 系统均衡器 Telegram - Join the Telegram group to discuss bugs, make suggestions, show off and more - Thank you! - The audio file - This month - This week - This year - Tiny - Title - Dashboard - Good afternoon - Good day - Good evening - Good morning - Good night - What\'s Your Name - Today - Top albums - Top artists - "Track (2 for track 2 or 3004 for CD3 track 4)" - Track number - Translate - Help us translate the app to your language + 加入 Telegram 团队,讨论错误,提出建议,展示信息等等 + 谢谢您! + 音频文件 + 本月 + 本周 + 本年 + 细小 + 标题 + 仪表盘 + 下午好 + 美好的一天 + 傍晚好 + 早上好 + 晚上好 + 您的名字是什么? + 今日 + 热门专辑 + 热门艺术家 + "音轨" + 音轨编号 + 翻译 + 帮助我们将应用翻译成您的语言 Twitter - Share your design with Retro Music - Unlabeled - Couldn\u2019t play this song. - Up next - Update image - Updating… - Username - Version - Vertical flip - Virtualizer - Volume - Web search - Welcome, - What do you want to share? - What\'s New - Window - Rounded corners - Set %1$s as your ringtone. - %1$d selected - Year - You have to select at least one category. - You will be forwarded to the issue tracker website. - Your account data is only used for authentication. - Amount - Note(Optional) - Start payment - Show now playing screen - Clicking on the notification will show now playing screen instead of the home screen + 与 Retro Music 分享您的设计 + 未标记 + 无法播放这首歌曲。 + 下一首 + 更新图片 + 更新中... + 用户名 + 版本 + 垂直翻转 + 虚拟器 + 音量 + 网络搜索 + 欢迎, + 您想分享什么? + 更新内容 + 窗口 + 圆角 + 将 %1$s 设置为铃声。 + 已选择 %1$d 首 + 年份 + 请至少选择一个分类。 + 将跳转至问题追踪网站。 + 您的账户数据仅用于验证。 + 数量 + 备注(可选) + 开始支付 + 显示正在播放界面 + 点击通知将显示「正在播放界面」而不是「主界面」 + Tiny card + 关于 %s + Select language + Translators + The people who helped translate this app diff --git a/app/src/main/res/values-zh-rHK/strings.xml b/app/src/main/res/values-zh-rHK/strings.xml index 887f8c06..465eb4cd 100644 --- a/app/src/main/res/values-zh-rHK/strings.xml +++ b/app/src/main/res/values-zh-rHK/strings.xml @@ -53,13 +53,13 @@ "加入至播放清單" 增加時間同步歌詞 "已經將1首歌曲新增至播放列表。" - 已經將 %1$d 首歌曲新增至播放列表。 + 已經將 %1$d 歌曲新增至播放列表。 專輯 專輯歌手 標題或歌手一欄是空白的。 專輯 經常 - 哈囉!來看看這個很有型的播放器吧: https://play.google.com/store/apps/details?id=%s + 嗨,看看這個很有型的播放器吧: https://play.google.com/store/apps/details?id=%s 隨機播放 歌曲榜 Retro Music - 大型模式 @@ -74,7 +74,7 @@ 自動 基色主題 低音增強 - 個人資料 + 個人簡歷 演出者資料 純黑 黑名單 @@ -82,7 +82,7 @@ 模糊卡片 無法上傳報告 存取金鑰無效。請與程式開發人員聯絡。 - 已選的資源庫並未針對此問題而啟用。請與程式開發人員聯絡。 + 已選的版本庫(repo)並未針對此問題而啟用。請與程式開發人員聯絡。 發生未預期的錯誤。請與程式開發人員聯絡。 用戶名稱或密碼錯誤 問題 @@ -91,13 +91,13 @@ 請輸入您的有效GitHub密碼 請輸入問題標題 請輸入您的有效GitHub用戶名稱 - 發生未預期的錯誤。真抱歉您發現了這個bug,如果一直死機請嘗試\"清除程式數據\",或者傳送電郵給我們 + 發生未預期的錯誤。真抱歉您發現了這個bug,如果一直崩潰請\"清除程式數據\",或者傳送電郵給我們 正在上傳報告至GitHub... 使用Github帳戶傳送 - 立即購買 + 現在購買 取消 卡片 - 圓盤 + 圓形化 彩色卡片 卡片 轉盤 @@ -107,7 +107,7 @@ 版本最新動向 在Telegram頻道取得更新動向 Circle - Circular + 圓盤 基本 清除 清除程式數據 @@ -124,30 +124,30 @@ 無法建立播放清單。 "無法下載符合的專輯圖片。" 無法恢復購買狀態。 - 無法掃描%d個檔案。 + 無法掃描 %d 個檔案。 新增 已新增%1$s播放清單。 - 成員和貢獻者 - 我在聽由 %2$s 唱的 %1$s 。 + 成員和貢獻者 + 我在聽由 %2$s 唱的 %1$s 暗黑 沒有歌詞 - 刪除播放清單 - %1$s播放清單嗎?]]> - 刪除多個播放清單 + 移除播放清單 + %1$s播放清單嗎?]]> + 移除多個播放清單 刪除歌曲 %1$s歌曲嗎?]]> 刪除多首歌曲 - %1$d個播放清單嗎?]]> - %1$d首歌曲嗎?]]> + %1$d個播放清單嗎?]]> + %1$d個歌曲嗎?]]> 已刪除%1$d首歌曲。 正在刪除歌曲 - Depth + 深度式 描述 裝置內容 允許Retro Music更改音效設定 設定鈴聲 - 要清除黑名單嗎? - %1$s由黑名單移除嗎?]]> + 要清除黑名單嗎? + %1$s由黑名單移除嗎?]]> 捐款 若果您覺得我的開發工作值得回報,可以捐助幾元給我 給我買個: @@ -164,15 +164,15 @@ Fit 平面 資料夾 - 依照系統 + 跟隨系統 給您的 - 免費 - Full - Full card - Change the theme and colors of the app - Look and feel - Genre - Genres + Free + 全螢幕 + 完整卡片 + 更改程式主題及色彩 + 介面外觀 + 類型 + 類型 在Github參與專案 加入Google+社交圈,在那裡您可以提出疑問或追蹤Retro Music的更新 1 @@ -183,333 +183,337 @@ 6 7 8 - Grid style - Hinge - History - Home - Horizontal flip - Image - Gradient image - Change artist image download settings - Inserted %1$d songs into the playlist %2$s. - Instagram - Share your Retro Music setup to showcase on Instagram - Keyboard - Bitrate - Format - File name - File path - Size + 網格及樣式 + 鉸鏈式 + 歷史 + 主頁 + 水平翻轉式 + 圖片 + 漸變圖像 + 更改下載歌手相片設定 + 已新增%1$d首歌曲到%2$s播放清單。 + 在Instagram分享以展示您的RetroMusic版面 + 鍵盤 + 位元率 + 格式 + 檔案名 + 檔案位址 + 大小 More from %s - Sampling rate + 取樣頻率 長度 已標記 最近新增 - Last song - Let\'s play some music - Library - Library categories - Licenses - Clearly White + 最後一首 + 讓我們播放音樂吧 + 媒體庫 + 類別庫 + 許可證 + 淺白色 Listeners - Listing files - Loading products… - Login - Lyrics - Made with ❤️ in India - Material - Error - Permission error - Name - Most played - Never - New banner photo - New playlist - New profile photo - %s is the new start directory. - Next Song - You have no albums - You have no artists - "Play a song first, then try again." - No equalizer found - You have no genres - No lyrics found + 正在列出檔案 + 載入中... + 登入 + 歌詞 + 在印度用❤️做 + 物質 + 錯誤 + 權限錯誤 + 名字 + 最常播放 + 永不 + 新橫幅圖片 + 新播放清單 + 新個人資料圖片 + 最新的主目錄是%s。 + 下一首 + 沒有專輯 + 沒有歌手 + "請先播放一首歌曲,然後再試一次。" + 找不到等化器 + 無類型 + 找不到歌詞 No songs playing - You have no playlists - No purchase found. - No results - You have no songs - Normal - Normal lyrics - Normal - %s is not listed in the media store.]]> - Nothing to scan. + 沒有播放清單 + 無法找到購買狀態。 + 沒有結果 + 沒有歌曲 + 常用 + 正常歌詞 + 常用 + %s不在媒體庫。]]> + 沒有項目可以掃描。 Nothing to see - Notification - Customize the notification style - Now playing - Now playing queue - Customize the now playing screen - 9+ now playing themes - Only on Wi-Fi - Advanced testing features - Other - Password - Past 3 months - Paste lyrics here - Peak - Permission to access external storage denied. - Permissions denied. - Personalize - Customize your now playing and UI controls - Pick from local storage - Pick image + 通知欄 + 個人化通知欄樣式 + 現在播放 + 現在播放清單 + 個人化現在播放界面 + 9+ 現在播放介面主題 + 僅透過Wi-Fi + 進階測試功能 + 其他 + 密碼 + 在3個月內 + 在此貼上歌詞 + 波紋 + 存取外置儲存空間權限被拒。 + 存取權限被拒。 + 個人化 + 個人化現在播放及用戶界面 + 由裝置儲存空間選擇 + 選擇圖片 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 + 加入我們的Pinterest來知道更多Retro Music的設計靈感 + 單色 + 播放通知欄包含了播放/暫停等動作。 + 播放通知欄 + 空白播放清單 + 空白播放清單 + 播放清單名稱 + 播放清單 + 專輯詳細樣式 + 給模糊模式主題的值,每值愈低就愈快 + 模糊值 Adjust the bottom sheet dialog corners - Dialog corner + 對話框圓角 Filter songs by length - Filter song duration + 過濾歌曲長度 Advanced - Album style - Audio + 專輯樣式 + 音樂 Blacklist - Controls - Theme - Images - Library - Lockscreen - Playlists - Pauses the song when the volume decreases to zero and starts playing back when the volume level rises. Also works outside the app - Pause on zero - Keep in mind that enabling this feature may affect battery life - Keep the screen on - Click to open with or slide to without transparent navigation of now playing screen - Click or Slide - Snow fall effect - 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. + 控制 + 主題 + 圖片 + 媒體庫 + 鎖定螢幕 + 播放清單 + 當無音量時暫停,提高音量時播放。請注意無論你是否開啟了程式此選項也適用 + 無音量時暫停 + 請記住當您啟用此選項後或會影響電池壽命 + 螢幕保持開啟 + 點擊或滑動開啟無透明現在播放導航欄 + 點擊或滑動 + 雪花效果 + 使用現在播放歌曲的專輯圖片來用作鎖定畫面背景圖片 + 當播放系統聲音或收到通知時降低音量 + 列入黑名單的資料夾內的資料會在您的媒體庫隱藏。 Start playing as soon as connected to bluetooth device - Blur the album cover on the lockscreen. Can cause problems with third party apps and widgets - Carousel effect for the album art in the now playing screen. Note that Card and Blur Card themes won\'t work - 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 + 在鎖定螢幕將專輯圖片模糊化。會引致第三方程式及工具無法正常運作 + 於現正播放專輯圖片使用的轉盤效果。請注意卡片模式及模糊卡片模式將無法使用此效果 + 使用基本的通知欄設計 + 背景及控制按鈕色彩根據現在播放中的專輯圖片而轉變 + 將重色設為程式捷徑色彩。每次更改色彩後請切換此選項來生效 + 設定導航欄色彩為主色調 + "\u5f9e\u5c08\u8f2f\u5716\u7247\u4e2d\u6700\u9bae\u660e\u7684\u8272\u5f69\u4f86\u6311\u9078\u901a\u77e5\u6b04\u8272\u5f69" + 根據物質設計指南(Material Design guide),在暗黑模式下的顏色應完全去飽和化 + 大多數主色會從專輯或歌手圖片中挑選 + 在迷你播放器增加控制項 Show extra Song information, such as file format, bitrate and frequency - "Can cause playback issues on some devices." - Toggle genre tab - Toggle home banner style - Can increase the album cover quality, but causes slower image loading times. Only enable this if you have problems with low resolution artworks - Configure visibility and order of library categories. - Use Retro Music\'s custom lockscreen controls - License details for open source software - Round the app\'s edges - Toggle titles for the bottom navigation bar tabs - Immersive mode - Start playing immediately after headphones are connected - Shuffle mode will turn off when playing a new list of songs - If enough space is available, show volume controls in the now playing screen - 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 + "或會引致某些裝置播放功能無法正常運作。" + 切換類型標籤 + 切換首頁橫幅樣式 + 可以提升專輯圖片質素,但這會引致加長圖片載入時間。建議只有當您的載入專輯圖片時質素較差時啟用 + 修改類別的可視性及順序。 + 使用Retro Music自訂鎖定螢幕控制 + 開放軟件特許條款內容 + 將程式的邊角圓角化 + 切換底部導航欄的標題標籤 + 全螢幕模式 + 當耳機連接後開始立即播放 + 播放新清單時會關閉隨機播放模式 + 如果現在播放控制有足夠空間則會顯示音量控制 + 顯示專輯圖片 + 專輯圖片主題 + 專輯圖片轉場 + 專輯網格 + 彩色化程式捷徑 + 歌手網格 + 失去音頻焦點時降低音量 + 自動下載歌手相片 + 黑名單 Bluetooth playback - Blur album cover - Choose equalizer - Classic notification design - Adaptive color - Colored notification - Desaturated color - Extra controls + 模糊化專輯圖片 + 選擇等化器 + 基本通知欄設計 + 自適應色彩 + 彩色通知欄 + 飽和色 + 額外控制項 Song info - Gapless playback - App theme - Show genre tab - Home artist grid - Home 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. - Queue - Rate the app - Love this app? Let us know in the Google Play Store how we can make it even better - Recent albums - Recent artists - Remove - Remove banner photo - Remove cover - Remove from blacklist - Remove profile photo - Remove song from playlist - %1$s from the playlist?]]> - Remove songs from playlist - %1$d songs from the playlist?]]> - Rename playlist - Report an issue - Report bug - Reset - Reset artist image - Restore - Restored previous purchase. Please restart the app to make use of all features. - Restored previous purchases. - Restoring purchase… - Retro Music Equalizer + 現時播放主題、轉盤效果,還有更多... + 個人資料 + 購買 + *購買前要三思,切勿要求退款 + 播放列表 + 為這個App評分 + 喜歡這個App嗎?請讓我們知道如何提供更好的體驗 + 近期專輯 + 近期歌手 + 移除 + 移除橫幅圖片 + 移除專輯圖片 + 由黑名單中移除 + 移除個人資料圖片 + 將歌曲由播放清單移除 + %1$s 歌曲由播放清單移除嗎?]]> + 將多首歌曲由播放清單移除 + %1$d 首歌曲由播放清單移除嗎?]]> + 重新命名播放清單 + 回報問題 + 回報錯誤 + 重設 + 重設歌手相片 + 恢復 + 已恢復上次購買狀態。請重新啟動程式來應用所有功能。 + 回復購買狀態 + 正在恢復購買狀態... + Retro等化器 Retro Music Player Retro Music Pro - File delete failed: %s + 刪除檔案失敗: %s - Can\'t get SAF URI - Open navigation drawer - Enable \'Show SD card\' in overflow menu + 獲取SAF URI失敗 + 開啟隱藏式選單 + 在溢出選單中啟用\'顯示SD卡\' - %s needs SD card access - You need to select your SD card root directory - Select your SD card in navigation drawer - Do not open any sub-folders - Tap \'select\' button at the bottom of the screen - File write failed: %s - Save + %s 需要SD卡存取權。 + 您需要選擇SD卡的根目錄。 + 在隱藏式選單中選擇您的SD卡 + 不要開啟任何子資料夾 + 點擊螢幕底下的\'選擇\'按鈕 + 寫人檔案失敗: %s + 儲存 - Save as file - Save as files - Saved playlist to %s. - Saving changes - Scan media - Scanned %1$d of %2$d files. + 儲存檔案 + 儲存為多個檔案 + 已儲存播放清單到%s。 + 儲存 + 掃描媒體 + 成功掃描 %2$d 項目 中的 %1$d 項目。 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 + 隨機播放 + 簡單 + 休眠計時器已經取消。 + 休眠計時器從現在開始 %d 分鐘後停止播放。 + 滑動 + 迷你專輯 + 社交 Share story - Song - Song duration - Songs - Sort order - Ascending - Album - Artist - Composer - Date added + 歌曲 + 歌曲長度 + 歌曲 + 排序 + 遞增 + 專輯 + 歌手 + 作曲者 + 日期 Date modified - Year - Descending - Sorry! Your device doesn\'t support speech input - Search your library - Stack - Start playing music. - Suggestions - Just show your name on home screen - Support development - Swipe to unlock - Synced lyrics - System Equalizer + 年份 + 遞減 + 對不起!您的裝置不支援語音服務 + 搜尋媒體庫 + 堆疊 + 開始播放音樂。 + 建議 + 只會在首頁顯示您的名字 + 開發支援 + 滑動螢幕以解鎖 + 同步歌詞 + 系統等化器 Telegram - Join the Telegram group to discuss bugs, make suggestions, show off and more - Thank you! - The audio file - This month - This week - This year - Tiny - Title - Dashboard - Good afternoon - Good day - Good evening - Good morning - Good night - What\'s Your Name - Today - Top albums - Top artists - "Track (2 for track 2 or 3004 for CD3 track 4)" - Track number - Translate - Help us translate the app to your language + 加入Telegram群組,討論程式錯誤、給予建議、炫耀一下,還有更多 + 多謝您! + 音樂檔案 + 這個月 + 這個星期 + 這年 + 迷你 + 標題 + 通知板 + 您好 + 今天真美好 + 晚安 + 早晨 + 晚安 + 您的名字是... + 今天 + 專輯榜 + 歌手榜 + "音軌 (2指音軌2或3004指CD3中的音軌4)" + 歌曲號碼 + 翻譯 + 協助我們將這個應用程式翻譯成為您的語言 Twitter - Share your design with Retro Music - Unlabeled - Couldn\u2019t play this song. - Up next - Update image - Updating… - Username - Version - Vertical flip - Virtualizer + 分享您的Retro Music設計 + 未標記 + \u7121\u6cd5\u64ad\u653e\u9019\u9996\u6b4c\u66f2\u3002 + 下一首 + 更新圖片 + 更新中... + 用戶名稱 + 版本 + 垂直翻轉式 + 音樂效果 Volume - Web search - Welcome, - What do you want to share? - What\'s New - Window - Rounded corners - Set %1$s as your ringtone. - %1$d selected - Year - You have to select at least one category. - You will be forwarded to the issue tracker website. - Your account data is only used for authentication. + 網路搜尋 + 歡迎, + 有什麼內容想分享的? + 最新動向 + 視窗 + 圓角 + 已經將%1$s設定為您的鈴聲。 + %1$d個已選擇 + 年份 + 您必須選擇最少一項類別。 + 您將會轉到問題跟蹤網站。 + 您的帳戶只會用於認證用途。 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 diff --git a/app/src/main/res/values-zh-rTW/strings.xml b/app/src/main/res/values-zh-rTW/strings.xml index 2124ffe5..a5448d68 100644 --- a/app/src/main/res/values-zh-rTW/strings.xml +++ b/app/src/main/res/values-zh-rTW/strings.xml @@ -1,82 +1,82 @@ Team, social links - Accent color - The theme accent color, defaults to purple - About - Add to favorites - Add to playing queue - Add to playlist - Clear playing queue - Clear playlist + 重點色調 + 重點色調,預設為粉紅色。 + 關於 + 加到最愛 + 加入播放佇列 + 加入播放清單... + 清空播放佇列 + 清除播放清單 Cycle repeat mode - Delete - Delete from device - Details - Go to album - Go to artist + 刪除 + 刪除 + 詳細資訊 + 開啟此專輯 + 前往此演唱者頁面 Go to genre - Go to start directory - Grant - Grid size - Grid size (land) + 前往起始目錄 + 取得 + 網格大小 + 網格大小 New playlist - Next - Play + 下一首 + 播放 Play all - Play next - Play/Pause - Previous - Remove from favorites - Remove from playing queue - Remove from playlist - Rename + 在下一首播放 + 播放/暫停 + 上一首 + 從最愛中移除 + 從播放佇列中移除 + 從播放清單移除 + 重新命名 Save playing queue - Scan - Search - Start - Set as ringtone - Set as start directory - "Settings" - Share - Shuffle all - Shuffle playlist - Sleep timer + 掃描 + 搜尋 + 設定 + 設為鈴聲 + 設為起始目錄 + "設定" + 分享 + 隨機播放 + 隨機播放清單 + 睡眠定時器 Sort order - Tag editor + 編輯音樂資訊 Toggle favorite Toggle shuffle mode Adaptive Add Add lyrics Add \nphoto - "Add to playlist" + "加入播放清單" Add time frame lyrics - "Added 1 title to the playing queue." - Added %1$d titles to the playing queue. - Album - Album artist - The title or artist is empty. - Albums - Always + "已將 1 首歌加到播放佇列" + 已將 %1$d 首歌加到播放佇列。 + 專輯 + 專輯演出者 + 專輯名稱或演出者欄是空的。 + 專輯 + 永遠 Hey check out this cool music player at: https://play.google.com/store/apps/details?id=%s - Shuffle - Top Tracks - Retro music - Big + 隨機播放 + 最佳單曲 + Retro music - 大型 Retro music - Card - Retro music - Classic - Retro music - Small + Retro music - 經典 + Retro music - 小型 Retro music - Text - Artist - Artists - Audio focus denied. + 演唱者 + 演唱者 + 無法控制音訊焦點。 Change the sound settings and adjust the equalizer controls Auto Base color theme Bass Boost Bio - Biography - Just Black + 簡介 + 純黑(AMOLED) Blacklist Blur Blur Card @@ -95,7 +95,7 @@ Uploading report to GitHub… Send using GitHub account Buy now - Cancel + 取消目前的計時器 Card Circular Colored Card @@ -104,42 +104,42 @@ Carousel effect on the now playing screen Cascading Cast - Changelog + 新功能 Changelog maintained on the Telegram channel Circle Circular Classic - Clear + 清空 Clear app data Clear blacklist Clear queue - Clear playlist + 清空播放清單 %1$s? This can\u2019t be undone!]]> Close Color Color - Colors + 主題顏色 Composer Copied device info to clipboard. Couldn\u2019t create playlist. "Couldn\u2019t download a matching album cover." Could not restore purchase. - Could not scan %d files. - Create - Created playlist %1$s. + 不能掃描 %d。 + 建立 + 已新增播放清單 %1$s。 Members and contributors - Currently listening to %1$s by %2$s. - Kinda Dark + 我正在聽 %2$s 的 %1$s + 暗沉 No Lyrics - Delete playlist - %1$s?]]> - Delete playlists + 刪除播放清單 + %1$s 嗎?]]> + 刪除多個播放清單 Delete song - %1$s?]]> + %1$s 嗎?]]> Delete songs - %1$d playlists?]]> - %1$d songs?]]> - Deleted %1$d songs. + %1$d 個播放清單?]]> + %1$d 首歌嗎?]]> + 已刪除 %1$d 首歌。 Deleting songs Depth Description @@ -148,22 +148,22 @@ Set ringtone Do you want to clear the blacklist? %1$s from the blacklist?]]> - Donate - If you think I deserve to get paid for my work, you can leave some money here + 捐助 + 如果你認為我的努力值得回報,你可以在這裡留幾塊錢。 Buy me a: - Download from Last.fm + 從 Last.fm 下載 Drive mode Edit Edit cover - Empty - Equalizer + 空的 + 等化器 Error FAQ - Favorites + 最愛 Finish last song Fit - Flat - Folders + 方角 + 文件夾 Follow system For you Free @@ -171,7 +171,7 @@ Full card Change the theme and colors of the app Look and feel - Genre + 類型 Genres Fork the project on GitHub Join the Google Plus community where you can ask for help or follow Retro Music updates @@ -185,94 +185,93 @@ 8 Grid style Hinge - History - Home + 記錄 + 首頁 Horizontal flip Image Gradient image Change artist image download settings - Inserted %1$d songs into the playlist %2$s. - Instagram + 已將 %1$d 首歌加入播放清單 %2$s 中。 Share your Retro Music setup to showcase on Instagram Keyboard - Bitrate - Format - File name - File path - Size + 位元率 + 格式 + 檔案名稱 + 檔案路徑 + 檔案大小 More from %s - Sampling rate - Length + 取樣率 + 長度 Labeled - Last added + 最後新增 Last song Let\'s play some music - Library + 音樂庫 Library categories - Licenses - Clearly White + 原始碼授權 + 明亮 Listeners - Listing files - Loading products… + 清單文件 + 正在載入 Login - Lyrics + 歌詞 Made with ❤️ in India Material Error Permission error Name - Most played - Never + 我的最佳單曲 + 永不 New banner photo - New playlist + 新增播放清單 New profile photo - %s is the new start directory. + %s是新的起始目錄 Next Song - You have no albums - You have no artists - "Play a song first, then try again." - No equalizer found + 沒有專輯 + 沒有演唱者 + "請先播放一首歌後再重試一遍。" + 找不到等化器。 You have no genres No lyrics found No songs playing - You have no playlists + 沒有播放清單 No purchase found. - No results - You have no songs + 沒有搜尋結果 + 沒有歌曲 Normal Normal lyrics Normal - %s is not listed in the media store.]]> - Nothing to scan. + %s 未在音樂庫裡。]]> + 沒有東西可掃描。 Nothing to see - Notification + 通知 Customize the notification style Now playing - Now playing queue + 播放佇列 Customize the now playing screen 9+ now playing themes - Only on Wi-Fi + 只在有 Wi-Fi 連接時 Advanced testing features Other Password Past 3 months Paste lyrics here Peak - Permission to access external storage denied. - Permissions denied. + 無法取得存取外部儲存空間的權限。 + 存取被拒 Personalize Customize your now playing and UI controls - Pick from local storage + 從手機裡選擇(SD卡或記憶體) 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 @@ -282,13 +281,13 @@ Filter song duration Advanced Album style - Audio + 音訊 Blacklist Controls Theme - Images + 圖片 Library - Lockscreen + 鎖定螢幕 Playlists Pauses the song when the volume decreases to zero and starts playing back when the volume level rises. Also works outside the app Pause on zero @@ -297,64 +296,64 @@ 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. Start playing as soon as connected to bluetooth device - Blur the album cover on the lockscreen. Can cause problems with third party apps and widgets + 在鎖定畫面上模糊化專輯圖片。第三方程式和小工具可能不正常運作。 Carousel effect for the album art in the now playing screen. Note that Card and Blur Card themes won\'t work 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" + 在播放面板上,背景與控制按鈕的顏色將根據的專輯封面顏色而改變 + 將重點色調設為應用快捷方式的顏色。每次更改重點色調後,請切換此功能以生效。 + 將主色調設為導航列的顏色。 + "\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 - "Can cause playback issues on some devices." + "可能會在某些裝置上出現播放問題。" Toggle genre tab Toggle home banner style - Can increase the album cover quality, but causes slower image loading times. Only enable this if you have problems with low resolution artworks + 提高專輯封面的成像品質,但會造成較長的讀取時間。建議只有在您對低畫質的專輯封面有問題時才開啟此選項。 Configure visibility and order of library categories. Use Retro Music\'s custom lockscreen controls License details for open source software - Round the app\'s edges + 使視窗邊角為圓形邊角 Toggle titles for the bottom navigation bar tabs Immersive mode Start playing immediately after headphones are connected Shuffle mode will turn off when playing a new list of songs If enough space is available, show volume controls in the now playing screen - Show album cover + 顯示專輯封面 Album cover theme Album cover skip Album grid - Colored app shortcuts + 彩色的應用快捷方式 Artist grid - Reduce volume on focus loss - Auto-download artist images + 在焦點音訊響起時降低音量 + 自動下載演唱者圖片 Blacklist Bluetooth playback - Blur album cover + 將專輯圖片模糊化 Choose equalizer Classic notification design - Adaptive color - Colored notification + 自適應顏色 + 彩色的狀態列 Desaturated color Extra controls Song info - Gapless playback - App theme + 無縫播放 + 主題 Show genre tab Home artist grid Home 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 @@ -364,35 +363,35 @@ 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. - Queue - Rate the app - Love this app? Let us know in the Google Play Store how we can make it even better + 播放佇列 + 評分 + 如果您喜歡 Retro music,在 Play 商店給個好評吧 ! Recent albums Recent artists - Remove + 移除 Remove banner photo - Remove cover + 移除封面 Remove from blacklist Remove profile photo - Remove song from playlist - %1$s from the playlist?]]> - Remove songs from playlist - %1$d songs from the playlist?]]> - Rename playlist + 將歌曲從播放清單中移除 + %1$s 從播放清單中移除嗎?]]> + 將多首歌曲從播放清單中移除 + %1$d 首歌從播放清單中移除嗎?]]> + 重新命名播放清單 Report an issue Report bug Reset Reset artist image Restore Restored previous purchase. Please restart the app to make use of all features. - Restored previous purchases. + 回復購買 Restoring purchase… Retro Music Equalizer Retro Music Player @@ -412,14 +411,14 @@ Save - Save as file + 儲存檔案 Save as files - Saved playlist to %s. - Saving changes + 已儲存播放清單至 %s + 儲存變更 Scan media - Scanned %1$d of %2$d files. + 已掃描 %2$d 個檔案夾中的 %1$d 個。 Scrobbles - Search your library… + 搜尋音樂庫… Select all Select banner photo Selected @@ -429,18 +428,18 @@ Set a profile photo Share app Share to Stories - Shuffle + 隨機播放 Simple - Sleep timer canceled. - Sleep timer set for %d minutes from now. + 已取消睡眠定時器。 + %d 分鐘後,音樂將會自動停止。 Slide Small album Social Share story - Song + 歌曲 Song duration - Songs - Sort order + 歌曲 + 排序 Ascending Album Artist @@ -449,21 +448,21 @@ Date modified Year Descending - Sorry! Your device doesn\'t support speech input - Search your library + 抱歉!你的裝置不支援語音輸入 + 搜尋音樂庫 Stack Start playing music. Suggestions Just show your name on home screen - Support development + 支援開發 Swipe to unlock Synced lyrics System Equalizer Telegram Join the Telegram group to discuss bugs, make suggestions, show off and more - Thank you! - The audio file + 感謝你! + 音訊檔案 This month This week This year @@ -479,31 +478,31 @@ Today Top albums Top artists - "Track (2 for track 2 or 3004 for CD3 track 4)" + "音軌(用2表示第2首歌或用3004表示 CD3 的第4首歌)" Track number - Translate + 翻譯 Help us translate the app to your language Twitter Share your design with Retro Music Unlabeled - Couldn\u2019t play this song. - Up next - Update image - Updating… + \u7121\u6cd5\u64ad\u653e\u9019\u9996\u6b4c\u3002 + 即將播放 + 更新圖片 + 正在更新… Username - Version + 版本 Vertical flip Virtualizer Volume - Web search + 網路搜尋 Welcome, - What do you want to share? + 你想分享哪些內容? What\'s New Window Rounded corners - Set %1$s as your ringtone. - %1$d selected - Year + 已將 %1$s 設為鈴聲。 + 已選取 %1$d 個 + 年份 You have to select at least one category. You will be forwarded to the issue tracker website. Your account data is only used for authentication. @@ -512,4 +511,9 @@ 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 diff --git a/app/src/main/res/values/arrays.xml b/app/src/main/res/values/arrays.xml index f2a41f46..3b1e598b 100755 --- a/app/src/main/res/values/arrays.xml +++ b/app/src/main/res/values/arrays.xml @@ -178,5 +178,96 @@ @layout/activity_album - + + System default + Afrikaans + Arabic + Basque + Bengali + Catalan + China + Hong kong China + Taiwan + Croatian + Czech + Danish + Dutch + Finnish + French + German + Greek + Hebrew + Hindi + Hungarian + Indonesian + Italian + Japanese + Kannada + Korean + Malayalam + Nepali + Norwegian + Oriya + Persian + Polish + Portuguese + Romanian + Russian + Serbian + Slovak + Spain + Swedish + Tamil + Telugu + Turkish + Ukrainian + Urdu + Vietnamese + + + auto + af-ZA + ar-SA + eu-ES + bn-IN + ca-ES + zh-CN + zh-HK + zh-TW + hr + cs-cz + da-DK + nl-NL + fi-FI + fr + de + el + iw + hi + hu + in + it + ja + kn + ko + ml + ne + no + or + fa + pl + pt + ro + ru + sr + sk + es + sw + ta + te + tr + uk + ur + vi + \ No newline at end of file diff --git a/app/src/main/res/values/strings.xml b/app/src/main/res/values/strings.xml index 77dc1bf8..d179eb30 100644 --- a/app/src/main/res/values/strings.xml +++ b/app/src/main/res/values/strings.xml @@ -846,4 +846,8 @@ 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 diff --git a/app/src/main/res/xml/pref_advanced.xml b/app/src/main/res/xml/pref_advanced.xml index edfd7029..6ceb9d36 100755 --- a/app/src/main/res/xml/pref_advanced.xml +++ b/app/src/main/res/xml/pref_advanced.xml @@ -70,4 +70,14 @@ app:showSeekBarValue="true" /> + \ No newline at end of file diff --git a/translators.json b/translators.json new file mode 100644 index 00000000..0e474b39 --- /dev/null +++ b/translators.json @@ -0,0 +1,12 @@ +[ + { + "name": "Akos Paha", + "summary": "Hungarian", + "flag": "" + }, + { + "name": "Akos Paha", + "summary": "Hungarian", + "flag": "" + } +] \ No newline at end of file