HWComposer.cpp revision 13f01cbdbd34779a234bc674df79e23672fd5c0b
1/*
2 * Copyright (C) 2010 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 ATRACE_TAG ATRACE_TAG_GRAPHICS
18
19// Uncomment this to remove support for HWC_DEVICE_API_VERSION_0_3 and older
20#define HWC_REMOVE_DEPRECATED_VERSIONS 1
21
22#include <stdint.h>
23#include <stdio.h>
24#include <stdlib.h>
25#include <string.h>
26#include <sys/types.h>
27
28#include <utils/Errors.h>
29#include <utils/misc.h>
30#include <utils/String8.h>
31#include <utils/Thread.h>
32#include <utils/Trace.h>
33#include <utils/Vector.h>
34
35#include <ui/GraphicBuffer.h>
36
37#include <hardware/hardware.h>
38#include <hardware/hwcomposer.h>
39
40#include <cutils/log.h>
41#include <cutils/properties.h>
42
43#include "Layer.h"           // needed only for debugging
44#include "HWComposer.h"
45#include "SurfaceFlinger.h"
46#include <utils/CallStack.h>
47
48namespace android {
49
50#define MIN_HWC_HEADER_VERSION HWC_HEADER_VERSION
51
52static uint32_t hwcApiVersion(const hwc_composer_device_1_t* hwc) {
53    uint32_t hwcVersion = hwc->common.version;
54    return hwcVersion & HARDWARE_API_VERSION_2_MAJ_MIN_MASK;
55}
56
57static uint32_t hwcHeaderVersion(const hwc_composer_device_1_t* hwc) {
58    uint32_t hwcVersion = hwc->common.version;
59    return hwcVersion & HARDWARE_API_VERSION_2_HEADER_MASK;
60}
61
62static bool hwcHasApiVersion(const hwc_composer_device_1_t* hwc,
63        uint32_t version) {
64    return hwcApiVersion(hwc) >= (version & HARDWARE_API_VERSION_2_MAJ_MIN_MASK);
65}
66
67// ---------------------------------------------------------------------------
68
69struct HWComposer::cb_context {
70    struct callbacks : public hwc_procs_t {
71        // these are here to facilitate the transition when adding
72        // new callbacks (an implementation can check for NULL before
73        // calling a new callback).
74        void (*zero[4])(void);
75    };
76    callbacks procs;
77    HWComposer* hwc;
78};
79
80// ---------------------------------------------------------------------------
81
82HWComposer::HWComposer(
83        const sp<SurfaceFlinger>& flinger,
84        EventHandler& handler)
85    : mFlinger(flinger),
86      mFbDev(0), mHwc(0), mNumDisplays(1),
87      mCBContext(new cb_context),
88      mEventHandler(handler),
89      mVSyncCount(0), mDebugForceFakeVSync(false)
90{
91    for (size_t i =0 ; i<MAX_DISPLAYS ; i++) {
92        mLists[i] = 0;
93    }
94
95    char value[PROPERTY_VALUE_MAX];
96    property_get("debug.sf.no_hw_vsync", value, "0");
97    mDebugForceFakeVSync = atoi(value);
98
99    bool needVSyncThread = true;
100
101    // Note: some devices may insist that the FB HAL be opened before HWC.
102    int fberr = loadFbHalModule();
103    loadHwcModule();
104
105    if (mFbDev && mHwc && hwcHasApiVersion(mHwc, HWC_DEVICE_API_VERSION_1_1)) {
106        // close FB HAL if we don't needed it.
107        // FIXME: this is temporary until we're not forced to open FB HAL
108        // before HWC.
109        framebuffer_close(mFbDev);
110        mFbDev = NULL;
111    }
112
113    // If we have no HWC, or a pre-1.1 HWC, an FB dev is mandatory.
114    if ((!mHwc || !hwcHasApiVersion(mHwc, HWC_DEVICE_API_VERSION_1_1))
115            && !mFbDev) {
116        ALOGE("ERROR: failed to open framebuffer (%s), aborting",
117                strerror(-fberr));
118        abort();
119    }
120
121    // these display IDs are always reserved
122    for (size_t i=0 ; i<HWC_NUM_DISPLAY_TYPES ; i++) {
123        mAllocatedDisplayIDs.markBit(i);
124    }
125
126    if (mHwc) {
127        ALOGI("Using %s version %u.%u", HWC_HARDWARE_COMPOSER,
128              (hwcApiVersion(mHwc) >> 24) & 0xff,
129              (hwcApiVersion(mHwc) >> 16) & 0xff);
130        if (mHwc->registerProcs) {
131            mCBContext->hwc = this;
132            mCBContext->procs.invalidate = &hook_invalidate;
133            mCBContext->procs.vsync = &hook_vsync;
134            if (hwcHasApiVersion(mHwc, HWC_DEVICE_API_VERSION_1_1))
135                mCBContext->procs.hotplug = &hook_hotplug;
136            else
137                mCBContext->procs.hotplug = NULL;
138            memset(mCBContext->procs.zero, 0, sizeof(mCBContext->procs.zero));
139            mHwc->registerProcs(mHwc, &mCBContext->procs);
140        }
141
142        // don't need a vsync thread if we have a hardware composer
143        needVSyncThread = false;
144        // always turn vsync off when we start
145        eventControl(HWC_DISPLAY_PRIMARY, HWC_EVENT_VSYNC, 0);
146
147        // the number of displays we actually have depends on the
148        // hw composer version
149        if (hwcHasApiVersion(mHwc, HWC_DEVICE_API_VERSION_1_2)) {
150            // 1.2 adds support for virtual displays
151            mNumDisplays = MAX_DISPLAYS;
152        } else if (hwcHasApiVersion(mHwc, HWC_DEVICE_API_VERSION_1_1)) {
153            // 1.1 adds support for multiple displays
154            mNumDisplays = HWC_NUM_DISPLAY_TYPES;
155        } else {
156            mNumDisplays = 1;
157        }
158    }
159
160    if (mFbDev) {
161        ALOG_ASSERT(!(mHwc && hwcHasApiVersion(mHwc, HWC_DEVICE_API_VERSION_1_1)),
162                "should only have fbdev if no hwc or hwc is 1.0");
163
164        DisplayData& disp(mDisplayData[HWC_DISPLAY_PRIMARY]);
165        disp.connected = true;
166        disp.width = mFbDev->width;
167        disp.height = mFbDev->height;
168        disp.format = mFbDev->format;
169        disp.xdpi = mFbDev->xdpi;
170        disp.ydpi = mFbDev->ydpi;
171        if (disp.refresh == 0) {
172            disp.refresh = nsecs_t(1e9 / mFbDev->fps);
173            ALOGW("getting VSYNC period from fb HAL: %lld", disp.refresh);
174        }
175        if (disp.refresh == 0) {
176            disp.refresh = nsecs_t(1e9 / 60.0);
177            ALOGW("getting VSYNC period from thin air: %lld",
178                    mDisplayData[HWC_DISPLAY_PRIMARY].refresh);
179        }
180    } else if (mHwc) {
181        // here we're guaranteed to have at least HWC 1.1
182        for (size_t i =0 ; i<HWC_NUM_DISPLAY_TYPES ; i++) {
183            queryDisplayProperties(i);
184        }
185    }
186
187    if (needVSyncThread) {
188        // we don't have VSYNC support, we need to fake it
189        mVSyncThread = new VSyncThread(*this);
190    }
191}
192
193HWComposer::~HWComposer() {
194    if (mHwc) {
195        eventControl(HWC_DISPLAY_PRIMARY, HWC_EVENT_VSYNC, 0);
196    }
197    if (mVSyncThread != NULL) {
198        mVSyncThread->requestExitAndWait();
199    }
200    if (mHwc) {
201        hwc_close_1(mHwc);
202    }
203    if (mFbDev) {
204        framebuffer_close(mFbDev);
205    }
206    delete mCBContext;
207}
208
209// Load and prepare the hardware composer module.  Sets mHwc.
210void HWComposer::loadHwcModule()
211{
212    hw_module_t const* module;
213
214    if (hw_get_module(HWC_HARDWARE_MODULE_ID, &module) != 0) {
215        ALOGE("%s module not found", HWC_HARDWARE_MODULE_ID);
216        return;
217    }
218
219    int err = hwc_open_1(module, &mHwc);
220    if (err) {
221        ALOGE("%s device failed to initialize (%s)",
222              HWC_HARDWARE_COMPOSER, strerror(-err));
223        return;
224    }
225
226    if (!hwcHasApiVersion(mHwc, HWC_DEVICE_API_VERSION_1_0) ||
227            hwcHeaderVersion(mHwc) < MIN_HWC_HEADER_VERSION ||
228            hwcHeaderVersion(mHwc) > HWC_HEADER_VERSION) {
229        ALOGE("%s device version %#x unsupported, will not be used",
230              HWC_HARDWARE_COMPOSER, mHwc->common.version);
231        hwc_close_1(mHwc);
232        mHwc = NULL;
233        return;
234    }
235}
236
237// Load and prepare the FB HAL, which uses the gralloc module.  Sets mFbDev.
238int HWComposer::loadFbHalModule()
239{
240    hw_module_t const* module;
241
242    int err = hw_get_module(GRALLOC_HARDWARE_MODULE_ID, &module);
243    if (err != 0) {
244        ALOGE("%s module not found", GRALLOC_HARDWARE_MODULE_ID);
245        return err;
246    }
247
248    return framebuffer_open(module, &mFbDev);
249}
250
251status_t HWComposer::initCheck() const {
252    return mHwc ? NO_ERROR : NO_INIT;
253}
254
255void HWComposer::hook_invalidate(const struct hwc_procs* procs) {
256    cb_context* ctx = reinterpret_cast<cb_context*>(
257            const_cast<hwc_procs_t*>(procs));
258    ctx->hwc->invalidate();
259}
260
261void HWComposer::hook_vsync(const struct hwc_procs* procs, int disp,
262        int64_t timestamp) {
263    cb_context* ctx = reinterpret_cast<cb_context*>(
264            const_cast<hwc_procs_t*>(procs));
265    ctx->hwc->vsync(disp, timestamp);
266}
267
268void HWComposer::hook_hotplug(const struct hwc_procs* procs, int disp,
269        int connected) {
270    cb_context* ctx = reinterpret_cast<cb_context*>(
271            const_cast<hwc_procs_t*>(procs));
272    ctx->hwc->hotplug(disp, connected);
273}
274
275void HWComposer::invalidate() {
276    mFlinger->repaintEverything();
277}
278
279void HWComposer::vsync(int disp, int64_t timestamp) {
280    ATRACE_INT("VSYNC", ++mVSyncCount&1);
281    mEventHandler.onVSyncReceived(disp, timestamp);
282    Mutex::Autolock _l(mLock);
283    mLastHwVSync = timestamp;
284}
285
286void HWComposer::hotplug(int disp, int connected) {
287    if (disp == HWC_DISPLAY_PRIMARY || disp >= HWC_NUM_DISPLAY_TYPES) {
288        ALOGE("hotplug event received for invalid display: disp=%d connected=%d",
289                disp, connected);
290        return;
291    }
292    queryDisplayProperties(disp);
293    mEventHandler.onHotplugReceived(disp, bool(connected));
294}
295
296static const uint32_t DISPLAY_ATTRIBUTES[] = {
297    HWC_DISPLAY_VSYNC_PERIOD,
298    HWC_DISPLAY_WIDTH,
299    HWC_DISPLAY_HEIGHT,
300    HWC_DISPLAY_DPI_X,
301    HWC_DISPLAY_DPI_Y,
302    HWC_DISPLAY_NO_ATTRIBUTE,
303};
304#define NUM_DISPLAY_ATTRIBUTES (sizeof(DISPLAY_ATTRIBUTES) / sizeof(DISPLAY_ATTRIBUTES)[0])
305
306// http://developer.android.com/reference/android/util/DisplayMetrics.html
307#define ANDROID_DENSITY_TV    213
308#define ANDROID_DENSITY_XHIGH 320
309
310status_t HWComposer::queryDisplayProperties(int disp) {
311
312    LOG_ALWAYS_FATAL_IF(!mHwc || !hwcHasApiVersion(mHwc, HWC_DEVICE_API_VERSION_1_1));
313
314    // use zero as default value for unspecified attributes
315    int32_t values[NUM_DISPLAY_ATTRIBUTES - 1];
316    memset(values, 0, sizeof(values));
317
318    uint32_t config;
319    size_t numConfigs = 1;
320    status_t err = mHwc->getDisplayConfigs(mHwc, disp, &config, &numConfigs);
321    if (err != NO_ERROR) {
322        // this can happen if an unpluggable display is not connected
323        mDisplayData[disp].connected = false;
324        return err;
325    }
326
327    err = mHwc->getDisplayAttributes(mHwc, disp, config, DISPLAY_ATTRIBUTES, values);
328    if (err != NO_ERROR) {
329        // we can't get this display's info. turn it off.
330        mDisplayData[disp].connected = false;
331        return err;
332    }
333
334    int32_t w = 0, h = 0;
335    for (size_t i = 0; i < NUM_DISPLAY_ATTRIBUTES - 1; i++) {
336        switch (DISPLAY_ATTRIBUTES[i]) {
337        case HWC_DISPLAY_VSYNC_PERIOD:
338            mDisplayData[disp].refresh = nsecs_t(values[i]);
339            break;
340        case HWC_DISPLAY_WIDTH:
341            mDisplayData[disp].width = values[i];
342            break;
343        case HWC_DISPLAY_HEIGHT:
344            mDisplayData[disp].height = values[i];
345            break;
346        case HWC_DISPLAY_DPI_X:
347            mDisplayData[disp].xdpi = values[i] / 1000.0f;
348            break;
349        case HWC_DISPLAY_DPI_Y:
350            mDisplayData[disp].ydpi = values[i] / 1000.0f;
351            break;
352        default:
353            ALOG_ASSERT(false, "unknown display attribute[%d] %#x",
354                    i, DISPLAY_ATTRIBUTES[i]);
355            break;
356        }
357    }
358
359    // FIXME: what should we set the format to?
360    mDisplayData[disp].format = HAL_PIXEL_FORMAT_RGBA_8888;
361    mDisplayData[disp].connected = true;
362    if (mDisplayData[disp].xdpi == 0.0f || mDisplayData[disp].ydpi == 0.0f) {
363        // is there anything smarter we can do?
364        if (h >= 1080) {
365            mDisplayData[disp].xdpi = ANDROID_DENSITY_XHIGH;
366            mDisplayData[disp].ydpi = ANDROID_DENSITY_XHIGH;
367        } else {
368            mDisplayData[disp].xdpi = ANDROID_DENSITY_TV;
369            mDisplayData[disp].ydpi = ANDROID_DENSITY_TV;
370        }
371    }
372    return NO_ERROR;
373}
374
375int32_t HWComposer::allocateDisplayId() {
376    if (mAllocatedDisplayIDs.count() >= mNumDisplays) {
377        return NO_MEMORY;
378    }
379    int32_t id = mAllocatedDisplayIDs.firstUnmarkedBit();
380    mAllocatedDisplayIDs.markBit(id);
381    mDisplayData[id].connected = true;
382    return id;
383}
384
385status_t HWComposer::freeDisplayId(int32_t id) {
386    if (id < HWC_NUM_DISPLAY_TYPES) {
387        // cannot free the reserved IDs
388        return BAD_VALUE;
389    }
390    if (uint32_t(id)>31 || !mAllocatedDisplayIDs.hasBit(id)) {
391        return BAD_INDEX;
392    }
393    mAllocatedDisplayIDs.clearBit(id);
394    mDisplayData[id].connected = false;
395    return NO_ERROR;
396}
397
398nsecs_t HWComposer::getRefreshPeriod(int disp) const {
399    return mDisplayData[disp].refresh;
400}
401
402nsecs_t HWComposer::getRefreshTimestamp(int disp) const {
403    // this returns the last refresh timestamp.
404    // if the last one is not available, we estimate it based on
405    // the refresh period and whatever closest timestamp we have.
406    Mutex::Autolock _l(mLock);
407    nsecs_t now = systemTime(CLOCK_MONOTONIC);
408    return now - ((now - mLastHwVSync) %  mDisplayData[disp].refresh);
409}
410
411sp<Fence> HWComposer::getDisplayFence(int disp) const {
412    return mDisplayData[disp].lastDisplayFence;
413}
414
415
416uint32_t HWComposer::getWidth(int disp) const {
417    return mDisplayData[disp].width;
418}
419
420uint32_t HWComposer::getHeight(int disp) const {
421    return mDisplayData[disp].height;
422}
423
424uint32_t HWComposer::getFormat(int disp) const {
425    return mDisplayData[disp].format;
426}
427
428float HWComposer::getDpiX(int disp) const {
429    return mDisplayData[disp].xdpi;
430}
431
432float HWComposer::getDpiY(int disp) const {
433    return mDisplayData[disp].ydpi;
434}
435
436bool HWComposer::isConnected(int disp) const {
437    return mDisplayData[disp].connected;
438}
439
440void HWComposer::eventControl(int disp, int event, int enabled) {
441    if (uint32_t(disp)>31 || !mAllocatedDisplayIDs.hasBit(disp)) {
442        ALOGD("eventControl ignoring event %d on unallocated disp %d (en=%d)",
443              event, disp, enabled);
444        return;
445    }
446    if (event != EVENT_VSYNC) {
447        ALOGW("eventControl got unexpected event %d (disp=%d en=%d)",
448              event, disp, enabled);
449        return;
450    }
451    status_t err = NO_ERROR;
452    if (mHwc && !mDebugForceFakeVSync) {
453        // NOTE: we use our own internal lock here because we have to call
454        // into the HWC with the lock held, and we want to make sure
455        // that even if HWC blocks (which it shouldn't), it won't
456        // affect other threads.
457        Mutex::Autolock _l(mEventControlLock);
458        const int32_t eventBit = 1UL << event;
459        const int32_t newValue = enabled ? eventBit : 0;
460        const int32_t oldValue = mDisplayData[disp].events & eventBit;
461        if (newValue != oldValue) {
462            ATRACE_CALL();
463            err = mHwc->eventControl(mHwc, disp, event, enabled);
464            if (!err) {
465                int32_t& events(mDisplayData[disp].events);
466                events = (events & ~eventBit) | newValue;
467            }
468        }
469        // error here should not happen -- not sure what we should
470        // do if it does.
471        ALOGE_IF(err, "eventControl(%d, %d) failed %s",
472                event, enabled, strerror(-err));
473    }
474
475    if (err == NO_ERROR && mVSyncThread != NULL) {
476        mVSyncThread->setEnabled(enabled);
477    }
478}
479
480status_t HWComposer::createWorkList(int32_t id, size_t numLayers) {
481    if (uint32_t(id)>31 || !mAllocatedDisplayIDs.hasBit(id)) {
482        return BAD_INDEX;
483    }
484
485    if (mHwc) {
486        DisplayData& disp(mDisplayData[id]);
487        if (hwcHasApiVersion(mHwc, HWC_DEVICE_API_VERSION_1_1)) {
488            // we need space for the HWC_FRAMEBUFFER_TARGET
489            numLayers++;
490        }
491        if (disp.capacity < numLayers || disp.list == NULL) {
492            size_t size = sizeof(hwc_display_contents_1_t)
493                    + numLayers * sizeof(hwc_layer_1_t);
494            free(disp.list);
495            disp.list = (hwc_display_contents_1_t*)malloc(size);
496            disp.capacity = numLayers;
497        }
498        if (hwcHasApiVersion(mHwc, HWC_DEVICE_API_VERSION_1_1)) {
499            disp.framebufferTarget = &disp.list->hwLayers[numLayers - 1];
500            memset(disp.framebufferTarget, 0, sizeof(hwc_layer_1_t));
501            const hwc_rect_t r = { 0, 0, (int) disp.width, (int) disp.height };
502            disp.framebufferTarget->compositionType = HWC_FRAMEBUFFER_TARGET;
503            disp.framebufferTarget->hints = 0;
504            disp.framebufferTarget->flags = 0;
505            disp.framebufferTarget->handle = disp.fbTargetHandle;
506            disp.framebufferTarget->transform = 0;
507            disp.framebufferTarget->blending = HWC_BLENDING_PREMULT;
508            disp.framebufferTarget->sourceCrop = r;
509            disp.framebufferTarget->displayFrame = r;
510            disp.framebufferTarget->visibleRegionScreen.numRects = 1;
511            disp.framebufferTarget->visibleRegionScreen.rects =
512                &disp.framebufferTarget->displayFrame;
513            disp.framebufferTarget->acquireFenceFd = -1;
514            disp.framebufferTarget->releaseFenceFd = -1;
515            disp.framebufferTarget->planeAlpha = 0xFF;
516        }
517        disp.list->retireFenceFd = -1;
518        disp.list->flags = HWC_GEOMETRY_CHANGED;
519        disp.list->numHwLayers = numLayers;
520    }
521    return NO_ERROR;
522}
523
524status_t HWComposer::setFramebufferTarget(int32_t id,
525        const sp<Fence>& acquireFence, const sp<GraphicBuffer>& buf) {
526    if (uint32_t(id)>31 || !mAllocatedDisplayIDs.hasBit(id)) {
527        return BAD_INDEX;
528    }
529    DisplayData& disp(mDisplayData[id]);
530    if (!disp.framebufferTarget) {
531        // this should never happen, but apparently eglCreateWindowSurface()
532        // triggers a Surface::queueBuffer()  on some
533        // devices (!?) -- log and ignore.
534        ALOGE("HWComposer: framebufferTarget is null");
535//        CallStack stack;
536//        stack.update();
537//        stack.dump("");
538        return NO_ERROR;
539    }
540
541    int acquireFenceFd = -1;
542    if (acquireFence->isValid()) {
543        acquireFenceFd = acquireFence->dup();
544    }
545
546    // ALOGD("fbPost: handle=%p, fence=%d", buf->handle, acquireFenceFd);
547    disp.fbTargetHandle = buf->handle;
548    disp.framebufferTarget->handle = disp.fbTargetHandle;
549    disp.framebufferTarget->acquireFenceFd = acquireFenceFd;
550    return NO_ERROR;
551}
552
553status_t HWComposer::prepare() {
554    for (size_t i=0 ; i<mNumDisplays ; i++) {
555        DisplayData& disp(mDisplayData[i]);
556        if (disp.framebufferTarget) {
557            // make sure to reset the type to HWC_FRAMEBUFFER_TARGET
558            // DO NOT reset the handle field to NULL, because it's possible
559            // that we have nothing to redraw (eg: eglSwapBuffers() not called)
560            // in which case, we should continue to use the same buffer.
561            LOG_FATAL_IF(disp.list == NULL);
562            disp.framebufferTarget->compositionType = HWC_FRAMEBUFFER_TARGET;
563        }
564        if (!disp.connected && disp.list != NULL) {
565            ALOGW("WARNING: disp %d: connected, non-null list, layers=%d",
566                  i, disp.list->numHwLayers);
567        }
568        mLists[i] = disp.list;
569        if (mLists[i]) {
570            if (hwcHasApiVersion(mHwc, HWC_DEVICE_API_VERSION_1_2)) {
571                mLists[i]->outbuf = NULL;
572                mLists[i]->outbufAcquireFenceFd = -1;
573            } else if (hwcHasApiVersion(mHwc, HWC_DEVICE_API_VERSION_1_1)) {
574                // garbage data to catch improper use
575                mLists[i]->dpy = (hwc_display_t)0xDEADBEEF;
576                mLists[i]->sur = (hwc_surface_t)0xDEADBEEF;
577            } else {
578                mLists[i]->dpy = EGL_NO_DISPLAY;
579                mLists[i]->sur = EGL_NO_SURFACE;
580            }
581        }
582    }
583
584    int err = mHwc->prepare(mHwc, mNumDisplays, mLists);
585    ALOGE_IF(err, "HWComposer: prepare failed (%s)", strerror(-err));
586
587    if (err == NO_ERROR) {
588        // here we're just making sure that "skip" layers are set
589        // to HWC_FRAMEBUFFER and we're also counting how many layers
590        // we have of each type.
591        for (size_t i=0 ; i<mNumDisplays ; i++) {
592            DisplayData& disp(mDisplayData[i]);
593            disp.hasFbComp = false;
594            disp.hasOvComp = false;
595            if (disp.list) {
596                for (size_t i=0 ; i<disp.list->numHwLayers ; i++) {
597                    hwc_layer_1_t& l = disp.list->hwLayers[i];
598
599                    //ALOGD("prepare: %d, type=%d, handle=%p",
600                    //        i, l.compositionType, l.handle);
601
602                    if (l.flags & HWC_SKIP_LAYER) {
603                        l.compositionType = HWC_FRAMEBUFFER;
604                    }
605                    if (l.compositionType == HWC_FRAMEBUFFER) {
606                        disp.hasFbComp = true;
607                    }
608                    if (l.compositionType == HWC_OVERLAY) {
609                        disp.hasOvComp = true;
610                    }
611                }
612            }
613        }
614    }
615    return (status_t)err;
616}
617
618bool HWComposer::hasHwcComposition(int32_t id) const {
619    if (!mHwc || uint32_t(id)>31 || !mAllocatedDisplayIDs.hasBit(id))
620        return false;
621    return mDisplayData[id].hasOvComp;
622}
623
624bool HWComposer::hasGlesComposition(int32_t id) const {
625    if (!mHwc || uint32_t(id)>31 || !mAllocatedDisplayIDs.hasBit(id))
626        return true;
627    return mDisplayData[id].hasFbComp;
628}
629
630sp<Fence> HWComposer::getAndResetReleaseFence(int32_t id) {
631    if (uint32_t(id)>31 || !mAllocatedDisplayIDs.hasBit(id))
632        return Fence::NO_FENCE;
633
634    int fd = INVALID_OPERATION;
635    if (mHwc && hwcHasApiVersion(mHwc, HWC_DEVICE_API_VERSION_1_1)) {
636        const DisplayData& disp(mDisplayData[id]);
637        if (disp.framebufferTarget) {
638            fd = disp.framebufferTarget->releaseFenceFd;
639            disp.framebufferTarget->acquireFenceFd = -1;
640            disp.framebufferTarget->releaseFenceFd = -1;
641        }
642    }
643    return fd >= 0 ? new Fence(fd) : Fence::NO_FENCE;
644}
645
646status_t HWComposer::commit() {
647    int err = NO_ERROR;
648    if (mHwc) {
649        if (!hwcHasApiVersion(mHwc, HWC_DEVICE_API_VERSION_1_1)) {
650            // On version 1.0, the OpenGL ES target surface is communicated
651            // by the (dpy, sur) fields and we are guaranteed to have only
652            // a single display.
653            mLists[0]->dpy = eglGetCurrentDisplay();
654            mLists[0]->sur = eglGetCurrentSurface(EGL_DRAW);
655        }
656
657        // For virtual displays, the framebufferTarget buffer also serves as
658        // the HWC output buffer, so we need to copy the buffer handle and
659        // dup() the acquire fence.
660        for (size_t i=HWC_NUM_DISPLAY_TYPES; i<mNumDisplays; i++) {
661            DisplayData& disp(mDisplayData[i]);
662            if (disp.framebufferTarget) {
663                mLists[i]->outbuf = disp.framebufferTarget->handle;
664                mLists[i]->outbufAcquireFenceFd =
665                        dup(disp.framebufferTarget->acquireFenceFd);
666            }
667        }
668
669        err = mHwc->set(mHwc, mNumDisplays, mLists);
670
671        for (size_t i=0 ; i<mNumDisplays ; i++) {
672            DisplayData& disp(mDisplayData[i]);
673            disp.lastDisplayFence = disp.lastRetireFence;
674            disp.lastRetireFence = Fence::NO_FENCE;
675            if (disp.list) {
676                if (disp.list->retireFenceFd != -1) {
677                    disp.lastRetireFence = new Fence(disp.list->retireFenceFd);
678                    disp.list->retireFenceFd = -1;
679                }
680                disp.list->flags &= ~HWC_GEOMETRY_CHANGED;
681            }
682        }
683    }
684    return (status_t)err;
685}
686
687status_t HWComposer::release(int disp) {
688    LOG_FATAL_IF(disp >= HWC_NUM_DISPLAY_TYPES);
689    if (mHwc) {
690        eventControl(disp, HWC_EVENT_VSYNC, 0);
691        return (status_t)mHwc->blank(mHwc, disp, 1);
692    }
693    return NO_ERROR;
694}
695
696status_t HWComposer::acquire(int disp) {
697    LOG_FATAL_IF(disp >= HWC_NUM_DISPLAY_TYPES);
698    if (mHwc) {
699        return (status_t)mHwc->blank(mHwc, disp, 0);
700    }
701    return NO_ERROR;
702}
703
704void HWComposer::disconnectDisplay(int disp) {
705    LOG_ALWAYS_FATAL_IF(disp < 0 || disp == HWC_DISPLAY_PRIMARY);
706    if (disp >= HWC_NUM_DISPLAY_TYPES) {
707        // nothing to do for these yet
708        return;
709    }
710    DisplayData& dd(mDisplayData[disp]);
711    if (dd.list != NULL) {
712        free(dd.list);
713        dd.list = NULL;
714        dd.framebufferTarget = NULL;    // points into dd.list
715        dd.fbTargetHandle = NULL;
716    }
717}
718
719int HWComposer::getVisualID() const {
720    if (mHwc && hwcHasApiVersion(mHwc, HWC_DEVICE_API_VERSION_1_1)) {
721        // FIXME: temporary hack until HAL_PIXEL_FORMAT_IMPLEMENTATION_DEFINED
722        // is supported by the implementation. we can only be in this case
723        // if we have HWC 1.1
724        return HAL_PIXEL_FORMAT_RGBA_8888;
725        //return HAL_PIXEL_FORMAT_IMPLEMENTATION_DEFINED;
726    } else {
727        return mFbDev->format;
728    }
729}
730
731bool HWComposer::supportsFramebufferTarget() const {
732    return (mHwc && hwcHasApiVersion(mHwc, HWC_DEVICE_API_VERSION_1_1));
733}
734
735int HWComposer::fbPost(int32_t id,
736        const sp<Fence>& acquireFence, const sp<GraphicBuffer>& buffer) {
737    if (mHwc && hwcHasApiVersion(mHwc, HWC_DEVICE_API_VERSION_1_1)) {
738        return setFramebufferTarget(id, acquireFence, buffer);
739    } else {
740        acquireFence->waitForever(1000, "HWComposer::fbPost");
741        return mFbDev->post(mFbDev, buffer->handle);
742    }
743}
744
745int HWComposer::fbCompositionComplete() {
746    if (mHwc && hwcHasApiVersion(mHwc, HWC_DEVICE_API_VERSION_1_1))
747        return NO_ERROR;
748
749    if (mFbDev->compositionComplete) {
750        return mFbDev->compositionComplete(mFbDev);
751    } else {
752        return INVALID_OPERATION;
753    }
754}
755
756void HWComposer::fbDump(String8& result) {
757    if (mFbDev && mFbDev->common.version >= 1 && mFbDev->dump) {
758        const size_t SIZE = 4096;
759        char buffer[SIZE];
760        mFbDev->dump(mFbDev, buffer, SIZE);
761        result.append(buffer);
762    }
763}
764
765/*
766 * Helper template to implement a concrete HWCLayer
767 * This holds the pointer to the concrete hwc layer type
768 * and implements the "iterable" side of HWCLayer.
769 */
770template<typename CONCRETE, typename HWCTYPE>
771class Iterable : public HWComposer::HWCLayer {
772protected:
773    HWCTYPE* const mLayerList;
774    HWCTYPE* mCurrentLayer;
775    Iterable(HWCTYPE* layer) : mLayerList(layer), mCurrentLayer(layer) { }
776    inline HWCTYPE const * getLayer() const { return mCurrentLayer; }
777    inline HWCTYPE* getLayer() { return mCurrentLayer; }
778    virtual ~Iterable() { }
779private:
780    // returns a copy of ourselves
781    virtual HWComposer::HWCLayer* dup() {
782        return new CONCRETE( static_cast<const CONCRETE&>(*this) );
783    }
784    virtual status_t setLayer(size_t index) {
785        mCurrentLayer = &mLayerList[index];
786        return NO_ERROR;
787    }
788};
789
790/*
791 * Concrete implementation of HWCLayer for HWC_DEVICE_API_VERSION_1_0.
792 * This implements the HWCLayer side of HWCIterableLayer.
793 */
794class HWCLayerVersion1 : public Iterable<HWCLayerVersion1, hwc_layer_1_t> {
795    struct hwc_composer_device_1* mHwc;
796public:
797    HWCLayerVersion1(struct hwc_composer_device_1* hwc, hwc_layer_1_t* layer)
798        : Iterable<HWCLayerVersion1, hwc_layer_1_t>(layer), mHwc(hwc) { }
799
800    virtual int32_t getCompositionType() const {
801        return getLayer()->compositionType;
802    }
803    virtual uint32_t getHints() const {
804        return getLayer()->hints;
805    }
806    virtual sp<Fence> getAndResetReleaseFence() {
807        int fd = getLayer()->releaseFenceFd;
808        getLayer()->releaseFenceFd = -1;
809        return fd >= 0 ? new Fence(fd) : Fence::NO_FENCE;
810    }
811    virtual void setAcquireFenceFd(int fenceFd) {
812        getLayer()->acquireFenceFd = fenceFd;
813    }
814    virtual void setPerFrameDefaultState() {
815        //getLayer()->compositionType = HWC_FRAMEBUFFER;
816    }
817    virtual void setPlaneAlpha(uint8_t alpha) {
818        if (hwcHasApiVersion(mHwc, HWC_DEVICE_API_VERSION_1_2)) {
819            getLayer()->planeAlpha = alpha;
820        } else {
821            if (alpha < 0xFF) {
822                getLayer()->flags |= HWC_SKIP_LAYER;
823            }
824        }
825    }
826    virtual void setDefaultState() {
827        hwc_layer_1_t* const l = getLayer();
828        l->compositionType = HWC_FRAMEBUFFER;
829        l->hints = 0;
830        l->flags = HWC_SKIP_LAYER;
831        l->handle = 0;
832        l->transform = 0;
833        l->blending = HWC_BLENDING_NONE;
834        l->visibleRegionScreen.numRects = 0;
835        l->visibleRegionScreen.rects = NULL;
836        l->acquireFenceFd = -1;
837        l->releaseFenceFd = -1;
838        l->planeAlpha = 0xFF;
839    }
840    virtual void setSkip(bool skip) {
841        if (skip) {
842            getLayer()->flags |= HWC_SKIP_LAYER;
843        } else {
844            getLayer()->flags &= ~HWC_SKIP_LAYER;
845        }
846    }
847    virtual void setBlending(uint32_t blending) {
848        getLayer()->blending = blending;
849    }
850    virtual void setTransform(uint32_t transform) {
851        getLayer()->transform = transform;
852    }
853    virtual void setFrame(const Rect& frame) {
854        reinterpret_cast<Rect&>(getLayer()->displayFrame) = frame;
855    }
856    virtual void setCrop(const Rect& crop) {
857        reinterpret_cast<Rect&>(getLayer()->sourceCrop) = crop;
858    }
859    virtual void setVisibleRegionScreen(const Region& reg) {
860        // Region::getSharedBuffer creates a reference to the underlying
861        // SharedBuffer of this Region, this reference is freed
862        // in onDisplayed()
863        hwc_region_t& visibleRegion = getLayer()->visibleRegionScreen;
864        SharedBuffer const* sb = reg.getSharedBuffer(&visibleRegion.numRects);
865        visibleRegion.rects = reinterpret_cast<hwc_rect_t const *>(sb->data());
866    }
867    virtual void setBuffer(const sp<GraphicBuffer>& buffer) {
868        if (buffer == 0 || buffer->handle == 0) {
869            getLayer()->compositionType = HWC_FRAMEBUFFER;
870            getLayer()->flags |= HWC_SKIP_LAYER;
871            getLayer()->handle = 0;
872        } else {
873            getLayer()->handle = buffer->handle;
874        }
875    }
876    virtual void onDisplayed() {
877        hwc_region_t& visibleRegion = getLayer()->visibleRegionScreen;
878        SharedBuffer const* sb = SharedBuffer::bufferFromData(visibleRegion.rects);
879        if (sb) {
880            sb->release();
881            // not technically needed but safer
882            visibleRegion.numRects = 0;
883            visibleRegion.rects = NULL;
884        }
885
886        getLayer()->acquireFenceFd = -1;
887    }
888};
889
890/*
891 * returns an iterator initialized at a given index in the layer list
892 */
893HWComposer::LayerListIterator HWComposer::getLayerIterator(int32_t id, size_t index) {
894    if (uint32_t(id)>31 || !mAllocatedDisplayIDs.hasBit(id)) {
895        return LayerListIterator();
896    }
897    const DisplayData& disp(mDisplayData[id]);
898    if (!mHwc || !disp.list || index > disp.list->numHwLayers) {
899        return LayerListIterator();
900    }
901    return LayerListIterator(new HWCLayerVersion1(mHwc, disp.list->hwLayers), index);
902}
903
904/*
905 * returns an iterator on the beginning of the layer list
906 */
907HWComposer::LayerListIterator HWComposer::begin(int32_t id) {
908    return getLayerIterator(id, 0);
909}
910
911/*
912 * returns an iterator on the end of the layer list
913 */
914HWComposer::LayerListIterator HWComposer::end(int32_t id) {
915    size_t numLayers = 0;
916    if (uint32_t(id) <= 31 && mAllocatedDisplayIDs.hasBit(id)) {
917        const DisplayData& disp(mDisplayData[id]);
918        if (mHwc && disp.list) {
919            numLayers = disp.list->numHwLayers;
920            if (hwcHasApiVersion(mHwc, HWC_DEVICE_API_VERSION_1_1)) {
921                // with HWC 1.1, the last layer is always the HWC_FRAMEBUFFER_TARGET,
922                // which we ignore when iterating through the layer list.
923                ALOGE_IF(!numLayers, "mDisplayData[%d].list->numHwLayers is 0", id);
924                if (numLayers) {
925                    numLayers--;
926                }
927            }
928        }
929    }
930    return getLayerIterator(id, numLayers);
931}
932
933void HWComposer::dump(String8& result, char* buffer, size_t SIZE) const {
934    if (mHwc) {
935        result.appendFormat("Hardware Composer state (version %8x):\n", hwcApiVersion(mHwc));
936        result.appendFormat("  mDebugForceFakeVSync=%d\n", mDebugForceFakeVSync);
937        for (size_t i=0 ; i<mNumDisplays ; i++) {
938            const DisplayData& disp(mDisplayData[i]);
939
940            const Vector< sp<Layer> >& visibleLayersSortedByZ =
941                    mFlinger->getLayerSortedByZForHwcDisplay(i);
942
943            if (disp.connected) {
944                result.appendFormat(
945                        "  Display[%d] : %ux%u, xdpi=%f, ydpi=%f, refresh=%lld\n",
946                        i, disp.width, disp.height, disp.xdpi, disp.ydpi, disp.refresh);
947            }
948
949            if (disp.list && disp.connected) {
950                result.appendFormat(
951                        "  numHwLayers=%u, flags=%08x\n",
952                        disp.list->numHwLayers, disp.list->flags);
953
954                result.append(
955                        "    type    |  handle  |   hints  |   flags  | tr | blend |  format  |       source crop         |           frame           name \n"
956                        "------------+----------+----------+----------+----+-------+----------+---------------------------+--------------------------------\n");
957                //      " __________ | ________ | ________ | ________ | __ | _____ | ________ | [_____,_____,_____,_____] | [_____,_____,_____,_____]
958                for (size_t i=0 ; i<disp.list->numHwLayers ; i++) {
959                    const hwc_layer_1_t&l = disp.list->hwLayers[i];
960                    int32_t format = -1;
961                    String8 name("unknown");
962
963                    if (i < visibleLayersSortedByZ.size()) {
964                        const sp<Layer>& layer(visibleLayersSortedByZ[i]);
965                        const sp<GraphicBuffer>& buffer(
966                                layer->getActiveBuffer());
967                        if (buffer != NULL) {
968                            format = buffer->getPixelFormat();
969                        }
970                        name = layer->getName();
971                    }
972
973                    int type = l.compositionType;
974                    if (type == HWC_FRAMEBUFFER_TARGET) {
975                        name = "HWC_FRAMEBUFFER_TARGET";
976                        format = disp.format;
977                    }
978
979                    static char const* compositionTypeName[] = {
980                            "GLES",
981                            "HWC",
982                            "BACKGROUND",
983                            "FB TARGET",
984                            "UNKNOWN"};
985                    if (type >= NELEM(compositionTypeName))
986                        type = NELEM(compositionTypeName) - 1;
987
988                    result.appendFormat(
989                            " %10s | %08x | %08x | %08x | %02x | %05x | %08x | [%5d,%5d,%5d,%5d] | [%5d,%5d,%5d,%5d] %s\n",
990                                    compositionTypeName[type],
991                                    intptr_t(l.handle), l.hints, l.flags, l.transform, l.blending, format,
992                                    l.sourceCrop.left, l.sourceCrop.top, l.sourceCrop.right, l.sourceCrop.bottom,
993                                    l.displayFrame.left, l.displayFrame.top, l.displayFrame.right, l.displayFrame.bottom,
994                                    name.string());
995                }
996            }
997        }
998    }
999
1000    if (mHwc && mHwc->dump) {
1001        mHwc->dump(mHwc, buffer, SIZE);
1002        result.append(buffer);
1003    }
1004}
1005
1006// ---------------------------------------------------------------------------
1007
1008HWComposer::VSyncThread::VSyncThread(HWComposer& hwc)
1009    : mHwc(hwc), mEnabled(false),
1010      mNextFakeVSync(0),
1011      mRefreshPeriod(hwc.getRefreshPeriod(HWC_DISPLAY_PRIMARY))
1012{
1013}
1014
1015void HWComposer::VSyncThread::setEnabled(bool enabled) {
1016    Mutex::Autolock _l(mLock);
1017    if (mEnabled != enabled) {
1018        mEnabled = enabled;
1019        mCondition.signal();
1020    }
1021}
1022
1023void HWComposer::VSyncThread::onFirstRef() {
1024    run("VSyncThread", PRIORITY_URGENT_DISPLAY + PRIORITY_MORE_FAVORABLE);
1025}
1026
1027bool HWComposer::VSyncThread::threadLoop() {
1028    { // scope for lock
1029        Mutex::Autolock _l(mLock);
1030        while (!mEnabled) {
1031            mCondition.wait(mLock);
1032        }
1033    }
1034
1035    const nsecs_t period = mRefreshPeriod;
1036    const nsecs_t now = systemTime(CLOCK_MONOTONIC);
1037    nsecs_t next_vsync = mNextFakeVSync;
1038    nsecs_t sleep = next_vsync - now;
1039    if (sleep < 0) {
1040        // we missed, find where the next vsync should be
1041        sleep = (period - ((now - next_vsync) % period));
1042        next_vsync = now + sleep;
1043    }
1044    mNextFakeVSync = next_vsync + period;
1045
1046    struct timespec spec;
1047    spec.tv_sec  = next_vsync / 1000000000;
1048    spec.tv_nsec = next_vsync % 1000000000;
1049
1050    int err;
1051    do {
1052        err = clock_nanosleep(CLOCK_MONOTONIC, TIMER_ABSTIME, &spec, NULL);
1053    } while (err<0 && errno == EINTR);
1054
1055    if (err == 0) {
1056        mHwc.mEventHandler.onVSyncReceived(0, next_vsync);
1057    }
1058
1059    return true;
1060}
1061
1062HWComposer::DisplayData::DisplayData()
1063:   width(0), height(0), format(0),
1064    xdpi(0.0f), ydpi(0.0f),
1065    refresh(0),
1066    connected(false),
1067    hasFbComp(false), hasOvComp(false),
1068    capacity(0), list(NULL),
1069    framebufferTarget(NULL), fbTargetHandle(0),
1070    lastRetireFence(Fence::NO_FENCE), lastDisplayFence(Fence::NO_FENCE),
1071    events(0)
1072{}
1073
1074HWComposer::DisplayData::~DisplayData() {
1075    free(list);
1076}
1077
1078// ---------------------------------------------------------------------------
1079}; // namespace android
1080