本文译自:http://developer.android.com/training/basics/supporting-devices/languages.html#UseString
从你的应用程序代码中把UI的字符串提取到一个外部文件中是一个很好的实践,Android系统在每个Android工程中用一个资源目录让这件事变的很容易。
如果你使用Android的SDK工具创建工程,该工具会在工程的顶层创建一个叫res/的目录。在这个res/的目录中是各种资源类型的子目录。还有一些默认的文件,如res/values/strings.xml,该文件会保存字符串值。
创建语言目录和字符串文件
要添加对多语言的支持,就要在res/目录中添加一个包含连字符和ISO国家代码结尾的values目录,如,values-es/就是一个包含了语言编码是“es”的地区字符资源的目录。Android系统会在运行时,根据语言设置来加载对应的资源。
一旦你决定了你要支持的语言,就要创建资源子目录和字符串资源文件,如:
MyProject/
res/
values/
strings.xml
values-es/
strings.xml
values-fr/
strings.xml
把每种语言的字符串值添加到对应的文件中。
在运行时,Android系统会根据用户设备当前的语言设置,使用对应的字符串资源。
例如,以下是不同语言的字符串资源文件。
英语(默认语言编码),/values/strings.xml:
<?xml version="1.0" encoding="utf-8"?>
<resources>
<string name="title">My Application</string>
<string name="hello_world">Hello World!</string>
</resources>
西班牙语,/values-es/strings.xml:
<?xml version="1.0" encoding="utf-8"?>
<resources>
<string name="title">Mi Aplicación</string>
<string name="hello_world">Hola Mundo!</string>
</resources>
法语,/values-fr/strings.xml
<?xml version="1.0" encoding="utf-8"?>
<resources>
<string name="title">Mon Application</string>
<string name="hello_world">Bonjour le monde !</string>
</resources>
注意:你可以在任何类型的资源目录上使用语言限定符,如提供本地化的位图资源。
使用字符串资源
你可以在你资源代码和其他的XML文件中,使用<string>元素的name属性定义的名称来引用你的字符串资源。
在你的源代码中,你可以用R.string.<string_name>的语法来引用字符串资源。有很多方法,用这种语法方式来接收字符串资源,如:
// Get a string resource from your app's Resources
String hello = getResources().getString(R.string.hello_world);
// Or supply a string resource to a method that requires a string
TextView textView = new TextView(this);
textView.setText(R.string.hello_world);
在其他的XML文件中,你可在任何接收字符串值的XML属性中,使用@string/<string_name>语法形式来引用字符串资源,如:
<TextView
android:layout_width="wrap_content"
android:layout_height="wrap_content"
android:text="@string/hello_world"/>