从你的应用代码中提取出 UI 字符串并保存到一个外部文件中始终是一种好的实践方式。由于每个安卓工程都有一个资源目录,能很方便地这样做。
如果你使用安卓 SDK 工具创建你的工程(参见创建安卓工程),工具会在工程的顶级目录下创建res/
目录。res/
目录下是各种资源类型的子目录。目录下有一些默认文件,如保存字符串值的 res/values/strings.xml。
创建区域目录和字符串资源
为了支持多种语言,需要在 res/
目录下创建额外的values
目录,目录名的尾部包含连字符和 ISO 国家代码。例如,values-es/
目录包含语言代码是 "es" 的区域的简单资源。安卓在运行时根据设备的区域设置加载合适的资源。
一旦你决定了要支持的语言,那就创建相应的资源子目录和字符串资源文件。例如:
MyProject/ res/ values/ strings.xml values-es/ strings.xml values-fr/ strings.xml
为每个区域在相应的文件中添加字符串值。
在运行时,安卓系统会根据用户设备的当前区域设置使用相应的字符串资源。
例如,以下是一些不同语言的字符串资源文件。
英语(默认区域) /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>
语法引用字符串资源。有许多方法以这种方式接收一个字符串资源。
例如:
// 从你的应用的 Resources 中取得一个字符串资源 String hello = getResources().getString(R.string.hello_world); // 或者提供一个字符串资源给一个需要字符串的方法 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" />