ResourceTypes.cpp revision 4ca56978a9aea3f021a54ed9265de10811984d94
1/*
2 * Copyright (C) 2008 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
17#define LOG_TAG "ResourceType"
18//#define LOG_NDEBUG 0
19
20#include <ctype.h>
21#include <memory.h>
22#include <stddef.h>
23#include <stdint.h>
24#include <stdlib.h>
25#include <string.h>
26
27#include <algorithm>
28#include <limits>
29#include <memory>
30#include <type_traits>
31
32#include <androidfw/ByteBucketArray.h>
33#include <androidfw/ResourceTypes.h>
34#include <androidfw/TypeWrappers.h>
35#include <utils/Atomic.h>
36#include <utils/ByteOrder.h>
37#include <utils/Debug.h>
38#include <utils/Log.h>
39#include <utils/String16.h>
40#include <utils/String8.h>
41
42#ifdef __ANDROID__
43#include <binder/TextOutput.h>
44#endif
45
46#ifndef INT32_MAX
47#define INT32_MAX ((int32_t)(2147483647))
48#endif
49
50namespace android {
51
52#if defined(_WIN32)
53#undef  nhtol
54#undef  htonl
55#define ntohl(x)    ( ((x) << 24) | (((x) >> 24) & 255) | (((x) << 8) & 0xff0000) | (((x) >> 8) & 0xff00) )
56#define htonl(x)    ntohl(x)
57#define ntohs(x)    ( (((x) << 8) & 0xff00) | (((x) >> 8) & 255) )
58#define htons(x)    ntohs(x)
59#endif
60
61#define IDMAP_MAGIC             0x504D4449
62#define IDMAP_CURRENT_VERSION   0x00000001
63
64#define APP_PACKAGE_ID      0x7f
65#define SYS_PACKAGE_ID      0x01
66
67static const bool kDebugStringPoolNoisy = false;
68static const bool kDebugXMLNoisy = false;
69static const bool kDebugTableNoisy = false;
70static const bool kDebugTableGetEntry = false;
71static const bool kDebugTableSuperNoisy = false;
72static const bool kDebugLoadTableNoisy = false;
73static const bool kDebugLoadTableSuperNoisy = false;
74static const bool kDebugTableTheme = false;
75static const bool kDebugResXMLTree = false;
76static const bool kDebugLibNoisy = false;
77
78// TODO: This code uses 0xFFFFFFFF converted to bag_set* as a sentinel value. This is bad practice.
79
80// Standard C isspace() is only required to look at the low byte of its input, so
81// produces incorrect results for UTF-16 characters.  For safety's sake, assume that
82// any high-byte UTF-16 code point is not whitespace.
83inline int isspace16(char16_t c) {
84    return (c < 0x0080 && isspace(c));
85}
86
87template<typename T>
88inline static T max(T a, T b) {
89    return a > b ? a : b;
90}
91
92// range checked; guaranteed to NUL-terminate within the stated number of available slots
93// NOTE: if this truncates the dst string due to running out of space, no attempt is
94// made to avoid splitting surrogate pairs.
95static void strcpy16_dtoh(char16_t* dst, const uint16_t* src, size_t avail)
96{
97    char16_t* last = dst + avail - 1;
98    while (*src && (dst < last)) {
99        char16_t s = dtohs(static_cast<char16_t>(*src));
100        *dst++ = s;
101        src++;
102    }
103    *dst = 0;
104}
105
106static status_t validate_chunk(const ResChunk_header* chunk,
107                               size_t minSize,
108                               const uint8_t* dataEnd,
109                               const char* name)
110{
111    const uint16_t headerSize = dtohs(chunk->headerSize);
112    const uint32_t size = dtohl(chunk->size);
113
114    if (headerSize >= minSize) {
115        if (headerSize <= size) {
116            if (((headerSize|size)&0x3) == 0) {
117                if ((size_t)size <= (size_t)(dataEnd-((const uint8_t*)chunk))) {
118                    return NO_ERROR;
119                }
120                ALOGW("%s data size 0x%x extends beyond resource end %p.",
121                     name, size, (void*)(dataEnd-((const uint8_t*)chunk)));
122                return BAD_TYPE;
123            }
124            ALOGW("%s size 0x%x or headerSize 0x%x is not on an integer boundary.",
125                 name, (int)size, (int)headerSize);
126            return BAD_TYPE;
127        }
128        ALOGW("%s size 0x%x is smaller than header size 0x%x.",
129             name, size, headerSize);
130        return BAD_TYPE;
131    }
132    ALOGW("%s header size 0x%04x is too small.",
133         name, headerSize);
134    return BAD_TYPE;
135}
136
137static void fill9patchOffsets(Res_png_9patch* patch) {
138    patch->xDivsOffset = sizeof(Res_png_9patch);
139    patch->yDivsOffset = patch->xDivsOffset + (patch->numXDivs * sizeof(int32_t));
140    patch->colorsOffset = patch->yDivsOffset + (patch->numYDivs * sizeof(int32_t));
141}
142
143void Res_value::copyFrom_dtoh(const Res_value& src)
144{
145    size = dtohs(src.size);
146    res0 = src.res0;
147    dataType = src.dataType;
148    data = dtohl(src.data);
149}
150
151void Res_png_9patch::deviceToFile()
152{
153    int32_t* xDivs = getXDivs();
154    for (int i = 0; i < numXDivs; i++) {
155        xDivs[i] = htonl(xDivs[i]);
156    }
157    int32_t* yDivs = getYDivs();
158    for (int i = 0; i < numYDivs; i++) {
159        yDivs[i] = htonl(yDivs[i]);
160    }
161    paddingLeft = htonl(paddingLeft);
162    paddingRight = htonl(paddingRight);
163    paddingTop = htonl(paddingTop);
164    paddingBottom = htonl(paddingBottom);
165    uint32_t* colors = getColors();
166    for (int i=0; i<numColors; i++) {
167        colors[i] = htonl(colors[i]);
168    }
169}
170
171void Res_png_9patch::fileToDevice()
172{
173    int32_t* xDivs = getXDivs();
174    for (int i = 0; i < numXDivs; i++) {
175        xDivs[i] = ntohl(xDivs[i]);
176    }
177    int32_t* yDivs = getYDivs();
178    for (int i = 0; i < numYDivs; i++) {
179        yDivs[i] = ntohl(yDivs[i]);
180    }
181    paddingLeft = ntohl(paddingLeft);
182    paddingRight = ntohl(paddingRight);
183    paddingTop = ntohl(paddingTop);
184    paddingBottom = ntohl(paddingBottom);
185    uint32_t* colors = getColors();
186    for (int i=0; i<numColors; i++) {
187        colors[i] = ntohl(colors[i]);
188    }
189}
190
191size_t Res_png_9patch::serializedSize() const
192{
193    // The size of this struct is 32 bytes on the 32-bit target system
194    // 4 * int8_t
195    // 4 * int32_t
196    // 3 * uint32_t
197    return 32
198            + numXDivs * sizeof(int32_t)
199            + numYDivs * sizeof(int32_t)
200            + numColors * sizeof(uint32_t);
201}
202
203void* Res_png_9patch::serialize(const Res_png_9patch& patch, const int32_t* xDivs,
204                                const int32_t* yDivs, const uint32_t* colors)
205{
206    // Use calloc since we're going to leave a few holes in the data
207    // and want this to run cleanly under valgrind
208    void* newData = calloc(1, patch.serializedSize());
209    serialize(patch, xDivs, yDivs, colors, newData);
210    return newData;
211}
212
213void Res_png_9patch::serialize(const Res_png_9patch& patch, const int32_t* xDivs,
214                               const int32_t* yDivs, const uint32_t* colors, void* outData)
215{
216    uint8_t* data = (uint8_t*) outData;
217    memcpy(data, &patch.wasDeserialized, 4);     // copy  wasDeserialized, numXDivs, numYDivs, numColors
218    memcpy(data + 12, &patch.paddingLeft, 16);   // copy paddingXXXX
219    data += 32;
220
221    memcpy(data, xDivs, patch.numXDivs * sizeof(int32_t));
222    data +=  patch.numXDivs * sizeof(int32_t);
223    memcpy(data, yDivs, patch.numYDivs * sizeof(int32_t));
224    data +=  patch.numYDivs * sizeof(int32_t);
225    memcpy(data, colors, patch.numColors * sizeof(uint32_t));
226
227    fill9patchOffsets(reinterpret_cast<Res_png_9patch*>(outData));
228}
229
230static bool assertIdmapHeader(const void* idmap, size_t size) {
231    if (reinterpret_cast<uintptr_t>(idmap) & 0x03) {
232        ALOGE("idmap: header is not word aligned");
233        return false;
234    }
235
236    if (size < ResTable::IDMAP_HEADER_SIZE_BYTES) {
237        ALOGW("idmap: header too small (%d bytes)", (uint32_t) size);
238        return false;
239    }
240
241    const uint32_t magic = htodl(*reinterpret_cast<const uint32_t*>(idmap));
242    if (magic != IDMAP_MAGIC) {
243        ALOGW("idmap: no magic found in header (is 0x%08x, expected 0x%08x)",
244             magic, IDMAP_MAGIC);
245        return false;
246    }
247
248    const uint32_t version = htodl(*(reinterpret_cast<const uint32_t*>(idmap) + 1));
249    if (version != IDMAP_CURRENT_VERSION) {
250        // We are strict about versions because files with this format are
251        // auto-generated and don't need backwards compatibility.
252        ALOGW("idmap: version mismatch in header (is 0x%08x, expected 0x%08x)",
253                version, IDMAP_CURRENT_VERSION);
254        return false;
255    }
256    return true;
257}
258
259class IdmapEntries {
260public:
261    IdmapEntries() : mData(NULL) {}
262
263    bool hasEntries() const {
264        if (mData == NULL) {
265            return false;
266        }
267
268        return (dtohs(*mData) > 0);
269    }
270
271    size_t byteSize() const {
272        if (mData == NULL) {
273            return 0;
274        }
275        uint16_t entryCount = dtohs(mData[2]);
276        return (sizeof(uint16_t) * 4) + (sizeof(uint32_t) * static_cast<size_t>(entryCount));
277    }
278
279    uint8_t targetTypeId() const {
280        if (mData == NULL) {
281            return 0;
282        }
283        return dtohs(mData[0]);
284    }
285
286    uint8_t overlayTypeId() const {
287        if (mData == NULL) {
288            return 0;
289        }
290        return dtohs(mData[1]);
291    }
292
293    status_t setTo(const void* entryHeader, size_t size) {
294        if (reinterpret_cast<uintptr_t>(entryHeader) & 0x03) {
295            ALOGE("idmap: entry header is not word aligned");
296            return UNKNOWN_ERROR;
297        }
298
299        if (size < sizeof(uint16_t) * 4) {
300            ALOGE("idmap: entry header is too small (%u bytes)", (uint32_t) size);
301            return UNKNOWN_ERROR;
302        }
303
304        const uint16_t* header = reinterpret_cast<const uint16_t*>(entryHeader);
305        const uint16_t targetTypeId = dtohs(header[0]);
306        const uint16_t overlayTypeId = dtohs(header[1]);
307        if (targetTypeId == 0 || overlayTypeId == 0 || targetTypeId > 255 || overlayTypeId > 255) {
308            ALOGE("idmap: invalid type map (%u -> %u)", targetTypeId, overlayTypeId);
309            return UNKNOWN_ERROR;
310        }
311
312        uint16_t entryCount = dtohs(header[2]);
313        if (size < sizeof(uint32_t) * (entryCount + 2)) {
314            ALOGE("idmap: too small (%u bytes) for the number of entries (%u)",
315                    (uint32_t) size, (uint32_t) entryCount);
316            return UNKNOWN_ERROR;
317        }
318        mData = header;
319        return NO_ERROR;
320    }
321
322    status_t lookup(uint16_t entryId, uint16_t* outEntryId) const {
323        uint16_t entryCount = dtohs(mData[2]);
324        uint16_t offset = dtohs(mData[3]);
325
326        if (entryId < offset) {
327            // The entry is not present in this idmap
328            return BAD_INDEX;
329        }
330
331        entryId -= offset;
332
333        if (entryId >= entryCount) {
334            // The entry is not present in this idmap
335            return BAD_INDEX;
336        }
337
338        // It is safe to access the type here without checking the size because
339        // we have checked this when it was first loaded.
340        const uint32_t* entries = reinterpret_cast<const uint32_t*>(mData) + 2;
341        uint32_t mappedEntry = dtohl(entries[entryId]);
342        if (mappedEntry == 0xffffffff) {
343            // This entry is not present in this idmap
344            return BAD_INDEX;
345        }
346        *outEntryId = static_cast<uint16_t>(mappedEntry);
347        return NO_ERROR;
348    }
349
350private:
351    const uint16_t* mData;
352};
353
354status_t parseIdmap(const void* idmap, size_t size, uint8_t* outPackageId, KeyedVector<uint8_t, IdmapEntries>* outMap) {
355    if (!assertIdmapHeader(idmap, size)) {
356        return UNKNOWN_ERROR;
357    }
358
359    size -= ResTable::IDMAP_HEADER_SIZE_BYTES;
360    if (size < sizeof(uint16_t) * 2) {
361        ALOGE("idmap: too small to contain any mapping");
362        return UNKNOWN_ERROR;
363    }
364
365    const uint16_t* data = reinterpret_cast<const uint16_t*>(
366            reinterpret_cast<const uint8_t*>(idmap) + ResTable::IDMAP_HEADER_SIZE_BYTES);
367
368    uint16_t targetPackageId = dtohs(*(data++));
369    if (targetPackageId == 0 || targetPackageId > 255) {
370        ALOGE("idmap: target package ID is invalid (%02x)", targetPackageId);
371        return UNKNOWN_ERROR;
372    }
373
374    uint16_t mapCount = dtohs(*(data++));
375    if (mapCount == 0) {
376        ALOGE("idmap: no mappings");
377        return UNKNOWN_ERROR;
378    }
379
380    if (mapCount > 255) {
381        ALOGW("idmap: too many mappings. Only 255 are possible but %u are present", (uint32_t) mapCount);
382    }
383
384    while (size > sizeof(uint16_t) * 4) {
385        IdmapEntries entries;
386        status_t err = entries.setTo(data, size);
387        if (err != NO_ERROR) {
388            return err;
389        }
390
391        ssize_t index = outMap->add(entries.overlayTypeId(), entries);
392        if (index < 0) {
393            return NO_MEMORY;
394        }
395
396        data += entries.byteSize() / sizeof(uint16_t);
397        size -= entries.byteSize();
398    }
399
400    if (outPackageId != NULL) {
401        *outPackageId = static_cast<uint8_t>(targetPackageId);
402    }
403    return NO_ERROR;
404}
405
406Res_png_9patch* Res_png_9patch::deserialize(void* inData)
407{
408
409    Res_png_9patch* patch = reinterpret_cast<Res_png_9patch*>(inData);
410    patch->wasDeserialized = true;
411    fill9patchOffsets(patch);
412
413    return patch;
414}
415
416// --------------------------------------------------------------------
417// --------------------------------------------------------------------
418// --------------------------------------------------------------------
419
420ResStringPool::ResStringPool()
421    : mError(NO_INIT), mOwnedData(NULL), mHeader(NULL), mCache(NULL)
422{
423}
424
425ResStringPool::ResStringPool(const void* data, size_t size, bool copyData)
426    : mError(NO_INIT), mOwnedData(NULL), mHeader(NULL), mCache(NULL)
427{
428    setTo(data, size, copyData);
429}
430
431ResStringPool::~ResStringPool()
432{
433    uninit();
434}
435
436void ResStringPool::setToEmpty()
437{
438    uninit();
439
440    mOwnedData = calloc(1, sizeof(ResStringPool_header));
441    ResStringPool_header* header = (ResStringPool_header*) mOwnedData;
442    mSize = 0;
443    mEntries = NULL;
444    mStrings = NULL;
445    mStringPoolSize = 0;
446    mEntryStyles = NULL;
447    mStyles = NULL;
448    mStylePoolSize = 0;
449    mHeader = (const ResStringPool_header*) header;
450}
451
452status_t ResStringPool::setTo(const void* data, size_t size, bool copyData)
453{
454    if (!data || !size) {
455        return (mError=BAD_TYPE);
456    }
457
458    uninit();
459
460    const bool notDeviceEndian = htods(0xf0) != 0xf0;
461
462    if (copyData || notDeviceEndian) {
463        mOwnedData = malloc(size);
464        if (mOwnedData == NULL) {
465            return (mError=NO_MEMORY);
466        }
467        memcpy(mOwnedData, data, size);
468        data = mOwnedData;
469    }
470
471    mHeader = (const ResStringPool_header*)data;
472
473    if (notDeviceEndian) {
474        ResStringPool_header* h = const_cast<ResStringPool_header*>(mHeader);
475        h->header.headerSize = dtohs(mHeader->header.headerSize);
476        h->header.type = dtohs(mHeader->header.type);
477        h->header.size = dtohl(mHeader->header.size);
478        h->stringCount = dtohl(mHeader->stringCount);
479        h->styleCount = dtohl(mHeader->styleCount);
480        h->flags = dtohl(mHeader->flags);
481        h->stringsStart = dtohl(mHeader->stringsStart);
482        h->stylesStart = dtohl(mHeader->stylesStart);
483    }
484
485    if (mHeader->header.headerSize > mHeader->header.size
486            || mHeader->header.size > size) {
487        ALOGW("Bad string block: header size %d or total size %d is larger than data size %d\n",
488                (int)mHeader->header.headerSize, (int)mHeader->header.size, (int)size);
489        return (mError=BAD_TYPE);
490    }
491    mSize = mHeader->header.size;
492    mEntries = (const uint32_t*)
493        (((const uint8_t*)data)+mHeader->header.headerSize);
494
495    if (mHeader->stringCount > 0) {
496        if ((mHeader->stringCount*sizeof(uint32_t) < mHeader->stringCount)  // uint32 overflow?
497            || (mHeader->header.headerSize+(mHeader->stringCount*sizeof(uint32_t)))
498                > size) {
499            ALOGW("Bad string block: entry of %d items extends past data size %d\n",
500                    (int)(mHeader->header.headerSize+(mHeader->stringCount*sizeof(uint32_t))),
501                    (int)size);
502            return (mError=BAD_TYPE);
503        }
504
505        size_t charSize;
506        if (mHeader->flags&ResStringPool_header::UTF8_FLAG) {
507            charSize = sizeof(uint8_t);
508        } else {
509            charSize = sizeof(uint16_t);
510        }
511
512        // There should be at least space for the smallest string
513        // (2 bytes length, null terminator).
514        if (mHeader->stringsStart >= (mSize - sizeof(uint16_t))) {
515            ALOGW("Bad string block: string pool starts at %d, after total size %d\n",
516                    (int)mHeader->stringsStart, (int)mHeader->header.size);
517            return (mError=BAD_TYPE);
518        }
519
520        mStrings = (const void*)
521            (((const uint8_t*)data) + mHeader->stringsStart);
522
523        if (mHeader->styleCount == 0) {
524            mStringPoolSize = (mSize - mHeader->stringsStart) / charSize;
525        } else {
526            // check invariant: styles starts before end of data
527            if (mHeader->stylesStart >= (mSize - sizeof(uint16_t))) {
528                ALOGW("Bad style block: style block starts at %d past data size of %d\n",
529                    (int)mHeader->stylesStart, (int)mHeader->header.size);
530                return (mError=BAD_TYPE);
531            }
532            // check invariant: styles follow the strings
533            if (mHeader->stylesStart <= mHeader->stringsStart) {
534                ALOGW("Bad style block: style block starts at %d, before strings at %d\n",
535                    (int)mHeader->stylesStart, (int)mHeader->stringsStart);
536                return (mError=BAD_TYPE);
537            }
538            mStringPoolSize =
539                (mHeader->stylesStart-mHeader->stringsStart)/charSize;
540        }
541
542        // check invariant: stringCount > 0 requires a string pool to exist
543        if (mStringPoolSize == 0) {
544            ALOGW("Bad string block: stringCount is %d but pool size is 0\n", (int)mHeader->stringCount);
545            return (mError=BAD_TYPE);
546        }
547
548        if (notDeviceEndian) {
549            size_t i;
550            uint32_t* e = const_cast<uint32_t*>(mEntries);
551            for (i=0; i<mHeader->stringCount; i++) {
552                e[i] = dtohl(mEntries[i]);
553            }
554            if (!(mHeader->flags&ResStringPool_header::UTF8_FLAG)) {
555                const uint16_t* strings = (const uint16_t*)mStrings;
556                uint16_t* s = const_cast<uint16_t*>(strings);
557                for (i=0; i<mStringPoolSize; i++) {
558                    s[i] = dtohs(strings[i]);
559                }
560            }
561        }
562
563        if ((mHeader->flags&ResStringPool_header::UTF8_FLAG &&
564                ((uint8_t*)mStrings)[mStringPoolSize-1] != 0) ||
565                (!(mHeader->flags&ResStringPool_header::UTF8_FLAG) &&
566                ((uint16_t*)mStrings)[mStringPoolSize-1] != 0)) {
567            ALOGW("Bad string block: last string is not 0-terminated\n");
568            return (mError=BAD_TYPE);
569        }
570    } else {
571        mStrings = NULL;
572        mStringPoolSize = 0;
573    }
574
575    if (mHeader->styleCount > 0) {
576        mEntryStyles = mEntries + mHeader->stringCount;
577        // invariant: integer overflow in calculating mEntryStyles
578        if (mEntryStyles < mEntries) {
579            ALOGW("Bad string block: integer overflow finding styles\n");
580            return (mError=BAD_TYPE);
581        }
582
583        if (((const uint8_t*)mEntryStyles-(const uint8_t*)mHeader) > (int)size) {
584            ALOGW("Bad string block: entry of %d styles extends past data size %d\n",
585                    (int)((const uint8_t*)mEntryStyles-(const uint8_t*)mHeader),
586                    (int)size);
587            return (mError=BAD_TYPE);
588        }
589        mStyles = (const uint32_t*)
590            (((const uint8_t*)data)+mHeader->stylesStart);
591        if (mHeader->stylesStart >= mHeader->header.size) {
592            ALOGW("Bad string block: style pool starts %d, after total size %d\n",
593                    (int)mHeader->stylesStart, (int)mHeader->header.size);
594            return (mError=BAD_TYPE);
595        }
596        mStylePoolSize =
597            (mHeader->header.size-mHeader->stylesStart)/sizeof(uint32_t);
598
599        if (notDeviceEndian) {
600            size_t i;
601            uint32_t* e = const_cast<uint32_t*>(mEntryStyles);
602            for (i=0; i<mHeader->styleCount; i++) {
603                e[i] = dtohl(mEntryStyles[i]);
604            }
605            uint32_t* s = const_cast<uint32_t*>(mStyles);
606            for (i=0; i<mStylePoolSize; i++) {
607                s[i] = dtohl(mStyles[i]);
608            }
609        }
610
611        const ResStringPool_span endSpan = {
612            { htodl(ResStringPool_span::END) },
613            htodl(ResStringPool_span::END), htodl(ResStringPool_span::END)
614        };
615        if (memcmp(&mStyles[mStylePoolSize-(sizeof(endSpan)/sizeof(uint32_t))],
616                   &endSpan, sizeof(endSpan)) != 0) {
617            ALOGW("Bad string block: last style is not 0xFFFFFFFF-terminated\n");
618            return (mError=BAD_TYPE);
619        }
620    } else {
621        mEntryStyles = NULL;
622        mStyles = NULL;
623        mStylePoolSize = 0;
624    }
625
626    return (mError=NO_ERROR);
627}
628
629status_t ResStringPool::getError() const
630{
631    return mError;
632}
633
634void ResStringPool::uninit()
635{
636    mError = NO_INIT;
637    if (mHeader != NULL && mCache != NULL) {
638        for (size_t x = 0; x < mHeader->stringCount; x++) {
639            if (mCache[x] != NULL) {
640                free(mCache[x]);
641                mCache[x] = NULL;
642            }
643        }
644        free(mCache);
645        mCache = NULL;
646    }
647    if (mOwnedData) {
648        free(mOwnedData);
649        mOwnedData = NULL;
650    }
651}
652
653/**
654 * Strings in UTF-16 format have length indicated by a length encoded in the
655 * stored data. It is either 1 or 2 characters of length data. This allows a
656 * maximum length of 0x7FFFFFF (2147483647 bytes), but if you're storing that
657 * much data in a string, you're abusing them.
658 *
659 * If the high bit is set, then there are two characters or 4 bytes of length
660 * data encoded. In that case, drop the high bit of the first character and
661 * add it together with the next character.
662 */
663static inline size_t
664decodeLength(const uint16_t** str)
665{
666    size_t len = **str;
667    if ((len & 0x8000) != 0) {
668        (*str)++;
669        len = ((len & 0x7FFF) << 16) | **str;
670    }
671    (*str)++;
672    return len;
673}
674
675/**
676 * Strings in UTF-8 format have length indicated by a length encoded in the
677 * stored data. It is either 1 or 2 characters of length data. This allows a
678 * maximum length of 0x7FFF (32767 bytes), but you should consider storing
679 * text in another way if you're using that much data in a single string.
680 *
681 * If the high bit is set, then there are two characters or 2 bytes of length
682 * data encoded. In that case, drop the high bit of the first character and
683 * add it together with the next character.
684 */
685static inline size_t
686decodeLength(const uint8_t** str)
687{
688    size_t len = **str;
689    if ((len & 0x80) != 0) {
690        (*str)++;
691        len = ((len & 0x7F) << 8) | **str;
692    }
693    (*str)++;
694    return len;
695}
696
697const char16_t* ResStringPool::stringAt(size_t idx, size_t* u16len) const
698{
699    if (mError == NO_ERROR && idx < mHeader->stringCount) {
700        const bool isUTF8 = (mHeader->flags&ResStringPool_header::UTF8_FLAG) != 0;
701        const uint32_t off = mEntries[idx]/(isUTF8?sizeof(uint8_t):sizeof(uint16_t));
702        if (off < (mStringPoolSize-1)) {
703            if (!isUTF8) {
704                const uint16_t* strings = (uint16_t*)mStrings;
705                const uint16_t* str = strings+off;
706
707                *u16len = decodeLength(&str);
708                if ((uint32_t)(str+*u16len-strings) < mStringPoolSize) {
709                    // Reject malformed (non null-terminated) strings
710                    if (str[*u16len] != 0x0000) {
711                        ALOGW("Bad string block: string #%d is not null-terminated",
712                              (int)idx);
713                        return NULL;
714                    }
715                    return reinterpret_cast<const char16_t*>(str);
716                } else {
717                    ALOGW("Bad string block: string #%d extends to %d, past end at %d\n",
718                            (int)idx, (int)(str+*u16len-strings), (int)mStringPoolSize);
719                }
720            } else {
721                const uint8_t* strings = (uint8_t*)mStrings;
722                const uint8_t* u8str = strings+off;
723
724                *u16len = decodeLength(&u8str);
725                size_t u8len = decodeLength(&u8str);
726
727                // encLen must be less than 0x7FFF due to encoding.
728                if ((uint32_t)(u8str+u8len-strings) < mStringPoolSize) {
729                    AutoMutex lock(mDecodeLock);
730
731                    if (mCache == NULL) {
732#ifndef __ANDROID__
733                        if (kDebugStringPoolNoisy) {
734                            ALOGI("CREATING STRING CACHE OF %zu bytes",
735                                    mHeader->stringCount*sizeof(char16_t**));
736                        }
737#else
738                        // We do not want to be in this case when actually running Android.
739                        ALOGW("CREATING STRING CACHE OF %zu bytes",
740                                static_cast<size_t>(mHeader->stringCount*sizeof(char16_t**)));
741#endif
742                        mCache = (char16_t**)calloc(mHeader->stringCount, sizeof(char16_t*));
743                        if (mCache == NULL) {
744                            ALOGW("No memory trying to allocate decode cache table of %d bytes\n",
745                                    (int)(mHeader->stringCount*sizeof(char16_t**)));
746                            return NULL;
747                        }
748                    }
749
750                    if (mCache[idx] != NULL) {
751                        return mCache[idx];
752                    }
753
754                    ssize_t actualLen = utf8_to_utf16_length(u8str, u8len);
755                    if (actualLen < 0 || (size_t)actualLen != *u16len) {
756                        ALOGW("Bad string block: string #%lld decoded length is not correct "
757                                "%lld vs %llu\n",
758                                (long long)idx, (long long)actualLen, (long long)*u16len);
759                        return NULL;
760                    }
761
762                    // Reject malformed (non null-terminated) strings
763                    if (u8str[u8len] != 0x00) {
764                        ALOGW("Bad string block: string #%d is not null-terminated",
765                              (int)idx);
766                        return NULL;
767                    }
768
769                    char16_t *u16str = (char16_t *)calloc(*u16len+1, sizeof(char16_t));
770                    if (!u16str) {
771                        ALOGW("No memory when trying to allocate decode cache for string #%d\n",
772                                (int)idx);
773                        return NULL;
774                    }
775
776                    if (kDebugStringPoolNoisy) {
777                        ALOGI("Caching UTF8 string: %s", u8str);
778                    }
779                    utf8_to_utf16(u8str, u8len, u16str, *u16len + 1);
780                    mCache[idx] = u16str;
781                    return u16str;
782                } else {
783                    ALOGW("Bad string block: string #%lld extends to %lld, past end at %lld\n",
784                            (long long)idx, (long long)(u8str+u8len-strings),
785                            (long long)mStringPoolSize);
786                }
787            }
788        } else {
789            ALOGW("Bad string block: string #%d entry is at %d, past end at %d\n",
790                    (int)idx, (int)(off*sizeof(uint16_t)),
791                    (int)(mStringPoolSize*sizeof(uint16_t)));
792        }
793    }
794    return NULL;
795}
796
797const char* ResStringPool::string8At(size_t idx, size_t* outLen) const
798{
799    if (mError == NO_ERROR && idx < mHeader->stringCount) {
800        if ((mHeader->flags&ResStringPool_header::UTF8_FLAG) == 0) {
801            return NULL;
802        }
803        const uint32_t off = mEntries[idx]/sizeof(char);
804        if (off < (mStringPoolSize-1)) {
805            const uint8_t* strings = (uint8_t*)mStrings;
806            const uint8_t* str = strings+off;
807
808            // Decode the UTF-16 length. This is not used if we're not
809            // converting to UTF-16 from UTF-8.
810            decodeLength(&str);
811
812            const size_t encLen = decodeLength(&str);
813            *outLen = encLen;
814
815            if ((uint32_t)(str+encLen-strings) < mStringPoolSize) {
816                return (const char*)str;
817            } else {
818                ALOGW("Bad string block: string #%d extends to %d, past end at %d\n",
819                        (int)idx, (int)(str+encLen-strings), (int)mStringPoolSize);
820            }
821        } else {
822            ALOGW("Bad string block: string #%d entry is at %d, past end at %d\n",
823                    (int)idx, (int)(off*sizeof(uint16_t)),
824                    (int)(mStringPoolSize*sizeof(uint16_t)));
825        }
826    }
827    return NULL;
828}
829
830const String8 ResStringPool::string8ObjectAt(size_t idx) const
831{
832    size_t len;
833    const char *str = string8At(idx, &len);
834    if (str != NULL) {
835        return String8(str, len);
836    }
837
838    const char16_t *str16 = stringAt(idx, &len);
839    if (str16 != NULL) {
840        return String8(str16, len);
841    }
842    return String8();
843}
844
845const ResStringPool_span* ResStringPool::styleAt(const ResStringPool_ref& ref) const
846{
847    return styleAt(ref.index);
848}
849
850const ResStringPool_span* ResStringPool::styleAt(size_t idx) const
851{
852    if (mError == NO_ERROR && idx < mHeader->styleCount) {
853        const uint32_t off = (mEntryStyles[idx]/sizeof(uint32_t));
854        if (off < mStylePoolSize) {
855            return (const ResStringPool_span*)(mStyles+off);
856        } else {
857            ALOGW("Bad string block: style #%d entry is at %d, past end at %d\n",
858                    (int)idx, (int)(off*sizeof(uint32_t)),
859                    (int)(mStylePoolSize*sizeof(uint32_t)));
860        }
861    }
862    return NULL;
863}
864
865ssize_t ResStringPool::indexOfString(const char16_t* str, size_t strLen) const
866{
867    if (mError != NO_ERROR) {
868        return mError;
869    }
870
871    size_t len;
872
873    if ((mHeader->flags&ResStringPool_header::UTF8_FLAG) != 0) {
874        if (kDebugStringPoolNoisy) {
875            ALOGI("indexOfString UTF-8: %s", String8(str, strLen).string());
876        }
877
878        // The string pool contains UTF 8 strings; we don't want to cause
879        // temporary UTF-16 strings to be created as we search.
880        if (mHeader->flags&ResStringPool_header::SORTED_FLAG) {
881            // Do a binary search for the string...  this is a little tricky,
882            // because the strings are sorted with strzcmp16().  So to match
883            // the ordering, we need to convert strings in the pool to UTF-16.
884            // But we don't want to hit the cache, so instead we will have a
885            // local temporary allocation for the conversions.
886            size_t convBufferLen = strLen + 4;
887            char16_t* convBuffer = (char16_t*)calloc(convBufferLen, sizeof(char16_t));
888            ssize_t l = 0;
889            ssize_t h = mHeader->stringCount-1;
890
891            ssize_t mid;
892            while (l <= h) {
893                mid = l + (h - l)/2;
894                const uint8_t* s = (const uint8_t*)string8At(mid, &len);
895                int c;
896                if (s != NULL) {
897                    char16_t* end = utf8_to_utf16(s, len, convBuffer, convBufferLen);
898                    c = strzcmp16(convBuffer, end-convBuffer, str, strLen);
899                } else {
900                    c = -1;
901                }
902                if (kDebugStringPoolNoisy) {
903                    ALOGI("Looking at %s, cmp=%d, l/mid/h=%d/%d/%d\n",
904                            (const char*)s, c, (int)l, (int)mid, (int)h);
905                }
906                if (c == 0) {
907                    if (kDebugStringPoolNoisy) {
908                        ALOGI("MATCH!");
909                    }
910                    free(convBuffer);
911                    return mid;
912                } else if (c < 0) {
913                    l = mid + 1;
914                } else {
915                    h = mid - 1;
916                }
917            }
918            free(convBuffer);
919        } else {
920            // It is unusual to get the ID from an unsorted string block...
921            // most often this happens because we want to get IDs for style
922            // span tags; since those always appear at the end of the string
923            // block, start searching at the back.
924            String8 str8(str, strLen);
925            const size_t str8Len = str8.size();
926            for (int i=mHeader->stringCount-1; i>=0; i--) {
927                const char* s = string8At(i, &len);
928                if (kDebugStringPoolNoisy) {
929                    ALOGI("Looking at %s, i=%d\n", String8(s).string(), i);
930                }
931                if (s && str8Len == len && memcmp(s, str8.string(), str8Len) == 0) {
932                    if (kDebugStringPoolNoisy) {
933                        ALOGI("MATCH!");
934                    }
935                    return i;
936                }
937            }
938        }
939
940    } else {
941        if (kDebugStringPoolNoisy) {
942            ALOGI("indexOfString UTF-16: %s", String8(str, strLen).string());
943        }
944
945        if (mHeader->flags&ResStringPool_header::SORTED_FLAG) {
946            // Do a binary search for the string...
947            ssize_t l = 0;
948            ssize_t h = mHeader->stringCount-1;
949
950            ssize_t mid;
951            while (l <= h) {
952                mid = l + (h - l)/2;
953                const char16_t* s = stringAt(mid, &len);
954                int c = s ? strzcmp16(s, len, str, strLen) : -1;
955                if (kDebugStringPoolNoisy) {
956                    ALOGI("Looking at %s, cmp=%d, l/mid/h=%d/%d/%d\n",
957                            String8(s).string(), c, (int)l, (int)mid, (int)h);
958                }
959                if (c == 0) {
960                    if (kDebugStringPoolNoisy) {
961                        ALOGI("MATCH!");
962                    }
963                    return mid;
964                } else if (c < 0) {
965                    l = mid + 1;
966                } else {
967                    h = mid - 1;
968                }
969            }
970        } else {
971            // It is unusual to get the ID from an unsorted string block...
972            // most often this happens because we want to get IDs for style
973            // span tags; since those always appear at the end of the string
974            // block, start searching at the back.
975            for (int i=mHeader->stringCount-1; i>=0; i--) {
976                const char16_t* s = stringAt(i, &len);
977                if (kDebugStringPoolNoisy) {
978                    ALOGI("Looking at %s, i=%d\n", String8(s).string(), i);
979                }
980                if (s && strLen == len && strzcmp16(s, len, str, strLen) == 0) {
981                    if (kDebugStringPoolNoisy) {
982                        ALOGI("MATCH!");
983                    }
984                    return i;
985                }
986            }
987        }
988    }
989
990    return NAME_NOT_FOUND;
991}
992
993size_t ResStringPool::size() const
994{
995    return (mError == NO_ERROR) ? mHeader->stringCount : 0;
996}
997
998size_t ResStringPool::styleCount() const
999{
1000    return (mError == NO_ERROR) ? mHeader->styleCount : 0;
1001}
1002
1003size_t ResStringPool::bytes() const
1004{
1005    return (mError == NO_ERROR) ? mHeader->header.size : 0;
1006}
1007
1008bool ResStringPool::isSorted() const
1009{
1010    return (mHeader->flags&ResStringPool_header::SORTED_FLAG)!=0;
1011}
1012
1013bool ResStringPool::isUTF8() const
1014{
1015    return (mHeader->flags&ResStringPool_header::UTF8_FLAG)!=0;
1016}
1017
1018// --------------------------------------------------------------------
1019// --------------------------------------------------------------------
1020// --------------------------------------------------------------------
1021
1022ResXMLParser::ResXMLParser(const ResXMLTree& tree)
1023    : mTree(tree), mEventCode(BAD_DOCUMENT)
1024{
1025}
1026
1027void ResXMLParser::restart()
1028{
1029    mCurNode = NULL;
1030    mEventCode = mTree.mError == NO_ERROR ? START_DOCUMENT : BAD_DOCUMENT;
1031}
1032const ResStringPool& ResXMLParser::getStrings() const
1033{
1034    return mTree.mStrings;
1035}
1036
1037ResXMLParser::event_code_t ResXMLParser::getEventType() const
1038{
1039    return mEventCode;
1040}
1041
1042ResXMLParser::event_code_t ResXMLParser::next()
1043{
1044    if (mEventCode == START_DOCUMENT) {
1045        mCurNode = mTree.mRootNode;
1046        mCurExt = mTree.mRootExt;
1047        return (mEventCode=mTree.mRootCode);
1048    } else if (mEventCode >= FIRST_CHUNK_CODE) {
1049        return nextNode();
1050    }
1051    return mEventCode;
1052}
1053
1054int32_t ResXMLParser::getCommentID() const
1055{
1056    return mCurNode != NULL ? dtohl(mCurNode->comment.index) : -1;
1057}
1058
1059const char16_t* ResXMLParser::getComment(size_t* outLen) const
1060{
1061    int32_t id = getCommentID();
1062    return id >= 0 ? mTree.mStrings.stringAt(id, outLen) : NULL;
1063}
1064
1065uint32_t ResXMLParser::getLineNumber() const
1066{
1067    return mCurNode != NULL ? dtohl(mCurNode->lineNumber) : -1;
1068}
1069
1070int32_t ResXMLParser::getTextID() const
1071{
1072    if (mEventCode == TEXT) {
1073        return dtohl(((const ResXMLTree_cdataExt*)mCurExt)->data.index);
1074    }
1075    return -1;
1076}
1077
1078const char16_t* ResXMLParser::getText(size_t* outLen) const
1079{
1080    int32_t id = getTextID();
1081    return id >= 0 ? mTree.mStrings.stringAt(id, outLen) : NULL;
1082}
1083
1084ssize_t ResXMLParser::getTextValue(Res_value* outValue) const
1085{
1086    if (mEventCode == TEXT) {
1087        outValue->copyFrom_dtoh(((const ResXMLTree_cdataExt*)mCurExt)->typedData);
1088        return sizeof(Res_value);
1089    }
1090    return BAD_TYPE;
1091}
1092
1093int32_t ResXMLParser::getNamespacePrefixID() const
1094{
1095    if (mEventCode == START_NAMESPACE || mEventCode == END_NAMESPACE) {
1096        return dtohl(((const ResXMLTree_namespaceExt*)mCurExt)->prefix.index);
1097    }
1098    return -1;
1099}
1100
1101const char16_t* ResXMLParser::getNamespacePrefix(size_t* outLen) const
1102{
1103    int32_t id = getNamespacePrefixID();
1104    //printf("prefix=%d  event=%p\n", id, mEventCode);
1105    return id >= 0 ? mTree.mStrings.stringAt(id, outLen) : NULL;
1106}
1107
1108int32_t ResXMLParser::getNamespaceUriID() const
1109{
1110    if (mEventCode == START_NAMESPACE || mEventCode == END_NAMESPACE) {
1111        return dtohl(((const ResXMLTree_namespaceExt*)mCurExt)->uri.index);
1112    }
1113    return -1;
1114}
1115
1116const char16_t* ResXMLParser::getNamespaceUri(size_t* outLen) const
1117{
1118    int32_t id = getNamespaceUriID();
1119    //printf("uri=%d  event=%p\n", id, mEventCode);
1120    return id >= 0 ? mTree.mStrings.stringAt(id, outLen) : NULL;
1121}
1122
1123int32_t ResXMLParser::getElementNamespaceID() const
1124{
1125    if (mEventCode == START_TAG) {
1126        return dtohl(((const ResXMLTree_attrExt*)mCurExt)->ns.index);
1127    }
1128    if (mEventCode == END_TAG) {
1129        return dtohl(((const ResXMLTree_endElementExt*)mCurExt)->ns.index);
1130    }
1131    return -1;
1132}
1133
1134const char16_t* ResXMLParser::getElementNamespace(size_t* outLen) const
1135{
1136    int32_t id = getElementNamespaceID();
1137    return id >= 0 ? mTree.mStrings.stringAt(id, outLen) : NULL;
1138}
1139
1140int32_t ResXMLParser::getElementNameID() const
1141{
1142    if (mEventCode == START_TAG) {
1143        return dtohl(((const ResXMLTree_attrExt*)mCurExt)->name.index);
1144    }
1145    if (mEventCode == END_TAG) {
1146        return dtohl(((const ResXMLTree_endElementExt*)mCurExt)->name.index);
1147    }
1148    return -1;
1149}
1150
1151const char16_t* ResXMLParser::getElementName(size_t* outLen) const
1152{
1153    int32_t id = getElementNameID();
1154    return id >= 0 ? mTree.mStrings.stringAt(id, outLen) : NULL;
1155}
1156
1157size_t ResXMLParser::getAttributeCount() const
1158{
1159    if (mEventCode == START_TAG) {
1160        return dtohs(((const ResXMLTree_attrExt*)mCurExt)->attributeCount);
1161    }
1162    return 0;
1163}
1164
1165int32_t ResXMLParser::getAttributeNamespaceID(size_t idx) const
1166{
1167    if (mEventCode == START_TAG) {
1168        const ResXMLTree_attrExt* tag = (const ResXMLTree_attrExt*)mCurExt;
1169        if (idx < dtohs(tag->attributeCount)) {
1170            const ResXMLTree_attribute* attr = (const ResXMLTree_attribute*)
1171                (((const uint8_t*)tag)
1172                 + dtohs(tag->attributeStart)
1173                 + (dtohs(tag->attributeSize)*idx));
1174            return dtohl(attr->ns.index);
1175        }
1176    }
1177    return -2;
1178}
1179
1180const char16_t* ResXMLParser::getAttributeNamespace(size_t idx, size_t* outLen) const
1181{
1182    int32_t id = getAttributeNamespaceID(idx);
1183    //printf("attribute namespace=%d  idx=%d  event=%p\n", id, idx, mEventCode);
1184    if (kDebugXMLNoisy) {
1185        printf("getAttributeNamespace 0x%zx=0x%x\n", idx, id);
1186    }
1187    return id >= 0 ? mTree.mStrings.stringAt(id, outLen) : NULL;
1188}
1189
1190const char* ResXMLParser::getAttributeNamespace8(size_t idx, size_t* outLen) const
1191{
1192    int32_t id = getAttributeNamespaceID(idx);
1193    //printf("attribute namespace=%d  idx=%d  event=%p\n", id, idx, mEventCode);
1194    if (kDebugXMLNoisy) {
1195        printf("getAttributeNamespace 0x%zx=0x%x\n", idx, id);
1196    }
1197    return id >= 0 ? mTree.mStrings.string8At(id, outLen) : NULL;
1198}
1199
1200int32_t ResXMLParser::getAttributeNameID(size_t idx) const
1201{
1202    if (mEventCode == START_TAG) {
1203        const ResXMLTree_attrExt* tag = (const ResXMLTree_attrExt*)mCurExt;
1204        if (idx < dtohs(tag->attributeCount)) {
1205            const ResXMLTree_attribute* attr = (const ResXMLTree_attribute*)
1206                (((const uint8_t*)tag)
1207                 + dtohs(tag->attributeStart)
1208                 + (dtohs(tag->attributeSize)*idx));
1209            return dtohl(attr->name.index);
1210        }
1211    }
1212    return -1;
1213}
1214
1215const char16_t* ResXMLParser::getAttributeName(size_t idx, size_t* outLen) const
1216{
1217    int32_t id = getAttributeNameID(idx);
1218    //printf("attribute name=%d  idx=%d  event=%p\n", id, idx, mEventCode);
1219    if (kDebugXMLNoisy) {
1220        printf("getAttributeName 0x%zx=0x%x\n", idx, id);
1221    }
1222    return id >= 0 ? mTree.mStrings.stringAt(id, outLen) : NULL;
1223}
1224
1225const char* ResXMLParser::getAttributeName8(size_t idx, size_t* outLen) const
1226{
1227    int32_t id = getAttributeNameID(idx);
1228    //printf("attribute name=%d  idx=%d  event=%p\n", id, idx, mEventCode);
1229    if (kDebugXMLNoisy) {
1230        printf("getAttributeName 0x%zx=0x%x\n", idx, id);
1231    }
1232    return id >= 0 ? mTree.mStrings.string8At(id, outLen) : NULL;
1233}
1234
1235uint32_t ResXMLParser::getAttributeNameResID(size_t idx) const
1236{
1237    int32_t id = getAttributeNameID(idx);
1238    if (id >= 0 && (size_t)id < mTree.mNumResIds) {
1239        uint32_t resId = dtohl(mTree.mResIds[id]);
1240        if (mTree.mDynamicRefTable != NULL) {
1241            mTree.mDynamicRefTable->lookupResourceId(&resId);
1242        }
1243        return resId;
1244    }
1245    return 0;
1246}
1247
1248int32_t ResXMLParser::getAttributeValueStringID(size_t idx) const
1249{
1250    if (mEventCode == START_TAG) {
1251        const ResXMLTree_attrExt* tag = (const ResXMLTree_attrExt*)mCurExt;
1252        if (idx < dtohs(tag->attributeCount)) {
1253            const ResXMLTree_attribute* attr = (const ResXMLTree_attribute*)
1254                (((const uint8_t*)tag)
1255                 + dtohs(tag->attributeStart)
1256                 + (dtohs(tag->attributeSize)*idx));
1257            return dtohl(attr->rawValue.index);
1258        }
1259    }
1260    return -1;
1261}
1262
1263const char16_t* ResXMLParser::getAttributeStringValue(size_t idx, size_t* outLen) const
1264{
1265    int32_t id = getAttributeValueStringID(idx);
1266    if (kDebugXMLNoisy) {
1267        printf("getAttributeValue 0x%zx=0x%x\n", idx, id);
1268    }
1269    return id >= 0 ? mTree.mStrings.stringAt(id, outLen) : NULL;
1270}
1271
1272int32_t ResXMLParser::getAttributeDataType(size_t idx) const
1273{
1274    if (mEventCode == START_TAG) {
1275        const ResXMLTree_attrExt* tag = (const ResXMLTree_attrExt*)mCurExt;
1276        if (idx < dtohs(tag->attributeCount)) {
1277            const ResXMLTree_attribute* attr = (const ResXMLTree_attribute*)
1278                (((const uint8_t*)tag)
1279                 + dtohs(tag->attributeStart)
1280                 + (dtohs(tag->attributeSize)*idx));
1281            uint8_t type = attr->typedValue.dataType;
1282            if (type != Res_value::TYPE_DYNAMIC_REFERENCE) {
1283                return type;
1284            }
1285
1286            // This is a dynamic reference. We adjust those references
1287            // to regular references at this level, so lie to the caller.
1288            return Res_value::TYPE_REFERENCE;
1289        }
1290    }
1291    return Res_value::TYPE_NULL;
1292}
1293
1294int32_t ResXMLParser::getAttributeData(size_t idx) const
1295{
1296    if (mEventCode == START_TAG) {
1297        const ResXMLTree_attrExt* tag = (const ResXMLTree_attrExt*)mCurExt;
1298        if (idx < dtohs(tag->attributeCount)) {
1299            const ResXMLTree_attribute* attr = (const ResXMLTree_attribute*)
1300                (((const uint8_t*)tag)
1301                 + dtohs(tag->attributeStart)
1302                 + (dtohs(tag->attributeSize)*idx));
1303            if (attr->typedValue.dataType != Res_value::TYPE_DYNAMIC_REFERENCE ||
1304                    mTree.mDynamicRefTable == NULL) {
1305                return dtohl(attr->typedValue.data);
1306            }
1307
1308            uint32_t data = dtohl(attr->typedValue.data);
1309            if (mTree.mDynamicRefTable->lookupResourceId(&data) == NO_ERROR) {
1310                return data;
1311            }
1312        }
1313    }
1314    return 0;
1315}
1316
1317ssize_t ResXMLParser::getAttributeValue(size_t idx, Res_value* outValue) const
1318{
1319    if (mEventCode == START_TAG) {
1320        const ResXMLTree_attrExt* tag = (const ResXMLTree_attrExt*)mCurExt;
1321        if (idx < dtohs(tag->attributeCount)) {
1322            const ResXMLTree_attribute* attr = (const ResXMLTree_attribute*)
1323                (((const uint8_t*)tag)
1324                 + dtohs(tag->attributeStart)
1325                 + (dtohs(tag->attributeSize)*idx));
1326            outValue->copyFrom_dtoh(attr->typedValue);
1327            if (mTree.mDynamicRefTable != NULL &&
1328                    mTree.mDynamicRefTable->lookupResourceValue(outValue) != NO_ERROR) {
1329                return BAD_TYPE;
1330            }
1331            return sizeof(Res_value);
1332        }
1333    }
1334    return BAD_TYPE;
1335}
1336
1337ssize_t ResXMLParser::indexOfAttribute(const char* ns, const char* attr) const
1338{
1339    String16 nsStr(ns != NULL ? ns : "");
1340    String16 attrStr(attr);
1341    return indexOfAttribute(ns ? nsStr.string() : NULL, ns ? nsStr.size() : 0,
1342                            attrStr.string(), attrStr.size());
1343}
1344
1345ssize_t ResXMLParser::indexOfAttribute(const char16_t* ns, size_t nsLen,
1346                                       const char16_t* attr, size_t attrLen) const
1347{
1348    if (mEventCode == START_TAG) {
1349        if (attr == NULL) {
1350            return NAME_NOT_FOUND;
1351        }
1352        const size_t N = getAttributeCount();
1353        if (mTree.mStrings.isUTF8()) {
1354            String8 ns8, attr8;
1355            if (ns != NULL) {
1356                ns8 = String8(ns, nsLen);
1357            }
1358            attr8 = String8(attr, attrLen);
1359            if (kDebugStringPoolNoisy) {
1360                ALOGI("indexOfAttribute UTF8 %s (%zu) / %s (%zu)", ns8.string(), nsLen,
1361                        attr8.string(), attrLen);
1362            }
1363            for (size_t i=0; i<N; i++) {
1364                size_t curNsLen = 0, curAttrLen = 0;
1365                const char* curNs = getAttributeNamespace8(i, &curNsLen);
1366                const char* curAttr = getAttributeName8(i, &curAttrLen);
1367                if (kDebugStringPoolNoisy) {
1368                    ALOGI("  curNs=%s (%zu), curAttr=%s (%zu)", curNs, curNsLen, curAttr, curAttrLen);
1369                }
1370                if (curAttr != NULL && curNsLen == nsLen && curAttrLen == attrLen
1371                        && memcmp(attr8.string(), curAttr, attrLen) == 0) {
1372                    if (ns == NULL) {
1373                        if (curNs == NULL) {
1374                            if (kDebugStringPoolNoisy) {
1375                                ALOGI("  FOUND!");
1376                            }
1377                            return i;
1378                        }
1379                    } else if (curNs != NULL) {
1380                        //printf(" --> ns=%s, curNs=%s\n",
1381                        //       String8(ns).string(), String8(curNs).string());
1382                        if (memcmp(ns8.string(), curNs, nsLen) == 0) {
1383                            if (kDebugStringPoolNoisy) {
1384                                ALOGI("  FOUND!");
1385                            }
1386                            return i;
1387                        }
1388                    }
1389                }
1390            }
1391        } else {
1392            if (kDebugStringPoolNoisy) {
1393                ALOGI("indexOfAttribute UTF16 %s (%zu) / %s (%zu)",
1394                        String8(ns, nsLen).string(), nsLen,
1395                        String8(attr, attrLen).string(), attrLen);
1396            }
1397            for (size_t i=0; i<N; i++) {
1398                size_t curNsLen = 0, curAttrLen = 0;
1399                const char16_t* curNs = getAttributeNamespace(i, &curNsLen);
1400                const char16_t* curAttr = getAttributeName(i, &curAttrLen);
1401                if (kDebugStringPoolNoisy) {
1402                    ALOGI("  curNs=%s (%zu), curAttr=%s (%zu)",
1403                            String8(curNs, curNsLen).string(), curNsLen,
1404                            String8(curAttr, curAttrLen).string(), curAttrLen);
1405                }
1406                if (curAttr != NULL && curNsLen == nsLen && curAttrLen == attrLen
1407                        && (memcmp(attr, curAttr, attrLen*sizeof(char16_t)) == 0)) {
1408                    if (ns == NULL) {
1409                        if (curNs == NULL) {
1410                            if (kDebugStringPoolNoisy) {
1411                                ALOGI("  FOUND!");
1412                            }
1413                            return i;
1414                        }
1415                    } else if (curNs != NULL) {
1416                        //printf(" --> ns=%s, curNs=%s\n",
1417                        //       String8(ns).string(), String8(curNs).string());
1418                        if (memcmp(ns, curNs, nsLen*sizeof(char16_t)) == 0) {
1419                            if (kDebugStringPoolNoisy) {
1420                                ALOGI("  FOUND!");
1421                            }
1422                            return i;
1423                        }
1424                    }
1425                }
1426            }
1427        }
1428    }
1429
1430    return NAME_NOT_FOUND;
1431}
1432
1433ssize_t ResXMLParser::indexOfID() const
1434{
1435    if (mEventCode == START_TAG) {
1436        const ssize_t idx = dtohs(((const ResXMLTree_attrExt*)mCurExt)->idIndex);
1437        if (idx > 0) return (idx-1);
1438    }
1439    return NAME_NOT_FOUND;
1440}
1441
1442ssize_t ResXMLParser::indexOfClass() const
1443{
1444    if (mEventCode == START_TAG) {
1445        const ssize_t idx = dtohs(((const ResXMLTree_attrExt*)mCurExt)->classIndex);
1446        if (idx > 0) return (idx-1);
1447    }
1448    return NAME_NOT_FOUND;
1449}
1450
1451ssize_t ResXMLParser::indexOfStyle() const
1452{
1453    if (mEventCode == START_TAG) {
1454        const ssize_t idx = dtohs(((const ResXMLTree_attrExt*)mCurExt)->styleIndex);
1455        if (idx > 0) return (idx-1);
1456    }
1457    return NAME_NOT_FOUND;
1458}
1459
1460ResXMLParser::event_code_t ResXMLParser::nextNode()
1461{
1462    if (mEventCode < 0) {
1463        return mEventCode;
1464    }
1465
1466    do {
1467        const ResXMLTree_node* next = (const ResXMLTree_node*)
1468            (((const uint8_t*)mCurNode) + dtohl(mCurNode->header.size));
1469        if (kDebugXMLNoisy) {
1470            ALOGI("Next node: prev=%p, next=%p\n", mCurNode, next);
1471        }
1472
1473        if (((const uint8_t*)next) >= mTree.mDataEnd) {
1474            mCurNode = NULL;
1475            return (mEventCode=END_DOCUMENT);
1476        }
1477
1478        if (mTree.validateNode(next) != NO_ERROR) {
1479            mCurNode = NULL;
1480            return (mEventCode=BAD_DOCUMENT);
1481        }
1482
1483        mCurNode = next;
1484        const uint16_t headerSize = dtohs(next->header.headerSize);
1485        const uint32_t totalSize = dtohl(next->header.size);
1486        mCurExt = ((const uint8_t*)next) + headerSize;
1487        size_t minExtSize = 0;
1488        event_code_t eventCode = (event_code_t)dtohs(next->header.type);
1489        switch ((mEventCode=eventCode)) {
1490            case RES_XML_START_NAMESPACE_TYPE:
1491            case RES_XML_END_NAMESPACE_TYPE:
1492                minExtSize = sizeof(ResXMLTree_namespaceExt);
1493                break;
1494            case RES_XML_START_ELEMENT_TYPE:
1495                minExtSize = sizeof(ResXMLTree_attrExt);
1496                break;
1497            case RES_XML_END_ELEMENT_TYPE:
1498                minExtSize = sizeof(ResXMLTree_endElementExt);
1499                break;
1500            case RES_XML_CDATA_TYPE:
1501                minExtSize = sizeof(ResXMLTree_cdataExt);
1502                break;
1503            default:
1504                ALOGW("Unknown XML block: header type %d in node at %d\n",
1505                     (int)dtohs(next->header.type),
1506                     (int)(((const uint8_t*)next)-((const uint8_t*)mTree.mHeader)));
1507                continue;
1508        }
1509
1510        if ((totalSize-headerSize) < minExtSize) {
1511            ALOGW("Bad XML block: header type 0x%x in node at 0x%x has size %d, need %d\n",
1512                 (int)dtohs(next->header.type),
1513                 (int)(((const uint8_t*)next)-((const uint8_t*)mTree.mHeader)),
1514                 (int)(totalSize-headerSize), (int)minExtSize);
1515            return (mEventCode=BAD_DOCUMENT);
1516        }
1517
1518        //printf("CurNode=%p, CurExt=%p, headerSize=%d, minExtSize=%d\n",
1519        //       mCurNode, mCurExt, headerSize, minExtSize);
1520
1521        return eventCode;
1522    } while (true);
1523}
1524
1525void ResXMLParser::getPosition(ResXMLParser::ResXMLPosition* pos) const
1526{
1527    pos->eventCode = mEventCode;
1528    pos->curNode = mCurNode;
1529    pos->curExt = mCurExt;
1530}
1531
1532void ResXMLParser::setPosition(const ResXMLParser::ResXMLPosition& pos)
1533{
1534    mEventCode = pos.eventCode;
1535    mCurNode = pos.curNode;
1536    mCurExt = pos.curExt;
1537}
1538
1539// --------------------------------------------------------------------
1540
1541static volatile int32_t gCount = 0;
1542
1543ResXMLTree::ResXMLTree(const DynamicRefTable* dynamicRefTable)
1544    : ResXMLParser(*this)
1545    , mDynamicRefTable(dynamicRefTable)
1546    , mError(NO_INIT), mOwnedData(NULL)
1547{
1548    if (kDebugResXMLTree) {
1549        ALOGI("Creating ResXMLTree %p #%d\n", this, android_atomic_inc(&gCount)+1);
1550    }
1551    restart();
1552}
1553
1554ResXMLTree::ResXMLTree()
1555    : ResXMLParser(*this)
1556    , mDynamicRefTable(NULL)
1557    , mError(NO_INIT), mOwnedData(NULL)
1558{
1559    if (kDebugResXMLTree) {
1560        ALOGI("Creating ResXMLTree %p #%d\n", this, android_atomic_inc(&gCount)+1);
1561    }
1562    restart();
1563}
1564
1565ResXMLTree::~ResXMLTree()
1566{
1567    if (kDebugResXMLTree) {
1568        ALOGI("Destroying ResXMLTree in %p #%d\n", this, android_atomic_dec(&gCount)-1);
1569    }
1570    uninit();
1571}
1572
1573status_t ResXMLTree::setTo(const void* data, size_t size, bool copyData)
1574{
1575    uninit();
1576    mEventCode = START_DOCUMENT;
1577
1578    if (!data || !size) {
1579        return (mError=BAD_TYPE);
1580    }
1581
1582    if (copyData) {
1583        mOwnedData = malloc(size);
1584        if (mOwnedData == NULL) {
1585            return (mError=NO_MEMORY);
1586        }
1587        memcpy(mOwnedData, data, size);
1588        data = mOwnedData;
1589    }
1590
1591    mHeader = (const ResXMLTree_header*)data;
1592    mSize = dtohl(mHeader->header.size);
1593    if (dtohs(mHeader->header.headerSize) > mSize || mSize > size) {
1594        ALOGW("Bad XML block: header size %d or total size %d is larger than data size %d\n",
1595             (int)dtohs(mHeader->header.headerSize),
1596             (int)dtohl(mHeader->header.size), (int)size);
1597        mError = BAD_TYPE;
1598        restart();
1599        return mError;
1600    }
1601    mDataEnd = ((const uint8_t*)mHeader) + mSize;
1602
1603    mStrings.uninit();
1604    mRootNode = NULL;
1605    mResIds = NULL;
1606    mNumResIds = 0;
1607
1608    // First look for a couple interesting chunks: the string block
1609    // and first XML node.
1610    const ResChunk_header* chunk =
1611        (const ResChunk_header*)(((const uint8_t*)mHeader) + dtohs(mHeader->header.headerSize));
1612    const ResChunk_header* lastChunk = chunk;
1613    while (((const uint8_t*)chunk) < (mDataEnd-sizeof(ResChunk_header)) &&
1614           ((const uint8_t*)chunk) < (mDataEnd-dtohl(chunk->size))) {
1615        status_t err = validate_chunk(chunk, sizeof(ResChunk_header), mDataEnd, "XML");
1616        if (err != NO_ERROR) {
1617            mError = err;
1618            goto done;
1619        }
1620        const uint16_t type = dtohs(chunk->type);
1621        const size_t size = dtohl(chunk->size);
1622        if (kDebugXMLNoisy) {
1623            printf("Scanning @ %p: type=0x%x, size=0x%zx\n",
1624                    (void*)(((uintptr_t)chunk)-((uintptr_t)mHeader)), type, size);
1625        }
1626        if (type == RES_STRING_POOL_TYPE) {
1627            mStrings.setTo(chunk, size);
1628        } else if (type == RES_XML_RESOURCE_MAP_TYPE) {
1629            mResIds = (const uint32_t*)
1630                (((const uint8_t*)chunk)+dtohs(chunk->headerSize));
1631            mNumResIds = (dtohl(chunk->size)-dtohs(chunk->headerSize))/sizeof(uint32_t);
1632        } else if (type >= RES_XML_FIRST_CHUNK_TYPE
1633                   && type <= RES_XML_LAST_CHUNK_TYPE) {
1634            if (validateNode((const ResXMLTree_node*)chunk) != NO_ERROR) {
1635                mError = BAD_TYPE;
1636                goto done;
1637            }
1638            mCurNode = (const ResXMLTree_node*)lastChunk;
1639            if (nextNode() == BAD_DOCUMENT) {
1640                mError = BAD_TYPE;
1641                goto done;
1642            }
1643            mRootNode = mCurNode;
1644            mRootExt = mCurExt;
1645            mRootCode = mEventCode;
1646            break;
1647        } else {
1648            if (kDebugXMLNoisy) {
1649                printf("Skipping unknown chunk!\n");
1650            }
1651        }
1652        lastChunk = chunk;
1653        chunk = (const ResChunk_header*)
1654            (((const uint8_t*)chunk) + size);
1655    }
1656
1657    if (mRootNode == NULL) {
1658        ALOGW("Bad XML block: no root element node found\n");
1659        mError = BAD_TYPE;
1660        goto done;
1661    }
1662
1663    mError = mStrings.getError();
1664
1665done:
1666    restart();
1667    return mError;
1668}
1669
1670status_t ResXMLTree::getError() const
1671{
1672    return mError;
1673}
1674
1675void ResXMLTree::uninit()
1676{
1677    mError = NO_INIT;
1678    mStrings.uninit();
1679    if (mOwnedData) {
1680        free(mOwnedData);
1681        mOwnedData = NULL;
1682    }
1683    restart();
1684}
1685
1686status_t ResXMLTree::validateNode(const ResXMLTree_node* node) const
1687{
1688    const uint16_t eventCode = dtohs(node->header.type);
1689
1690    status_t err = validate_chunk(
1691        &node->header, sizeof(ResXMLTree_node),
1692        mDataEnd, "ResXMLTree_node");
1693
1694    if (err >= NO_ERROR) {
1695        // Only perform additional validation on START nodes
1696        if (eventCode != RES_XML_START_ELEMENT_TYPE) {
1697            return NO_ERROR;
1698        }
1699
1700        const uint16_t headerSize = dtohs(node->header.headerSize);
1701        const uint32_t size = dtohl(node->header.size);
1702        const ResXMLTree_attrExt* attrExt = (const ResXMLTree_attrExt*)
1703            (((const uint8_t*)node) + headerSize);
1704        // check for sensical values pulled out of the stream so far...
1705        if ((size >= headerSize + sizeof(ResXMLTree_attrExt))
1706                && ((void*)attrExt > (void*)node)) {
1707            const size_t attrSize = ((size_t)dtohs(attrExt->attributeSize))
1708                * dtohs(attrExt->attributeCount);
1709            if ((dtohs(attrExt->attributeStart)+attrSize) <= (size-headerSize)) {
1710                return NO_ERROR;
1711            }
1712            ALOGW("Bad XML block: node attributes use 0x%x bytes, only have 0x%x bytes\n",
1713                    (unsigned int)(dtohs(attrExt->attributeStart)+attrSize),
1714                    (unsigned int)(size-headerSize));
1715        }
1716        else {
1717            ALOGW("Bad XML start block: node header size 0x%x, size 0x%x\n",
1718                (unsigned int)headerSize, (unsigned int)size);
1719        }
1720        return BAD_TYPE;
1721    }
1722
1723    return err;
1724
1725#if 0
1726    const bool isStart = dtohs(node->header.type) == RES_XML_START_ELEMENT_TYPE;
1727
1728    const uint16_t headerSize = dtohs(node->header.headerSize);
1729    const uint32_t size = dtohl(node->header.size);
1730
1731    if (headerSize >= (isStart ? sizeof(ResXMLTree_attrNode) : sizeof(ResXMLTree_node))) {
1732        if (size >= headerSize) {
1733            if (((const uint8_t*)node) <= (mDataEnd-size)) {
1734                if (!isStart) {
1735                    return NO_ERROR;
1736                }
1737                if ((((size_t)dtohs(node->attributeSize))*dtohs(node->attributeCount))
1738                        <= (size-headerSize)) {
1739                    return NO_ERROR;
1740                }
1741                ALOGW("Bad XML block: node attributes use 0x%x bytes, only have 0x%x bytes\n",
1742                        ((int)dtohs(node->attributeSize))*dtohs(node->attributeCount),
1743                        (int)(size-headerSize));
1744                return BAD_TYPE;
1745            }
1746            ALOGW("Bad XML block: node at 0x%x extends beyond data end 0x%x\n",
1747                    (int)(((const uint8_t*)node)-((const uint8_t*)mHeader)), (int)mSize);
1748            return BAD_TYPE;
1749        }
1750        ALOGW("Bad XML block: node at 0x%x header size 0x%x smaller than total size 0x%x\n",
1751                (int)(((const uint8_t*)node)-((const uint8_t*)mHeader)),
1752                (int)headerSize, (int)size);
1753        return BAD_TYPE;
1754    }
1755    ALOGW("Bad XML block: node at 0x%x header size 0x%x too small\n",
1756            (int)(((const uint8_t*)node)-((const uint8_t*)mHeader)),
1757            (int)headerSize);
1758    return BAD_TYPE;
1759#endif
1760}
1761
1762// --------------------------------------------------------------------
1763// --------------------------------------------------------------------
1764// --------------------------------------------------------------------
1765
1766void ResTable_config::copyFromDeviceNoSwap(const ResTable_config& o) {
1767    const size_t size = dtohl(o.size);
1768    if (size >= sizeof(ResTable_config)) {
1769        *this = o;
1770    } else {
1771        memcpy(this, &o, size);
1772        memset(((uint8_t*)this)+size, 0, sizeof(ResTable_config)-size);
1773    }
1774}
1775
1776/* static */ size_t unpackLanguageOrRegion(const char in[2], const char base,
1777        char out[4]) {
1778  if (in[0] & 0x80) {
1779      // The high bit is "1", which means this is a packed three letter
1780      // language code.
1781
1782      // The smallest 5 bits of the second char are the first alphabet.
1783      const uint8_t first = in[1] & 0x1f;
1784      // The last three bits of the second char and the first two bits
1785      // of the first char are the second alphabet.
1786      const uint8_t second = ((in[1] & 0xe0) >> 5) + ((in[0] & 0x03) << 3);
1787      // Bits 3 to 7 (inclusive) of the first char are the third alphabet.
1788      const uint8_t third = (in[0] & 0x7c) >> 2;
1789
1790      out[0] = first + base;
1791      out[1] = second + base;
1792      out[2] = third + base;
1793      out[3] = 0;
1794
1795      return 3;
1796  }
1797
1798  if (in[0]) {
1799      memcpy(out, in, 2);
1800      memset(out + 2, 0, 2);
1801      return 2;
1802  }
1803
1804  memset(out, 0, 4);
1805  return 0;
1806}
1807
1808/* static */ void packLanguageOrRegion(const char* in, const char base,
1809        char out[2]) {
1810  if (in[2] == 0 || in[2] == '-') {
1811      out[0] = in[0];
1812      out[1] = in[1];
1813  } else {
1814      uint8_t first = (in[0] - base) & 0x007f;
1815      uint8_t second = (in[1] - base) & 0x007f;
1816      uint8_t third = (in[2] - base) & 0x007f;
1817
1818      out[0] = (0x80 | (third << 2) | (second >> 3));
1819      out[1] = ((second << 5) | first);
1820  }
1821}
1822
1823
1824void ResTable_config::packLanguage(const char* language) {
1825    packLanguageOrRegion(language, 'a', this->language);
1826}
1827
1828void ResTable_config::packRegion(const char* region) {
1829    packLanguageOrRegion(region, '0', this->country);
1830}
1831
1832size_t ResTable_config::unpackLanguage(char language[4]) const {
1833    return unpackLanguageOrRegion(this->language, 'a', language);
1834}
1835
1836size_t ResTable_config::unpackRegion(char region[4]) const {
1837    return unpackLanguageOrRegion(this->country, '0', region);
1838}
1839
1840
1841void ResTable_config::copyFromDtoH(const ResTable_config& o) {
1842    copyFromDeviceNoSwap(o);
1843    size = sizeof(ResTable_config);
1844    mcc = dtohs(mcc);
1845    mnc = dtohs(mnc);
1846    density = dtohs(density);
1847    screenWidth = dtohs(screenWidth);
1848    screenHeight = dtohs(screenHeight);
1849    sdkVersion = dtohs(sdkVersion);
1850    minorVersion = dtohs(minorVersion);
1851    smallestScreenWidthDp = dtohs(smallestScreenWidthDp);
1852    screenWidthDp = dtohs(screenWidthDp);
1853    screenHeightDp = dtohs(screenHeightDp);
1854}
1855
1856void ResTable_config::swapHtoD() {
1857    size = htodl(size);
1858    mcc = htods(mcc);
1859    mnc = htods(mnc);
1860    density = htods(density);
1861    screenWidth = htods(screenWidth);
1862    screenHeight = htods(screenHeight);
1863    sdkVersion = htods(sdkVersion);
1864    minorVersion = htods(minorVersion);
1865    smallestScreenWidthDp = htods(smallestScreenWidthDp);
1866    screenWidthDp = htods(screenWidthDp);
1867    screenHeightDp = htods(screenHeightDp);
1868}
1869
1870/* static */ inline int compareLocales(const ResTable_config &l, const ResTable_config &r) {
1871    if (l.locale != r.locale) {
1872        // NOTE: This is the old behaviour with respect to comparison orders.
1873        // The diff value here doesn't make much sense (given our bit packing scheme)
1874        // but it's stable, and that's all we need.
1875        return l.locale - r.locale;
1876    }
1877
1878    // The language & region are equal, so compare the scripts and variants.
1879    const char emptyScript[sizeof(l.localeScript)] = {'\0', '\0', '\0', '\0'};
1880    const char *lScript = l.localeScriptWasComputed ? emptyScript : l.localeScript;
1881    const char *rScript = r.localeScriptWasComputed ? emptyScript : r.localeScript;
1882    int script = memcmp(lScript, rScript, sizeof(l.localeScript));
1883    if (script) {
1884        return script;
1885    }
1886
1887    // The language, region and script are equal, so compare variants.
1888    //
1889    // This should happen very infrequently (if at all.)
1890    return memcmp(l.localeVariant, r.localeVariant, sizeof(l.localeVariant));
1891}
1892
1893int ResTable_config::compare(const ResTable_config& o) const {
1894    int32_t diff = (int32_t)(imsi - o.imsi);
1895    if (diff != 0) return diff;
1896    diff = compareLocales(*this, o);
1897    if (diff != 0) return diff;
1898    diff = (int32_t)(screenType - o.screenType);
1899    if (diff != 0) return diff;
1900    diff = (int32_t)(input - o.input);
1901    if (diff != 0) return diff;
1902    diff = (int32_t)(screenSize - o.screenSize);
1903    if (diff != 0) return diff;
1904    diff = (int32_t)(version - o.version);
1905    if (diff != 0) return diff;
1906    diff = (int32_t)(screenLayout - o.screenLayout);
1907    if (diff != 0) return diff;
1908    diff = (int32_t)(screenLayout2 - o.screenLayout2);
1909    if (diff != 0) return diff;
1910    diff = (int32_t)(colorMode - o.colorMode);
1911    if (diff != 0) return diff;
1912    diff = (int32_t)(uiMode - o.uiMode);
1913    if (diff != 0) return diff;
1914    diff = (int32_t)(smallestScreenWidthDp - o.smallestScreenWidthDp);
1915    if (diff != 0) return diff;
1916    diff = (int32_t)(screenSizeDp - o.screenSizeDp);
1917    return (int)diff;
1918}
1919
1920int ResTable_config::compareLogical(const ResTable_config& o) const {
1921    if (mcc != o.mcc) {
1922        return mcc < o.mcc ? -1 : 1;
1923    }
1924    if (mnc != o.mnc) {
1925        return mnc < o.mnc ? -1 : 1;
1926    }
1927
1928    int diff = compareLocales(*this, o);
1929    if (diff < 0) {
1930        return -1;
1931    }
1932    if (diff > 0) {
1933        return 1;
1934    }
1935
1936    if ((screenLayout & MASK_LAYOUTDIR) != (o.screenLayout & MASK_LAYOUTDIR)) {
1937        return (screenLayout & MASK_LAYOUTDIR) < (o.screenLayout & MASK_LAYOUTDIR) ? -1 : 1;
1938    }
1939    if (smallestScreenWidthDp != o.smallestScreenWidthDp) {
1940        return smallestScreenWidthDp < o.smallestScreenWidthDp ? -1 : 1;
1941    }
1942    if (screenWidthDp != o.screenWidthDp) {
1943        return screenWidthDp < o.screenWidthDp ? -1 : 1;
1944    }
1945    if (screenHeightDp != o.screenHeightDp) {
1946        return screenHeightDp < o.screenHeightDp ? -1 : 1;
1947    }
1948    if (screenWidth != o.screenWidth) {
1949        return screenWidth < o.screenWidth ? -1 : 1;
1950    }
1951    if (screenHeight != o.screenHeight) {
1952        return screenHeight < o.screenHeight ? -1 : 1;
1953    }
1954    if (density != o.density) {
1955        return density < o.density ? -1 : 1;
1956    }
1957    if (orientation != o.orientation) {
1958        return orientation < o.orientation ? -1 : 1;
1959    }
1960    if (touchscreen != o.touchscreen) {
1961        return touchscreen < o.touchscreen ? -1 : 1;
1962    }
1963    if (input != o.input) {
1964        return input < o.input ? -1 : 1;
1965    }
1966    if (screenLayout != o.screenLayout) {
1967        return screenLayout < o.screenLayout ? -1 : 1;
1968    }
1969    if (screenLayout2 != o.screenLayout2) {
1970        return screenLayout2 < o.screenLayout2 ? -1 : 1;
1971    }
1972    if (colorMode != o.colorMode) {
1973        return colorMode < o.colorMode ? -1 : 1;
1974    }
1975    if (uiMode != o.uiMode) {
1976        return uiMode < o.uiMode ? -1 : 1;
1977    }
1978    if (version != o.version) {
1979        return version < o.version ? -1 : 1;
1980    }
1981    return 0;
1982}
1983
1984int ResTable_config::diff(const ResTable_config& o) const {
1985    int diffs = 0;
1986    if (mcc != o.mcc) diffs |= CONFIG_MCC;
1987    if (mnc != o.mnc) diffs |= CONFIG_MNC;
1988    if (orientation != o.orientation) diffs |= CONFIG_ORIENTATION;
1989    if (density != o.density) diffs |= CONFIG_DENSITY;
1990    if (touchscreen != o.touchscreen) diffs |= CONFIG_TOUCHSCREEN;
1991    if (((inputFlags^o.inputFlags)&(MASK_KEYSHIDDEN|MASK_NAVHIDDEN)) != 0)
1992            diffs |= CONFIG_KEYBOARD_HIDDEN;
1993    if (keyboard != o.keyboard) diffs |= CONFIG_KEYBOARD;
1994    if (navigation != o.navigation) diffs |= CONFIG_NAVIGATION;
1995    if (screenSize != o.screenSize) diffs |= CONFIG_SCREEN_SIZE;
1996    if (version != o.version) diffs |= CONFIG_VERSION;
1997    if ((screenLayout & MASK_LAYOUTDIR) != (o.screenLayout & MASK_LAYOUTDIR)) diffs |= CONFIG_LAYOUTDIR;
1998    if ((screenLayout & ~MASK_LAYOUTDIR) != (o.screenLayout & ~MASK_LAYOUTDIR)) diffs |= CONFIG_SCREEN_LAYOUT;
1999    if ((screenLayout2 & MASK_SCREENROUND) != (o.screenLayout2 & MASK_SCREENROUND)) diffs |= CONFIG_SCREEN_ROUND;
2000    if ((colorMode & MASK_WIDE_COLOR_GAMUT) != (o.colorMode & MASK_WIDE_COLOR_GAMUT)) diffs |= CONFIG_COLOR_MODE;
2001    if ((colorMode & MASK_HDR) != (o.colorMode & MASK_HDR)) diffs |= CONFIG_COLOR_MODE;
2002    if (uiMode != o.uiMode) diffs |= CONFIG_UI_MODE;
2003    if (smallestScreenWidthDp != o.smallestScreenWidthDp) diffs |= CONFIG_SMALLEST_SCREEN_SIZE;
2004    if (screenSizeDp != o.screenSizeDp) diffs |= CONFIG_SCREEN_SIZE;
2005
2006    const int diff = compareLocales(*this, o);
2007    if (diff) diffs |= CONFIG_LOCALE;
2008
2009    return diffs;
2010}
2011
2012int ResTable_config::isLocaleMoreSpecificThan(const ResTable_config& o) const {
2013    if (locale || o.locale) {
2014        if (language[0] != o.language[0]) {
2015            if (!language[0]) return -1;
2016            if (!o.language[0]) return 1;
2017        }
2018
2019        if (country[0] != o.country[0]) {
2020            if (!country[0]) return -1;
2021            if (!o.country[0]) return 1;
2022        }
2023    }
2024
2025    // There isn't a well specified "importance" order between variants and
2026    // scripts. We can't easily tell whether, say "en-Latn-US" is more or less
2027    // specific than "en-US-POSIX".
2028    //
2029    // We therefore arbitrarily decide to give priority to variants over
2030    // scripts since it seems more useful to do so. We will consider
2031    // "en-US-POSIX" to be more specific than "en-Latn-US".
2032
2033    const int score = ((localeScript[0] != '\0' && !localeScriptWasComputed) ? 1 : 0) +
2034        ((localeVariant[0] != '\0') ? 2 : 0);
2035
2036    const int oScore = (o.localeScript[0] != '\0' && !o.localeScriptWasComputed ? 1 : 0) +
2037        ((o.localeVariant[0] != '\0') ? 2 : 0);
2038
2039    return score - oScore;
2040}
2041
2042bool ResTable_config::isMoreSpecificThan(const ResTable_config& o) const {
2043    // The order of the following tests defines the importance of one
2044    // configuration parameter over another.  Those tests first are more
2045    // important, trumping any values in those following them.
2046    if (imsi || o.imsi) {
2047        if (mcc != o.mcc) {
2048            if (!mcc) return false;
2049            if (!o.mcc) return true;
2050        }
2051
2052        if (mnc != o.mnc) {
2053            if (!mnc) return false;
2054            if (!o.mnc) return true;
2055        }
2056    }
2057
2058    if (locale || o.locale) {
2059        const int diff = isLocaleMoreSpecificThan(o);
2060        if (diff < 0) {
2061            return false;
2062        }
2063
2064        if (diff > 0) {
2065            return true;
2066        }
2067    }
2068
2069    if (screenLayout || o.screenLayout) {
2070        if (((screenLayout^o.screenLayout) & MASK_LAYOUTDIR) != 0) {
2071            if (!(screenLayout & MASK_LAYOUTDIR)) return false;
2072            if (!(o.screenLayout & MASK_LAYOUTDIR)) return true;
2073        }
2074    }
2075
2076    if (smallestScreenWidthDp || o.smallestScreenWidthDp) {
2077        if (smallestScreenWidthDp != o.smallestScreenWidthDp) {
2078            if (!smallestScreenWidthDp) return false;
2079            if (!o.smallestScreenWidthDp) return true;
2080        }
2081    }
2082
2083    if (screenSizeDp || o.screenSizeDp) {
2084        if (screenWidthDp != o.screenWidthDp) {
2085            if (!screenWidthDp) return false;
2086            if (!o.screenWidthDp) return true;
2087        }
2088
2089        if (screenHeightDp != o.screenHeightDp) {
2090            if (!screenHeightDp) return false;
2091            if (!o.screenHeightDp) return true;
2092        }
2093    }
2094
2095    if (screenLayout || o.screenLayout) {
2096        if (((screenLayout^o.screenLayout) & MASK_SCREENSIZE) != 0) {
2097            if (!(screenLayout & MASK_SCREENSIZE)) return false;
2098            if (!(o.screenLayout & MASK_SCREENSIZE)) return true;
2099        }
2100        if (((screenLayout^o.screenLayout) & MASK_SCREENLONG) != 0) {
2101            if (!(screenLayout & MASK_SCREENLONG)) return false;
2102            if (!(o.screenLayout & MASK_SCREENLONG)) return true;
2103        }
2104    }
2105
2106    if (screenLayout2 || o.screenLayout2) {
2107        if (((screenLayout2^o.screenLayout2) & MASK_SCREENROUND) != 0) {
2108            if (!(screenLayout2 & MASK_SCREENROUND)) return false;
2109            if (!(o.screenLayout2 & MASK_SCREENROUND)) return true;
2110        }
2111    }
2112
2113    if (colorMode || o.colorMode) {
2114        if (((colorMode^o.colorMode) & MASK_HDR) != 0) {
2115            if (!(colorMode & MASK_HDR)) return false;
2116            if (!(o.colorMode & MASK_HDR)) return true;
2117        }
2118        if (((colorMode^o.colorMode) & MASK_WIDE_COLOR_GAMUT) != 0) {
2119            if (!(colorMode & MASK_WIDE_COLOR_GAMUT)) return false;
2120            if (!(o.colorMode & MASK_WIDE_COLOR_GAMUT)) return true;
2121        }
2122    }
2123
2124    if (orientation != o.orientation) {
2125        if (!orientation) return false;
2126        if (!o.orientation) return true;
2127    }
2128
2129    if (uiMode || o.uiMode) {
2130        if (((uiMode^o.uiMode) & MASK_UI_MODE_TYPE) != 0) {
2131            if (!(uiMode & MASK_UI_MODE_TYPE)) return false;
2132            if (!(o.uiMode & MASK_UI_MODE_TYPE)) return true;
2133        }
2134        if (((uiMode^o.uiMode) & MASK_UI_MODE_NIGHT) != 0) {
2135            if (!(uiMode & MASK_UI_MODE_NIGHT)) return false;
2136            if (!(o.uiMode & MASK_UI_MODE_NIGHT)) return true;
2137        }
2138    }
2139
2140    // density is never 'more specific'
2141    // as the default just equals 160
2142
2143    if (touchscreen != o.touchscreen) {
2144        if (!touchscreen) return false;
2145        if (!o.touchscreen) return true;
2146    }
2147
2148    if (input || o.input) {
2149        if (((inputFlags^o.inputFlags) & MASK_KEYSHIDDEN) != 0) {
2150            if (!(inputFlags & MASK_KEYSHIDDEN)) return false;
2151            if (!(o.inputFlags & MASK_KEYSHIDDEN)) return true;
2152        }
2153
2154        if (((inputFlags^o.inputFlags) & MASK_NAVHIDDEN) != 0) {
2155            if (!(inputFlags & MASK_NAVHIDDEN)) return false;
2156            if (!(o.inputFlags & MASK_NAVHIDDEN)) return true;
2157        }
2158
2159        if (keyboard != o.keyboard) {
2160            if (!keyboard) return false;
2161            if (!o.keyboard) return true;
2162        }
2163
2164        if (navigation != o.navigation) {
2165            if (!navigation) return false;
2166            if (!o.navigation) return true;
2167        }
2168    }
2169
2170    if (screenSize || o.screenSize) {
2171        if (screenWidth != o.screenWidth) {
2172            if (!screenWidth) return false;
2173            if (!o.screenWidth) return true;
2174        }
2175
2176        if (screenHeight != o.screenHeight) {
2177            if (!screenHeight) return false;
2178            if (!o.screenHeight) return true;
2179        }
2180    }
2181
2182    if (version || o.version) {
2183        if (sdkVersion != o.sdkVersion) {
2184            if (!sdkVersion) return false;
2185            if (!o.sdkVersion) return true;
2186        }
2187
2188        if (minorVersion != o.minorVersion) {
2189            if (!minorVersion) return false;
2190            if (!o.minorVersion) return true;
2191        }
2192    }
2193    return false;
2194}
2195
2196// Codes for specially handled languages and regions
2197static const char kEnglish[2] = {'e', 'n'};  // packed version of "en"
2198static const char kUnitedStates[2] = {'U', 'S'};  // packed version of "US"
2199static const char kFilipino[2] = {'\xAD', '\x05'};  // packed version of "fil"
2200static const char kTagalog[2] = {'t', 'l'};  // packed version of "tl"
2201
2202// Checks if two language or region codes are identical
2203inline bool areIdentical(const char code1[2], const char code2[2]) {
2204    return code1[0] == code2[0] && code1[1] == code2[1];
2205}
2206
2207inline bool langsAreEquivalent(const char lang1[2], const char lang2[2]) {
2208    return areIdentical(lang1, lang2) ||
2209            (areIdentical(lang1, kTagalog) && areIdentical(lang2, kFilipino)) ||
2210            (areIdentical(lang1, kFilipino) && areIdentical(lang2, kTagalog));
2211}
2212
2213bool ResTable_config::isLocaleBetterThan(const ResTable_config& o,
2214        const ResTable_config* requested) const {
2215    if (requested->locale == 0) {
2216        // The request doesn't have a locale, so no resource is better
2217        // than the other.
2218        return false;
2219    }
2220
2221    if (locale == 0 && o.locale == 0) {
2222        // The locale part of both resources is empty, so none is better
2223        // than the other.
2224        return false;
2225    }
2226
2227    // Non-matching locales have been filtered out, so both resources
2228    // match the requested locale.
2229    //
2230    // Because of the locale-related checks in match() and the checks, we know
2231    // that:
2232    // 1) The resource languages are either empty or match the request;
2233    // and
2234    // 2) If the request's script is known, the resource scripts are either
2235    //    unknown or match the request.
2236
2237    if (!langsAreEquivalent(language, o.language)) {
2238        // The languages of the two resources are not equivalent. If we are
2239        // here, we can only assume that the two resources matched the request
2240        // because one doesn't have a language and the other has a matching
2241        // language.
2242        //
2243        // We consider the one that has the language specified a better match.
2244        //
2245        // The exception is that we consider no-language resources a better match
2246        // for US English and similar locales than locales that are a descendant
2247        // of Internatinal English (en-001), since no-language resources are
2248        // where the US English resource have traditionally lived for most apps.
2249        if (areIdentical(requested->language, kEnglish)) {
2250            if (areIdentical(requested->country, kUnitedStates)) {
2251                // For US English itself, we consider a no-locale resource a
2252                // better match if the other resource has a country other than
2253                // US specified.
2254                if (language[0] != '\0') {
2255                    return country[0] == '\0' || areIdentical(country, kUnitedStates);
2256                } else {
2257                    return !(o.country[0] == '\0' || areIdentical(o.country, kUnitedStates));
2258                }
2259            } else if (localeDataIsCloseToUsEnglish(requested->country)) {
2260                if (language[0] != '\0') {
2261                    return localeDataIsCloseToUsEnglish(country);
2262                } else {
2263                    return !localeDataIsCloseToUsEnglish(o.country);
2264                }
2265            }
2266        }
2267        return (language[0] != '\0');
2268    }
2269
2270    // If we are here, both the resources have an equivalent non-empty language
2271    // to the request.
2272    //
2273    // Because the languages are equivalent, computeScript() always returns a
2274    // non-empty script for languages it knows about, and we have passed the
2275    // script checks in match(), the scripts are either all unknown or are all
2276    // the same. So we can't gain anything by checking the scripts. We need to
2277    // check the region and variant.
2278
2279    // See if any of the regions is better than the other.
2280    const int region_comparison = localeDataCompareRegions(
2281            country, o.country,
2282            requested->language, requested->localeScript, requested->country);
2283    if (region_comparison != 0) {
2284        return (region_comparison > 0);
2285    }
2286
2287    // The regions are the same. Try the variant.
2288    const bool localeMatches = strncmp(
2289            localeVariant, requested->localeVariant, sizeof(localeVariant)) == 0;
2290    const bool otherMatches = strncmp(
2291            o.localeVariant, requested->localeVariant, sizeof(localeVariant)) == 0;
2292    if (localeMatches != otherMatches) {
2293        return localeMatches;
2294    }
2295
2296    // Finally, the languages, although equivalent, may still be different
2297    // (like for Tagalog and Filipino). Identical is better than just
2298    // equivalent.
2299    if (areIdentical(language, requested->language)
2300            && !areIdentical(o.language, requested->language)) {
2301        return true;
2302    }
2303
2304    return false;
2305}
2306
2307bool ResTable_config::isBetterThan(const ResTable_config& o,
2308        const ResTable_config* requested) const {
2309    if (requested) {
2310        if (imsi || o.imsi) {
2311            if ((mcc != o.mcc) && requested->mcc) {
2312                return (mcc);
2313            }
2314
2315            if ((mnc != o.mnc) && requested->mnc) {
2316                return (mnc);
2317            }
2318        }
2319
2320        if (isLocaleBetterThan(o, requested)) {
2321            return true;
2322        }
2323
2324        if (screenLayout || o.screenLayout) {
2325            if (((screenLayout^o.screenLayout) & MASK_LAYOUTDIR) != 0
2326                    && (requested->screenLayout & MASK_LAYOUTDIR)) {
2327                int myLayoutDir = screenLayout & MASK_LAYOUTDIR;
2328                int oLayoutDir = o.screenLayout & MASK_LAYOUTDIR;
2329                return (myLayoutDir > oLayoutDir);
2330            }
2331        }
2332
2333        if (smallestScreenWidthDp || o.smallestScreenWidthDp) {
2334            // The configuration closest to the actual size is best.
2335            // We assume that larger configs have already been filtered
2336            // out at this point.  That means we just want the largest one.
2337            if (smallestScreenWidthDp != o.smallestScreenWidthDp) {
2338                return smallestScreenWidthDp > o.smallestScreenWidthDp;
2339            }
2340        }
2341
2342        if (screenSizeDp || o.screenSizeDp) {
2343            // "Better" is based on the sum of the difference between both
2344            // width and height from the requested dimensions.  We are
2345            // assuming the invalid configs (with smaller dimens) have
2346            // already been filtered.  Note that if a particular dimension
2347            // is unspecified, we will end up with a large value (the
2348            // difference between 0 and the requested dimension), which is
2349            // good since we will prefer a config that has specified a
2350            // dimension value.
2351            int myDelta = 0, otherDelta = 0;
2352            if (requested->screenWidthDp) {
2353                myDelta += requested->screenWidthDp - screenWidthDp;
2354                otherDelta += requested->screenWidthDp - o.screenWidthDp;
2355            }
2356            if (requested->screenHeightDp) {
2357                myDelta += requested->screenHeightDp - screenHeightDp;
2358                otherDelta += requested->screenHeightDp - o.screenHeightDp;
2359            }
2360            if (kDebugTableSuperNoisy) {
2361                ALOGI("Comparing this %dx%d to other %dx%d in %dx%d: myDelta=%d otherDelta=%d",
2362                        screenWidthDp, screenHeightDp, o.screenWidthDp, o.screenHeightDp,
2363                        requested->screenWidthDp, requested->screenHeightDp, myDelta, otherDelta);
2364            }
2365            if (myDelta != otherDelta) {
2366                return myDelta < otherDelta;
2367            }
2368        }
2369
2370        if (screenLayout || o.screenLayout) {
2371            if (((screenLayout^o.screenLayout) & MASK_SCREENSIZE) != 0
2372                    && (requested->screenLayout & MASK_SCREENSIZE)) {
2373                // A little backwards compatibility here: undefined is
2374                // considered equivalent to normal.  But only if the
2375                // requested size is at least normal; otherwise, small
2376                // is better than the default.
2377                int mySL = (screenLayout & MASK_SCREENSIZE);
2378                int oSL = (o.screenLayout & MASK_SCREENSIZE);
2379                int fixedMySL = mySL;
2380                int fixedOSL = oSL;
2381                if ((requested->screenLayout & MASK_SCREENSIZE) >= SCREENSIZE_NORMAL) {
2382                    if (fixedMySL == 0) fixedMySL = SCREENSIZE_NORMAL;
2383                    if (fixedOSL == 0) fixedOSL = SCREENSIZE_NORMAL;
2384                }
2385                // For screen size, the best match is the one that is
2386                // closest to the requested screen size, but not over
2387                // (the not over part is dealt with in match() below).
2388                if (fixedMySL == fixedOSL) {
2389                    // If the two are the same, but 'this' is actually
2390                    // undefined, then the other is really a better match.
2391                    if (mySL == 0) return false;
2392                    return true;
2393                }
2394                if (fixedMySL != fixedOSL) {
2395                    return fixedMySL > fixedOSL;
2396                }
2397            }
2398            if (((screenLayout^o.screenLayout) & MASK_SCREENLONG) != 0
2399                    && (requested->screenLayout & MASK_SCREENLONG)) {
2400                return (screenLayout & MASK_SCREENLONG);
2401            }
2402        }
2403
2404        if (screenLayout2 || o.screenLayout2) {
2405            if (((screenLayout2^o.screenLayout2) & MASK_SCREENROUND) != 0 &&
2406                    (requested->screenLayout2 & MASK_SCREENROUND)) {
2407                return screenLayout2 & MASK_SCREENROUND;
2408            }
2409        }
2410
2411        if (colorMode || o.colorMode) {
2412            if (((colorMode^o.colorMode) & MASK_WIDE_COLOR_GAMUT) != 0 &&
2413                    (requested->colorMode & MASK_WIDE_COLOR_GAMUT)) {
2414                return colorMode & MASK_WIDE_COLOR_GAMUT;
2415            }
2416            if (((colorMode^o.colorMode) & MASK_HDR) != 0 &&
2417                    (requested->colorMode & MASK_HDR)) {
2418                return colorMode & MASK_HDR;
2419            }
2420        }
2421
2422        if ((orientation != o.orientation) && requested->orientation) {
2423            return (orientation);
2424        }
2425
2426        if (uiMode || o.uiMode) {
2427            if (((uiMode^o.uiMode) & MASK_UI_MODE_TYPE) != 0
2428                    && (requested->uiMode & MASK_UI_MODE_TYPE)) {
2429                return (uiMode & MASK_UI_MODE_TYPE);
2430            }
2431            if (((uiMode^o.uiMode) & MASK_UI_MODE_NIGHT) != 0
2432                    && (requested->uiMode & MASK_UI_MODE_NIGHT)) {
2433                return (uiMode & MASK_UI_MODE_NIGHT);
2434            }
2435        }
2436
2437        if (screenType || o.screenType) {
2438            if (density != o.density) {
2439                // Use the system default density (DENSITY_MEDIUM, 160dpi) if none specified.
2440                const int thisDensity = density ? density : int(ResTable_config::DENSITY_MEDIUM);
2441                const int otherDensity = o.density ? o.density : int(ResTable_config::DENSITY_MEDIUM);
2442
2443                // We always prefer DENSITY_ANY over scaling a density bucket.
2444                if (thisDensity == ResTable_config::DENSITY_ANY) {
2445                    return true;
2446                } else if (otherDensity == ResTable_config::DENSITY_ANY) {
2447                    return false;
2448                }
2449
2450                int requestedDensity = requested->density;
2451                if (requested->density == 0 ||
2452                        requested->density == ResTable_config::DENSITY_ANY) {
2453                    requestedDensity = ResTable_config::DENSITY_MEDIUM;
2454                }
2455
2456                // DENSITY_ANY is now dealt with. We should look to
2457                // pick a density bucket and potentially scale it.
2458                // Any density is potentially useful
2459                // because the system will scale it.  Scaling down
2460                // is generally better than scaling up.
2461                int h = thisDensity;
2462                int l = otherDensity;
2463                bool bImBigger = true;
2464                if (l > h) {
2465                    int t = h;
2466                    h = l;
2467                    l = t;
2468                    bImBigger = false;
2469                }
2470
2471                if (requestedDensity >= h) {
2472                    // requested value higher than both l and h, give h
2473                    return bImBigger;
2474                }
2475                if (l >= requestedDensity) {
2476                    // requested value lower than both l and h, give l
2477                    return !bImBigger;
2478                }
2479                // saying that scaling down is 2x better than up
2480                if (((2 * l) - requestedDensity) * h > requestedDensity * requestedDensity) {
2481                    return !bImBigger;
2482                } else {
2483                    return bImBigger;
2484                }
2485            }
2486
2487            if ((touchscreen != o.touchscreen) && requested->touchscreen) {
2488                return (touchscreen);
2489            }
2490        }
2491
2492        if (input || o.input) {
2493            const int keysHidden = inputFlags & MASK_KEYSHIDDEN;
2494            const int oKeysHidden = o.inputFlags & MASK_KEYSHIDDEN;
2495            if (keysHidden != oKeysHidden) {
2496                const int reqKeysHidden =
2497                        requested->inputFlags & MASK_KEYSHIDDEN;
2498                if (reqKeysHidden) {
2499
2500                    if (!keysHidden) return false;
2501                    if (!oKeysHidden) return true;
2502                    // For compatibility, we count KEYSHIDDEN_NO as being
2503                    // the same as KEYSHIDDEN_SOFT.  Here we disambiguate
2504                    // these by making an exact match more specific.
2505                    if (reqKeysHidden == keysHidden) return true;
2506                    if (reqKeysHidden == oKeysHidden) return false;
2507                }
2508            }
2509
2510            const int navHidden = inputFlags & MASK_NAVHIDDEN;
2511            const int oNavHidden = o.inputFlags & MASK_NAVHIDDEN;
2512            if (navHidden != oNavHidden) {
2513                const int reqNavHidden =
2514                        requested->inputFlags & MASK_NAVHIDDEN;
2515                if (reqNavHidden) {
2516
2517                    if (!navHidden) return false;
2518                    if (!oNavHidden) return true;
2519                }
2520            }
2521
2522            if ((keyboard != o.keyboard) && requested->keyboard) {
2523                return (keyboard);
2524            }
2525
2526            if ((navigation != o.navigation) && requested->navigation) {
2527                return (navigation);
2528            }
2529        }
2530
2531        if (screenSize || o.screenSize) {
2532            // "Better" is based on the sum of the difference between both
2533            // width and height from the requested dimensions.  We are
2534            // assuming the invalid configs (with smaller sizes) have
2535            // already been filtered.  Note that if a particular dimension
2536            // is unspecified, we will end up with a large value (the
2537            // difference between 0 and the requested dimension), which is
2538            // good since we will prefer a config that has specified a
2539            // size value.
2540            int myDelta = 0, otherDelta = 0;
2541            if (requested->screenWidth) {
2542                myDelta += requested->screenWidth - screenWidth;
2543                otherDelta += requested->screenWidth - o.screenWidth;
2544            }
2545            if (requested->screenHeight) {
2546                myDelta += requested->screenHeight - screenHeight;
2547                otherDelta += requested->screenHeight - o.screenHeight;
2548            }
2549            if (myDelta != otherDelta) {
2550                return myDelta < otherDelta;
2551            }
2552        }
2553
2554        if (version || o.version) {
2555            if ((sdkVersion != o.sdkVersion) && requested->sdkVersion) {
2556                return (sdkVersion > o.sdkVersion);
2557            }
2558
2559            if ((minorVersion != o.minorVersion) &&
2560                    requested->minorVersion) {
2561                return (minorVersion);
2562            }
2563        }
2564
2565        return false;
2566    }
2567    return isMoreSpecificThan(o);
2568}
2569
2570bool ResTable_config::match(const ResTable_config& settings) const {
2571    if (imsi != 0) {
2572        if (mcc != 0 && mcc != settings.mcc) {
2573            return false;
2574        }
2575        if (mnc != 0 && mnc != settings.mnc) {
2576            return false;
2577        }
2578    }
2579    if (locale != 0) {
2580        // Don't consider country and variants when deciding matches.
2581        // (Theoretically, the variant can also affect the script. For
2582        // example, "ar-alalc97" probably implies the Latin script, but since
2583        // CLDR doesn't support getting likely scripts for that, we'll assume
2584        // the variant doesn't change the script.)
2585        //
2586        // If two configs differ only in their country and variant,
2587        // they can be weeded out in the isMoreSpecificThan test.
2588        if (!langsAreEquivalent(language, settings.language)) {
2589            return false;
2590        }
2591
2592        // For backward compatibility and supporting private-use locales, we
2593        // fall back to old behavior if we couldn't determine the script for
2594        // either of the desired locale or the provided locale. But if we could determine
2595        // the scripts, they should be the same for the locales to match.
2596        bool countriesMustMatch = false;
2597        char computed_script[4];
2598        const char* script;
2599        if (settings.localeScript[0] == '\0') { // could not determine the request's script
2600            countriesMustMatch = true;
2601        } else {
2602            if (localeScript[0] == '\0' && !localeScriptWasComputed) {
2603                // script was not provided or computed, so we try to compute it
2604                localeDataComputeScript(computed_script, language, country);
2605                if (computed_script[0] == '\0') { // we could not compute the script
2606                    countriesMustMatch = true;
2607                } else {
2608                    script = computed_script;
2609                }
2610            } else { // script was provided, so just use it
2611                script = localeScript;
2612            }
2613        }
2614
2615        if (countriesMustMatch) {
2616            if (country[0] != '\0' && !areIdentical(country, settings.country)) {
2617                return false;
2618            }
2619        } else {
2620            if (memcmp(script, settings.localeScript, sizeof(settings.localeScript)) != 0) {
2621                return false;
2622            }
2623        }
2624    }
2625
2626    if (screenConfig != 0) {
2627        const int layoutDir = screenLayout&MASK_LAYOUTDIR;
2628        const int setLayoutDir = settings.screenLayout&MASK_LAYOUTDIR;
2629        if (layoutDir != 0 && layoutDir != setLayoutDir) {
2630            return false;
2631        }
2632
2633        const int screenSize = screenLayout&MASK_SCREENSIZE;
2634        const int setScreenSize = settings.screenLayout&MASK_SCREENSIZE;
2635        // Any screen sizes for larger screens than the setting do not
2636        // match.
2637        if (screenSize != 0 && screenSize > setScreenSize) {
2638            return false;
2639        }
2640
2641        const int screenLong = screenLayout&MASK_SCREENLONG;
2642        const int setScreenLong = settings.screenLayout&MASK_SCREENLONG;
2643        if (screenLong != 0 && screenLong != setScreenLong) {
2644            return false;
2645        }
2646
2647        const int uiModeType = uiMode&MASK_UI_MODE_TYPE;
2648        const int setUiModeType = settings.uiMode&MASK_UI_MODE_TYPE;
2649        if (uiModeType != 0 && uiModeType != setUiModeType) {
2650            return false;
2651        }
2652
2653        const int uiModeNight = uiMode&MASK_UI_MODE_NIGHT;
2654        const int setUiModeNight = settings.uiMode&MASK_UI_MODE_NIGHT;
2655        if (uiModeNight != 0 && uiModeNight != setUiModeNight) {
2656            return false;
2657        }
2658
2659        if (smallestScreenWidthDp != 0
2660                && smallestScreenWidthDp > settings.smallestScreenWidthDp) {
2661            return false;
2662        }
2663    }
2664
2665    if (screenConfig2 != 0) {
2666        const int screenRound = screenLayout2 & MASK_SCREENROUND;
2667        const int setScreenRound = settings.screenLayout2 & MASK_SCREENROUND;
2668        if (screenRound != 0 && screenRound != setScreenRound) {
2669            return false;
2670        }
2671
2672        const int hdr = colorMode & MASK_HDR;
2673        const int setHdr = settings.colorMode & MASK_HDR;
2674        if (hdr != 0 && hdr != setHdr) {
2675            return false;
2676        }
2677
2678        const int wideColorGamut = colorMode & MASK_WIDE_COLOR_GAMUT;
2679        const int setWideColorGamut = settings.colorMode & MASK_WIDE_COLOR_GAMUT;
2680        if (wideColorGamut != 0 && wideColorGamut != setWideColorGamut) {
2681            return false;
2682        }
2683    }
2684
2685    if (screenSizeDp != 0) {
2686        if (screenWidthDp != 0 && screenWidthDp > settings.screenWidthDp) {
2687            if (kDebugTableSuperNoisy) {
2688                ALOGI("Filtering out width %d in requested %d", screenWidthDp,
2689                        settings.screenWidthDp);
2690            }
2691            return false;
2692        }
2693        if (screenHeightDp != 0 && screenHeightDp > settings.screenHeightDp) {
2694            if (kDebugTableSuperNoisy) {
2695                ALOGI("Filtering out height %d in requested %d", screenHeightDp,
2696                        settings.screenHeightDp);
2697            }
2698            return false;
2699        }
2700    }
2701    if (screenType != 0) {
2702        if (orientation != 0 && orientation != settings.orientation) {
2703            return false;
2704        }
2705        // density always matches - we can scale it.  See isBetterThan
2706        if (touchscreen != 0 && touchscreen != settings.touchscreen) {
2707            return false;
2708        }
2709    }
2710    if (input != 0) {
2711        const int keysHidden = inputFlags&MASK_KEYSHIDDEN;
2712        const int setKeysHidden = settings.inputFlags&MASK_KEYSHIDDEN;
2713        if (keysHidden != 0 && keysHidden != setKeysHidden) {
2714            // For compatibility, we count a request for KEYSHIDDEN_NO as also
2715            // matching the more recent KEYSHIDDEN_SOFT.  Basically
2716            // KEYSHIDDEN_NO means there is some kind of keyboard available.
2717            if (kDebugTableSuperNoisy) {
2718                ALOGI("Matching keysHidden: have=%d, config=%d\n", keysHidden, setKeysHidden);
2719            }
2720            if (keysHidden != KEYSHIDDEN_NO || setKeysHidden != KEYSHIDDEN_SOFT) {
2721                if (kDebugTableSuperNoisy) {
2722                    ALOGI("No match!");
2723                }
2724                return false;
2725            }
2726        }
2727        const int navHidden = inputFlags&MASK_NAVHIDDEN;
2728        const int setNavHidden = settings.inputFlags&MASK_NAVHIDDEN;
2729        if (navHidden != 0 && navHidden != setNavHidden) {
2730            return false;
2731        }
2732        if (keyboard != 0 && keyboard != settings.keyboard) {
2733            return false;
2734        }
2735        if (navigation != 0 && navigation != settings.navigation) {
2736            return false;
2737        }
2738    }
2739    if (screenSize != 0) {
2740        if (screenWidth != 0 && screenWidth > settings.screenWidth) {
2741            return false;
2742        }
2743        if (screenHeight != 0 && screenHeight > settings.screenHeight) {
2744            return false;
2745        }
2746    }
2747    if (version != 0) {
2748        if (sdkVersion != 0 && sdkVersion > settings.sdkVersion) {
2749            return false;
2750        }
2751        if (minorVersion != 0 && minorVersion != settings.minorVersion) {
2752            return false;
2753        }
2754    }
2755    return true;
2756}
2757
2758void ResTable_config::appendDirLocale(String8& out) const {
2759    if (!language[0]) {
2760        return;
2761    }
2762    const bool scriptWasProvided = localeScript[0] != '\0' && !localeScriptWasComputed;
2763    if (!scriptWasProvided && !localeVariant[0]) {
2764        // Legacy format.
2765        if (out.size() > 0) {
2766            out.append("-");
2767        }
2768
2769        char buf[4];
2770        size_t len = unpackLanguage(buf);
2771        out.append(buf, len);
2772
2773        if (country[0]) {
2774            out.append("-r");
2775            len = unpackRegion(buf);
2776            out.append(buf, len);
2777        }
2778        return;
2779    }
2780
2781    // We are writing the modified BCP 47 tag.
2782    // It starts with 'b+' and uses '+' as a separator.
2783
2784    if (out.size() > 0) {
2785        out.append("-");
2786    }
2787    out.append("b+");
2788
2789    char buf[4];
2790    size_t len = unpackLanguage(buf);
2791    out.append(buf, len);
2792
2793    if (scriptWasProvided) {
2794        out.append("+");
2795        out.append(localeScript, sizeof(localeScript));
2796    }
2797
2798    if (country[0]) {
2799        out.append("+");
2800        len = unpackRegion(buf);
2801        out.append(buf, len);
2802    }
2803
2804    if (localeVariant[0]) {
2805        out.append("+");
2806        out.append(localeVariant, strnlen(localeVariant, sizeof(localeVariant)));
2807    }
2808}
2809
2810void ResTable_config::getBcp47Locale(char str[RESTABLE_MAX_LOCALE_LEN], bool canonicalize) const {
2811    memset(str, 0, RESTABLE_MAX_LOCALE_LEN);
2812
2813    // This represents the "any" locale value, which has traditionally been
2814    // represented by the empty string.
2815    if (language[0] == '\0' && country[0] == '\0') {
2816        return;
2817    }
2818
2819    size_t charsWritten = 0;
2820    if (language[0] != '\0') {
2821        if (canonicalize && areIdentical(language, kTagalog)) {
2822            // Replace Tagalog with Filipino if we are canonicalizing
2823            str[0] = 'f'; str[1] = 'i'; str[2] = 'l'; str[3] = '\0';  // 3-letter code for Filipino
2824            charsWritten += 3;
2825        } else {
2826            charsWritten += unpackLanguage(str);
2827        }
2828    }
2829
2830    if (localeScript[0] != '\0' && !localeScriptWasComputed) {
2831        if (charsWritten > 0) {
2832            str[charsWritten++] = '-';
2833        }
2834        memcpy(str + charsWritten, localeScript, sizeof(localeScript));
2835        charsWritten += sizeof(localeScript);
2836    }
2837
2838    if (country[0] != '\0') {
2839        if (charsWritten > 0) {
2840            str[charsWritten++] = '-';
2841        }
2842        charsWritten += unpackRegion(str + charsWritten);
2843    }
2844
2845    if (localeVariant[0] != '\0') {
2846        if (charsWritten > 0) {
2847            str[charsWritten++] = '-';
2848        }
2849        memcpy(str + charsWritten, localeVariant, sizeof(localeVariant));
2850    }
2851}
2852
2853/* static */ inline bool assignLocaleComponent(ResTable_config* config,
2854        const char* start, size_t size) {
2855
2856  switch (size) {
2857       case 0:
2858           return false;
2859       case 2:
2860       case 3:
2861           config->language[0] ? config->packRegion(start) : config->packLanguage(start);
2862           break;
2863       case 4:
2864           if ('0' <= start[0] && start[0] <= '9') {
2865               // this is a variant, so fall through
2866           } else {
2867               config->localeScript[0] = toupper(start[0]);
2868               for (size_t i = 1; i < 4; ++i) {
2869                   config->localeScript[i] = tolower(start[i]);
2870               }
2871               break;
2872           }
2873       case 5:
2874       case 6:
2875       case 7:
2876       case 8:
2877           for (size_t i = 0; i < size; ++i) {
2878               config->localeVariant[i] = tolower(start[i]);
2879           }
2880           break;
2881       default:
2882           return false;
2883  }
2884
2885  return true;
2886}
2887
2888void ResTable_config::setBcp47Locale(const char* in) {
2889    locale = 0;
2890    memset(localeScript, 0, sizeof(localeScript));
2891    memset(localeVariant, 0, sizeof(localeVariant));
2892
2893    const char* separator = in;
2894    const char* start = in;
2895    while ((separator = strchr(start, '-')) != NULL) {
2896        const size_t size = separator - start;
2897        if (!assignLocaleComponent(this, start, size)) {
2898            fprintf(stderr, "Invalid BCP-47 locale string: %s", in);
2899        }
2900
2901        start = (separator + 1);
2902    }
2903
2904    const size_t size = in + strlen(in) - start;
2905    assignLocaleComponent(this, start, size);
2906    localeScriptWasComputed = (localeScript[0] == '\0');
2907    if (localeScriptWasComputed) {
2908        computeScript();
2909    }
2910}
2911
2912String8 ResTable_config::toString() const {
2913    String8 res;
2914
2915    if (mcc != 0) {
2916        if (res.size() > 0) res.append("-");
2917        res.appendFormat("mcc%d", dtohs(mcc));
2918    }
2919    if (mnc != 0) {
2920        if (res.size() > 0) res.append("-");
2921        res.appendFormat("mnc%d", dtohs(mnc));
2922    }
2923
2924    appendDirLocale(res);
2925
2926    if ((screenLayout&MASK_LAYOUTDIR) != 0) {
2927        if (res.size() > 0) res.append("-");
2928        switch (screenLayout&ResTable_config::MASK_LAYOUTDIR) {
2929            case ResTable_config::LAYOUTDIR_LTR:
2930                res.append("ldltr");
2931                break;
2932            case ResTable_config::LAYOUTDIR_RTL:
2933                res.append("ldrtl");
2934                break;
2935            default:
2936                res.appendFormat("layoutDir=%d",
2937                        dtohs(screenLayout&ResTable_config::MASK_LAYOUTDIR));
2938                break;
2939        }
2940    }
2941    if (smallestScreenWidthDp != 0) {
2942        if (res.size() > 0) res.append("-");
2943        res.appendFormat("sw%ddp", dtohs(smallestScreenWidthDp));
2944    }
2945    if (screenWidthDp != 0) {
2946        if (res.size() > 0) res.append("-");
2947        res.appendFormat("w%ddp", dtohs(screenWidthDp));
2948    }
2949    if (screenHeightDp != 0) {
2950        if (res.size() > 0) res.append("-");
2951        res.appendFormat("h%ddp", dtohs(screenHeightDp));
2952    }
2953    if ((screenLayout&MASK_SCREENSIZE) != SCREENSIZE_ANY) {
2954        if (res.size() > 0) res.append("-");
2955        switch (screenLayout&ResTable_config::MASK_SCREENSIZE) {
2956            case ResTable_config::SCREENSIZE_SMALL:
2957                res.append("small");
2958                break;
2959            case ResTable_config::SCREENSIZE_NORMAL:
2960                res.append("normal");
2961                break;
2962            case ResTable_config::SCREENSIZE_LARGE:
2963                res.append("large");
2964                break;
2965            case ResTable_config::SCREENSIZE_XLARGE:
2966                res.append("xlarge");
2967                break;
2968            default:
2969                res.appendFormat("screenLayoutSize=%d",
2970                        dtohs(screenLayout&ResTable_config::MASK_SCREENSIZE));
2971                break;
2972        }
2973    }
2974    if ((screenLayout&MASK_SCREENLONG) != 0) {
2975        if (res.size() > 0) res.append("-");
2976        switch (screenLayout&ResTable_config::MASK_SCREENLONG) {
2977            case ResTable_config::SCREENLONG_NO:
2978                res.append("notlong");
2979                break;
2980            case ResTable_config::SCREENLONG_YES:
2981                res.append("long");
2982                break;
2983            default:
2984                res.appendFormat("screenLayoutLong=%d",
2985                        dtohs(screenLayout&ResTable_config::MASK_SCREENLONG));
2986                break;
2987        }
2988    }
2989    if ((screenLayout2&MASK_SCREENROUND) != 0) {
2990        if (res.size() > 0) res.append("-");
2991        switch (screenLayout2&MASK_SCREENROUND) {
2992            case SCREENROUND_NO:
2993                res.append("notround");
2994                break;
2995            case SCREENROUND_YES:
2996                res.append("round");
2997                break;
2998            default:
2999                res.appendFormat("screenRound=%d", dtohs(screenLayout2&MASK_SCREENROUND));
3000                break;
3001        }
3002    }
3003    if ((colorMode&MASK_HDR) != 0) {
3004        if (res.size() > 0) res.append("-");
3005        switch (colorMode&MASK_HDR) {
3006            case ResTable_config::HDR_NO:
3007                res.append("lowdr");
3008                break;
3009            case ResTable_config::HDR_YES:
3010                res.append("highdr");
3011                break;
3012            default:
3013                res.appendFormat("hdr=%d", dtohs(colorMode&MASK_HDR));
3014                break;
3015        }
3016    }
3017    if ((colorMode&MASK_WIDE_COLOR_GAMUT) != 0) {
3018        if (res.size() > 0) res.append("-");
3019        switch (colorMode&MASK_WIDE_COLOR_GAMUT) {
3020            case ResTable_config::WIDE_COLOR_GAMUT_NO:
3021                res.append("nowidecg");
3022                break;
3023            case ResTable_config::WIDE_COLOR_GAMUT_YES:
3024                res.append("widecg");
3025                break;
3026            default:
3027                res.appendFormat("wideColorGamut=%d", dtohs(colorMode&MASK_WIDE_COLOR_GAMUT));
3028                break;
3029        }
3030    }
3031    if (orientation != ORIENTATION_ANY) {
3032        if (res.size() > 0) res.append("-");
3033        switch (orientation) {
3034            case ResTable_config::ORIENTATION_PORT:
3035                res.append("port");
3036                break;
3037            case ResTable_config::ORIENTATION_LAND:
3038                res.append("land");
3039                break;
3040            case ResTable_config::ORIENTATION_SQUARE:
3041                res.append("square");
3042                break;
3043            default:
3044                res.appendFormat("orientation=%d", dtohs(orientation));
3045                break;
3046        }
3047    }
3048    if ((uiMode&MASK_UI_MODE_TYPE) != UI_MODE_TYPE_ANY) {
3049        if (res.size() > 0) res.append("-");
3050        switch (uiMode&ResTable_config::MASK_UI_MODE_TYPE) {
3051            case ResTable_config::UI_MODE_TYPE_DESK:
3052                res.append("desk");
3053                break;
3054            case ResTable_config::UI_MODE_TYPE_CAR:
3055                res.append("car");
3056                break;
3057            case ResTable_config::UI_MODE_TYPE_TELEVISION:
3058                res.append("television");
3059                break;
3060            case ResTable_config::UI_MODE_TYPE_APPLIANCE:
3061                res.append("appliance");
3062                break;
3063            case ResTable_config::UI_MODE_TYPE_WATCH:
3064                res.append("watch");
3065                break;
3066            case ResTable_config::UI_MODE_TYPE_VR_HEADSET:
3067                res.append("vrheadset");
3068                break;
3069            default:
3070                res.appendFormat("uiModeType=%d",
3071                        dtohs(screenLayout&ResTable_config::MASK_UI_MODE_TYPE));
3072                break;
3073        }
3074    }
3075    if ((uiMode&MASK_UI_MODE_NIGHT) != 0) {
3076        if (res.size() > 0) res.append("-");
3077        switch (uiMode&ResTable_config::MASK_UI_MODE_NIGHT) {
3078            case ResTable_config::UI_MODE_NIGHT_NO:
3079                res.append("notnight");
3080                break;
3081            case ResTable_config::UI_MODE_NIGHT_YES:
3082                res.append("night");
3083                break;
3084            default:
3085                res.appendFormat("uiModeNight=%d",
3086                        dtohs(uiMode&MASK_UI_MODE_NIGHT));
3087                break;
3088        }
3089    }
3090    if (density != DENSITY_DEFAULT) {
3091        if (res.size() > 0) res.append("-");
3092        switch (density) {
3093            case ResTable_config::DENSITY_LOW:
3094                res.append("ldpi");
3095                break;
3096            case ResTable_config::DENSITY_MEDIUM:
3097                res.append("mdpi");
3098                break;
3099            case ResTable_config::DENSITY_TV:
3100                res.append("tvdpi");
3101                break;
3102            case ResTable_config::DENSITY_HIGH:
3103                res.append("hdpi");
3104                break;
3105            case ResTable_config::DENSITY_XHIGH:
3106                res.append("xhdpi");
3107                break;
3108            case ResTable_config::DENSITY_XXHIGH:
3109                res.append("xxhdpi");
3110                break;
3111            case ResTable_config::DENSITY_XXXHIGH:
3112                res.append("xxxhdpi");
3113                break;
3114            case ResTable_config::DENSITY_NONE:
3115                res.append("nodpi");
3116                break;
3117            case ResTable_config::DENSITY_ANY:
3118                res.append("anydpi");
3119                break;
3120            default:
3121                res.appendFormat("%ddpi", dtohs(density));
3122                break;
3123        }
3124    }
3125    if (touchscreen != TOUCHSCREEN_ANY) {
3126        if (res.size() > 0) res.append("-");
3127        switch (touchscreen) {
3128            case ResTable_config::TOUCHSCREEN_NOTOUCH:
3129                res.append("notouch");
3130                break;
3131            case ResTable_config::TOUCHSCREEN_FINGER:
3132                res.append("finger");
3133                break;
3134            case ResTable_config::TOUCHSCREEN_STYLUS:
3135                res.append("stylus");
3136                break;
3137            default:
3138                res.appendFormat("touchscreen=%d", dtohs(touchscreen));
3139                break;
3140        }
3141    }
3142    if ((inputFlags&MASK_KEYSHIDDEN) != 0) {
3143        if (res.size() > 0) res.append("-");
3144        switch (inputFlags&MASK_KEYSHIDDEN) {
3145            case ResTable_config::KEYSHIDDEN_NO:
3146                res.append("keysexposed");
3147                break;
3148            case ResTable_config::KEYSHIDDEN_YES:
3149                res.append("keyshidden");
3150                break;
3151            case ResTable_config::KEYSHIDDEN_SOFT:
3152                res.append("keyssoft");
3153                break;
3154        }
3155    }
3156    if (keyboard != KEYBOARD_ANY) {
3157        if (res.size() > 0) res.append("-");
3158        switch (keyboard) {
3159            case ResTable_config::KEYBOARD_NOKEYS:
3160                res.append("nokeys");
3161                break;
3162            case ResTable_config::KEYBOARD_QWERTY:
3163                res.append("qwerty");
3164                break;
3165            case ResTable_config::KEYBOARD_12KEY:
3166                res.append("12key");
3167                break;
3168            default:
3169                res.appendFormat("keyboard=%d", dtohs(keyboard));
3170                break;
3171        }
3172    }
3173    if ((inputFlags&MASK_NAVHIDDEN) != 0) {
3174        if (res.size() > 0) res.append("-");
3175        switch (inputFlags&MASK_NAVHIDDEN) {
3176            case ResTable_config::NAVHIDDEN_NO:
3177                res.append("navexposed");
3178                break;
3179            case ResTable_config::NAVHIDDEN_YES:
3180                res.append("navhidden");
3181                break;
3182            default:
3183                res.appendFormat("inputFlagsNavHidden=%d",
3184                        dtohs(inputFlags&MASK_NAVHIDDEN));
3185                break;
3186        }
3187    }
3188    if (navigation != NAVIGATION_ANY) {
3189        if (res.size() > 0) res.append("-");
3190        switch (navigation) {
3191            case ResTable_config::NAVIGATION_NONAV:
3192                res.append("nonav");
3193                break;
3194            case ResTable_config::NAVIGATION_DPAD:
3195                res.append("dpad");
3196                break;
3197            case ResTable_config::NAVIGATION_TRACKBALL:
3198                res.append("trackball");
3199                break;
3200            case ResTable_config::NAVIGATION_WHEEL:
3201                res.append("wheel");
3202                break;
3203            default:
3204                res.appendFormat("navigation=%d", dtohs(navigation));
3205                break;
3206        }
3207    }
3208    if (screenSize != 0) {
3209        if (res.size() > 0) res.append("-");
3210        res.appendFormat("%dx%d", dtohs(screenWidth), dtohs(screenHeight));
3211    }
3212    if (version != 0) {
3213        if (res.size() > 0) res.append("-");
3214        res.appendFormat("v%d", dtohs(sdkVersion));
3215        if (minorVersion != 0) {
3216            res.appendFormat(".%d", dtohs(minorVersion));
3217        }
3218    }
3219
3220    return res;
3221}
3222
3223// --------------------------------------------------------------------
3224// --------------------------------------------------------------------
3225// --------------------------------------------------------------------
3226
3227struct ResTable::Header
3228{
3229    explicit Header(ResTable* _owner) : owner(_owner), ownedData(NULL), header(NULL),
3230        resourceIDMap(NULL), resourceIDMapSize(0) { }
3231
3232    ~Header()
3233    {
3234        free(resourceIDMap);
3235    }
3236
3237    const ResTable* const           owner;
3238    void*                           ownedData;
3239    const ResTable_header*          header;
3240    size_t                          size;
3241    const uint8_t*                  dataEnd;
3242    size_t                          index;
3243    int32_t                         cookie;
3244
3245    ResStringPool                   values;
3246    uint32_t*                       resourceIDMap;
3247    size_t                          resourceIDMapSize;
3248};
3249
3250struct ResTable::Entry {
3251    ResTable_config config;
3252    const ResTable_entry* entry;
3253    const ResTable_type* type;
3254    uint32_t specFlags;
3255    const Package* package;
3256
3257    StringPoolRef typeStr;
3258    StringPoolRef keyStr;
3259};
3260
3261struct ResTable::Type
3262{
3263    Type(const Header* _header, const Package* _package, size_t count)
3264        : header(_header), package(_package), entryCount(count),
3265          typeSpec(NULL), typeSpecFlags(NULL) { }
3266    const Header* const             header;
3267    const Package* const            package;
3268    const size_t                    entryCount;
3269    const ResTable_typeSpec*        typeSpec;
3270    const uint32_t*                 typeSpecFlags;
3271    IdmapEntries                    idmapEntries;
3272    Vector<const ResTable_type*>    configs;
3273};
3274
3275struct ResTable::Package
3276{
3277    Package(ResTable* _owner, const Header* _header, const ResTable_package* _package)
3278        : owner(_owner), header(_header), package(_package), typeIdOffset(0) {
3279        if (dtohs(package->header.headerSize) == sizeof(*package)) {
3280            // The package structure is the same size as the definition.
3281            // This means it contains the typeIdOffset field.
3282            typeIdOffset = package->typeIdOffset;
3283        }
3284    }
3285
3286    const ResTable* const           owner;
3287    const Header* const             header;
3288    const ResTable_package* const   package;
3289
3290    ResStringPool                   typeStrings;
3291    ResStringPool                   keyStrings;
3292
3293    size_t                          typeIdOffset;
3294};
3295
3296// A group of objects describing a particular resource package.
3297// The first in 'package' is always the root object (from the resource
3298// table that defined the package); the ones after are skins on top of it.
3299struct ResTable::PackageGroup
3300{
3301    PackageGroup(
3302            ResTable* _owner, const String16& _name, uint32_t _id,
3303            bool appAsLib, bool _isSystemAsset)
3304        : owner(_owner)
3305        , name(_name)
3306        , id(_id)
3307        , largestTypeId(0)
3308        , dynamicRefTable(static_cast<uint8_t>(_id), appAsLib)
3309        , isSystemAsset(_isSystemAsset)
3310    { }
3311
3312    ~PackageGroup() {
3313        clearBagCache();
3314        const size_t numTypes = types.size();
3315        for (size_t i = 0; i < numTypes; i++) {
3316            const TypeList& typeList = types[i];
3317            const size_t numInnerTypes = typeList.size();
3318            for (size_t j = 0; j < numInnerTypes; j++) {
3319                if (typeList[j]->package->owner == owner) {
3320                    delete typeList[j];
3321                }
3322            }
3323        }
3324
3325        const size_t N = packages.size();
3326        for (size_t i=0; i<N; i++) {
3327            Package* pkg = packages[i];
3328            if (pkg->owner == owner) {
3329                delete pkg;
3330            }
3331        }
3332    }
3333
3334    /**
3335     * Clear all cache related data that depends on parameters/configuration.
3336     * This includes the bag caches and filtered types.
3337     */
3338    void clearBagCache() {
3339        for (size_t i = 0; i < typeCacheEntries.size(); i++) {
3340            if (kDebugTableNoisy) {
3341                printf("type=%zu\n", i);
3342            }
3343            const TypeList& typeList = types[i];
3344            if (!typeList.isEmpty()) {
3345                TypeCacheEntry& cacheEntry = typeCacheEntries.editItemAt(i);
3346
3347                // Reset the filtered configurations.
3348                cacheEntry.filteredConfigs.clear();
3349
3350                bag_set** typeBags = cacheEntry.cachedBags;
3351                if (kDebugTableNoisy) {
3352                    printf("typeBags=%p\n", typeBags);
3353                }
3354
3355                if (typeBags) {
3356                    const size_t N = typeList[0]->entryCount;
3357                    if (kDebugTableNoisy) {
3358                        printf("type->entryCount=%zu\n", N);
3359                    }
3360                    for (size_t j = 0; j < N; j++) {
3361                        if (typeBags[j] && typeBags[j] != (bag_set*)0xFFFFFFFF) {
3362                            free(typeBags[j]);
3363                        }
3364                    }
3365                    free(typeBags);
3366                    cacheEntry.cachedBags = NULL;
3367                }
3368            }
3369        }
3370    }
3371
3372    ssize_t findType16(const char16_t* type, size_t len) const {
3373        const size_t N = packages.size();
3374        for (size_t i = 0; i < N; i++) {
3375            ssize_t index = packages[i]->typeStrings.indexOfString(type, len);
3376            if (index >= 0) {
3377                return index + packages[i]->typeIdOffset;
3378            }
3379        }
3380        return -1;
3381    }
3382
3383    const ResTable* const           owner;
3384    String16 const                  name;
3385    uint32_t const                  id;
3386
3387    // This is mainly used to keep track of the loaded packages
3388    // and to clean them up properly. Accessing resources happens from
3389    // the 'types' array.
3390    Vector<Package*>                packages;
3391
3392    ByteBucketArray<TypeList>       types;
3393
3394    uint8_t                         largestTypeId;
3395
3396    // Cached objects dependent on the parameters/configuration of this ResTable.
3397    // Gets cleared whenever the parameters/configuration changes.
3398    // These are stored here in a parallel structure because the data in `types` may
3399    // be shared by other ResTable's (framework resources are shared this way).
3400    ByteBucketArray<TypeCacheEntry> typeCacheEntries;
3401
3402    // The table mapping dynamic references to resolved references for
3403    // this package group.
3404    // TODO: We may be able to support dynamic references in overlays
3405    // by having these tables in a per-package scope rather than
3406    // per-package-group.
3407    DynamicRefTable                 dynamicRefTable;
3408
3409    // If the package group comes from a system asset. Used in
3410    // determining non-system locales.
3411    const bool                      isSystemAsset;
3412};
3413
3414ResTable::Theme::Theme(const ResTable& table)
3415    : mTable(table)
3416    , mTypeSpecFlags(0)
3417{
3418    memset(mPackages, 0, sizeof(mPackages));
3419}
3420
3421ResTable::Theme::~Theme()
3422{
3423    for (size_t i=0; i<Res_MAXPACKAGE; i++) {
3424        package_info* pi = mPackages[i];
3425        if (pi != NULL) {
3426            free_package(pi);
3427        }
3428    }
3429}
3430
3431void ResTable::Theme::free_package(package_info* pi)
3432{
3433    for (size_t j = 0; j <= Res_MAXTYPE; j++) {
3434        theme_entry* te = pi->types[j].entries;
3435        if (te != NULL) {
3436            free(te);
3437        }
3438    }
3439    free(pi);
3440}
3441
3442ResTable::Theme::package_info* ResTable::Theme::copy_package(package_info* pi)
3443{
3444    package_info* newpi = (package_info*)malloc(sizeof(package_info));
3445    for (size_t j = 0; j <= Res_MAXTYPE; j++) {
3446        size_t cnt = pi->types[j].numEntries;
3447        newpi->types[j].numEntries = cnt;
3448        theme_entry* te = pi->types[j].entries;
3449        size_t cnt_max = SIZE_MAX / sizeof(theme_entry);
3450        if (te != NULL && (cnt < 0xFFFFFFFF-1) && (cnt < cnt_max)) {
3451            theme_entry* newte = (theme_entry*)malloc(cnt*sizeof(theme_entry));
3452            newpi->types[j].entries = newte;
3453            memcpy(newte, te, cnt*sizeof(theme_entry));
3454        } else {
3455            newpi->types[j].entries = NULL;
3456        }
3457    }
3458    return newpi;
3459}
3460
3461status_t ResTable::Theme::applyStyle(uint32_t resID, bool force)
3462{
3463    const bag_entry* bag;
3464    uint32_t bagTypeSpecFlags = 0;
3465    mTable.lock();
3466    const ssize_t N = mTable.getBagLocked(resID, &bag, &bagTypeSpecFlags);
3467    if (kDebugTableNoisy) {
3468        ALOGV("Applying style 0x%08x to theme %p, count=%zu", resID, this, N);
3469    }
3470    if (N < 0) {
3471        mTable.unlock();
3472        return N;
3473    }
3474
3475    mTypeSpecFlags |= bagTypeSpecFlags;
3476
3477    uint32_t curPackage = 0xffffffff;
3478    ssize_t curPackageIndex = 0;
3479    package_info* curPI = NULL;
3480    uint32_t curType = 0xffffffff;
3481    size_t numEntries = 0;
3482    theme_entry* curEntries = NULL;
3483
3484    const bag_entry* end = bag + N;
3485    while (bag < end) {
3486        const uint32_t attrRes = bag->map.name.ident;
3487        const uint32_t p = Res_GETPACKAGE(attrRes);
3488        const uint32_t t = Res_GETTYPE(attrRes);
3489        const uint32_t e = Res_GETENTRY(attrRes);
3490
3491        if (curPackage != p) {
3492            const ssize_t pidx = mTable.getResourcePackageIndex(attrRes);
3493            if (pidx < 0) {
3494                ALOGE("Style contains key with bad package: 0x%08x\n", attrRes);
3495                bag++;
3496                continue;
3497            }
3498            curPackage = p;
3499            curPackageIndex = pidx;
3500            curPI = mPackages[pidx];
3501            if (curPI == NULL) {
3502                curPI = (package_info*)malloc(sizeof(package_info));
3503                memset(curPI, 0, sizeof(*curPI));
3504                mPackages[pidx] = curPI;
3505            }
3506            curType = 0xffffffff;
3507        }
3508        if (curType != t) {
3509            if (t > Res_MAXTYPE) {
3510                ALOGE("Style contains key with bad type: 0x%08x\n", attrRes);
3511                bag++;
3512                continue;
3513            }
3514            curType = t;
3515            curEntries = curPI->types[t].entries;
3516            if (curEntries == NULL) {
3517                PackageGroup* const grp = mTable.mPackageGroups[curPackageIndex];
3518                const TypeList& typeList = grp->types[t];
3519                size_t cnt = typeList.isEmpty() ? 0 : typeList[0]->entryCount;
3520                size_t cnt_max = SIZE_MAX / sizeof(theme_entry);
3521                size_t buff_size = (cnt < cnt_max && cnt < 0xFFFFFFFF-1) ?
3522                                          cnt*sizeof(theme_entry) : 0;
3523                curEntries = (theme_entry*)malloc(buff_size);
3524                memset(curEntries, Res_value::TYPE_NULL, buff_size);
3525                curPI->types[t].numEntries = cnt;
3526                curPI->types[t].entries = curEntries;
3527            }
3528            numEntries = curPI->types[t].numEntries;
3529        }
3530        if (e >= numEntries) {
3531            ALOGE("Style contains key with bad entry: 0x%08x\n", attrRes);
3532            bag++;
3533            continue;
3534        }
3535        theme_entry* curEntry = curEntries + e;
3536        if (kDebugTableNoisy) {
3537            ALOGV("Attr 0x%08x: type=0x%x, data=0x%08x; curType=0x%x",
3538                    attrRes, bag->map.value.dataType, bag->map.value.data,
3539                    curEntry->value.dataType);
3540        }
3541        if (force || curEntry->value.dataType == Res_value::TYPE_NULL) {
3542            curEntry->stringBlock = bag->stringBlock;
3543            curEntry->typeSpecFlags |= bagTypeSpecFlags;
3544            curEntry->value = bag->map.value;
3545        }
3546
3547        bag++;
3548    }
3549
3550    mTable.unlock();
3551
3552    if (kDebugTableTheme) {
3553        ALOGI("Applying style 0x%08x (force=%d)  theme %p...\n", resID, force, this);
3554        dumpToLog();
3555    }
3556
3557    return NO_ERROR;
3558}
3559
3560status_t ResTable::Theme::setTo(const Theme& other)
3561{
3562    if (kDebugTableTheme) {
3563        ALOGI("Setting theme %p from theme %p...\n", this, &other);
3564        dumpToLog();
3565        other.dumpToLog();
3566    }
3567
3568    if (&mTable == &other.mTable) {
3569        for (size_t i=0; i<Res_MAXPACKAGE; i++) {
3570            if (mPackages[i] != NULL) {
3571                free_package(mPackages[i]);
3572            }
3573            if (other.mPackages[i] != NULL) {
3574                mPackages[i] = copy_package(other.mPackages[i]);
3575            } else {
3576                mPackages[i] = NULL;
3577            }
3578        }
3579    } else {
3580        // @todo: need to really implement this, not just copy
3581        // the system package (which is still wrong because it isn't
3582        // fixing up resource references).
3583        for (size_t i=0; i<Res_MAXPACKAGE; i++) {
3584            if (mPackages[i] != NULL) {
3585                free_package(mPackages[i]);
3586            }
3587            if (i == 0 && other.mPackages[i] != NULL) {
3588                mPackages[i] = copy_package(other.mPackages[i]);
3589            } else {
3590                mPackages[i] = NULL;
3591            }
3592        }
3593    }
3594
3595    mTypeSpecFlags = other.mTypeSpecFlags;
3596
3597    if (kDebugTableTheme) {
3598        ALOGI("Final theme:");
3599        dumpToLog();
3600    }
3601
3602    return NO_ERROR;
3603}
3604
3605status_t ResTable::Theme::clear()
3606{
3607    if (kDebugTableTheme) {
3608        ALOGI("Clearing theme %p...\n", this);
3609        dumpToLog();
3610    }
3611
3612    for (size_t i = 0; i < Res_MAXPACKAGE; i++) {
3613        if (mPackages[i] != NULL) {
3614            free_package(mPackages[i]);
3615            mPackages[i] = NULL;
3616        }
3617    }
3618
3619    mTypeSpecFlags = 0;
3620
3621    if (kDebugTableTheme) {
3622        ALOGI("Final theme:");
3623        dumpToLog();
3624    }
3625
3626    return NO_ERROR;
3627}
3628
3629ssize_t ResTable::Theme::getAttribute(uint32_t resID, Res_value* outValue,
3630        uint32_t* outTypeSpecFlags) const
3631{
3632    int cnt = 20;
3633
3634    if (outTypeSpecFlags != NULL) *outTypeSpecFlags = 0;
3635
3636    do {
3637        const ssize_t p = mTable.getResourcePackageIndex(resID);
3638        const uint32_t t = Res_GETTYPE(resID);
3639        const uint32_t e = Res_GETENTRY(resID);
3640
3641        if (kDebugTableTheme) {
3642            ALOGI("Looking up attr 0x%08x in theme %p", resID, this);
3643        }
3644
3645        if (p >= 0) {
3646            const package_info* const pi = mPackages[p];
3647            if (kDebugTableTheme) {
3648                ALOGI("Found package: %p", pi);
3649            }
3650            if (pi != NULL) {
3651                if (kDebugTableTheme) {
3652                    ALOGI("Desired type index is %u in avail %zu", t, Res_MAXTYPE + 1);
3653                }
3654                if (t <= Res_MAXTYPE) {
3655                    const type_info& ti = pi->types[t];
3656                    if (kDebugTableTheme) {
3657                        ALOGI("Desired entry index is %u in avail %zu", e, ti.numEntries);
3658                    }
3659                    if (e < ti.numEntries) {
3660                        const theme_entry& te = ti.entries[e];
3661                        if (outTypeSpecFlags != NULL) {
3662                            *outTypeSpecFlags |= te.typeSpecFlags;
3663                        }
3664                        if (kDebugTableTheme) {
3665                            ALOGI("Theme value: type=0x%x, data=0x%08x",
3666                                    te.value.dataType, te.value.data);
3667                        }
3668                        const uint8_t type = te.value.dataType;
3669                        if (type == Res_value::TYPE_ATTRIBUTE) {
3670                            if (cnt > 0) {
3671                                cnt--;
3672                                resID = te.value.data;
3673                                continue;
3674                            }
3675                            ALOGW("Too many attribute references, stopped at: 0x%08x\n", resID);
3676                            return BAD_INDEX;
3677                        } else if (type != Res_value::TYPE_NULL) {
3678                            *outValue = te.value;
3679                            return te.stringBlock;
3680                        }
3681                        return BAD_INDEX;
3682                    }
3683                }
3684            }
3685        }
3686        break;
3687
3688    } while (true);
3689
3690    return BAD_INDEX;
3691}
3692
3693ssize_t ResTable::Theme::resolveAttributeReference(Res_value* inOutValue,
3694        ssize_t blockIndex, uint32_t* outLastRef,
3695        uint32_t* inoutTypeSpecFlags, ResTable_config* inoutConfig) const
3696{
3697    //printf("Resolving type=0x%x\n", inOutValue->dataType);
3698    if (inOutValue->dataType == Res_value::TYPE_ATTRIBUTE) {
3699        uint32_t newTypeSpecFlags;
3700        blockIndex = getAttribute(inOutValue->data, inOutValue, &newTypeSpecFlags);
3701        if (kDebugTableTheme) {
3702            ALOGI("Resolving attr reference: blockIndex=%d, type=0x%x, data=0x%x\n",
3703                    (int)blockIndex, (int)inOutValue->dataType, inOutValue->data);
3704        }
3705        if (inoutTypeSpecFlags != NULL) *inoutTypeSpecFlags |= newTypeSpecFlags;
3706        //printf("Retrieved attribute new type=0x%x\n", inOutValue->dataType);
3707        if (blockIndex < 0) {
3708            return blockIndex;
3709        }
3710    }
3711    return mTable.resolveReference(inOutValue, blockIndex, outLastRef,
3712            inoutTypeSpecFlags, inoutConfig);
3713}
3714
3715uint32_t ResTable::Theme::getChangingConfigurations() const
3716{
3717    return mTypeSpecFlags;
3718}
3719
3720void ResTable::Theme::dumpToLog() const
3721{
3722    ALOGI("Theme %p:\n", this);
3723    for (size_t i=0; i<Res_MAXPACKAGE; i++) {
3724        package_info* pi = mPackages[i];
3725        if (pi == NULL) continue;
3726
3727        ALOGI("  Package #0x%02x:\n", (int)(i + 1));
3728        for (size_t j = 0; j <= Res_MAXTYPE; j++) {
3729            type_info& ti = pi->types[j];
3730            if (ti.numEntries == 0) continue;
3731            ALOGI("    Type #0x%02x:\n", (int)(j + 1));
3732            for (size_t k = 0; k < ti.numEntries; k++) {
3733                const theme_entry& te = ti.entries[k];
3734                if (te.value.dataType == Res_value::TYPE_NULL) continue;
3735                ALOGI("      0x%08x: t=0x%x, d=0x%08x (block=%d)\n",
3736                     (int)Res_MAKEID(i, j, k),
3737                     te.value.dataType, (int)te.value.data, (int)te.stringBlock);
3738            }
3739        }
3740    }
3741}
3742
3743ResTable::ResTable()
3744    : mError(NO_INIT), mNextPackageId(2)
3745{
3746    memset(&mParams, 0, sizeof(mParams));
3747    memset(mPackageMap, 0, sizeof(mPackageMap));
3748    if (kDebugTableSuperNoisy) {
3749        ALOGI("Creating ResTable %p\n", this);
3750    }
3751}
3752
3753ResTable::ResTable(const void* data, size_t size, const int32_t cookie, bool copyData)
3754    : mError(NO_INIT), mNextPackageId(2)
3755{
3756    memset(&mParams, 0, sizeof(mParams));
3757    memset(mPackageMap, 0, sizeof(mPackageMap));
3758    addInternal(data, size, NULL, 0, false, cookie, copyData);
3759    LOG_FATAL_IF(mError != NO_ERROR, "Error parsing resource table");
3760    if (kDebugTableSuperNoisy) {
3761        ALOGI("Creating ResTable %p\n", this);
3762    }
3763}
3764
3765ResTable::~ResTable()
3766{
3767    if (kDebugTableSuperNoisy) {
3768        ALOGI("Destroying ResTable in %p\n", this);
3769    }
3770    uninit();
3771}
3772
3773inline ssize_t ResTable::getResourcePackageIndex(uint32_t resID) const
3774{
3775    return ((ssize_t)mPackageMap[Res_GETPACKAGE(resID)+1])-1;
3776}
3777
3778status_t ResTable::add(const void* data, size_t size, const int32_t cookie, bool copyData) {
3779    return addInternal(data, size, NULL, 0, false, cookie, copyData);
3780}
3781
3782status_t ResTable::add(const void* data, size_t size, const void* idmapData, size_t idmapDataSize,
3783        const int32_t cookie, bool copyData, bool appAsLib) {
3784    return addInternal(data, size, idmapData, idmapDataSize, appAsLib, cookie, copyData);
3785}
3786
3787status_t ResTable::add(Asset* asset, const int32_t cookie, bool copyData) {
3788    const void* data = asset->getBuffer(true);
3789    if (data == NULL) {
3790        ALOGW("Unable to get buffer of resource asset file");
3791        return UNKNOWN_ERROR;
3792    }
3793
3794    return addInternal(data, static_cast<size_t>(asset->getLength()), NULL, false, 0, cookie,
3795            copyData);
3796}
3797
3798status_t ResTable::add(
3799        Asset* asset, Asset* idmapAsset, const int32_t cookie, bool copyData,
3800        bool appAsLib, bool isSystemAsset) {
3801    const void* data = asset->getBuffer(true);
3802    if (data == NULL) {
3803        ALOGW("Unable to get buffer of resource asset file");
3804        return UNKNOWN_ERROR;
3805    }
3806
3807    size_t idmapSize = 0;
3808    const void* idmapData = NULL;
3809    if (idmapAsset != NULL) {
3810        idmapData = idmapAsset->getBuffer(true);
3811        if (idmapData == NULL) {
3812            ALOGW("Unable to get buffer of idmap asset file");
3813            return UNKNOWN_ERROR;
3814        }
3815        idmapSize = static_cast<size_t>(idmapAsset->getLength());
3816    }
3817
3818    return addInternal(data, static_cast<size_t>(asset->getLength()),
3819            idmapData, idmapSize, appAsLib, cookie, copyData, isSystemAsset);
3820}
3821
3822status_t ResTable::add(ResTable* src, bool isSystemAsset)
3823{
3824    mError = src->mError;
3825
3826    for (size_t i=0; i < src->mHeaders.size(); i++) {
3827        mHeaders.add(src->mHeaders[i]);
3828    }
3829
3830    for (size_t i=0; i < src->mPackageGroups.size(); i++) {
3831        PackageGroup* srcPg = src->mPackageGroups[i];
3832        PackageGroup* pg = new PackageGroup(this, srcPg->name, srcPg->id,
3833                false /* appAsLib */, isSystemAsset || srcPg->isSystemAsset);
3834        for (size_t j=0; j<srcPg->packages.size(); j++) {
3835            pg->packages.add(srcPg->packages[j]);
3836        }
3837
3838        for (size_t j = 0; j < srcPg->types.size(); j++) {
3839            if (srcPg->types[j].isEmpty()) {
3840                continue;
3841            }
3842
3843            TypeList& typeList = pg->types.editItemAt(j);
3844            typeList.appendVector(srcPg->types[j]);
3845        }
3846        pg->dynamicRefTable.addMappings(srcPg->dynamicRefTable);
3847        pg->largestTypeId = max(pg->largestTypeId, srcPg->largestTypeId);
3848        mPackageGroups.add(pg);
3849    }
3850
3851    memcpy(mPackageMap, src->mPackageMap, sizeof(mPackageMap));
3852
3853    return mError;
3854}
3855
3856status_t ResTable::addEmpty(const int32_t cookie) {
3857    Header* header = new Header(this);
3858    header->index = mHeaders.size();
3859    header->cookie = cookie;
3860    header->values.setToEmpty();
3861    header->ownedData = calloc(1, sizeof(ResTable_header));
3862
3863    ResTable_header* resHeader = (ResTable_header*) header->ownedData;
3864    resHeader->header.type = RES_TABLE_TYPE;
3865    resHeader->header.headerSize = sizeof(ResTable_header);
3866    resHeader->header.size = sizeof(ResTable_header);
3867
3868    header->header = (const ResTable_header*) resHeader;
3869    mHeaders.add(header);
3870    return (mError=NO_ERROR);
3871}
3872
3873status_t ResTable::addInternal(const void* data, size_t dataSize, const void* idmapData, size_t idmapDataSize,
3874        bool appAsLib, const int32_t cookie, bool copyData, bool isSystemAsset)
3875{
3876    if (!data) {
3877        return NO_ERROR;
3878    }
3879
3880    if (dataSize < sizeof(ResTable_header)) {
3881        ALOGE("Invalid data. Size(%d) is smaller than a ResTable_header(%d).",
3882                (int) dataSize, (int) sizeof(ResTable_header));
3883        return UNKNOWN_ERROR;
3884    }
3885
3886    Header* header = new Header(this);
3887    header->index = mHeaders.size();
3888    header->cookie = cookie;
3889    if (idmapData != NULL) {
3890        header->resourceIDMap = (uint32_t*) malloc(idmapDataSize);
3891        if (header->resourceIDMap == NULL) {
3892            delete header;
3893            return (mError = NO_MEMORY);
3894        }
3895        memcpy(header->resourceIDMap, idmapData, idmapDataSize);
3896        header->resourceIDMapSize = idmapDataSize;
3897    }
3898    mHeaders.add(header);
3899
3900    const bool notDeviceEndian = htods(0xf0) != 0xf0;
3901
3902    if (kDebugLoadTableNoisy) {
3903        ALOGV("Adding resources to ResTable: data=%p, size=%zu, cookie=%d, copy=%d "
3904                "idmap=%p\n", data, dataSize, cookie, copyData, idmapData);
3905    }
3906
3907    if (copyData || notDeviceEndian) {
3908        header->ownedData = malloc(dataSize);
3909        if (header->ownedData == NULL) {
3910            return (mError=NO_MEMORY);
3911        }
3912        memcpy(header->ownedData, data, dataSize);
3913        data = header->ownedData;
3914    }
3915
3916    header->header = (const ResTable_header*)data;
3917    header->size = dtohl(header->header->header.size);
3918    if (kDebugLoadTableSuperNoisy) {
3919        ALOGI("Got size %zu, again size 0x%x, raw size 0x%x\n", header->size,
3920                dtohl(header->header->header.size), header->header->header.size);
3921    }
3922    if (kDebugLoadTableNoisy) {
3923        ALOGV("Loading ResTable @%p:\n", header->header);
3924    }
3925    if (dtohs(header->header->header.headerSize) > header->size
3926            || header->size > dataSize) {
3927        ALOGW("Bad resource table: header size 0x%x or total size 0x%x is larger than data size 0x%x\n",
3928             (int)dtohs(header->header->header.headerSize),
3929             (int)header->size, (int)dataSize);
3930        return (mError=BAD_TYPE);
3931    }
3932    if (((dtohs(header->header->header.headerSize)|header->size)&0x3) != 0) {
3933        ALOGW("Bad resource table: header size 0x%x or total size 0x%x is not on an integer boundary\n",
3934             (int)dtohs(header->header->header.headerSize),
3935             (int)header->size);
3936        return (mError=BAD_TYPE);
3937    }
3938    header->dataEnd = ((const uint8_t*)header->header) + header->size;
3939
3940    // Iterate through all chunks.
3941    size_t curPackage = 0;
3942
3943    const ResChunk_header* chunk =
3944        (const ResChunk_header*)(((const uint8_t*)header->header)
3945                                 + dtohs(header->header->header.headerSize));
3946    while (((const uint8_t*)chunk) <= (header->dataEnd-sizeof(ResChunk_header)) &&
3947           ((const uint8_t*)chunk) <= (header->dataEnd-dtohl(chunk->size))) {
3948        status_t err = validate_chunk(chunk, sizeof(ResChunk_header), header->dataEnd, "ResTable");
3949        if (err != NO_ERROR) {
3950            return (mError=err);
3951        }
3952        if (kDebugTableNoisy) {
3953            ALOGV("Chunk: type=0x%x, headerSize=0x%x, size=0x%x, pos=%p\n",
3954                    dtohs(chunk->type), dtohs(chunk->headerSize), dtohl(chunk->size),
3955                    (void*)(((const uint8_t*)chunk) - ((const uint8_t*)header->header)));
3956        }
3957        const size_t csize = dtohl(chunk->size);
3958        const uint16_t ctype = dtohs(chunk->type);
3959        if (ctype == RES_STRING_POOL_TYPE) {
3960            if (header->values.getError() != NO_ERROR) {
3961                // Only use the first string chunk; ignore any others that
3962                // may appear.
3963                status_t err = header->values.setTo(chunk, csize);
3964                if (err != NO_ERROR) {
3965                    return (mError=err);
3966                }
3967            } else {
3968                ALOGW("Multiple string chunks found in resource table.");
3969            }
3970        } else if (ctype == RES_TABLE_PACKAGE_TYPE) {
3971            if (curPackage >= dtohl(header->header->packageCount)) {
3972                ALOGW("More package chunks were found than the %d declared in the header.",
3973                     dtohl(header->header->packageCount));
3974                return (mError=BAD_TYPE);
3975            }
3976
3977            if (parsePackage(
3978                    (ResTable_package*)chunk, header, appAsLib, isSystemAsset) != NO_ERROR) {
3979                return mError;
3980            }
3981            curPackage++;
3982        } else {
3983            ALOGW("Unknown chunk type 0x%x in table at %p.\n",
3984                 ctype,
3985                 (void*)(((const uint8_t*)chunk) - ((const uint8_t*)header->header)));
3986        }
3987        chunk = (const ResChunk_header*)
3988            (((const uint8_t*)chunk) + csize);
3989    }
3990
3991    if (curPackage < dtohl(header->header->packageCount)) {
3992        ALOGW("Fewer package chunks (%d) were found than the %d declared in the header.",
3993             (int)curPackage, dtohl(header->header->packageCount));
3994        return (mError=BAD_TYPE);
3995    }
3996    mError = header->values.getError();
3997    if (mError != NO_ERROR) {
3998        ALOGW("No string values found in resource table!");
3999    }
4000
4001    if (kDebugTableNoisy) {
4002        ALOGV("Returning from add with mError=%d\n", mError);
4003    }
4004    return mError;
4005}
4006
4007status_t ResTable::getError() const
4008{
4009    return mError;
4010}
4011
4012void ResTable::uninit()
4013{
4014    mError = NO_INIT;
4015    size_t N = mPackageGroups.size();
4016    for (size_t i=0; i<N; i++) {
4017        PackageGroup* g = mPackageGroups[i];
4018        delete g;
4019    }
4020    N = mHeaders.size();
4021    for (size_t i=0; i<N; i++) {
4022        Header* header = mHeaders[i];
4023        if (header->owner == this) {
4024            if (header->ownedData) {
4025                free(header->ownedData);
4026            }
4027            delete header;
4028        }
4029    }
4030
4031    mPackageGroups.clear();
4032    mHeaders.clear();
4033}
4034
4035bool ResTable::getResourceName(uint32_t resID, bool allowUtf8, resource_name* outName) const
4036{
4037    if (mError != NO_ERROR) {
4038        return false;
4039    }
4040
4041    const ssize_t p = getResourcePackageIndex(resID);
4042    const int t = Res_GETTYPE(resID);
4043    const int e = Res_GETENTRY(resID);
4044
4045    if (p < 0) {
4046        if (Res_GETPACKAGE(resID)+1 == 0) {
4047            ALOGW("No package identifier when getting name for resource number 0x%08x", resID);
4048        } else {
4049#ifndef STATIC_ANDROIDFW_FOR_TOOLS
4050            ALOGW("No known package when getting name for resource number 0x%08x", resID);
4051#endif
4052        }
4053        return false;
4054    }
4055    if (t < 0) {
4056        ALOGW("No type identifier when getting name for resource number 0x%08x", resID);
4057        return false;
4058    }
4059
4060    const PackageGroup* const grp = mPackageGroups[p];
4061    if (grp == NULL) {
4062        ALOGW("Bad identifier when getting name for resource number 0x%08x", resID);
4063        return false;
4064    }
4065
4066    Entry entry;
4067    status_t err = getEntry(grp, t, e, NULL, &entry);
4068    if (err != NO_ERROR) {
4069        return false;
4070    }
4071
4072    outName->package = grp->name.string();
4073    outName->packageLen = grp->name.size();
4074    if (allowUtf8) {
4075        outName->type8 = entry.typeStr.string8(&outName->typeLen);
4076        outName->name8 = entry.keyStr.string8(&outName->nameLen);
4077    } else {
4078        outName->type8 = NULL;
4079        outName->name8 = NULL;
4080    }
4081    if (outName->type8 == NULL) {
4082        outName->type = entry.typeStr.string16(&outName->typeLen);
4083        // If we have a bad index for some reason, we should abort.
4084        if (outName->type == NULL) {
4085            return false;
4086        }
4087    }
4088    if (outName->name8 == NULL) {
4089        outName->name = entry.keyStr.string16(&outName->nameLen);
4090        // If we have a bad index for some reason, we should abort.
4091        if (outName->name == NULL) {
4092            return false;
4093        }
4094    }
4095
4096    return true;
4097}
4098
4099ssize_t ResTable::getResource(uint32_t resID, Res_value* outValue, bool mayBeBag, uint16_t density,
4100        uint32_t* outSpecFlags, ResTable_config* outConfig) const
4101{
4102    if (mError != NO_ERROR) {
4103        return mError;
4104    }
4105
4106    const ssize_t p = getResourcePackageIndex(resID);
4107    const int t = Res_GETTYPE(resID);
4108    const int e = Res_GETENTRY(resID);
4109
4110    if (p < 0) {
4111        if (Res_GETPACKAGE(resID)+1 == 0) {
4112            ALOGW("No package identifier when getting value for resource number 0x%08x", resID);
4113        } else {
4114            ALOGW("No known package when getting value for resource number 0x%08x", resID);
4115        }
4116        return BAD_INDEX;
4117    }
4118    if (t < 0) {
4119        ALOGW("No type identifier when getting value for resource number 0x%08x", resID);
4120        return BAD_INDEX;
4121    }
4122
4123    const PackageGroup* const grp = mPackageGroups[p];
4124    if (grp == NULL) {
4125        ALOGW("Bad identifier when getting value for resource number 0x%08x", resID);
4126        return BAD_INDEX;
4127    }
4128
4129    // Allow overriding density
4130    ResTable_config desiredConfig = mParams;
4131    if (density > 0) {
4132        desiredConfig.density = density;
4133    }
4134
4135    Entry entry;
4136    status_t err = getEntry(grp, t, e, &desiredConfig, &entry);
4137    if (err != NO_ERROR) {
4138        // Only log the failure when we're not running on the host as
4139        // part of a tool. The caller will do its own logging.
4140#ifndef STATIC_ANDROIDFW_FOR_TOOLS
4141        ALOGW("Failure getting entry for 0x%08x (t=%d e=%d) (error %d)\n",
4142                resID, t, e, err);
4143#endif
4144        return err;
4145    }
4146
4147    if ((dtohs(entry.entry->flags) & ResTable_entry::FLAG_COMPLEX) != 0) {
4148        if (!mayBeBag) {
4149            ALOGW("Requesting resource 0x%08x failed because it is complex\n", resID);
4150        }
4151        return BAD_VALUE;
4152    }
4153
4154    const Res_value* value = reinterpret_cast<const Res_value*>(
4155            reinterpret_cast<const uint8_t*>(entry.entry) + entry.entry->size);
4156
4157    outValue->size = dtohs(value->size);
4158    outValue->res0 = value->res0;
4159    outValue->dataType = value->dataType;
4160    outValue->data = dtohl(value->data);
4161
4162    // The reference may be pointing to a resource in a shared library. These
4163    // references have build-time generated package IDs. These ids may not match
4164    // the actual package IDs of the corresponding packages in this ResTable.
4165    // We need to fix the package ID based on a mapping.
4166    if (grp->dynamicRefTable.lookupResourceValue(outValue) != NO_ERROR) {
4167        ALOGW("Failed to resolve referenced package: 0x%08x", outValue->data);
4168        return BAD_VALUE;
4169    }
4170
4171    if (kDebugTableNoisy) {
4172        size_t len;
4173        printf("Found value: pkg=%zu, type=%d, str=%s, int=%d\n",
4174                entry.package->header->index,
4175                outValue->dataType,
4176                outValue->dataType == Res_value::TYPE_STRING ?
4177                    String8(entry.package->header->values.stringAt(outValue->data, &len)).string() :
4178                    "",
4179                outValue->data);
4180    }
4181
4182    if (outSpecFlags != NULL) {
4183        *outSpecFlags = entry.specFlags;
4184    }
4185
4186    if (outConfig != NULL) {
4187        *outConfig = entry.config;
4188    }
4189
4190    return entry.package->header->index;
4191}
4192
4193ssize_t ResTable::resolveReference(Res_value* value, ssize_t blockIndex,
4194        uint32_t* outLastRef, uint32_t* inoutTypeSpecFlags,
4195        ResTable_config* outConfig) const
4196{
4197    int count=0;
4198    while (blockIndex >= 0 && value->dataType == Res_value::TYPE_REFERENCE
4199            && value->data != 0 && count < 20) {
4200        if (outLastRef) *outLastRef = value->data;
4201        uint32_t newFlags = 0;
4202        const ssize_t newIndex = getResource(value->data, value, true, 0, &newFlags,
4203                outConfig);
4204        if (newIndex == BAD_INDEX) {
4205            return BAD_INDEX;
4206        }
4207        if (kDebugTableTheme) {
4208            ALOGI("Resolving reference 0x%x: newIndex=%d, type=0x%x, data=0x%x\n",
4209                    value->data, (int)newIndex, (int)value->dataType, value->data);
4210        }
4211        //printf("Getting reference 0x%08x: newIndex=%d\n", value->data, newIndex);
4212        if (inoutTypeSpecFlags != NULL) *inoutTypeSpecFlags |= newFlags;
4213        if (newIndex < 0) {
4214            // This can fail if the resource being referenced is a style...
4215            // in this case, just return the reference, and expect the
4216            // caller to deal with.
4217            return blockIndex;
4218        }
4219        blockIndex = newIndex;
4220        count++;
4221    }
4222    return blockIndex;
4223}
4224
4225const char16_t* ResTable::valueToString(
4226    const Res_value* value, size_t stringBlock,
4227    char16_t /*tmpBuffer*/ [TMP_BUFFER_SIZE], size_t* outLen) const
4228{
4229    if (!value) {
4230        return NULL;
4231    }
4232    if (value->dataType == value->TYPE_STRING) {
4233        return getTableStringBlock(stringBlock)->stringAt(value->data, outLen);
4234    }
4235    // XXX do int to string conversions.
4236    return NULL;
4237}
4238
4239ssize_t ResTable::lockBag(uint32_t resID, const bag_entry** outBag) const
4240{
4241    mLock.lock();
4242    ssize_t err = getBagLocked(resID, outBag);
4243    if (err < NO_ERROR) {
4244        //printf("*** get failed!  unlocking\n");
4245        mLock.unlock();
4246    }
4247    return err;
4248}
4249
4250void ResTable::unlockBag(const bag_entry* /*bag*/) const
4251{
4252    //printf("<<< unlockBag %p\n", this);
4253    mLock.unlock();
4254}
4255
4256void ResTable::lock() const
4257{
4258    mLock.lock();
4259}
4260
4261void ResTable::unlock() const
4262{
4263    mLock.unlock();
4264}
4265
4266ssize_t ResTable::getBagLocked(uint32_t resID, const bag_entry** outBag,
4267        uint32_t* outTypeSpecFlags) const
4268{
4269    if (mError != NO_ERROR) {
4270        return mError;
4271    }
4272
4273    const ssize_t p = getResourcePackageIndex(resID);
4274    const int t = Res_GETTYPE(resID);
4275    const int e = Res_GETENTRY(resID);
4276
4277    if (p < 0) {
4278        ALOGW("Invalid package identifier when getting bag for resource number 0x%08x", resID);
4279        return BAD_INDEX;
4280    }
4281    if (t < 0) {
4282        ALOGW("No type identifier when getting bag for resource number 0x%08x", resID);
4283        return BAD_INDEX;
4284    }
4285
4286    //printf("Get bag: id=0x%08x, p=%d, t=%d\n", resID, p, t);
4287    PackageGroup* const grp = mPackageGroups[p];
4288    if (grp == NULL) {
4289        ALOGW("Bad identifier when getting bag for resource number 0x%08x", resID);
4290        return BAD_INDEX;
4291    }
4292
4293    const TypeList& typeConfigs = grp->types[t];
4294    if (typeConfigs.isEmpty()) {
4295        ALOGW("Type identifier 0x%x does not exist.", t+1);
4296        return BAD_INDEX;
4297    }
4298
4299    const size_t NENTRY = typeConfigs[0]->entryCount;
4300    if (e >= (int)NENTRY) {
4301        ALOGW("Entry identifier 0x%x is larger than entry count 0x%x",
4302             e, (int)typeConfigs[0]->entryCount);
4303        return BAD_INDEX;
4304    }
4305
4306    // First see if we've already computed this bag...
4307    TypeCacheEntry& cacheEntry = grp->typeCacheEntries.editItemAt(t);
4308    bag_set** typeSet = cacheEntry.cachedBags;
4309    if (typeSet) {
4310        bag_set* set = typeSet[e];
4311        if (set) {
4312            if (set != (bag_set*)0xFFFFFFFF) {
4313                if (outTypeSpecFlags != NULL) {
4314                    *outTypeSpecFlags = set->typeSpecFlags;
4315                }
4316                *outBag = (bag_entry*)(set+1);
4317                if (kDebugTableSuperNoisy) {
4318                    ALOGI("Found existing bag for: 0x%x\n", resID);
4319                }
4320                return set->numAttrs;
4321            }
4322            ALOGW("Attempt to retrieve bag 0x%08x which is invalid or in a cycle.",
4323                 resID);
4324            return BAD_INDEX;
4325        }
4326    }
4327
4328    // Bag not found, we need to compute it!
4329    if (!typeSet) {
4330        typeSet = (bag_set**)calloc(NENTRY, sizeof(bag_set*));
4331        if (!typeSet) return NO_MEMORY;
4332        cacheEntry.cachedBags = typeSet;
4333    }
4334
4335    // Mark that we are currently working on this one.
4336    typeSet[e] = (bag_set*)0xFFFFFFFF;
4337
4338    if (kDebugTableNoisy) {
4339        ALOGI("Building bag: %x\n", resID);
4340    }
4341
4342    // Now collect all bag attributes
4343    Entry entry;
4344    status_t err = getEntry(grp, t, e, &mParams, &entry);
4345    if (err != NO_ERROR) {
4346        return err;
4347    }
4348
4349    const uint16_t entrySize = dtohs(entry.entry->size);
4350    const uint32_t parent = entrySize >= sizeof(ResTable_map_entry)
4351        ? dtohl(((const ResTable_map_entry*)entry.entry)->parent.ident) : 0;
4352    const uint32_t count = entrySize >= sizeof(ResTable_map_entry)
4353        ? dtohl(((const ResTable_map_entry*)entry.entry)->count) : 0;
4354
4355    size_t N = count;
4356
4357    if (kDebugTableNoisy) {
4358        ALOGI("Found map: size=%x parent=%x count=%d\n", entrySize, parent, count);
4359
4360    // If this map inherits from another, we need to start
4361    // with its parent's values.  Otherwise start out empty.
4362        ALOGI("Creating new bag, entrySize=0x%08x, parent=0x%08x\n", entrySize, parent);
4363    }
4364
4365    // This is what we are building.
4366    bag_set* set = NULL;
4367
4368    if (parent) {
4369        uint32_t resolvedParent = parent;
4370
4371        // Bags encode a parent reference without using the standard
4372        // Res_value structure. That means we must always try to
4373        // resolve a parent reference in case it is actually a
4374        // TYPE_DYNAMIC_REFERENCE.
4375        status_t err = grp->dynamicRefTable.lookupResourceId(&resolvedParent);
4376        if (err != NO_ERROR) {
4377            ALOGE("Failed resolving bag parent id 0x%08x", parent);
4378            return UNKNOWN_ERROR;
4379        }
4380
4381        const bag_entry* parentBag;
4382        uint32_t parentTypeSpecFlags = 0;
4383        const ssize_t NP = getBagLocked(resolvedParent, &parentBag, &parentTypeSpecFlags);
4384        const size_t NT = ((NP >= 0) ? NP : 0) + N;
4385        set = (bag_set*)malloc(sizeof(bag_set)+sizeof(bag_entry)*NT);
4386        if (set == NULL) {
4387            return NO_MEMORY;
4388        }
4389        if (NP > 0) {
4390            memcpy(set+1, parentBag, NP*sizeof(bag_entry));
4391            set->numAttrs = NP;
4392            if (kDebugTableNoisy) {
4393                ALOGI("Initialized new bag with %zd inherited attributes.\n", NP);
4394            }
4395        } else {
4396            if (kDebugTableNoisy) {
4397                ALOGI("Initialized new bag with no inherited attributes.\n");
4398            }
4399            set->numAttrs = 0;
4400        }
4401        set->availAttrs = NT;
4402        set->typeSpecFlags = parentTypeSpecFlags;
4403    } else {
4404        set = (bag_set*)malloc(sizeof(bag_set)+sizeof(bag_entry)*N);
4405        if (set == NULL) {
4406            return NO_MEMORY;
4407        }
4408        set->numAttrs = 0;
4409        set->availAttrs = N;
4410        set->typeSpecFlags = 0;
4411    }
4412
4413    set->typeSpecFlags |= entry.specFlags;
4414
4415    // Now merge in the new attributes...
4416    size_t curOff = (reinterpret_cast<uintptr_t>(entry.entry) - reinterpret_cast<uintptr_t>(entry.type))
4417        + dtohs(entry.entry->size);
4418    const ResTable_map* map;
4419    bag_entry* entries = (bag_entry*)(set+1);
4420    size_t curEntry = 0;
4421    uint32_t pos = 0;
4422    if (kDebugTableNoisy) {
4423        ALOGI("Starting with set %p, entries=%p, avail=%zu\n", set, entries, set->availAttrs);
4424    }
4425    while (pos < count) {
4426        if (kDebugTableNoisy) {
4427            ALOGI("Now at %p\n", (void*)curOff);
4428        }
4429
4430        if (curOff > (dtohl(entry.type->header.size)-sizeof(ResTable_map))) {
4431            ALOGW("ResTable_map at %d is beyond type chunk data %d",
4432                 (int)curOff, dtohl(entry.type->header.size));
4433            free(set);
4434            return BAD_TYPE;
4435        }
4436        map = (const ResTable_map*)(((const uint8_t*)entry.type) + curOff);
4437        N++;
4438
4439        uint32_t newName = htodl(map->name.ident);
4440        if (!Res_INTERNALID(newName)) {
4441            // Attributes don't have a resource id as the name. They specify
4442            // other data, which would be wrong to change via a lookup.
4443            if (grp->dynamicRefTable.lookupResourceId(&newName) != NO_ERROR) {
4444                ALOGE("Failed resolving ResTable_map name at %d with ident 0x%08x",
4445                        (int) curOff, (int) newName);
4446                free(set);
4447                return UNKNOWN_ERROR;
4448            }
4449        }
4450
4451        bool isInside;
4452        uint32_t oldName = 0;
4453        while ((isInside=(curEntry < set->numAttrs))
4454                && (oldName=entries[curEntry].map.name.ident) < newName) {
4455            if (kDebugTableNoisy) {
4456                ALOGI("#%zu: Keeping existing attribute: 0x%08x\n",
4457                        curEntry, entries[curEntry].map.name.ident);
4458            }
4459            curEntry++;
4460        }
4461
4462        if ((!isInside) || oldName != newName) {
4463            // This is a new attribute...  figure out what to do with it.
4464            if (set->numAttrs >= set->availAttrs) {
4465                // Need to alloc more memory...
4466                const size_t newAvail = set->availAttrs+N;
4467                void *oldSet = set;
4468                set = (bag_set*)realloc(set,
4469                                        sizeof(bag_set)
4470                                        + sizeof(bag_entry)*newAvail);
4471                if (set == NULL) {
4472                    free(oldSet);
4473                    return NO_MEMORY;
4474                }
4475                set->availAttrs = newAvail;
4476                entries = (bag_entry*)(set+1);
4477                if (kDebugTableNoisy) {
4478                    ALOGI("Reallocated set %p, entries=%p, avail=%zu\n",
4479                            set, entries, set->availAttrs);
4480                }
4481            }
4482            if (isInside) {
4483                // Going in the middle, need to make space.
4484                memmove(entries+curEntry+1, entries+curEntry,
4485                        sizeof(bag_entry)*(set->numAttrs-curEntry));
4486                set->numAttrs++;
4487            }
4488            if (kDebugTableNoisy) {
4489                ALOGI("#%zu: Inserting new attribute: 0x%08x\n", curEntry, newName);
4490            }
4491        } else {
4492            if (kDebugTableNoisy) {
4493                ALOGI("#%zu: Replacing existing attribute: 0x%08x\n", curEntry, oldName);
4494            }
4495        }
4496
4497        bag_entry* cur = entries+curEntry;
4498
4499        cur->stringBlock = entry.package->header->index;
4500        cur->map.name.ident = newName;
4501        cur->map.value.copyFrom_dtoh(map->value);
4502        status_t err = grp->dynamicRefTable.lookupResourceValue(&cur->map.value);
4503        if (err != NO_ERROR) {
4504            ALOGE("Reference item(0x%08x) in bag could not be resolved.", cur->map.value.data);
4505            return UNKNOWN_ERROR;
4506        }
4507
4508        if (kDebugTableNoisy) {
4509            ALOGI("Setting entry #%zu %p: block=%zd, name=0x%08d, type=%d, data=0x%08x\n",
4510                    curEntry, cur, cur->stringBlock, cur->map.name.ident,
4511                    cur->map.value.dataType, cur->map.value.data);
4512        }
4513
4514        // On to the next!
4515        curEntry++;
4516        pos++;
4517        const size_t size = dtohs(map->value.size);
4518        curOff += size + sizeof(*map)-sizeof(map->value);
4519    }
4520
4521    if (curEntry > set->numAttrs) {
4522        set->numAttrs = curEntry;
4523    }
4524
4525    // And this is it...
4526    typeSet[e] = set;
4527    if (set) {
4528        if (outTypeSpecFlags != NULL) {
4529            *outTypeSpecFlags = set->typeSpecFlags;
4530        }
4531        *outBag = (bag_entry*)(set+1);
4532        if (kDebugTableNoisy) {
4533            ALOGI("Returning %zu attrs\n", set->numAttrs);
4534        }
4535        return set->numAttrs;
4536    }
4537    return BAD_INDEX;
4538}
4539
4540void ResTable::setParameters(const ResTable_config* params)
4541{
4542    AutoMutex _lock(mLock);
4543    AutoMutex _lock2(mFilteredConfigLock);
4544
4545    if (kDebugTableGetEntry) {
4546        ALOGI("Setting parameters: %s\n", params->toString().string());
4547    }
4548    mParams = *params;
4549    for (size_t p = 0; p < mPackageGroups.size(); p++) {
4550        PackageGroup* packageGroup = mPackageGroups.editItemAt(p);
4551        if (kDebugTableNoisy) {
4552            ALOGI("CLEARING BAGS FOR GROUP %zu!", p);
4553        }
4554        packageGroup->clearBagCache();
4555
4556        // Find which configurations match the set of parameters. This allows for a much
4557        // faster lookup in getEntry() if the set of values is narrowed down.
4558        for (size_t t = 0; t < packageGroup->types.size(); t++) {
4559            if (packageGroup->types[t].isEmpty()) {
4560                continue;
4561            }
4562
4563            TypeList& typeList = packageGroup->types.editItemAt(t);
4564
4565            // Retrieve the cache entry for this type.
4566            TypeCacheEntry& cacheEntry = packageGroup->typeCacheEntries.editItemAt(t);
4567
4568            for (size_t ts = 0; ts < typeList.size(); ts++) {
4569                Type* type = typeList.editItemAt(ts);
4570
4571                std::shared_ptr<Vector<const ResTable_type*>> newFilteredConfigs =
4572                        std::make_shared<Vector<const ResTable_type*>>();
4573
4574                for (size_t ti = 0; ti < type->configs.size(); ti++) {
4575                    ResTable_config config;
4576                    config.copyFromDtoH(type->configs[ti]->config);
4577
4578                    if (config.match(mParams)) {
4579                        newFilteredConfigs->add(type->configs[ti]);
4580                    }
4581                }
4582
4583                if (kDebugTableNoisy) {
4584                    ALOGD("Updating pkg=%zu type=%zu with %zu filtered configs",
4585                          p, t, newFilteredConfigs->size());
4586                }
4587
4588                cacheEntry.filteredConfigs.add(newFilteredConfigs);
4589            }
4590        }
4591    }
4592}
4593
4594void ResTable::getParameters(ResTable_config* params) const
4595{
4596    mLock.lock();
4597    *params = mParams;
4598    mLock.unlock();
4599}
4600
4601struct id_name_map {
4602    uint32_t id;
4603    size_t len;
4604    char16_t name[6];
4605};
4606
4607const static id_name_map ID_NAMES[] = {
4608    { ResTable_map::ATTR_TYPE,  5, { '^', 't', 'y', 'p', 'e' } },
4609    { ResTable_map::ATTR_L10N,  5, { '^', 'l', '1', '0', 'n' } },
4610    { ResTable_map::ATTR_MIN,   4, { '^', 'm', 'i', 'n' } },
4611    { ResTable_map::ATTR_MAX,   4, { '^', 'm', 'a', 'x' } },
4612    { ResTable_map::ATTR_OTHER, 6, { '^', 'o', 't', 'h', 'e', 'r' } },
4613    { ResTable_map::ATTR_ZERO,  5, { '^', 'z', 'e', 'r', 'o' } },
4614    { ResTable_map::ATTR_ONE,   4, { '^', 'o', 'n', 'e' } },
4615    { ResTable_map::ATTR_TWO,   4, { '^', 't', 'w', 'o' } },
4616    { ResTable_map::ATTR_FEW,   4, { '^', 'f', 'e', 'w' } },
4617    { ResTable_map::ATTR_MANY,  5, { '^', 'm', 'a', 'n', 'y' } },
4618};
4619
4620uint32_t ResTable::identifierForName(const char16_t* name, size_t nameLen,
4621                                     const char16_t* type, size_t typeLen,
4622                                     const char16_t* package,
4623                                     size_t packageLen,
4624                                     uint32_t* outTypeSpecFlags) const
4625{
4626    if (kDebugTableSuperNoisy) {
4627        printf("Identifier for name: error=%d\n", mError);
4628    }
4629
4630    // Check for internal resource identifier as the very first thing, so
4631    // that we will always find them even when there are no resources.
4632    if (name[0] == '^') {
4633        const int N = (sizeof(ID_NAMES)/sizeof(ID_NAMES[0]));
4634        size_t len;
4635        for (int i=0; i<N; i++) {
4636            const id_name_map* m = ID_NAMES + i;
4637            len = m->len;
4638            if (len != nameLen) {
4639                continue;
4640            }
4641            for (size_t j=1; j<len; j++) {
4642                if (m->name[j] != name[j]) {
4643                    goto nope;
4644                }
4645            }
4646            if (outTypeSpecFlags) {
4647                *outTypeSpecFlags = ResTable_typeSpec::SPEC_PUBLIC;
4648            }
4649            return m->id;
4650nope:
4651            ;
4652        }
4653        if (nameLen > 7) {
4654            if (name[1] == 'i' && name[2] == 'n'
4655                && name[3] == 'd' && name[4] == 'e' && name[5] == 'x'
4656                && name[6] == '_') {
4657                int index = atoi(String8(name + 7, nameLen - 7).string());
4658                if (Res_CHECKID(index)) {
4659                    ALOGW("Array resource index: %d is too large.",
4660                         index);
4661                    return 0;
4662                }
4663                if (outTypeSpecFlags) {
4664                    *outTypeSpecFlags = ResTable_typeSpec::SPEC_PUBLIC;
4665                }
4666                return  Res_MAKEARRAY(index);
4667            }
4668        }
4669        return 0;
4670    }
4671
4672    if (mError != NO_ERROR) {
4673        return 0;
4674    }
4675
4676    bool fakePublic = false;
4677
4678    // Figure out the package and type we are looking in...
4679
4680    const char16_t* packageEnd = NULL;
4681    const char16_t* typeEnd = NULL;
4682    const char16_t* const nameEnd = name+nameLen;
4683    const char16_t* p = name;
4684    while (p < nameEnd) {
4685        if (*p == ':') packageEnd = p;
4686        else if (*p == '/') typeEnd = p;
4687        p++;
4688    }
4689    if (*name == '@') {
4690        name++;
4691        if (*name == '*') {
4692            fakePublic = true;
4693            name++;
4694        }
4695    }
4696    if (name >= nameEnd) {
4697        return 0;
4698    }
4699
4700    if (packageEnd) {
4701        package = name;
4702        packageLen = packageEnd-name;
4703        name = packageEnd+1;
4704    } else if (!package) {
4705        return 0;
4706    }
4707
4708    if (typeEnd) {
4709        type = name;
4710        typeLen = typeEnd-name;
4711        name = typeEnd+1;
4712    } else if (!type) {
4713        return 0;
4714    }
4715
4716    if (name >= nameEnd) {
4717        return 0;
4718    }
4719    nameLen = nameEnd-name;
4720
4721    if (kDebugTableNoisy) {
4722        printf("Looking for identifier: type=%s, name=%s, package=%s\n",
4723                String8(type, typeLen).string(),
4724                String8(name, nameLen).string(),
4725                String8(package, packageLen).string());
4726    }
4727
4728    const String16 attr("attr");
4729    const String16 attrPrivate("^attr-private");
4730
4731    const size_t NG = mPackageGroups.size();
4732    for (size_t ig=0; ig<NG; ig++) {
4733        const PackageGroup* group = mPackageGroups[ig];
4734
4735        if (strzcmp16(package, packageLen,
4736                      group->name.string(), group->name.size())) {
4737            if (kDebugTableNoisy) {
4738                printf("Skipping package group: %s\n", String8(group->name).string());
4739            }
4740            continue;
4741        }
4742
4743        const size_t packageCount = group->packages.size();
4744        for (size_t pi = 0; pi < packageCount; pi++) {
4745            const char16_t* targetType = type;
4746            size_t targetTypeLen = typeLen;
4747
4748            do {
4749                ssize_t ti = group->packages[pi]->typeStrings.indexOfString(
4750                        targetType, targetTypeLen);
4751                if (ti < 0) {
4752                    continue;
4753                }
4754
4755                ti += group->packages[pi]->typeIdOffset;
4756
4757                const uint32_t identifier = findEntry(group, ti, name, nameLen,
4758                        outTypeSpecFlags);
4759                if (identifier != 0) {
4760                    if (fakePublic && outTypeSpecFlags) {
4761                        *outTypeSpecFlags |= ResTable_typeSpec::SPEC_PUBLIC;
4762                    }
4763                    return identifier;
4764                }
4765            } while (strzcmp16(attr.string(), attr.size(), targetType, targetTypeLen) == 0
4766                    && (targetType = attrPrivate.string())
4767                    && (targetTypeLen = attrPrivate.size())
4768            );
4769        }
4770    }
4771    return 0;
4772}
4773
4774uint32_t ResTable::findEntry(const PackageGroup* group, ssize_t typeIndex, const char16_t* name,
4775        size_t nameLen, uint32_t* outTypeSpecFlags) const {
4776    const TypeList& typeList = group->types[typeIndex];
4777    const size_t typeCount = typeList.size();
4778    for (size_t i = 0; i < typeCount; i++) {
4779        const Type* t = typeList[i];
4780        const ssize_t ei = t->package->keyStrings.indexOfString(name, nameLen);
4781        if (ei < 0) {
4782            continue;
4783        }
4784
4785        const size_t configCount = t->configs.size();
4786        for (size_t j = 0; j < configCount; j++) {
4787            const TypeVariant tv(t->configs[j]);
4788            for (TypeVariant::iterator iter = tv.beginEntries();
4789                 iter != tv.endEntries();
4790                 iter++) {
4791                const ResTable_entry* entry = *iter;
4792                if (entry == NULL) {
4793                    continue;
4794                }
4795
4796                if (dtohl(entry->key.index) == (size_t) ei) {
4797                    uint32_t resId = Res_MAKEID(group->id - 1, typeIndex, iter.index());
4798                    if (outTypeSpecFlags) {
4799                        Entry result;
4800                        if (getEntry(group, typeIndex, iter.index(), NULL, &result) != NO_ERROR) {
4801                            ALOGW("Failed to find spec flags for 0x%08x", resId);
4802                            return 0;
4803                        }
4804                        *outTypeSpecFlags = result.specFlags;
4805                    }
4806                    return resId;
4807                }
4808            }
4809        }
4810    }
4811    return 0;
4812}
4813
4814bool ResTable::expandResourceRef(const char16_t* refStr, size_t refLen,
4815                                 String16* outPackage,
4816                                 String16* outType,
4817                                 String16* outName,
4818                                 const String16* defType,
4819                                 const String16* defPackage,
4820                                 const char** outErrorMsg,
4821                                 bool* outPublicOnly)
4822{
4823    const char16_t* packageEnd = NULL;
4824    const char16_t* typeEnd = NULL;
4825    const char16_t* p = refStr;
4826    const char16_t* const end = p + refLen;
4827    while (p < end) {
4828        if (*p == ':') packageEnd = p;
4829        else if (*p == '/') {
4830            typeEnd = p;
4831            break;
4832        }
4833        p++;
4834    }
4835    p = refStr;
4836    if (*p == '@') p++;
4837
4838    if (outPublicOnly != NULL) {
4839        *outPublicOnly = true;
4840    }
4841    if (*p == '*') {
4842        p++;
4843        if (outPublicOnly != NULL) {
4844            *outPublicOnly = false;
4845        }
4846    }
4847
4848    if (packageEnd) {
4849        *outPackage = String16(p, packageEnd-p);
4850        p = packageEnd+1;
4851    } else {
4852        if (!defPackage) {
4853            if (outErrorMsg) {
4854                *outErrorMsg = "No resource package specified";
4855            }
4856            return false;
4857        }
4858        *outPackage = *defPackage;
4859    }
4860    if (typeEnd) {
4861        *outType = String16(p, typeEnd-p);
4862        p = typeEnd+1;
4863    } else {
4864        if (!defType) {
4865            if (outErrorMsg) {
4866                *outErrorMsg = "No resource type specified";
4867            }
4868            return false;
4869        }
4870        *outType = *defType;
4871    }
4872    *outName = String16(p, end-p);
4873    if(**outPackage == 0) {
4874        if(outErrorMsg) {
4875            *outErrorMsg = "Resource package cannot be an empty string";
4876        }
4877        return false;
4878    }
4879    if(**outType == 0) {
4880        if(outErrorMsg) {
4881            *outErrorMsg = "Resource type cannot be an empty string";
4882        }
4883        return false;
4884    }
4885    if(**outName == 0) {
4886        if(outErrorMsg) {
4887            *outErrorMsg = "Resource id cannot be an empty string";
4888        }
4889        return false;
4890    }
4891    return true;
4892}
4893
4894static uint32_t get_hex(char c, bool* outError)
4895{
4896    if (c >= '0' && c <= '9') {
4897        return c - '0';
4898    } else if (c >= 'a' && c <= 'f') {
4899        return c - 'a' + 0xa;
4900    } else if (c >= 'A' && c <= 'F') {
4901        return c - 'A' + 0xa;
4902    }
4903    *outError = true;
4904    return 0;
4905}
4906
4907struct unit_entry
4908{
4909    const char* name;
4910    size_t len;
4911    uint8_t type;
4912    uint32_t unit;
4913    float scale;
4914};
4915
4916static const unit_entry unitNames[] = {
4917    { "px", strlen("px"), Res_value::TYPE_DIMENSION, Res_value::COMPLEX_UNIT_PX, 1.0f },
4918    { "dip", strlen("dip"), Res_value::TYPE_DIMENSION, Res_value::COMPLEX_UNIT_DIP, 1.0f },
4919    { "dp", strlen("dp"), Res_value::TYPE_DIMENSION, Res_value::COMPLEX_UNIT_DIP, 1.0f },
4920    { "sp", strlen("sp"), Res_value::TYPE_DIMENSION, Res_value::COMPLEX_UNIT_SP, 1.0f },
4921    { "pt", strlen("pt"), Res_value::TYPE_DIMENSION, Res_value::COMPLEX_UNIT_PT, 1.0f },
4922    { "in", strlen("in"), Res_value::TYPE_DIMENSION, Res_value::COMPLEX_UNIT_IN, 1.0f },
4923    { "mm", strlen("mm"), Res_value::TYPE_DIMENSION, Res_value::COMPLEX_UNIT_MM, 1.0f },
4924    { "%", strlen("%"), Res_value::TYPE_FRACTION, Res_value::COMPLEX_UNIT_FRACTION, 1.0f/100 },
4925    { "%p", strlen("%p"), Res_value::TYPE_FRACTION, Res_value::COMPLEX_UNIT_FRACTION_PARENT, 1.0f/100 },
4926    { NULL, 0, 0, 0, 0 }
4927};
4928
4929static bool parse_unit(const char* str, Res_value* outValue,
4930                       float* outScale, const char** outEnd)
4931{
4932    const char* end = str;
4933    while (*end != 0 && !isspace((unsigned char)*end)) {
4934        end++;
4935    }
4936    const size_t len = end-str;
4937
4938    const char* realEnd = end;
4939    while (*realEnd != 0 && isspace((unsigned char)*realEnd)) {
4940        realEnd++;
4941    }
4942    if (*realEnd != 0) {
4943        return false;
4944    }
4945
4946    const unit_entry* cur = unitNames;
4947    while (cur->name) {
4948        if (len == cur->len && strncmp(cur->name, str, len) == 0) {
4949            outValue->dataType = cur->type;
4950            outValue->data = cur->unit << Res_value::COMPLEX_UNIT_SHIFT;
4951            *outScale = cur->scale;
4952            *outEnd = end;
4953            //printf("Found unit %s for %s\n", cur->name, str);
4954            return true;
4955        }
4956        cur++;
4957    }
4958
4959    return false;
4960}
4961
4962bool U16StringToInt(const char16_t* s, size_t len, Res_value* outValue)
4963{
4964    while (len > 0 && isspace16(*s)) {
4965        s++;
4966        len--;
4967    }
4968
4969    if (len <= 0) {
4970        return false;
4971    }
4972
4973    size_t i = 0;
4974    int64_t val = 0;
4975    bool neg = false;
4976
4977    if (*s == '-') {
4978        neg = true;
4979        i++;
4980    }
4981
4982    if (s[i] < '0' || s[i] > '9') {
4983        return false;
4984    }
4985
4986    static_assert(std::is_same<uint32_t, Res_value::data_type>::value,
4987                  "Res_value::data_type has changed. The range checks in this "
4988                  "function are no longer correct.");
4989
4990    // Decimal or hex?
4991    bool isHex;
4992    if (len > 1 && s[i] == '0' && s[i+1] == 'x') {
4993        isHex = true;
4994        i += 2;
4995
4996        if (neg) {
4997            return false;
4998        }
4999
5000        if (i == len) {
5001            // Just u"0x"
5002            return false;
5003        }
5004
5005        bool error = false;
5006        while (i < len && !error) {
5007            val = (val*16) + get_hex(s[i], &error);
5008            i++;
5009
5010            if (val > std::numeric_limits<uint32_t>::max()) {
5011                return false;
5012            }
5013        }
5014        if (error) {
5015            return false;
5016        }
5017    } else {
5018        isHex = false;
5019        while (i < len) {
5020            if (s[i] < '0' || s[i] > '9') {
5021                return false;
5022            }
5023            val = (val*10) + s[i]-'0';
5024            i++;
5025
5026            if ((neg && -val < std::numeric_limits<int32_t>::min()) ||
5027                (!neg && val > std::numeric_limits<int32_t>::max())) {
5028                return false;
5029            }
5030        }
5031    }
5032
5033    if (neg) val = -val;
5034
5035    while (i < len && isspace16(s[i])) {
5036        i++;
5037    }
5038
5039    if (i != len) {
5040        return false;
5041    }
5042
5043    if (outValue) {
5044        outValue->dataType =
5045            isHex ? outValue->TYPE_INT_HEX : outValue->TYPE_INT_DEC;
5046        outValue->data = static_cast<Res_value::data_type>(val);
5047    }
5048    return true;
5049}
5050
5051bool ResTable::stringToInt(const char16_t* s, size_t len, Res_value* outValue)
5052{
5053    return U16StringToInt(s, len, outValue);
5054}
5055
5056bool ResTable::stringToFloat(const char16_t* s, size_t len, Res_value* outValue)
5057{
5058    while (len > 0 && isspace16(*s)) {
5059        s++;
5060        len--;
5061    }
5062
5063    if (len <= 0) {
5064        return false;
5065    }
5066
5067    char buf[128];
5068    int i=0;
5069    while (len > 0 && *s != 0 && i < 126) {
5070        if (*s > 255) {
5071            return false;
5072        }
5073        buf[i++] = *s++;
5074        len--;
5075    }
5076
5077    if (len > 0) {
5078        return false;
5079    }
5080    if ((buf[0] < '0' || buf[0] > '9') && buf[0] != '.' && buf[0] != '-' && buf[0] != '+') {
5081        return false;
5082    }
5083
5084    buf[i] = 0;
5085    const char* end;
5086    float f = strtof(buf, (char**)&end);
5087
5088    if (*end != 0 && !isspace((unsigned char)*end)) {
5089        // Might be a unit...
5090        float scale;
5091        if (parse_unit(end, outValue, &scale, &end)) {
5092            f *= scale;
5093            const bool neg = f < 0;
5094            if (neg) f = -f;
5095            uint64_t bits = (uint64_t)(f*(1<<23)+.5f);
5096            uint32_t radix;
5097            uint32_t shift;
5098            if ((bits&0x7fffff) == 0) {
5099                // Always use 23p0 if there is no fraction, just to make
5100                // things easier to read.
5101                radix = Res_value::COMPLEX_RADIX_23p0;
5102                shift = 23;
5103            } else if ((bits&0xffffffffff800000LL) == 0) {
5104                // Magnitude is zero -- can fit in 0 bits of precision.
5105                radix = Res_value::COMPLEX_RADIX_0p23;
5106                shift = 0;
5107            } else if ((bits&0xffffffff80000000LL) == 0) {
5108                // Magnitude can fit in 8 bits of precision.
5109                radix = Res_value::COMPLEX_RADIX_8p15;
5110                shift = 8;
5111            } else if ((bits&0xffffff8000000000LL) == 0) {
5112                // Magnitude can fit in 16 bits of precision.
5113                radix = Res_value::COMPLEX_RADIX_16p7;
5114                shift = 16;
5115            } else {
5116                // Magnitude needs entire range, so no fractional part.
5117                radix = Res_value::COMPLEX_RADIX_23p0;
5118                shift = 23;
5119            }
5120            int32_t mantissa = (int32_t)(
5121                (bits>>shift) & Res_value::COMPLEX_MANTISSA_MASK);
5122            if (neg) {
5123                mantissa = (-mantissa) & Res_value::COMPLEX_MANTISSA_MASK;
5124            }
5125            outValue->data |=
5126                (radix<<Res_value::COMPLEX_RADIX_SHIFT)
5127                | (mantissa<<Res_value::COMPLEX_MANTISSA_SHIFT);
5128            //printf("Input value: %f 0x%016Lx, mult: %f, radix: %d, shift: %d, final: 0x%08x\n",
5129            //       f * (neg ? -1 : 1), bits, f*(1<<23),
5130            //       radix, shift, outValue->data);
5131            return true;
5132        }
5133        return false;
5134    }
5135
5136    while (*end != 0 && isspace((unsigned char)*end)) {
5137        end++;
5138    }
5139
5140    if (*end == 0) {
5141        if (outValue) {
5142            outValue->dataType = outValue->TYPE_FLOAT;
5143            *(float*)(&outValue->data) = f;
5144            return true;
5145        }
5146    }
5147
5148    return false;
5149}
5150
5151bool ResTable::stringToValue(Res_value* outValue, String16* outString,
5152                             const char16_t* s, size_t len,
5153                             bool preserveSpaces, bool coerceType,
5154                             uint32_t attrID,
5155                             const String16* defType,
5156                             const String16* defPackage,
5157                             Accessor* accessor,
5158                             void* accessorCookie,
5159                             uint32_t attrType,
5160                             bool enforcePrivate) const
5161{
5162    bool localizationSetting = accessor != NULL && accessor->getLocalizationSetting();
5163    const char* errorMsg = NULL;
5164
5165    outValue->size = sizeof(Res_value);
5166    outValue->res0 = 0;
5167
5168    // First strip leading/trailing whitespace.  Do this before handling
5169    // escapes, so they can be used to force whitespace into the string.
5170    if (!preserveSpaces) {
5171        while (len > 0 && isspace16(*s)) {
5172            s++;
5173            len--;
5174        }
5175        while (len > 0 && isspace16(s[len-1])) {
5176            len--;
5177        }
5178        // If the string ends with '\', then we keep the space after it.
5179        if (len > 0 && s[len-1] == '\\' && s[len] != 0) {
5180            len++;
5181        }
5182    }
5183
5184    //printf("Value for: %s\n", String8(s, len).string());
5185
5186    uint32_t l10nReq = ResTable_map::L10N_NOT_REQUIRED;
5187    uint32_t attrMin = 0x80000000, attrMax = 0x7fffffff;
5188    bool fromAccessor = false;
5189    if (attrID != 0 && !Res_INTERNALID(attrID)) {
5190        const ssize_t p = getResourcePackageIndex(attrID);
5191        const bag_entry* bag;
5192        ssize_t cnt = p >= 0 ? lockBag(attrID, &bag) : -1;
5193        //printf("For attr 0x%08x got bag of %d\n", attrID, cnt);
5194        if (cnt >= 0) {
5195            while (cnt > 0) {
5196                //printf("Entry 0x%08x = 0x%08x\n", bag->map.name.ident, bag->map.value.data);
5197                switch (bag->map.name.ident) {
5198                case ResTable_map::ATTR_TYPE:
5199                    attrType = bag->map.value.data;
5200                    break;
5201                case ResTable_map::ATTR_MIN:
5202                    attrMin = bag->map.value.data;
5203                    break;
5204                case ResTable_map::ATTR_MAX:
5205                    attrMax = bag->map.value.data;
5206                    break;
5207                case ResTable_map::ATTR_L10N:
5208                    l10nReq = bag->map.value.data;
5209                    break;
5210                }
5211                bag++;
5212                cnt--;
5213            }
5214            unlockBag(bag);
5215        } else if (accessor && accessor->getAttributeType(attrID, &attrType)) {
5216            fromAccessor = true;
5217            if (attrType == ResTable_map::TYPE_ENUM
5218                    || attrType == ResTable_map::TYPE_FLAGS
5219                    || attrType == ResTable_map::TYPE_INTEGER) {
5220                accessor->getAttributeMin(attrID, &attrMin);
5221                accessor->getAttributeMax(attrID, &attrMax);
5222            }
5223            if (localizationSetting) {
5224                l10nReq = accessor->getAttributeL10N(attrID);
5225            }
5226        }
5227    }
5228
5229    const bool canStringCoerce =
5230        coerceType && (attrType&ResTable_map::TYPE_STRING) != 0;
5231
5232    if (*s == '@') {
5233        outValue->dataType = outValue->TYPE_REFERENCE;
5234
5235        // Note: we don't check attrType here because the reference can
5236        // be to any other type; we just need to count on the client making
5237        // sure the referenced type is correct.
5238
5239        //printf("Looking up ref: %s\n", String8(s, len).string());
5240
5241        // It's a reference!
5242        if (len == 5 && s[1]=='n' && s[2]=='u' && s[3]=='l' && s[4]=='l') {
5243            // Special case @null as undefined. This will be converted by
5244            // AssetManager to TYPE_NULL with data DATA_NULL_UNDEFINED.
5245            outValue->data = 0;
5246            return true;
5247        } else if (len == 6 && s[1]=='e' && s[2]=='m' && s[3]=='p' && s[4]=='t' && s[5]=='y') {
5248            // Special case @empty as explicitly defined empty value.
5249            outValue->dataType = Res_value::TYPE_NULL;
5250            outValue->data = Res_value::DATA_NULL_EMPTY;
5251            return true;
5252        } else {
5253            bool createIfNotFound = false;
5254            const char16_t* resourceRefName;
5255            int resourceNameLen;
5256            if (len > 2 && s[1] == '+') {
5257                createIfNotFound = true;
5258                resourceRefName = s + 2;
5259                resourceNameLen = len - 2;
5260            } else if (len > 2 && s[1] == '*') {
5261                enforcePrivate = false;
5262                resourceRefName = s + 2;
5263                resourceNameLen = len - 2;
5264            } else {
5265                createIfNotFound = false;
5266                resourceRefName = s + 1;
5267                resourceNameLen = len - 1;
5268            }
5269            String16 package, type, name;
5270            if (!expandResourceRef(resourceRefName,resourceNameLen, &package, &type, &name,
5271                                   defType, defPackage, &errorMsg)) {
5272                if (accessor != NULL) {
5273                    accessor->reportError(accessorCookie, errorMsg);
5274                }
5275                return false;
5276            }
5277
5278            uint32_t specFlags = 0;
5279            uint32_t rid = identifierForName(name.string(), name.size(), type.string(),
5280                    type.size(), package.string(), package.size(), &specFlags);
5281            if (rid != 0) {
5282                if (enforcePrivate) {
5283                    if (accessor == NULL || accessor->getAssetsPackage() != package) {
5284                        if ((specFlags&ResTable_typeSpec::SPEC_PUBLIC) == 0) {
5285                            if (accessor != NULL) {
5286                                accessor->reportError(accessorCookie, "Resource is not public.");
5287                            }
5288                            return false;
5289                        }
5290                    }
5291                }
5292
5293                if (accessor) {
5294                    rid = Res_MAKEID(
5295                        accessor->getRemappedPackage(Res_GETPACKAGE(rid)),
5296                        Res_GETTYPE(rid), Res_GETENTRY(rid));
5297                    if (kDebugTableNoisy) {
5298                        ALOGI("Incl %s:%s/%s: 0x%08x\n",
5299                                String8(package).string(), String8(type).string(),
5300                                String8(name).string(), rid);
5301                    }
5302                }
5303
5304                uint32_t packageId = Res_GETPACKAGE(rid) + 1;
5305                if (packageId != APP_PACKAGE_ID && packageId != SYS_PACKAGE_ID) {
5306                    outValue->dataType = Res_value::TYPE_DYNAMIC_REFERENCE;
5307                }
5308                outValue->data = rid;
5309                return true;
5310            }
5311
5312            if (accessor) {
5313                uint32_t rid = accessor->getCustomResourceWithCreation(package, type, name,
5314                                                                       createIfNotFound);
5315                if (rid != 0) {
5316                    if (kDebugTableNoisy) {
5317                        ALOGI("Pckg %s:%s/%s: 0x%08x\n",
5318                                String8(package).string(), String8(type).string(),
5319                                String8(name).string(), rid);
5320                    }
5321                    uint32_t packageId = Res_GETPACKAGE(rid) + 1;
5322                    if (packageId == 0x00) {
5323                        outValue->data = rid;
5324                        outValue->dataType = Res_value::TYPE_DYNAMIC_REFERENCE;
5325                        return true;
5326                    } else if (packageId == APP_PACKAGE_ID || packageId == SYS_PACKAGE_ID) {
5327                        // We accept packageId's generated as 0x01 in order to support
5328                        // building the android system resources
5329                        outValue->data = rid;
5330                        return true;
5331                    }
5332                }
5333            }
5334        }
5335
5336        if (accessor != NULL) {
5337            accessor->reportError(accessorCookie, "No resource found that matches the given name");
5338        }
5339        return false;
5340    }
5341
5342    // if we got to here, and localization is required and it's not a reference,
5343    // complain and bail.
5344    if (l10nReq == ResTable_map::L10N_SUGGESTED) {
5345        if (localizationSetting) {
5346            if (accessor != NULL) {
5347                accessor->reportError(accessorCookie, "This attribute must be localized.");
5348            }
5349        }
5350    }
5351
5352    if (*s == '#') {
5353        // It's a color!  Convert to an integer of the form 0xaarrggbb.
5354        uint32_t color = 0;
5355        bool error = false;
5356        if (len == 4) {
5357            outValue->dataType = outValue->TYPE_INT_COLOR_RGB4;
5358            color |= 0xFF000000;
5359            color |= get_hex(s[1], &error) << 20;
5360            color |= get_hex(s[1], &error) << 16;
5361            color |= get_hex(s[2], &error) << 12;
5362            color |= get_hex(s[2], &error) << 8;
5363            color |= get_hex(s[3], &error) << 4;
5364            color |= get_hex(s[3], &error);
5365        } else if (len == 5) {
5366            outValue->dataType = outValue->TYPE_INT_COLOR_ARGB4;
5367            color |= get_hex(s[1], &error) << 28;
5368            color |= get_hex(s[1], &error) << 24;
5369            color |= get_hex(s[2], &error) << 20;
5370            color |= get_hex(s[2], &error) << 16;
5371            color |= get_hex(s[3], &error) << 12;
5372            color |= get_hex(s[3], &error) << 8;
5373            color |= get_hex(s[4], &error) << 4;
5374            color |= get_hex(s[4], &error);
5375        } else if (len == 7) {
5376            outValue->dataType = outValue->TYPE_INT_COLOR_RGB8;
5377            color |= 0xFF000000;
5378            color |= get_hex(s[1], &error) << 20;
5379            color |= get_hex(s[2], &error) << 16;
5380            color |= get_hex(s[3], &error) << 12;
5381            color |= get_hex(s[4], &error) << 8;
5382            color |= get_hex(s[5], &error) << 4;
5383            color |= get_hex(s[6], &error);
5384        } else if (len == 9) {
5385            outValue->dataType = outValue->TYPE_INT_COLOR_ARGB8;
5386            color |= get_hex(s[1], &error) << 28;
5387            color |= get_hex(s[2], &error) << 24;
5388            color |= get_hex(s[3], &error) << 20;
5389            color |= get_hex(s[4], &error) << 16;
5390            color |= get_hex(s[5], &error) << 12;
5391            color |= get_hex(s[6], &error) << 8;
5392            color |= get_hex(s[7], &error) << 4;
5393            color |= get_hex(s[8], &error);
5394        } else {
5395            error = true;
5396        }
5397        if (!error) {
5398            if ((attrType&ResTable_map::TYPE_COLOR) == 0) {
5399                if (!canStringCoerce) {
5400                    if (accessor != NULL) {
5401                        accessor->reportError(accessorCookie,
5402                                "Color types not allowed");
5403                    }
5404                    return false;
5405                }
5406            } else {
5407                outValue->data = color;
5408                //printf("Color input=%s, output=0x%x\n", String8(s, len).string(), color);
5409                return true;
5410            }
5411        } else {
5412            if ((attrType&ResTable_map::TYPE_COLOR) != 0) {
5413                if (accessor != NULL) {
5414                    accessor->reportError(accessorCookie, "Color value not valid --"
5415                            " must be #rgb, #argb, #rrggbb, or #aarrggbb");
5416                }
5417                #if 0
5418                fprintf(stderr, "%s: Color ID %s value %s is not valid\n",
5419                        "Resource File", //(const char*)in->getPrintableSource(),
5420                        String8(*curTag).string(),
5421                        String8(s, len).string());
5422                #endif
5423                return false;
5424            }
5425        }
5426    }
5427
5428    if (*s == '?') {
5429        outValue->dataType = outValue->TYPE_ATTRIBUTE;
5430
5431        // Note: we don't check attrType here because the reference can
5432        // be to any other type; we just need to count on the client making
5433        // sure the referenced type is correct.
5434
5435        //printf("Looking up attr: %s\n", String8(s, len).string());
5436
5437        static const String16 attr16("attr");
5438        String16 package, type, name;
5439        if (!expandResourceRef(s+1, len-1, &package, &type, &name,
5440                               &attr16, defPackage, &errorMsg)) {
5441            if (accessor != NULL) {
5442                accessor->reportError(accessorCookie, errorMsg);
5443            }
5444            return false;
5445        }
5446
5447        //printf("Pkg: %s, Type: %s, Name: %s\n",
5448        //       String8(package).string(), String8(type).string(),
5449        //       String8(name).string());
5450        uint32_t specFlags = 0;
5451        uint32_t rid =
5452            identifierForName(name.string(), name.size(),
5453                              type.string(), type.size(),
5454                              package.string(), package.size(), &specFlags);
5455        if (rid != 0) {
5456            if (enforcePrivate) {
5457                if ((specFlags&ResTable_typeSpec::SPEC_PUBLIC) == 0) {
5458                    if (accessor != NULL) {
5459                        accessor->reportError(accessorCookie, "Attribute is not public.");
5460                    }
5461                    return false;
5462                }
5463            }
5464
5465            if (accessor) {
5466                rid = Res_MAKEID(
5467                    accessor->getRemappedPackage(Res_GETPACKAGE(rid)),
5468                    Res_GETTYPE(rid), Res_GETENTRY(rid));
5469            }
5470
5471            uint32_t packageId = Res_GETPACKAGE(rid) + 1;
5472            if (packageId != APP_PACKAGE_ID && packageId != SYS_PACKAGE_ID) {
5473                outValue->dataType = Res_value::TYPE_DYNAMIC_ATTRIBUTE;
5474            }
5475            outValue->data = rid;
5476            return true;
5477        }
5478
5479        if (accessor) {
5480            uint32_t rid = accessor->getCustomResource(package, type, name);
5481            if (rid != 0) {
5482                uint32_t packageId = Res_GETPACKAGE(rid) + 1;
5483                if (packageId == 0x00) {
5484                    outValue->data = rid;
5485                    outValue->dataType = Res_value::TYPE_DYNAMIC_ATTRIBUTE;
5486                    return true;
5487                } else if (packageId == APP_PACKAGE_ID || packageId == SYS_PACKAGE_ID) {
5488                    // We accept packageId's generated as 0x01 in order to support
5489                    // building the android system resources
5490                    outValue->data = rid;
5491                    return true;
5492                }
5493            }
5494        }
5495
5496        if (accessor != NULL) {
5497            accessor->reportError(accessorCookie, "No resource found that matches the given name");
5498        }
5499        return false;
5500    }
5501
5502    if (stringToInt(s, len, outValue)) {
5503        if ((attrType&ResTable_map::TYPE_INTEGER) == 0) {
5504            // If this type does not allow integers, but does allow floats,
5505            // fall through on this error case because the float type should
5506            // be able to accept any integer value.
5507            if (!canStringCoerce && (attrType&ResTable_map::TYPE_FLOAT) == 0) {
5508                if (accessor != NULL) {
5509                    accessor->reportError(accessorCookie, "Integer types not allowed");
5510                }
5511                return false;
5512            }
5513        } else {
5514            if (((int32_t)outValue->data) < ((int32_t)attrMin)
5515                    || ((int32_t)outValue->data) > ((int32_t)attrMax)) {
5516                if (accessor != NULL) {
5517                    accessor->reportError(accessorCookie, "Integer value out of range");
5518                }
5519                return false;
5520            }
5521            return true;
5522        }
5523    }
5524
5525    if (stringToFloat(s, len, outValue)) {
5526        if (outValue->dataType == Res_value::TYPE_DIMENSION) {
5527            if ((attrType&ResTable_map::TYPE_DIMENSION) != 0) {
5528                return true;
5529            }
5530            if (!canStringCoerce) {
5531                if (accessor != NULL) {
5532                    accessor->reportError(accessorCookie, "Dimension types not allowed");
5533                }
5534                return false;
5535            }
5536        } else if (outValue->dataType == Res_value::TYPE_FRACTION) {
5537            if ((attrType&ResTable_map::TYPE_FRACTION) != 0) {
5538                return true;
5539            }
5540            if (!canStringCoerce) {
5541                if (accessor != NULL) {
5542                    accessor->reportError(accessorCookie, "Fraction types not allowed");
5543                }
5544                return false;
5545            }
5546        } else if ((attrType&ResTable_map::TYPE_FLOAT) == 0) {
5547            if (!canStringCoerce) {
5548                if (accessor != NULL) {
5549                    accessor->reportError(accessorCookie, "Float types not allowed");
5550                }
5551                return false;
5552            }
5553        } else {
5554            return true;
5555        }
5556    }
5557
5558    if (len == 4) {
5559        if ((s[0] == 't' || s[0] == 'T') &&
5560            (s[1] == 'r' || s[1] == 'R') &&
5561            (s[2] == 'u' || s[2] == 'U') &&
5562            (s[3] == 'e' || s[3] == 'E')) {
5563            if ((attrType&ResTable_map::TYPE_BOOLEAN) == 0) {
5564                if (!canStringCoerce) {
5565                    if (accessor != NULL) {
5566                        accessor->reportError(accessorCookie, "Boolean types not allowed");
5567                    }
5568                    return false;
5569                }
5570            } else {
5571                outValue->dataType = outValue->TYPE_INT_BOOLEAN;
5572                outValue->data = (uint32_t)-1;
5573                return true;
5574            }
5575        }
5576    }
5577
5578    if (len == 5) {
5579        if ((s[0] == 'f' || s[0] == 'F') &&
5580            (s[1] == 'a' || s[1] == 'A') &&
5581            (s[2] == 'l' || s[2] == 'L') &&
5582            (s[3] == 's' || s[3] == 'S') &&
5583            (s[4] == 'e' || s[4] == 'E')) {
5584            if ((attrType&ResTable_map::TYPE_BOOLEAN) == 0) {
5585                if (!canStringCoerce) {
5586                    if (accessor != NULL) {
5587                        accessor->reportError(accessorCookie, "Boolean types not allowed");
5588                    }
5589                    return false;
5590                }
5591            } else {
5592                outValue->dataType = outValue->TYPE_INT_BOOLEAN;
5593                outValue->data = 0;
5594                return true;
5595            }
5596        }
5597    }
5598
5599    if ((attrType&ResTable_map::TYPE_ENUM) != 0) {
5600        const ssize_t p = getResourcePackageIndex(attrID);
5601        const bag_entry* bag;
5602        ssize_t cnt = p >= 0 ? lockBag(attrID, &bag) : -1;
5603        //printf("Got %d for enum\n", cnt);
5604        if (cnt >= 0) {
5605            resource_name rname;
5606            while (cnt > 0) {
5607                if (!Res_INTERNALID(bag->map.name.ident)) {
5608                    //printf("Trying attr #%08x\n", bag->map.name.ident);
5609                    if (getResourceName(bag->map.name.ident, false, &rname)) {
5610                        #if 0
5611                        printf("Matching %s against %s (0x%08x)\n",
5612                               String8(s, len).string(),
5613                               String8(rname.name, rname.nameLen).string(),
5614                               bag->map.name.ident);
5615                        #endif
5616                        if (strzcmp16(s, len, rname.name, rname.nameLen) == 0) {
5617                            outValue->dataType = bag->map.value.dataType;
5618                            outValue->data = bag->map.value.data;
5619                            unlockBag(bag);
5620                            return true;
5621                        }
5622                    }
5623
5624                }
5625                bag++;
5626                cnt--;
5627            }
5628            unlockBag(bag);
5629        }
5630
5631        if (fromAccessor) {
5632            if (accessor->getAttributeEnum(attrID, s, len, outValue)) {
5633                return true;
5634            }
5635        }
5636    }
5637
5638    if ((attrType&ResTable_map::TYPE_FLAGS) != 0) {
5639        const ssize_t p = getResourcePackageIndex(attrID);
5640        const bag_entry* bag;
5641        ssize_t cnt = p >= 0 ? lockBag(attrID, &bag) : -1;
5642        //printf("Got %d for flags\n", cnt);
5643        if (cnt >= 0) {
5644            bool failed = false;
5645            resource_name rname;
5646            outValue->dataType = Res_value::TYPE_INT_HEX;
5647            outValue->data = 0;
5648            const char16_t* end = s + len;
5649            const char16_t* pos = s;
5650            while (pos < end && !failed) {
5651                const char16_t* start = pos;
5652                pos++;
5653                while (pos < end && *pos != '|') {
5654                    pos++;
5655                }
5656                //printf("Looking for: %s\n", String8(start, pos-start).string());
5657                const bag_entry* bagi = bag;
5658                ssize_t i;
5659                for (i=0; i<cnt; i++, bagi++) {
5660                    if (!Res_INTERNALID(bagi->map.name.ident)) {
5661                        //printf("Trying attr #%08x\n", bagi->map.name.ident);
5662                        if (getResourceName(bagi->map.name.ident, false, &rname)) {
5663                            #if 0
5664                            printf("Matching %s against %s (0x%08x)\n",
5665                                   String8(start,pos-start).string(),
5666                                   String8(rname.name, rname.nameLen).string(),
5667                                   bagi->map.name.ident);
5668                            #endif
5669                            if (strzcmp16(start, pos-start, rname.name, rname.nameLen) == 0) {
5670                                outValue->data |= bagi->map.value.data;
5671                                break;
5672                            }
5673                        }
5674                    }
5675                }
5676                if (i >= cnt) {
5677                    // Didn't find this flag identifier.
5678                    failed = true;
5679                }
5680                if (pos < end) {
5681                    pos++;
5682                }
5683            }
5684            unlockBag(bag);
5685            if (!failed) {
5686                //printf("Final flag value: 0x%lx\n", outValue->data);
5687                return true;
5688            }
5689        }
5690
5691
5692        if (fromAccessor) {
5693            if (accessor->getAttributeFlags(attrID, s, len, outValue)) {
5694                //printf("Final flag value: 0x%lx\n", outValue->data);
5695                return true;
5696            }
5697        }
5698    }
5699
5700    if ((attrType&ResTable_map::TYPE_STRING) == 0) {
5701        if (accessor != NULL) {
5702            accessor->reportError(accessorCookie, "String types not allowed");
5703        }
5704        return false;
5705    }
5706
5707    // Generic string handling...
5708    outValue->dataType = outValue->TYPE_STRING;
5709    if (outString) {
5710        bool failed = collectString(outString, s, len, preserveSpaces, &errorMsg);
5711        if (accessor != NULL) {
5712            accessor->reportError(accessorCookie, errorMsg);
5713        }
5714        return failed;
5715    }
5716
5717    return true;
5718}
5719
5720bool ResTable::collectString(String16* outString,
5721                             const char16_t* s, size_t len,
5722                             bool preserveSpaces,
5723                             const char** outErrorMsg,
5724                             bool append)
5725{
5726    String16 tmp;
5727
5728    char quoted = 0;
5729    const char16_t* p = s;
5730    while (p < (s+len)) {
5731        while (p < (s+len)) {
5732            const char16_t c = *p;
5733            if (c == '\\') {
5734                break;
5735            }
5736            if (!preserveSpaces) {
5737                if (quoted == 0 && isspace16(c)
5738                    && (c != ' ' || isspace16(*(p+1)))) {
5739                    break;
5740                }
5741                if (c == '"' && (quoted == 0 || quoted == '"')) {
5742                    break;
5743                }
5744                if (c == '\'' && (quoted == 0 || quoted == '\'')) {
5745                    /*
5746                     * In practice, when people write ' instead of \'
5747                     * in a string, they are doing it by accident
5748                     * instead of really meaning to use ' as a quoting
5749                     * character.  Warn them so they don't lose it.
5750                     */
5751                    if (outErrorMsg) {
5752                        *outErrorMsg = "Apostrophe not preceded by \\";
5753                    }
5754                    return false;
5755                }
5756            }
5757            p++;
5758        }
5759        if (p < (s+len)) {
5760            if (p > s) {
5761                tmp.append(String16(s, p-s));
5762            }
5763            if (!preserveSpaces && (*p == '"' || *p == '\'')) {
5764                if (quoted == 0) {
5765                    quoted = *p;
5766                } else {
5767                    quoted = 0;
5768                }
5769                p++;
5770            } else if (!preserveSpaces && isspace16(*p)) {
5771                // Space outside of a quote -- consume all spaces and
5772                // leave a single plain space char.
5773                tmp.append(String16(" "));
5774                p++;
5775                while (p < (s+len) && isspace16(*p)) {
5776                    p++;
5777                }
5778            } else if (*p == '\\') {
5779                p++;
5780                if (p < (s+len)) {
5781                    switch (*p) {
5782                    case 't':
5783                        tmp.append(String16("\t"));
5784                        break;
5785                    case 'n':
5786                        tmp.append(String16("\n"));
5787                        break;
5788                    case '#':
5789                        tmp.append(String16("#"));
5790                        break;
5791                    case '@':
5792                        tmp.append(String16("@"));
5793                        break;
5794                    case '?':
5795                        tmp.append(String16("?"));
5796                        break;
5797                    case '"':
5798                        tmp.append(String16("\""));
5799                        break;
5800                    case '\'':
5801                        tmp.append(String16("'"));
5802                        break;
5803                    case '\\':
5804                        tmp.append(String16("\\"));
5805                        break;
5806                    case 'u':
5807                    {
5808                        char16_t chr = 0;
5809                        int i = 0;
5810                        while (i < 4 && p[1] != 0) {
5811                            p++;
5812                            i++;
5813                            int c;
5814                            if (*p >= '0' && *p <= '9') {
5815                                c = *p - '0';
5816                            } else if (*p >= 'a' && *p <= 'f') {
5817                                c = *p - 'a' + 10;
5818                            } else if (*p >= 'A' && *p <= 'F') {
5819                                c = *p - 'A' + 10;
5820                            } else {
5821                                if (outErrorMsg) {
5822                                    *outErrorMsg = "Bad character in \\u unicode escape sequence";
5823                                }
5824                                return false;
5825                            }
5826                            chr = (chr<<4) | c;
5827                        }
5828                        tmp.append(String16(&chr, 1));
5829                    } break;
5830                    default:
5831                        // ignore unknown escape chars.
5832                        break;
5833                    }
5834                    p++;
5835                }
5836            }
5837            len -= (p-s);
5838            s = p;
5839        }
5840    }
5841
5842    if (tmp.size() != 0) {
5843        if (len > 0) {
5844            tmp.append(String16(s, len));
5845        }
5846        if (append) {
5847            outString->append(tmp);
5848        } else {
5849            outString->setTo(tmp);
5850        }
5851    } else {
5852        if (append) {
5853            outString->append(String16(s, len));
5854        } else {
5855            outString->setTo(s, len);
5856        }
5857    }
5858
5859    return true;
5860}
5861
5862size_t ResTable::getBasePackageCount() const
5863{
5864    if (mError != NO_ERROR) {
5865        return 0;
5866    }
5867    return mPackageGroups.size();
5868}
5869
5870const String16 ResTable::getBasePackageName(size_t idx) const
5871{
5872    if (mError != NO_ERROR) {
5873        return String16();
5874    }
5875    LOG_FATAL_IF(idx >= mPackageGroups.size(),
5876                 "Requested package index %d past package count %d",
5877                 (int)idx, (int)mPackageGroups.size());
5878    return mPackageGroups[idx]->name;
5879}
5880
5881uint32_t ResTable::getBasePackageId(size_t idx) const
5882{
5883    if (mError != NO_ERROR) {
5884        return 0;
5885    }
5886    LOG_FATAL_IF(idx >= mPackageGroups.size(),
5887                 "Requested package index %d past package count %d",
5888                 (int)idx, (int)mPackageGroups.size());
5889    return mPackageGroups[idx]->id;
5890}
5891
5892uint32_t ResTable::getLastTypeIdForPackage(size_t idx) const
5893{
5894    if (mError != NO_ERROR) {
5895        return 0;
5896    }
5897    LOG_FATAL_IF(idx >= mPackageGroups.size(),
5898            "Requested package index %d past package count %d",
5899            (int)idx, (int)mPackageGroups.size());
5900    const PackageGroup* const group = mPackageGroups[idx];
5901    return group->largestTypeId;
5902}
5903
5904size_t ResTable::getTableCount() const
5905{
5906    return mHeaders.size();
5907}
5908
5909const ResStringPool* ResTable::getTableStringBlock(size_t index) const
5910{
5911    return &mHeaders[index]->values;
5912}
5913
5914int32_t ResTable::getTableCookie(size_t index) const
5915{
5916    return mHeaders[index]->cookie;
5917}
5918
5919const DynamicRefTable* ResTable::getDynamicRefTableForCookie(int32_t cookie) const
5920{
5921    const size_t N = mPackageGroups.size();
5922    for (size_t i = 0; i < N; i++) {
5923        const PackageGroup* pg = mPackageGroups[i];
5924        size_t M = pg->packages.size();
5925        for (size_t j = 0; j < M; j++) {
5926            if (pg->packages[j]->header->cookie == cookie) {
5927                return &pg->dynamicRefTable;
5928            }
5929        }
5930    }
5931    return NULL;
5932}
5933
5934static bool compareResTableConfig(const ResTable_config& a, const ResTable_config& b) {
5935    return a.compare(b) < 0;
5936}
5937
5938template <typename Func>
5939void ResTable::forEachConfiguration(bool ignoreMipmap, bool ignoreAndroidPackage,
5940                                    bool includeSystemConfigs, const Func& f) const {
5941    const size_t packageCount = mPackageGroups.size();
5942    const String16 android("android");
5943    for (size_t i = 0; i < packageCount; i++) {
5944        const PackageGroup* packageGroup = mPackageGroups[i];
5945        if (ignoreAndroidPackage && android == packageGroup->name) {
5946            continue;
5947        }
5948        if (!includeSystemConfigs && packageGroup->isSystemAsset) {
5949            continue;
5950        }
5951        const size_t typeCount = packageGroup->types.size();
5952        for (size_t j = 0; j < typeCount; j++) {
5953            const TypeList& typeList = packageGroup->types[j];
5954            const size_t numTypes = typeList.size();
5955            for (size_t k = 0; k < numTypes; k++) {
5956                const Type* type = typeList[k];
5957                const ResStringPool& typeStrings = type->package->typeStrings;
5958                if (ignoreMipmap && typeStrings.string8ObjectAt(
5959                            type->typeSpec->id - 1) == "mipmap") {
5960                    continue;
5961                }
5962
5963                const size_t numConfigs = type->configs.size();
5964                for (size_t m = 0; m < numConfigs; m++) {
5965                    const ResTable_type* config = type->configs[m];
5966                    ResTable_config cfg;
5967                    memset(&cfg, 0, sizeof(ResTable_config));
5968                    cfg.copyFromDtoH(config->config);
5969
5970                    f(cfg);
5971                }
5972            }
5973        }
5974    }
5975}
5976
5977void ResTable::getConfigurations(Vector<ResTable_config>* configs, bool ignoreMipmap,
5978                                 bool ignoreAndroidPackage, bool includeSystemConfigs) const {
5979    auto func = [&](const ResTable_config& cfg) {
5980        const auto beginIter = configs->begin();
5981        const auto endIter = configs->end();
5982
5983        auto iter = std::lower_bound(beginIter, endIter, cfg, compareResTableConfig);
5984        if (iter == endIter || iter->compare(cfg) != 0) {
5985            configs->insertAt(cfg, std::distance(beginIter, iter));
5986        }
5987    };
5988    forEachConfiguration(ignoreMipmap, ignoreAndroidPackage, includeSystemConfigs, func);
5989}
5990
5991static bool compareString8AndCString(const String8& str, const char* cStr) {
5992    return strcmp(str.string(), cStr) < 0;
5993}
5994
5995void ResTable::getLocales(Vector<String8>* locales, bool includeSystemLocales,
5996                          bool mergeEquivalentLangs) const {
5997    char locale[RESTABLE_MAX_LOCALE_LEN];
5998
5999    forEachConfiguration(false, false, includeSystemLocales, [&](const ResTable_config& cfg) {
6000        if (cfg.locale != 0) {
6001            cfg.getBcp47Locale(locale, mergeEquivalentLangs /* canonicalize if merging */);
6002
6003            const auto beginIter = locales->begin();
6004            const auto endIter = locales->end();
6005
6006            auto iter = std::lower_bound(beginIter, endIter, locale, compareString8AndCString);
6007            if (iter == endIter || strcmp(iter->string(), locale) != 0) {
6008                locales->insertAt(String8(locale), std::distance(beginIter, iter));
6009            }
6010        }
6011    });
6012}
6013
6014StringPoolRef::StringPoolRef(const ResStringPool* pool, uint32_t index)
6015    : mPool(pool), mIndex(index) {}
6016
6017StringPoolRef::StringPoolRef()
6018    : mPool(NULL), mIndex(0) {}
6019
6020const char* StringPoolRef::string8(size_t* outLen) const {
6021    if (mPool != NULL) {
6022        return mPool->string8At(mIndex, outLen);
6023    }
6024    if (outLen != NULL) {
6025        *outLen = 0;
6026    }
6027    return NULL;
6028}
6029
6030const char16_t* StringPoolRef::string16(size_t* outLen) const {
6031    if (mPool != NULL) {
6032        return mPool->stringAt(mIndex, outLen);
6033    }
6034    if (outLen != NULL) {
6035        *outLen = 0;
6036    }
6037    return NULL;
6038}
6039
6040bool ResTable::getResourceFlags(uint32_t resID, uint32_t* outFlags) const {
6041    if (mError != NO_ERROR) {
6042        return false;
6043    }
6044
6045    const ssize_t p = getResourcePackageIndex(resID);
6046    const int t = Res_GETTYPE(resID);
6047    const int e = Res_GETENTRY(resID);
6048
6049    if (p < 0) {
6050        if (Res_GETPACKAGE(resID)+1 == 0) {
6051            ALOGW("No package identifier when getting flags for resource number 0x%08x", resID);
6052        } else {
6053            ALOGW("No known package when getting flags for resource number 0x%08x", resID);
6054        }
6055        return false;
6056    }
6057    if (t < 0) {
6058        ALOGW("No type identifier when getting flags for resource number 0x%08x", resID);
6059        return false;
6060    }
6061
6062    const PackageGroup* const grp = mPackageGroups[p];
6063    if (grp == NULL) {
6064        ALOGW("Bad identifier when getting flags for resource number 0x%08x", resID);
6065        return false;
6066    }
6067
6068    Entry entry;
6069    status_t err = getEntry(grp, t, e, NULL, &entry);
6070    if (err != NO_ERROR) {
6071        return false;
6072    }
6073
6074    *outFlags = entry.specFlags;
6075    return true;
6076}
6077
6078static bool keyCompare(const ResTable_sparseTypeEntry& entry , uint16_t entryIdx) {
6079  return dtohs(entry.idx) < entryIdx;
6080}
6081
6082status_t ResTable::getEntry(
6083        const PackageGroup* packageGroup, int typeIndex, int entryIndex,
6084        const ResTable_config* config,
6085        Entry* outEntry) const
6086{
6087    const TypeList& typeList = packageGroup->types[typeIndex];
6088    if (typeList.isEmpty()) {
6089        ALOGV("Skipping entry type index 0x%02x because type is NULL!\n", typeIndex);
6090        return BAD_TYPE;
6091    }
6092
6093    const ResTable_type* bestType = NULL;
6094    uint32_t bestOffset = ResTable_type::NO_ENTRY;
6095    const Package* bestPackage = NULL;
6096    uint32_t specFlags = 0;
6097    uint8_t actualTypeIndex = typeIndex;
6098    ResTable_config bestConfig;
6099    memset(&bestConfig, 0, sizeof(bestConfig));
6100
6101    // Iterate over the Types of each package.
6102    const size_t typeCount = typeList.size();
6103    for (size_t i = 0; i < typeCount; i++) {
6104        const Type* const typeSpec = typeList[i];
6105
6106        int realEntryIndex = entryIndex;
6107        int realTypeIndex = typeIndex;
6108        bool currentTypeIsOverlay = false;
6109
6110        // Runtime overlay packages provide a mapping of app resource
6111        // ID to package resource ID.
6112        if (typeSpec->idmapEntries.hasEntries()) {
6113            uint16_t overlayEntryIndex;
6114            if (typeSpec->idmapEntries.lookup(entryIndex, &overlayEntryIndex) != NO_ERROR) {
6115                // No such mapping exists
6116                continue;
6117            }
6118            realEntryIndex = overlayEntryIndex;
6119            realTypeIndex = typeSpec->idmapEntries.overlayTypeId() - 1;
6120            currentTypeIsOverlay = true;
6121        }
6122
6123        // Check that the entry idx is within range of the declared entry count (ResTable_typeSpec).
6124        // Particular types (ResTable_type) may be encoded with sparse entries, and so their
6125        // entryCount do not need to match.
6126        if (static_cast<size_t>(realEntryIndex) >= typeSpec->entryCount) {
6127            ALOGW("For resource 0x%08x, entry index(%d) is beyond type entryCount(%d)",
6128                    Res_MAKEID(packageGroup->id - 1, typeIndex, entryIndex),
6129                    entryIndex, static_cast<int>(typeSpec->entryCount));
6130            // We should normally abort here, but some legacy apps declare
6131            // resources in the 'android' package (old bug in AAPT).
6132            continue;
6133        }
6134
6135        // Aggregate all the flags for each package that defines this entry.
6136        if (typeSpec->typeSpecFlags != NULL) {
6137            specFlags |= dtohl(typeSpec->typeSpecFlags[realEntryIndex]);
6138        } else {
6139            specFlags = -1;
6140        }
6141
6142        const Vector<const ResTable_type*>* candidateConfigs = &typeSpec->configs;
6143
6144        std::shared_ptr<Vector<const ResTable_type*>> filteredConfigs;
6145        if (config && memcmp(&mParams, config, sizeof(mParams)) == 0) {
6146            // Grab the lock first so we can safely get the current filtered list.
6147            AutoMutex _lock(mFilteredConfigLock);
6148
6149            // This configuration is equal to the one we have previously cached for,
6150            // so use the filtered configs.
6151
6152            const TypeCacheEntry& cacheEntry = packageGroup->typeCacheEntries[typeIndex];
6153            if (i < cacheEntry.filteredConfigs.size()) {
6154                if (cacheEntry.filteredConfigs[i]) {
6155                    // Grab a reference to the shared_ptr so it doesn't get destroyed while
6156                    // going through this list.
6157                    filteredConfigs = cacheEntry.filteredConfigs[i];
6158
6159                    // Use this filtered list.
6160                    candidateConfigs = filteredConfigs.get();
6161                }
6162            }
6163        }
6164
6165        const size_t numConfigs = candidateConfigs->size();
6166        for (size_t c = 0; c < numConfigs; c++) {
6167            const ResTable_type* const thisType = candidateConfigs->itemAt(c);
6168            if (thisType == NULL) {
6169                continue;
6170            }
6171
6172            ResTable_config thisConfig;
6173            thisConfig.copyFromDtoH(thisType->config);
6174
6175            // Check to make sure this one is valid for the current parameters.
6176            if (config != NULL && !thisConfig.match(*config)) {
6177                continue;
6178            }
6179
6180            const uint32_t* const eindex = reinterpret_cast<const uint32_t*>(
6181                    reinterpret_cast<const uint8_t*>(thisType) + dtohs(thisType->header.headerSize));
6182
6183            uint32_t thisOffset;
6184
6185            // Check if there is the desired entry in this type.
6186            if (thisType->flags & ResTable_type::FLAG_SPARSE) {
6187                // This is encoded as a sparse map, so perform a binary search.
6188                const ResTable_sparseTypeEntry* sparseIndices =
6189                        reinterpret_cast<const ResTable_sparseTypeEntry*>(eindex);
6190                const ResTable_sparseTypeEntry* result = std::lower_bound(
6191                        sparseIndices, sparseIndices + dtohl(thisType->entryCount), realEntryIndex,
6192                        keyCompare);
6193                if (result == sparseIndices + dtohl(thisType->entryCount)
6194                        || dtohs(result->idx) != realEntryIndex) {
6195                    // No entry found.
6196                    continue;
6197                }
6198
6199                // Extract the offset from the entry. Each offset must be a multiple of 4
6200                // so we store it as the real offset divided by 4.
6201                thisOffset = dtohs(result->offset) * 4u;
6202            } else {
6203                if (static_cast<uint32_t>(realEntryIndex) >= dtohl(thisType->entryCount)) {
6204                    // Entry does not exist.
6205                    continue;
6206                }
6207
6208                thisOffset = dtohl(eindex[realEntryIndex]);
6209            }
6210
6211            if (thisOffset == ResTable_type::NO_ENTRY) {
6212                // There is no entry for this index and configuration.
6213                continue;
6214            }
6215
6216            if (bestType != NULL) {
6217                // Check if this one is less specific than the last found.  If so,
6218                // we will skip it.  We check starting with things we most care
6219                // about to those we least care about.
6220                if (!thisConfig.isBetterThan(bestConfig, config)) {
6221                    if (!currentTypeIsOverlay || thisConfig.compare(bestConfig) != 0) {
6222                        continue;
6223                    }
6224                }
6225            }
6226
6227            bestType = thisType;
6228            bestOffset = thisOffset;
6229            bestConfig = thisConfig;
6230            bestPackage = typeSpec->package;
6231            actualTypeIndex = realTypeIndex;
6232
6233            // If no config was specified, any type will do, so skip
6234            if (config == NULL) {
6235                break;
6236            }
6237        }
6238    }
6239
6240    if (bestType == NULL) {
6241        return BAD_INDEX;
6242    }
6243
6244    bestOffset += dtohl(bestType->entriesStart);
6245
6246    if (bestOffset > (dtohl(bestType->header.size)-sizeof(ResTable_entry))) {
6247        ALOGW("ResTable_entry at 0x%x is beyond type chunk data 0x%x",
6248                bestOffset, dtohl(bestType->header.size));
6249        return BAD_TYPE;
6250    }
6251    if ((bestOffset & 0x3) != 0) {
6252        ALOGW("ResTable_entry at 0x%x is not on an integer boundary", bestOffset);
6253        return BAD_TYPE;
6254    }
6255
6256    const ResTable_entry* const entry = reinterpret_cast<const ResTable_entry*>(
6257            reinterpret_cast<const uint8_t*>(bestType) + bestOffset);
6258    if (dtohs(entry->size) < sizeof(*entry)) {
6259        ALOGW("ResTable_entry size 0x%x is too small", dtohs(entry->size));
6260        return BAD_TYPE;
6261    }
6262
6263    if (outEntry != NULL) {
6264        outEntry->entry = entry;
6265        outEntry->config = bestConfig;
6266        outEntry->type = bestType;
6267        outEntry->specFlags = specFlags;
6268        outEntry->package = bestPackage;
6269        outEntry->typeStr = StringPoolRef(&bestPackage->typeStrings, actualTypeIndex - bestPackage->typeIdOffset);
6270        outEntry->keyStr = StringPoolRef(&bestPackage->keyStrings, dtohl(entry->key.index));
6271    }
6272    return NO_ERROR;
6273}
6274
6275status_t ResTable::parsePackage(const ResTable_package* const pkg,
6276                                const Header* const header, bool appAsLib, bool isSystemAsset)
6277{
6278    const uint8_t* base = (const uint8_t*)pkg;
6279    status_t err = validate_chunk(&pkg->header, sizeof(*pkg) - sizeof(pkg->typeIdOffset),
6280                                  header->dataEnd, "ResTable_package");
6281    if (err != NO_ERROR) {
6282        return (mError=err);
6283    }
6284
6285    const uint32_t pkgSize = dtohl(pkg->header.size);
6286
6287    if (dtohl(pkg->typeStrings) >= pkgSize) {
6288        ALOGW("ResTable_package type strings at 0x%x are past chunk size 0x%x.",
6289             dtohl(pkg->typeStrings), pkgSize);
6290        return (mError=BAD_TYPE);
6291    }
6292    if ((dtohl(pkg->typeStrings)&0x3) != 0) {
6293        ALOGW("ResTable_package type strings at 0x%x is not on an integer boundary.",
6294             dtohl(pkg->typeStrings));
6295        return (mError=BAD_TYPE);
6296    }
6297    if (dtohl(pkg->keyStrings) >= pkgSize) {
6298        ALOGW("ResTable_package key strings at 0x%x are past chunk size 0x%x.",
6299             dtohl(pkg->keyStrings), pkgSize);
6300        return (mError=BAD_TYPE);
6301    }
6302    if ((dtohl(pkg->keyStrings)&0x3) != 0) {
6303        ALOGW("ResTable_package key strings at 0x%x is not on an integer boundary.",
6304             dtohl(pkg->keyStrings));
6305        return (mError=BAD_TYPE);
6306    }
6307
6308    uint32_t id = dtohl(pkg->id);
6309    KeyedVector<uint8_t, IdmapEntries> idmapEntries;
6310
6311    if (header->resourceIDMap != NULL) {
6312        uint8_t targetPackageId = 0;
6313        status_t err = parseIdmap(header->resourceIDMap, header->resourceIDMapSize, &targetPackageId, &idmapEntries);
6314        if (err != NO_ERROR) {
6315            ALOGW("Overlay is broken");
6316            return (mError=err);
6317        }
6318        id = targetPackageId;
6319    }
6320
6321    if (id >= 256) {
6322        LOG_ALWAYS_FATAL("Package id out of range");
6323        return NO_ERROR;
6324    } else if (id == 0 || (id == 0x7f && appAsLib) || isSystemAsset) {
6325        // This is a library or a system asset, so assign an ID
6326        id = mNextPackageId++;
6327    }
6328
6329    PackageGroup* group = NULL;
6330    Package* package = new Package(this, header, pkg);
6331    if (package == NULL) {
6332        return (mError=NO_MEMORY);
6333    }
6334
6335    err = package->typeStrings.setTo(base+dtohl(pkg->typeStrings),
6336                                   header->dataEnd-(base+dtohl(pkg->typeStrings)));
6337    if (err != NO_ERROR) {
6338        delete group;
6339        delete package;
6340        return (mError=err);
6341    }
6342
6343    err = package->keyStrings.setTo(base+dtohl(pkg->keyStrings),
6344                                  header->dataEnd-(base+dtohl(pkg->keyStrings)));
6345    if (err != NO_ERROR) {
6346        delete group;
6347        delete package;
6348        return (mError=err);
6349    }
6350
6351    size_t idx = mPackageMap[id];
6352    if (idx == 0) {
6353        idx = mPackageGroups.size() + 1;
6354
6355        char16_t tmpName[sizeof(pkg->name)/sizeof(pkg->name[0])];
6356        strcpy16_dtoh(tmpName, pkg->name, sizeof(pkg->name)/sizeof(pkg->name[0]));
6357        group = new PackageGroup(this, String16(tmpName), id, appAsLib, isSystemAsset);
6358        if (group == NULL) {
6359            delete package;
6360            return (mError=NO_MEMORY);
6361        }
6362
6363        err = mPackageGroups.add(group);
6364        if (err < NO_ERROR) {
6365            return (mError=err);
6366        }
6367
6368        mPackageMap[id] = static_cast<uint8_t>(idx);
6369
6370        // Find all packages that reference this package
6371        size_t N = mPackageGroups.size();
6372        for (size_t i = 0; i < N; i++) {
6373            mPackageGroups[i]->dynamicRefTable.addMapping(
6374                    group->name, static_cast<uint8_t>(group->id));
6375        }
6376    } else {
6377        group = mPackageGroups.itemAt(idx - 1);
6378        if (group == NULL) {
6379            return (mError=UNKNOWN_ERROR);
6380        }
6381    }
6382
6383    err = group->packages.add(package);
6384    if (err < NO_ERROR) {
6385        return (mError=err);
6386    }
6387
6388    // Iterate through all chunks.
6389    const ResChunk_header* chunk =
6390        (const ResChunk_header*)(((const uint8_t*)pkg)
6391                                 + dtohs(pkg->header.headerSize));
6392    const uint8_t* endPos = ((const uint8_t*)pkg) + dtohs(pkg->header.size);
6393    while (((const uint8_t*)chunk) <= (endPos-sizeof(ResChunk_header)) &&
6394           ((const uint8_t*)chunk) <= (endPos-dtohl(chunk->size))) {
6395        if (kDebugTableNoisy) {
6396            ALOGV("PackageChunk: type=0x%x, headerSize=0x%x, size=0x%x, pos=%p\n",
6397                    dtohs(chunk->type), dtohs(chunk->headerSize), dtohl(chunk->size),
6398                    (void*)(((const uint8_t*)chunk) - ((const uint8_t*)header->header)));
6399        }
6400        const size_t csize = dtohl(chunk->size);
6401        const uint16_t ctype = dtohs(chunk->type);
6402        if (ctype == RES_TABLE_TYPE_SPEC_TYPE) {
6403            const ResTable_typeSpec* typeSpec = (const ResTable_typeSpec*)(chunk);
6404            err = validate_chunk(&typeSpec->header, sizeof(*typeSpec),
6405                                 endPos, "ResTable_typeSpec");
6406            if (err != NO_ERROR) {
6407                return (mError=err);
6408            }
6409
6410            const size_t typeSpecSize = dtohl(typeSpec->header.size);
6411            const size_t newEntryCount = dtohl(typeSpec->entryCount);
6412
6413            if (kDebugLoadTableNoisy) {
6414                ALOGI("TypeSpec off %p: type=0x%x, headerSize=0x%x, size=%p\n",
6415                        (void*)(base-(const uint8_t*)chunk),
6416                        dtohs(typeSpec->header.type),
6417                        dtohs(typeSpec->header.headerSize),
6418                        (void*)typeSpecSize);
6419            }
6420            // look for block overrun or int overflow when multiplying by 4
6421            if ((dtohl(typeSpec->entryCount) > (INT32_MAX/sizeof(uint32_t))
6422                    || dtohs(typeSpec->header.headerSize)+(sizeof(uint32_t)*newEntryCount)
6423                    > typeSpecSize)) {
6424                ALOGW("ResTable_typeSpec entry index to %p extends beyond chunk end %p.",
6425                        (void*)(dtohs(typeSpec->header.headerSize) + (sizeof(uint32_t)*newEntryCount)),
6426                        (void*)typeSpecSize);
6427                return (mError=BAD_TYPE);
6428            }
6429
6430            if (typeSpec->id == 0) {
6431                ALOGW("ResTable_type has an id of 0.");
6432                return (mError=BAD_TYPE);
6433            }
6434
6435            if (newEntryCount > 0) {
6436                bool addToType = true;
6437                uint8_t typeIndex = typeSpec->id - 1;
6438                ssize_t idmapIndex = idmapEntries.indexOfKey(typeSpec->id);
6439                if (idmapIndex >= 0) {
6440                    typeIndex = idmapEntries[idmapIndex].targetTypeId() - 1;
6441                } else if (header->resourceIDMap != NULL) {
6442                    // This is an overlay, but the types in this overlay are not
6443                    // overlaying anything according to the idmap. We can skip these
6444                    // as they will otherwise conflict with the other resources in the package
6445                    // without a mapping.
6446                    addToType = false;
6447                }
6448
6449                if (addToType) {
6450                    TypeList& typeList = group->types.editItemAt(typeIndex);
6451                    if (!typeList.isEmpty()) {
6452                        const Type* existingType = typeList[0];
6453                        if (existingType->entryCount != newEntryCount && idmapIndex < 0) {
6454                            ALOGW("ResTable_typeSpec entry count inconsistent: "
6455                                  "given %d, previously %d",
6456                                  (int) newEntryCount, (int) existingType->entryCount);
6457                            // We should normally abort here, but some legacy apps declare
6458                            // resources in the 'android' package (old bug in AAPT).
6459                        }
6460                    }
6461
6462                    Type* t = new Type(header, package, newEntryCount);
6463                    t->typeSpec = typeSpec;
6464                    t->typeSpecFlags = (const uint32_t*)(
6465                            ((const uint8_t*)typeSpec) + dtohs(typeSpec->header.headerSize));
6466                    if (idmapIndex >= 0) {
6467                        t->idmapEntries = idmapEntries[idmapIndex];
6468                    }
6469                    typeList.add(t);
6470                    group->largestTypeId = max(group->largestTypeId, typeSpec->id);
6471                }
6472            } else {
6473                ALOGV("Skipping empty ResTable_typeSpec for type %d", typeSpec->id);
6474            }
6475
6476        } else if (ctype == RES_TABLE_TYPE_TYPE) {
6477            const ResTable_type* type = (const ResTable_type*)(chunk);
6478            err = validate_chunk(&type->header, sizeof(*type)-sizeof(ResTable_config)+4,
6479                                 endPos, "ResTable_type");
6480            if (err != NO_ERROR) {
6481                return (mError=err);
6482            }
6483
6484            const uint32_t typeSize = dtohl(type->header.size);
6485            const size_t newEntryCount = dtohl(type->entryCount);
6486
6487            if (kDebugLoadTableNoisy) {
6488                printf("Type off %p: type=0x%x, headerSize=0x%x, size=%u\n",
6489                        (void*)(base-(const uint8_t*)chunk),
6490                        dtohs(type->header.type),
6491                        dtohs(type->header.headerSize),
6492                        typeSize);
6493            }
6494            if (dtohs(type->header.headerSize)+(sizeof(uint32_t)*newEntryCount) > typeSize) {
6495                ALOGW("ResTable_type entry index to %p extends beyond chunk end 0x%x.",
6496                        (void*)(dtohs(type->header.headerSize) + (sizeof(uint32_t)*newEntryCount)),
6497                        typeSize);
6498                return (mError=BAD_TYPE);
6499            }
6500
6501            if (newEntryCount != 0
6502                && dtohl(type->entriesStart) > (typeSize-sizeof(ResTable_entry))) {
6503                ALOGW("ResTable_type entriesStart at 0x%x extends beyond chunk end 0x%x.",
6504                     dtohl(type->entriesStart), typeSize);
6505                return (mError=BAD_TYPE);
6506            }
6507
6508            if (type->id == 0) {
6509                ALOGW("ResTable_type has an id of 0.");
6510                return (mError=BAD_TYPE);
6511            }
6512
6513            if (newEntryCount > 0) {
6514                bool addToType = true;
6515                uint8_t typeIndex = type->id - 1;
6516                ssize_t idmapIndex = idmapEntries.indexOfKey(type->id);
6517                if (idmapIndex >= 0) {
6518                    typeIndex = idmapEntries[idmapIndex].targetTypeId() - 1;
6519                } else if (header->resourceIDMap != NULL) {
6520                    // This is an overlay, but the types in this overlay are not
6521                    // overlaying anything according to the idmap. We can skip these
6522                    // as they will otherwise conflict with the other resources in the package
6523                    // without a mapping.
6524                    addToType = false;
6525                }
6526
6527                if (addToType) {
6528                    TypeList& typeList = group->types.editItemAt(typeIndex);
6529                    if (typeList.isEmpty()) {
6530                        ALOGE("No TypeSpec for type %d", type->id);
6531                        return (mError=BAD_TYPE);
6532                    }
6533
6534                    Type* t = typeList.editItemAt(typeList.size() - 1);
6535                    if (t->package != package) {
6536                        ALOGE("No TypeSpec for type %d", type->id);
6537                        return (mError=BAD_TYPE);
6538                    }
6539
6540                    t->configs.add(type);
6541
6542                    if (kDebugTableGetEntry) {
6543                        ResTable_config thisConfig;
6544                        thisConfig.copyFromDtoH(type->config);
6545                        ALOGI("Adding config to type %d: %s\n", type->id,
6546                                thisConfig.toString().string());
6547                    }
6548                }
6549            } else {
6550                ALOGV("Skipping empty ResTable_type for type %d", type->id);
6551            }
6552
6553        } else if (ctype == RES_TABLE_LIBRARY_TYPE) {
6554            if (group->dynamicRefTable.entries().size() == 0) {
6555                status_t err = group->dynamicRefTable.load((const ResTable_lib_header*) chunk);
6556                if (err != NO_ERROR) {
6557                    return (mError=err);
6558                }
6559
6560                // Fill in the reference table with the entries we already know about.
6561                size_t N = mPackageGroups.size();
6562                for (size_t i = 0; i < N; i++) {
6563                    group->dynamicRefTable.addMapping(mPackageGroups[i]->name, mPackageGroups[i]->id);
6564                }
6565            } else {
6566                ALOGW("Found multiple library tables, ignoring...");
6567            }
6568        } else {
6569            status_t err = validate_chunk(chunk, sizeof(ResChunk_header),
6570                                          endPos, "ResTable_package:unknown");
6571            if (err != NO_ERROR) {
6572                return (mError=err);
6573            }
6574        }
6575        chunk = (const ResChunk_header*)
6576            (((const uint8_t*)chunk) + csize);
6577    }
6578
6579    return NO_ERROR;
6580}
6581
6582DynamicRefTable::DynamicRefTable() : DynamicRefTable(0, false) {}
6583
6584DynamicRefTable::DynamicRefTable(uint8_t packageId, bool appAsLib)
6585    : mAssignedPackageId(packageId)
6586    , mAppAsLib(appAsLib)
6587{
6588    memset(mLookupTable, 0, sizeof(mLookupTable));
6589
6590    // Reserved package ids
6591    mLookupTable[APP_PACKAGE_ID] = APP_PACKAGE_ID;
6592    mLookupTable[SYS_PACKAGE_ID] = SYS_PACKAGE_ID;
6593}
6594
6595status_t DynamicRefTable::load(const ResTable_lib_header* const header)
6596{
6597    const uint32_t entryCount = dtohl(header->count);
6598    const uint32_t sizeOfEntries = sizeof(ResTable_lib_entry) * entryCount;
6599    const uint32_t expectedSize = dtohl(header->header.size) - dtohl(header->header.headerSize);
6600    if (sizeOfEntries > expectedSize) {
6601        ALOGE("ResTable_lib_header size %u is too small to fit %u entries (x %u).",
6602                expectedSize, entryCount, (uint32_t)sizeof(ResTable_lib_entry));
6603        return UNKNOWN_ERROR;
6604    }
6605
6606    const ResTable_lib_entry* entry = (const ResTable_lib_entry*)(((uint8_t*) header) +
6607            dtohl(header->header.headerSize));
6608    for (uint32_t entryIndex = 0; entryIndex < entryCount; entryIndex++) {
6609        uint32_t packageId = dtohl(entry->packageId);
6610        char16_t tmpName[sizeof(entry->packageName) / sizeof(char16_t)];
6611        strcpy16_dtoh(tmpName, entry->packageName, sizeof(entry->packageName) / sizeof(char16_t));
6612        if (kDebugLibNoisy) {
6613            ALOGV("Found lib entry %s with id %d\n", String8(tmpName).string(),
6614                    dtohl(entry->packageId));
6615        }
6616        if (packageId >= 256) {
6617            ALOGE("Bad package id 0x%08x", packageId);
6618            return UNKNOWN_ERROR;
6619        }
6620        mEntries.replaceValueFor(String16(tmpName), (uint8_t) packageId);
6621        entry = entry + 1;
6622    }
6623    return NO_ERROR;
6624}
6625
6626status_t DynamicRefTable::addMappings(const DynamicRefTable& other) {
6627    if (mAssignedPackageId != other.mAssignedPackageId) {
6628        return UNKNOWN_ERROR;
6629    }
6630
6631    const size_t entryCount = other.mEntries.size();
6632    for (size_t i = 0; i < entryCount; i++) {
6633        ssize_t index = mEntries.indexOfKey(other.mEntries.keyAt(i));
6634        if (index < 0) {
6635            mEntries.add(other.mEntries.keyAt(i), other.mEntries[i]);
6636        } else {
6637            if (other.mEntries[i] != mEntries[index]) {
6638                return UNKNOWN_ERROR;
6639            }
6640        }
6641    }
6642
6643    // Merge the lookup table. No entry can conflict
6644    // (value of 0 means not set).
6645    for (size_t i = 0; i < 256; i++) {
6646        if (mLookupTable[i] != other.mLookupTable[i]) {
6647            if (mLookupTable[i] == 0) {
6648                mLookupTable[i] = other.mLookupTable[i];
6649            } else if (other.mLookupTable[i] != 0) {
6650                return UNKNOWN_ERROR;
6651            }
6652        }
6653    }
6654    return NO_ERROR;
6655}
6656
6657status_t DynamicRefTable::addMapping(const String16& packageName, uint8_t packageId)
6658{
6659    ssize_t index = mEntries.indexOfKey(packageName);
6660    if (index < 0) {
6661        return UNKNOWN_ERROR;
6662    }
6663    mLookupTable[mEntries.valueAt(index)] = packageId;
6664    return NO_ERROR;
6665}
6666
6667void DynamicRefTable::addMapping(uint8_t buildPackageId, uint8_t runtimePackageId) {
6668    mLookupTable[buildPackageId] = runtimePackageId;
6669}
6670
6671status_t DynamicRefTable::lookupResourceId(uint32_t* resId) const {
6672    uint32_t res = *resId;
6673    size_t packageId = Res_GETPACKAGE(res) + 1;
6674
6675    if (packageId == APP_PACKAGE_ID && !mAppAsLib) {
6676        // No lookup needs to be done, app package IDs are absolute.
6677        return NO_ERROR;
6678    }
6679
6680    if (packageId == 0 || (packageId == APP_PACKAGE_ID && mAppAsLib)) {
6681        // The package ID is 0x00. That means that a shared library is accessing
6682        // its own local resource.
6683        // Or if app resource is loaded as shared library, the resource which has
6684        // app package Id is local resources.
6685        // so we fix up those resources with the calling package ID.
6686        *resId = (0xFFFFFF & (*resId)) | (((uint32_t) mAssignedPackageId) << 24);
6687        return NO_ERROR;
6688    }
6689
6690    // Do a proper lookup.
6691    uint8_t translatedId = mLookupTable[packageId];
6692    if (translatedId == 0) {
6693        ALOGW("DynamicRefTable(0x%02x): No mapping for build-time package ID 0x%02x.",
6694                (uint8_t)mAssignedPackageId, (uint8_t)packageId);
6695        for (size_t i = 0; i < 256; i++) {
6696            if (mLookupTable[i] != 0) {
6697                ALOGW("e[0x%02x] -> 0x%02x", (uint8_t)i, mLookupTable[i]);
6698            }
6699        }
6700        return UNKNOWN_ERROR;
6701    }
6702
6703    *resId = (res & 0x00ffffff) | (((uint32_t) translatedId) << 24);
6704    return NO_ERROR;
6705}
6706
6707status_t DynamicRefTable::lookupResourceValue(Res_value* value) const {
6708    uint8_t resolvedType = Res_value::TYPE_REFERENCE;
6709    switch (value->dataType) {
6710    case Res_value::TYPE_ATTRIBUTE:
6711        resolvedType = Res_value::TYPE_ATTRIBUTE;
6712        // fallthrough
6713    case Res_value::TYPE_REFERENCE:
6714        if (!mAppAsLib) {
6715            return NO_ERROR;
6716        }
6717
6718        // If the package is loaded as shared library, the resource reference
6719        // also need to be fixed.
6720        break;
6721    case Res_value::TYPE_DYNAMIC_ATTRIBUTE:
6722        resolvedType = Res_value::TYPE_ATTRIBUTE;
6723        // fallthrough
6724    case Res_value::TYPE_DYNAMIC_REFERENCE:
6725        break;
6726    default:
6727        return NO_ERROR;
6728    }
6729
6730    status_t err = lookupResourceId(&value->data);
6731    if (err != NO_ERROR) {
6732        return err;
6733    }
6734
6735    value->dataType = resolvedType;
6736    return NO_ERROR;
6737}
6738
6739struct IdmapTypeMap {
6740    ssize_t overlayTypeId;
6741    size_t entryOffset;
6742    Vector<uint32_t> entryMap;
6743};
6744
6745status_t ResTable::createIdmap(const ResTable& overlay,
6746        uint32_t targetCrc, uint32_t overlayCrc,
6747        const char* targetPath, const char* overlayPath,
6748        void** outData, size_t* outSize) const
6749{
6750    // see README for details on the format of map
6751    if (mPackageGroups.size() == 0) {
6752        ALOGW("idmap: target package has no package groups, cannot create idmap\n");
6753        return UNKNOWN_ERROR;
6754    }
6755
6756    if (mPackageGroups[0]->packages.size() == 0) {
6757        ALOGW("idmap: target package has no packages in its first package group, "
6758                "cannot create idmap\n");
6759        return UNKNOWN_ERROR;
6760    }
6761
6762    KeyedVector<uint8_t, IdmapTypeMap> map;
6763
6764    // overlaid packages are assumed to contain only one package group
6765    const PackageGroup* pg = mPackageGroups[0];
6766
6767    // starting size is header
6768    *outSize = ResTable::IDMAP_HEADER_SIZE_BYTES;
6769
6770    // target package id and number of types in map
6771    *outSize += 2 * sizeof(uint16_t);
6772
6773    // overlay packages are assumed to contain only one package group
6774    const ResTable_package* overlayPackageStruct = overlay.mPackageGroups[0]->packages[0]->package;
6775    char16_t tmpName[sizeof(overlayPackageStruct->name)/sizeof(overlayPackageStruct->name[0])];
6776    strcpy16_dtoh(tmpName, overlayPackageStruct->name, sizeof(overlayPackageStruct->name)/sizeof(overlayPackageStruct->name[0]));
6777    const String16 overlayPackage(tmpName);
6778
6779    for (size_t typeIndex = 0; typeIndex < pg->types.size(); ++typeIndex) {
6780        const TypeList& typeList = pg->types[typeIndex];
6781        if (typeList.isEmpty()) {
6782            continue;
6783        }
6784
6785        const Type* typeConfigs = typeList[0];
6786
6787        IdmapTypeMap typeMap;
6788        typeMap.overlayTypeId = -1;
6789        typeMap.entryOffset = 0;
6790
6791        for (size_t entryIndex = 0; entryIndex < typeConfigs->entryCount; ++entryIndex) {
6792            uint32_t resID = Res_MAKEID(pg->id - 1, typeIndex, entryIndex);
6793            resource_name resName;
6794            if (!this->getResourceName(resID, false, &resName)) {
6795                if (typeMap.entryMap.isEmpty()) {
6796                    typeMap.entryOffset++;
6797                }
6798                continue;
6799            }
6800
6801            const String16 overlayType(resName.type, resName.typeLen);
6802            const String16 overlayName(resName.name, resName.nameLen);
6803            uint32_t overlayResID = overlay.identifierForName(overlayName.string(),
6804                                                              overlayName.size(),
6805                                                              overlayType.string(),
6806                                                              overlayType.size(),
6807                                                              overlayPackage.string(),
6808                                                              overlayPackage.size());
6809            if (overlayResID == 0) {
6810                if (typeMap.entryMap.isEmpty()) {
6811                    typeMap.entryOffset++;
6812                }
6813                continue;
6814            }
6815
6816            if (typeMap.overlayTypeId == -1) {
6817                typeMap.overlayTypeId = Res_GETTYPE(overlayResID) + 1;
6818            }
6819
6820            if (Res_GETTYPE(overlayResID) + 1 != static_cast<size_t>(typeMap.overlayTypeId)) {
6821                ALOGE("idmap: can't mix type ids in entry map. Resource 0x%08x maps to 0x%08x"
6822                        " but entries should map to resources of type %02zx",
6823                        resID, overlayResID, typeMap.overlayTypeId);
6824                return BAD_TYPE;
6825            }
6826
6827            if (typeMap.entryOffset + typeMap.entryMap.size() < entryIndex) {
6828                // pad with 0xffffffff's (indicating non-existing entries) before adding this entry
6829                size_t index = typeMap.entryMap.size();
6830                size_t numItems = entryIndex - (typeMap.entryOffset + index);
6831                if (typeMap.entryMap.insertAt(0xffffffff, index, numItems) < 0) {
6832                    return NO_MEMORY;
6833                }
6834            }
6835            typeMap.entryMap.add(Res_GETENTRY(overlayResID));
6836        }
6837
6838        if (!typeMap.entryMap.isEmpty()) {
6839            if (map.add(static_cast<uint8_t>(typeIndex), typeMap) < 0) {
6840                return NO_MEMORY;
6841            }
6842            *outSize += (4 * sizeof(uint16_t)) + (typeMap.entryMap.size() * sizeof(uint32_t));
6843        }
6844    }
6845
6846    if (map.isEmpty()) {
6847        ALOGW("idmap: no resources in overlay package present in base package");
6848        return UNKNOWN_ERROR;
6849    }
6850
6851    if ((*outData = malloc(*outSize)) == NULL) {
6852        return NO_MEMORY;
6853    }
6854
6855    uint32_t* data = (uint32_t*)*outData;
6856    *data++ = htodl(IDMAP_MAGIC);
6857    *data++ = htodl(IDMAP_CURRENT_VERSION);
6858    *data++ = htodl(targetCrc);
6859    *data++ = htodl(overlayCrc);
6860    const char* paths[] = { targetPath, overlayPath };
6861    for (int j = 0; j < 2; ++j) {
6862        char* p = (char*)data;
6863        const char* path = paths[j];
6864        const size_t I = strlen(path);
6865        if (I > 255) {
6866            ALOGV("path exceeds expected 255 characters: %s\n", path);
6867            return UNKNOWN_ERROR;
6868        }
6869        for (size_t i = 0; i < 256; ++i) {
6870            *p++ = i < I ? path[i] : '\0';
6871        }
6872        data += 256 / sizeof(uint32_t);
6873    }
6874    const size_t mapSize = map.size();
6875    uint16_t* typeData = reinterpret_cast<uint16_t*>(data);
6876    *typeData++ = htods(pg->id);
6877    *typeData++ = htods(mapSize);
6878    for (size_t i = 0; i < mapSize; ++i) {
6879        uint8_t targetTypeId = map.keyAt(i);
6880        const IdmapTypeMap& typeMap = map[i];
6881        *typeData++ = htods(targetTypeId + 1);
6882        *typeData++ = htods(typeMap.overlayTypeId);
6883        *typeData++ = htods(typeMap.entryMap.size());
6884        *typeData++ = htods(typeMap.entryOffset);
6885
6886        const size_t entryCount = typeMap.entryMap.size();
6887        uint32_t* entries = reinterpret_cast<uint32_t*>(typeData);
6888        for (size_t j = 0; j < entryCount; j++) {
6889            entries[j] = htodl(typeMap.entryMap[j]);
6890        }
6891        typeData += entryCount * 2;
6892    }
6893
6894    return NO_ERROR;
6895}
6896
6897bool ResTable::getIdmapInfo(const void* idmap, size_t sizeBytes,
6898                            uint32_t* pVersion,
6899                            uint32_t* pTargetCrc, uint32_t* pOverlayCrc,
6900                            String8* pTargetPath, String8* pOverlayPath)
6901{
6902    const uint32_t* map = (const uint32_t*)idmap;
6903    if (!assertIdmapHeader(map, sizeBytes)) {
6904        return false;
6905    }
6906    if (pVersion) {
6907        *pVersion = dtohl(map[1]);
6908    }
6909    if (pTargetCrc) {
6910        *pTargetCrc = dtohl(map[2]);
6911    }
6912    if (pOverlayCrc) {
6913        *pOverlayCrc = dtohl(map[3]);
6914    }
6915    if (pTargetPath) {
6916        pTargetPath->setTo(reinterpret_cast<const char*>(map + 4));
6917    }
6918    if (pOverlayPath) {
6919        pOverlayPath->setTo(reinterpret_cast<const char*>(map + 4 + 256 / sizeof(uint32_t)));
6920    }
6921    return true;
6922}
6923
6924
6925#define CHAR16_TO_CSTR(c16, len) (String8(String16(c16,len)).string())
6926
6927#define CHAR16_ARRAY_EQ(constant, var, len) \
6928        (((len) == (sizeof(constant)/sizeof((constant)[0]))) && (0 == memcmp((var), (constant), (len))))
6929
6930static void print_complex(uint32_t complex, bool isFraction)
6931{
6932    const float MANTISSA_MULT =
6933        1.0f / (1<<Res_value::COMPLEX_MANTISSA_SHIFT);
6934    const float RADIX_MULTS[] = {
6935        1.0f*MANTISSA_MULT, 1.0f/(1<<7)*MANTISSA_MULT,
6936        1.0f/(1<<15)*MANTISSA_MULT, 1.0f/(1<<23)*MANTISSA_MULT
6937    };
6938
6939    float value = (complex&(Res_value::COMPLEX_MANTISSA_MASK
6940                   <<Res_value::COMPLEX_MANTISSA_SHIFT))
6941            * RADIX_MULTS[(complex>>Res_value::COMPLEX_RADIX_SHIFT)
6942                            & Res_value::COMPLEX_RADIX_MASK];
6943    printf("%f", value);
6944
6945    if (!isFraction) {
6946        switch ((complex>>Res_value::COMPLEX_UNIT_SHIFT)&Res_value::COMPLEX_UNIT_MASK) {
6947            case Res_value::COMPLEX_UNIT_PX: printf("px"); break;
6948            case Res_value::COMPLEX_UNIT_DIP: printf("dp"); break;
6949            case Res_value::COMPLEX_UNIT_SP: printf("sp"); break;
6950            case Res_value::COMPLEX_UNIT_PT: printf("pt"); break;
6951            case Res_value::COMPLEX_UNIT_IN: printf("in"); break;
6952            case Res_value::COMPLEX_UNIT_MM: printf("mm"); break;
6953            default: printf(" (unknown unit)"); break;
6954        }
6955    } else {
6956        switch ((complex>>Res_value::COMPLEX_UNIT_SHIFT)&Res_value::COMPLEX_UNIT_MASK) {
6957            case Res_value::COMPLEX_UNIT_FRACTION: printf("%%"); break;
6958            case Res_value::COMPLEX_UNIT_FRACTION_PARENT: printf("%%p"); break;
6959            default: printf(" (unknown unit)"); break;
6960        }
6961    }
6962}
6963
6964// Normalize a string for output
6965String8 ResTable::normalizeForOutput( const char *input )
6966{
6967    String8 ret;
6968    char buff[2];
6969    buff[1] = '\0';
6970
6971    while (*input != '\0') {
6972        switch (*input) {
6973            // All interesting characters are in the ASCII zone, so we are making our own lives
6974            // easier by scanning the string one byte at a time.
6975        case '\\':
6976            ret += "\\\\";
6977            break;
6978        case '\n':
6979            ret += "\\n";
6980            break;
6981        case '"':
6982            ret += "\\\"";
6983            break;
6984        default:
6985            buff[0] = *input;
6986            ret += buff;
6987            break;
6988        }
6989
6990        input++;
6991    }
6992
6993    return ret;
6994}
6995
6996void ResTable::print_value(const Package* pkg, const Res_value& value) const
6997{
6998    if (value.dataType == Res_value::TYPE_NULL) {
6999        if (value.data == Res_value::DATA_NULL_UNDEFINED) {
7000            printf("(null)\n");
7001        } else if (value.data == Res_value::DATA_NULL_EMPTY) {
7002            printf("(null empty)\n");
7003        } else {
7004            // This should never happen.
7005            printf("(null) 0x%08x\n", value.data);
7006        }
7007    } else if (value.dataType == Res_value::TYPE_REFERENCE) {
7008        printf("(reference) 0x%08x\n", value.data);
7009    } else if (value.dataType == Res_value::TYPE_DYNAMIC_REFERENCE) {
7010        printf("(dynamic reference) 0x%08x\n", value.data);
7011    } else if (value.dataType == Res_value::TYPE_ATTRIBUTE) {
7012        printf("(attribute) 0x%08x\n", value.data);
7013    } else if (value.dataType == Res_value::TYPE_DYNAMIC_ATTRIBUTE) {
7014        printf("(dynamic attribute) 0x%08x\n", value.data);
7015    } else if (value.dataType == Res_value::TYPE_STRING) {
7016        size_t len;
7017        const char* str8 = pkg->header->values.string8At(
7018                value.data, &len);
7019        if (str8 != NULL) {
7020            printf("(string8) \"%s\"\n", normalizeForOutput(str8).string());
7021        } else {
7022            const char16_t* str16 = pkg->header->values.stringAt(
7023                    value.data, &len);
7024            if (str16 != NULL) {
7025                printf("(string16) \"%s\"\n",
7026                    normalizeForOutput(String8(str16, len).string()).string());
7027            } else {
7028                printf("(string) null\n");
7029            }
7030        }
7031    } else if (value.dataType == Res_value::TYPE_FLOAT) {
7032        printf("(float) %g\n", *(const float*)&value.data);
7033    } else if (value.dataType == Res_value::TYPE_DIMENSION) {
7034        printf("(dimension) ");
7035        print_complex(value.data, false);
7036        printf("\n");
7037    } else if (value.dataType == Res_value::TYPE_FRACTION) {
7038        printf("(fraction) ");
7039        print_complex(value.data, true);
7040        printf("\n");
7041    } else if (value.dataType >= Res_value::TYPE_FIRST_COLOR_INT
7042            || value.dataType <= Res_value::TYPE_LAST_COLOR_INT) {
7043        printf("(color) #%08x\n", value.data);
7044    } else if (value.dataType == Res_value::TYPE_INT_BOOLEAN) {
7045        printf("(boolean) %s\n", value.data ? "true" : "false");
7046    } else if (value.dataType >= Res_value::TYPE_FIRST_INT
7047            || value.dataType <= Res_value::TYPE_LAST_INT) {
7048        printf("(int) 0x%08x or %d\n", value.data, value.data);
7049    } else {
7050        printf("(unknown type) t=0x%02x d=0x%08x (s=0x%04x r=0x%02x)\n",
7051               (int)value.dataType, (int)value.data,
7052               (int)value.size, (int)value.res0);
7053    }
7054}
7055
7056void ResTable::print(bool inclValues) const
7057{
7058    if (mError != 0) {
7059        printf("mError=0x%x (%s)\n", mError, strerror(mError));
7060    }
7061    size_t pgCount = mPackageGroups.size();
7062    printf("Package Groups (%d)\n", (int)pgCount);
7063    for (size_t pgIndex=0; pgIndex<pgCount; pgIndex++) {
7064        const PackageGroup* pg = mPackageGroups[pgIndex];
7065        printf("Package Group %d id=0x%02x packageCount=%d name=%s\n",
7066                (int)pgIndex, pg->id, (int)pg->packages.size(),
7067                String8(pg->name).string());
7068
7069        const KeyedVector<String16, uint8_t>& refEntries = pg->dynamicRefTable.entries();
7070        const size_t refEntryCount = refEntries.size();
7071        if (refEntryCount > 0) {
7072            printf("  DynamicRefTable entryCount=%d:\n", (int) refEntryCount);
7073            for (size_t refIndex = 0; refIndex < refEntryCount; refIndex++) {
7074                printf("    0x%02x -> %s\n",
7075                        refEntries.valueAt(refIndex),
7076                        String8(refEntries.keyAt(refIndex)).string());
7077            }
7078            printf("\n");
7079        }
7080
7081        int packageId = pg->id;
7082        size_t pkgCount = pg->packages.size();
7083        for (size_t pkgIndex=0; pkgIndex<pkgCount; pkgIndex++) {
7084            const Package* pkg = pg->packages[pkgIndex];
7085            // Use a package's real ID, since the ID may have been assigned
7086            // if this package is a shared library.
7087            packageId = pkg->package->id;
7088            char16_t tmpName[sizeof(pkg->package->name)/sizeof(pkg->package->name[0])];
7089            strcpy16_dtoh(tmpName, pkg->package->name, sizeof(pkg->package->name)/sizeof(pkg->package->name[0]));
7090            printf("  Package %d id=0x%02x name=%s\n", (int)pkgIndex,
7091                    pkg->package->id, String8(tmpName).string());
7092        }
7093
7094        for (size_t typeIndex=0; typeIndex < pg->types.size(); typeIndex++) {
7095            const TypeList& typeList = pg->types[typeIndex];
7096            if (typeList.isEmpty()) {
7097                continue;
7098            }
7099            const Type* typeConfigs = typeList[0];
7100            const size_t NTC = typeConfigs->configs.size();
7101            printf("    type %d configCount=%d entryCount=%d\n",
7102                   (int)typeIndex, (int)NTC, (int)typeConfigs->entryCount);
7103            if (typeConfigs->typeSpecFlags != NULL) {
7104                for (size_t entryIndex=0; entryIndex<typeConfigs->entryCount; entryIndex++) {
7105                    uint32_t resID = (0xff000000 & ((packageId)<<24))
7106                                | (0x00ff0000 & ((typeIndex+1)<<16))
7107                                | (0x0000ffff & (entryIndex));
7108                    // Since we are creating resID without actually
7109                    // iterating over them, we have no idea which is a
7110                    // dynamic reference. We must check.
7111                    if (packageId == 0) {
7112                        pg->dynamicRefTable.lookupResourceId(&resID);
7113                    }
7114
7115                    resource_name resName;
7116                    if (this->getResourceName(resID, true, &resName)) {
7117                        String8 type8;
7118                        String8 name8;
7119                        if (resName.type8 != NULL) {
7120                            type8 = String8(resName.type8, resName.typeLen);
7121                        } else {
7122                            type8 = String8(resName.type, resName.typeLen);
7123                        }
7124                        if (resName.name8 != NULL) {
7125                            name8 = String8(resName.name8, resName.nameLen);
7126                        } else {
7127                            name8 = String8(resName.name, resName.nameLen);
7128                        }
7129                        printf("      spec resource 0x%08x %s:%s/%s: flags=0x%08x\n",
7130                            resID,
7131                            CHAR16_TO_CSTR(resName.package, resName.packageLen),
7132                            type8.string(), name8.string(),
7133                            dtohl(typeConfigs->typeSpecFlags[entryIndex]));
7134                    } else {
7135                        printf("      INVALID TYPE CONFIG FOR RESOURCE 0x%08x\n", resID);
7136                    }
7137                }
7138            }
7139            for (size_t configIndex=0; configIndex<NTC; configIndex++) {
7140                const ResTable_type* type = typeConfigs->configs[configIndex];
7141                if ((((uint64_t)type)&0x3) != 0) {
7142                    printf("      NON-INTEGER ResTable_type ADDRESS: %p\n", type);
7143                    continue;
7144                }
7145
7146                // Always copy the config, as fields get added and we need to
7147                // set the defaults.
7148                ResTable_config thisConfig;
7149                thisConfig.copyFromDtoH(type->config);
7150
7151                String8 configStr = thisConfig.toString();
7152                printf("      config %s", configStr.size() > 0
7153                        ? configStr.string() : "(default)");
7154                if (type->flags != 0u) {
7155                    printf(" flags=0x%02x", type->flags);
7156                    if (type->flags & ResTable_type::FLAG_SPARSE) {
7157                        printf(" [sparse]");
7158                    }
7159                }
7160
7161                printf(":\n");
7162
7163                size_t entryCount = dtohl(type->entryCount);
7164                uint32_t entriesStart = dtohl(type->entriesStart);
7165                if ((entriesStart&0x3) != 0) {
7166                    printf("      NON-INTEGER ResTable_type entriesStart OFFSET: 0x%x\n", entriesStart);
7167                    continue;
7168                }
7169                uint32_t typeSize = dtohl(type->header.size);
7170                if ((typeSize&0x3) != 0) {
7171                    printf("      NON-INTEGER ResTable_type header.size: 0x%x\n", typeSize);
7172                    continue;
7173                }
7174
7175                const uint32_t* const eindex = (const uint32_t*)
7176                        (((const uint8_t*)type) + dtohs(type->header.headerSize));
7177                for (size_t entryIndex=0; entryIndex<entryCount; entryIndex++) {
7178                    size_t entryId;
7179                    uint32_t thisOffset;
7180                    if (type->flags & ResTable_type::FLAG_SPARSE) {
7181                        const ResTable_sparseTypeEntry* entry =
7182                                reinterpret_cast<const ResTable_sparseTypeEntry*>(
7183                                        eindex + entryIndex);
7184                        entryId = dtohs(entry->idx);
7185                        // Offsets are encoded as divided by 4.
7186                        thisOffset = static_cast<uint32_t>(dtohs(entry->offset)) * 4u;
7187                    } else {
7188                        entryId = entryIndex;
7189                        thisOffset = dtohl(eindex[entryIndex]);
7190                        if (thisOffset == ResTable_type::NO_ENTRY) {
7191                            continue;
7192                        }
7193                    }
7194
7195                    uint32_t resID = (0xff000000 & ((packageId)<<24))
7196                                | (0x00ff0000 & ((typeIndex+1)<<16))
7197                                | (0x0000ffff & (entryId));
7198                    if (packageId == 0) {
7199                        pg->dynamicRefTable.lookupResourceId(&resID);
7200                    }
7201                    resource_name resName;
7202                    if (this->getResourceName(resID, true, &resName)) {
7203                        String8 type8;
7204                        String8 name8;
7205                        if (resName.type8 != NULL) {
7206                            type8 = String8(resName.type8, resName.typeLen);
7207                        } else {
7208                            type8 = String8(resName.type, resName.typeLen);
7209                        }
7210                        if (resName.name8 != NULL) {
7211                            name8 = String8(resName.name8, resName.nameLen);
7212                        } else {
7213                            name8 = String8(resName.name, resName.nameLen);
7214                        }
7215                        printf("        resource 0x%08x %s:%s/%s: ", resID,
7216                                CHAR16_TO_CSTR(resName.package, resName.packageLen),
7217                                type8.string(), name8.string());
7218                    } else {
7219                        printf("        INVALID RESOURCE 0x%08x: ", resID);
7220                    }
7221                    if ((thisOffset&0x3) != 0) {
7222                        printf("NON-INTEGER OFFSET: 0x%x\n", thisOffset);
7223                        continue;
7224                    }
7225                    if ((thisOffset+sizeof(ResTable_entry)) > typeSize) {
7226                        printf("OFFSET OUT OF BOUNDS: 0x%x+0x%x (size is 0x%x)\n",
7227                               entriesStart, thisOffset, typeSize);
7228                        continue;
7229                    }
7230
7231                    const ResTable_entry* ent = (const ResTable_entry*)
7232                        (((const uint8_t*)type) + entriesStart + thisOffset);
7233                    if (((entriesStart + thisOffset)&0x3) != 0) {
7234                        printf("NON-INTEGER ResTable_entry OFFSET: 0x%x\n",
7235                             (entriesStart + thisOffset));
7236                        continue;
7237                    }
7238
7239                    uintptr_t esize = dtohs(ent->size);
7240                    if ((esize&0x3) != 0) {
7241                        printf("NON-INTEGER ResTable_entry SIZE: %p\n", (void *)esize);
7242                        continue;
7243                    }
7244                    if ((thisOffset+esize) > typeSize) {
7245                        printf("ResTable_entry OUT OF BOUNDS: 0x%x+0x%x+%p (size is 0x%x)\n",
7246                               entriesStart, thisOffset, (void *)esize, typeSize);
7247                        continue;
7248                    }
7249
7250                    const Res_value* valuePtr = NULL;
7251                    const ResTable_map_entry* bagPtr = NULL;
7252                    Res_value value;
7253                    if ((dtohs(ent->flags)&ResTable_entry::FLAG_COMPLEX) != 0) {
7254                        printf("<bag>");
7255                        bagPtr = (const ResTable_map_entry*)ent;
7256                    } else {
7257                        valuePtr = (const Res_value*)
7258                            (((const uint8_t*)ent) + esize);
7259                        value.copyFrom_dtoh(*valuePtr);
7260                        printf("t=0x%02x d=0x%08x (s=0x%04x r=0x%02x)",
7261                               (int)value.dataType, (int)value.data,
7262                               (int)value.size, (int)value.res0);
7263                    }
7264
7265                    if ((dtohs(ent->flags)&ResTable_entry::FLAG_PUBLIC) != 0) {
7266                        printf(" (PUBLIC)");
7267                    }
7268                    printf("\n");
7269
7270                    if (inclValues) {
7271                        if (valuePtr != NULL) {
7272                            printf("          ");
7273                            print_value(typeConfigs->package, value);
7274                        } else if (bagPtr != NULL) {
7275                            const int N = dtohl(bagPtr->count);
7276                            const uint8_t* baseMapPtr = (const uint8_t*)ent;
7277                            size_t mapOffset = esize;
7278                            const ResTable_map* mapPtr = (ResTable_map*)(baseMapPtr+mapOffset);
7279                            const uint32_t parent = dtohl(bagPtr->parent.ident);
7280                            uint32_t resolvedParent = parent;
7281                            if (Res_GETPACKAGE(resolvedParent) + 1 == 0) {
7282                                status_t err = pg->dynamicRefTable.lookupResourceId(&resolvedParent);
7283                                if (err != NO_ERROR) {
7284                                    resolvedParent = 0;
7285                                }
7286                            }
7287                            printf("          Parent=0x%08x(Resolved=0x%08x), Count=%d\n",
7288                                    parent, resolvedParent, N);
7289                            for (int i=0; i<N && mapOffset < (typeSize-sizeof(ResTable_map)); i++) {
7290                                printf("          #%i (Key=0x%08x): ",
7291                                    i, dtohl(mapPtr->name.ident));
7292                                value.copyFrom_dtoh(mapPtr->value);
7293                                print_value(typeConfigs->package, value);
7294                                const size_t size = dtohs(mapPtr->value.size);
7295                                mapOffset += size + sizeof(*mapPtr)-sizeof(mapPtr->value);
7296                                mapPtr = (ResTable_map*)(baseMapPtr+mapOffset);
7297                            }
7298                        }
7299                    }
7300                }
7301            }
7302        }
7303    }
7304}
7305
7306}   // namespace android
7307