Как получить язык (локаль) в настоящее время Android приложение отображает?
Как узнать язык (локаль) в настоящее время Android-приложение использует для отображения текстов для пользователей?
Я знаю, что могу использовать Locale.getDefault() для получения локали ОС по умолчанию. Но он может отличаться от языка, используемого приложением для отображения текста и других ресурсов, если этот язык не поддерживается приложением.
Мне нужно определить язык (локаль), отображаемый приложением, поэтому приложение может передавать язык на сервер, чтобы он мог локализовать возвращаемые результаты.
5 ответов
мое собственное решение, чтобы добавить
это на вашей конфигурации приложения, так что вы можете сделать это с :
и показывает Локаль, которую использует приложение, которая может отличаться.
Это может быть по-другому, потому что разработчик может изменить его, обновив конфигурацию приложения, проверка:ресурсы.updateConfiguration
следующий код работает для меня:
Примечание: есть небольшое изменение в том, как вы должны получить locale на сборке.VERSION_CODES.N. Для N и выше код должен выглядеть как кодовый блок ниже; однако я просто делаю это для M и ниже, как в приведенном выше кодовом блоке, и он совместим с N и выше.
я получил следующее на национальных языках, которые я поддерживаю:
существует список методов, которые дают ту же локаль информация в различных форматах:
locale.getDefault().getCountry();
место действия.getDefault().getISO3Language ();
место действия.getDefault().getISO3Country ();
место действия.getDefault().getDisplayCountry();
место действия.getDefault().getDisplayName();
место действия.getDefault().getDisplayLanguage();
место действия.getDefault().getLanguage();
место действия.getDefault().toString ();
вы можете использовать код ниже. Например, функции, представленные ниже, могут быть размещены внутри расширенного класса Application class.
и тогда везде, где в основном коде мы можем написать:
в вашем случае, вы, в ближайшее время, можете использовать getAppLanguage() а затем проверьте общедоступную переменную APP_LANG чтобы получить, какой язык в настоящее время используется.
Источник
Android Locale – Get Locale Name And Country Code
Hi and welcome to another tutorial from Codingdemos, today you will learn about Android locale API and how you can use it inside your app to get default locale and country code.
By the end of this tutorial, you will have an app that looks like this. (Large preview)
In this tutorial we will be using the following:
- – Android studio version 3.0.1
– Android emulator Nexus 5X with API 26
– Minimum SDK API 16
1- Open up Android Studio and open any project that you have in your computer.
Create new Android Studio project or open existing project. (Large preview)
2- Open up activity_main.xml file, inside this file you will add 2 Android TextView to show language name and code and make sure to set the text size for these 2 TextView to 30sp.
3- The full code for activity_main.xml file will look like this:
4- Next open up MainActivity.java file, here you need to reference those 2 Android TextView which you have added them inside activity_main.xml file.
5- Now you will get to work with Android Locale API, add the following code below Android TextView code.
Here you use ConfigurationCompat which is a helper class to be able to have access to the configuration in backward compatibility, then you get the list of Android locale by using getLocales and finally you will use Resources to be able to access the system configuration of the Android device.
6- After initializing Locale, you will now be able to get the language name and code from Android device. Add the following code below Locale initialization.
Here you have initialized languageName textview with Locale properties.
You will use locale.getDisplayName() to get the language name that is currently being used in your Android device.
7- Build and run the app to see the output.
Using Android Locale to get language name. (Large preview)
8- Now initialize languageCode with Android Locale properties, so add the following code below languageName.
Here you use locale.getLanguage() to get the Android Locale country code of the language that is currently being used in your Android device.
9- Build and run the app to see the progress.
Getting Android Locale country code. (Large preview)
10- When you change the language of your Android device it will apply to the app as well, for example if you change your device language to Spanish you will get the following output.
11- The full code for MainActivity.java file will look like this.
12- I hope you find this tutorial helpful and if you have any question please post them in the comment below.
Источник
Android get device locale
Upon installation of my Android program I check for device locale:
If deviceLocale is inside my supported languages (english, french, german) I don’t change locale.
But for instance say that if I don’t support device’s language: for example spanish.
I set current locale to English, because most of the people can understand English partly.
But after that, in other methods, when I check device’s locale like this:
I get result as «English». But device’s locale is Spanish.
Does getLanguage() gives current app’s locale ?
How can I get device’s locale ?
Edit: In app’s first run, it is an option to save device locale. But if user changes device locale after I save, I can’t know new locale of the device. I can only know the locale that I saved in app install.
Answers
There’s a much simpler and cleaner way to do this than using reflection or parsing some system property.
As you noticed once you set the default Locale in your app you don’t have access to the system default Locale any more. The default Locale you set in your app is valid only during the life cycle of your app. Whatever you set in your Locale.setDefault(Locale) is gone once the process is terminated . When the app is restarted you will again be able to read the system default Locale.
So all you need to do is retrieve the system default Locale when the app starts, remember it as long as the app runs and update it should the user decide to change the language in the Android settings. Because we need that piece of information only as long as the app runs, we can simply store it in a static variable, which is accessible from anywhere in your app.
And here’s how we do it:
Using an Application (don’t forget to define it in your manifest) we get the default locale when the app starts (onCreate()) and we update it when the user changes the language in the Android settings (onConfigurationChanged(Configuration)). That’s all there is. Whenever you need to know what the system default language was before you used your setDefault call, sDefSystemLanguage will give you the answer.
There’s one issue I spotted in your code. When you set the new Locale you do:
When you do that, you overwrite all Configuration information that you might want to keep. E.g. Configuration.fontScale reflects the Accessibility settings Large Text. By settings the language and losing all other Configuration your app would not reflect the Large Text settings any more, meaning text is smaller than it should be (if the user has enabled the large text setting). The correct way to do it is:
So instead of creating a new Configuration object we just update the current one.
Источник