Resources.java revision 0cfb877f5a0a1bff82d9c3ee969195bf7812c0b5
1/*
2 * Copyright (C) 2006 The Android Open Source Project
3 *
4 * Licensed under the Apache License, Version 2.0 (the "License");
5 * you may not use this file except in compliance with the License.
6 * You may obtain a copy of the License at
7 *
8 *      http://www.apache.org/licenses/LICENSE-2.0
9 *
10 * Unless required by applicable law or agreed to in writing, software
11 * distributed under the License is distributed on an "AS IS" BASIS,
12 * WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied.
13 * See the License for the specific language governing permissions and
14 * limitations under the License.
15 */
16
17package android.content.res;
18
19import com.android.internal.util.XmlUtils;
20
21import org.xmlpull.v1.XmlPullParser;
22import org.xmlpull.v1.XmlPullParserException;
23
24import android.content.pm.ActivityInfo;
25import android.graphics.Movie;
26import android.graphics.drawable.Drawable;
27import android.graphics.drawable.ColorDrawable;
28import android.graphics.drawable.Drawable.ConstantState;
29import android.os.Build;
30import android.os.Bundle;
31import android.os.IBinder;
32import android.os.Trace;
33import android.util.AttributeSet;
34import android.util.DisplayMetrics;
35import android.util.Log;
36import android.util.Slog;
37import android.util.SparseArray;
38import android.util.TypedValue;
39import android.util.LongSparseArray;
40
41import java.io.IOException;
42import java.io.InputStream;
43import java.lang.ref.WeakReference;
44import java.util.Locale;
45
46import libcore.icu.NativePluralRules;
47
48/**
49 * Class for accessing an application's resources.  This sits on top of the
50 * asset manager of the application (accessible through {@link #getAssets}) and
51 * provides a high-level API for getting typed data from the assets.
52 *
53 * <p>The Android resource system keeps track of all non-code assets associated with an
54 * application. You can use this class to access your application's resources. You can generally
55 * acquire the {@link android.content.res.Resources} instance associated with your application
56 * with {@link android.content.Context#getResources getResources()}.</p>
57 *
58 * <p>The Android SDK tools compile your application's resources into the application binary
59 * at build time.  To use a resource, you must install it correctly in the source tree (inside
60 * your project's {@code res/} directory) and build your application.  As part of the build
61 * process, the SDK tools generate symbols for each resource, which you can use in your application
62 * code to access the resources.</p>
63 *
64 * <p>Using application resources makes it easy to update various characteristics of your
65 * application without modifying code, and&mdash;by providing sets of alternative
66 * resources&mdash;enables you to optimize your application for a variety of device configurations
67 * (such as for different languages and screen sizes). This is an important aspect of developing
68 * Android applications that are compatible on different types of devices.</p>
69 *
70 * <p>For more information about using resources, see the documentation about <a
71 * href="{@docRoot}guide/topics/resources/index.html">Application Resources</a>.</p>
72 */
73public class Resources {
74    static final String TAG = "Resources";
75
76    private static final boolean DEBUG_LOAD = false;
77    private static final boolean DEBUG_CONFIG = false;
78    private static final boolean TRACE_FOR_PRELOAD = false;
79    private static final boolean TRACE_FOR_MISS_PRELOAD = false;
80
81    private static final int LAYOUT_DIR_CONFIG = ActivityInfo.activityInfoConfigToNative(
82            ActivityInfo.CONFIG_LAYOUT_DIRECTION);
83
84    private static final int ID_OTHER = 0x01000004;
85
86    private static final Object sSync = new Object();
87
88    // Information about preloaded resources.  Note that they are not
89    // protected by a lock, because while preloading in zygote we are all
90    // single-threaded, and after that these are immutable.
91    private static final LongSparseArray<ConstantState>[] sPreloadedDrawables;
92    private static final LongSparseArray<ConstantState> sPreloadedColorDrawables
93            = new LongSparseArray<ConstantState>();
94    private static final LongSparseArray<ColorStateList> sPreloadedColorStateLists
95            = new LongSparseArray<ColorStateList>();
96
97    // Used by BridgeResources in layoutlib
98    static Resources mSystem = null;
99
100    private static boolean sPreloaded;
101    private static int sPreloadedDensity;
102
103    // These are protected by mAccessLock.
104    private final Object mAccessLock = new Object();
105    private final Configuration mTmpConfig = new Configuration();
106    private final ThemedCaches<ConstantState> mDrawableCache =
107            new ThemedCaches<ConstantState>();
108    private final ThemedCaches<ConstantState> mColorDrawableCache =
109            new ThemedCaches<ConstantState>();
110    private final LongSparseArray<WeakReference<ColorStateList>> mColorStateListCache =
111            new LongSparseArray<WeakReference<ColorStateList>>();
112
113    private TypedValue mTmpValue = new TypedValue();
114    private boolean mPreloading;
115
116    private TypedArray mCachedStyledAttributes = null;
117
118    private int mLastCachedXmlBlockIndex = -1;
119    private final int[] mCachedXmlBlockIds = { 0, 0, 0, 0 };
120    private final XmlBlock[] mCachedXmlBlocks = new XmlBlock[4];
121
122    private final AssetManager mAssets;
123    private final Configuration mConfiguration = new Configuration();
124    private final DisplayMetrics mMetrics = new DisplayMetrics();
125    private NativePluralRules mPluralRule;
126
127    private CompatibilityInfo mCompatibilityInfo = CompatibilityInfo.DEFAULT_COMPATIBILITY_INFO;
128
129    @SuppressWarnings("unused")
130    private WeakReference<IBinder> mToken;
131
132    static {
133        sPreloadedDrawables = new LongSparseArray[2];
134        sPreloadedDrawables[0] = new LongSparseArray<ConstantState>();
135        sPreloadedDrawables[1] = new LongSparseArray<ConstantState>();
136    }
137
138    /**
139     * Returns the most appropriate default theme for the specified target SDK version.
140     * <ul>
141     * <li>Below API 11: Gingerbread
142     * <li>APIs 11 thru 14: Holo
143     * <li>APIs 14 thru XX: Device default dark
144     * <li>API XX and above: Device default light with dark action bar
145     * </ul>
146     *
147     * @param curTheme The current theme, or 0 if not specified.
148     * @param targetSdkVersion The target SDK version.
149     * @return A theme resource identifier
150     * @hide
151     */
152    public static int selectDefaultTheme(int curTheme, int targetSdkVersion) {
153        return selectSystemTheme(curTheme, targetSdkVersion,
154                com.android.internal.R.style.Theme,
155                com.android.internal.R.style.Theme_Holo,
156                com.android.internal.R.style.Theme_DeviceDefault,
157                com.android.internal.R.style.Theme_DeviceDefault_Light_DarkActionBar);
158    }
159
160    /** @hide */
161    public static int selectSystemTheme(int curTheme, int targetSdkVersion, int orig, int holo,
162            int dark, int deviceDefault) {
163        if (curTheme != 0) {
164            return curTheme;
165        }
166        if (targetSdkVersion < Build.VERSION_CODES.HONEYCOMB) {
167            return orig;
168        }
169        if (targetSdkVersion < Build.VERSION_CODES.ICE_CREAM_SANDWICH) {
170            return holo;
171        }
172        if (targetSdkVersion < Build.VERSION_CODES.CUR_DEVELOPMENT) {
173            return dark;
174        }
175        return deviceDefault;
176    }
177
178    /**
179     * This exception is thrown by the resource APIs when a requested resource
180     * can not be found.
181     */
182    public static class NotFoundException extends RuntimeException {
183        public NotFoundException() {
184        }
185
186        public NotFoundException(String name) {
187            super(name);
188        }
189    }
190
191    /**
192     * Create a new Resources object on top of an existing set of assets in an
193     * AssetManager.
194     *
195     * @param assets Previously created AssetManager.
196     * @param metrics Current display metrics to consider when
197     *                selecting/computing resource values.
198     * @param config Desired device configuration to consider when
199     *               selecting/computing resource values (optional).
200     */
201    public Resources(AssetManager assets, DisplayMetrics metrics, Configuration config) {
202        this(assets, metrics, config, CompatibilityInfo.DEFAULT_COMPATIBILITY_INFO, null);
203    }
204
205    /**
206     * Creates a new Resources object with CompatibilityInfo.
207     *
208     * @param assets Previously created AssetManager.
209     * @param metrics Current display metrics to consider when
210     *                selecting/computing resource values.
211     * @param config Desired device configuration to consider when
212     *               selecting/computing resource values (optional).
213     * @param compatInfo this resource's compatibility info. Must not be null.
214     * @param token The Activity token for determining stack affiliation. Usually null.
215     * @hide
216     */
217    public Resources(AssetManager assets, DisplayMetrics metrics, Configuration config,
218            CompatibilityInfo compatInfo, IBinder token) {
219        mAssets = assets;
220        mMetrics.setToDefaults();
221        if (compatInfo != null) {
222            mCompatibilityInfo = compatInfo;
223        }
224        mToken = new WeakReference<IBinder>(token);
225        updateConfiguration(config, metrics);
226        assets.ensureStringBlocks();
227    }
228
229    /**
230     * Return a global shared Resources object that provides access to only
231     * system resources (no application resources), and is not configured for
232     * the current screen (can not use dimension units, does not change based
233     * on orientation, etc).
234     */
235    public static Resources getSystem() {
236        synchronized (sSync) {
237            Resources ret = mSystem;
238            if (ret == null) {
239                ret = new Resources();
240                mSystem = ret;
241            }
242
243            return ret;
244        }
245    }
246
247    /**
248     * Return the string value associated with a particular resource ID.  The
249     * returned object will be a String if this is a plain string; it will be
250     * some other type of CharSequence if it is styled.
251     * {@more}
252     *
253     * @param id The desired resource identifier, as generated by the aapt
254     *           tool. This integer encodes the package, type, and resource
255     *           entry. The value 0 is an invalid identifier.
256     *
257     * @throws NotFoundException Throws NotFoundException if the given ID does not exist.
258     *
259     * @return CharSequence The string data associated with the resource, plus
260     *         possibly styled text information.
261     */
262    public CharSequence getText(int id) throws NotFoundException {
263        CharSequence res = mAssets.getResourceText(id);
264        if (res != null) {
265            return res;
266        }
267        throw new NotFoundException("String resource ID #0x"
268                                    + Integer.toHexString(id));
269    }
270
271    /**
272     * Returns the character sequence necessary for grammatically correct pluralization
273     * of the given resource ID for the given quantity.
274     * Note that the character sequence is selected based solely on grammatical necessity,
275     * and that such rules differ between languages. Do not assume you know which string
276     * will be returned for a given quantity. See
277     * <a href="{@docRoot}guide/topics/resources/string-resource.html#Plurals">String Resources</a>
278     * for more detail.
279     *
280     * @param id The desired resource identifier, as generated by the aapt
281     *           tool. This integer encodes the package, type, and resource
282     *           entry. The value 0 is an invalid identifier.
283     * @param quantity The number used to get the correct string for the current language's
284     *           plural rules.
285     *
286     * @throws NotFoundException Throws NotFoundException if the given ID does not exist.
287     *
288     * @return CharSequence The string data associated with the resource, plus
289     *         possibly styled text information.
290     */
291    public CharSequence getQuantityText(int id, int quantity) throws NotFoundException {
292        NativePluralRules rule = getPluralRule();
293        CharSequence res = mAssets.getResourceBagText(id,
294                attrForQuantityCode(rule.quantityForInt(quantity)));
295        if (res != null) {
296            return res;
297        }
298        res = mAssets.getResourceBagText(id, ID_OTHER);
299        if (res != null) {
300            return res;
301        }
302        throw new NotFoundException("Plural resource ID #0x" + Integer.toHexString(id)
303                + " quantity=" + quantity
304                + " item=" + stringForQuantityCode(rule.quantityForInt(quantity)));
305    }
306
307    private NativePluralRules getPluralRule() {
308        synchronized (sSync) {
309            if (mPluralRule == null) {
310                mPluralRule = NativePluralRules.forLocale(mConfiguration.locale);
311            }
312            return mPluralRule;
313        }
314    }
315
316    private static int attrForQuantityCode(int quantityCode) {
317        switch (quantityCode) {
318            case NativePluralRules.ZERO: return 0x01000005;
319            case NativePluralRules.ONE:  return 0x01000006;
320            case NativePluralRules.TWO:  return 0x01000007;
321            case NativePluralRules.FEW:  return 0x01000008;
322            case NativePluralRules.MANY: return 0x01000009;
323            default:                     return ID_OTHER;
324        }
325    }
326
327    private static String stringForQuantityCode(int quantityCode) {
328        switch (quantityCode) {
329            case NativePluralRules.ZERO: return "zero";
330            case NativePluralRules.ONE:  return "one";
331            case NativePluralRules.TWO:  return "two";
332            case NativePluralRules.FEW:  return "few";
333            case NativePluralRules.MANY: return "many";
334            default:                     return "other";
335        }
336    }
337
338    /**
339     * Return the string value associated with a particular resource ID.  It
340     * will be stripped of any styled text information.
341     * {@more}
342     *
343     * @param id The desired resource identifier, as generated by the aapt
344     *           tool. This integer encodes the package, type, and resource
345     *           entry. The value 0 is an invalid identifier.
346     *
347     * @throws NotFoundException Throws NotFoundException if the given ID does not exist.
348     *
349     * @return String The string data associated with the resource,
350     * stripped of styled text information.
351     */
352    public String getString(int id) throws NotFoundException {
353        CharSequence res = getText(id);
354        if (res != null) {
355            return res.toString();
356        }
357        throw new NotFoundException("String resource ID #0x"
358                                    + Integer.toHexString(id));
359    }
360
361
362    /**
363     * Return the string value associated with a particular resource ID,
364     * substituting the format arguments as defined in {@link java.util.Formatter}
365     * and {@link java.lang.String#format}. It will be stripped of any styled text
366     * information.
367     * {@more}
368     *
369     * @param id The desired resource identifier, as generated by the aapt
370     *           tool. This integer encodes the package, type, and resource
371     *           entry. The value 0 is an invalid identifier.
372     *
373     * @param formatArgs The format arguments that will be used for substitution.
374     *
375     * @throws NotFoundException Throws NotFoundException if the given ID does not exist.
376     *
377     * @return String The string data associated with the resource,
378     * stripped of styled text information.
379     */
380    public String getString(int id, Object... formatArgs) throws NotFoundException {
381        String raw = getString(id);
382        return String.format(mConfiguration.locale, raw, formatArgs);
383    }
384
385    /**
386     * Formats the string necessary for grammatically correct pluralization
387     * of the given resource ID for the given quantity, using the given arguments.
388     * Note that the string is selected based solely on grammatical necessity,
389     * and that such rules differ between languages. Do not assume you know which string
390     * will be returned for a given quantity. See
391     * <a href="{@docRoot}guide/topics/resources/string-resource.html#Plurals">String Resources</a>
392     * for more detail.
393     *
394     * <p>Substitution of format arguments works as if using
395     * {@link java.util.Formatter} and {@link java.lang.String#format}.
396     * The resulting string will be stripped of any styled text information.
397     *
398     * @param id The desired resource identifier, as generated by the aapt
399     *           tool. This integer encodes the package, type, and resource
400     *           entry. The value 0 is an invalid identifier.
401     * @param quantity The number used to get the correct string for the current language's
402     *           plural rules.
403     * @param formatArgs The format arguments that will be used for substitution.
404     *
405     * @throws NotFoundException Throws NotFoundException if the given ID does not exist.
406     *
407     * @return String The string data associated with the resource,
408     * stripped of styled text information.
409     */
410    public String getQuantityString(int id, int quantity, Object... formatArgs)
411            throws NotFoundException {
412        String raw = getQuantityText(id, quantity).toString();
413        return String.format(mConfiguration.locale, raw, formatArgs);
414    }
415
416    /**
417     * Returns the string necessary for grammatically correct pluralization
418     * of the given resource ID for the given quantity.
419     * Note that the string is selected based solely on grammatical necessity,
420     * and that such rules differ between languages. Do not assume you know which string
421     * will be returned for a given quantity. See
422     * <a href="{@docRoot}guide/topics/resources/string-resource.html#Plurals">String Resources</a>
423     * for more detail.
424     *
425     * @param id The desired resource identifier, as generated by the aapt
426     *           tool. This integer encodes the package, type, and resource
427     *           entry. The value 0 is an invalid identifier.
428     * @param quantity The number used to get the correct string for the current language's
429     *           plural rules.
430     *
431     * @throws NotFoundException Throws NotFoundException if the given ID does not exist.
432     *
433     * @return String The string data associated with the resource,
434     * stripped of styled text information.
435     */
436    public String getQuantityString(int id, int quantity) throws NotFoundException {
437        return getQuantityText(id, quantity).toString();
438    }
439
440    /**
441     * Return the string value associated with a particular resource ID.  The
442     * returned object will be a String if this is a plain string; it will be
443     * some other type of CharSequence if it is styled.
444     *
445     * @param id The desired resource identifier, as generated by the aapt
446     *           tool. This integer encodes the package, type, and resource
447     *           entry. The value 0 is an invalid identifier.
448     *
449     * @param def The default CharSequence to return.
450     *
451     * @return CharSequence The string data associated with the resource, plus
452     *         possibly styled text information, or def if id is 0 or not found.
453     */
454    public CharSequence getText(int id, CharSequence def) {
455        CharSequence res = id != 0 ? mAssets.getResourceText(id) : null;
456        return res != null ? res : def;
457    }
458
459    /**
460     * Return the styled text array associated with a particular resource ID.
461     *
462     * @param id The desired resource identifier, as generated by the aapt
463     *           tool. This integer encodes the package, type, and resource
464     *           entry. The value 0 is an invalid identifier.
465     *
466     * @throws NotFoundException Throws NotFoundException if the given ID does not exist.
467     *
468     * @return The styled text array associated with the resource.
469     */
470    public CharSequence[] getTextArray(int id) throws NotFoundException {
471        CharSequence[] res = mAssets.getResourceTextArray(id);
472        if (res != null) {
473            return res;
474        }
475        throw new NotFoundException("Text array resource ID #0x"
476                                    + Integer.toHexString(id));
477    }
478
479    /**
480     * Return the string array associated with a particular resource ID.
481     *
482     * @param id The desired resource identifier, as generated by the aapt
483     *           tool. This integer encodes the package, type, and resource
484     *           entry. The value 0 is an invalid identifier.
485     *
486     * @throws NotFoundException Throws NotFoundException if the given ID does not exist.
487     *
488     * @return The string array associated with the resource.
489     */
490    public String[] getStringArray(int id) throws NotFoundException {
491        String[] res = mAssets.getResourceStringArray(id);
492        if (res != null) {
493            return res;
494        }
495        throw new NotFoundException("String array resource ID #0x"
496                                    + Integer.toHexString(id));
497    }
498
499    /**
500     * Return the int array associated with a particular resource ID.
501     *
502     * @param id The desired resource identifier, as generated by the aapt
503     *           tool. This integer encodes the package, type, and resource
504     *           entry. The value 0 is an invalid identifier.
505     *
506     * @throws NotFoundException Throws NotFoundException if the given ID does not exist.
507     *
508     * @return The int array associated with the resource.
509     */
510    public int[] getIntArray(int id) throws NotFoundException {
511        int[] res = mAssets.getArrayIntResource(id);
512        if (res != null) {
513            return res;
514        }
515        throw new NotFoundException("Int array resource ID #0x"
516                                    + Integer.toHexString(id));
517    }
518
519    /**
520     * Return an array of heterogeneous values.
521     *
522     * @param id The desired resource identifier, as generated by the aapt
523     *           tool. This integer encodes the package, type, and resource
524     *           entry. The value 0 is an invalid identifier.
525     *
526     * @throws NotFoundException Throws NotFoundException if the given ID does not exist.
527     *
528     * @return Returns a TypedArray holding an array of the array values.
529     * Be sure to call {@link TypedArray#recycle() TypedArray.recycle()}
530     * when done with it.
531     */
532    public TypedArray obtainTypedArray(int id) throws NotFoundException {
533        int len = mAssets.getArraySize(id);
534        if (len < 0) {
535            throw new NotFoundException("Array resource ID #0x"
536                                        + Integer.toHexString(id));
537        }
538
539        TypedArray array = TypedArray.obtain(this, len);
540        array.mLength = mAssets.retrieveArray(id, array.mData);
541        array.mIndices[0] = 0;
542
543        return array;
544    }
545
546    /**
547     * Retrieve a dimensional for a particular resource ID.  Unit
548     * conversions are based on the current {@link DisplayMetrics} associated
549     * with the resources.
550     *
551     * @param id The desired resource identifier, as generated by the aapt
552     *           tool. This integer encodes the package, type, and resource
553     *           entry. The value 0 is an invalid identifier.
554     *
555     * @return Resource dimension value multiplied by the appropriate
556     * metric.
557     *
558     * @throws NotFoundException Throws NotFoundException if the given ID does not exist.
559     *
560     * @see #getDimensionPixelOffset
561     * @see #getDimensionPixelSize
562     */
563    public float getDimension(int id) throws NotFoundException {
564        synchronized (mAccessLock) {
565            TypedValue value = mTmpValue;
566            if (value == null) {
567                mTmpValue = value = new TypedValue();
568            }
569            getValue(id, value, true);
570            if (value.type == TypedValue.TYPE_DIMENSION) {
571                return TypedValue.complexToDimension(value.data, mMetrics);
572            }
573            throw new NotFoundException(
574                    "Resource ID #0x" + Integer.toHexString(id) + " type #0x"
575                    + Integer.toHexString(value.type) + " is not valid");
576        }
577    }
578
579    /**
580     * Retrieve a dimensional for a particular resource ID for use
581     * as an offset in raw pixels.  This is the same as
582     * {@link #getDimension}, except the returned value is converted to
583     * integer pixels for you.  An offset conversion involves simply
584     * truncating the base value to an integer.
585     *
586     * @param id The desired resource identifier, as generated by the aapt
587     *           tool. This integer encodes the package, type, and resource
588     *           entry. The value 0 is an invalid identifier.
589     *
590     * @return Resource dimension value multiplied by the appropriate
591     * metric and truncated to integer pixels.
592     *
593     * @throws NotFoundException Throws NotFoundException if the given ID does not exist.
594     *
595     * @see #getDimension
596     * @see #getDimensionPixelSize
597     */
598    public int getDimensionPixelOffset(int id) throws NotFoundException {
599        synchronized (mAccessLock) {
600            TypedValue value = mTmpValue;
601            if (value == null) {
602                mTmpValue = value = new TypedValue();
603            }
604            getValue(id, value, true);
605            if (value.type == TypedValue.TYPE_DIMENSION) {
606                return TypedValue.complexToDimensionPixelOffset(
607                        value.data, mMetrics);
608            }
609            throw new NotFoundException(
610                    "Resource ID #0x" + Integer.toHexString(id) + " type #0x"
611                    + Integer.toHexString(value.type) + " is not valid");
612        }
613    }
614
615    /**
616     * Retrieve a dimensional for a particular resource ID for use
617     * as a size in raw pixels.  This is the same as
618     * {@link #getDimension}, except the returned value is converted to
619     * integer pixels for use as a size.  A size conversion involves
620     * rounding the base value, and ensuring that a non-zero base value
621     * is at least one pixel in size.
622     *
623     * @param id The desired resource identifier, as generated by the aapt
624     *           tool. This integer encodes the package, type, and resource
625     *           entry. The value 0 is an invalid identifier.
626     *
627     * @return Resource dimension value multiplied by the appropriate
628     * metric and truncated to integer pixels.
629     *
630     * @throws NotFoundException Throws NotFoundException if the given ID does not exist.
631     *
632     * @see #getDimension
633     * @see #getDimensionPixelOffset
634     */
635    public int getDimensionPixelSize(int id) throws NotFoundException {
636        synchronized (mAccessLock) {
637            TypedValue value = mTmpValue;
638            if (value == null) {
639                mTmpValue = value = new TypedValue();
640            }
641            getValue(id, value, true);
642            if (value.type == TypedValue.TYPE_DIMENSION) {
643                return TypedValue.complexToDimensionPixelSize(
644                        value.data, mMetrics);
645            }
646            throw new NotFoundException(
647                    "Resource ID #0x" + Integer.toHexString(id) + " type #0x"
648                    + Integer.toHexString(value.type) + " is not valid");
649        }
650    }
651
652    /**
653     * Retrieve a fractional unit for a particular resource ID.
654     *
655     * @param id The desired resource identifier, as generated by the aapt
656     *           tool. This integer encodes the package, type, and resource
657     *           entry. The value 0 is an invalid identifier.
658     * @param base The base value of this fraction.  In other words, a
659     *             standard fraction is multiplied by this value.
660     * @param pbase The parent base value of this fraction.  In other
661     *             words, a parent fraction (nn%p) is multiplied by this
662     *             value.
663     *
664     * @return Attribute fractional value multiplied by the appropriate
665     * base value.
666     *
667     * @throws NotFoundException Throws NotFoundException if the given ID does not exist.
668     */
669    public float getFraction(int id, int base, int pbase) {
670        synchronized (mAccessLock) {
671            TypedValue value = mTmpValue;
672            if (value == null) {
673                mTmpValue = value = new TypedValue();
674            }
675            getValue(id, value, true);
676            if (value.type == TypedValue.TYPE_FRACTION) {
677                return TypedValue.complexToFraction(value.data, base, pbase);
678            }
679            throw new NotFoundException(
680                    "Resource ID #0x" + Integer.toHexString(id) + " type #0x"
681                    + Integer.toHexString(value.type) + " is not valid");
682        }
683    }
684
685    /**
686     * Return a drawable object associated with a particular resource ID.
687     * Various types of objects will be returned depending on the underlying
688     * resource -- for example, a solid color, PNG image, scalable image, etc.
689     * The Drawable API hides these implementation details.
690     *
691     * <p class="note"><strong>Note:</strong> Prior to
692     * {@link android.os.Build.VERSION_CODES#JELLY_BEAN}, this function
693     * would not correctly retrieve the final configuration density when
694     * the resource ID passed here is an alias to another Drawable resource.
695     * This means that if the density configuration of the alias resource
696     * is different than the actual resource, the density of the returned
697     * Drawable would be incorrect, resulting in bad scaling.  To work
698     * around this, you can instead retrieve the Drawable through
699     * {@link TypedArray#getDrawable TypedArray.getDrawable}.  Use
700     * {@link android.content.Context#obtainStyledAttributes(int[])
701     * Context.obtainStyledAttributes} with
702     * an array containing the resource ID of interest to create the TypedArray.</p>
703     *
704     * @param id The desired resource identifier, as generated by the aapt
705     *           tool. This integer encodes the package, type, and resource
706     *           entry. The value 0 is an invalid identifier.
707     * @return Drawable An object that can be used to draw this resource.
708     * @throws NotFoundException Throws NotFoundException if the given ID does
709     *         not exist.
710     */
711    public Drawable getDrawable(int id) throws NotFoundException {
712        return getDrawable(id, null);
713    }
714
715    /**
716     * Return a drawable object associated with a particular resource ID and
717     * styled for the specified theme.
718     *
719     * @param id The desired resource identifier, as generated by the aapt
720     *           tool. This integer encodes the package, type, and resource
721     *           entry. The value 0 is an invalid identifier.
722     * @param theme The theme used to style the drawable attributes.
723     * @return Drawable An object that can be used to draw this resource.
724     * @throws NotFoundException Throws NotFoundException if the given ID does
725     *         not exist.
726     */
727    public Drawable getDrawable(int id, Theme theme) throws NotFoundException {
728        TypedValue value;
729        synchronized (mAccessLock) {
730            value = mTmpValue;
731            if (value == null) {
732                value = new TypedValue();
733            } else {
734                mTmpValue = null;
735            }
736            getValue(id, value, true);
737        }
738        final Drawable res = loadDrawable(value, id, theme);
739        synchronized (mAccessLock) {
740            if (mTmpValue == null) {
741                mTmpValue = value;
742            }
743        }
744        return res;
745    }
746
747    /**
748     * Return a drawable object associated with a particular resource ID for the
749     * given screen density in DPI. This will set the drawable's density to be
750     * the device's density multiplied by the ratio of actual drawable density
751     * to requested density. This allows the drawable to be scaled up to the
752     * correct size if needed. Various types of objects will be returned
753     * depending on the underlying resource -- for example, a solid color, PNG
754     * image, scalable image, etc. The Drawable API hides these implementation
755     * details.
756     *
757     * @param id The desired resource identifier, as generated by the aapt tool.
758     *            This integer encodes the package, type, and resource entry.
759     *            The value 0 is an invalid identifier.
760     * @param density the desired screen density indicated by the resource as
761     *            found in {@link DisplayMetrics}.
762     * @return Drawable An object that can be used to draw this resource.
763     * @throws NotFoundException Throws NotFoundException if the given ID does
764     *             not exist.
765     * @see #getDrawableForDensity(int, int, Theme)
766     */
767    public Drawable getDrawableForDensity(int id, int density) throws NotFoundException {
768        return getDrawableForDensity(id, density, null);
769    }
770
771    /**
772     * Return a drawable object associated with a particular resource ID for the
773     * given screen density in DPI and styled for the specified theme.
774     *
775     * @param id The desired resource identifier, as generated by the aapt tool.
776     *            This integer encodes the package, type, and resource entry.
777     *            The value 0 is an invalid identifier.
778     * @param density The desired screen density indicated by the resource as
779     *            found in {@link DisplayMetrics}.
780     * @param theme The theme used to style the drawable attributes.
781     * @return Drawable An object that can be used to draw this resource.
782     * @throws NotFoundException Throws NotFoundException if the given ID does
783     *             not exist.
784     */
785    public Drawable getDrawableForDensity(int id, int density, Theme theme) {
786        TypedValue value;
787        synchronized (mAccessLock) {
788            value = mTmpValue;
789            if (value == null) {
790                value = new TypedValue();
791            } else {
792                mTmpValue = null;
793            }
794            getValueForDensity(id, density, value, true);
795
796            /*
797             * Pretend the requested density is actually the display density. If
798             * the drawable returned is not the requested density, then force it
799             * to be scaled later by dividing its density by the ratio of
800             * requested density to actual device density. Drawables that have
801             * undefined density or no density don't need to be handled here.
802             */
803            if (value.density > 0 && value.density != TypedValue.DENSITY_NONE) {
804                if (value.density == density) {
805                    value.density = mMetrics.densityDpi;
806                } else {
807                    value.density = (value.density * mMetrics.densityDpi) / density;
808                }
809            }
810        }
811
812        final Drawable res = loadDrawable(value, id, theme);
813        synchronized (mAccessLock) {
814            if (mTmpValue == null) {
815                mTmpValue = value;
816            }
817        }
818        return res;
819    }
820
821    /**
822     * Return a movie object associated with the particular resource ID.
823     * @param id The desired resource identifier, as generated by the aapt
824     *           tool. This integer encodes the package, type, and resource
825     *           entry. The value 0 is an invalid identifier.
826     * @throws NotFoundException Throws NotFoundException if the given ID does not exist.
827     *
828     */
829    public Movie getMovie(int id) throws NotFoundException {
830        InputStream is = openRawResource(id);
831        Movie movie = Movie.decodeStream(is);
832        try {
833            is.close();
834        }
835        catch (java.io.IOException e) {
836            // don't care, since the return value is valid
837        }
838        return movie;
839    }
840
841    /**
842     * Return a color integer associated with a particular resource ID.
843     * If the resource holds a complex
844     * {@link android.content.res.ColorStateList}, then the default color from
845     * the set is returned.
846     *
847     * @param id The desired resource identifier, as generated by the aapt
848     *           tool. This integer encodes the package, type, and resource
849     *           entry. The value 0 is an invalid identifier.
850     *
851     * @throws NotFoundException Throws NotFoundException if the given ID does not exist.
852     *
853     * @return Returns a single color value in the form 0xAARRGGBB.
854     */
855    public int getColor(int id) throws NotFoundException {
856        TypedValue value;
857        synchronized (mAccessLock) {
858            value = mTmpValue;
859            if (value == null) {
860                value = new TypedValue();
861            }
862            getValue(id, value, true);
863            if (value.type >= TypedValue.TYPE_FIRST_INT
864                && value.type <= TypedValue.TYPE_LAST_INT) {
865                mTmpValue = value;
866                return value.data;
867            } else if (value.type != TypedValue.TYPE_STRING) {
868                throw new NotFoundException(
869                    "Resource ID #0x" + Integer.toHexString(id) + " type #0x"
870                    + Integer.toHexString(value.type) + " is not valid");
871            }
872            mTmpValue = null;
873        }
874        ColorStateList csl = loadColorStateList(value, id);
875        synchronized (mAccessLock) {
876            if (mTmpValue == null) {
877                mTmpValue = value;
878            }
879        }
880        return csl.getDefaultColor();
881    }
882
883    /**
884     * Return a color state list associated with a particular resource ID.  The
885     * resource may contain either a single raw color value, or a complex
886     * {@link android.content.res.ColorStateList} holding multiple possible colors.
887     *
888     * @param id The desired resource identifier of a {@link ColorStateList},
889     *        as generated by the aapt tool. This integer encodes the package, type, and resource
890     *        entry. The value 0 is an invalid identifier.
891     *
892     * @throws NotFoundException Throws NotFoundException if the given ID does not exist.
893     *
894     * @return Returns a ColorStateList object containing either a single
895     * solid color or multiple colors that can be selected based on a state.
896     */
897    public ColorStateList getColorStateList(int id) throws NotFoundException {
898        TypedValue value;
899        synchronized (mAccessLock) {
900            value = mTmpValue;
901            if (value == null) {
902                value = new TypedValue();
903            } else {
904                mTmpValue = null;
905            }
906            getValue(id, value, true);
907        }
908        ColorStateList res = loadColorStateList(value, id);
909        synchronized (mAccessLock) {
910            if (mTmpValue == null) {
911                mTmpValue = value;
912            }
913        }
914        return res;
915    }
916
917    /**
918     * Return a boolean associated with a particular resource ID.  This can be
919     * used with any integral resource value, and will return true if it is
920     * non-zero.
921     *
922     * @param id The desired resource identifier, as generated by the aapt
923     *           tool. This integer encodes the package, type, and resource
924     *           entry. The value 0 is an invalid identifier.
925     *
926     * @throws NotFoundException Throws NotFoundException if the given ID does not exist.
927     *
928     * @return Returns the boolean value contained in the resource.
929     */
930    public boolean getBoolean(int id) throws NotFoundException {
931        synchronized (mAccessLock) {
932            TypedValue value = mTmpValue;
933            if (value == null) {
934                mTmpValue = value = new TypedValue();
935            }
936            getValue(id, value, true);
937            if (value.type >= TypedValue.TYPE_FIRST_INT
938                && value.type <= TypedValue.TYPE_LAST_INT) {
939                return value.data != 0;
940            }
941            throw new NotFoundException(
942                "Resource ID #0x" + Integer.toHexString(id) + " type #0x"
943                + Integer.toHexString(value.type) + " is not valid");
944        }
945    }
946
947    /**
948     * Return an integer associated with a particular resource ID.
949     *
950     * @param id The desired resource identifier, as generated by the aapt
951     *           tool. This integer encodes the package, type, and resource
952     *           entry. The value 0 is an invalid identifier.
953     *
954     * @throws NotFoundException Throws NotFoundException if the given ID does not exist.
955     *
956     * @return Returns the integer value contained in the resource.
957     */
958    public int getInteger(int id) throws NotFoundException {
959        synchronized (mAccessLock) {
960            TypedValue value = mTmpValue;
961            if (value == null) {
962                mTmpValue = value = new TypedValue();
963            }
964            getValue(id, value, true);
965            if (value.type >= TypedValue.TYPE_FIRST_INT
966                && value.type <= TypedValue.TYPE_LAST_INT) {
967                return value.data;
968            }
969            throw new NotFoundException(
970                "Resource ID #0x" + Integer.toHexString(id) + " type #0x"
971                + Integer.toHexString(value.type) + " is not valid");
972        }
973    }
974
975    /**
976     * Return an XmlResourceParser through which you can read a view layout
977     * description for the given resource ID.  This parser has limited
978     * functionality -- in particular, you can't change its input, and only
979     * the high-level events are available.
980     *
981     * <p>This function is really a simple wrapper for calling
982     * {@link #getXml} with a layout resource.
983     *
984     * @param id The desired resource identifier, as generated by the aapt
985     *           tool. This integer encodes the package, type, and resource
986     *           entry. The value 0 is an invalid identifier.
987     *
988     * @throws NotFoundException Throws NotFoundException if the given ID does not exist.
989     *
990     * @return A new parser object through which you can read
991     *         the XML data.
992     *
993     * @see #getXml
994     */
995    public XmlResourceParser getLayout(int id) throws NotFoundException {
996        return loadXmlResourceParser(id, "layout");
997    }
998
999    /**
1000     * Return an XmlResourceParser through which you can read an animation
1001     * description for the given resource ID.  This parser has limited
1002     * functionality -- in particular, you can't change its input, and only
1003     * the high-level events are available.
1004     *
1005     * <p>This function is really a simple wrapper for calling
1006     * {@link #getXml} with an animation resource.
1007     *
1008     * @param id The desired resource identifier, as generated by the aapt
1009     *           tool. This integer encodes the package, type, and resource
1010     *           entry. The value 0 is an invalid identifier.
1011     *
1012     * @throws NotFoundException Throws NotFoundException if the given ID does not exist.
1013     *
1014     * @return A new parser object through which you can read
1015     *         the XML data.
1016     *
1017     * @see #getXml
1018     */
1019    public XmlResourceParser getAnimation(int id) throws NotFoundException {
1020        return loadXmlResourceParser(id, "anim");
1021    }
1022
1023    /**
1024     * Return an XmlResourceParser through which you can read a generic XML
1025     * resource for the given resource ID.
1026     *
1027     * <p>The XmlPullParser implementation returned here has some limited
1028     * functionality.  In particular, you can't change its input, and only
1029     * high-level parsing events are available (since the document was
1030     * pre-parsed for you at build time, which involved merging text and
1031     * stripping comments).
1032     *
1033     * @param id The desired resource identifier, as generated by the aapt
1034     *           tool. This integer encodes the package, type, and resource
1035     *           entry. The value 0 is an invalid identifier.
1036     *
1037     * @throws NotFoundException Throws NotFoundException if the given ID does not exist.
1038     *
1039     * @return A new parser object through which you can read
1040     *         the XML data.
1041     *
1042     * @see android.util.AttributeSet
1043     */
1044    public XmlResourceParser getXml(int id) throws NotFoundException {
1045        return loadXmlResourceParser(id, "xml");
1046    }
1047
1048    /**
1049     * Open a data stream for reading a raw resource.  This can only be used
1050     * with resources whose value is the name of an asset files -- that is, it can be
1051     * used to open drawable, sound, and raw resources; it will fail on string
1052     * and color resources.
1053     *
1054     * @param id The resource identifier to open, as generated by the appt
1055     *           tool.
1056     *
1057     * @return InputStream Access to the resource data.
1058     *
1059     * @throws NotFoundException Throws NotFoundException if the given ID does not exist.
1060     *
1061     */
1062    public InputStream openRawResource(int id) throws NotFoundException {
1063        TypedValue value;
1064        synchronized (mAccessLock) {
1065            value = mTmpValue;
1066            if (value == null) {
1067                value = new TypedValue();
1068            } else {
1069                mTmpValue = null;
1070            }
1071        }
1072        InputStream res = openRawResource(id, value);
1073        synchronized (mAccessLock) {
1074            if (mTmpValue == null) {
1075                mTmpValue = value;
1076            }
1077        }
1078        return res;
1079    }
1080
1081    /**
1082     * Open a data stream for reading a raw resource.  This can only be used
1083     * with resources whose value is the name of an asset file -- that is, it can be
1084     * used to open drawable, sound, and raw resources; it will fail on string
1085     * and color resources.
1086     *
1087     * @param id The resource identifier to open, as generated by the appt tool.
1088     * @param value The TypedValue object to hold the resource information.
1089     *
1090     * @return InputStream Access to the resource data.
1091     *
1092     * @throws NotFoundException Throws NotFoundException if the given ID does not exist.
1093     */
1094    public InputStream openRawResource(int id, TypedValue value) throws NotFoundException {
1095        getValue(id, value, true);
1096
1097        try {
1098            return mAssets.openNonAsset(value.assetCookie, value.string.toString(),
1099                    AssetManager.ACCESS_STREAMING);
1100        } catch (Exception e) {
1101            NotFoundException rnf = new NotFoundException("File " + value.string.toString() +
1102                    " from drawable resource ID #0x" + Integer.toHexString(id));
1103            rnf.initCause(e);
1104            throw rnf;
1105        }
1106    }
1107
1108    /**
1109     * Open a file descriptor for reading a raw resource.  This can only be used
1110     * with resources whose value is the name of an asset files -- that is, it can be
1111     * used to open drawable, sound, and raw resources; it will fail on string
1112     * and color resources.
1113     *
1114     * <p>This function only works for resources that are stored in the package
1115     * as uncompressed data, which typically includes things like mp3 files
1116     * and png images.
1117     *
1118     * @param id The resource identifier to open, as generated by the appt
1119     *           tool.
1120     *
1121     * @return AssetFileDescriptor A new file descriptor you can use to read
1122     * the resource.  This includes the file descriptor itself, as well as the
1123     * offset and length of data where the resource appears in the file.  A
1124     * null is returned if the file exists but is compressed.
1125     *
1126     * @throws NotFoundException Throws NotFoundException if the given ID does not exist.
1127     *
1128     */
1129    public AssetFileDescriptor openRawResourceFd(int id) throws NotFoundException {
1130        TypedValue value;
1131        synchronized (mAccessLock) {
1132            value = mTmpValue;
1133            if (value == null) {
1134                value = new TypedValue();
1135            } else {
1136                mTmpValue = null;
1137            }
1138            getValue(id, value, true);
1139        }
1140        try {
1141            return mAssets.openNonAssetFd(
1142                value.assetCookie, value.string.toString());
1143        } catch (Exception e) {
1144            NotFoundException rnf = new NotFoundException(
1145                "File " + value.string.toString()
1146                + " from drawable resource ID #0x"
1147                + Integer.toHexString(id));
1148            rnf.initCause(e);
1149            throw rnf;
1150        } finally {
1151            synchronized (mAccessLock) {
1152                if (mTmpValue == null) {
1153                    mTmpValue = value;
1154                }
1155            }
1156        }
1157    }
1158
1159    /**
1160     * Return the raw data associated with a particular resource ID.
1161     *
1162     * @param id The desired resource identifier, as generated by the aapt
1163     *           tool. This integer encodes the package, type, and resource
1164     *           entry. The value 0 is an invalid identifier.
1165     * @param outValue Object in which to place the resource data.
1166     * @param resolveRefs If true, a resource that is a reference to another
1167     *                    resource will be followed so that you receive the
1168     *                    actual final resource data.  If false, the TypedValue
1169     *                    will be filled in with the reference itself.
1170     *
1171     * @throws NotFoundException Throws NotFoundException if the given ID does not exist.
1172     *
1173     */
1174    public void getValue(int id, TypedValue outValue, boolean resolveRefs)
1175            throws NotFoundException {
1176        boolean found = mAssets.getResourceValue(id, 0, outValue, resolveRefs);
1177        if (found) {
1178            return;
1179        }
1180        throw new NotFoundException("Resource ID #0x"
1181                                    + Integer.toHexString(id));
1182    }
1183
1184    /**
1185     * Get the raw value associated with a resource with associated density.
1186     *
1187     * @param id resource identifier
1188     * @param density density in DPI
1189     * @param resolveRefs If true, a resource that is a reference to another
1190     *            resource will be followed so that you receive the actual final
1191     *            resource data. If false, the TypedValue will be filled in with
1192     *            the reference itself.
1193     * @throws NotFoundException Throws NotFoundException if the given ID does
1194     *             not exist.
1195     * @see #getValue(String, TypedValue, boolean)
1196     */
1197    public void getValueForDensity(int id, int density, TypedValue outValue, boolean resolveRefs)
1198            throws NotFoundException {
1199        boolean found = mAssets.getResourceValue(id, density, outValue, resolveRefs);
1200        if (found) {
1201            return;
1202        }
1203        throw new NotFoundException("Resource ID #0x" + Integer.toHexString(id));
1204    }
1205
1206    /**
1207     * Return the raw data associated with a particular resource ID.
1208     * See getIdentifier() for information on how names are mapped to resource
1209     * IDs, and getString(int) for information on how string resources are
1210     * retrieved.
1211     *
1212     * <p>Note: use of this function is discouraged.  It is much more
1213     * efficient to retrieve resources by identifier than by name.
1214     *
1215     * @param name The name of the desired resource.  This is passed to
1216     *             getIdentifier() with a default type of "string".
1217     * @param outValue Object in which to place the resource data.
1218     * @param resolveRefs If true, a resource that is a reference to another
1219     *                    resource will be followed so that you receive the
1220     *                    actual final resource data.  If false, the TypedValue
1221     *                    will be filled in with the reference itself.
1222     *
1223     * @throws NotFoundException Throws NotFoundException if the given ID does not exist.
1224     *
1225     */
1226    public void getValue(String name, TypedValue outValue, boolean resolveRefs)
1227            throws NotFoundException {
1228        int id = getIdentifier(name, "string", null);
1229        if (id != 0) {
1230            getValue(id, outValue, resolveRefs);
1231            return;
1232        }
1233        throw new NotFoundException("String resource name " + name);
1234    }
1235
1236    /**
1237     * This class holds the current attribute values for a particular theme.
1238     * In other words, a Theme is a set of values for resource attributes;
1239     * these are used in conjunction with {@link TypedArray}
1240     * to resolve the final value for an attribute.
1241     *
1242     * <p>The Theme's attributes come into play in two ways: (1) a styled
1243     * attribute can explicit reference a value in the theme through the
1244     * "?themeAttribute" syntax; (2) if no value has been defined for a
1245     * particular styled attribute, as a last resort we will try to find that
1246     * attribute's value in the Theme.
1247     *
1248     * <p>You will normally use the {@link #obtainStyledAttributes} APIs to
1249     * retrieve XML attributes with style and theme information applied.
1250     */
1251    public final class Theme {
1252        /**
1253         * Place new attribute values into the theme.  The style resource
1254         * specified by <var>resid</var> will be retrieved from this Theme's
1255         * resources, its values placed into the Theme object.
1256         *
1257         * <p>The semantics of this function depends on the <var>force</var>
1258         * argument:  If false, only values that are not already defined in
1259         * the theme will be copied from the system resource; otherwise, if
1260         * any of the style's attributes are already defined in the theme, the
1261         * current values in the theme will be overwritten.
1262         *
1263         * @param resid The resource ID of a style resource from which to
1264         *              obtain attribute values.
1265         * @param force If true, values in the style resource will always be
1266         *              used in the theme; otherwise, they will only be used
1267         *              if not already defined in the theme.
1268         */
1269        public void applyStyle(int resid, boolean force) {
1270            AssetManager.applyThemeStyle(mTheme, resid, force);
1271
1272            // TODO: In very rare cases, we may end up with a hybrid theme
1273            // that can't map to a single theme ID.
1274            mThemeResId = resid;
1275        }
1276
1277        /**
1278         * Set this theme to hold the same contents as the theme
1279         * <var>other</var>.  If both of these themes are from the same
1280         * Resources object, they will be identical after this function
1281         * returns.  If they are from different Resources, only the resources
1282         * they have in common will be set in this theme.
1283         *
1284         * @param other The existing Theme to copy from.
1285         */
1286        public void setTo(Theme other) {
1287            AssetManager.copyTheme(mTheme, other.mTheme);
1288
1289            mThemeResId = other.mThemeResId;
1290        }
1291
1292        /**
1293         * Return a TypedArray holding the values defined by
1294         * <var>Theme</var> which are listed in <var>attrs</var>.
1295         *
1296         * <p>Be sure to call {@link TypedArray#recycle() TypedArray.recycle()} when you are done
1297         * with the array.
1298         *
1299         * @param attrs The desired attributes.
1300         *
1301         * @throws NotFoundException Throws NotFoundException if the given ID does not exist.
1302         *
1303         * @return Returns a TypedArray holding an array of the attribute values.
1304         * Be sure to call {@link TypedArray#recycle() TypedArray.recycle()}
1305         * when done with it.
1306         *
1307         * @see Resources#obtainAttributes
1308         * @see #obtainStyledAttributes(int, int[])
1309         * @see #obtainStyledAttributes(AttributeSet, int[], int, int)
1310         */
1311        public TypedArray obtainStyledAttributes(int[] attrs) {
1312            final int len = attrs.length;
1313            final TypedArray array = TypedArray.obtain(Resources.this, len);
1314            array.mTheme = this;
1315            AssetManager.applyStyle(mTheme, 0, 0, 0, attrs, array.mData, array.mIndices);
1316            return array;
1317        }
1318
1319        /**
1320         * Return a TypedArray holding the values defined by the style
1321         * resource <var>resid</var> which are listed in <var>attrs</var>.
1322         *
1323         * <p>Be sure to call {@link TypedArray#recycle() TypedArray.recycle()} when you are done
1324         * with the array.
1325         *
1326         * @param resid The desired style resource.
1327         * @param attrs The desired attributes in the style.
1328         *
1329         * @throws NotFoundException Throws NotFoundException if the given ID does not exist.
1330         *
1331         * @return Returns a TypedArray holding an array of the attribute values.
1332         * Be sure to call {@link TypedArray#recycle() TypedArray.recycle()}
1333         * when done with it.
1334         *
1335         * @see Resources#obtainAttributes
1336         * @see #obtainStyledAttributes(int[])
1337         * @see #obtainStyledAttributes(AttributeSet, int[], int, int)
1338         */
1339        public TypedArray obtainStyledAttributes(int resid, int[] attrs) throws NotFoundException {
1340            final int len = attrs.length;
1341            final TypedArray array = TypedArray.obtain(Resources.this, len);
1342            array.mTheme = this;
1343            if (false) {
1344                int[] data = array.mData;
1345
1346                System.out.println("**********************************************************");
1347                System.out.println("**********************************************************");
1348                System.out.println("**********************************************************");
1349                System.out.println("Attributes:");
1350                String s = "  Attrs:";
1351                int i;
1352                for (i=0; i<attrs.length; i++) {
1353                    s = s + " 0x" + Integer.toHexString(attrs[i]);
1354                }
1355                System.out.println(s);
1356                s = "  Found:";
1357                TypedValue value = new TypedValue();
1358                for (i=0; i<attrs.length; i++) {
1359                    int d = i*AssetManager.STYLE_NUM_ENTRIES;
1360                    value.type = data[d+AssetManager.STYLE_TYPE];
1361                    value.data = data[d+AssetManager.STYLE_DATA];
1362                    value.assetCookie = data[d+AssetManager.STYLE_ASSET_COOKIE];
1363                    value.resourceId = data[d+AssetManager.STYLE_RESOURCE_ID];
1364                    s = s + " 0x" + Integer.toHexString(attrs[i])
1365                        + "=" + value;
1366                }
1367                System.out.println(s);
1368            }
1369            AssetManager.applyStyle(mTheme, 0, resid, 0, attrs, array.mData, array.mIndices);
1370            return array;
1371        }
1372
1373        /**
1374         * Return a TypedArray holding the attribute values in
1375         * <var>set</var>
1376         * that are listed in <var>attrs</var>.  In addition, if the given
1377         * AttributeSet specifies a style class (through the "style" attribute),
1378         * that style will be applied on top of the base attributes it defines.
1379         *
1380         * <p>Be sure to call {@link TypedArray#recycle() TypedArray.recycle()} when you are done
1381         * with the array.
1382         *
1383         * <p>When determining the final value of a particular attribute, there
1384         * are four inputs that come into play:</p>
1385         *
1386         * <ol>
1387         *     <li> Any attribute values in the given AttributeSet.
1388         *     <li> The style resource specified in the AttributeSet (named
1389         *     "style").
1390         *     <li> The default style specified by <var>defStyleAttr</var> and
1391         *     <var>defStyleRes</var>
1392         *     <li> The base values in this theme.
1393         * </ol>
1394         *
1395         * <p>Each of these inputs is considered in-order, with the first listed
1396         * taking precedence over the following ones.  In other words, if in the
1397         * AttributeSet you have supplied <code>&lt;Button
1398         * textColor="#ff000000"&gt;</code>, then the button's text will
1399         * <em>always</em> be black, regardless of what is specified in any of
1400         * the styles.
1401         *
1402         * @param set The base set of attribute values.  May be null.
1403         * @param attrs The desired attributes to be retrieved.
1404         * @param defStyleAttr An attribute in the current theme that contains a
1405         *                     reference to a style resource that supplies
1406         *                     defaults values for the TypedArray.  Can be
1407         *                     0 to not look for defaults.
1408         * @param defStyleRes A resource identifier of a style resource that
1409         *                    supplies default values for the TypedArray,
1410         *                    used only if defStyleAttr is 0 or can not be found
1411         *                    in the theme.  Can be 0 to not look for defaults.
1412         *
1413         * @return Returns a TypedArray holding an array of the attribute values.
1414         * Be sure to call {@link TypedArray#recycle() TypedArray.recycle()}
1415         * when done with it.
1416         *
1417         * @see Resources#obtainAttributes
1418         * @see #obtainStyledAttributes(int[])
1419         * @see #obtainStyledAttributes(int, int[])
1420         */
1421        public TypedArray obtainStyledAttributes(AttributeSet set,
1422                int[] attrs, int defStyleAttr, int defStyleRes) {
1423            final int len = attrs.length;
1424            final TypedArray array = TypedArray.obtain(Resources.this, len);
1425
1426            // XXX note that for now we only work with compiled XML files.
1427            // To support generic XML files we will need to manually parse
1428            // out the attributes from the XML file (applying type information
1429            // contained in the resources and such).
1430            final XmlBlock.Parser parser = (XmlBlock.Parser)set;
1431            AssetManager.applyStyle(mTheme, defStyleAttr, defStyleRes,
1432                    parser != null ? parser.mParseState : 0, attrs, array.mData, array.mIndices);
1433
1434            array.mTheme = this;
1435            array.mXml = parser;
1436
1437            if (false) {
1438                int[] data = array.mData;
1439
1440                System.out.println("Attributes:");
1441                String s = "  Attrs:";
1442                int i;
1443                for (i=0; i<set.getAttributeCount(); i++) {
1444                    s = s + " " + set.getAttributeName(i);
1445                    int id = set.getAttributeNameResource(i);
1446                    if (id != 0) {
1447                        s = s + "(0x" + Integer.toHexString(id) + ")";
1448                    }
1449                    s = s + "=" + set.getAttributeValue(i);
1450                }
1451                System.out.println(s);
1452                s = "  Found:";
1453                TypedValue value = new TypedValue();
1454                for (i=0; i<attrs.length; i++) {
1455                    int d = i*AssetManager.STYLE_NUM_ENTRIES;
1456                    value.type = data[d+AssetManager.STYLE_TYPE];
1457                    value.data = data[d+AssetManager.STYLE_DATA];
1458                    value.assetCookie = data[d+AssetManager.STYLE_ASSET_COOKIE];
1459                    value.resourceId = data[d+AssetManager.STYLE_RESOURCE_ID];
1460                    s = s + " 0x" + Integer.toHexString(attrs[i])
1461                        + "=" + value;
1462                }
1463                System.out.println(s);
1464            }
1465
1466            return array;
1467        }
1468
1469        /**
1470         * Retrieve the values for a set of attributes in the Theme. The
1471         * contents of the typed array are ultimately filled in by
1472         * {@link Resources#getValue}.
1473         *
1474         * @param values The base set of attribute values, must be equal
1475         *               in length to {@code attrs} or {@code null}. All values
1476         *               must be of type {@link TypedValue#TYPE_ATTRIBUTE}.
1477         * @param attrs The desired attributes to be retrieved.
1478         * @return Returns a TypedArray holding an array of the attribute
1479         *         values. Be sure to call {@link TypedArray#recycle()}
1480         *         when done with it.
1481         * @hide
1482         */
1483        public TypedArray resolveAttributes(int[] values, int[] attrs) {
1484            final int len = attrs.length;
1485            if (values != null && len != values.length) {
1486                throw new IllegalArgumentException(
1487                        "Base attribute values must be null or the same length as attrs");
1488            }
1489
1490            final TypedArray array = TypedArray.obtain(Resources.this, len);
1491            AssetManager.resolveAttrs(mTheme, 0, 0, values, attrs, array.mData, array.mIndices);
1492            array.mTheme = this;
1493            array.mXml = null;
1494
1495            return array;
1496        }
1497
1498        /**
1499         * Retrieve the value of an attribute in the Theme.  The contents of
1500         * <var>outValue</var> are ultimately filled in by
1501         * {@link Resources#getValue}.
1502         *
1503         * @param resid The resource identifier of the desired theme
1504         *              attribute.
1505         * @param outValue Filled in with the ultimate resource value supplied
1506         *                 by the attribute.
1507         * @param resolveRefs If true, resource references will be walked; if
1508         *                    false, <var>outValue</var> may be a
1509         *                    TYPE_REFERENCE.  In either case, it will never
1510         *                    be a TYPE_ATTRIBUTE.
1511         *
1512         * @return boolean Returns true if the attribute was found and
1513         *         <var>outValue</var> is valid, else false.
1514         */
1515        public boolean resolveAttribute(int resid, TypedValue outValue, boolean resolveRefs) {
1516            boolean got = mAssets.getThemeValue(mTheme, resid, outValue, resolveRefs);
1517            if (false) {
1518                System.out.println(
1519                    "resolveAttribute #" + Integer.toHexString(resid)
1520                    + " got=" + got + ", type=0x" + Integer.toHexString(outValue.type)
1521                    + ", data=0x" + Integer.toHexString(outValue.data));
1522            }
1523            return got;
1524        }
1525
1526        /**
1527         * Returns the resources to which this theme belongs.
1528         *
1529         * @return Resources to which this theme belongs.
1530         */
1531        public Resources getResources() {
1532            return Resources.this;
1533        }
1534
1535        /**
1536         * Return a drawable object associated with a particular resource ID
1537         * and styled for the Theme.
1538         *
1539         * @param id The desired resource identifier, as generated by the aapt
1540         *           tool. This integer encodes the package, type, and resource
1541         *           entry. The value 0 is an invalid identifier.
1542         * @return Drawable An object that can be used to draw this resource.
1543         * @throws NotFoundException Throws NotFoundException if the given ID
1544         *         does not exist.
1545         */
1546        public Drawable getDrawable(int id) throws NotFoundException {
1547            return Resources.this.getDrawable(id, this);
1548        }
1549
1550        /**
1551         * Print contents of this theme out to the log.  For debugging only.
1552         *
1553         * @param priority The log priority to use.
1554         * @param tag The log tag to use.
1555         * @param prefix Text to prefix each line printed.
1556         */
1557        public void dump(int priority, String tag, String prefix) {
1558            AssetManager.dumpTheme(mTheme, priority, tag, prefix);
1559        }
1560
1561        @Override
1562        protected void finalize() throws Throwable {
1563            super.finalize();
1564            mAssets.releaseTheme(mTheme);
1565        }
1566
1567        /*package*/ Theme() {
1568            mAssets = Resources.this.mAssets;
1569            mTheme = mAssets.createTheme();
1570        }
1571
1572        @SuppressWarnings("hiding")
1573        private final AssetManager mAssets;
1574        private final long mTheme;
1575
1576        /** Resource identifier for the theme. */
1577        private int mThemeResId = 0;
1578
1579        // Needed by layoutlib.
1580        /*package*/ long getNativeTheme() {
1581            return mTheme;
1582        }
1583
1584        /*package*/ int getAppliedStyleResId() {
1585            return mThemeResId;
1586        }
1587    }
1588
1589    /**
1590     * Generate a new Theme object for this set of Resources.  It initially
1591     * starts out empty.
1592     *
1593     * @return Theme The newly created Theme container.
1594     */
1595    public final Theme newTheme() {
1596        return new Theme();
1597    }
1598
1599    /**
1600     * Retrieve a set of basic attribute values from an AttributeSet, not
1601     * performing styling of them using a theme and/or style resources.
1602     *
1603     * @param set The current attribute values to retrieve.
1604     * @param attrs The specific attributes to be retrieved.
1605     * @return Returns a TypedArray holding an array of the attribute values.
1606     * Be sure to call {@link TypedArray#recycle() TypedArray.recycle()}
1607     * when done with it.
1608     *
1609     * @see Theme#obtainStyledAttributes(AttributeSet, int[], int, int)
1610     */
1611    public TypedArray obtainAttributes(AttributeSet set, int[] attrs) {
1612        int len = attrs.length;
1613        TypedArray array = TypedArray.obtain(this, len);
1614
1615        // XXX note that for now we only work with compiled XML files.
1616        // To support generic XML files we will need to manually parse
1617        // out the attributes from the XML file (applying type information
1618        // contained in the resources and such).
1619        XmlBlock.Parser parser = (XmlBlock.Parser)set;
1620        mAssets.retrieveAttributes(parser.mParseState, attrs,
1621                array.mData, array.mIndices);
1622
1623        array.mXml = parser;
1624
1625        return array;
1626    }
1627
1628    /**
1629     * Store the newly updated configuration.
1630     */
1631    public void updateConfiguration(Configuration config,
1632            DisplayMetrics metrics) {
1633        updateConfiguration(config, metrics, null);
1634    }
1635
1636    /**
1637     * @hide
1638     */
1639    public void updateConfiguration(Configuration config,
1640            DisplayMetrics metrics, CompatibilityInfo compat) {
1641        synchronized (mAccessLock) {
1642            if (false) {
1643                Slog.i(TAG, "**** Updating config of " + this + ": old config is "
1644                        + mConfiguration + " old compat is " + mCompatibilityInfo);
1645                Slog.i(TAG, "**** Updating config of " + this + ": new config is "
1646                        + config + " new compat is " + compat);
1647            }
1648            if (compat != null) {
1649                mCompatibilityInfo = compat;
1650            }
1651            if (metrics != null) {
1652                mMetrics.setTo(metrics);
1653            }
1654            // NOTE: We should re-arrange this code to create a Display
1655            // with the CompatibilityInfo that is used everywhere we deal
1656            // with the display in relation to this app, rather than
1657            // doing the conversion here.  This impl should be okay because
1658            // we make sure to return a compatible display in the places
1659            // where there are public APIs to retrieve the display...  but
1660            // it would be cleaner and more maintainble to just be
1661            // consistently dealing with a compatible display everywhere in
1662            // the framework.
1663            mCompatibilityInfo.applyToDisplayMetrics(mMetrics);
1664
1665            int configChanges = 0xfffffff;
1666            if (config != null) {
1667                mTmpConfig.setTo(config);
1668                int density = config.densityDpi;
1669                if (density == Configuration.DENSITY_DPI_UNDEFINED) {
1670                    density = mMetrics.noncompatDensityDpi;
1671                }
1672
1673                mCompatibilityInfo.applyToConfiguration(density, mTmpConfig);
1674
1675                if (mTmpConfig.locale == null) {
1676                    mTmpConfig.locale = Locale.getDefault();
1677                    mTmpConfig.setLayoutDirection(mTmpConfig.locale);
1678                }
1679                configChanges = mConfiguration.updateFrom(mTmpConfig);
1680                configChanges = ActivityInfo.activityInfoConfigToNative(configChanges);
1681            }
1682            if (mConfiguration.locale == null) {
1683                mConfiguration.locale = Locale.getDefault();
1684                mConfiguration.setLayoutDirection(mConfiguration.locale);
1685            }
1686            if (mConfiguration.densityDpi != Configuration.DENSITY_DPI_UNDEFINED) {
1687                mMetrics.densityDpi = mConfiguration.densityDpi;
1688                mMetrics.density = mConfiguration.densityDpi * DisplayMetrics.DENSITY_DEFAULT_SCALE;
1689            }
1690            mMetrics.scaledDensity = mMetrics.density * mConfiguration.fontScale;
1691
1692            String locale = null;
1693            if (mConfiguration.locale != null) {
1694                locale = adjustLanguageTag(localeToLanguageTag(mConfiguration.locale));
1695            }
1696            int width, height;
1697            if (mMetrics.widthPixels >= mMetrics.heightPixels) {
1698                width = mMetrics.widthPixels;
1699                height = mMetrics.heightPixels;
1700            } else {
1701                //noinspection SuspiciousNameCombination
1702                width = mMetrics.heightPixels;
1703                //noinspection SuspiciousNameCombination
1704                height = mMetrics.widthPixels;
1705            }
1706            int keyboardHidden = mConfiguration.keyboardHidden;
1707            if (keyboardHidden == Configuration.KEYBOARDHIDDEN_NO
1708                    && mConfiguration.hardKeyboardHidden
1709                            == Configuration.HARDKEYBOARDHIDDEN_YES) {
1710                keyboardHidden = Configuration.KEYBOARDHIDDEN_SOFT;
1711            }
1712            mAssets.setConfiguration(mConfiguration.mcc, mConfiguration.mnc,
1713                    locale, mConfiguration.orientation,
1714                    mConfiguration.touchscreen,
1715                    mConfiguration.densityDpi, mConfiguration.keyboard,
1716                    keyboardHidden, mConfiguration.navigation, width, height,
1717                    mConfiguration.smallestScreenWidthDp,
1718                    mConfiguration.screenWidthDp, mConfiguration.screenHeightDp,
1719                    mConfiguration.screenLayout, mConfiguration.uiMode,
1720                    Build.VERSION.RESOURCES_SDK_INT);
1721
1722            if (DEBUG_CONFIG) {
1723                Slog.i(TAG, "**** Updating config of " + this + ": final config is " + mConfiguration
1724                        + " final compat is " + mCompatibilityInfo);
1725            }
1726
1727            clearDrawableCachesLocked(mDrawableCache, configChanges);
1728            clearDrawableCachesLocked(mColorDrawableCache, configChanges);
1729
1730            mColorStateListCache.clear();
1731
1732            flushLayoutCache();
1733        }
1734        synchronized (sSync) {
1735            if (mPluralRule != null) {
1736                mPluralRule = NativePluralRules.forLocale(config.locale);
1737            }
1738        }
1739    }
1740
1741    private void clearDrawableCachesLocked(
1742            ThemedCaches<ConstantState> caches, int configChanges) {
1743        final int N = caches.size();
1744        for (int i = 0; i < N; i++) {
1745            clearDrawableCacheLocked(caches.valueAt(i), configChanges);
1746        }
1747    }
1748
1749    private void clearDrawableCacheLocked(
1750            LongSparseArray<WeakReference<ConstantState>> cache, int configChanges) {
1751        if (DEBUG_CONFIG) {
1752            Log.d(TAG, "Cleaning up drawables config changes: 0x"
1753                    + Integer.toHexString(configChanges));
1754        }
1755        final int N = cache.size();
1756        for (int i = 0; i < N; i++) {
1757            final WeakReference<ConstantState> ref = cache.valueAt(i);
1758            if (ref != null) {
1759                final ConstantState cs = ref.get();
1760                if (cs != null) {
1761                    if (Configuration.needNewResources(
1762                            configChanges, cs.getChangingConfigurations())) {
1763                        if (DEBUG_CONFIG) {
1764                            Log.d(TAG, "FLUSHING #0x"
1765                                    + Long.toHexString(mDrawableCache.keyAt(i))
1766                                    + " / " + cs + " with changes: 0x"
1767                                    + Integer.toHexString(cs.getChangingConfigurations()));
1768                        }
1769                        cache.setValueAt(i, null);
1770                    } else if (DEBUG_CONFIG) {
1771                        Log.d(TAG, "(Keeping #0x"
1772                                + Long.toHexString(cache.keyAt(i))
1773                                + " / " + cs + " with changes: 0x"
1774                                + Integer.toHexString(cs.getChangingConfigurations())
1775                                + ")");
1776                    }
1777                }
1778            }
1779        }
1780    }
1781
1782    // Locale.toLanguageTag() is not available in Java6. LayoutLib overrides
1783    // this method to enable users to use Java6.
1784    private String localeToLanguageTag(Locale locale) {
1785        return locale.toLanguageTag();
1786    }
1787
1788    /**
1789     * {@code Locale.toLanguageTag} will transform the obsolete (and deprecated)
1790     * language codes "in", "ji" and "iw" to "id", "yi" and "he" respectively.
1791     *
1792     * All released versions of android prior to "L" used the deprecated language
1793     * tags, so we will need to support them for backwards compatibility.
1794     *
1795     * Note that this conversion needs to take place *after* the call to
1796     * {@code toLanguageTag} because that will convert all the deprecated codes to
1797     * the new ones, even if they're set manually.
1798     */
1799    private static String adjustLanguageTag(String languageTag) {
1800        final int separator = languageTag.indexOf('-');
1801        final String language;
1802        final String remainder;
1803
1804        if (separator == -1) {
1805            language = languageTag;
1806            remainder = "";
1807        } else {
1808            language = languageTag.substring(0, separator);
1809            remainder = languageTag.substring(separator);
1810        }
1811
1812        if ("id".equals(language)) {
1813            return "in" + remainder;
1814        } else if ("yi".equals(language)) {
1815            return "ji" + remainder;
1816        } else if ("he".equals(language)) {
1817            return "iw" + remainder;
1818        } else {
1819            return languageTag;
1820        }
1821    }
1822
1823    /**
1824     * Update the system resources configuration if they have previously
1825     * been initialized.
1826     *
1827     * @hide
1828     */
1829    public static void updateSystemConfiguration(Configuration config, DisplayMetrics metrics,
1830            CompatibilityInfo compat) {
1831        if (mSystem != null) {
1832            mSystem.updateConfiguration(config, metrics, compat);
1833            //Log.i(TAG, "Updated system resources " + mSystem
1834            //        + ": " + mSystem.getConfiguration());
1835        }
1836    }
1837
1838    /**
1839     * Return the current display metrics that are in effect for this resource
1840     * object.  The returned object should be treated as read-only.
1841     *
1842     * @return The resource's current display metrics.
1843     */
1844    public DisplayMetrics getDisplayMetrics() {
1845        if (DEBUG_CONFIG) Slog.v(TAG, "Returning DisplayMetrics: " + mMetrics.widthPixels
1846                + "x" + mMetrics.heightPixels + " " + mMetrics.density);
1847        return mMetrics;
1848    }
1849
1850    /**
1851     * Return the current configuration that is in effect for this resource
1852     * object.  The returned object should be treated as read-only.
1853     *
1854     * @return The resource's current configuration.
1855     */
1856    public Configuration getConfiguration() {
1857        return mConfiguration;
1858    }
1859
1860    /**
1861     * Return the compatibility mode information for the application.
1862     * The returned object should be treated as read-only.
1863     *
1864     * @return compatibility info.
1865     * @hide
1866     */
1867    public CompatibilityInfo getCompatibilityInfo() {
1868        return mCompatibilityInfo;
1869    }
1870
1871    /**
1872     * This is just for testing.
1873     * @hide
1874     */
1875    public void setCompatibilityInfo(CompatibilityInfo ci) {
1876        if (ci != null) {
1877            mCompatibilityInfo = ci;
1878            updateConfiguration(mConfiguration, mMetrics);
1879        }
1880    }
1881
1882    /**
1883     * Return a resource identifier for the given resource name.  A fully
1884     * qualified resource name is of the form "package:type/entry".  The first
1885     * two components (package and type) are optional if defType and
1886     * defPackage, respectively, are specified here.
1887     *
1888     * <p>Note: use of this function is discouraged.  It is much more
1889     * efficient to retrieve resources by identifier than by name.
1890     *
1891     * @param name The name of the desired resource.
1892     * @param defType Optional default resource type to find, if "type/" is
1893     *                not included in the name.  Can be null to require an
1894     *                explicit type.
1895     * @param defPackage Optional default package to find, if "package:" is
1896     *                   not included in the name.  Can be null to require an
1897     *                   explicit package.
1898     *
1899     * @return int The associated resource identifier.  Returns 0 if no such
1900     *         resource was found.  (0 is not a valid resource ID.)
1901     */
1902    public int getIdentifier(String name, String defType, String defPackage) {
1903        if (name == null) {
1904            throw new NullPointerException("name is null");
1905        }
1906        try {
1907            return Integer.parseInt(name);
1908        } catch (Exception e) {
1909            // Ignore
1910        }
1911        return mAssets.getResourceIdentifier(name, defType, defPackage);
1912    }
1913
1914    /**
1915     * Return true if given resource identifier includes a package.
1916     *
1917     * @hide
1918     */
1919    public static boolean resourceHasPackage(int resid) {
1920        return (resid >>> 24) != 0;
1921    }
1922
1923    /**
1924     * Return the full name for a given resource identifier.  This name is
1925     * a single string of the form "package:type/entry".
1926     *
1927     * @param resid The resource identifier whose name is to be retrieved.
1928     *
1929     * @return A string holding the name of the resource.
1930     *
1931     * @throws NotFoundException Throws NotFoundException if the given ID does not exist.
1932     *
1933     * @see #getResourcePackageName
1934     * @see #getResourceTypeName
1935     * @see #getResourceEntryName
1936     */
1937    public String getResourceName(int resid) throws NotFoundException {
1938        String str = mAssets.getResourceName(resid);
1939        if (str != null) return str;
1940        throw new NotFoundException("Unable to find resource ID #0x"
1941                + Integer.toHexString(resid));
1942    }
1943
1944    /**
1945     * Return the package name for a given resource identifier.
1946     *
1947     * @param resid The resource identifier whose package name is to be
1948     * retrieved.
1949     *
1950     * @return A string holding the package name of the resource.
1951     *
1952     * @throws NotFoundException Throws NotFoundException if the given ID does not exist.
1953     *
1954     * @see #getResourceName
1955     */
1956    public String getResourcePackageName(int resid) throws NotFoundException {
1957        String str = mAssets.getResourcePackageName(resid);
1958        if (str != null) return str;
1959        throw new NotFoundException("Unable to find resource ID #0x"
1960                + Integer.toHexString(resid));
1961    }
1962
1963    /**
1964     * Return the type name for a given resource identifier.
1965     *
1966     * @param resid The resource identifier whose type name is to be
1967     * retrieved.
1968     *
1969     * @return A string holding the type name of the resource.
1970     *
1971     * @throws NotFoundException Throws NotFoundException if the given ID does not exist.
1972     *
1973     * @see #getResourceName
1974     */
1975    public String getResourceTypeName(int resid) throws NotFoundException {
1976        String str = mAssets.getResourceTypeName(resid);
1977        if (str != null) return str;
1978        throw new NotFoundException("Unable to find resource ID #0x"
1979                + Integer.toHexString(resid));
1980    }
1981
1982    /**
1983     * Return the entry name for a given resource identifier.
1984     *
1985     * @param resid The resource identifier whose entry name is to be
1986     * retrieved.
1987     *
1988     * @return A string holding the entry name of the resource.
1989     *
1990     * @throws NotFoundException Throws NotFoundException if the given ID does not exist.
1991     *
1992     * @see #getResourceName
1993     */
1994    public String getResourceEntryName(int resid) throws NotFoundException {
1995        String str = mAssets.getResourceEntryName(resid);
1996        if (str != null) return str;
1997        throw new NotFoundException("Unable to find resource ID #0x"
1998                + Integer.toHexString(resid));
1999    }
2000
2001    /**
2002     * Parse a series of {@link android.R.styleable#Extra &lt;extra&gt;} tags from
2003     * an XML file.  You call this when you are at the parent tag of the
2004     * extra tags, and it will return once all of the child tags have been parsed.
2005     * This will call {@link #parseBundleExtra} for each extra tag encountered.
2006     *
2007     * @param parser The parser from which to retrieve the extras.
2008     * @param outBundle A Bundle in which to place all parsed extras.
2009     * @throws XmlPullParserException
2010     * @throws IOException
2011     */
2012    public void parseBundleExtras(XmlResourceParser parser, Bundle outBundle)
2013            throws XmlPullParserException, IOException {
2014        int outerDepth = parser.getDepth();
2015        int type;
2016        while ((type=parser.next()) != XmlPullParser.END_DOCUMENT
2017               && (type != XmlPullParser.END_TAG || parser.getDepth() > outerDepth)) {
2018            if (type == XmlPullParser.END_TAG || type == XmlPullParser.TEXT) {
2019                continue;
2020            }
2021
2022            String nodeName = parser.getName();
2023            if (nodeName.equals("extra")) {
2024                parseBundleExtra("extra", parser, outBundle);
2025                XmlUtils.skipCurrentTag(parser);
2026
2027            } else {
2028                XmlUtils.skipCurrentTag(parser);
2029            }
2030        }
2031    }
2032
2033    /**
2034     * Parse a name/value pair out of an XML tag holding that data.  The
2035     * AttributeSet must be holding the data defined by
2036     * {@link android.R.styleable#Extra}.  The following value types are supported:
2037     * <ul>
2038     * <li> {@link TypedValue#TYPE_STRING}:
2039     * {@link Bundle#putCharSequence Bundle.putCharSequence()}
2040     * <li> {@link TypedValue#TYPE_INT_BOOLEAN}:
2041     * {@link Bundle#putCharSequence Bundle.putBoolean()}
2042     * <li> {@link TypedValue#TYPE_FIRST_INT}-{@link TypedValue#TYPE_LAST_INT}:
2043     * {@link Bundle#putCharSequence Bundle.putBoolean()}
2044     * <li> {@link TypedValue#TYPE_FLOAT}:
2045     * {@link Bundle#putCharSequence Bundle.putFloat()}
2046     * </ul>
2047     *
2048     * @param tagName The name of the tag these attributes come from; this is
2049     * only used for reporting error messages.
2050     * @param attrs The attributes from which to retrieve the name/value pair.
2051     * @param outBundle The Bundle in which to place the parsed value.
2052     * @throws XmlPullParserException If the attributes are not valid.
2053     */
2054    public void parseBundleExtra(String tagName, AttributeSet attrs,
2055            Bundle outBundle) throws XmlPullParserException {
2056        TypedArray sa = obtainAttributes(attrs,
2057                com.android.internal.R.styleable.Extra);
2058
2059        String name = sa.getString(
2060                com.android.internal.R.styleable.Extra_name);
2061        if (name == null) {
2062            sa.recycle();
2063            throw new XmlPullParserException("<" + tagName
2064                    + "> requires an android:name attribute at "
2065                    + attrs.getPositionDescription());
2066        }
2067
2068        TypedValue v = sa.peekValue(
2069                com.android.internal.R.styleable.Extra_value);
2070        if (v != null) {
2071            if (v.type == TypedValue.TYPE_STRING) {
2072                CharSequence cs = v.coerceToString();
2073                outBundle.putCharSequence(name, cs);
2074            } else if (v.type == TypedValue.TYPE_INT_BOOLEAN) {
2075                outBundle.putBoolean(name, v.data != 0);
2076            } else if (v.type >= TypedValue.TYPE_FIRST_INT
2077                    && v.type <= TypedValue.TYPE_LAST_INT) {
2078                outBundle.putInt(name, v.data);
2079            } else if (v.type == TypedValue.TYPE_FLOAT) {
2080                outBundle.putFloat(name, v.getFloat());
2081            } else {
2082                sa.recycle();
2083                throw new XmlPullParserException("<" + tagName
2084                        + "> only supports string, integer, float, color, and boolean at "
2085                        + attrs.getPositionDescription());
2086            }
2087        } else {
2088            sa.recycle();
2089            throw new XmlPullParserException("<" + tagName
2090                    + "> requires an android:value or android:resource attribute at "
2091                    + attrs.getPositionDescription());
2092        }
2093
2094        sa.recycle();
2095    }
2096
2097    /**
2098     * Retrieve underlying AssetManager storage for these resources.
2099     */
2100    public final AssetManager getAssets() {
2101        return mAssets;
2102    }
2103
2104    /**
2105     * Call this to remove all cached loaded layout resources from the
2106     * Resources object.  Only intended for use with performance testing
2107     * tools.
2108     */
2109    public final void flushLayoutCache() {
2110        synchronized (mCachedXmlBlockIds) {
2111            // First see if this block is in our cache.
2112            final int num = mCachedXmlBlockIds.length;
2113            for (int i=0; i<num; i++) {
2114                mCachedXmlBlockIds[i] = -0;
2115                XmlBlock oldBlock = mCachedXmlBlocks[i];
2116                if (oldBlock != null) {
2117                    oldBlock.close();
2118                }
2119                mCachedXmlBlocks[i] = null;
2120            }
2121        }
2122    }
2123
2124    /**
2125     * Start preloading of resource data using this Resources object.  Only
2126     * for use by the zygote process for loading common system resources.
2127     * {@hide}
2128     */
2129    public final void startPreloading() {
2130        synchronized (sSync) {
2131            if (sPreloaded) {
2132                throw new IllegalStateException("Resources already preloaded");
2133            }
2134            sPreloaded = true;
2135            mPreloading = true;
2136            sPreloadedDensity = DisplayMetrics.DENSITY_DEVICE;
2137            mConfiguration.densityDpi = sPreloadedDensity;
2138            updateConfiguration(null, null);
2139        }
2140    }
2141
2142    /**
2143     * Called by zygote when it is done preloading resources, to change back
2144     * to normal Resources operation.
2145     */
2146    public final void finishPreloading() {
2147        if (mPreloading) {
2148            mPreloading = false;
2149            flushLayoutCache();
2150        }
2151    }
2152
2153    /**
2154     * @hide
2155     */
2156    public LongSparseArray<ConstantState> getPreloadedDrawables() {
2157        return sPreloadedDrawables[0];
2158    }
2159
2160    private boolean verifyPreloadConfig(int changingConfigurations, int allowVarying,
2161            int resourceId, String name) {
2162        // We allow preloading of resources even if they vary by font scale (which
2163        // doesn't impact resource selection) or density (which we handle specially by
2164        // simply turning off all preloading), as well as any other configs specified
2165        // by the caller.
2166        if (((changingConfigurations&~(ActivityInfo.CONFIG_FONT_SCALE |
2167                ActivityInfo.CONFIG_DENSITY)) & ~allowVarying) != 0) {
2168            String resName;
2169            try {
2170                resName = getResourceName(resourceId);
2171            } catch (NotFoundException e) {
2172                resName = "?";
2173            }
2174            // This should never happen in production, so we should log a
2175            // warning even if we're not debugging.
2176            Log.w(TAG, "Preloaded " + name + " resource #0x"
2177                    + Integer.toHexString(resourceId)
2178                    + " (" + resName + ") that varies with configuration!!");
2179            return false;
2180        }
2181        if (TRACE_FOR_PRELOAD) {
2182            String resName;
2183            try {
2184                resName = getResourceName(resourceId);
2185            } catch (NotFoundException e) {
2186                resName = "?";
2187            }
2188            Log.w(TAG, "Preloading " + name + " resource #0x"
2189                    + Integer.toHexString(resourceId)
2190                    + " (" + resName + ")");
2191        }
2192        return true;
2193    }
2194
2195    /*package*/ Drawable loadDrawable(TypedValue value, int id, Theme theme) throws NotFoundException {
2196        if (TRACE_FOR_PRELOAD) {
2197            // Log only framework resources
2198            if ((id >>> 24) == 0x1) {
2199                final String name = getResourceName(id);
2200                if (name != null) {
2201                    Log.d("PreloadDrawable", name);
2202                }
2203            }
2204        }
2205
2206        final boolean isColorDrawable;
2207        final ThemedCaches<ConstantState> caches;
2208        final long key;
2209        if (value.type >= TypedValue.TYPE_FIRST_COLOR_INT
2210                && value.type <= TypedValue.TYPE_LAST_COLOR_INT) {
2211            isColorDrawable = true;
2212            caches = mColorDrawableCache;
2213            key = value.data;
2214        } else {
2215            isColorDrawable = false;
2216            caches = mDrawableCache;
2217            key = (((long) value.assetCookie) << 32) | value.data;
2218        }
2219
2220        // First, check whether we have a cached version of this drawable
2221        // that's valid for the specified theme. This may apply a theme to a
2222        // cached drawable that has themeable attributes but was not previously
2223        // themed.
2224        if (!mPreloading) {
2225            final Drawable cachedDrawable = getCachedDrawable(caches, key, theme);
2226            if (cachedDrawable != null) {
2227                return cachedDrawable;
2228            }
2229        }
2230
2231        // Next, check preloaded drawables. These are unthemed but may have
2232        // themeable attributes.
2233        final ConstantState cs;
2234        if (isColorDrawable) {
2235            cs = sPreloadedColorDrawables.get(key);
2236        } else {
2237            cs = sPreloadedDrawables[mConfiguration.getLayoutDirection()].get(key);
2238        }
2239
2240        final Drawable dr;
2241        if (cs != null) {
2242            dr = cs.newDrawable(this, theme);
2243        } else if (isColorDrawable) {
2244            dr = new ColorDrawable(value.data);
2245        } else {
2246            dr = loadDrawableForCookie(value, id, theme);
2247        }
2248
2249        // If we were able to obtain a drawable, attempt to place it in the
2250        // appropriate cache (e.g. no theme, themed, themeable).
2251        if (dr != null) {
2252            dr.setChangingConfigurations(value.changingConfigurations);
2253            cacheDrawable(value, theme, isColorDrawable, caches, key, dr);
2254        }
2255
2256        return dr;
2257    }
2258
2259    private void cacheDrawable(TypedValue value, Theme theme, boolean isColorDrawable,
2260            ThemedCaches<ConstantState> caches, long key, Drawable dr) {
2261        final ConstantState cs = dr.getConstantState();
2262        if (cs == null) {
2263            return;
2264        }
2265
2266        if (mPreloading) {
2267            // Preloaded drawables never have a theme, but may be themeable.
2268            final int changingConfigs = cs.getChangingConfigurations();
2269            if (isColorDrawable) {
2270                if (verifyPreloadConfig(changingConfigs, 0, value.resourceId, "drawable")) {
2271                    sPreloadedColorDrawables.put(key, cs);
2272                }
2273            } else {
2274                if (verifyPreloadConfig(
2275                        changingConfigs, LAYOUT_DIR_CONFIG, value.resourceId, "drawable")) {
2276                    if ((changingConfigs & LAYOUT_DIR_CONFIG) == 0) {
2277                        // If this resource does not vary based on layout direction,
2278                        // we can put it in all of the preload maps.
2279                        sPreloadedDrawables[0].put(key, cs);
2280                        sPreloadedDrawables[1].put(key, cs);
2281                    } else {
2282                        // Otherwise, only in the layout dir we loaded it for.
2283                        sPreloadedDrawables[mConfiguration.getLayoutDirection()].put(key, cs);
2284                    }
2285                }
2286            }
2287        } else {
2288            synchronized (mAccessLock) {
2289                final LongSparseArray<WeakReference<ConstantState>> themedCache;
2290                themedCache = caches.getOrCreate(theme == null ? 0 : theme.mThemeResId);
2291                themedCache.put(key, new WeakReference<ConstantState>(cs));
2292            }
2293        }
2294    }
2295
2296    /**
2297     * Loads a drawable from XML or resources stream.
2298     */
2299    private Drawable loadDrawableForCookie(TypedValue value, int id, Theme theme) {
2300        if (value.string == null) {
2301            throw new NotFoundException("Resource \"" + getResourceName(id) + "\" ("
2302                    + Integer.toHexString(id) + ")  is not a Drawable (color or path): " + value);
2303        }
2304
2305        final String file = value.string.toString();
2306
2307        if (TRACE_FOR_MISS_PRELOAD) {
2308            // Log only framework resources
2309            if ((id >>> 24) == 0x1) {
2310                final String name = getResourceName(id);
2311                if (name != null) {
2312                    Log.d(TAG, "Loading framework drawable #" + Integer.toHexString(id)
2313                            + ": " + name + " at " + file);
2314                }
2315            }
2316        }
2317
2318        if (DEBUG_LOAD) {
2319            Log.v(TAG, "Loading drawable for cookie " + value.assetCookie + ": " + file);
2320        }
2321
2322        final Drawable dr;
2323
2324        Trace.traceBegin(Trace.TRACE_TAG_RESOURCES, file);
2325        try {
2326            if (file.endsWith(".xml")) {
2327                final XmlResourceParser rp = loadXmlResourceParser(
2328                        file, id, value.assetCookie, "drawable");
2329                dr = Drawable.createFromXmlThemed(this, rp, theme);
2330                rp.close();
2331            } else {
2332                final InputStream is = mAssets.openNonAsset(
2333                        value.assetCookie, file, AssetManager.ACCESS_STREAMING);
2334                dr = Drawable.createFromResourceStreamThemed(this, value, is, file, null, theme);
2335                is.close();
2336            }
2337        } catch (Exception e) {
2338            Trace.traceEnd(Trace.TRACE_TAG_RESOURCES);
2339            final NotFoundException rnf = new NotFoundException(
2340                    "File " + file + " from drawable resource ID #0x" + Integer.toHexString(id));
2341            rnf.initCause(e);
2342            throw rnf;
2343        }
2344        Trace.traceEnd(Trace.TRACE_TAG_RESOURCES);
2345
2346        return dr;
2347    }
2348
2349    private Drawable getCachedDrawable(ThemedCaches<ConstantState> caches, long key, Theme theme) {
2350        synchronized (mAccessLock) {
2351            final int themeKey = theme != null ? theme.mThemeResId : 0;
2352            final LongSparseArray<WeakReference<ConstantState>> themedCache = caches.get(themeKey);
2353            if (themedCache != null) {
2354                final Drawable themedDrawable = getCachedDrawableLocked(themedCache, key);
2355                if (themedDrawable != null) {
2356                    return themedDrawable;
2357                }
2358            }
2359
2360            // No cached drawable, we'll need to create a new one.
2361            return null;
2362        }
2363    }
2364
2365    private ConstantState getConstantStateLocked(
2366            LongSparseArray<WeakReference<ConstantState>> drawableCache, long key) {
2367        final WeakReference<ConstantState> wr = drawableCache.get(key);
2368        if (wr != null) {   // we have the key
2369            final ConstantState entry = wr.get();
2370            if (entry != null) {
2371                //Log.i(TAG, "Returning cached drawable @ #" +
2372                //        Integer.toHexString(((Integer)key).intValue())
2373                //        + " in " + this + ": " + entry);
2374                return entry;
2375            } else {  // our entry has been purged
2376                drawableCache.delete(key);
2377            }
2378        }
2379        return null;
2380    }
2381
2382    private Drawable getCachedDrawableLocked(
2383            LongSparseArray<WeakReference<ConstantState>> drawableCache, long key) {
2384        final ConstantState entry = getConstantStateLocked(drawableCache, key);
2385        if (entry != null) {
2386            return entry.newDrawable(this);
2387        }
2388        return null;
2389    }
2390
2391    /*package*/ ColorStateList loadColorStateList(TypedValue value, int id)
2392            throws NotFoundException {
2393        if (TRACE_FOR_PRELOAD) {
2394            // Log only framework resources
2395            if ((id >>> 24) == 0x1) {
2396                final String name = getResourceName(id);
2397                if (name != null) android.util.Log.d("PreloadColorStateList", name);
2398            }
2399        }
2400
2401        final long key = (((long) value.assetCookie) << 32) | value.data;
2402
2403        ColorStateList csl;
2404
2405        if (value.type >= TypedValue.TYPE_FIRST_COLOR_INT &&
2406                value.type <= TypedValue.TYPE_LAST_COLOR_INT) {
2407
2408            csl = sPreloadedColorStateLists.get(key);
2409            if (csl != null) {
2410                return csl;
2411            }
2412
2413            csl = ColorStateList.valueOf(value.data);
2414            if (mPreloading) {
2415                if (verifyPreloadConfig(value.changingConfigurations, 0, value.resourceId,
2416                        "color")) {
2417                    sPreloadedColorStateLists.put(key, csl);
2418                }
2419            }
2420
2421            return csl;
2422        }
2423
2424        csl = getCachedColorStateList(key);
2425        if (csl != null) {
2426            return csl;
2427        }
2428
2429        csl = sPreloadedColorStateLists.get(key);
2430        if (csl != null) {
2431            return csl;
2432        }
2433
2434        if (value.string == null) {
2435            throw new NotFoundException(
2436                    "Resource is not a ColorStateList (color or path): " + value);
2437        }
2438
2439        final String file = value.string.toString();
2440
2441        if (file.endsWith(".xml")) {
2442            Trace.traceBegin(Trace.TRACE_TAG_RESOURCES, file);
2443            try {
2444                final XmlResourceParser rp = loadXmlResourceParser(
2445                        file, id, value.assetCookie, "colorstatelist");
2446                csl = ColorStateList.createFromXml(this, rp);
2447                rp.close();
2448            } catch (Exception e) {
2449                Trace.traceEnd(Trace.TRACE_TAG_RESOURCES);
2450                NotFoundException rnf = new NotFoundException(
2451                    "File " + file + " from color state list resource ID #0x"
2452                    + Integer.toHexString(id));
2453                rnf.initCause(e);
2454                throw rnf;
2455            }
2456            Trace.traceEnd(Trace.TRACE_TAG_RESOURCES);
2457        } else {
2458            throw new NotFoundException(
2459                    "File " + file + " from drawable resource ID #0x"
2460                    + Integer.toHexString(id) + ": .xml extension required");
2461        }
2462
2463        if (csl != null) {
2464            if (mPreloading) {
2465                if (verifyPreloadConfig(value.changingConfigurations, 0, value.resourceId,
2466                        "color")) {
2467                    sPreloadedColorStateLists.put(key, csl);
2468                }
2469            } else {
2470                synchronized (mAccessLock) {
2471                    //Log.i(TAG, "Saving cached color state list @ #" +
2472                    //        Integer.toHexString(key.intValue())
2473                    //        + " in " + this + ": " + csl);
2474                    mColorStateListCache.put(key, new WeakReference<ColorStateList>(csl));
2475                }
2476            }
2477        }
2478
2479        return csl;
2480    }
2481
2482    private ColorStateList getCachedColorStateList(long key) {
2483        synchronized (mAccessLock) {
2484            WeakReference<ColorStateList> wr = mColorStateListCache.get(key);
2485            if (wr != null) {   // we have the key
2486                ColorStateList entry = wr.get();
2487                if (entry != null) {
2488                    //Log.i(TAG, "Returning cached color state list @ #" +
2489                    //        Integer.toHexString(((Integer)key).intValue())
2490                    //        + " in " + this + ": " + entry);
2491                    return entry;
2492                } else {  // our entry has been purged
2493                    mColorStateListCache.delete(key);
2494                }
2495            }
2496        }
2497        return null;
2498    }
2499
2500    /*package*/ XmlResourceParser loadXmlResourceParser(int id, String type)
2501            throws NotFoundException {
2502        synchronized (mAccessLock) {
2503            TypedValue value = mTmpValue;
2504            if (value == null) {
2505                mTmpValue = value = new TypedValue();
2506            }
2507            getValue(id, value, true);
2508            if (value.type == TypedValue.TYPE_STRING) {
2509                return loadXmlResourceParser(value.string.toString(), id,
2510                        value.assetCookie, type);
2511            }
2512            throw new NotFoundException(
2513                    "Resource ID #0x" + Integer.toHexString(id) + " type #0x"
2514                    + Integer.toHexString(value.type) + " is not valid");
2515        }
2516    }
2517
2518    /*package*/ XmlResourceParser loadXmlResourceParser(String file, int id,
2519            int assetCookie, String type) throws NotFoundException {
2520        if (id != 0) {
2521            try {
2522                // These may be compiled...
2523                synchronized (mCachedXmlBlockIds) {
2524                    // First see if this block is in our cache.
2525                    final int num = mCachedXmlBlockIds.length;
2526                    for (int i=0; i<num; i++) {
2527                        if (mCachedXmlBlockIds[i] == id) {
2528                            //System.out.println("**** REUSING XML BLOCK!  id="
2529                            //                   + id + ", index=" + i);
2530                            return mCachedXmlBlocks[i].newParser();
2531                        }
2532                    }
2533
2534                    // Not in the cache, create a new block and put it at
2535                    // the next slot in the cache.
2536                    XmlBlock block = mAssets.openXmlBlockAsset(
2537                            assetCookie, file);
2538                    if (block != null) {
2539                        int pos = mLastCachedXmlBlockIndex+1;
2540                        if (pos >= num) pos = 0;
2541                        mLastCachedXmlBlockIndex = pos;
2542                        XmlBlock oldBlock = mCachedXmlBlocks[pos];
2543                        if (oldBlock != null) {
2544                            oldBlock.close();
2545                        }
2546                        mCachedXmlBlockIds[pos] = id;
2547                        mCachedXmlBlocks[pos] = block;
2548                        //System.out.println("**** CACHING NEW XML BLOCK!  id="
2549                        //                   + id + ", index=" + pos);
2550                        return block.newParser();
2551                    }
2552                }
2553            } catch (Exception e) {
2554                NotFoundException rnf = new NotFoundException(
2555                        "File " + file + " from xml type " + type + " resource ID #0x"
2556                        + Integer.toHexString(id));
2557                rnf.initCause(e);
2558                throw rnf;
2559            }
2560        }
2561
2562        throw new NotFoundException(
2563                "File " + file + " from xml type " + type + " resource ID #0x"
2564                + Integer.toHexString(id));
2565    }
2566
2567    /*package*/ void recycleCachedStyledAttributes(TypedArray attrs) {
2568        synchronized (mAccessLock) {
2569            final TypedArray cached = mCachedStyledAttributes;
2570            if (cached == null || cached.mData.length < attrs.mData.length) {
2571                mCachedStyledAttributes = attrs;
2572            }
2573        }
2574    }
2575
2576    private Resources() {
2577        mAssets = AssetManager.getSystem();
2578        // NOTE: Intentionally leaving this uninitialized (all values set
2579        // to zero), so that anyone who tries to do something that requires
2580        // metrics will get a very wrong value.
2581        mConfiguration.setToDefaults();
2582        mMetrics.setToDefaults();
2583        updateConfiguration(null, null);
2584        mAssets.ensureStringBlocks();
2585    }
2586
2587    static class ThemedCaches<T> extends SparseArray<LongSparseArray<WeakReference<T>>> {
2588        /**
2589         * Returns the cache of drawables styled for the specified theme.
2590         * <p>
2591         * Drawables that have themeable attributes but were loaded without
2592         * specifying a theme are cached at themeResId = 0.
2593         */
2594        public LongSparseArray<WeakReference<T>> getOrCreate(int themeResId) {
2595            LongSparseArray<WeakReference<T>> result = get(themeResId);
2596            if (result == null) {
2597                result = new LongSparseArray<WeakReference<T>>(1);
2598                put(themeResId, result);
2599            }
2600            return result;
2601        }
2602    }
2603}
2604