Merge remote-tracking branch 'upstream/master' into fork

pull/81/head
Adam Novak 4 years ago
commit 115a52b409

@ -157,6 +157,20 @@ class BrowserFragment : BaseBrowserFragment(), UserInteractionHandler {
} }
session?.register(toolbarSessionObserver, viewLifecycleOwner, autoPause = true) session?.register(toolbarSessionObserver, viewLifecycleOwner, autoPause = true)
if (settings.shouldShowOpenInAppBanner) {
session?.register(
OpenInAppOnboardingObserver(
context = context,
navController = findNavController(),
settings = settings,
appLinksUseCases = context.components.useCases.appLinksUseCases,
container = browserToolbarView.view.parent as ViewGroup
),
owner = this,
autoPause = true
)
}
if (!settings.userKnowsAboutPwas) { if (!settings.userKnowsAboutPwas) {
session?.register( session?.register(
PwaOnboardingObserver( PwaOnboardingObserver(

@ -0,0 +1,68 @@
/* This Source Code Form is subject to the terms of the Mozilla Public
* License, v. 2.0. If a copy of the MPL was not distributed with this
* file, You can obtain one at http://mozilla.org/MPL/2.0/. */
package org.mozilla.fenix.browser
import android.annotation.SuppressLint
import android.content.Context
import android.view.LayoutInflater
import android.view.View.GONE
import android.view.ViewGroup
import android.view.ViewGroup.LayoutParams.MATCH_PARENT
import android.view.ViewGroup.LayoutParams.WRAP_CONTENT
import kotlinx.android.synthetic.main.info_banner.view.*
import org.mozilla.fenix.R
/**
* Displays an Info Banner in the specified container with a message and an optional action.
* The container can be a placeholder layout inserted in the original screen, or an existing layout.
*
* @param context - A [Context] for accessing system resources.
* @param container - The layout where the banner will be shown
* @param message - The message displayed in the banner
* @param dismissText - The text on the dismiss button
* @param actionText - The text on the action to perform button
* @param actionToPerform - The action to be performed on action button press
*/
class InfoBanner(
private val context: Context,
private val container: ViewGroup,
private val message: String,
private val dismissText: String,
private val actionText: String? = null,
private val actionToPerform: (() -> Unit)? = null
) {
@SuppressLint("InflateParams")
private val bannerLayout = LayoutInflater.from(context)
.inflate(R.layout.info_banner, null)
internal fun showBanner() {
bannerLayout.banner_info_message.text = message
bannerLayout.dismiss.text = dismissText
if (actionText.isNullOrEmpty()) {
bannerLayout.action.visibility = GONE
} else {
bannerLayout.action.text = actionText
}
container.addView(bannerLayout)
val params = bannerLayout.layoutParams as ViewGroup.LayoutParams
params.height = WRAP_CONTENT
params.width = MATCH_PARENT
bannerLayout.dismiss.setOnClickListener {
dismiss()
}
bannerLayout.action.setOnClickListener {
actionToPerform?.invoke()
}
}
internal fun dismiss() {
container.removeView(bannerLayout)
}
}

@ -0,0 +1,64 @@
/* This Source Code Form is subject to the terms of the Mozilla Public
* License, v. 2.0. If a copy of the MPL was not distributed with this
* file, You can obtain one at http://mozilla.org/MPL/2.0/. */
package org.mozilla.fenix.browser
import android.content.Context
import android.view.ViewGroup
import androidx.navigation.NavController
import mozilla.components.browser.session.Session
import mozilla.components.feature.app.links.AppLinksUseCases
import mozilla.components.support.ktx.kotlin.tryGetHostFromUrl
import org.mozilla.fenix.R
import org.mozilla.fenix.ext.nav
import org.mozilla.fenix.utils.Settings
/**
* Displays an [InfoBanner] when a user visits a website that can be opened in an installed native app.
*/
class OpenInAppOnboardingObserver(
private val context: Context,
private val navController: NavController,
private val settings: Settings,
private val appLinksUseCases: AppLinksUseCases,
private val container: ViewGroup
) : Session.Observer {
private var sessionDomainForDisplayedBanner: String? = null
private var infoBanner: InfoBanner? = null
override fun onUrlChanged(session: Session, url: String) {
sessionDomainForDisplayedBanner?.let {
if (url.tryGetHostFromUrl() != it) {
infoBanner?.dismiss()
}
}
}
override fun onLoadingStateChanged(session: Session, loading: Boolean) {
val appLink = appLinksUseCases.appLinkRedirect
if (!loading &&
settings.shouldShowOpenInAppBanner &&
appLink(session.url).hasExternalApp()
) {
infoBanner = InfoBanner(
context = context,
message = context.getString(R.string.open_in_app_cfr_info_message),
dismissText = context.getString(R.string.open_in_app_cfr_negative_button_text),
actionText = context.getString(R.string.open_in_app_cfr_positive_button_text),
container = container
) {
val directions = BrowserFragmentDirections.actionBrowserFragmentToSettingsFragment(
preferenceToScrollTo = context.getString(R.string.pref_key_open_links_in_external_app)
)
navController.nav(R.id.browserFragment, directions)
}
infoBanner?.showBanner()
sessionDomainForDisplayedBanner = session.url.tryGetHostFromUrl()
settings.shouldShowOpenInAppBanner = false
}
}
}

@ -4,6 +4,7 @@
package org.mozilla.fenix.settings package org.mozilla.fenix.settings
import android.annotation.SuppressLint
import android.content.ActivityNotFoundException import android.content.ActivityNotFoundException
import android.content.Intent import android.content.Intent
import android.net.Uri import android.net.Uri
@ -15,6 +16,7 @@ import android.widget.Toast
import androidx.lifecycle.lifecycleScope import androidx.lifecycle.lifecycleScope
import androidx.navigation.NavDirections import androidx.navigation.NavDirections
import androidx.navigation.findNavController import androidx.navigation.findNavController
import androidx.navigation.fragment.navArgs
import androidx.preference.Preference import androidx.preference.Preference
import androidx.preference.PreferenceFragmentCompat import androidx.preference.PreferenceFragmentCompat
import androidx.recyclerview.widget.RecyclerView import androidx.recyclerview.widget.RecyclerView
@ -27,8 +29,8 @@ import mozilla.components.concept.sync.OAuthAccount
import mozilla.components.concept.sync.Profile import mozilla.components.concept.sync.Profile
import org.mozilla.fenix.BrowserDirection import org.mozilla.fenix.BrowserDirection
import org.mozilla.fenix.Config import org.mozilla.fenix.Config
import org.mozilla.fenix.HomeActivity
import org.mozilla.fenix.FeatureFlags import org.mozilla.fenix.FeatureFlags
import org.mozilla.fenix.HomeActivity
import org.mozilla.fenix.R import org.mozilla.fenix.R
import org.mozilla.fenix.components.metrics.Event import org.mozilla.fenix.components.metrics.Event
import org.mozilla.fenix.ext.application import org.mozilla.fenix.ext.application
@ -45,6 +47,7 @@ import kotlin.system.exitProcess
@Suppress("LargeClass", "TooManyFunctions") @Suppress("LargeClass", "TooManyFunctions")
class SettingsFragment : PreferenceFragmentCompat() { class SettingsFragment : PreferenceFragmentCompat() {
private val args by navArgs<SettingsFragmentArgs>()
private lateinit var accountUiView: AccountUiView private lateinit var accountUiView: AccountUiView
private val accountObserver = object : AccountObserver { private val accountObserver = object : AccountObserver {
@ -124,6 +127,7 @@ class SettingsFragment : PreferenceFragmentCompat() {
updateMakeDefaultBrowserPreference() updateMakeDefaultBrowserPreference()
} }
@SuppressLint("RestrictedApi")
override fun onResume() { override fun onResume() {
super.onResume() super.onResume()
@ -136,6 +140,10 @@ class SettingsFragment : PreferenceFragmentCompat() {
requireView().findViewById<RecyclerView>(R.id.recycler_view) requireView().findViewById<RecyclerView>(R.id.recycler_view)
?.hideInitialScrollBar(viewLifecycleOwner.lifecycleScope) ?.hideInitialScrollBar(viewLifecycleOwner.lifecycleScope)
if (args.preferenceToScrollTo != null) {
scrollToPreference(args.preferenceToScrollTo)
}
// Consider finish of `onResume` to be the point at which we consider this fragment as 'created'. // Consider finish of `onResume` to be the point at which we consider this fragment as 'created'.
creatingFragment = false creatingFragment = false
} }

@ -669,6 +669,11 @@ class Settings(private val appContext: Context) : PreferencesHolder {
default = false default = false
) )
var shouldShowOpenInAppBanner by booleanPreference(
appContext.getPreferenceKey(R.string.pref_key_should_show_open_in_app_banner),
default = true
)
@VisibleForTesting(otherwise = PRIVATE) @VisibleForTesting(otherwise = PRIVATE)
internal val trackingProtectionOnboardingCount = counterPreference( internal val trackingProtectionOnboardingCount = counterPreference(
appContext.getPreferenceKey(R.string.pref_key_tracking_protection_onboarding), appContext.getPreferenceKey(R.string.pref_key_tracking_protection_onboarding),

@ -0,0 +1,53 @@
<?xml version="1.0" encoding="utf-8"?><!-- This Source Code Form is subject to the terms of the Mozilla Public
- License, v. 2.0. If a copy of the MPL was not distributed with this
- file, You can obtain one at http://mozilla.org/MPL/2.0/. -->
<androidx.constraintlayout.widget.ConstraintLayout xmlns:android="http://schemas.android.com/apk/res/android"
xmlns:app="http://schemas.android.com/apk/res-auto"
xmlns:tools="http://schemas.android.com/tools"
android:id="@+id/banner_container"
android:layout_width="match_parent"
android:layout_height="wrap_content"
android:layout_marginBottom="21dp"
android:background="?foundation"
android:paddingStart="11dp"
android:paddingTop="21dp"
android:paddingEnd="16dp">
<TextView
android:id="@+id/banner_info_message"
android:layout_width="match_parent"
android:layout_height="wrap_content"
android:paddingStart="10dp"
android:paddingEnd="10dp"
android:textAppearance="@style/Body14TextStyle"
app:layout_constraintEnd_toEndOf="parent"
app:layout_constraintStart_toStartOf="parent"
app:layout_constraintTop_toTopOf="parent"
tools:text="Banner info message." />
<com.google.android.material.button.MaterialButton
android:id="@+id/dismiss"
style="@style/CreateShortcutDialogButton"
android:layout_width="wrap_content"
android:layout_height="wrap_content"
android:layout_marginTop="10dp"
android:layout_marginEnd="8dp"
android:textAllCaps="true"
app:layout_constraintBottom_toBottomOf="parent"
app:layout_constraintEnd_toStartOf="@id/action"
app:layout_constraintTop_toBottomOf="@+id/banner_info_message"
tools:text="Dismiss" />
<com.google.android.material.button.MaterialButton
android:id="@+id/action"
style="@style/CreateShortcutDialogButton"
android:layout_width="wrap_content"
android:layout_height="wrap_content"
android:layout_marginTop="10dp"
android:layout_marginEnd="3dp"
android:textAllCaps="true"
app:layout_constraintBottom_toBottomOf="parent"
app:layout_constraintEnd_toEndOf="parent"
app:layout_constraintTop_toBottomOf="@+id/banner_info_message"
tools:text="Action" />
</androidx.constraintlayout.widget.ConstraintLayout>

@ -410,6 +410,11 @@
android:id="@+id/settingsFragment" android:id="@+id/settingsFragment"
android:name="org.mozilla.fenix.settings.SettingsFragment" android:name="org.mozilla.fenix.settings.SettingsFragment"
android:label="@string/settings_title"> android:label="@string/settings_title">
<argument
android:name="preference_to_scroll_to"
android:defaultValue="@null"
app:argType="string"
app:nullable="true" />
<action <action
android:id="@+id/action_settingsFragment_to_dataChoicesFragment" android:id="@+id/action_settingsFragment_to_dataChoicesFragment"
app:destination="@id/dataChoicesFragment" app:destination="@id/dataChoicesFragment"

@ -18,7 +18,7 @@
<string name="no_open_tabs_description">Equí van amosase les llingüetes abiertes.</string> <string name="no_open_tabs_description">Equí van amosase les llingüetes abiertes.</string>
<!-- No Private Tabs Message Description --> <!-- No Private Tabs Message Description -->
<string name="no_private_tabs_description">Equí van amosase les llingüetes abiertes.</string> <string name="no_private_tabs_description">Equí van amosase les llingüetes privaes abiertes.</string>
<!-- Message announced to the user when tab tray is selected with 1 tab --> <!-- Message announced to the user when tab tray is selected with 1 tab -->
<string name="open_tab_tray_single">1 llingüeta abierta. Toca pa cambiar a otra.</string> <string name="open_tab_tray_single">1 llingüeta abierta. Toca pa cambiar a otra.</string>
@ -53,7 +53,7 @@
<!-- Explanation for private browsing displayed to users on home view when they first enable private mode <!-- Explanation for private browsing displayed to users on home view when they first enable private mode
The first parameter is the name of the app defined in app_name (for example: Fenix) --> The first parameter is the name of the app defined in app_name (for example: Fenix) -->
<string name="private_browsing_placeholder_description_2">%1$s llimpia los historiales cuando coles de l\'aplicación o zarres toles llingüetes privaes. Magar qu\'esto nun t\'anonimiza n\'internet, fai que la to actividá en llinia seya fácil d\'anubrir a otros usuarios qu\'usen el preséu.</string> <string name="private_browsing_placeholder_description_2">%1$s llimpia los historiales de restolar en privao cuando coles de l\'aplicación o zarres toles llingüetes privaes. Magar qu\'esto nun t\'anonimiza n\'internet, fai que la to actividá en llinia seya fácil d\'anubrir a otros usuarios qu\'usen el preséu.</string>
<string name="private_browsing_common_myths">Mitos comunes tocante al restolar en privao</string> <string name="private_browsing_common_myths">Mitos comunes tocante al restolar en privao</string>
<!-- Delete session button to erase your history in a private session --> <!-- Delete session button to erase your history in a private session -->
<string name="private_browsing_delete_session">Desaniciar la sesión</string> <string name="private_browsing_delete_session">Desaniciar la sesión</string>
@ -543,7 +543,7 @@
<!-- Text for the menu button to rename a collection --> <!-- Text for the menu button to rename a collection -->
<string name="collection_rename">Renomar la coleición</string> <string name="collection_rename">Renomar la coleición</string>
<!-- Text for the button to open tabs of the selected collection --> <!-- Text for the button to open tabs of the selected collection -->
<string name="collection_open_tabs">Abrir les llingüetes</string> <string name="collection_open_tabs">Abrir lo qu\'heba</string>
<!-- Text for the menu button to remove a top site --> <!-- Text for the menu button to remove a top site -->
<string name="remove_top_site">Desaniciar</string> <string name="remove_top_site">Desaniciar</string>
@ -808,7 +808,7 @@
<!-- Notifications --> <!-- Notifications -->
<!-- The user visible name of the "notification channel" (Android 8+ feature) for the ongoing notification shown while a browsing session is active. --> <!-- The user visible name of the "notification channel" (Android 8+ feature) for the ongoing notification shown while a browsing session is active. -->
<string name="notification_pbm_channel_name">Sesión de restolar en privao</string> <string name="notification_pbm_channel_name">Sesiones de restolar en privao</string>
<!-- Text shown in the notification that pops up to remind the user that a private browsing session is active. --> <!-- Text shown in the notification that pops up to remind the user that a private browsing session is active. -->
<string name="notification_pbm_delete_text_2">Toca pa zarrar les llingüetes privaes</string> <string name="notification_pbm_delete_text_2">Toca pa zarrar les llingüetes privaes</string>
<!-- Notification action to open Fenix and resume the current browsing session. --> <!-- Notification action to open Fenix and resume the current browsing session. -->
@ -995,7 +995,7 @@
<string name="onboarding_tracking_protection_header_2">Privacidá automática</string> <string name="onboarding_tracking_protection_header_2">Privacidá automática</string>
<!-- text for the tracking protection card description <!-- text for the tracking protection card description
The first parameter is the name of the app (e.g. Firefox Preview) --> The first parameter is the name of the app (e.g. Firefox Preview) -->
<string name="onboarding_tracking_protection_description_2">Los axustes de privacidá y seguranza bloquien rastrexadores, malware y compañes que t\'escorren.</string> <string name="onboarding_tracking_protection_description_2">Los axustes de privacidá y seguranza bloquien rastrexadores, malware y compañes que te siguen.</string>
<!-- text for tracking protection radio button option for standard level of blocking --> <!-- text for tracking protection radio button option for standard level of blocking -->
<string name="onboarding_tracking_protection_standard_button_2">Estándar (por defeutu)</string> <string name="onboarding_tracking_protection_standard_button_2">Estándar (por defeutu)</string>
<!-- text for standard blocking option button description --> <!-- text for standard blocking option button description -->
@ -1451,6 +1451,11 @@
<!-- Text displayed when user has no tabs that have been synced --> <!-- Text displayed when user has no tabs that have been synced -->
<string name="synced_tabs_no_tabs">Nun tienes llingüetes abiertes nel Firefox de los demás preseos de to.</string> <string name="synced_tabs_no_tabs">Nun tienes llingüetes abiertes nel Firefox de los demás preseos de to.</string>
<!-- Text displayed in the synced tabs screen when a user is not signed in to Firefox Sync describing Synced Tabs -->
<string name="synced_tabs_sign_in_message">Ve una llista de les llingüetes que tienes nos demás preseos de to.</string>
<!-- Text displayed on a button in the synced tabs screen to link users to sign in when a user is not signed in to Firefox Sync -->
<string name="synced_tabs_sign_in_button">Aniciar sesión pa sincronizar</string>
<!-- Top Sites --> <!-- Top Sites -->
<!-- Title text displayed in the dialog when top sites limit is reached. --> <!-- Title text displayed in the dialog when top sites limit is reached. -->
<string name="top_sites_max_limit_title">Algamóse la llende de sitios destacaos</string> <string name="top_sites_max_limit_title">Algamóse la llende de sitios destacaos</string>

@ -39,6 +39,8 @@
<string name="tab_tray_collection_button_multiselect_content_description">Захаваць абраныя карткі ў калекцыю</string> <string name="tab_tray_collection_button_multiselect_content_description">Захаваць абраныя карткі ў калекцыю</string>
<!-- Content description for checkmark while tab is selected while in multiselect mode in tab tray. The first parameter is the title of the tab selected --> <!-- Content description for checkmark while tab is selected while in multiselect mode in tab tray. The first parameter is the title of the tab selected -->
<string name="tab_tray_item_selected_multiselect_content_description">Вылучана %1$s</string> <string name="tab_tray_item_selected_multiselect_content_description">Вылучана %1$s</string>
<!-- Content description when tab is unselected while in multiselect mode in tab tray. The first parameter is the title of the tab unselected -->
<string name="tab_tray_item_unselected_multiselect_content_description">Зняты выбар %1$s</string>
<!-- Content description announcement when exiting multiselect mode in tab tray --> <!-- Content description announcement when exiting multiselect mode in tab tray -->
<string name="tab_tray_exit_multiselect_content_description">Пакінуты рэжым мультывыбару</string> <string name="tab_tray_exit_multiselect_content_description">Пакінуты рэжым мультывыбару</string>
<!-- Content description announcement when entering multiselect mode in tab tray --> <!-- Content description announcement when entering multiselect mode in tab tray -->
@ -52,6 +54,9 @@
<!-- Private Browsing --> <!-- Private Browsing -->
<!-- Title for private session option --> <!-- Title for private session option -->
<string name="private_browsing_title">Вы ў прыватным сеансе</string> <string name="private_browsing_title">Вы ў прыватным сеансе</string>
<!-- Explanation for private browsing displayed to users on home view when they first enable private mode
The first parameter is the name of the app defined in app_name (for example: Fenix) -->
<string name="private_browsing_placeholder_description_2"> %1$s выдаляе гісторыю пошуку і аглядання з прыватных картак, калі вы закрываеце іх ці выходзіце з праграмы. Гэта не робіць вас ананімным для вэб-сайтаў ці вашага правайдара, але дазваляе трымаць у сакрэце вашу сеціўную дзейнасць ад кагосьці, хто карыстаецца вашай прыладай.</string>
<string name="private_browsing_common_myths">Шырокавядомыя забабоны пра прыватнае агляданне</string> <string name="private_browsing_common_myths">Шырокавядомыя забабоны пра прыватнае агляданне</string>
<!-- Delete session button to erase your history in a private session --> <!-- Delete session button to erase your history in a private session -->
<string name="private_browsing_delete_session">Выдаліць сеанс</string> <string name="private_browsing_delete_session">Выдаліць сеанс</string>
@ -66,12 +71,15 @@
<!-- Search widget "contextual feature recommendation" (CFR) --> <!-- Search widget "contextual feature recommendation" (CFR) -->
<!-- Text for the main message. 'Firefox' intentionally hardcoded here.--> <!-- Text for the main message. 'Firefox' intentionally hardcoded here.-->
<string name="search_widget_cfr_message">Знаходзьце Firefox хутчэй. Дадайце віжэт на галоўны экран.</string> <string name="search_widget_cfr_message">Знаходзьце Firefox хутчэй. Дадайце віджэт на галоўны экран.</string>
<!-- Text for the positive button --> <!-- Text for the positive button -->
<string name="search_widget_cfr_pos_button_text">Дадаць віджэт</string> <string name="search_widget_cfr_pos_button_text">Дадаць віджэт</string>
<!-- Text for the negative button --> <!-- Text for the negative button -->
<string name="search_widget_cfr_neg_button_text">Не зараз</string> <string name="search_widget_cfr_neg_button_text">Не зараз</string>
<!-- Open in App "contextual feature recommendation" (CFR) -->
<!-- Text for the info message. 'Firefox' intentionally hardcoded here.-->
<string name="open_in_app_cfr_info_message">Вы можаце наладзіць Firefox аўтаматычна адкрываць спасылкі ў праграмах.</string>
<!-- Text for the positive action button --> <!-- Text for the positive action button -->
<string name="open_in_app_cfr_positive_button_text">Перайсці ў налады</string> <string name="open_in_app_cfr_positive_button_text">Перайсці ў налады</string>
<!-- Text for the negative action button --> <!-- Text for the negative action button -->
@ -86,6 +94,8 @@
<!-- Text for the banner message to tell users about our auto close feature. --> <!-- Text for the banner message to tell users about our auto close feature. -->
<string name="tab_tray_close_tabs_banner_message">Наладзіць аўтаматычнае закрыццё картак, якія не праглядаліся на працягу дня, месяца ці года.</string> <string name="tab_tray_close_tabs_banner_message">Наладзіць аўтаматычнае закрыццё картак, якія не праглядаліся на працягу дня, месяца ці года.</string>
<!-- Text for the positive action button to go to Settings for auto close tabs. -->
<string name="tab_tray_close_tabs_banner_positive_button_text">Паглядзець параметры</string>
<!-- Text for the negative action button to dismiss the Close Tabs Banner. --> <!-- Text for the negative action button to dismiss the Close Tabs Banner. -->
<string name="tab_tray_close_tabs_banner_negative_button_text">Адхіліць</string> <string name="tab_tray_close_tabs_banner_negative_button_text">Адхіліць</string>
@ -353,6 +363,8 @@
<!-- Send Tab --> <!-- Send Tab -->
<!-- Name of the "receive tabs" notification channel. Displayed in the "App notifications" system settings for the app --> <!-- Name of the "receive tabs" notification channel. Displayed in the "App notifications" system settings for the app -->
<string name="fxa_received_tab_channel_name">Атрыманыя карткі</string> <string name="fxa_received_tab_channel_name">Атрыманыя карткі</string>
<!-- Description of the "receive tabs" notification channel. Displayed in the "App notifications" system settings for the app -->
<string name="fxa_received_tab_channel_description">Апавяшчэнні для картак, атрыманых ад іншых прылад Firefox.</string>
<!-- The body for these is the URL of the tab received --> <!-- The body for these is the URL of the tab received -->
<string name="fxa_tab_received_notification_name">Атрыманая картка</string> <string name="fxa_tab_received_notification_name">Атрыманая картка</string>
<!-- When multiple tabs have been received --> <!-- When multiple tabs have been received -->
@ -371,9 +383,14 @@
<string name="preferences_tracking_protection_exceptions_description">Ахова ад сачэння выключана на гэтых сайтах</string> <string name="preferences_tracking_protection_exceptions_description">Ахова ад сачэння выключана на гэтых сайтах</string>
<!-- Button in Exceptions Preference to turn on tracking protection for all sites (remove all exceptions) --> <!-- Button in Exceptions Preference to turn on tracking protection for all sites (remove all exceptions) -->
<string name="preferences_tracking_protection_exceptions_turn_on_for_all">Уключыць для ўсіх сайтаў</string> <string name="preferences_tracking_protection_exceptions_turn_on_for_all">Уключыць для ўсіх сайтаў</string>
<!-- Text displayed when there are no exceptions -->
<string name="exceptions_empty_message_description">Выключэнні дазваляюць адключыць функцыю аховы ад сачэння для абраных сайтаў.</string>
<!-- Text displayed when there are no exceptions, with learn more link that brings users to a tracking protection SUMO page --> <!-- Text displayed when there are no exceptions, with learn more link that brings users to a tracking protection SUMO page -->
<string name="exceptions_empty_message_learn_more_link">Даведацца больш</string> <string name="exceptions_empty_message_learn_more_link">Даведацца больш</string>
<!-- Description in Quick Settings that tells user tracking protection is off globally for all sites, and links to Settings to turn it on -->
<string name="preferences_tracking_protection_turned_off_globally">Выключана паўсюль. Перайдзіце ў Налады, каб уключыць.</string>
<!-- Preference switch for Telemetry --> <!-- Preference switch for Telemetry -->
<string name="preferences_telemetry">Тэлеметрыя</string> <string name="preferences_telemetry">Тэлеметрыя</string>
<!-- Preference switch for usage and technical data collection --> <!-- Preference switch for usage and technical data collection -->
@ -401,6 +418,9 @@
<!-- Preference for removing FxA account --> <!-- Preference for removing FxA account -->
<string name="preferences_sync_remove_account">Выдаліць уліковы запіс</string> <string name="preferences_sync_remove_account">Выдаліць уліковы запіс</string>
<!-- Pairing Feature strings -->
<!-- Instructions on how to access pairing -->
<string name="pair_instructions_2"><![CDATA[Адскануйце QR-код на <b>firefox.com/pair</b>]]></string>
<!-- Button to open camera for pairing --> <!-- Button to open camera for pairing -->
<string name="pair_open_camera">Адкрыць камеру</string> <string name="pair_open_camera">Адкрыць камеру</string>
@ -456,6 +476,29 @@
<!-- Content description (not visible, for screen readers etc.): "Close button for library settings" --> <!-- Content description (not visible, for screen readers etc.): "Close button for library settings" -->
<string name="content_description_close_button">Закрыць</string> <string name="content_description_close_button">Закрыць</string>
<!-- Option in library to open Recently Closed Tabs page -->
<string name="recently_closed_show_full_history">Паказаць усю гісторыю</string>
<!-- Text to show users they have multiple tabs saved in the Recently Closed Tabs section of history.
%d is a placeholder for the number of tabs selected. -->
<string name="recently_closed_tabs">%d карткі(-ак)</string>
<!-- Text to show users they have one tab saved in the Recently Closed Tabs section of history.
%d is a placeholder for the number of tabs selected. -->
<string name="recently_closed_tab">%d картка</string>
<!-- Recently closed tabs screen message when there are no recently closed tabs -->
<string name="recently_closed_empty_message">Тут няма нядаўна закрытых картак</string>
<!-- Tab Management -->
<!-- Title of preference that allows a user to auto close tabs after a specified amount of time -->
<string name="preferences_close_tabs">Закрываць карткі</string>
<!-- Option for auto closing tabs that will never auto close tabs, always allows user to manually close tabs -->
<string name="close_tabs_manually">Уручную</string>
<!-- Option for auto closing tabs that will auto close tabs after one day -->
<string name="close_tabs_after_one_day">Праз дзень</string>
<!-- Option for auto closing tabs that will auto close tabs after one week -->
<string name="close_tabs_after_one_week">Праз тыдзень</string>
<!-- Option for auto closing tabs that will auto close tabs after one month -->
<string name="close_tabs_after_one_month">Праз месяц</string>
<!-- Sessions --> <!-- Sessions -->
<!-- Title for the list of tabs --> <!-- Title for the list of tabs -->
<string name="tab_header_label">Адкрытыя карткі</string> <string name="tab_header_label">Адкрытыя карткі</string>
@ -476,6 +519,10 @@
<string name="tab_tray_menu_item_save">Захаваць у калекцыі</string> <string name="tab_tray_menu_item_save">Захаваць у калекцыі</string>
<!-- Text shown in the menu for sharing all tabs --> <!-- Text shown in the menu for sharing all tabs -->
<string name="tab_tray_menu_item_share">Падзяліцца ўсімі карткамі</string> <string name="tab_tray_menu_item_share">Падзяліцца ўсімі карткамі</string>
<!-- Text shown in the menu to view recently closed tabs -->
<string name="tab_tray_menu_recently_closed">Нядаўна закрытыя карткі</string>
<!-- Text shown in the menu to view tab settings -->
<string name="tab_tray_menu_tab_settings">Налады картак</string>
<!-- Text shown in the menu for closing all tabs --> <!-- Text shown in the menu for closing all tabs -->
<string name="tab_tray_menu_item_close">Закрыць усе карткі</string> <string name="tab_tray_menu_item_close">Закрыць усе карткі</string>
<!-- Shortcut action to open new tab --> <!-- Shortcut action to open new tab -->
@ -521,9 +568,14 @@
<!-- Text for the menu button to remove a top site --> <!-- Text for the menu button to remove a top site -->
<string name="remove_top_site">Выдаліць</string> <string name="remove_top_site">Выдаліць</string>
<!-- Text for the menu button to delete a top site from history -->
<string name="delete_from_history">Выдаліць з гісторыі</string>
<!-- Postfix for private WebApp titles, placeholder is replaced with app name --> <!-- Postfix for private WebApp titles, placeholder is replaced with app name -->
<string name="pwa_site_controls_title_private">%1$s (Прыватны рэжым)</string> <string name="pwa_site_controls_title_private">%1$s (Прыватны рэжым)</string>
<!-- Button in the current tab tray header in multiselect mode. Saved the selected tabs to a collection when pressed. -->
<string name="tab_tray_save_to_collection">Захаваць</string>
<!-- History --> <!-- History -->
<!-- Text for the button to clear all history --> <!-- Text for the button to clear all history -->
<string name="history_delete_all">Выдаліць гісторыю</string> <string name="history_delete_all">Выдаліць гісторыю</string>
@ -564,6 +616,13 @@
<!-- Text shown when no history exists --> <!-- Text shown when no history exists -->
<string name="history_empty_message">Няма гісторыі</string> <string name="history_empty_message">Няма гісторыі</string>
<!-- Downloads -->
<!-- Text shown when no download exists -->
<string name="download_empty_message">Тут яшчэ няма спамповак</string>
<!-- History multi select title in app bar
The first parameter is the number of downloads selected -->
<string name="download_multi_select_title">Вылучана: %1$d</string>
<!-- Crashes --> <!-- Crashes -->
<!-- Title text displayed on the tab crash page. This first parameter is the name of the application (For example: Fenix) --> <!-- Title text displayed on the tab crash page. This first parameter is the name of the application (For example: Fenix) -->
<string name="tab_crash_title_2">Выбачайце. %1$s не можа загрузіць гэтую старонку.</string> <string name="tab_crash_title_2">Выбачайце. %1$s не можа загрузіць гэтую старонку.</string>
@ -591,6 +650,8 @@
<string name="bookmark_select_folder">Выбраць папку</string> <string name="bookmark_select_folder">Выбраць папку</string>
<!-- Confirmation message for a dialog confirming if the user wants to delete the selected folder --> <!-- Confirmation message for a dialog confirming if the user wants to delete the selected folder -->
<string name="bookmark_delete_folder_confirmation_dialog">Вы ўпэўнены, што жадаеце выдаліць гэту папку?</string> <string name="bookmark_delete_folder_confirmation_dialog">Вы ўпэўнены, што жадаеце выдаліць гэту папку?</string>
<!-- Confirmation message for a dialog confirming if the user wants to delete multiple items including folders. Parameter will be replaced by app name. -->
<string name="bookmark_delete_multiple_folders_confirmation_dialog">%s выдаліць вылучаныя элементы.</string>
<!-- Snackbar title shown after a folder has been deleted. This first parameter is the name of the deleted folder --> <!-- Snackbar title shown after a folder has been deleted. This first parameter is the name of the deleted folder -->
<string name="bookmark_delete_folder_snackbar">%1$s выдалена</string> <string name="bookmark_delete_folder_snackbar">%1$s выдалена</string>
<!-- Screen title for adding a bookmarks folder --> <!-- Screen title for adding a bookmarks folder -->
@ -657,6 +718,10 @@
<string name="permissions_header">Дазволы</string> <string name="permissions_header">Дазволы</string>
<!-- Button label that take the user to the Android App setting --> <!-- Button label that take the user to the Android App setting -->
<string name="phone_feature_go_to_settings">Перайсці ў налады</string> <string name="phone_feature_go_to_settings">Перайсці ў налады</string>
<!-- Content description (not visible, for screen readers etc.): Quick settings sheet
to give users access to site specific information / settings. For example:
Secure settings status and a button to modify site permissions -->
<string name="quick_settings_sheet">Панэль хуткіх налад</string>
<!-- Label that indicates that this option it the recommended one --> <!-- Label that indicates that this option it the recommended one -->
<string name="phone_feature_recommended">Рэкамендуецца</string> <string name="phone_feature_recommended">Рэкамендуецца</string>
<!-- button that allows editing site permissions settings --> <!-- button that allows editing site permissions settings -->
@ -695,6 +760,8 @@
<string name="tracking_protection_off">Выключана</string> <string name="tracking_protection_off">Выключана</string>
<!-- Label that indicates that all video and audio autoplay is allowed --> <!-- Label that indicates that all video and audio autoplay is allowed -->
<string name="preference_option_autoplay_allowed2">Дазволіць гук і відэа</string> <string name="preference_option_autoplay_allowed2">Дазволіць гук і відэа</string>
<!-- Subtext that explains 'autoplay on Wi-Fi only' option -->
<string name="preference_option_autoplay_allowed_wifi_subtext">Аўдыё і відэа будуць прайгравацца праз Wi-Fi</string>
<!-- Label that indicates that video autoplay is allowed, but audio autoplay is blocked --> <!-- Label that indicates that video autoplay is allowed, but audio autoplay is blocked -->
<string name="preference_option_autoplay_block_audio2">Блакаваць толькі гук</string> <string name="preference_option_autoplay_block_audio2">Блакаваць толькі гук</string>
<!-- Label that indicates that all video and audio autoplay is blocked --> <!-- Label that indicates that all video and audio autoplay is blocked -->
@ -709,6 +776,8 @@
<string name="collections_header">Калекцыі</string> <string name="collections_header">Калекцыі</string>
<!-- Content description (not visible, for screen readers etc.): Opens the collection menu when pressed --> <!-- Content description (not visible, for screen readers etc.): Opens the collection menu when pressed -->
<string name="collection_menu_button_content_description">Меню калекцыі</string> <string name="collection_menu_button_content_description">Меню калекцыі</string>
<!-- Label to describe what collections are to a new user without any collections -->
<string name="no_collections_description2">Збірайце усё важнае для вас.\nГрупуйце падобныя пошукавыя запыты, сайты і карткі, каб потым хутчэй імі карыстацца.</string>
<!-- Title for the "select tabs" step of the collection creator --> <!-- Title for the "select tabs" step of the collection creator -->
<string name="create_collection_select_tabs">Выберыце карткі</string> <string name="create_collection_select_tabs">Выберыце карткі</string>
<!-- Title for the "select collection" step of the collection creator --> <!-- Title for the "select collection" step of the collection creator -->
@ -731,6 +800,8 @@
<string name="create_collection_save_to_collection_tab_selected">Выбрана картка: %d</string> <string name="create_collection_save_to_collection_tab_selected">Выбрана картка: %d</string>
<!-- Text shown in snackbar when multiple tabs have been saved in a collection --> <!-- Text shown in snackbar when multiple tabs have been saved in a collection -->
<string name="create_collection_tabs_saved">Карткі захаваны!</string> <string name="create_collection_tabs_saved">Карткі захаваны!</string>
<!-- Text shown in snackbar when one or multiple tabs have been saved in a new collection -->
<string name="create_collection_tabs_saved_new_collection">Калекцыя захаваная!</string>
<!-- Text shown in snackbar when one tab has been saved in a collection --> <!-- Text shown in snackbar when one tab has been saved in a collection -->
<string name="create_collection_tab_saved">Картка захавана!</string> <string name="create_collection_tab_saved">Картка захавана!</string>
<!-- Content description (not visible, for screen readers etc.): button to close the collection creator --> <!-- Content description (not visible, for screen readers etc.): button to close the collection creator -->
@ -840,6 +911,10 @@
<string name="qr_scanner_dialog_negative">АДМОВІЦЬ</string> <string name="qr_scanner_dialog_negative">АДМОВІЦЬ</string>
<!-- Tab collection deletion prompt dialog message. Placeholder will be replaced with the collection name --> <!-- Tab collection deletion prompt dialog message. Placeholder will be replaced with the collection name -->
<string name="tab_collection_dialog_message">Вы ўпэўнены, што хочаце выдаліць %1$s?</string> <string name="tab_collection_dialog_message">Вы ўпэўнены, што хочаце выдаліць %1$s?</string>
<!-- Collection and tab deletion prompt dialog message. This will show when the last tab from a collection is deleted -->
<string name="delete_tab_and_collection_dialog_message">Выдаленне гэтай карткі прывядзе да выдалення ўсёй калекцыі. Вы можаце стварыць новыя калекцыі ў любы час.</string>
<!-- Collection and tab deletion prompt dialog title. Placeholder will be replaced with the collection name. This will show when the last tab from a collection is deleted -->
<string name="delete_tab_and_collection_dialog_title">Выдаліць %1$s?</string>
<!-- Tab collection deletion prompt dialog option to delete the collection --> <!-- Tab collection deletion prompt dialog option to delete the collection -->
<string name="tab_collection_dialog_positive">Выдаліць</string> <string name="tab_collection_dialog_positive">Выдаліць</string>
<!-- Tab collection deletion prompt dialog option to cancel deleting the collection --> <!-- Tab collection deletion prompt dialog option to cancel deleting the collection -->
@ -881,6 +956,8 @@
<string name="preferences_delete_browsing_data_cookies_subtitle">Вы выйдзеце з большасці сайтаў</string> <string name="preferences_delete_browsing_data_cookies_subtitle">Вы выйдзеце з большасці сайтаў</string>
<!-- Title for the cached images and files item in Delete browsing data --> <!-- Title for the cached images and files item in Delete browsing data -->
<string name="preferences_delete_browsing_data_cached_files">Кэшаваныя відарысы і файлы</string> <string name="preferences_delete_browsing_data_cached_files">Кэшаваныя відарысы і файлы</string>
<!-- Subtitle for the cached images and files item in Delete browsing data -->
<string name="preferences_delete_browsing_data_cached_files_subtitle">Вызваліць месца</string>
<!-- Title for the site permissions item in Delete browsing data --> <!-- Title for the site permissions item in Delete browsing data -->
<string name="preferences_delete_browsing_data_site_permissions">Дазволы для сайтаў</string> <string name="preferences_delete_browsing_data_site_permissions">Дазволы для сайтаў</string>
<!-- Text for the button to delete browsing data --> <!-- Text for the button to delete browsing data -->
@ -942,6 +1019,10 @@
<string name="onboarding_whats_new_description">Маеце пытанні па абноўленым выглядзе %s? Хочаце ведаць, што змянілася?</string> <string name="onboarding_whats_new_description">Маеце пытанні па абноўленым выглядзе %s? Хочаце ведаць, што змянілася?</string>
<!-- text for underlined clickable link that is part of "what's new" onboarding card description that links to an FAQ --> <!-- text for underlined clickable link that is part of "what's new" onboarding card description that links to an FAQ -->
<string name="onboarding_whats_new_description_linktext">Адказы тут</string> <string name="onboarding_whats_new_description_linktext">Адказы тут</string>
<!-- text for the Firefox account onboarding sign in card header -->
<string name="onboarding_account_sign_in_header">Пачніце сінхранізаваць закладкі, паролі і шмат іншага праз свой уліковы запіс Firefox.</string>
<!-- Text for the button to learn more about signing in to your Firefox account -->
<string name="onboarding_manual_sign_in_learn_more">Падрабязней</string>
<!-- text for the button to confirm automatic sign-in --> <!-- text for the button to confirm automatic sign-in -->
<string name="onboarding_firefox_account_auto_signin_confirm">Так, увайсці</string> <string name="onboarding_firefox_account_auto_signin_confirm">Так, увайсці</string>
<!-- text for the automatic sign-in button while signing in is in process --> <!-- text for the automatic sign-in button while signing in is in process -->
@ -1107,6 +1188,8 @@
<string name="etp_tracking_content_title">Змест з элементамі сачэння</string> <string name="etp_tracking_content_title">Змест з элементамі сачэння</string>
<!-- Enhanced Tracking Protection message that protection is currently on for this site --> <!-- Enhanced Tracking Protection message that protection is currently on for this site -->
<string name="etp_panel_on">Ахова ўключана на гэтым сайце</string> <string name="etp_panel_on">Ахова ўключана на гэтым сайце</string>
<!-- Enhanced Tracking Protection message that protection is currently off for this site -->
<string name="etp_panel_off">Ахова для гэтага сайта ВЫКЛЮЧАНА</string>
<!-- Header for exceptions list for which sites enhanced tracking protection is always off --> <!-- Header for exceptions list for which sites enhanced tracking protection is always off -->
<string name="enhanced_tracking_protection_exceptions">Узмоцненая ахова ад сачэння выключана на гэтых сайтах</string> <string name="enhanced_tracking_protection_exceptions">Узмоцненая ахова ад сачэння выключана на гэтых сайтах</string>
@ -1120,6 +1203,10 @@
<!-- About page link text to open what's new link --> <!-- About page link text to open what's new link -->
<string name="about_whats_new">Што новага ў %s</string> <string name="about_whats_new">Што новага ў %s</string>
<!-- Open source licenses page title
The first parameter is the app name -->
<string name="open_source_licenses_title">%s | Бібліятэкі OSS</string>
<!-- About page link text to open support link --> <!-- About page link text to open support link -->
<string name="about_support">Падтрымка</string> <string name="about_support">Падтрымка</string>
<!-- About page link text to list of past crashes (like about:crashes on desktop) --> <!-- About page link text to list of past crashes (like about:crashes on desktop) -->
@ -1135,6 +1222,8 @@
<!-- About page link text to open a screen with libraries that are used --> <!-- About page link text to open a screen with libraries that are used -->
<string name="about_other_open_source_libraries">Бібліятэкі, якімі мы карыстаемся</string> <string name="about_other_open_source_libraries">Бібліятэкі, якімі мы карыстаемся</string>
<string name="about_debug_menu_toast_done">Меню адладкі ўключана</string>
<!-- Content description of the tab counter toolbar button when one tab is open --> <!-- Content description of the tab counter toolbar button when one tab is open -->
<string name="tab_counter_content_description_one_tab">1 картка</string> <string name="tab_counter_content_description_one_tab">1 картка</string>
<!-- Content description of the tab counter toolbar button when multiple tabs are open. First parameter will be replaced with the number of tabs (always more than one) --> <!-- Content description of the tab counter toolbar button when multiple tabs are open. First parameter will be replaced with the number of tabs (always more than one) -->
@ -1185,11 +1274,19 @@
<string name="preferences_passwords_sync_logins_sign_in">Увайсці ў сінхранізацыю</string> <string name="preferences_passwords_sync_logins_sign_in">Увайсці ў сінхранізацыю</string>
<!-- Preference to access list of saved logins --> <!-- Preference to access list of saved logins -->
<string name="preferences_passwords_saved_logins">Захаваныя лагіны</string> <string name="preferences_passwords_saved_logins">Захаваныя лагіны</string>
<!-- Description of empty list of saved passwords. Placeholder is replaced with app name. -->
<string name="preferences_passwords_saved_logins_description_empty_text">Лагіны, якія вы захаваеце альбо сінхранізуеце праз %s, з’явяцца тут.</string>
<!-- Preference to access list of saved logins --> <!-- Preference to access list of saved logins -->
<string name="preferences_passwords_saved_logins_description_empty_learn_more_link">Даведацца больш пра сінхранізацыю.</string> <string name="preferences_passwords_saved_logins_description_empty_learn_more_link">Даведацца больш пра сінхранізацыю.</string>
<!-- Preference to access list of login exceptions that we never save logins for --> <!-- Preference to access list of login exceptions that we never save logins for -->
<string name="preferences_passwords_exceptions">Выключэнні</string> <string name="preferences_passwords_exceptions">Выключэнні</string>
<!-- Empty description of list of login exceptions that we never save logins for -->
<string name="preferences_passwords_exceptions_description_empty">Не захаваныя лагіны і паролі з’явяцца тут.</string>
<!-- Description of list of login exceptions that we never save logins for -->
<string name="preferences_passwords_exceptions_description">Лагіны і паролі не будуць захаваны для гэтых сайтаў.</string>
<!-- Text on button to remove all saved login exceptions -->
<string name="preferences_passwords_exceptions_remove_all">Выдаліць усе выключэнні</string>
<!-- Hint for search box in logins list --> <!-- Hint for search box in logins list -->
<string name="preferences_passwords_saved_logins_search">Шукаць лагіны</string> <string name="preferences_passwords_saved_logins_search">Шукаць лагіны</string>
<!-- Option to sort logins list A-Z, alphabetically --> <!-- Option to sort logins list A-Z, alphabetically -->
@ -1206,9 +1303,13 @@
<string name="preferences_passwords_saved_logins_enter_pin">Паўторна ўвядзіце свой PIN-код</string> <string name="preferences_passwords_saved_logins_enter_pin">Паўторна ўвядзіце свой PIN-код</string>
<!-- Message displayed in security prompt to access saved logins --> <!-- Message displayed in security prompt to access saved logins -->
<string name="preferences_passwords_saved_logins_enter_pin_description">Разблакуйце, каб пабачыць захаваныя лагіны</string> <string name="preferences_passwords_saved_logins_enter_pin_description">Разблакуйце, каб пабачыць захаваныя лагіны</string>
<!-- Message displayed when a connection is insecure and we detect the user is entering a password -->
<string name="logins_insecure_connection_warning">Гэта злучэнне неабароненае. Пры аўтарызацыі Вашы лагіны могуць быць перахопленыя.</string>
<!-- Learn more link that will link to a page with more information displayed when a connection is insecure and we detect the user is entering a password --> <!-- Learn more link that will link to a page with more information displayed when a connection is insecure and we detect the user is entering a password -->
<string name="logins_insecure_connection_warning_learn_more">Даведацца больш</string> <string name="logins_insecure_connection_warning_learn_more">Даведацца больш</string>
<!-- Prompt message displayed when Fenix detects a user has entered a password and user decides if Fenix should save it. The first parameter is the name of the application (For example: Fenix) -->
<string name="logins_doorhanger_save">Ці жадаеце Вы, каб %s захаваў гэты лагін?</string>
<!-- Positive confirmation that Fenix should save the new or updated login --> <!-- Positive confirmation that Fenix should save the new or updated login -->
<string name="logins_doorhanger_save_confirmation">Захаваць</string> <string name="logins_doorhanger_save_confirmation">Захаваць</string>
<!-- Negative confirmation that Fenix should not save the new or updated login --> <!-- Negative confirmation that Fenix should not save the new or updated login -->
@ -1225,6 +1326,8 @@
<string name="saved_login_copy_username">Капіяваць імя карыстальніка</string> <string name="saved_login_copy_username">Капіяваць імя карыстальніка</string>
<!-- Content Description (for screenreaders etc) read for the button to copy a site in logins --> <!-- Content Description (for screenreaders etc) read for the button to copy a site in logins -->
<string name="saved_login_copy_site">Капіяваць сайт</string> <string name="saved_login_copy_site">Капіяваць сайт</string>
<!-- Content Description (for screenreaders etc) read for the button to open a site in logins -->
<string name="saved_login_open_site">Адкрыць сайт у браўзеры</string>
<!-- Content Description (for screenreaders etc) read for the button to reveal a password in logins --> <!-- Content Description (for screenreaders etc) read for the button to reveal a password in logins -->
<string name="saved_login_reveal_password">Паказаць пароль</string> <string name="saved_login_reveal_password">Паказаць пароль</string>
<!-- Content Description (for screenreaders etc) read for the button to hide a password in logins --> <!-- Content Description (for screenreaders etc) read for the button to hide a password in logins -->
@ -1234,8 +1337,18 @@
<!-- Title of warning dialog if users have no device authentication set up --> <!-- Title of warning dialog if users have no device authentication set up -->
<string name="logins_warning_dialog_title">Абараніце свае лагіны і паролі</string> <string name="logins_warning_dialog_title">Абараніце свае лагіны і паролі</string>
<!-- Message of warning dialog if users have no device authentication set up -->
<string name="logins_warning_dialog_message">Наладзьце графічны ключ, пін ці пароль для блакавання прылады, каб абараніць захаваныя лагіны і паролі ад крадзяжу, калі Вашай прыладай завалодае хтосьці іншы.</string>
<!-- Negative button to ignore warning dialog if users have no device authentication set up --> <!-- Negative button to ignore warning dialog if users have no device authentication set up -->
<string name="logins_warning_dialog_later">Пазней</string> <string name="logins_warning_dialog_later">Пазней</string>
<!-- Positive button to send users to set up a pin of warning dialog if users have no device authentication set up -->
<string name="logins_warning_dialog_set_up_now">Наладзіць зараз</string>
<!-- Title of PIN verification dialog to direct users to re-enter their device credentials to access their logins -->
<string name="logins_biometric_prompt_message_pin">Разблакаваць прыладу</string>
<!-- Title for Accessibility Force Enable Zoom Preference -->
<string name="preference_accessibility_force_enable_zoom">Маштабаванне на ўсіх сайтах</string>
<!-- Summary for Accessibility Force Enable Zoom Preference -->
<string name="preference_accessibility_force_enable_zoom_summary">Актываваць, каб дазволіць маштабаванне нават на тых вэб-сайтах, якія гэта забараняюць.</string>
<!-- Saved logins sorting strategy menu item -by name- (if selected, it will sort saved logins alphabetically) --> <!-- Saved logins sorting strategy menu item -by name- (if selected, it will sort saved logins alphabetically) -->
<string name="saved_logins_sort_strategy_alphabetically">Назва (А-Я)</string> <string name="saved_logins_sort_strategy_alphabetically">Назва (А-Я)</string>
<!-- Saved logins sorting strategy menu item -by last used- (if selected, it will sort saved logins by last used) --> <!-- Saved logins sorting strategy menu item -by last used- (if selected, it will sort saved logins by last used) -->
@ -1243,6 +1356,8 @@
<!-- Title of the Add search engine screen --> <!-- Title of the Add search engine screen -->
<string name="search_engine_add_custom_search_engine_title">Дадаць пашукавік</string> <string name="search_engine_add_custom_search_engine_title">Дадаць пашукавік</string>
<!-- Title of the Edit search engine screen -->
<string name="search_engine_edit_custom_search_engine_title">Змяніць пашукавік</string>
<!-- Content description (not visible, for screen readers etc.): Title for the button to add a search engine in the action bar --> <!-- Content description (not visible, for screen readers etc.): Title for the button to add a search engine in the action bar -->
<string name="search_engine_add_button_content_description">Дадаць</string> <string name="search_engine_add_button_content_description">Дадаць</string>
<!-- Content description (not visible, for screen readers etc.): Title for the button to save a search engine in the action bar --> <!-- Content description (not visible, for screen readers etc.): Title for the button to save a search engine in the action bar -->
@ -1257,6 +1372,10 @@
<string name="search_add_custom_engine_label_other">Іншы</string> <string name="search_add_custom_engine_label_other">Іншы</string>
<!-- Placeholder text shown in the Search Engine Name TextField before a user enters text --> <!-- Placeholder text shown in the Search Engine Name TextField before a user enters text -->
<string name="search_add_custom_engine_name_hint">Назва</string> <string name="search_add_custom_engine_name_hint">Назва</string>
<!-- Placeholder text shown in the Search String TextField before a user enters text -->
<string name="search_add_custom_engine_search_string_hint">Пошукавы радок</string>
<!-- Description text for the Search String TextField. The %s is part of the string -->
<string name="search_add_custom_engine_search_string_example">Змяніць запыт на “%s”. Прыклад:\nhttps://www.google.com/search?q=%s</string>
<!-- Text for the button to learn more about adding a custom search engine --> <!-- Text for the button to learn more about adding a custom search engine -->
<string name="search_add_custom_engine_learn_more_label">Падрабязней</string> <string name="search_add_custom_engine_learn_more_label">Падрабязней</string>
@ -1269,6 +1388,22 @@
<!-- Text shown when a user leaves the search string field empty --> <!-- Text shown when a user leaves the search string field empty -->
<string name="search_add_custom_engine_error_empty_search_string">Увядзіце радок пошуку</string> <string name="search_add_custom_engine_error_empty_search_string">Увядзіце радок пошуку</string>
<!-- Text shown when a user leaves out the required template string -->
<string name="search_add_custom_engine_error_missing_template">Пераканайцеся, што пошукавы запыт адпавядае Ўзорнаму фармату</string>
<!-- Text shown when we aren't able to validate the custom search query. The first parameter is the url of the custom search engine -->
<string name="search_add_custom_engine_error_cannot_reach">Памылка злучэння з “%s”</string>
<!-- Text shown when a user creates a new search engine -->
<string name="search_add_custom_engine_success_message">Пашукавік %s створаны</string>
<!-- Text shown when a user successfully edits a custom search engine -->
<string name="search_edit_custom_engine_success_message">Пашукавік %s захаваны</string>
<!-- Text shown when a user successfully deletes a custom search engine -->
<string name="search_delete_search_engine_success_message">Пашукавік %s выдалены</string>
<!-- Title text shown for the migration screen to the new browser. Placeholder replaced with app name -->
<string name="migration_title">Вітаем у найноўшым %s</string>
<!-- Description text followed by a list of things migrating (e.g. Bookmarks, History). Placeholder replaced with app name-->
<string name="migration_description">Вас чакае цалкам перапрацаваны аглядальнік з палепшанай прадукцыйнасцю і функцыямі, дзякуючы якім Вы зможаце зрабіць больш у Сеціве. \n\nПачакайце, пакуль мы абновім %s з Вашым(і)</string>
<!-- Text on the disabled button while in progress. Placeholder replaced with app name --> <!-- Text on the disabled button while in progress. Placeholder replaced with app name -->
<string name="migration_updating_app_button_text">Абнаўленне %s…</string> <string name="migration_updating_app_button_text">Абнаўленне %s…</string>
<!-- Text on the enabled button. Placeholder replaced with app name--> <!-- Text on the enabled button. Placeholder replaced with app name-->
@ -1292,8 +1427,16 @@
<!-- Label that indicates a site is using a insecure connection --> <!-- Label that indicates a site is using a insecure connection -->
<string name="quick_settings_sheet_insecure_connection">Не бяспечнае злучэнне</string> <string name="quick_settings_sheet_insecure_connection">Не бяспечнае злучэнне</string>
<!-- Confirmation message for a dialog confirming if the user wants to delete all the permissions for all sites-->
<string name="confirm_clear_permissions_on_all_sites">Ці ўпэўнены Вы, што хочаце выдаліць усе дазволы на ўсіх сайтах?</string>
<!-- Confirmation message for a dialog confirming if the user wants to delete all the permissions for a site-->
<string name="confirm_clear_permissions_site">Ці ўпэўнены Вы, што хочаце выдаліць усе дазволы для гэтага сайта?</string>
<!-- Confirmation message for a dialog confirming if the user wants to set default value a permission for a site-->
<string name="confirm_clear_permission_site">Ці ўпэўнены, што хочаце выдаліць гэты дазвол для гэтага сайта?</string>
<!-- label shown when there are not site exceptions to show in the site exception settings --> <!-- label shown when there are not site exceptions to show in the site exception settings -->
<string name="no_site_exceptions">Няма выняткаў для сайта</string> <string name="no_site_exceptions">Няма выняткаў для сайта</string>
<!-- Bookmark deletion confirmation -->
<string name="bookmark_deletion_confirmation">Ці ўпэўнены Вы, што хочаце выдаліць гэту закладку?</string>
<!-- Browser menu button that adds a top site to the home fragment --> <!-- Browser menu button that adds a top site to the home fragment -->
<string name="browser_menu_add_to_top_sites">Дадаць да папулярных сайтаў</string> <string name="browser_menu_add_to_top_sites">Дадаць да папулярных сайтаў</string>
<!-- text shown before the issuer name to indicate who its verified by, parameter is the name of <!-- text shown before the issuer name to indicate who its verified by, parameter is the name of
@ -1312,6 +1455,10 @@
<string name="saved_login_hostname_description">Тэкставае поле для рэдагавання вэб-адраса для ўваходу ў сістэму.</string> <string name="saved_login_hostname_description">Тэкставае поле для рэдагавання вэб-адраса для ўваходу ў сістэму.</string>
<!-- The editable text field for a login's username. --> <!-- The editable text field for a login's username. -->
<string name="saved_login_username_description">Тэкставае поле для рэдагавання імені карыстальніка для ўваходу ў сістэму.</string> <string name="saved_login_username_description">Тэкставае поле для рэдагавання імені карыстальніка для ўваходу ў сістэму.</string>
<!-- The editable text field for a login's password. -->
<string name="saved_login_password_description">Тэкставае поле для рэдагавання пароля для ўваходу ў сістэму.</string>
<!-- The button description to save changes to an edited login. -->
<string name="save_changes_to_login">Захаваць змены ва ўваходных даных.</string>
<!-- The button description to discard changes to an edited login. --> <!-- The button description to discard changes to an edited login. -->
<string name="discard_changes">Адмяніць змены</string> <string name="discard_changes">Адмяніць змены</string>
<!-- The page title for editing a saved login. --> <!-- The page title for editing a saved login. -->
@ -1323,16 +1470,34 @@
<!-- Voice search prompt description displayed after the user presses the voice search button --> <!-- Voice search prompt description displayed after the user presses the voice search button -->
<string name="voice_search_explainer">Гаварыце</string> <string name="voice_search_explainer">Гаварыце</string>
<!-- The error message in edit login view when a duplicate username exists. -->
<string name="saved_login_duplicate">Лагін з такім імем карыстальніка ўжо існуе</string>
<!-- Synced Tabs --> <!-- Synced Tabs -->
<!-- Text displayed to ask user to connect another device as no devices found with account --> <!-- Text displayed to ask user to connect another device as no devices found with account -->
<string name="synced_tabs_connect_another_device">Падключыць іншую прыладу.</string> <string name="synced_tabs_connect_another_device">Падключыць іншую прыладу.</string>
<!-- Text displayed asking user to re-authenticate -->
<string name="synced_tabs_reauth">Калі ласка, аўтарызуйцеся яшчэ раз.</string>
<!-- Text displayed when user has disabled tab syncing in Firefox Sync Account -->
<string name="synced_tabs_enable_tab_syncing">Калі ласка, уключыце сінхранізацыю картак.</string>
<!-- Text displayed in the synced tabs screen when a user is not signed in to Firefox Sync describing Synced Tabs -->
<string name="synced_tabs_sign_in_message">Пабачыць спіс картак з іншых прылад.</string>
<!-- Text displayed on a button in the synced tabs screen to link users to sign in when a user is not signed in to Firefox Sync --> <!-- Text displayed on a button in the synced tabs screen to link users to sign in when a user is not signed in to Firefox Sync -->
<string name="synced_tabs_sign_in_button">Увайсці ў сінхранізацыю</string> <string name="synced_tabs_sign_in_button">Увайсці ў сінхранізацыю</string>
<!-- The text displayed when a synced device has no tabs to show in the list of Synced Tabs. -->
<string name="synced_tabs_no_open_tabs">Няма адкрытых картак</string>
<!-- Confirmation dialog button text when top sites limit is reached. --> <!-- Confirmation dialog button text when top sites limit is reached. -->
<string name="top_sites_max_limit_confirmation_button">OK, зразумела</string> <string name="top_sites_max_limit_confirmation_button">OK, зразумела</string>
<!-- Label for the show most visited sites preference -->
<string name="top_sites_toggle_top_frecent_sites">Паказаць найбольш наведаныя сайты</string>
<!-- Content description for close button in collection placeholder. -->
<string name="remove_home_collection_placeholder_content_description">Выдаліць</string>
<!-- depcrecated: text for the firefox account onboarding card header <!-- depcrecated: text for the firefox account onboarding card header
The first parameter is the name of the app (e.g. Firefox Preview) --> The first parameter is the name of the app (e.g. Firefox Preview) -->
<string name="onboarding_firefox_account_header">Атрымайце максімум ад %s.</string> <string name="onboarding_firefox_account_header">Атрымайце максімум ад %s.</string>

@ -78,6 +78,28 @@
<!-- Text for the negative button --> <!-- Text for the negative button -->
<string name="search_widget_cfr_neg_button_text">Ara no</string> <string name="search_widget_cfr_neg_button_text">Ara no</string>
<!-- Open in App "contextual feature recommendation" (CFR) -->
<!-- Text for the info message. 'Firefox' intentionally hardcoded here.-->
<string name="open_in_app_cfr_info_message">Podeu fer que el Firefox obri automàticament els enllaços en aplicacions.</string>
<!-- Text for the positive action button -->
<string name="open_in_app_cfr_positive_button_text">Vés als paràmetres</string>
<!-- Text for the negative action button -->
<string name="open_in_app_cfr_negative_button_text">Descarta</string>
<!-- Text for the info dialog when camera permissions have been denied but user tries to access a camera feature. -->
<string name="camera_permissions_needed_message">Es necessita accés a la càmera. Aneu als paràmetres de lAndroid, toqueu els permisos i trieu permetre.</string>
<!-- Text for the positive action button to go to Android Settings to grant permissions. -->
<string name="camera_permissions_needed_positive_button_text">Vés als paràmetres</string>
<!-- Text for the negative action button to dismiss the dialog. -->
<string name="camera_permissions_needed_negative_button_text">Descarta</string>
<!-- Text for the banner message to tell users about our auto close feature. -->
<string name="tab_tray_close_tabs_banner_message">Feu que les pestanyes obertes es tanquin automàticament si no shan vist des de fa un dia, una setmana o un mes.</string>
<!-- Text for the positive action button to go to Settings for auto close tabs. -->
<string name="tab_tray_close_tabs_banner_positive_button_text">Mostra les opcions</string>
<!-- Text for the negative action button to dismiss the Close Tabs Banner. -->
<string name="tab_tray_close_tabs_banner_negative_button_text">Descarta</string>
<!-- Home screen icons - Long press shortcuts --> <!-- Home screen icons - Long press shortcuts -->
<!-- Shortcut action to open new tab --> <!-- Shortcut action to open new tab -->
<string name="home_screen_shortcut_open_new_tab_2">Pestanya nova</string> <string name="home_screen_shortcut_open_new_tab_2">Pestanya nova</string>
@ -266,6 +288,8 @@
<string name="preferences_toolbar">Barra deines</string> <string name="preferences_toolbar">Barra deines</string>
<!-- Preference for changing default theme to dark or light mode --> <!-- Preference for changing default theme to dark or light mode -->
<string name="preferences_theme">Tema</string> <string name="preferences_theme">Tema</string>
<!-- Preference for customizing the home screen -->
<string name="preferences_home">Inici</string>
<!-- Preference for settings related to visual options --> <!-- Preference for settings related to visual options -->
<string name="preferences_customize">Personalitza</string> <string name="preferences_customize">Personalitza</string>
<!-- Preference description for banner about signing in --> <!-- Preference description for banner about signing in -->
@ -471,6 +495,31 @@
<!-- Content description (not visible, for screen readers etc.): "Close button for library settings" --> <!-- Content description (not visible, for screen readers etc.): "Close button for library settings" -->
<string name="content_description_close_button">Tanca</string> <string name="content_description_close_button">Tanca</string>
<!-- Option in library for Recently Closed Tabs -->
<string name="library_recently_closed_tabs">Pestanyes tancades recentment</string>
<!-- Option in library to open Recently Closed Tabs page -->
<string name="recently_closed_show_full_history">Mostra tot lhistorial</string>
<!-- Text to show users they have multiple tabs saved in the Recently Closed Tabs section of history.
%d is a placeholder for the number of tabs selected. -->
<string name="recently_closed_tabs">%d pestanyes</string>
<!-- Text to show users they have one tab saved in the Recently Closed Tabs section of history.
%d is a placeholder for the number of tabs selected. -->
<string name="recently_closed_tab">%d pestanya</string>
<!-- Recently closed tabs screen message when there are no recently closed tabs -->
<string name="recently_closed_empty_message">No hi ha cap pestanya tancada recentment</string>
<!-- Tab Management -->
<!-- Title of preference that allows a user to auto close tabs after a specified amount of time -->
<string name="preferences_close_tabs">Tanca les pestanyes</string>
<!-- Option for auto closing tabs that will never auto close tabs, always allows user to manually close tabs -->
<string name="close_tabs_manually">Manualment</string>
<!-- Option for auto closing tabs that will auto close tabs after one day -->
<string name="close_tabs_after_one_day">Al cap dun dia</string>
<!-- Option for auto closing tabs that will auto close tabs after one week -->
<string name="close_tabs_after_one_week">Al cap duna setmana</string>
<!-- Option for auto closing tabs that will auto close tabs after one month -->
<string name="close_tabs_after_one_month">Al cap dun mes</string>
<!-- Sessions --> <!-- Sessions -->
<!-- Title for the list of tabs --> <!-- Title for the list of tabs -->
<string name="tab_header_label">Pestanyes obertes</string> <string name="tab_header_label">Pestanyes obertes</string>
@ -490,6 +539,10 @@
<string name="tab_tray_menu_item_save">Desa a la col·lecció</string> <string name="tab_tray_menu_item_save">Desa a la col·lecció</string>
<!-- Text shown in the menu for sharing all tabs --> <!-- Text shown in the menu for sharing all tabs -->
<string name="tab_tray_menu_item_share">Comparteix totes les pestanyes</string> <string name="tab_tray_menu_item_share">Comparteix totes les pestanyes</string>
<!-- Text shown in the menu to view recently closed tabs -->
<string name="tab_tray_menu_recently_closed">Pestanyes tancades recentment</string>
<!-- Text shown in the menu to view tab settings -->
<string name="tab_tray_menu_tab_settings">Paràmetres de les pestanyes</string>
<!-- Text shown in the menu for closing all tabs --> <!-- Text shown in the menu for closing all tabs -->
<string name="tab_tray_menu_item_close">Tanca totes les pestanyes</string> <string name="tab_tray_menu_item_close">Tanca totes les pestanyes</string>
<!-- Shortcut action to open new tab --> <!-- Shortcut action to open new tab -->
@ -536,6 +589,8 @@
<!-- Text for the menu button to remove a top site --> <!-- Text for the menu button to remove a top site -->
<string name="remove_top_site">Elimina</string> <string name="remove_top_site">Elimina</string>
<!-- Text for the menu button to delete a top site from history -->
<string name="delete_from_history">Suprimeix de lhistorial</string>
<!-- Postfix for private WebApp titles, placeholder is replaced with app name --> <!-- Postfix for private WebApp titles, placeholder is replaced with app name -->
<string name="pwa_site_controls_title_private">%1$s (mode privat)</string> <string name="pwa_site_controls_title_private">%1$s (mode privat)</string>
@ -742,10 +797,8 @@
<string name="collections_header">Col·leccions</string> <string name="collections_header">Col·leccions</string>
<!-- Content description (not visible, for screen readers etc.): Opens the collection menu when pressed --> <!-- Content description (not visible, for screen readers etc.): Opens the collection menu when pressed -->
<string name="collection_menu_button_content_description">Menú de col·lecció</string> <string name="collection_menu_button_content_description">Menú de col·lecció</string>
<!-- No Open Tabs Message Header -->
<string name="no_collections_header1">Recolliu tot allò que us insteressa</string>
<!-- Label to describe what collections are to a new user without any collections --> <!-- Label to describe what collections are to a new user without any collections -->
<string name="no_collections_description1">Agrupeu les cerques, els llocs i les pestanyes similars per accedir-hi ràpidament en el futur.</string> <string name="no_collections_description2">Recolliu tot allò que us insteressa.\nAgrupeu les cerques, els llocs i les pestanyes similars per accedir-hi ràpidament en el futur.</string>
<!-- Title for the "select tabs" step of the collection creator --> <!-- Title for the "select tabs" step of the collection creator -->
<string name="create_collection_select_tabs">Trieu les pestanyes</string> <string name="create_collection_select_tabs">Trieu les pestanyes</string>
<!-- Title for the "select collection" step of the collection creator --> <!-- Title for the "select collection" step of the collection creator -->
@ -995,8 +1048,8 @@
<string name="onboarding_whats_new_description">Teniu preguntes sobre el redisseny del %s? Voleu saber què ha canviat?</string> <string name="onboarding_whats_new_description">Teniu preguntes sobre el redisseny del %s? Voleu saber què ha canviat?</string>
<!-- text for underlined clickable link that is part of "what's new" onboarding card description that links to an FAQ --> <!-- text for underlined clickable link that is part of "what's new" onboarding card description that links to an FAQ -->
<string name="onboarding_whats_new_description_linktext">Vegeu les respostes aquí</string> <string name="onboarding_whats_new_description_linktext">Vegeu les respostes aquí</string>
<!-- text for the firefox account onboarding card header --> <!-- text for the Firefox account onboarding sign in card header -->
<string name="onboarding_firefox_account_header">Traieu tot el profit al %s.</string> <string name="onboarding_account_sign_in_header">Comenceu a sincronitzar les adreces dinterès, les contrasenyes i molt més amb el vostre compte del Firefox.</string>
<!-- Text for the button to learn more about signing in to your Firefox account --> <!-- Text for the button to learn more about signing in to your Firefox account -->
<string name="onboarding_manual_sign_in_learn_more">Més informació</string> <string name="onboarding_manual_sign_in_learn_more">Més informació</string>
<!-- text for the firefox account onboarding card header when we detect you're already signed in to <!-- text for the firefox account onboarding card header when we detect you're already signed in to
@ -1500,4 +1553,18 @@
<!-- Confirmation dialog button text when top sites limit is reached. --> <!-- Confirmation dialog button text when top sites limit is reached. -->
<string name="top_sites_max_limit_confirmation_button">Entesos</string> <string name="top_sites_max_limit_confirmation_button">Entesos</string>
<!-- Label for the show most visited sites preference -->
<string name="top_sites_toggle_top_frecent_sites">Mostra els llocs més visitats</string>
<!-- Content description for close button in collection placeholder. -->
<string name="remove_home_collection_placeholder_content_description">Elimina</string>
<!-- depcrecated: text for the firefox account onboarding card header
The first parameter is the name of the app (e.g. Firefox Preview) -->
<string name="onboarding_firefox_account_header">Traieu tot el profit al %s.</string>
<!-- Deprecated: No Open Tabs Message Header -->
<string name="no_collections_header1">Recolliu tot allò que us insteressa</string>
<!-- Deprecated: Label to describe what collections are to a new user without any collections -->
<string name="no_collections_description1">Agrupeu les cerques, els llocs i les pestanyes similars per accedir-hi ràpidament en el futur.</string>
</resources> </resources>

@ -68,9 +68,21 @@
<!-- Text for the negative button --> <!-- Text for the negative button -->
<string name="search_widget_cfr_neg_button_text">Όχι τώρα</string> <string name="search_widget_cfr_neg_button_text">Όχι τώρα</string>
<!-- Text for the positive action button -->
<string name="open_in_app_cfr_positive_button_text">Μετάβαση στις ρυθμίσεις</string>
<!-- Text for the negative action button --> <!-- Text for the negative action button -->
<string name="open_in_app_cfr_negative_button_text">Απόρριψη</string> <string name="open_in_app_cfr_negative_button_text">Απόρριψη</string>
<!-- Text for the positive action button to go to Android Settings to grant permissions. -->
<string name="camera_permissions_needed_positive_button_text">Μετάβαση στις ρυθμίσεις</string>
<!-- Text for the negative action button to dismiss the dialog. -->
<string name="camera_permissions_needed_negative_button_text">Απόρριψη</string>
<!-- Text for the positive action button to go to Settings for auto close tabs. -->
<string name="tab_tray_close_tabs_banner_positive_button_text">Εμφάνιση επιλογών</string>
<!-- Text for the negative action button to dismiss the Close Tabs Banner. -->
<string name="tab_tray_close_tabs_banner_negative_button_text">Απόρριψη</string>
<!-- Home screen icons - Long press shortcuts --> <!-- Home screen icons - Long press shortcuts -->
<!-- Shortcut action to open new tab --> <!-- Shortcut action to open new tab -->
<string name="home_screen_shortcut_open_new_tab_2">Νέα καρτέλα</string> <string name="home_screen_shortcut_open_new_tab_2">Νέα καρτέλα</string>
@ -455,6 +467,8 @@
<!-- Option in library for Recently Closed Tabs --> <!-- Option in library for Recently Closed Tabs -->
<string name="library_recently_closed_tabs">Πρόσφατα κλεισμένες καρτέλες</string> <string name="library_recently_closed_tabs">Πρόσφατα κλεισμένες καρτέλες</string>
<!-- Option in library to open Recently Closed Tabs page -->
<string name="recently_closed_show_full_history">Εμφάνιση πλήρους ιστορικού</string>
<!-- Text to show users they have multiple tabs saved in the Recently Closed Tabs section of history. <!-- Text to show users they have multiple tabs saved in the Recently Closed Tabs section of history.
%d is a placeholder for the number of tabs selected. --> %d is a placeholder for the number of tabs selected. -->
<string name="recently_closed_tabs">%d καρτέλες</string> <string name="recently_closed_tabs">%d καρτέλες</string>
@ -462,6 +476,9 @@
%d is a placeholder for the number of tabs selected. --> %d is a placeholder for the number of tabs selected. -->
<string name="recently_closed_tab">%d καρτέλα</string> <string name="recently_closed_tab">%d καρτέλα</string>
<!-- Recently closed tabs screen message when there are no recently closed tabs -->
<string name="recently_closed_empty_message">Καμία πρόσφατα κλεισμένη καρτέλα</string>
<!-- Tab Management --> <!-- Tab Management -->
<!-- Title of preference that allows a user to auto close tabs after a specified amount of time --> <!-- Title of preference that allows a user to auto close tabs after a specified amount of time -->
<string name="preferences_close_tabs">Κλείσιμο καρτελών</string> <string name="preferences_close_tabs">Κλείσιμο καρτελών</string>
@ -734,6 +751,8 @@
<string name="tracking_protection_off">Ανενεργό</string> <string name="tracking_protection_off">Ανενεργό</string>
<!-- Label that indicates that all video and audio autoplay is allowed --> <!-- Label that indicates that all video and audio autoplay is allowed -->
<string name="preference_option_autoplay_allowed2">Αποδοχή ήχου και βίντεο</string> <string name="preference_option_autoplay_allowed2">Αποδοχή ήχου και βίντεο</string>
<!-- Label that indicates that video and audio autoplay is only allowed over Wi-Fi -->
<string name="preference_option_autoplay_allowed_wifi_only2">Φραγή ήχου και βίντεο μόνο σε σύνδεση δεδομένων κινητής</string>
<!-- Subtext that explains 'autoplay on Wi-Fi only' option --> <!-- Subtext that explains 'autoplay on Wi-Fi only' option -->
<string name="preference_option_autoplay_allowed_wifi_subtext">Η αναπαραγωγή ήχων/βίντεο θα γίνεται σε Wi-Fi</string> <string name="preference_option_autoplay_allowed_wifi_subtext">Η αναπαραγωγή ήχων/βίντεο θα γίνεται σε Wi-Fi</string>
<!-- Label that indicates that video autoplay is allowed, but audio autoplay is blocked --> <!-- Label that indicates that video autoplay is allowed, but audio autoplay is blocked -->
@ -1137,6 +1156,8 @@
<string name="enhanced_tracking_protection_allowed">Επιτρέπεται</string> <string name="enhanced_tracking_protection_allowed">Επιτρέπεται</string>
<!-- Category of trackers (social media trackers) that can be blocked by Enhanced Tracking Protection --> <!-- Category of trackers (social media trackers) that can be blocked by Enhanced Tracking Protection -->
<string name="etp_social_media_trackers_title">Ιχνηλάτες κοινωνικών δικτύων</string> <string name="etp_social_media_trackers_title">Ιχνηλάτες κοινωνικών δικτύων</string>
<!-- Description of social media trackers that can be blocked by Enhanced Tracking Protection -->
<string name="etp_social_media_trackers_description">Περιορίζει την ικανότητα των κοινωνικών δικτύων να παρακολουθούν τη δραστηριότητά σας στο διαδίκτυο.</string>
<!-- Category of trackers (cross-site tracking cookies) that can be blocked by Enhanced Tracking Protection --> <!-- Category of trackers (cross-site tracking cookies) that can be blocked by Enhanced Tracking Protection -->
<string name="etp_cookies_title">Cookies ιχνηλάτησης μεταξύ ιστοσελίδων</string> <string name="etp_cookies_title">Cookies ιχνηλάτησης μεταξύ ιστοσελίδων</string>
<!-- Category of trackers (cryptominers) that can be blocked by Enhanced Tracking Protection --> <!-- Category of trackers (cryptominers) that can be blocked by Enhanced Tracking Protection -->
@ -1242,6 +1263,8 @@
<string name="preferences_passwords_exceptions">Εξαιρέσεις</string> <string name="preferences_passwords_exceptions">Εξαιρέσεις</string>
<!-- Empty description of list of login exceptions that we never save logins for --> <!-- Empty description of list of login exceptions that we never save logins for -->
<string name="preferences_passwords_exceptions_description_empty">Εδώ εμφανίζονται οι συνδέσεις και οι κωδικοί πρόσβασης που δεν αποθηκεύονται.</string> <string name="preferences_passwords_exceptions_description_empty">Εδώ εμφανίζονται οι συνδέσεις και οι κωδικοί πρόσβασης που δεν αποθηκεύονται.</string>
<!-- Description of list of login exceptions that we never save logins for -->
<string name="preferences_passwords_exceptions_description">Οι συνδέσεις και οι κωδικοί πρόσβασης δεν θα αποθηκευτούν για αυτές τις ιστοσελίδες.</string>
<!-- Text on button to remove all saved login exceptions --> <!-- Text on button to remove all saved login exceptions -->
<string name="preferences_passwords_exceptions_remove_all">Διαγραφή όλων των εξαιρέσεων</string> <string name="preferences_passwords_exceptions_remove_all">Διαγραφή όλων των εξαιρέσεων</string>
<!-- Hint for search box in logins list --> <!-- Hint for search box in logins list -->
@ -1344,6 +1367,8 @@
<string name="search_add_custom_engine_error_existing_name">Η μηχανή αναζήτησης με το όνομα “%s” υπάρχει ήδη.</string> <string name="search_add_custom_engine_error_existing_name">Η μηχανή αναζήτησης με το όνομα “%s” υπάρχει ήδη.</string>
<!-- Text shown when a user leaves the search string field empty --> <!-- Text shown when a user leaves the search string field empty -->
<string name="search_add_custom_engine_error_empty_search_string">Εισάγετε νήμα αναζήτησης</string> <string name="search_add_custom_engine_error_empty_search_string">Εισάγετε νήμα αναζήτησης</string>
<!-- Text shown when a user leaves out the required template string -->
<string name="search_add_custom_engine_error_missing_template">Βεβαιωθείτε ότι το νήμα αναζήτησης συμφωνεί με την μορφή του παραδείγματος</string>
<!-- Text shown when we aren't able to validate the custom search query. The first parameter is the url of the custom search engine --> <!-- Text shown when we aren't able to validate the custom search query. The first parameter is the url of the custom search engine -->
<string name="search_add_custom_engine_error_cannot_reach">Σφάλμα σύνδεσης στο “%s”</string> <string name="search_add_custom_engine_error_cannot_reach">Σφάλμα σύνδεσης στο “%s”</string>

@ -1096,7 +1096,7 @@
<!-- text for tracking protection radio button option for strict level of blocking --> <!-- text for tracking protection radio button option for strict level of blocking -->
<string name="onboarding_tracking_protection_strict_button">Estricta (recomendada)</string> <string name="onboarding_tracking_protection_strict_button">Estricta (recomendada)</string>
<!-- text for tracking protection radio button option for strict level of blocking --> <!-- text for tracking protection radio button option for strict level of blocking -->
<string name="onboarding_tracking_protection_strict_option">Estricto</string> <string name="onboarding_tracking_protection_strict_option">Estricta</string>
<!-- text for strict blocking option button description --> <!-- text for strict blocking option button description -->
<string name="onboarding_tracking_protection_strict_button_description_2">Bloquea más rastreadores, anuncios y ventanas emergentes. Las páginas se cargan más rápido, pero podés perder cierta funcionalidad.</string> <string name="onboarding_tracking_protection_strict_button_description_2">Bloquea más rastreadores, anuncios y ventanas emergentes. Las páginas se cargan más rápido, pero podés perder cierta funcionalidad.</string>
<!-- text for the toolbar position card header <!-- text for the toolbar position card header
@ -1470,7 +1470,7 @@
<!-- Title text shown for the migration screen to the new browser. Placeholder replaced with app name --> <!-- Title text shown for the migration screen to the new browser. Placeholder replaced with app name -->
<string name="migration_title">Bienvenido a un %s completamente nuevo</string> <string name="migration_title">Bienvenido a un %s completamente nuevo</string>
<!-- Description text followed by a list of things migrating (e.g. Bookmarks, History). Placeholder replaced with app name--> <!-- Description text followed by a list of things migrating (e.g. Bookmarks, History). Placeholder replaced with app name-->
<string name="migration_description">Te espera un navegador completamente rediseñado, con un rendimiento y funciones mejoradas para ayudarte a hacer más en línea.\n\nEsperá mientras actualizamos %s con tu</string> <string name="migration_description">Te espera un navegador completamente rediseñado, con un rendimiento y funciones mejoradas para ayudarte a hacer más en línea.\n\nEsperá mientras actualizamos %s con tus</string>
<!-- Text on the disabled button while in progress. Placeholder replaced with app name --> <!-- Text on the disabled button while in progress. Placeholder replaced with app name -->
<string name="migration_updating_app_button_text">Actualizando %s…</string> <string name="migration_updating_app_button_text">Actualizando %s…</string>
<!-- Text on the enabled button. Placeholder replaced with app name--> <!-- Text on the enabled button. Placeholder replaced with app name-->

@ -81,6 +81,28 @@
<!-- Text for the negative button --> <!-- Text for the negative button -->
<string name="search_widget_cfr_neg_button_text">Ahora no</string> <string name="search_widget_cfr_neg_button_text">Ahora no</string>
<!-- Open in App "contextual feature recommendation" (CFR) -->
<!-- Text for the info message. 'Firefox' intentionally hardcoded here.-->
<string name="open_in_app_cfr_info_message">Puedes configurar Firefox para que abra automáticamente enlaces en aplicaciones.</string>
<!-- Text for the positive action button -->
<string name="open_in_app_cfr_positive_button_text">Ir a ajustes</string>
<!-- Text for the negative action button -->
<string name="open_in_app_cfr_negative_button_text">Descartar</string>
<!-- Text for the info dialog when camera permissions have been denied but user tries to access a camera feature. -->
<string name="camera_permissions_needed_message">Se necesita acceso a la cámara. Ve a la configuración de Android, pulsa Permisos y luego Permitir.</string>
<!-- Text for the positive action button to go to Android Settings to grant permissions. -->
<string name="camera_permissions_needed_positive_button_text">Ir a ajustes</string>
<!-- Text for the negative action button to dismiss the dialog. -->
<string name="camera_permissions_needed_negative_button_text">Descartar</string>
<!-- Text for the banner message to tell users about our auto close feature. -->
<string name="tab_tray_close_tabs_banner_message">Configura las pestañas abiertas para que se cierren automáticamente las que no se hayan visto en el último día, semana o mes.</string>
<!-- Text for the positive action button to go to Settings for auto close tabs. -->
<string name="tab_tray_close_tabs_banner_positive_button_text">Ver opciones</string>
<!-- Text for the negative action button to dismiss the Close Tabs Banner. -->
<string name="tab_tray_close_tabs_banner_negative_button_text">Descartar</string>
<!-- Home screen icons - Long press shortcuts --> <!-- Home screen icons - Long press shortcuts -->
<!-- Shortcut action to open new tab --> <!-- Shortcut action to open new tab -->
<string name="home_screen_shortcut_open_new_tab_2">Nueva pestaña</string> <string name="home_screen_shortcut_open_new_tab_2">Nueva pestaña</string>
@ -174,8 +196,8 @@
<!-- Search Fragment --> <!-- Search Fragment -->
<!-- Button in the search view that lets a user search by scanning a QR code --> <!-- Button in the search view that lets a user search by scanning a QR code -->
<string name="search_scan_button">Escanear</string> <string name="search_scan_button">Escanear</string>
<!-- Button in the search view that lets a user search by using a shortcut --> <!-- Button in the search view that lets a user change their search engine -->
<string name="search_engines_shortcut_button">Buscador</string> <string name="search_engine_button">Buscador</string>
<!-- Button in the search view when shortcuts are displayed that takes a user to the search engine settings --> <!-- Button in the search view when shortcuts are displayed that takes a user to the search engine settings -->
<string name="search_shortcuts_engine_settings">Ajustes del buscador</string> <string name="search_shortcuts_engine_settings">Ajustes del buscador</string>
<!-- Header displayed when selecting a shortcut search engine --> <!-- Header displayed when selecting a shortcut search engine -->
@ -215,7 +237,7 @@
<!-- Preference category for all links about Fenix --> <!-- Preference category for all links about Fenix -->
<string name="preferences_category_about">Acerca de</string> <string name="preferences_category_about">Acerca de</string>
<!-- Preference for settings related to changing the default search engine --> <!-- Preference for settings related to changing the default search engine -->
<string name="preferences_default_search_engine">Motor de búsqueda predeterminado</string> <string name="preferences_default_search_engine">Buscador predeterminado</string>
<!-- Preference for settings related to Search --> <!-- Preference for settings related to Search -->
<string name="preferences_search">Buscar</string> <string name="preferences_search">Buscar</string>
<!-- Preference for settings related to Search address bar --> <!-- Preference for settings related to Search address bar -->
@ -269,6 +291,8 @@
<string name="preferences_toolbar">Barra de herramientas</string> <string name="preferences_toolbar">Barra de herramientas</string>
<!-- Preference for changing default theme to dark or light mode --> <!-- Preference for changing default theme to dark or light mode -->
<string name="preferences_theme">Tema</string> <string name="preferences_theme">Tema</string>
<!-- Preference for customizing the home screen -->
<string name="preferences_home">Inicio</string>
<!-- Preference for settings related to visual options --> <!-- Preference for settings related to visual options -->
<string name="preferences_customize">Personalizar</string> <string name="preferences_customize">Personalizar</string>
<!-- Preference description for banner about signing in --> <!-- Preference description for banner about signing in -->
@ -309,9 +333,14 @@
<!-- Preference for open links in third party apps --> <!-- Preference for open links in third party apps -->
<string name="preferences_open_links_in_apps">Abrir enlaces en aplicaciones</string> <string name="preferences_open_links_in_apps">Abrir enlaces en aplicaciones</string>
<!-- Preference for open download with an external download manager app -->
<string name="preferences_external_download_manager">Administrador de descargas externo</string>
<!-- Preference for add_ons --> <!-- Preference for add_ons -->
<string name="preferences_addons">Complementos</string> <string name="preferences_addons">Complementos</string>
<!-- Preference for notifications -->
<string name="preferences_notifications">Notificaciones</string>
<!-- Account Preferences --> <!-- Account Preferences -->
<!-- Preference for triggering sync --> <!-- Preference for triggering sync -->
<string name="preferences_sync_now">Sincronizar ahora</string> <string name="preferences_sync_now">Sincronizar ahora</string>
@ -475,6 +504,31 @@
<!-- Content description (not visible, for screen readers etc.): "Close button for library settings" --> <!-- Content description (not visible, for screen readers etc.): "Close button for library settings" -->
<string name="content_description_close_button">Cerrar</string> <string name="content_description_close_button">Cerrar</string>
<!-- Option in library for Recently Closed Tabs -->
<string name="library_recently_closed_tabs">Pestañas cerradas recientemente</string>
<!-- Option in library to open Recently Closed Tabs page -->
<string name="recently_closed_show_full_history">Mostrar todo el historial</string>
<!-- Text to show users they have multiple tabs saved in the Recently Closed Tabs section of history.
%d is a placeholder for the number of tabs selected. -->
<string name="recently_closed_tabs">%d pestañas</string>
<!-- Text to show users they have one tab saved in the Recently Closed Tabs section of history.
%d is a placeholder for the number of tabs selected. -->
<string name="recently_closed_tab">%d pestaña</string>
<!-- Recently closed tabs screen message when there are no recently closed tabs -->
<string name="recently_closed_empty_message">No hay pestañas cerradas recientemente</string>
<!-- Tab Management -->
<!-- Title of preference that allows a user to auto close tabs after a specified amount of time -->
<string name="preferences_close_tabs">Cerrar pestañas</string>
<!-- Option for auto closing tabs that will never auto close tabs, always allows user to manually close tabs -->
<string name="close_tabs_manually">Manualmente</string>
<!-- Option for auto closing tabs that will auto close tabs after one day -->
<string name="close_tabs_after_one_day">Después de un día</string>
<!-- Option for auto closing tabs that will auto close tabs after one week -->
<string name="close_tabs_after_one_week">Después de una semana</string>
<!-- Option for auto closing tabs that will auto close tabs after one month -->
<string name="close_tabs_after_one_month">Después de un mes</string>
<!-- Sessions --> <!-- Sessions -->
<!-- Title for the list of tabs --> <!-- Title for the list of tabs -->
<string name="tab_header_label">Pestañas abiertas</string> <string name="tab_header_label">Pestañas abiertas</string>
@ -494,6 +548,10 @@
<string name="tab_tray_menu_item_save">Guardar en la colección</string> <string name="tab_tray_menu_item_save">Guardar en la colección</string>
<!-- Text shown in the menu for sharing all tabs --> <!-- Text shown in the menu for sharing all tabs -->
<string name="tab_tray_menu_item_share">Compartir todas las pestañas</string> <string name="tab_tray_menu_item_share">Compartir todas las pestañas</string>
<!-- Text shown in the menu to view recently closed tabs -->
<string name="tab_tray_menu_recently_closed">Pestañas cerradas recientemente</string>
<!-- Text shown in the menu to view tab settings -->
<string name="tab_tray_menu_tab_settings">Ajustes de pestañas</string>
<!-- Text shown in the menu for closing all tabs --> <!-- Text shown in the menu for closing all tabs -->
<string name="tab_tray_menu_item_close">Cerrar todas las pestañas</string> <string name="tab_tray_menu_item_close">Cerrar todas las pestañas</string>
<!-- Shortcut action to open new tab --> <!-- Shortcut action to open new tab -->
@ -541,6 +599,8 @@
<!-- Text for the menu button to remove a top site --> <!-- Text for the menu button to remove a top site -->
<string name="remove_top_site">Eliminar</string> <string name="remove_top_site">Eliminar</string>
<!-- Text for the menu button to delete a top site from history -->
<string name="delete_from_history">Eliminar del historial</string>
<!-- Postfix for private WebApp titles, placeholder is replaced with app name --> <!-- Postfix for private WebApp titles, placeholder is replaced with app name -->
<string name="pwa_site_controls_title_private">%1$s (modo privado)</string> <string name="pwa_site_controls_title_private">%1$s (modo privado)</string>
@ -586,6 +646,13 @@
<!-- Text shown when no history exists --> <!-- Text shown when no history exists -->
<string name="history_empty_message">No hay ningún historial</string> <string name="history_empty_message">No hay ningún historial</string>
<!-- Downloads -->
<!-- Text shown when no download exists -->
<string name="download_empty_message">No hay descargas</string>
<!-- History multi select title in app bar
The first parameter is the number of downloads selected -->
<string name="download_multi_select_title">%1$d seleccionado(s)</string>
<!-- Crashes --> <!-- Crashes -->
<!-- Title text displayed on the tab crash page. This first parameter is the name of the application (For example: Fenix) --> <!-- Title text displayed on the tab crash page. This first parameter is the name of the application (For example: Fenix) -->
<string name="tab_crash_title_2">Lo sentimos. %1$s no puede cargar esa página.</string> <string name="tab_crash_title_2">Lo sentimos. %1$s no puede cargar esa página.</string>
@ -744,10 +811,8 @@
<!-- Content description (not visible, for screen readers etc.): Opens the collection menu when pressed --> <!-- Content description (not visible, for screen readers etc.): Opens the collection menu when pressed -->
<string name="collection_menu_button_content_description">Menú de la colección</string> <string name="collection_menu_button_content_description">Menú de la colección</string>
<!-- No Open Tabs Message Header -->
<string name="no_collections_header1">Colecciona las cosas que te importan</string>
<!-- Label to describe what collections are to a new user without any collections --> <!-- Label to describe what collections are to a new user without any collections -->
<string name="no_collections_description1">Agrupa búsquedas, sitios y pestañas similares para un acceso rápido más tarde.</string> <string name="no_collections_description2">Recopila todo lo que te importa. \nAgrupa búsquedas, sitios y pestañas similares para acceder rápidamente a ellos más tarde.</string>
<!-- Title for the "select tabs" step of the collection creator --> <!-- Title for the "select tabs" step of the collection creator -->
<string name="create_collection_select_tabs">Seleccionar pestañas</string> <string name="create_collection_select_tabs">Seleccionar pestañas</string>
@ -1014,9 +1079,10 @@
<string name="onboarding_whats_new_description">¿Tienes preguntas sobre el rediseño de %s? ¿Quieres saber qué ha cambiado?</string> <string name="onboarding_whats_new_description">¿Tienes preguntas sobre el rediseño de %s? ¿Quieres saber qué ha cambiado?</string>
<!-- text for underlined clickable link that is part of "what's new" onboarding card description that links to an FAQ --> <!-- text for underlined clickable link that is part of "what's new" onboarding card description that links to an FAQ -->
<string name="onboarding_whats_new_description_linktext">Obtén respuestas aquí</string> <string name="onboarding_whats_new_description_linktext">Obtén respuestas aquí</string>
<!-- text for the firefox account onboarding card header <!-- text for the Firefox account onboarding sign in card header -->
The first parameter is the name of the app (e.g. Firefox Preview) --> <string name="onboarding_account_sign_in_header">Empieza a sincronizar marcadores, contraseñas y más con tu cuenta de Firefox.</string>
<string name="onboarding_firefox_account_header">Sácale el mejor provecho a %s.</string> <!-- Text for the button to learn more about signing in to your Firefox account -->
<string name="onboarding_manual_sign_in_learn_more">Saber más</string>
<!-- text for the firefox account onboarding card header when we detect you're already signed in to <!-- text for the firefox account onboarding card header when we detect you're already signed in to
another Firefox browser. (The word `Firefox` should not be translated) another Firefox browser. (The word `Firefox` should not be translated)
The first parameter is the email of the detected user's account --> The first parameter is the email of the detected user's account -->
@ -1495,9 +1561,7 @@
<string name="saved_login_duplicate">Ya existe un inicio de sesión con ese nombre de usuario</string> <string name="saved_login_duplicate">Ya existe un inicio de sesión con ese nombre de usuario</string>
<!-- Synced Tabs --> <!-- Synced Tabs -->
<!-- Text displayed when user is not logged into a Firefox Account --> <!-- Text displayed to ask user to connect another device as no devices found with account -->
<string name="synced_tabs_connect_to_sync_account">Conectarse con una cuenta de Firefox.</string>
<!-- Text displayed to ask user to connect another device as no devices found with account -->
<string name="synced_tabs_connect_another_device">Conectar otro dispositivo.</string> <string name="synced_tabs_connect_another_device">Conectar otro dispositivo.</string>
<!-- Text displayed asking user to re-authenticate --> <!-- Text displayed asking user to re-authenticate -->
<string name="synced_tabs_reauth">Por favor, vuelve a autentificarte.</string> <string name="synced_tabs_reauth">Por favor, vuelve a autentificarte.</string>
@ -1511,6 +1575,9 @@
<!-- Text displayed on a button in the synced tabs screen to link users to sign in when a user is not signed in to Firefox Sync --> <!-- Text displayed on a button in the synced tabs screen to link users to sign in when a user is not signed in to Firefox Sync -->
<string name="synced_tabs_sign_in_button">Inicia sesión para sincronizar</string> <string name="synced_tabs_sign_in_button">Inicia sesión para sincronizar</string>
<!-- The text displayed when a synced device has no tabs to show in the list of Synced Tabs. -->
<string name="synced_tabs_no_open_tabs">No hay pestañas abiertas</string>
<!-- Top Sites --> <!-- Top Sites -->
<!-- Title text displayed in the dialog when top sites limit is reached. --> <!-- Title text displayed in the dialog when top sites limit is reached. -->
<string name="top_sites_max_limit_title">Límite de sitios frecuentes alcanzado</string> <string name="top_sites_max_limit_title">Límite de sitios frecuentes alcanzado</string>
@ -1519,13 +1586,18 @@
<!-- Confirmation dialog button text when top sites limit is reached. --> <!-- Confirmation dialog button text when top sites limit is reached. -->
<string name="top_sites_max_limit_confirmation_button">Vale, entendido</string> <string name="top_sites_max_limit_confirmation_button">Vale, entendido</string>
<!-- DEPRECATED STRINGS --> <!-- Label for the show most visited sites preference -->
<!-- Button in the search view that lets a user search by using a shortcut --> <string name="top_sites_toggle_top_frecent_sites">Mostrar los sitios más visitados</string>
<string name="search_shortcuts_button">Atajos</string>
<!-- DEPRECATED: Header displayed when selecting a shortcut search engine --> <!-- Content description for close button in collection placeholder. -->
<string name="search_shortcuts_search_with">Buscar con</string> <string name="remove_home_collection_placeholder_content_description">Eliminar</string>
<!-- Header displayed when selecting a shortcut search engine -->
<string name="search_shortcuts_search_with_2">Esta vez, buscar con:</string> <!-- depcrecated: text for the firefox account onboarding card header
<!-- Preference title for switch preference to show search shortcuts --> The first parameter is the name of the app (e.g. Firefox Preview) -->
<string name="preferences_show_search_shortcuts">Mostrar atajos de búsqueda</string> <string name="onboarding_firefox_account_header">Sácale el mejor provecho a %s.</string>
<!-- Deprecated: No Open Tabs Message Header -->
<string name="no_collections_header1">Colecciona las cosas que te importan</string>
<!-- Deprecated: Label to describe what collections are to a new user without any collections -->
<string name="no_collections_description1">Agrupa búsquedas, sitios y pestañas similares para un acceso rápido más tarde.</string>
</resources> </resources>

@ -76,6 +76,28 @@
<!-- Text for the negative button --> <!-- Text for the negative button -->
<string name="search_widget_cfr_neg_button_text">Ahora no</string> <string name="search_widget_cfr_neg_button_text">Ahora no</string>
<!-- Open in App "contextual feature recommendation" (CFR) -->
<!-- Text for the info message. 'Firefox' intentionally hardcoded here.-->
<string name="open_in_app_cfr_info_message">Puedes configurar Firefox para que abra automáticamente enlaces en aplicaciones.</string>
<!-- Text for the positive action button -->
<string name="open_in_app_cfr_positive_button_text">Ir a ajustes</string>
<!-- Text for the negative action button -->
<string name="open_in_app_cfr_negative_button_text">Descartar</string>
<!-- Text for the info dialog when camera permissions have been denied but user tries to access a camera feature. -->
<string name="camera_permissions_needed_message">Se necesita acceso a la cámara. Ve a los ajustes de Android, presiona permisos y permitir.</string>
<!-- Text for the positive action button to go to Android Settings to grant permissions. -->
<string name="camera_permissions_needed_positive_button_text">Ir a ajustes</string>
<!-- Text for the negative action button to dismiss the dialog. -->
<string name="camera_permissions_needed_negative_button_text">Descartar</string>
<!-- Text for the banner message to tell users about our auto close feature. -->
<string name="tab_tray_close_tabs_banner_message">Configura las pestañas abiertas para que se cierren automáticamente que no se hayan visto en el último día, semana o mes.</string>
<!-- Text for the positive action button to go to Settings for auto close tabs. -->
<string name="tab_tray_close_tabs_banner_positive_button_text">Ver opciones</string>
<!-- Text for the negative action button to dismiss the Close Tabs Banner. -->
<string name="tab_tray_close_tabs_banner_negative_button_text">Descartar</string>
<!-- Home screen icons - Long press shortcuts --> <!-- Home screen icons - Long press shortcuts -->
<!-- Shortcut action to open new tab --> <!-- Shortcut action to open new tab -->
<string name="home_screen_shortcut_open_new_tab_2">Nueva pestaña</string> <string name="home_screen_shortcut_open_new_tab_2">Nueva pestaña</string>
@ -263,6 +285,8 @@
<string name="preferences_toolbar">Barra de herramientas</string> <string name="preferences_toolbar">Barra de herramientas</string>
<!-- Preference for changing default theme to dark or light mode --> <!-- Preference for changing default theme to dark or light mode -->
<string name="preferences_theme">Tema</string> <string name="preferences_theme">Tema</string>
<!-- Preference for customizing the home screen -->
<string name="preferences_home">Inicio</string>
<!-- Preference for settings related to visual options --> <!-- Preference for settings related to visual options -->
<string name="preferences_customize">Personalizar</string> <string name="preferences_customize">Personalizar</string>
<!-- Preference description for banner about signing in --> <!-- Preference description for banner about signing in -->
@ -468,6 +492,31 @@
<!-- Content description (not visible, for screen readers etc.): "Close button for library settings" --> <!-- Content description (not visible, for screen readers etc.): "Close button for library settings" -->
<string name="content_description_close_button">Cerrar</string> <string name="content_description_close_button">Cerrar</string>
<!-- Option in library for Recently Closed Tabs -->
<string name="library_recently_closed_tabs">Pestañas recientemente cerradas</string>
<!-- Option in library to open Recently Closed Tabs page -->
<string name="recently_closed_show_full_history">Mostrar historial completo</string>
<!-- Text to show users they have multiple tabs saved in the Recently Closed Tabs section of history.
%d is a placeholder for the number of tabs selected. -->
<string name="recently_closed_tabs">%d pestañas</string>
<!-- Text to show users they have one tab saved in the Recently Closed Tabs section of history.
%d is a placeholder for the number of tabs selected. -->
<string name="recently_closed_tab">%d pestaña</string>
<!-- Recently closed tabs screen message when there are no recently closed tabs -->
<string name="recently_closed_empty_message">No hay pestañas recientemente cerradas</string>
<!-- Tab Management -->
<!-- Title of preference that allows a user to auto close tabs after a specified amount of time -->
<string name="preferences_close_tabs">Cerrar pestañas</string>
<!-- Option for auto closing tabs that will never auto close tabs, always allows user to manually close tabs -->
<string name="close_tabs_manually">Manualmente</string>
<!-- Option for auto closing tabs that will auto close tabs after one day -->
<string name="close_tabs_after_one_day">Después de un día</string>
<!-- Option for auto closing tabs that will auto close tabs after one week -->
<string name="close_tabs_after_one_week">Después de una semana</string>
<!-- Option for auto closing tabs that will auto close tabs after one month -->
<string name="close_tabs_after_one_month">Después de un mes</string>
<!-- Sessions --> <!-- Sessions -->
<!-- Title for the list of tabs --> <!-- Title for the list of tabs -->
<string name="tab_header_label">Pestañas abiertas</string> <string name="tab_header_label">Pestañas abiertas</string>
@ -487,6 +536,10 @@
<string name="tab_tray_menu_item_save">Guardar en colección</string> <string name="tab_tray_menu_item_save">Guardar en colección</string>
<!-- Text shown in the menu for sharing all tabs --> <!-- Text shown in the menu for sharing all tabs -->
<string name="tab_tray_menu_item_share">Compartir todas las pestañas</string> <string name="tab_tray_menu_item_share">Compartir todas las pestañas</string>
<!-- Text shown in the menu to view recently closed tabs -->
<string name="tab_tray_menu_recently_closed">Pestañas recientemente cerradas</string>
<!-- Text shown in the menu to view tab settings -->
<string name="tab_tray_menu_tab_settings">Ajustes de pestañas</string>
<!-- Text shown in the menu for closing all tabs --> <!-- Text shown in the menu for closing all tabs -->
<string name="tab_tray_menu_item_close">Cerrar todas las pestañas</string> <string name="tab_tray_menu_item_close">Cerrar todas las pestañas</string>
<!-- Shortcut action to open new tab --> <!-- Shortcut action to open new tab -->
@ -532,6 +585,8 @@
<!-- Text for the menu button to remove a top site --> <!-- Text for the menu button to remove a top site -->
<string name="remove_top_site">Eliminar</string> <string name="remove_top_site">Eliminar</string>
<!-- Text for the menu button to delete a top site from history -->
<string name="delete_from_history">Eliminar del historial</string>
<!-- Postfix for private WebApp titles, placeholder is replaced with app name --> <!-- Postfix for private WebApp titles, placeholder is replaced with app name -->
<string name="pwa_site_controls_title_private">%1$s (Modo Privado)</string> <string name="pwa_site_controls_title_private">%1$s (Modo Privado)</string>
@ -1488,6 +1543,18 @@
<!-- Confirmation dialog button text when top sites limit is reached. --> <!-- Confirmation dialog button text when top sites limit is reached. -->
<string name="top_sites_max_limit_confirmation_button">Vale, entendido</string> <string name="top_sites_max_limit_confirmation_button">Vale, entendido</string>
<!-- Label for the show most visited sites preference -->
<string name="top_sites_toggle_top_frecent_sites">Mostrar los sitios más visitados</string>
<!-- Content description for close button in collection placeholder. --> <!-- Content description for close button in collection placeholder. -->
<string name="remove_home_collection_placeholder_content_description">Eliminar</string> <string name="remove_home_collection_placeholder_content_description">Eliminar</string>
<!-- depcrecated: text for the firefox account onboarding card header
The first parameter is the name of the app (e.g. Firefox Preview) -->
<string name="onboarding_firefox_account_header">Saca el máximo provecho de %s.</string>
<!-- Deprecated: No Open Tabs Message Header -->
<string name="no_collections_header1">Colecciona las cosas que te importan</string>
<!-- Deprecated: Label to describe what collections are to a new user without any collections -->
<string name="no_collections_description1">Agrupa búsquedas, sitios y pestañas similares para acceder a ellos rápidamente.</string>
</resources> </resources>

@ -77,6 +77,28 @@
<!-- Text for the negative button --> <!-- Text for the negative button -->
<string name="search_widget_cfr_neg_button_text">Қазір емес</string> <string name="search_widget_cfr_neg_button_text">Қазір емес</string>
<!-- Open in App "contextual feature recommendation" (CFR) -->
<!-- Text for the info message. 'Firefox' intentionally hardcoded here.-->
<string name="open_in_app_cfr_info_message">Firefox-ты сілтемелерді қолданбаларда автоматты түрде ашатын етіп баптауға болады.</string>
<!-- Text for the positive action button -->
<string name="open_in_app_cfr_positive_button_text">Баптауларға өту</string>
<!-- Text for the negative action button -->
<string name="open_in_app_cfr_negative_button_text">Тайдыру</string>
<!-- Text for the info dialog when camera permissions have been denied but user tries to access a camera feature. -->
<string name="camera_permissions_needed_message">Камера рұқсаты керек. Android баптауларына өтіп, Рұқсаттарды ашып, &quot;Рұқсат ету&quot; таңдаңыз.</string>
<!-- Text for the positive action button to go to Android Settings to grant permissions. -->
<string name="camera_permissions_needed_positive_button_text">Баптауларға өту</string>
<!-- Text for the negative action button to dismiss the dialog. -->
<string name="camera_permissions_needed_negative_button_text">Тайдыру</string>
<!-- Text for the banner message to tell users about our auto close feature. -->
<string name="tab_tray_close_tabs_banner_message">Ашық беттер өткен күнде, аптада немесе айда қаралмаған болса, автоматты түрде жабылатынын баптау.</string>
<!-- Text for the positive action button to go to Settings for auto close tabs. -->
<string name="tab_tray_close_tabs_banner_positive_button_text">Опцияларды қарау</string>
<!-- Text for the negative action button to dismiss the Close Tabs Banner. -->
<string name="tab_tray_close_tabs_banner_negative_button_text">Тайдыру</string>
<!-- Home screen icons - Long press shortcuts --> <!-- Home screen icons - Long press shortcuts -->
<!-- Shortcut action to open new tab --> <!-- Shortcut action to open new tab -->
<string name="home_screen_shortcut_open_new_tab_2">Жаңа бет</string> <string name="home_screen_shortcut_open_new_tab_2">Жаңа бет</string>
@ -259,6 +281,8 @@
<string name="preferences_toolbar">Құралдар панелі</string> <string name="preferences_toolbar">Құралдар панелі</string>
<!-- Preference for changing default theme to dark or light mode --> <!-- Preference for changing default theme to dark or light mode -->
<string name="preferences_theme">Тема</string> <string name="preferences_theme">Тема</string>
<!-- Preference for customizing the home screen -->
<string name="preferences_home">Үйге</string>
<!-- Preference for settings related to visual options --> <!-- Preference for settings related to visual options -->
<string name="preferences_customize">Баптау</string> <string name="preferences_customize">Баптау</string>
<!-- Preference description for banner about signing in --> <!-- Preference description for banner about signing in -->
@ -462,6 +486,31 @@
<!-- Content description (not visible, for screen readers etc.): "Close button for library settings" --> <!-- Content description (not visible, for screen readers etc.): "Close button for library settings" -->
<string name="content_description_close_button">Жабу</string> <string name="content_description_close_button">Жабу</string>
<!-- Option in library for Recently Closed Tabs -->
<string name="library_recently_closed_tabs">Жуырда жабылған беттер</string>
<!-- Option in library to open Recently Closed Tabs page -->
<string name="recently_closed_show_full_history">Бүкіл тарихты көрсету</string>
<!-- Text to show users they have multiple tabs saved in the Recently Closed Tabs section of history.
%d is a placeholder for the number of tabs selected. -->
<string name="recently_closed_tabs">%d бет</string>
<!-- Text to show users they have one tab saved in the Recently Closed Tabs section of history.
%d is a placeholder for the number of tabs selected. -->
<string name="recently_closed_tab">%d бет</string>
<!-- Recently closed tabs screen message when there are no recently closed tabs -->
<string name="recently_closed_empty_message">Осында жуырда жабылған беттер жоқ</string>
<!-- Tab Management -->
<!-- Title of preference that allows a user to auto close tabs after a specified amount of time -->
<string name="preferences_close_tabs">Беттерді жабу</string>
<!-- Option for auto closing tabs that will never auto close tabs, always allows user to manually close tabs -->
<string name="close_tabs_manually">Қолмен</string>
<!-- Option for auto closing tabs that will auto close tabs after one day -->
<string name="close_tabs_after_one_day">Бір күннен кейін</string>
<!-- Option for auto closing tabs that will auto close tabs after one week -->
<string name="close_tabs_after_one_week">Бір аптадан кейін</string>
<!-- Option for auto closing tabs that will auto close tabs after one month -->
<string name="close_tabs_after_one_month">Бір айдан кейін</string>
<!-- Sessions --> <!-- Sessions -->
<!-- Title for the list of tabs --> <!-- Title for the list of tabs -->
<string name="tab_header_label">Ашық беттер</string> <string name="tab_header_label">Ашық беттер</string>
@ -481,6 +530,10 @@
<string name="tab_tray_menu_item_save">Жинаққа сақтау</string> <string name="tab_tray_menu_item_save">Жинаққа сақтау</string>
<!-- Text shown in the menu for sharing all tabs --> <!-- Text shown in the menu for sharing all tabs -->
<string name="tab_tray_menu_item_share">Барлық беттермен бөлісу</string> <string name="tab_tray_menu_item_share">Барлық беттермен бөлісу</string>
<!-- Text shown in the menu to view recently closed tabs -->
<string name="tab_tray_menu_recently_closed">Жуырда жабылған беттер</string>
<!-- Text shown in the menu to view tab settings -->
<string name="tab_tray_menu_tab_settings">Бет баптаулары</string>
<!-- Text shown in the menu for closing all tabs --> <!-- Text shown in the menu for closing all tabs -->
<string name="tab_tray_menu_item_close">Барлық беттерді жабу</string> <string name="tab_tray_menu_item_close">Барлық беттерді жабу</string>
<!-- Shortcut action to open new tab --> <!-- Shortcut action to open new tab -->
@ -527,6 +580,8 @@
<!-- Text for the menu button to remove a top site --> <!-- Text for the menu button to remove a top site -->
<string name="remove_top_site">Өшіру</string> <string name="remove_top_site">Өшіру</string>
<!-- Text for the menu button to delete a top site from history -->
<string name="delete_from_history">Тарихтан өшіру</string>
<!-- Postfix for private WebApp titles, placeholder is replaced with app name --> <!-- Postfix for private WebApp titles, placeholder is replaced with app name -->
<string name="pwa_site_controls_title_private">%1$s (жекелік режимі)</string> <string name="pwa_site_controls_title_private">%1$s (жекелік режимі)</string>
@ -732,10 +787,8 @@
<!-- Content description (not visible, for screen readers etc.): Opens the collection menu when pressed --> <!-- Content description (not visible, for screen readers etc.): Opens the collection menu when pressed -->
<string name="collection_menu_button_content_description">Жинақ мәзірі</string> <string name="collection_menu_button_content_description">Жинақ мәзірі</string>
<!-- No Open Tabs Message Header -->
<string name="no_collections_header1">Өзіңізге маңызды заттарды жинаңыз</string>
<!-- Label to describe what collections are to a new user without any collections --> <!-- Label to describe what collections are to a new user without any collections -->
<string name="no_collections_description1">Кейінірек жылдам қатынау үшін ұқсас іздеулер, сайттар және беттерді топтастырыңыз.</string> <string name="no_collections_description2">Өзіңізге маңызды заттарды жинаңыз.\nКейінірек жылдам қол жеткізу үшін ұқсас іздеулерді, сайттарды және беттерді біріктіріңіз.</string>
<!-- Title for the "select tabs" step of the collection creator --> <!-- Title for the "select tabs" step of the collection creator -->
<string name="create_collection_select_tabs">Беттерді таңдау</string> <string name="create_collection_select_tabs">Беттерді таңдау</string>
<!-- Title for the "select collection" step of the collection creator --> <!-- Title for the "select collection" step of the collection creator -->
@ -985,8 +1038,8 @@
<string name="onboarding_whats_new_description">Қайта жасалған %s туралы сұрақтарыңыз бар ма? Не өзгертілгенін білуді қалайсыз ба?</string> <string name="onboarding_whats_new_description">Қайта жасалған %s туралы сұрақтарыңыз бар ма? Не өзгертілгенін білуді қалайсыз ба?</string>
<!-- text for underlined clickable link that is part of "what's new" onboarding card description that links to an FAQ --> <!-- text for underlined clickable link that is part of "what's new" onboarding card description that links to an FAQ -->
<string name="onboarding_whats_new_description_linktext">Осы жерден жауап алыңыз</string> <string name="onboarding_whats_new_description_linktext">Осы жерден жауап алыңыз</string>
<!-- text for the firefox account onboarding card header --> <!-- text for the Firefox account onboarding sign in card header -->
<string name="onboarding_firefox_account_header">%s өнімін толықтай пайдаланыңыз.</string> <string name="onboarding_account_sign_in_header">Firefox тіркелгісімен бетбелгілер, парольдер және т.б. синхрондауды бастаңыз.</string>
<!-- Text for the button to learn more about signing in to your Firefox account --> <!-- Text for the button to learn more about signing in to your Firefox account -->
<string name="onboarding_manual_sign_in_learn_more">Көбірек білу</string> <string name="onboarding_manual_sign_in_learn_more">Көбірек білу</string>
<!-- text for the firefox account onboarding card header when we detect you're already signed in to <!-- text for the firefox account onboarding card header when we detect you're already signed in to
@ -1488,4 +1541,18 @@
<!-- Confirmation dialog button text when top sites limit is reached. --> <!-- Confirmation dialog button text when top sites limit is reached. -->
<string name="top_sites_max_limit_confirmation_button">Жақсы, түсіндім</string> <string name="top_sites_max_limit_confirmation_button">Жақсы, түсіндім</string>
<!-- Label for the show most visited sites preference -->
<string name="top_sites_toggle_top_frecent_sites">Ең көп қаралған сайттарды көрсету</string>
<!-- Content description for close button in collection placeholder. -->
<string name="remove_home_collection_placeholder_content_description">Өшіру</string>
<!-- depcrecated: text for the firefox account onboarding card header
The first parameter is the name of the app (e.g. Firefox Preview) -->
<string name="onboarding_firefox_account_header">%s өнімін толықтай пайдаланыңыз.</string>
<!-- Deprecated: No Open Tabs Message Header -->
<string name="no_collections_header1">Өзіңізге маңызды заттарды жинаңыз</string>
<!-- Deprecated: Label to describe what collections are to a new user without any collections -->
<string name="no_collections_description1">Кейінірек жылдам қатынау үшін ұқсас іздеулер, сайттар және беттерді топтастырыңыз.</string>
</resources> </resources>

@ -1467,6 +1467,8 @@
<string name="synced_tabs_reauth">Tornatz vos autentificar.</string> <string name="synced_tabs_reauth">Tornatz vos autentificar.</string>
<!-- Text displayed when user has disabled tab syncing in Firefox Sync Account --> <!-- Text displayed when user has disabled tab syncing in Firefox Sync Account -->
<string name="synced_tabs_enable_tab_syncing">Activatz la sincronizacion dels onglets.</string> <string name="synced_tabs_enable_tab_syncing">Activatz la sincronizacion dels onglets.</string>
<!-- Text displayed when user has no tabs that have been synced -->
<string name="synced_tabs_no_tabs">Avètz pas cap dautres onglets dubèrts sus Firefox de vòstres autres periferics.</string>
<!-- Text displayed in the synced tabs screen when a user is not signed in to Firefox Sync describing Synced Tabs --> <!-- Text displayed in the synced tabs screen when a user is not signed in to Firefox Sync describing Synced Tabs -->
<string name="synced_tabs_sign_in_message">Vejatz la lista dels onglets dels autres periferics.</string> <string name="synced_tabs_sign_in_message">Vejatz la lista dels onglets dels autres periferics.</string>
<!-- Text displayed on a button in the synced tabs screen to link users to sign in when a user is not signed in to Firefox Sync --> <!-- Text displayed on a button in the synced tabs screen to link users to sign in when a user is not signed in to Firefox Sync -->

@ -80,6 +80,28 @@
<!-- Text for the negative button --> <!-- Text for the negative button -->
<string name="search_widget_cfr_neg_button_text">Agora não</string> <string name="search_widget_cfr_neg_button_text">Agora não</string>
<!-- Open in App "contextual feature recommendation" (CFR) -->
<!-- Text for the info message. 'Firefox' intentionally hardcoded here.-->
<string name="open_in_app_cfr_info_message">Pode configurar o Firefox para abrir automaticamente as ligações nas aplicações.</string>
<!-- Text for the positive action button -->
<string name="open_in_app_cfr_positive_button_text">Ir para as definições</string>
<!-- Text for the negative action button -->
<string name="open_in_app_cfr_negative_button_text">Dispensar</string>
<!-- Text for the info dialog when camera permissions have been denied but user tries to access a camera feature. -->
<string name="camera_permissions_needed_message">É necessário acesso à câmara. Aceda às definições do Android, toque em permissões e toque em permitir.</string>
<!-- Text for the positive action button to go to Android Settings to grant permissions. -->
<string name="camera_permissions_needed_positive_button_text">Ir para as definições</string>
<!-- Text for the negative action button to dismiss the dialog. -->
<string name="camera_permissions_needed_negative_button_text">Dispensar</string>
<!-- Text for the banner message to tell users about our auto close feature. -->
<string name="tab_tray_close_tabs_banner_message">Faça com que os separadores abertos que não tenham sido acedidos no último dia, semana ou mês sejam automaticamente fechados.</string>
<!-- Text for the positive action button to go to Settings for auto close tabs. -->
<string name="tab_tray_close_tabs_banner_positive_button_text">Ver opções</string>
<!-- Text for the negative action button to dismiss the Close Tabs Banner. -->
<string name="tab_tray_close_tabs_banner_negative_button_text">Dispensar</string>
<!-- Home screen icons - Long press shortcuts --> <!-- Home screen icons - Long press shortcuts -->
<!-- Shortcut action to open new tab --> <!-- Shortcut action to open new tab -->
<string name="home_screen_shortcut_open_new_tab_2">Novo separador</string> <string name="home_screen_shortcut_open_new_tab_2">Novo separador</string>
@ -264,6 +286,8 @@
<string name="preferences_toolbar">Barra de ferramentas</string> <string name="preferences_toolbar">Barra de ferramentas</string>
<!-- Preference for changing default theme to dark or light mode --> <!-- Preference for changing default theme to dark or light mode -->
<string name="preferences_theme">Tema</string> <string name="preferences_theme">Tema</string>
<!-- Preference for customizing the home screen -->
<string name="preferences_home">Início</string>
<!-- Preference for settings related to visual options --> <!-- Preference for settings related to visual options -->
<string name="preferences_customize">Personalizar</string> <string name="preferences_customize">Personalizar</string>
<!-- Preference description for banner about signing in --> <!-- Preference description for banner about signing in -->
@ -473,6 +497,31 @@
<!-- Content description (not visible, for screen readers etc.): "Close button for library settings" --> <!-- Content description (not visible, for screen readers etc.): "Close button for library settings" -->
<string name="content_description_close_button">Fechar</string> <string name="content_description_close_button">Fechar</string>
<!-- Option in library for Recently Closed Tabs -->
<string name="library_recently_closed_tabs">Separadores fechados recentemente</string>
<!-- Option in library to open Recently Closed Tabs page -->
<string name="recently_closed_show_full_history">Mostrar todo o histórico</string>
<!-- Text to show users they have multiple tabs saved in the Recently Closed Tabs section of history.
%d is a placeholder for the number of tabs selected. -->
<string name="recently_closed_tabs">%d separadores</string>
<!-- Text to show users they have one tab saved in the Recently Closed Tabs section of history.
%d is a placeholder for the number of tabs selected. -->
<string name="recently_closed_tab">%d separador</string>
<!-- Recently closed tabs screen message when there are no recently closed tabs -->
<string name="recently_closed_empty_message">Sem separadores fechados recentemente</string>
<!-- Tab Management -->
<!-- Title of preference that allows a user to auto close tabs after a specified amount of time -->
<string name="preferences_close_tabs">Fechar separadores</string>
<!-- Option for auto closing tabs that will never auto close tabs, always allows user to manually close tabs -->
<string name="close_tabs_manually">Manualmente</string>
<!-- Option for auto closing tabs that will auto close tabs after one day -->
<string name="close_tabs_after_one_day">Depois de um dia</string>
<!-- Option for auto closing tabs that will auto close tabs after one week -->
<string name="close_tabs_after_one_week">Depois de uma semana</string>
<!-- Option for auto closing tabs that will auto close tabs after one month -->
<string name="close_tabs_after_one_month">Depois de um mês</string>
<!-- Sessions --> <!-- Sessions -->
<!-- Title for the list of tabs --> <!-- Title for the list of tabs -->
<string name="tab_header_label">Separadores abertos</string> <string name="tab_header_label">Separadores abertos</string>
@ -493,6 +542,10 @@
<string name="tab_tray_menu_item_save">Guardar na coleção</string> <string name="tab_tray_menu_item_save">Guardar na coleção</string>
<!-- Text shown in the menu for sharing all tabs --> <!-- Text shown in the menu for sharing all tabs -->
<string name="tab_tray_menu_item_share">Partilhar todos os separadores</string> <string name="tab_tray_menu_item_share">Partilhar todos os separadores</string>
<!-- Text shown in the menu to view recently closed tabs -->
<string name="tab_tray_menu_recently_closed">Separadores fechados recentemente</string>
<!-- Text shown in the menu to view tab settings -->
<string name="tab_tray_menu_tab_settings">Definições dos separadores</string>
<!-- Text shown in the menu for closing all tabs --> <!-- Text shown in the menu for closing all tabs -->
<string name="tab_tray_menu_item_close">Fechar todos os separadores</string> <string name="tab_tray_menu_item_close">Fechar todos os separadores</string>
<!-- Shortcut action to open new tab --> <!-- Shortcut action to open new tab -->
@ -538,6 +591,8 @@
<!-- Text for the menu button to remove a top site --> <!-- Text for the menu button to remove a top site -->
<string name="remove_top_site">Remover</string> <string name="remove_top_site">Remover</string>
<!-- Text for the menu button to delete a top site from history -->
<string name="delete_from_history">Eliminar do histórico</string>
<!-- Postfix for private WebApp titles, placeholder is replaced with app name --> <!-- Postfix for private WebApp titles, placeholder is replaced with app name -->
<string name="pwa_site_controls_title_private">%1$s (modo privado)</string> <string name="pwa_site_controls_title_private">%1$s (modo privado)</string>
@ -1501,6 +1556,18 @@
<!-- Confirmation dialog button text when top sites limit is reached. --> <!-- Confirmation dialog button text when top sites limit is reached. -->
<string name="top_sites_max_limit_confirmation_button">OK, percebi</string> <string name="top_sites_max_limit_confirmation_button">OK, percebi</string>
<!-- Label for the show most visited sites preference -->
<string name="top_sites_toggle_top_frecent_sites">Mostrar os sites mais visitados</string>
<!-- Content description for close button in collection placeholder. --> <!-- Content description for close button in collection placeholder. -->
<string name="remove_home_collection_placeholder_content_description">Remover</string> <string name="remove_home_collection_placeholder_content_description">Remover</string>
<!-- depcrecated: text for the firefox account onboarding card header
The first parameter is the name of the app (e.g. Firefox Preview) -->
<string name="onboarding_firefox_account_header">Tire o máximo proveito do %s.</string>
<!-- Deprecated: No Open Tabs Message Header -->
<string name="no_collections_header1">Colecione as coisas que são importantes para si</string>
<!-- Deprecated: Label to describe what collections are to a new user without any collections -->
<string name="no_collections_description1">Agrupe pesquisas, sites e separadores semelhantes para um acesso rápido mais tarde.</string>
</resources> </resources>

@ -33,9 +33,19 @@
<string name="tab_tray_add_new_collection_name">Ime</string> <string name="tab_tray_add_new_collection_name">Ime</string>
<!-- Label of button in save to collection dialog for selecting a current collection --> <!-- Label of button in save to collection dialog for selecting a current collection -->
<string name="tab_tray_select_collection">Izberi zbirko</string> <string name="tab_tray_select_collection">Izberi zbirko</string>
<!-- Content description for close button while in multiselect mode in tab tray -->
<string name="tab_tray_close_multiselect_content_description">Izhod iz večizbirnega načina</string>
<!-- Content description for save to collection button while in multiselect mode in tab tray --> <!-- Content description for save to collection button while in multiselect mode in tab tray -->
<string name="tab_tray_collection_button_multiselect_content_description">Shrani izbrane zavihke v zbirko</string> <string name="tab_tray_collection_button_multiselect_content_description">Shrani izbrane zavihke v zbirko</string>
<!-- Content description for checkmark while tab is selected while in multiselect mode in tab tray. The first parameter is the title of the tab selected -->
<string name="tab_tray_item_selected_multiselect_content_description">Izbran %1$s</string>
<!-- Content description when tab is unselected while in multiselect mode in tab tray. The first parameter is the title of the tab unselected -->
<string name="tab_tray_item_unselected_multiselect_content_description">Neizbran %1$s</string>
<!-- Content description announcement when exiting multiselect mode in tab tray -->
<string name="tab_tray_exit_multiselect_content_description">Večizbirni način končan</string>
<!-- Content description announcement when entering multiselect mode in tab tray -->
<string name="tab_tray_enter_multiselect_content_description">Vstopili ste v večizbirni način, izberite zavihke, ki jih želite shraniti v zbirko</string>
<!-- Content description on checkmark while tab is selected in multiselect mode in tab tray --> <!-- Content description on checkmark while tab is selected in multiselect mode in tab tray -->
<string name="tab_tray_multiselect_selected_content_description">Izbrano</string> <string name="tab_tray_multiselect_selected_content_description">Izbrano</string>

@ -78,6 +78,24 @@
<!-- Text for the negative button --> <!-- Text for the negative button -->
<string name="search_widget_cfr_neg_button_text">ఇప్పుడు కాదు</string> <string name="search_widget_cfr_neg_button_text">ఇప్పుడు కాదు</string>
<!-- Open in App "contextual feature recommendation" (CFR) -->
<!-- Text for the info message. 'Firefox' intentionally hardcoded here.-->
<string name="open_in_app_cfr_info_message">లంకెలను Firefox స్వయంచాలకంగా అనువర్తనాలలో తెరిచేలా మీరు అమర్చుకోవచ్చు.</string>
<!-- Text for the positive action button -->
<string name="open_in_app_cfr_positive_button_text">అమరికలకు వెళ్లు</string>
<!-- Text for the negative action button -->
<string name="open_in_app_cfr_negative_button_text">విస్మరించు</string>
<!-- Text for the positive action button to go to Android Settings to grant permissions. -->
<string name="camera_permissions_needed_positive_button_text">అమరికలకు వెళ్లు</string>
<!-- Text for the negative action button to dismiss the dialog. -->
<string name="camera_permissions_needed_negative_button_text">విస్మరించు</string>
<!-- Text for the positive action button to go to Settings for auto close tabs. -->
<string name="tab_tray_close_tabs_banner_positive_button_text">ఎంపికలు చూడండి</string>
<!-- Text for the negative action button to dismiss the Close Tabs Banner. -->
<string name="tab_tray_close_tabs_banner_negative_button_text">విస్మరించు</string>
<!-- Home screen icons - Long press shortcuts --> <!-- Home screen icons - Long press shortcuts -->
<!-- Shortcut action to open new tab --> <!-- Shortcut action to open new tab -->
<string name="home_screen_shortcut_open_new_tab_2">కొత్త ట్యాబు</string> <string name="home_screen_shortcut_open_new_tab_2">కొత్త ట్యాబు</string>
@ -485,6 +503,21 @@
%d is a placeholder for the number of tabs selected. --> %d is a placeholder for the number of tabs selected. -->
<string name="recently_closed_tab">%d ట్యాబు</string> <string name="recently_closed_tab">%d ట్యాబు</string>
<!-- Recently closed tabs screen message when there are no recently closed tabs -->
<string name="recently_closed_empty_message">ఇటీవల మూసివేసిన ట్యాబులు ఏమీ ఇక్కడ లేవు</string>
<!-- Tab Management -->
<!-- Title of preference that allows a user to auto close tabs after a specified amount of time -->
<string name="preferences_close_tabs">ట్యాబుల మూసివేత</string>
<!-- Option for auto closing tabs that will never auto close tabs, always allows user to manually close tabs -->
<string name="close_tabs_manually">మానవీయంగా</string>
<!-- Option for auto closing tabs that will auto close tabs after one day -->
<string name="close_tabs_after_one_day">ఒక రోజు తరువాత</string>
<!-- Option for auto closing tabs that will auto close tabs after one week -->
<string name="close_tabs_after_one_week">ఒక వారం తరువాత</string>
<!-- Option for auto closing tabs that will auto close tabs after one month -->
<string name="close_tabs_after_one_month">ఒక నెల తరువాత</string>
<!-- Sessions --> <!-- Sessions -->
<!-- Title for the list of tabs --> <!-- Title for the list of tabs -->
<string name="tab_header_label">తెరిచివున్న ట్యాబులు</string> <string name="tab_header_label">తెరిచివున్న ట్యాబులు</string>
@ -504,6 +537,10 @@
<string name="tab_tray_menu_item_save">సేకరణకు భద్రపరుచు</string> <string name="tab_tray_menu_item_save">సేకరణకు భద్రపరుచు</string>
<!-- Text shown in the menu for sharing all tabs --> <!-- Text shown in the menu for sharing all tabs -->
<string name="tab_tray_menu_item_share">అన్ని ట్యాబులను పంచుకో</string> <string name="tab_tray_menu_item_share">అన్ని ట్యాబులను పంచుకో</string>
<!-- Text shown in the menu to view recently closed tabs -->
<string name="tab_tray_menu_recently_closed">ఇటీవల మూసిన ట్యాబులు</string>
<!-- Text shown in the menu to view tab settings -->
<string name="tab_tray_menu_tab_settings">ట్యాబు అమరికలు</string>
<!-- Text shown in the menu for closing all tabs --> <!-- Text shown in the menu for closing all tabs -->
<string name="tab_tray_menu_item_close">ట్యాబులన్నీ మూసివేయి</string> <string name="tab_tray_menu_item_close">ట్యాబులన్నీ మూసివేయి</string>
<!-- Shortcut action to open new tab --> <!-- Shortcut action to open new tab -->
@ -551,6 +588,8 @@
<!-- Text for the menu button to remove a top site --> <!-- Text for the menu button to remove a top site -->
<string name="remove_top_site">తీసివేయి</string> <string name="remove_top_site">తీసివేయి</string>
<!-- Text for the menu button to delete a top site from history -->
<string name="delete_from_history">చరిత్ర నుండి తొలగించు</string>
<!-- Postfix for private WebApp titles, placeholder is replaced with app name --> <!-- Postfix for private WebApp titles, placeholder is replaced with app name -->
<string name="pwa_site_controls_title_private">%1$s (అంతరంగిక రీతి)</string> <string name="pwa_site_controls_title_private">%1$s (అంతరంగిక రీతి)</string>
@ -1527,7 +1566,16 @@
<!-- Confirmation dialog button text when top sites limit is reached. --> <!-- Confirmation dialog button text when top sites limit is reached. -->
<string name="top_sites_max_limit_confirmation_button">సరే, అర్థమయ్యింది</string> <string name="top_sites_max_limit_confirmation_button">సరే, అర్థమయ్యింది</string>
<!-- Label for the show most visited sites preference -->
<string name="top_sites_toggle_top_frecent_sites">ఎక్కువగా చూసిన సైట్లను చూపించు</string>
<!-- Content description for close button in collection placeholder. --> <!-- Content description for close button in collection placeholder. -->
<string name="remove_home_collection_placeholder_content_description">తొలగించు</string> <string name="remove_home_collection_placeholder_content_description">తొలగించు</string>
<!-- depcrecated: text for the firefox account onboarding card header
The first parameter is the name of the app (e.g. Firefox Preview) -->
<string name="onboarding_firefox_account_header">%s నుండి ఎక్కువగా పొందండి.</string>
<!-- Deprecated: No Open Tabs Message Header -->
<string name="no_collections_header1">మీకు ముఖ్యమైన విషయాలను సేకరించండి</string>
</resources> </resources>

@ -628,6 +628,10 @@
<!-- Text shown when no download exists --> <!-- Text shown when no download exists -->
<string name="download_empty_message">ไม่มีการดาวน์โหลด</string> <string name="download_empty_message">ไม่มีการดาวน์โหลด</string>
<!-- History multi select title in app bar
The first parameter is the number of downloads selected -->
<string name="download_multi_select_title">เลือกอยู่ %1$d</string>
<!-- Crashes --> <!-- Crashes -->
<!-- Title text displayed on the tab crash page. This first parameter is the name of the application (For example: Fenix) --> <!-- Title text displayed on the tab crash page. This first parameter is the name of the application (For example: Fenix) -->
<string name="tab_crash_title_2">ขออภัย %1$s ไม่สามารถโหลดหน้านั้นได้</string> <string name="tab_crash_title_2">ขออภัย %1$s ไม่สามารถโหลดหน้านั้นได้</string>

@ -201,6 +201,9 @@
<!-- A value of `true` means the PWA dialog has been showed or user already has PWAs installed --> <!-- A value of `true` means the PWA dialog has been showed or user already has PWAs installed -->
<string name="pref_key_user_knows_about_pwa" translatable="false">pref_key_user_knows_about_pwa</string> <string name="pref_key_user_knows_about_pwa" translatable="false">pref_key_user_knows_about_pwa</string>
<!-- A value of `true` means the Open In App Banner has not been shown yet -->
<string name="pref_key_should_show_open_in_app_banner" translatable="false">pref_key_should_show_open_in_app_banner</string>
<string name="pref_key_migrating_from_fenix_nightly_tip" translatable="false">pref_key_migrating_from_fenix_nightly_tip</string> <string name="pref_key_migrating_from_fenix_nightly_tip" translatable="false">pref_key_migrating_from_fenix_nightly_tip</string>
<string name="pref_key_migrating_from_firefox_nightly_tip" translatable="false">pref_key_migrating_from_firefox_nightly_tip</string> <string name="pref_key_migrating_from_firefox_nightly_tip" translatable="false">pref_key_migrating_from_firefox_nightly_tip</string>
<string name="pref_key_migrating_from_fenix_tip" translatable="false">pref_key_migrating_from_fenix_tip</string> <string name="pref_key_migrating_from_fenix_tip" translatable="false">pref_key_migrating_from_fenix_tip</string>

@ -3,5 +3,5 @@
* file, You can obtain one at http://mozilla.org/MPL/2.0/. */ * file, You can obtain one at http://mozilla.org/MPL/2.0/. */
object AndroidComponents { object AndroidComponents {
const val VERSION = "58.0.20200904130229" const val VERSION = "58.0.20200906130403"
} }

Loading…
Cancel
Save