1 /*
2 * Copyright (C) 2019 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 #undef LOG_TAG
18 #define LOG_TAG "BLASTBufferQueue"
19
20 #define ATRACE_TAG ATRACE_TAG_GRAPHICS
21 //#define LOG_NDEBUG 0
22
23 #include <cutils/atomic.h>
24 #include <gui/BLASTBufferQueue.h>
25 #include <gui/BufferItemConsumer.h>
26 #include <gui/BufferQueueConsumer.h>
27 #include <gui/BufferQueueCore.h>
28 #include <gui/BufferQueueProducer.h>
29 #include <gui/GLConsumer.h>
30 #include <gui/IProducerListener.h>
31 #include <gui/Surface.h>
32 #include <gui/TraceUtils.h>
33 #include <utils/Singleton.h>
34 #include <utils/Trace.h>
35
36 #include <private/gui/ComposerService.h>
37 #include <private/gui/ComposerServiceAIDL.h>
38
39 #include <android-base/thread_annotations.h>
40 #include <chrono>
41
42 using namespace std::chrono_literals;
43
44 namespace {
boolToString(bool b)45 inline const char* boolToString(bool b) {
46 return b ? "true" : "false";
47 }
48 } // namespace
49
50 namespace android {
51
52 // Macros to include adapter info in log messages
53 #define BQA_LOGD(x, ...) \
54 ALOGD("[%s](f:%u,a:%u) " x, mName.c_str(), mNumFrameAvailable, mNumAcquired, ##__VA_ARGS__)
55 #define BQA_LOGV(x, ...) \
56 ALOGV("[%s](f:%u,a:%u) " x, mName.c_str(), mNumFrameAvailable, mNumAcquired, ##__VA_ARGS__)
57 // enable logs for a single layer
58 //#define BQA_LOGV(x, ...) \
59 // ALOGV_IF((strstr(mName.c_str(), "SurfaceView") != nullptr), "[%s](f:%u,a:%u) " x, \
60 // mName.c_str(), mNumFrameAvailable, mNumAcquired, ##__VA_ARGS__)
61 #define BQA_LOGE(x, ...) \
62 ALOGE("[%s](f:%u,a:%u) " x, mName.c_str(), mNumFrameAvailable, mNumAcquired, ##__VA_ARGS__)
63
64 #define BBQ_TRACE(x, ...) \
65 ATRACE_FORMAT("%s - %s(f:%u,a:%u)" x, __FUNCTION__, mName.c_str(), mNumFrameAvailable, \
66 mNumAcquired, ##__VA_ARGS__)
67
68 #define UNIQUE_LOCK_WITH_ASSERTION(mutex) \
69 std::unique_lock _lock{mutex}; \
70 base::ScopedLockAssertion assumeLocked(mutex);
71
onDisconnect()72 void BLASTBufferItemConsumer::onDisconnect() {
73 Mutex::Autolock lock(mMutex);
74 mPreviouslyConnected = mCurrentlyConnected;
75 mCurrentlyConnected = false;
76 if (mPreviouslyConnected) {
77 mDisconnectEvents.push(mCurrentFrameNumber);
78 }
79 mFrameEventHistory.onDisconnect();
80 }
81
addAndGetFrameTimestamps(const NewFrameEventsEntry * newTimestamps,FrameEventHistoryDelta * outDelta)82 void BLASTBufferItemConsumer::addAndGetFrameTimestamps(const NewFrameEventsEntry* newTimestamps,
83 FrameEventHistoryDelta* outDelta) {
84 Mutex::Autolock lock(mMutex);
85 if (newTimestamps) {
86 // BufferQueueProducer only adds a new timestamp on
87 // queueBuffer
88 mCurrentFrameNumber = newTimestamps->frameNumber;
89 mFrameEventHistory.addQueue(*newTimestamps);
90 }
91 if (outDelta) {
92 // frame event histories will be processed
93 // only after the producer connects and requests
94 // deltas for the first time. Forward this intent
95 // to SF-side to turn event processing back on
96 mPreviouslyConnected = mCurrentlyConnected;
97 mCurrentlyConnected = true;
98 mFrameEventHistory.getAndResetDelta(outDelta);
99 }
100 }
101
updateFrameTimestamps(uint64_t frameNumber,nsecs_t refreshStartTime,const sp<Fence> & glDoneFence,const sp<Fence> & presentFence,const sp<Fence> & prevReleaseFence,CompositorTiming compositorTiming,nsecs_t latchTime,nsecs_t dequeueReadyTime)102 void BLASTBufferItemConsumer::updateFrameTimestamps(uint64_t frameNumber, nsecs_t refreshStartTime,
103 const sp<Fence>& glDoneFence,
104 const sp<Fence>& presentFence,
105 const sp<Fence>& prevReleaseFence,
106 CompositorTiming compositorTiming,
107 nsecs_t latchTime, nsecs_t dequeueReadyTime) {
108 Mutex::Autolock lock(mMutex);
109
110 // if the producer is not connected, don't bother updating,
111 // the next producer that connects won't access this frame event
112 if (!mCurrentlyConnected) return;
113 std::shared_ptr<FenceTime> glDoneFenceTime = std::make_shared<FenceTime>(glDoneFence);
114 std::shared_ptr<FenceTime> presentFenceTime = std::make_shared<FenceTime>(presentFence);
115 std::shared_ptr<FenceTime> releaseFenceTime = std::make_shared<FenceTime>(prevReleaseFence);
116
117 mFrameEventHistory.addLatch(frameNumber, latchTime);
118 mFrameEventHistory.addRelease(frameNumber, dequeueReadyTime, std::move(releaseFenceTime));
119 mFrameEventHistory.addPreComposition(frameNumber, refreshStartTime);
120 mFrameEventHistory.addPostComposition(frameNumber, glDoneFenceTime, presentFenceTime,
121 compositorTiming);
122 }
123
getConnectionEvents(uint64_t frameNumber,bool * needsDisconnect)124 void BLASTBufferItemConsumer::getConnectionEvents(uint64_t frameNumber, bool* needsDisconnect) {
125 bool disconnect = false;
126 Mutex::Autolock lock(mMutex);
127 while (!mDisconnectEvents.empty() && mDisconnectEvents.front() <= frameNumber) {
128 disconnect = true;
129 mDisconnectEvents.pop();
130 }
131 if (needsDisconnect != nullptr) *needsDisconnect = disconnect;
132 }
133
onSidebandStreamChanged()134 void BLASTBufferItemConsumer::onSidebandStreamChanged() {
135 sp<BLASTBufferQueue> bbq = mBLASTBufferQueue.promote();
136 if (bbq != nullptr) {
137 sp<NativeHandle> stream = getSidebandStream();
138 bbq->setSidebandStream(stream);
139 }
140 }
141
resizeFrameEventHistory(size_t newSize)142 void BLASTBufferItemConsumer::resizeFrameEventHistory(size_t newSize) {
143 Mutex::Autolock lock(mMutex);
144 mFrameEventHistory.resize(newSize);
145 }
146
BLASTBufferQueue(const std::string & name,bool updateDestinationFrame)147 BLASTBufferQueue::BLASTBufferQueue(const std::string& name, bool updateDestinationFrame)
148 : mSurfaceControl(nullptr),
149 mSize(1, 1),
150 mRequestedSize(mSize),
151 mFormat(PIXEL_FORMAT_RGBA_8888),
152 mTransactionReadyCallback(nullptr),
153 mSyncTransaction(nullptr),
154 mUpdateDestinationFrame(updateDestinationFrame) {
155 createBufferQueue(&mProducer, &mConsumer);
156 // since the adapter is in the client process, set dequeue timeout
157 // explicitly so that dequeueBuffer will block
158 mProducer->setDequeueTimeout(std::numeric_limits<int64_t>::max());
159
160 // safe default, most producers are expected to override this
161 mProducer->setMaxDequeuedBufferCount(2);
162 mBufferItemConsumer = new BLASTBufferItemConsumer(mConsumer,
163 GraphicBuffer::USAGE_HW_COMPOSER |
164 GraphicBuffer::USAGE_HW_TEXTURE,
165 1, false, this);
166 static std::atomic<uint32_t> nextId = 0;
167 mProducerId = nextId++;
168 mName = name + "#" + std::to_string(mProducerId);
169 auto consumerName = mName + "(BLAST Consumer)" + std::to_string(mProducerId);
170 mQueuedBufferTrace = "QueuedBuffer - " + mName + "BLAST#" + std::to_string(mProducerId);
171 mBufferItemConsumer->setName(String8(consumerName.c_str()));
172 mBufferItemConsumer->setFrameAvailableListener(this);
173
174 ComposerServiceAIDL::getComposerService()->getMaxAcquiredBufferCount(&mMaxAcquiredBuffers);
175 mBufferItemConsumer->setMaxAcquiredBufferCount(mMaxAcquiredBuffers);
176 mCurrentMaxAcquiredBufferCount = mMaxAcquiredBuffers;
177 mNumAcquired = 0;
178 mNumFrameAvailable = 0;
179
180 TransactionCompletedListener::getInstance()->addQueueStallListener(
181 [&](const std::string& reason) {
182 std::function<void(const std::string&)> callbackCopy;
183 {
184 std::unique_lock _lock{mMutex};
185 callbackCopy = mTransactionHangCallback;
186 }
187 if (callbackCopy) callbackCopy(reason);
188 },
189 this);
190
191 BQA_LOGV("BLASTBufferQueue created");
192 }
193
BLASTBufferQueue(const std::string & name,const sp<SurfaceControl> & surface,int width,int height,int32_t format)194 BLASTBufferQueue::BLASTBufferQueue(const std::string& name, const sp<SurfaceControl>& surface,
195 int width, int height, int32_t format)
196 : BLASTBufferQueue(name) {
197 update(surface, width, height, format);
198 }
199
~BLASTBufferQueue()200 BLASTBufferQueue::~BLASTBufferQueue() {
201 TransactionCompletedListener::getInstance()->removeQueueStallListener(this);
202 if (mPendingTransactions.empty()) {
203 return;
204 }
205 BQA_LOGE("Applying pending transactions on dtor %d",
206 static_cast<uint32_t>(mPendingTransactions.size()));
207 SurfaceComposerClient::Transaction t;
208 mergePendingTransactions(&t, std::numeric_limits<uint64_t>::max() /* frameNumber */);
209 // All transactions on our apply token are one-way. See comment on mAppliedLastTransaction
210 t.setApplyToken(mApplyToken).apply(false, true);
211
212 if (mTransactionReadyCallback) {
213 mTransactionReadyCallback(mSyncTransaction);
214 }
215 }
216
update(const sp<SurfaceControl> & surface,uint32_t width,uint32_t height,int32_t format)217 void BLASTBufferQueue::update(const sp<SurfaceControl>& surface, uint32_t width, uint32_t height,
218 int32_t format) {
219 LOG_ALWAYS_FATAL_IF(surface == nullptr, "BLASTBufferQueue: mSurfaceControl must not be NULL");
220
221 std::lock_guard _lock{mMutex};
222 if (mFormat != format) {
223 mFormat = format;
224 mBufferItemConsumer->setDefaultBufferFormat(convertBufferFormat(format));
225 }
226
227 const bool surfaceControlChanged = !SurfaceControl::isSameSurface(mSurfaceControl, surface);
228 if (surfaceControlChanged && mSurfaceControl != nullptr) {
229 BQA_LOGD("Updating SurfaceControl without recreating BBQ");
230 }
231 bool applyTransaction = false;
232
233 // Always update the native object even though they might have the same layer handle, so we can
234 // get the updated transform hint from WM.
235 mSurfaceControl = surface;
236 SurfaceComposerClient::Transaction t;
237 if (surfaceControlChanged) {
238 t.setFlags(mSurfaceControl, layer_state_t::eEnableBackpressure,
239 layer_state_t::eEnableBackpressure);
240 applyTransaction = true;
241 }
242 mTransformHint = mSurfaceControl->getTransformHint();
243 mBufferItemConsumer->setTransformHint(mTransformHint);
244 BQA_LOGV("update width=%d height=%d format=%d mTransformHint=%d", width, height, format,
245 mTransformHint);
246
247 ui::Size newSize(width, height);
248 if (mRequestedSize != newSize) {
249 mRequestedSize.set(newSize);
250 mBufferItemConsumer->setDefaultBufferSize(mRequestedSize.width, mRequestedSize.height);
251 if (mLastBufferInfo.scalingMode != NATIVE_WINDOW_SCALING_MODE_FREEZE) {
252 // If the buffer supports scaling, update the frame immediately since the client may
253 // want to scale the existing buffer to the new size.
254 mSize = mRequestedSize;
255 if (mUpdateDestinationFrame) {
256 t.setDestinationFrame(mSurfaceControl, Rect(newSize));
257 applyTransaction = true;
258 }
259 }
260 }
261 if (applyTransaction) {
262 // All transactions on our apply token are one-way. See comment on mAppliedLastTransaction
263 t.setApplyToken(mApplyToken).apply(false, true);
264 }
265 }
266
findMatchingStat(const std::vector<SurfaceControlStats> & stats,const sp<SurfaceControl> & sc)267 static std::optional<SurfaceControlStats> findMatchingStat(
268 const std::vector<SurfaceControlStats>& stats, const sp<SurfaceControl>& sc) {
269 for (auto stat : stats) {
270 if (SurfaceControl::isSameSurface(sc, stat.surfaceControl)) {
271 return stat;
272 }
273 }
274 return std::nullopt;
275 }
276
transactionCommittedCallbackThunk(void * context,nsecs_t latchTime,const sp<Fence> & presentFence,const std::vector<SurfaceControlStats> & stats)277 static void transactionCommittedCallbackThunk(void* context, nsecs_t latchTime,
278 const sp<Fence>& presentFence,
279 const std::vector<SurfaceControlStats>& stats) {
280 if (context == nullptr) {
281 return;
282 }
283 sp<BLASTBufferQueue> bq = static_cast<BLASTBufferQueue*>(context);
284 bq->transactionCommittedCallback(latchTime, presentFence, stats);
285 }
286
transactionCommittedCallback(nsecs_t,const sp<Fence> &,const std::vector<SurfaceControlStats> & stats)287 void BLASTBufferQueue::transactionCommittedCallback(nsecs_t /*latchTime*/,
288 const sp<Fence>& /*presentFence*/,
289 const std::vector<SurfaceControlStats>& stats) {
290 {
291 std::lock_guard _lock{mMutex};
292 BBQ_TRACE();
293 BQA_LOGV("transactionCommittedCallback");
294 if (!mSurfaceControlsWithPendingCallback.empty()) {
295 sp<SurfaceControl> pendingSC = mSurfaceControlsWithPendingCallback.front();
296 std::optional<SurfaceControlStats> stat = findMatchingStat(stats, pendingSC);
297 if (stat) {
298 uint64_t currFrameNumber = stat->frameEventStats.frameNumber;
299
300 // We need to check if we were waiting for a transaction callback in order to
301 // process any pending buffers and unblock. It's possible to get transaction
302 // callbacks for previous requests so we need to ensure that there are no pending
303 // frame numbers that were in a sync. We remove the frame from mSyncedFrameNumbers
304 // set and then check if it's empty. If there are no more pending syncs, we can
305 // proceed with flushing the shadow queue.
306 mSyncedFrameNumbers.erase(currFrameNumber);
307 if (mSyncedFrameNumbers.empty()) {
308 flushShadowQueue();
309 }
310 } else {
311 BQA_LOGE("Failed to find matching SurfaceControl in transactionCommittedCallback");
312 }
313 } else {
314 BQA_LOGE("No matching SurfaceControls found: mSurfaceControlsWithPendingCallback was "
315 "empty.");
316 }
317 decStrong((void*)transactionCommittedCallbackThunk);
318 }
319 }
320
transactionCallbackThunk(void * context,nsecs_t latchTime,const sp<Fence> & presentFence,const std::vector<SurfaceControlStats> & stats)321 static void transactionCallbackThunk(void* context, nsecs_t latchTime,
322 const sp<Fence>& presentFence,
323 const std::vector<SurfaceControlStats>& stats) {
324 if (context == nullptr) {
325 return;
326 }
327 sp<BLASTBufferQueue> bq = static_cast<BLASTBufferQueue*>(context);
328 bq->transactionCallback(latchTime, presentFence, stats);
329 }
330
transactionCallback(nsecs_t,const sp<Fence> &,const std::vector<SurfaceControlStats> & stats)331 void BLASTBufferQueue::transactionCallback(nsecs_t /*latchTime*/, const sp<Fence>& /*presentFence*/,
332 const std::vector<SurfaceControlStats>& stats) {
333 {
334 std::lock_guard _lock{mMutex};
335 BBQ_TRACE();
336 BQA_LOGV("transactionCallback");
337
338 if (!mSurfaceControlsWithPendingCallback.empty()) {
339 sp<SurfaceControl> pendingSC = mSurfaceControlsWithPendingCallback.front();
340 mSurfaceControlsWithPendingCallback.pop();
341 std::optional<SurfaceControlStats> statsOptional = findMatchingStat(stats, pendingSC);
342 if (statsOptional) {
343 SurfaceControlStats stat = *statsOptional;
344 if (stat.transformHint) {
345 mTransformHint = *stat.transformHint;
346 mBufferItemConsumer->setTransformHint(mTransformHint);
347 BQA_LOGV("updated mTransformHint=%d", mTransformHint);
348 }
349 // Update frametime stamps if the frame was latched and presented, indicated by a
350 // valid latch time.
351 if (stat.latchTime > 0) {
352 mBufferItemConsumer
353 ->updateFrameTimestamps(stat.frameEventStats.frameNumber,
354 stat.frameEventStats.refreshStartTime,
355 stat.frameEventStats.gpuCompositionDoneFence,
356 stat.presentFence, stat.previousReleaseFence,
357 stat.frameEventStats.compositorTiming,
358 stat.latchTime,
359 stat.frameEventStats.dequeueReadyTime);
360 }
361 auto currFrameNumber = stat.frameEventStats.frameNumber;
362 std::vector<ReleaseCallbackId> staleReleases;
363 for (const auto& [key, value]: mSubmitted) {
364 if (currFrameNumber > key.framenumber) {
365 staleReleases.push_back(key);
366 }
367 }
368 for (const auto& staleRelease : staleReleases) {
369 releaseBufferCallbackLocked(staleRelease,
370 stat.previousReleaseFence
371 ? stat.previousReleaseFence
372 : Fence::NO_FENCE,
373 stat.currentMaxAcquiredBufferCount,
374 true /* fakeRelease */);
375 }
376 } else {
377 BQA_LOGE("Failed to find matching SurfaceControl in transactionCallback");
378 }
379 } else {
380 BQA_LOGE("No matching SurfaceControls found: mSurfaceControlsWithPendingCallback was "
381 "empty.");
382 }
383
384 decStrong((void*)transactionCallbackThunk);
385 }
386 }
387
388 // Unlike transactionCallbackThunk the release buffer callback does not extend the life of the
389 // BBQ. This is because if the BBQ is destroyed, then the buffers will be released by the client.
390 // So we pass in a weak pointer to the BBQ and if it still alive, then we release the buffer.
391 // Otherwise, this is a no-op.
releaseBufferCallbackThunk(wp<BLASTBufferQueue> context,const ReleaseCallbackId & id,const sp<Fence> & releaseFence,std::optional<uint32_t> currentMaxAcquiredBufferCount)392 static void releaseBufferCallbackThunk(wp<BLASTBufferQueue> context, const ReleaseCallbackId& id,
393 const sp<Fence>& releaseFence,
394 std::optional<uint32_t> currentMaxAcquiredBufferCount) {
395 sp<BLASTBufferQueue> blastBufferQueue = context.promote();
396 if (blastBufferQueue) {
397 blastBufferQueue->releaseBufferCallback(id, releaseFence, currentMaxAcquiredBufferCount);
398 } else {
399 ALOGV("releaseBufferCallbackThunk %s blastBufferQueue is dead", id.to_string().c_str());
400 }
401 }
402
flushShadowQueue()403 void BLASTBufferQueue::flushShadowQueue() {
404 BQA_LOGV("flushShadowQueue");
405 int numFramesToFlush = mNumFrameAvailable;
406 while (numFramesToFlush > 0) {
407 acquireNextBufferLocked(std::nullopt);
408 numFramesToFlush--;
409 }
410 }
411
releaseBufferCallback(const ReleaseCallbackId & id,const sp<Fence> & releaseFence,std::optional<uint32_t> currentMaxAcquiredBufferCount)412 void BLASTBufferQueue::releaseBufferCallback(
413 const ReleaseCallbackId& id, const sp<Fence>& releaseFence,
414 std::optional<uint32_t> currentMaxAcquiredBufferCount) {
415 std::lock_guard _lock{mMutex};
416 BBQ_TRACE();
417 releaseBufferCallbackLocked(id, releaseFence, currentMaxAcquiredBufferCount,
418 false /* fakeRelease */);
419 }
420
releaseBufferCallbackLocked(const ReleaseCallbackId & id,const sp<Fence> & releaseFence,std::optional<uint32_t> currentMaxAcquiredBufferCount,bool fakeRelease)421 void BLASTBufferQueue::releaseBufferCallbackLocked(
422 const ReleaseCallbackId& id, const sp<Fence>& releaseFence,
423 std::optional<uint32_t> currentMaxAcquiredBufferCount, bool fakeRelease) {
424 ATRACE_CALL();
425 BQA_LOGV("releaseBufferCallback %s", id.to_string().c_str());
426
427 // Calculate how many buffers we need to hold before we release them back
428 // to the buffer queue. This will prevent higher latency when we are running
429 // on a lower refresh rate than the max supported. We only do that for EGL
430 // clients as others don't care about latency
431 const auto it = mSubmitted.find(id);
432 const bool isEGL = it != mSubmitted.end() && it->second.mApi == NATIVE_WINDOW_API_EGL;
433
434 if (currentMaxAcquiredBufferCount) {
435 mCurrentMaxAcquiredBufferCount = *currentMaxAcquiredBufferCount;
436 }
437
438 const uint32_t numPendingBuffersToHold =
439 isEGL ? std::max(0, mMaxAcquiredBuffers - (int32_t)mCurrentMaxAcquiredBufferCount) : 0;
440
441 auto rb = ReleasedBuffer{id, releaseFence};
442 if (std::find(mPendingRelease.begin(), mPendingRelease.end(), rb) == mPendingRelease.end()) {
443 mPendingRelease.emplace_back(rb);
444 if (fakeRelease) {
445 BQA_LOGE("Faking releaseBufferCallback from transactionCompleteCallback %" PRIu64,
446 id.framenumber);
447 BBQ_TRACE("FakeReleaseCallback");
448 }
449 }
450
451 // Release all buffers that are beyond the ones that we need to hold
452 while (mPendingRelease.size() > numPendingBuffersToHold) {
453 const auto releasedBuffer = mPendingRelease.front();
454 mPendingRelease.pop_front();
455 releaseBuffer(releasedBuffer.callbackId, releasedBuffer.releaseFence);
456 // Don't process the transactions here if mSyncedFrameNumbers is not empty. That means
457 // are still transactions that have sync buffers in them that have not been applied or
458 // dropped. Instead, let onFrameAvailable handle processing them since it will merge with
459 // the syncTransaction.
460 if (mSyncedFrameNumbers.empty()) {
461 acquireNextBufferLocked(std::nullopt);
462 }
463 }
464
465 ATRACE_INT("PendingRelease", mPendingRelease.size());
466 ATRACE_INT(mQueuedBufferTrace.c_str(),
467 mNumFrameAvailable + mNumAcquired - mPendingRelease.size());
468 mCallbackCV.notify_all();
469 }
470
releaseBuffer(const ReleaseCallbackId & callbackId,const sp<Fence> & releaseFence)471 void BLASTBufferQueue::releaseBuffer(const ReleaseCallbackId& callbackId,
472 const sp<Fence>& releaseFence) {
473 auto it = mSubmitted.find(callbackId);
474 if (it == mSubmitted.end()) {
475 BQA_LOGE("ERROR: releaseBufferCallback without corresponding submitted buffer %s",
476 callbackId.to_string().c_str());
477 return;
478 }
479 mNumAcquired--;
480 BBQ_TRACE("frame=%" PRIu64, callbackId.framenumber);
481 BQA_LOGV("released %s", callbackId.to_string().c_str());
482 mBufferItemConsumer->releaseBuffer(it->second, releaseFence);
483 mSubmitted.erase(it);
484 // Remove the frame number from mSyncedFrameNumbers since we can get a release callback
485 // without getting a transaction committed if the buffer was dropped.
486 mSyncedFrameNumbers.erase(callbackId.framenumber);
487 }
488
getBufferSize(const BufferItem & item)489 static ui::Size getBufferSize(const BufferItem& item) {
490 uint32_t bufWidth = item.mGraphicBuffer->getWidth();
491 uint32_t bufHeight = item.mGraphicBuffer->getHeight();
492
493 // Take the buffer's orientation into account
494 if (item.mTransform & ui::Transform::ROT_90) {
495 std::swap(bufWidth, bufHeight);
496 }
497 return ui::Size(bufWidth, bufHeight);
498 }
499
acquireNextBufferLocked(const std::optional<SurfaceComposerClient::Transaction * > transaction)500 status_t BLASTBufferQueue::acquireNextBufferLocked(
501 const std::optional<SurfaceComposerClient::Transaction*> transaction) {
502 // Check if we have frames available and we have not acquired the maximum number of buffers.
503 // Even with this check, the consumer can fail to acquire an additional buffer if the consumer
504 // has already acquired (mMaxAcquiredBuffers + 1) and the new buffer is not droppable. In this
505 // case mBufferItemConsumer->acquireBuffer will return with NO_BUFFER_AVAILABLE.
506 if (mNumFrameAvailable == 0) {
507 BQA_LOGV("Can't acquire next buffer. No available frames");
508 return BufferQueue::NO_BUFFER_AVAILABLE;
509 }
510
511 if (mNumAcquired >= (mMaxAcquiredBuffers + 2)) {
512 BQA_LOGV("Can't acquire next buffer. Already acquired max frames %d max:%d + 2",
513 mNumAcquired, mMaxAcquiredBuffers);
514 return BufferQueue::NO_BUFFER_AVAILABLE;
515 }
516
517 if (mSurfaceControl == nullptr) {
518 BQA_LOGE("ERROR : surface control is null");
519 return NAME_NOT_FOUND;
520 }
521
522 SurfaceComposerClient::Transaction localTransaction;
523 bool applyTransaction = true;
524 SurfaceComposerClient::Transaction* t = &localTransaction;
525 if (transaction) {
526 t = *transaction;
527 applyTransaction = false;
528 }
529
530 BufferItem bufferItem;
531
532 status_t status =
533 mBufferItemConsumer->acquireBuffer(&bufferItem, 0 /* expectedPresent */, false);
534 if (status == BufferQueue::NO_BUFFER_AVAILABLE) {
535 BQA_LOGV("Failed to acquire a buffer, err=NO_BUFFER_AVAILABLE");
536 return status;
537 } else if (status != OK) {
538 BQA_LOGE("Failed to acquire a buffer, err=%s", statusToString(status).c_str());
539 return status;
540 }
541
542 auto buffer = bufferItem.mGraphicBuffer;
543 mNumFrameAvailable--;
544 BBQ_TRACE("frame=%" PRIu64, bufferItem.mFrameNumber);
545
546 if (buffer == nullptr) {
547 mBufferItemConsumer->releaseBuffer(bufferItem, Fence::NO_FENCE);
548 BQA_LOGE("Buffer was empty");
549 return BAD_VALUE;
550 }
551
552 if (rejectBuffer(bufferItem)) {
553 BQA_LOGE("rejecting buffer:active_size=%dx%d, requested_size=%dx%d "
554 "buffer{size=%dx%d transform=%d}",
555 mSize.width, mSize.height, mRequestedSize.width, mRequestedSize.height,
556 buffer->getWidth(), buffer->getHeight(), bufferItem.mTransform);
557 mBufferItemConsumer->releaseBuffer(bufferItem, Fence::NO_FENCE);
558 return acquireNextBufferLocked(transaction);
559 }
560
561 mNumAcquired++;
562 mLastAcquiredFrameNumber = bufferItem.mFrameNumber;
563 ReleaseCallbackId releaseCallbackId(buffer->getId(), mLastAcquiredFrameNumber);
564 mSubmitted[releaseCallbackId] = bufferItem;
565
566 bool needsDisconnect = false;
567 mBufferItemConsumer->getConnectionEvents(bufferItem.mFrameNumber, &needsDisconnect);
568
569 // if producer disconnected before, notify SurfaceFlinger
570 if (needsDisconnect) {
571 t->notifyProducerDisconnect(mSurfaceControl);
572 }
573
574 // Ensure BLASTBufferQueue stays alive until we receive the transaction complete callback.
575 incStrong((void*)transactionCallbackThunk);
576
577 // Only update mSize for destination bounds if the incoming buffer matches the requested size.
578 // Otherwise, it could cause stretching since the destination bounds will update before the
579 // buffer with the new size is acquired.
580 if (mRequestedSize == getBufferSize(bufferItem) ||
581 bufferItem.mScalingMode != NATIVE_WINDOW_SCALING_MODE_FREEZE) {
582 mSize = mRequestedSize;
583 }
584 Rect crop = computeCrop(bufferItem);
585 mLastBufferInfo.update(true /* hasBuffer */, bufferItem.mGraphicBuffer->getWidth(),
586 bufferItem.mGraphicBuffer->getHeight(), bufferItem.mTransform,
587 bufferItem.mScalingMode, crop);
588
589 auto releaseBufferCallback =
590 std::bind(releaseBufferCallbackThunk, wp<BLASTBufferQueue>(this) /* callbackContext */,
591 std::placeholders::_1, std::placeholders::_2, std::placeholders::_3);
592 sp<Fence> fence = bufferItem.mFence ? new Fence(bufferItem.mFence->dup()) : Fence::NO_FENCE;
593 t->setBuffer(mSurfaceControl, buffer, fence, bufferItem.mFrameNumber, mProducerId,
594 releaseBufferCallback);
595 t->setDataspace(mSurfaceControl, static_cast<ui::Dataspace>(bufferItem.mDataSpace));
596 t->setHdrMetadata(mSurfaceControl, bufferItem.mHdrMetadata);
597 t->setSurfaceDamageRegion(mSurfaceControl, bufferItem.mSurfaceDamage);
598 t->addTransactionCompletedCallback(transactionCallbackThunk, static_cast<void*>(this));
599
600 mSurfaceControlsWithPendingCallback.push(mSurfaceControl);
601
602 if (mUpdateDestinationFrame) {
603 t->setDestinationFrame(mSurfaceControl, Rect(mSize));
604 } else {
605 const bool ignoreDestinationFrame =
606 bufferItem.mScalingMode == NATIVE_WINDOW_SCALING_MODE_FREEZE;
607 t->setFlags(mSurfaceControl,
608 ignoreDestinationFrame ? layer_state_t::eIgnoreDestinationFrame : 0,
609 layer_state_t::eIgnoreDestinationFrame);
610 }
611 t->setBufferCrop(mSurfaceControl, crop);
612 t->setTransform(mSurfaceControl, bufferItem.mTransform);
613 t->setTransformToDisplayInverse(mSurfaceControl, bufferItem.mTransformToDisplayInverse);
614 t->setAutoRefresh(mSurfaceControl, bufferItem.mAutoRefresh);
615 if (!bufferItem.mIsAutoTimestamp) {
616 t->setDesiredPresentTime(bufferItem.mTimestamp);
617 }
618
619 // Drop stale frame timeline infos
620 while (!mPendingFrameTimelines.empty() &&
621 mPendingFrameTimelines.front().first < bufferItem.mFrameNumber) {
622 ATRACE_FORMAT_INSTANT("dropping stale frameNumber: %" PRIu64 " vsyncId: %" PRId64,
623 mPendingFrameTimelines.front().first,
624 mPendingFrameTimelines.front().second.vsyncId);
625 mPendingFrameTimelines.pop();
626 }
627
628 if (!mPendingFrameTimelines.empty() &&
629 mPendingFrameTimelines.front().first == bufferItem.mFrameNumber) {
630 ATRACE_FORMAT_INSTANT("Transaction::setFrameTimelineInfo frameNumber: %" PRIu64
631 " vsyncId: %" PRId64,
632 bufferItem.mFrameNumber,
633 mPendingFrameTimelines.front().second.vsyncId);
634 t->setFrameTimelineInfo(mPendingFrameTimelines.front().second);
635 mPendingFrameTimelines.pop();
636 }
637
638 {
639 std::lock_guard _lock{mTimestampMutex};
640 auto dequeueTime = mDequeueTimestamps.find(buffer->getId());
641 if (dequeueTime != mDequeueTimestamps.end()) {
642 Parcel p;
643 p.writeInt64(dequeueTime->second);
644 t->setMetadata(mSurfaceControl, gui::METADATA_DEQUEUE_TIME, p);
645 mDequeueTimestamps.erase(dequeueTime);
646 }
647 }
648
649 mergePendingTransactions(t, bufferItem.mFrameNumber);
650 if (applyTransaction) {
651 // All transactions on our apply token are one-way. See comment on mAppliedLastTransaction
652 t->setApplyToken(mApplyToken).apply(false, true);
653 mAppliedLastTransaction = true;
654 mLastAppliedFrameNumber = bufferItem.mFrameNumber;
655 } else {
656 t->setBufferHasBarrier(mSurfaceControl, mLastAppliedFrameNumber);
657 mAppliedLastTransaction = false;
658 }
659
660 BQA_LOGV("acquireNextBufferLocked size=%dx%d mFrameNumber=%" PRIu64
661 " applyTransaction=%s mTimestamp=%" PRId64 "%s mPendingTransactions.size=%d"
662 " graphicBufferId=%" PRIu64 "%s transform=%d",
663 mSize.width, mSize.height, bufferItem.mFrameNumber, boolToString(applyTransaction),
664 bufferItem.mTimestamp, bufferItem.mIsAutoTimestamp ? "(auto)" : "",
665 static_cast<uint32_t>(mPendingTransactions.size()), bufferItem.mGraphicBuffer->getId(),
666 bufferItem.mAutoRefresh ? " mAutoRefresh" : "", bufferItem.mTransform);
667 return OK;
668 }
669
computeCrop(const BufferItem & item)670 Rect BLASTBufferQueue::computeCrop(const BufferItem& item) {
671 if (item.mScalingMode == NATIVE_WINDOW_SCALING_MODE_SCALE_CROP) {
672 return GLConsumer::scaleDownCrop(item.mCrop, mSize.width, mSize.height);
673 }
674 return item.mCrop;
675 }
676
acquireAndReleaseBuffer()677 void BLASTBufferQueue::acquireAndReleaseBuffer() {
678 BBQ_TRACE();
679 BufferItem bufferItem;
680 status_t status =
681 mBufferItemConsumer->acquireBuffer(&bufferItem, 0 /* expectedPresent */, false);
682 if (status != OK) {
683 BQA_LOGE("Failed to acquire a buffer in acquireAndReleaseBuffer, err=%s",
684 statusToString(status).c_str());
685 return;
686 }
687 mNumFrameAvailable--;
688 mBufferItemConsumer->releaseBuffer(bufferItem, bufferItem.mFence);
689 }
690
onFrameAvailable(const BufferItem & item)691 void BLASTBufferQueue::onFrameAvailable(const BufferItem& item) {
692 std::function<void(SurfaceComposerClient::Transaction*)> prevCallback = nullptr;
693 SurfaceComposerClient::Transaction* prevTransaction = nullptr;
694
695 {
696 UNIQUE_LOCK_WITH_ASSERTION(mMutex);
697 BBQ_TRACE();
698 bool waitForTransactionCallback = !mSyncedFrameNumbers.empty();
699
700 const bool syncTransactionSet = mTransactionReadyCallback != nullptr;
701 BQA_LOGV("onFrameAvailable-start syncTransactionSet=%s", boolToString(syncTransactionSet));
702
703 if (syncTransactionSet) {
704 // If we are going to re-use the same mSyncTransaction, release the buffer that may
705 // already be set in the Transaction. This is to allow us a free slot early to continue
706 // processing a new buffer.
707 if (!mAcquireSingleBuffer) {
708 auto bufferData = mSyncTransaction->getAndClearBuffer(mSurfaceControl);
709 if (bufferData) {
710 BQA_LOGD("Releasing previous buffer when syncing: framenumber=%" PRIu64,
711 bufferData->frameNumber);
712 releaseBuffer(bufferData->generateReleaseCallbackId(),
713 bufferData->acquireFence);
714 }
715 }
716
717 if (waitForTransactionCallback) {
718 // We are waiting on a previous sync's transaction callback so allow another sync
719 // transaction to proceed.
720 //
721 // We need to first flush out the transactions that were in between the two syncs.
722 // We do this by merging them into mSyncTransaction so any buffer merging will get
723 // a release callback invoked.
724 while (mNumFrameAvailable > 0) {
725 // flush out the shadow queue
726 acquireAndReleaseBuffer();
727 }
728 } else {
729 // Make sure the frame available count is 0 before proceeding with a sync to ensure
730 // the correct frame is used for the sync. The only way mNumFrameAvailable would be
731 // greater than 0 is if we already ran out of buffers previously. This means we
732 // need to flush the buffers before proceeding with the sync.
733 while (mNumFrameAvailable > 0) {
734 BQA_LOGD("waiting until no queued buffers");
735 mCallbackCV.wait(_lock);
736 }
737 }
738 }
739
740 // add to shadow queue
741 mNumFrameAvailable++;
742 if (waitForTransactionCallback && mNumFrameAvailable >= 2) {
743 acquireAndReleaseBuffer();
744 }
745 ATRACE_INT(mQueuedBufferTrace.c_str(),
746 mNumFrameAvailable + mNumAcquired - mPendingRelease.size());
747
748 BQA_LOGV("onFrameAvailable framenumber=%" PRIu64 " syncTransactionSet=%s",
749 item.mFrameNumber, boolToString(syncTransactionSet));
750
751 if (syncTransactionSet) {
752 // Add to mSyncedFrameNumbers before waiting in case any buffers are released
753 // while waiting for a free buffer. The release and commit callback will try to
754 // acquire buffers if there are any available, but we don't want it to acquire
755 // in the case where a sync transaction wants the buffer.
756 mSyncedFrameNumbers.emplace(item.mFrameNumber);
757 // If there's no available buffer and we're in a sync transaction, we need to wait
758 // instead of returning since we guarantee a buffer will be acquired for the sync.
759 while (acquireNextBufferLocked(mSyncTransaction) == BufferQueue::NO_BUFFER_AVAILABLE) {
760 BQA_LOGD("waiting for available buffer");
761 mCallbackCV.wait(_lock);
762 }
763
764 // Only need a commit callback when syncing to ensure the buffer that's synced has been
765 // sent to SF
766 incStrong((void*)transactionCommittedCallbackThunk);
767 mSyncTransaction->addTransactionCommittedCallback(transactionCommittedCallbackThunk,
768 static_cast<void*>(this));
769 if (mAcquireSingleBuffer) {
770 prevCallback = mTransactionReadyCallback;
771 prevTransaction = mSyncTransaction;
772 mTransactionReadyCallback = nullptr;
773 mSyncTransaction = nullptr;
774 }
775 } else if (!waitForTransactionCallback) {
776 acquireNextBufferLocked(std::nullopt);
777 }
778 }
779 if (prevCallback) {
780 prevCallback(prevTransaction);
781 }
782 }
783
onFrameReplaced(const BufferItem & item)784 void BLASTBufferQueue::onFrameReplaced(const BufferItem& item) {
785 BQA_LOGV("onFrameReplaced framenumber=%" PRIu64, item.mFrameNumber);
786 // Do nothing since we are not storing unacquired buffer items locally.
787 }
788
onFrameDequeued(const uint64_t bufferId)789 void BLASTBufferQueue::onFrameDequeued(const uint64_t bufferId) {
790 std::lock_guard _lock{mTimestampMutex};
791 mDequeueTimestamps[bufferId] = systemTime();
792 };
793
onFrameCancelled(const uint64_t bufferId)794 void BLASTBufferQueue::onFrameCancelled(const uint64_t bufferId) {
795 std::lock_guard _lock{mTimestampMutex};
796 mDequeueTimestamps.erase(bufferId);
797 };
798
syncNextTransaction(std::function<void (SurfaceComposerClient::Transaction *)> callback,bool acquireSingleBuffer)799 bool BLASTBufferQueue::syncNextTransaction(
800 std::function<void(SurfaceComposerClient::Transaction*)> callback,
801 bool acquireSingleBuffer) {
802 LOG_ALWAYS_FATAL_IF(!callback,
803 "BLASTBufferQueue: callback passed in to syncNextTransaction must not be "
804 "NULL");
805
806 std::lock_guard _lock{mMutex};
807 BBQ_TRACE();
808 if (mTransactionReadyCallback) {
809 ALOGW("Attempting to overwrite transaction callback in syncNextTransaction");
810 return false;
811 }
812
813 mTransactionReadyCallback = callback;
814 mSyncTransaction = new SurfaceComposerClient::Transaction();
815 mAcquireSingleBuffer = acquireSingleBuffer;
816 return true;
817 }
818
stopContinuousSyncTransaction()819 void BLASTBufferQueue::stopContinuousSyncTransaction() {
820 std::function<void(SurfaceComposerClient::Transaction*)> prevCallback = nullptr;
821 SurfaceComposerClient::Transaction* prevTransaction = nullptr;
822 {
823 std::lock_guard _lock{mMutex};
824 if (mAcquireSingleBuffer || !mTransactionReadyCallback) {
825 ALOGW("Attempting to stop continuous sync when none are active");
826 return;
827 }
828
829 prevCallback = mTransactionReadyCallback;
830 prevTransaction = mSyncTransaction;
831
832 mTransactionReadyCallback = nullptr;
833 mSyncTransaction = nullptr;
834 mAcquireSingleBuffer = true;
835 }
836
837 if (prevCallback) {
838 prevCallback(prevTransaction);
839 }
840 }
841
clearSyncTransaction()842 void BLASTBufferQueue::clearSyncTransaction() {
843 std::lock_guard _lock{mMutex};
844 if (!mAcquireSingleBuffer) {
845 ALOGW("Attempting to clear sync transaction when none are active");
846 return;
847 }
848
849 mTransactionReadyCallback = nullptr;
850 mSyncTransaction = nullptr;
851 }
852
rejectBuffer(const BufferItem & item)853 bool BLASTBufferQueue::rejectBuffer(const BufferItem& item) {
854 if (item.mScalingMode != NATIVE_WINDOW_SCALING_MODE_FREEZE) {
855 // Only reject buffers if scaling mode is freeze.
856 return false;
857 }
858
859 ui::Size bufferSize = getBufferSize(item);
860 if (mRequestedSize != mSize && mRequestedSize == bufferSize) {
861 return false;
862 }
863
864 // reject buffers if the buffer size doesn't match.
865 return mSize != bufferSize;
866 }
867
868 class BBQSurface : public Surface {
869 private:
870 std::mutex mMutex;
871 sp<BLASTBufferQueue> mBbq GUARDED_BY(mMutex);
872 bool mDestroyed GUARDED_BY(mMutex) = false;
873
874 public:
BBQSurface(const sp<IGraphicBufferProducer> & igbp,bool controlledByApp,const sp<IBinder> & scHandle,const sp<BLASTBufferQueue> & bbq)875 BBQSurface(const sp<IGraphicBufferProducer>& igbp, bool controlledByApp,
876 const sp<IBinder>& scHandle, const sp<BLASTBufferQueue>& bbq)
877 : Surface(igbp, controlledByApp, scHandle), mBbq(bbq) {}
878
allocateBuffers()879 void allocateBuffers() override {
880 uint32_t reqWidth = mReqWidth ? mReqWidth : mUserWidth;
881 uint32_t reqHeight = mReqHeight ? mReqHeight : mUserHeight;
882 auto gbp = getIGraphicBufferProducer();
883 std::thread ([reqWidth, reqHeight, gbp=getIGraphicBufferProducer(),
884 reqFormat=mReqFormat, reqUsage=mReqUsage] () {
885 gbp->allocateBuffers(reqWidth, reqHeight,
886 reqFormat, reqUsage);
887
888 }).detach();
889 }
890
setFrameRate(float frameRate,int8_t compatibility,int8_t changeFrameRateStrategy)891 status_t setFrameRate(float frameRate, int8_t compatibility,
892 int8_t changeFrameRateStrategy) override {
893 std::lock_guard _lock{mMutex};
894 if (mDestroyed) {
895 return DEAD_OBJECT;
896 }
897 if (!ValidateFrameRate(frameRate, compatibility, changeFrameRateStrategy,
898 "BBQSurface::setFrameRate")) {
899 return BAD_VALUE;
900 }
901 return mBbq->setFrameRate(frameRate, compatibility, changeFrameRateStrategy);
902 }
903
setFrameTimelineInfo(uint64_t frameNumber,const FrameTimelineInfo & frameTimelineInfo)904 status_t setFrameTimelineInfo(uint64_t frameNumber,
905 const FrameTimelineInfo& frameTimelineInfo) override {
906 std::lock_guard _lock{mMutex};
907 if (mDestroyed) {
908 return DEAD_OBJECT;
909 }
910 return mBbq->setFrameTimelineInfo(frameNumber, frameTimelineInfo);
911 }
912
destroy()913 void destroy() override {
914 Surface::destroy();
915
916 std::lock_guard _lock{mMutex};
917 mDestroyed = true;
918 mBbq = nullptr;
919 }
920 };
921
922 // TODO: Can we coalesce this with frame updates? Need to confirm
923 // no timing issues.
setFrameRate(float frameRate,int8_t compatibility,bool shouldBeSeamless)924 status_t BLASTBufferQueue::setFrameRate(float frameRate, int8_t compatibility,
925 bool shouldBeSeamless) {
926 std::lock_guard _lock{mMutex};
927 SurfaceComposerClient::Transaction t;
928
929 return t.setFrameRate(mSurfaceControl, frameRate, compatibility, shouldBeSeamless).apply();
930 }
931
setFrameTimelineInfo(uint64_t frameNumber,const FrameTimelineInfo & frameTimelineInfo)932 status_t BLASTBufferQueue::setFrameTimelineInfo(uint64_t frameNumber,
933 const FrameTimelineInfo& frameTimelineInfo) {
934 ATRACE_FORMAT("%s(%s) frameNumber: %" PRIu64 " vsyncId: %" PRId64, __func__, mName.c_str(),
935 frameNumber, frameTimelineInfo.vsyncId);
936 std::lock_guard _lock{mMutex};
937 mPendingFrameTimelines.push({frameNumber, frameTimelineInfo});
938 return OK;
939 }
940
setSidebandStream(const sp<NativeHandle> & stream)941 void BLASTBufferQueue::setSidebandStream(const sp<NativeHandle>& stream) {
942 std::lock_guard _lock{mMutex};
943 SurfaceComposerClient::Transaction t;
944
945 t.setSidebandStream(mSurfaceControl, stream).apply();
946 }
947
getSurface(bool includeSurfaceControlHandle)948 sp<Surface> BLASTBufferQueue::getSurface(bool includeSurfaceControlHandle) {
949 std::lock_guard _lock{mMutex};
950 sp<IBinder> scHandle = nullptr;
951 if (includeSurfaceControlHandle && mSurfaceControl) {
952 scHandle = mSurfaceControl->getHandle();
953 }
954 return new BBQSurface(mProducer, true, scHandle, this);
955 }
956
mergeWithNextTransaction(SurfaceComposerClient::Transaction * t,uint64_t frameNumber)957 void BLASTBufferQueue::mergeWithNextTransaction(SurfaceComposerClient::Transaction* t,
958 uint64_t frameNumber) {
959 std::lock_guard _lock{mMutex};
960 if (mLastAcquiredFrameNumber >= frameNumber) {
961 // Apply the transaction since we have already acquired the desired frame.
962 t->apply();
963 } else {
964 mPendingTransactions.emplace_back(frameNumber, *t);
965 // Clear the transaction so it can't be applied elsewhere.
966 t->clear();
967 }
968 }
969
applyPendingTransactions(uint64_t frameNumber)970 void BLASTBufferQueue::applyPendingTransactions(uint64_t frameNumber) {
971 std::lock_guard _lock{mMutex};
972
973 SurfaceComposerClient::Transaction t;
974 mergePendingTransactions(&t, frameNumber);
975 // All transactions on our apply token are one-way. See comment on mAppliedLastTransaction
976 t.setApplyToken(mApplyToken).apply(false, true);
977 }
978
mergePendingTransactions(SurfaceComposerClient::Transaction * t,uint64_t frameNumber)979 void BLASTBufferQueue::mergePendingTransactions(SurfaceComposerClient::Transaction* t,
980 uint64_t frameNumber) {
981 auto mergeTransaction =
982 [&t, currentFrameNumber = frameNumber](
983 std::tuple<uint64_t, SurfaceComposerClient::Transaction> pendingTransaction) {
984 auto& [targetFrameNumber, transaction] = pendingTransaction;
985 if (currentFrameNumber < targetFrameNumber) {
986 return false;
987 }
988 t->merge(std::move(transaction));
989 return true;
990 };
991
992 mPendingTransactions.erase(std::remove_if(mPendingTransactions.begin(),
993 mPendingTransactions.end(), mergeTransaction),
994 mPendingTransactions.end());
995 }
996
gatherPendingTransactions(uint64_t frameNumber)997 SurfaceComposerClient::Transaction* BLASTBufferQueue::gatherPendingTransactions(
998 uint64_t frameNumber) {
999 std::lock_guard _lock{mMutex};
1000 SurfaceComposerClient::Transaction* t = new SurfaceComposerClient::Transaction();
1001 mergePendingTransactions(t, frameNumber);
1002 return t;
1003 }
1004
1005 // Maintains a single worker thread per process that services a list of runnables.
1006 class AsyncWorker : public Singleton<AsyncWorker> {
1007 private:
1008 std::thread mThread;
1009 bool mDone = false;
1010 std::deque<std::function<void()>> mRunnables;
1011 std::mutex mMutex;
1012 std::condition_variable mCv;
run()1013 void run() {
1014 std::unique_lock<std::mutex> lock(mMutex);
1015 while (!mDone) {
1016 while (!mRunnables.empty()) {
1017 std::deque<std::function<void()>> runnables = std::move(mRunnables);
1018 mRunnables.clear();
1019 lock.unlock();
1020 // Run outside the lock since the runnable might trigger another
1021 // post to the async worker.
1022 execute(runnables);
1023 lock.lock();
1024 }
1025 mCv.wait(lock);
1026 }
1027 }
1028
execute(std::deque<std::function<void ()>> & runnables)1029 void execute(std::deque<std::function<void()>>& runnables) {
1030 while (!runnables.empty()) {
1031 std::function<void()> runnable = runnables.front();
1032 runnables.pop_front();
1033 runnable();
1034 }
1035 }
1036
1037 public:
AsyncWorker()1038 AsyncWorker() : Singleton<AsyncWorker>() { mThread = std::thread(&AsyncWorker::run, this); }
1039
~AsyncWorker()1040 ~AsyncWorker() {
1041 mDone = true;
1042 mCv.notify_all();
1043 if (mThread.joinable()) {
1044 mThread.join();
1045 }
1046 }
1047
post(std::function<void ()> runnable)1048 void post(std::function<void()> runnable) {
1049 std::unique_lock<std::mutex> lock(mMutex);
1050 mRunnables.emplace_back(std::move(runnable));
1051 mCv.notify_one();
1052 }
1053 };
1054 ANDROID_SINGLETON_STATIC_INSTANCE(AsyncWorker);
1055
1056 // Asynchronously calls ProducerListener functions so we can emulate one way binder calls.
1057 class AsyncProducerListener : public BnProducerListener {
1058 private:
1059 const sp<IProducerListener> mListener;
1060
1061 public:
AsyncProducerListener(const sp<IProducerListener> & listener)1062 AsyncProducerListener(const sp<IProducerListener>& listener) : mListener(listener) {}
1063
onBufferReleased()1064 void onBufferReleased() override {
1065 AsyncWorker::getInstance().post([listener = mListener]() { listener->onBufferReleased(); });
1066 }
1067
onBuffersDiscarded(const std::vector<int32_t> & slots)1068 void onBuffersDiscarded(const std::vector<int32_t>& slots) override {
1069 AsyncWorker::getInstance().post(
1070 [listener = mListener, slots = slots]() { listener->onBuffersDiscarded(slots); });
1071 }
1072 };
1073
1074 // Extends the BufferQueueProducer to create a wrapper around the listener so the listener calls
1075 // can be non-blocking when the producer is in the client process.
1076 class BBQBufferQueueProducer : public BufferQueueProducer {
1077 public:
BBQBufferQueueProducer(const sp<BufferQueueCore> & core,wp<BLASTBufferQueue> bbq)1078 BBQBufferQueueProducer(const sp<BufferQueueCore>& core, wp<BLASTBufferQueue> bbq)
1079 : BufferQueueProducer(core, false /* consumerIsSurfaceFlinger*/),
1080 mBLASTBufferQueue(std::move(bbq)) {}
1081
connect(const sp<IProducerListener> & listener,int api,bool producerControlledByApp,QueueBufferOutput * output)1082 status_t connect(const sp<IProducerListener>& listener, int api, bool producerControlledByApp,
1083 QueueBufferOutput* output) override {
1084 if (!listener) {
1085 return BufferQueueProducer::connect(listener, api, producerControlledByApp, output);
1086 }
1087
1088 return BufferQueueProducer::connect(new AsyncProducerListener(listener), api,
1089 producerControlledByApp, output);
1090 }
1091
1092 // We want to resize the frame history when changing the size of the buffer queue
setMaxDequeuedBufferCount(int maxDequeuedBufferCount)1093 status_t setMaxDequeuedBufferCount(int maxDequeuedBufferCount) override {
1094 int maxBufferCount;
1095 status_t status = BufferQueueProducer::setMaxDequeuedBufferCount(maxDequeuedBufferCount,
1096 &maxBufferCount);
1097 // if we can't determine the max buffer count, then just skip growing the history size
1098 if (status == OK) {
1099 size_t newFrameHistorySize = maxBufferCount + 2; // +2 because triple buffer rendering
1100 // optimize away resizing the frame history unless it will grow
1101 if (newFrameHistorySize > FrameEventHistory::INITIAL_MAX_FRAME_HISTORY) {
1102 sp<BLASTBufferQueue> bbq = mBLASTBufferQueue.promote();
1103 if (bbq != nullptr) {
1104 ALOGV("increasing frame history size to %zu", newFrameHistorySize);
1105 bbq->resizeFrameEventHistory(newFrameHistorySize);
1106 }
1107 }
1108 }
1109 return status;
1110 }
1111
query(int what,int * value)1112 int query(int what, int* value) override {
1113 if (what == NATIVE_WINDOW_QUEUES_TO_WINDOW_COMPOSER) {
1114 *value = 1;
1115 return NO_ERROR;
1116 }
1117 return BufferQueueProducer::query(what, value);
1118 }
1119
1120 private:
1121 const wp<BLASTBufferQueue> mBLASTBufferQueue;
1122 };
1123
1124 // Similar to BufferQueue::createBufferQueue but creates an adapter specific bufferqueue producer.
1125 // This BQP allows invoking client specified ProducerListeners and invoke them asynchronously,
1126 // emulating one way binder call behavior. Without this, if the listener calls back into the queue,
1127 // we can deadlock.
createBufferQueue(sp<IGraphicBufferProducer> * outProducer,sp<IGraphicBufferConsumer> * outConsumer)1128 void BLASTBufferQueue::createBufferQueue(sp<IGraphicBufferProducer>* outProducer,
1129 sp<IGraphicBufferConsumer>* outConsumer) {
1130 LOG_ALWAYS_FATAL_IF(outProducer == nullptr, "BLASTBufferQueue: outProducer must not be NULL");
1131 LOG_ALWAYS_FATAL_IF(outConsumer == nullptr, "BLASTBufferQueue: outConsumer must not be NULL");
1132
1133 sp<BufferQueueCore> core(new BufferQueueCore());
1134 LOG_ALWAYS_FATAL_IF(core == nullptr, "BLASTBufferQueue: failed to create BufferQueueCore");
1135
1136 sp<IGraphicBufferProducer> producer(new BBQBufferQueueProducer(core, this));
1137 LOG_ALWAYS_FATAL_IF(producer == nullptr,
1138 "BLASTBufferQueue: failed to create BBQBufferQueueProducer");
1139
1140 sp<BufferQueueConsumer> consumer(new BufferQueueConsumer(core));
1141 consumer->setAllowExtraAcquire(true);
1142 LOG_ALWAYS_FATAL_IF(consumer == nullptr,
1143 "BLASTBufferQueue: failed to create BufferQueueConsumer");
1144
1145 *outProducer = producer;
1146 *outConsumer = consumer;
1147 }
1148
resizeFrameEventHistory(size_t newSize)1149 void BLASTBufferQueue::resizeFrameEventHistory(size_t newSize) {
1150 // This can be null during creation of the buffer queue, but resizing won't do anything at that
1151 // point in time, so just ignore. This can go away once the class relationships and lifetimes of
1152 // objects are cleaned up with a major refactor of BufferQueue as a whole.
1153 if (mBufferItemConsumer != nullptr) {
1154 std::unique_lock _lock{mMutex};
1155 mBufferItemConsumer->resizeFrameEventHistory(newSize);
1156 }
1157 }
1158
convertBufferFormat(PixelFormat & format)1159 PixelFormat BLASTBufferQueue::convertBufferFormat(PixelFormat& format) {
1160 PixelFormat convertedFormat = format;
1161 switch (format) {
1162 case PIXEL_FORMAT_TRANSPARENT:
1163 case PIXEL_FORMAT_TRANSLUCENT:
1164 convertedFormat = PIXEL_FORMAT_RGBA_8888;
1165 break;
1166 case PIXEL_FORMAT_OPAQUE:
1167 convertedFormat = PIXEL_FORMAT_RGBX_8888;
1168 break;
1169 }
1170 return convertedFormat;
1171 }
1172
getLastTransformHint() const1173 uint32_t BLASTBufferQueue::getLastTransformHint() const {
1174 std::lock_guard _lock{mMutex};
1175 if (mSurfaceControl != nullptr) {
1176 return mSurfaceControl->getTransformHint();
1177 } else {
1178 return 0;
1179 }
1180 }
1181
getLastAcquiredFrameNum()1182 uint64_t BLASTBufferQueue::getLastAcquiredFrameNum() {
1183 std::lock_guard _lock{mMutex};
1184 return mLastAcquiredFrameNumber;
1185 }
1186
isSameSurfaceControl(const sp<SurfaceControl> & surfaceControl) const1187 bool BLASTBufferQueue::isSameSurfaceControl(const sp<SurfaceControl>& surfaceControl) const {
1188 std::lock_guard _lock{mMutex};
1189 return SurfaceControl::isSameSurface(mSurfaceControl, surfaceControl);
1190 }
1191
setTransactionHangCallback(std::function<void (const std::string &)> callback)1192 void BLASTBufferQueue::setTransactionHangCallback(
1193 std::function<void(const std::string&)> callback) {
1194 std::lock_guard _lock{mMutex};
1195 mTransactionHangCallback = callback;
1196 }
1197
1198 } // namespace android
1199