1 /*
2 * Copyright (C) 2016 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 "CamDevSession@3.2-impl"
18 #include <android/log.h>
19
20 #include <set>
21 #include <utils/Trace.h>
22 #include <hardware/gralloc.h>
23 #include <hardware/gralloc1.h>
24 #include "CameraDeviceSession.h"
25
26 namespace android {
27 namespace hardware {
28 namespace camera {
29 namespace device {
30 namespace V3_2 {
31 namespace implementation {
32
33 // Size of request metadata fast message queue. Change to 0 to always use hwbinder buffer.
34 static constexpr size_t CAMERA_REQUEST_METADATA_QUEUE_SIZE = 1 << 20 /* 1MB */;
35 // Size of result metadata fast message queue. Change to 0 to always use hwbinder buffer.
36 static constexpr size_t CAMERA_RESULT_METADATA_QUEUE_SIZE = 1 << 20 /* 1MB */;
37
38 HandleImporter CameraDeviceSession::sHandleImporter;
39 const int CameraDeviceSession::ResultBatcher::NOT_BATCHED;
40
CameraDeviceSession(camera3_device_t * device,const camera_metadata_t * deviceInfo,const sp<ICameraDeviceCallback> & callback)41 CameraDeviceSession::CameraDeviceSession(
42 camera3_device_t* device,
43 const camera_metadata_t* deviceInfo,
44 const sp<ICameraDeviceCallback>& callback) :
45 camera3_callback_ops({&sProcessCaptureResult, &sNotify}),
46 mDevice(device),
47 mDeviceVersion(device->common.version),
48 mIsAELockAvailable(false),
49 mDerivePostRawSensKey(false),
50 mNumPartialResults(1),
51 mResultBatcher(callback) {
52 mDeviceInfo = deviceInfo;
53 camera_metadata_entry partialResultsCount =
54 mDeviceInfo.find(ANDROID_REQUEST_PARTIAL_RESULT_COUNT);
55 if (partialResultsCount.count > 0) {
56 mNumPartialResults = partialResultsCount.data.i32[0];
57 }
58 mResultBatcher.setNumPartialResults(mNumPartialResults);
59
60 camera_metadata_entry aeLockAvailableEntry = mDeviceInfo.find(
61 ANDROID_CONTROL_AE_LOCK_AVAILABLE);
62 if (aeLockAvailableEntry.count > 0) {
63 mIsAELockAvailable = (aeLockAvailableEntry.data.u8[0] ==
64 ANDROID_CONTROL_AE_LOCK_AVAILABLE_TRUE);
65 }
66
67 // Determine whether we need to derive sensitivity boost values for older devices.
68 // If post-RAW sensitivity boost range is listed, so should post-raw sensitivity control
69 // be listed (as the default value 100)
70 if (mDeviceInfo.exists(ANDROID_CONTROL_POST_RAW_SENSITIVITY_BOOST_RANGE)) {
71 mDerivePostRawSensKey = true;
72 }
73
74 mInitFail = initialize();
75 }
76
initialize()77 bool CameraDeviceSession::initialize() {
78 /** Initialize device with callback functions */
79 ATRACE_BEGIN("camera3->initialize");
80 status_t res = mDevice->ops->initialize(mDevice, this);
81 ATRACE_END();
82
83 if (res != OK) {
84 ALOGE("%s: Unable to initialize HAL device: %s (%d)",
85 __FUNCTION__, strerror(-res), res);
86 mDevice->common.close(&mDevice->common);
87 mClosed = true;
88 return true;
89 }
90
91 mRequestMetadataQueue = std::make_unique<RequestMetadataQueue>(
92 CAMERA_REQUEST_METADATA_QUEUE_SIZE, false /* non blocking */);
93 if (!mRequestMetadataQueue->isValid()) {
94 ALOGE("%s: invalid request fmq", __FUNCTION__);
95 return true;
96 }
97 mResultMetadataQueue = std::make_shared<RequestMetadataQueue>(
98 CAMERA_RESULT_METADATA_QUEUE_SIZE, false /* non blocking */);
99 if (!mResultMetadataQueue->isValid()) {
100 ALOGE("%s: invalid result fmq", __FUNCTION__);
101 return true;
102 }
103 mResultBatcher.setResultMetadataQueue(mResultMetadataQueue);
104
105 return false;
106 }
107
~CameraDeviceSession()108 CameraDeviceSession::~CameraDeviceSession() {
109 if (!isClosed()) {
110 ALOGE("CameraDeviceSession deleted before close!");
111 close();
112 }
113 }
114
isClosed()115 bool CameraDeviceSession::isClosed() {
116 Mutex::Autolock _l(mStateLock);
117 return mClosed;
118 }
119
initStatus() const120 Status CameraDeviceSession::initStatus() const {
121 Mutex::Autolock _l(mStateLock);
122 Status status = Status::OK;
123 if (mInitFail) {
124 status = Status::INTERNAL_ERROR;
125 } else if (mDisconnected) {
126 status = Status::CAMERA_DISCONNECTED;
127 } else if (mClosed) {
128 status = Status::INTERNAL_ERROR;
129 }
130 return status;
131 }
132
disconnect()133 void CameraDeviceSession::disconnect() {
134 Mutex::Autolock _l(mStateLock);
135 mDisconnected = true;
136 ALOGW("%s: Camera device is disconnected. Closing.", __FUNCTION__);
137 if (!mClosed) {
138 mDevice->common.close(&mDevice->common);
139 mClosed = true;
140 }
141 }
142
dumpState(const native_handle_t * fd)143 void CameraDeviceSession::dumpState(const native_handle_t* fd) {
144 if (!isClosed()) {
145 mDevice->ops->dump(mDevice, fd->data[0]);
146 }
147 }
148
149 /**
150 * For devices <= CAMERA_DEVICE_API_VERSION_3_2, AE_PRECAPTURE_TRIGGER_CANCEL is not supported so
151 * we need to override AE_PRECAPTURE_TRIGGER_CANCEL to AE_PRECAPTURE_TRIGGER_IDLE and AE_LOCK_OFF
152 * to AE_LOCK_ON to start cancelling AE precapture. If AE lock is not available, it still overrides
153 * AE_PRECAPTURE_TRIGGER_CANCEL to AE_PRECAPTURE_TRIGGER_IDLE but doesn't add AE_LOCK_ON to the
154 * request.
155 */
handleAePrecaptureCancelRequestLocked(const camera3_capture_request_t & halRequest,::android::hardware::camera::common::V1_0::helper::CameraMetadata * settings,AETriggerCancelOverride * override)156 bool CameraDeviceSession::handleAePrecaptureCancelRequestLocked(
157 const camera3_capture_request_t &halRequest,
158 ::android::hardware::camera::common::V1_0::helper::CameraMetadata *settings /*out*/,
159 AETriggerCancelOverride *override /*out*/) {
160 if ((mDeviceVersion > CAMERA_DEVICE_API_VERSION_3_2) ||
161 (nullptr == halRequest.settings) || (nullptr == settings) ||
162 (0 == get_camera_metadata_entry_count(halRequest.settings))) {
163 return false;
164 }
165
166 settings->clear();
167 settings->append(halRequest.settings);
168 camera_metadata_entry_t aePrecaptureTrigger =
169 settings->find(ANDROID_CONTROL_AE_PRECAPTURE_TRIGGER);
170 if (aePrecaptureTrigger.count > 0 &&
171 aePrecaptureTrigger.data.u8[0] ==
172 ANDROID_CONTROL_AE_PRECAPTURE_TRIGGER_CANCEL) {
173 // Always override CANCEL to IDLE
174 uint8_t aePrecaptureTrigger =
175 ANDROID_CONTROL_AE_PRECAPTURE_TRIGGER_IDLE;
176 settings->update(ANDROID_CONTROL_AE_PRECAPTURE_TRIGGER,
177 &aePrecaptureTrigger, 1);
178 *override = { false, ANDROID_CONTROL_AE_LOCK_OFF,
179 true, ANDROID_CONTROL_AE_PRECAPTURE_TRIGGER_CANCEL };
180
181 if (mIsAELockAvailable == true) {
182 camera_metadata_entry_t aeLock = settings->find(
183 ANDROID_CONTROL_AE_LOCK);
184 if (aeLock.count == 0 || aeLock.data.u8[0] ==
185 ANDROID_CONTROL_AE_LOCK_OFF) {
186 uint8_t aeLock = ANDROID_CONTROL_AE_LOCK_ON;
187 settings->update(ANDROID_CONTROL_AE_LOCK, &aeLock, 1);
188 override->applyAeLock = true;
189 override->aeLock = ANDROID_CONTROL_AE_LOCK_OFF;
190 }
191 }
192
193 return true;
194 }
195
196 return false;
197 }
198
199 /**
200 * Override result metadata for cancelling AE precapture trigger applied in
201 * handleAePrecaptureCancelRequestLocked().
202 */
overrideResultForPrecaptureCancelLocked(const AETriggerCancelOverride & aeTriggerCancelOverride,::android::hardware::camera::common::V1_0::helper::CameraMetadata * settings)203 void CameraDeviceSession::overrideResultForPrecaptureCancelLocked(
204 const AETriggerCancelOverride &aeTriggerCancelOverride,
205 ::android::hardware::camera::common::V1_0::helper::CameraMetadata *settings /*out*/) {
206 if (aeTriggerCancelOverride.applyAeLock) {
207 // Only devices <= v3.2 should have this override
208 assert(mDeviceVersion <= CAMERA_DEVICE_API_VERSION_3_2);
209 settings->update(ANDROID_CONTROL_AE_LOCK, &aeTriggerCancelOverride.aeLock, 1);
210 }
211
212 if (aeTriggerCancelOverride.applyAePrecaptureTrigger) {
213 // Only devices <= v3.2 should have this override
214 assert(mDeviceVersion <= CAMERA_DEVICE_API_VERSION_3_2);
215 settings->update(ANDROID_CONTROL_AE_PRECAPTURE_TRIGGER,
216 &aeTriggerCancelOverride.aePrecaptureTrigger, 1);
217 }
218 }
219
importRequest(const CaptureRequest & request,hidl_vec<buffer_handle_t * > & allBufPtrs,hidl_vec<int> & allFences)220 Status CameraDeviceSession::importRequest(
221 const CaptureRequest& request,
222 hidl_vec<buffer_handle_t*>& allBufPtrs,
223 hidl_vec<int>& allFences) {
224 bool hasInputBuf = (request.inputBuffer.streamId != -1 &&
225 request.inputBuffer.bufferId != 0);
226 size_t numOutputBufs = request.outputBuffers.size();
227 size_t numBufs = numOutputBufs + (hasInputBuf ? 1 : 0);
228 // Validate all I/O buffers
229 hidl_vec<buffer_handle_t> allBufs;
230 hidl_vec<uint64_t> allBufIds;
231 allBufs.resize(numBufs);
232 allBufIds.resize(numBufs);
233 allBufPtrs.resize(numBufs);
234 allFences.resize(numBufs);
235 std::vector<int32_t> streamIds(numBufs);
236
237 for (size_t i = 0; i < numOutputBufs; i++) {
238 allBufs[i] = request.outputBuffers[i].buffer.getNativeHandle();
239 allBufIds[i] = request.outputBuffers[i].bufferId;
240 allBufPtrs[i] = &allBufs[i];
241 streamIds[i] = request.outputBuffers[i].streamId;
242 }
243 if (hasInputBuf) {
244 allBufs[numOutputBufs] = request.inputBuffer.buffer.getNativeHandle();
245 allBufIds[numOutputBufs] = request.inputBuffer.bufferId;
246 allBufPtrs[numOutputBufs] = &allBufs[numOutputBufs];
247 streamIds[numOutputBufs] = request.inputBuffer.streamId;
248 }
249
250 for (size_t i = 0; i < numBufs; i++) {
251 buffer_handle_t buf = allBufs[i];
252 uint64_t bufId = allBufIds[i];
253 CirculatingBuffers& cbs = mCirculatingBuffers[streamIds[i]];
254 if (cbs.count(bufId) == 0) {
255 if (buf == nullptr) {
256 ALOGE("%s: bufferId %" PRIu64 " has null buffer handle!", __FUNCTION__, bufId);
257 return Status::ILLEGAL_ARGUMENT;
258 }
259 // Register a newly seen buffer
260 buffer_handle_t importedBuf = buf;
261 sHandleImporter.importBuffer(importedBuf);
262 if (importedBuf == nullptr) {
263 ALOGE("%s: output buffer %zu is invalid!", __FUNCTION__, i);
264 return Status::INTERNAL_ERROR;
265 } else {
266 cbs[bufId] = importedBuf;
267 }
268 }
269 allBufPtrs[i] = &cbs[bufId];
270 }
271
272 // All buffers are imported. Now validate output buffer acquire fences
273 for (size_t i = 0; i < numOutputBufs; i++) {
274 if (!sHandleImporter.importFence(
275 request.outputBuffers[i].acquireFence, allFences[i])) {
276 ALOGE("%s: output buffer %zu acquire fence is invalid", __FUNCTION__, i);
277 cleanupInflightFences(allFences, i);
278 return Status::INTERNAL_ERROR;
279 }
280 }
281
282 // Validate input buffer acquire fences
283 if (hasInputBuf) {
284 if (!sHandleImporter.importFence(
285 request.inputBuffer.acquireFence, allFences[numOutputBufs])) {
286 ALOGE("%s: input buffer acquire fence is invalid", __FUNCTION__);
287 cleanupInflightFences(allFences, numOutputBufs);
288 return Status::INTERNAL_ERROR;
289 }
290 }
291 return Status::OK;
292 }
293
cleanupInflightFences(hidl_vec<int> & allFences,size_t numFences)294 void CameraDeviceSession::cleanupInflightFences(
295 hidl_vec<int>& allFences, size_t numFences) {
296 for (size_t j = 0; j < numFences; j++) {
297 sHandleImporter.closeFence(allFences[j]);
298 }
299 }
300
ResultBatcher(const sp<ICameraDeviceCallback> & callback)301 CameraDeviceSession::ResultBatcher::ResultBatcher(
302 const sp<ICameraDeviceCallback>& callback) : mCallback(callback) {};
303
allDelivered() const304 bool CameraDeviceSession::ResultBatcher::InflightBatch::allDelivered() const {
305 if (!mShutterDelivered) return false;
306
307 if (mPartialResultProgress < mNumPartialResults) {
308 return false;
309 }
310
311 for (const auto& pair : mBatchBufs) {
312 if (!pair.second.mDelivered) {
313 return false;
314 }
315 }
316 return true;
317 }
318
setNumPartialResults(uint32_t n)319 void CameraDeviceSession::ResultBatcher::setNumPartialResults(uint32_t n) {
320 Mutex::Autolock _l(mLock);
321 mNumPartialResults = n;
322 }
323
setBatchedStreams(const std::vector<int> & streamsToBatch)324 void CameraDeviceSession::ResultBatcher::setBatchedStreams(
325 const std::vector<int>& streamsToBatch) {
326 Mutex::Autolock _l(mLock);
327 mStreamsToBatch = streamsToBatch;
328 }
329
setResultMetadataQueue(std::shared_ptr<ResultMetadataQueue> q)330 void CameraDeviceSession::ResultBatcher::setResultMetadataQueue(
331 std::shared_ptr<ResultMetadataQueue> q) {
332 Mutex::Autolock _l(mLock);
333 mResultMetadataQueue = q;
334 }
335
registerBatch(const hidl_vec<CaptureRequest> & requests)336 void CameraDeviceSession::ResultBatcher::registerBatch(
337 const hidl_vec<CaptureRequest>& requests) {
338 auto batch = std::make_shared<InflightBatch>();
339 batch->mFirstFrame = requests[0].frameNumber;
340 batch->mBatchSize = requests.size();
341 batch->mLastFrame = batch->mFirstFrame + batch->mBatchSize - 1;
342 batch->mNumPartialResults = mNumPartialResults;
343 for (int id : mStreamsToBatch) {
344 batch->mBatchBufs.emplace(id, batch->mBatchSize);
345 }
346 Mutex::Autolock _l(mLock);
347 mInflightBatches.push_back(batch);
348 }
349
350 std::pair<int, std::shared_ptr<CameraDeviceSession::ResultBatcher::InflightBatch>>
getBatch(uint32_t frameNumber)351 CameraDeviceSession::ResultBatcher::getBatch(
352 uint32_t frameNumber) {
353 Mutex::Autolock _l(mLock);
354 int numBatches = mInflightBatches.size();
355 if (numBatches == 0) {
356 return std::make_pair(NOT_BATCHED, nullptr);
357 }
358 uint32_t frameMin = mInflightBatches[0]->mFirstFrame;
359 uint32_t frameMax = mInflightBatches[numBatches - 1]->mLastFrame;
360 if (frameNumber < frameMin || frameNumber > frameMax) {
361 return std::make_pair(NOT_BATCHED, nullptr);
362 }
363 for (int i = 0; i < numBatches; i++) {
364 if (frameNumber >= mInflightBatches[i]->mFirstFrame &&
365 frameNumber <= mInflightBatches[i]->mLastFrame) {
366 return std::make_pair(i, mInflightBatches[i]);
367 }
368 }
369 return std::make_pair(NOT_BATCHED, nullptr);
370 }
371
checkAndRemoveFirstBatch()372 void CameraDeviceSession::ResultBatcher::checkAndRemoveFirstBatch() {
373 Mutex::Autolock _l(mLock);
374 if (mInflightBatches.size() > 0) {
375 std::shared_ptr<InflightBatch> batch = mInflightBatches[0];
376 bool shouldRemove = false;
377 {
378 Mutex::Autolock _l(batch->mLock);
379 if (batch->allDelivered()) {
380 batch->mRemoved = true;
381 shouldRemove = true;
382 }
383 }
384 if (shouldRemove) {
385 mInflightBatches.pop_front();
386 }
387 }
388 }
389
sendBatchShutterCbsLocked(std::shared_ptr<InflightBatch> batch)390 void CameraDeviceSession::ResultBatcher::sendBatchShutterCbsLocked(
391 std::shared_ptr<InflightBatch> batch) {
392 if (batch->mShutterDelivered) {
393 ALOGW("%s: batch shutter callback already sent!", __FUNCTION__);
394 return;
395 }
396
397 mCallback->notify(batch->mShutterMsgs);
398 batch->mShutterDelivered = true;
399 batch->mShutterMsgs.clear();
400 }
401
freeReleaseFences(hidl_vec<CaptureResult> & results)402 void CameraDeviceSession::ResultBatcher::freeReleaseFences(hidl_vec<CaptureResult>& results) {
403 for (auto& result : results) {
404 if (result.inputBuffer.releaseFence.getNativeHandle() != nullptr) {
405 native_handle_t* handle = const_cast<native_handle_t*>(
406 result.inputBuffer.releaseFence.getNativeHandle());
407 native_handle_close(handle);
408 native_handle_delete(handle);
409 }
410 for (auto& buf : result.outputBuffers) {
411 if (buf.releaseFence.getNativeHandle() != nullptr) {
412 native_handle_t* handle = const_cast<native_handle_t*>(
413 buf.releaseFence.getNativeHandle());
414 native_handle_close(handle);
415 native_handle_delete(handle);
416 }
417 }
418 }
419 return;
420 }
421
moveStreamBuffer(StreamBuffer && src,StreamBuffer & dst)422 void CameraDeviceSession::ResultBatcher::moveStreamBuffer(StreamBuffer&& src, StreamBuffer& dst) {
423 // Only dealing with releaseFence here. Assume buffer/acquireFence are null
424 const native_handle_t* handle = src.releaseFence.getNativeHandle();
425 src.releaseFence = nullptr;
426 dst = src;
427 dst.releaseFence = handle;
428 if (handle != dst.releaseFence.getNativeHandle()) {
429 ALOGE("%s: native handle cloned!", __FUNCTION__);
430 }
431 }
432
pushStreamBuffer(StreamBuffer && src,std::vector<StreamBuffer> & dst)433 void CameraDeviceSession::ResultBatcher::pushStreamBuffer(
434 StreamBuffer&& src, std::vector<StreamBuffer>& dst) {
435 // Only dealing with releaseFence here. Assume buffer/acquireFence are null
436 const native_handle_t* handle = src.releaseFence.getNativeHandle();
437 src.releaseFence = nullptr;
438 dst.push_back(src);
439 dst.back().releaseFence = handle;
440 if (handle != dst.back().releaseFence.getNativeHandle()) {
441 ALOGE("%s: native handle cloned!", __FUNCTION__);
442 }
443 }
444
sendBatchBuffersLocked(std::shared_ptr<InflightBatch> batch)445 void CameraDeviceSession::ResultBatcher::sendBatchBuffersLocked(
446 std::shared_ptr<InflightBatch> batch) {
447 sendBatchBuffersLocked(batch, mStreamsToBatch);
448 }
449
sendBatchBuffersLocked(std::shared_ptr<InflightBatch> batch,const std::vector<int> & streams)450 void CameraDeviceSession::ResultBatcher::sendBatchBuffersLocked(
451 std::shared_ptr<InflightBatch> batch, const std::vector<int>& streams) {
452 size_t batchSize = 0;
453 for (int streamId : streams) {
454 auto it = batch->mBatchBufs.find(streamId);
455 if (it != batch->mBatchBufs.end()) {
456 InflightBatch::BufferBatch& bb = it->second;
457 if (bb.mDelivered) {
458 continue;
459 }
460 if (bb.mBuffers.size() > batchSize) {
461 batchSize = bb.mBuffers.size();
462 }
463 } else {
464 ALOGE("%s: stream ID %d is not batched!", __FUNCTION__, streamId);
465 return;
466 }
467 }
468
469 if (batchSize == 0) {
470 ALOGW("%s: there is no buffer to be delivered for this batch.", __FUNCTION__);
471 for (int streamId : streams) {
472 auto it = batch->mBatchBufs.find(streamId);
473 if (it == batch->mBatchBufs.end()) {
474 ALOGE("%s: cannot find stream %d in batched buffers!", __FUNCTION__, streamId);
475 return;
476 }
477 InflightBatch::BufferBatch& bb = it->second;
478 bb.mDelivered = true;
479 }
480 return;
481 }
482
483 hidl_vec<CaptureResult> results;
484 results.resize(batchSize);
485 for (size_t i = 0; i < batchSize; i++) {
486 results[i].frameNumber = batch->mFirstFrame + i;
487 results[i].fmqResultSize = 0;
488 results[i].partialResult = 0; // 0 for buffer only results
489 results[i].inputBuffer.streamId = -1;
490 results[i].inputBuffer.bufferId = 0;
491 results[i].inputBuffer.buffer = nullptr;
492 std::vector<StreamBuffer> outBufs;
493 outBufs.reserve(streams.size());
494 for (int streamId : streams) {
495 auto it = batch->mBatchBufs.find(streamId);
496 if (it == batch->mBatchBufs.end()) {
497 ALOGE("%s: cannot find stream %d in batched buffers!", __FUNCTION__, streamId);
498 return;
499 }
500 InflightBatch::BufferBatch& bb = it->second;
501 if (bb.mDelivered) {
502 continue;
503 }
504 if (i < bb.mBuffers.size()) {
505 pushStreamBuffer(std::move(bb.mBuffers[i]), outBufs);
506 }
507 }
508 results[i].outputBuffers.resize(outBufs.size());
509 for (size_t j = 0; j < outBufs.size(); j++) {
510 moveStreamBuffer(std::move(outBufs[j]), results[i].outputBuffers[j]);
511 }
512 }
513 invokeProcessCaptureResultCallback(results, /* tryWriteFmq */false);
514 freeReleaseFences(results);
515 for (int streamId : streams) {
516 auto it = batch->mBatchBufs.find(streamId);
517 if (it == batch->mBatchBufs.end()) {
518 ALOGE("%s: cannot find stream %d in batched buffers!", __FUNCTION__, streamId);
519 return;
520 }
521 InflightBatch::BufferBatch& bb = it->second;
522 bb.mDelivered = true;
523 bb.mBuffers.clear();
524 }
525 }
526
sendBatchMetadataLocked(std::shared_ptr<InflightBatch> batch,uint32_t lastPartialResultIdx)527 void CameraDeviceSession::ResultBatcher::sendBatchMetadataLocked(
528 std::shared_ptr<InflightBatch> batch, uint32_t lastPartialResultIdx) {
529 if (lastPartialResultIdx <= batch->mPartialResultProgress) {
530 // Result has been delivered. Return
531 ALOGW("%s: partial result %u has been delivered", __FUNCTION__, lastPartialResultIdx);
532 return;
533 }
534
535 std::vector<CaptureResult> results;
536 std::vector<uint32_t> toBeRemovedIdxes;
537 for (auto& pair : batch->mResultMds) {
538 uint32_t partialIdx = pair.first;
539 if (partialIdx > lastPartialResultIdx) {
540 continue;
541 }
542 toBeRemovedIdxes.push_back(partialIdx);
543 InflightBatch::MetadataBatch& mb = pair.second;
544 for (const auto& p : mb.mMds) {
545 CaptureResult result;
546 result.frameNumber = p.first;
547 result.result = std::move(p.second);
548 result.fmqResultSize = 0;
549 result.inputBuffer.streamId = -1;
550 result.inputBuffer.bufferId = 0;
551 result.inputBuffer.buffer = nullptr;
552 result.partialResult = partialIdx;
553 results.push_back(std::move(result));
554 }
555 mb.mMds.clear();
556 }
557 hidl_vec<CaptureResult> hResults;
558 hResults.setToExternal(results.data(), results.size());
559 invokeProcessCaptureResultCallback(hResults, /* tryWriteFmq */true);
560 batch->mPartialResultProgress = lastPartialResultIdx;
561 for (uint32_t partialIdx : toBeRemovedIdxes) {
562 batch->mResultMds.erase(partialIdx);
563 }
564 }
565
notifySingleMsg(NotifyMsg & msg)566 void CameraDeviceSession::ResultBatcher::notifySingleMsg(NotifyMsg& msg) {
567 mCallback->notify({msg});
568 return;
569 }
570
notify(NotifyMsg & msg)571 void CameraDeviceSession::ResultBatcher::notify(NotifyMsg& msg) {
572 uint32_t frameNumber;
573 if (CC_LIKELY(msg.type == MsgType::SHUTTER)) {
574 frameNumber = msg.msg.shutter.frameNumber;
575 } else {
576 frameNumber = msg.msg.error.frameNumber;
577 }
578
579 auto pair = getBatch(frameNumber);
580 int batchIdx = pair.first;
581 if (batchIdx == NOT_BATCHED) {
582 notifySingleMsg(msg);
583 return;
584 }
585
586 // When error happened, stop batching for all batches earlier
587 if (CC_UNLIKELY(msg.type == MsgType::ERROR)) {
588 Mutex::Autolock _l(mLock);
589 for (int i = 0; i <= batchIdx; i++) {
590 // Send batched data up
591 std::shared_ptr<InflightBatch> batch = mInflightBatches[0];
592 {
593 Mutex::Autolock _l(batch->mLock);
594 sendBatchShutterCbsLocked(batch);
595 sendBatchBuffersLocked(batch);
596 sendBatchMetadataLocked(batch, mNumPartialResults);
597 if (!batch->allDelivered()) {
598 ALOGE("%s: error: some batch data not sent back to framework!",
599 __FUNCTION__);
600 }
601 batch->mRemoved = true;
602 }
603 mInflightBatches.pop_front();
604 }
605 // Send the error up
606 notifySingleMsg(msg);
607 return;
608 }
609 // Queue shutter callbacks for future delivery
610 std::shared_ptr<InflightBatch> batch = pair.second;
611 {
612 Mutex::Autolock _l(batch->mLock);
613 // Check if the batch is removed (mostly by notify error) before lock was acquired
614 if (batch->mRemoved) {
615 // Fall back to non-batch path
616 notifySingleMsg(msg);
617 return;
618 }
619
620 batch->mShutterMsgs.push_back(msg);
621 if (frameNumber == batch->mLastFrame) {
622 sendBatchShutterCbsLocked(batch);
623 }
624 } // end of batch lock scope
625
626 // see if the batch is complete
627 if (frameNumber == batch->mLastFrame) {
628 checkAndRemoveFirstBatch();
629 }
630 }
631
invokeProcessCaptureResultCallback(hidl_vec<CaptureResult> & results,bool tryWriteFmq)632 void CameraDeviceSession::ResultBatcher::invokeProcessCaptureResultCallback(
633 hidl_vec<CaptureResult> &results, bool tryWriteFmq) {
634 if (mProcessCaptureResultLock.tryLock() != OK) {
635 ALOGV("%s: previous call is not finished! waiting 1s...", __FUNCTION__);
636 if (mProcessCaptureResultLock.timedLock(1000000000 /* 1s */) != OK) {
637 ALOGE("%s: cannot acquire lock in 1s, cannot proceed",
638 __FUNCTION__);
639 return;
640 }
641 }
642 if (tryWriteFmq && mResultMetadataQueue->availableToWrite() > 0) {
643 for (CaptureResult &result : results) {
644 if (result.result.size() > 0) {
645 if (mResultMetadataQueue->write(result.result.data(), result.result.size())) {
646 result.fmqResultSize = result.result.size();
647 result.result.resize(0);
648 } else {
649 ALOGW("%s: couldn't utilize fmq, fall back to hwbinder", __FUNCTION__);
650 result.fmqResultSize = 0;
651 }
652 }
653 }
654 }
655 mCallback->processCaptureResult(results);
656 mProcessCaptureResultLock.unlock();
657 }
658
processOneCaptureResult(CaptureResult & result)659 void CameraDeviceSession::ResultBatcher::processOneCaptureResult(CaptureResult& result) {
660 hidl_vec<CaptureResult> results;
661 results.resize(1);
662 results[0] = std::move(result);
663 invokeProcessCaptureResultCallback(results, /* tryWriteFmq */true);
664 freeReleaseFences(results);
665 return;
666 }
667
processCaptureResult(CaptureResult & result)668 void CameraDeviceSession::ResultBatcher::processCaptureResult(CaptureResult& result) {
669 auto pair = getBatch(result.frameNumber);
670 int batchIdx = pair.first;
671 if (batchIdx == NOT_BATCHED) {
672 processOneCaptureResult(result);
673 return;
674 }
675 std::shared_ptr<InflightBatch> batch = pair.second;
676 {
677 Mutex::Autolock _l(batch->mLock);
678 // Check if the batch is removed (mostly by notify error) before lock was acquired
679 if (batch->mRemoved) {
680 // Fall back to non-batch path
681 processOneCaptureResult(result);
682 return;
683 }
684
685 // queue metadata
686 if (result.result.size() != 0) {
687 // Save a copy of metadata
688 batch->mResultMds[result.partialResult].mMds.push_back(
689 std::make_pair(result.frameNumber, result.result));
690 }
691
692 // queue buffer
693 std::vector<int> filledStreams;
694 std::vector<StreamBuffer> nonBatchedBuffers;
695 for (auto& buffer : result.outputBuffers) {
696 auto it = batch->mBatchBufs.find(buffer.streamId);
697 if (it != batch->mBatchBufs.end()) {
698 InflightBatch::BufferBatch& bb = it->second;
699 pushStreamBuffer(std::move(buffer), bb.mBuffers);
700 filledStreams.push_back(buffer.streamId);
701 } else {
702 pushStreamBuffer(std::move(buffer), nonBatchedBuffers);
703 }
704 }
705
706 // send non-batched buffers up
707 if (nonBatchedBuffers.size() > 0 || result.inputBuffer.streamId != -1) {
708 CaptureResult nonBatchedResult;
709 nonBatchedResult.frameNumber = result.frameNumber;
710 nonBatchedResult.fmqResultSize = 0;
711 nonBatchedResult.outputBuffers.resize(nonBatchedBuffers.size());
712 for (size_t i = 0; i < nonBatchedBuffers.size(); i++) {
713 moveStreamBuffer(
714 std::move(nonBatchedBuffers[i]), nonBatchedResult.outputBuffers[i]);
715 }
716 moveStreamBuffer(std::move(result.inputBuffer), nonBatchedResult.inputBuffer);
717 nonBatchedResult.partialResult = 0; // 0 for buffer only results
718 processOneCaptureResult(nonBatchedResult);
719 }
720
721 if (result.frameNumber == batch->mLastFrame) {
722 // Send data up
723 if (result.partialResult > 0) {
724 sendBatchMetadataLocked(batch, result.partialResult);
725 }
726 // send buffer up
727 if (filledStreams.size() > 0) {
728 sendBatchBuffersLocked(batch, filledStreams);
729 }
730 }
731 } // end of batch lock scope
732
733 // see if the batch is complete
734 if (result.frameNumber == batch->mLastFrame) {
735 checkAndRemoveFirstBatch();
736 }
737 }
738
739 // Methods from ::android::hardware::camera::device::V3_2::ICameraDeviceSession follow.
constructDefaultRequestSettings(RequestTemplate type,ICameraDeviceSession::constructDefaultRequestSettings_cb _hidl_cb)740 Return<void> CameraDeviceSession::constructDefaultRequestSettings(
741 RequestTemplate type, ICameraDeviceSession::constructDefaultRequestSettings_cb _hidl_cb) {
742 Status status = initStatus();
743 CameraMetadata outMetadata;
744 const camera_metadata_t *rawRequest;
745 if (status == Status::OK) {
746 ATRACE_BEGIN("camera3->construct_default_request_settings");
747 rawRequest = mDevice->ops->construct_default_request_settings(mDevice, (int) type);
748 ATRACE_END();
749 if (rawRequest == nullptr) {
750 ALOGI("%s: template %d is not supported on this camera device",
751 __FUNCTION__, type);
752 status = Status::ILLEGAL_ARGUMENT;
753 } else {
754 mOverridenRequest.clear();
755 mOverridenRequest.append(rawRequest);
756 // Derive some new keys for backward compatibility
757 if (mDerivePostRawSensKey && !mOverridenRequest.exists(
758 ANDROID_CONTROL_POST_RAW_SENSITIVITY_BOOST)) {
759 int32_t defaultBoost[1] = {100};
760 mOverridenRequest.update(
761 ANDROID_CONTROL_POST_RAW_SENSITIVITY_BOOST,
762 defaultBoost, 1);
763 const camera_metadata_t *metaBuffer =
764 mOverridenRequest.getAndLock();
765 convertToHidl(metaBuffer, &outMetadata);
766 mOverridenRequest.unlock(metaBuffer);
767 } else {
768 convertToHidl(rawRequest, &outMetadata);
769 }
770 }
771 }
772 _hidl_cb(status, outMetadata);
773 return Void();
774 }
775
776 /**
777 * Map Android N dataspace definitions back to Android M definitions, for
778 * use with HALv3.3 or older.
779 *
780 * Only map where correspondences exist, and otherwise preserve the value.
781 */
mapToLegacyDataspace(android_dataspace dataSpace) const782 android_dataspace CameraDeviceSession::mapToLegacyDataspace(
783 android_dataspace dataSpace) const {
784 if (mDeviceVersion <= CAMERA_DEVICE_API_VERSION_3_3) {
785 switch (dataSpace) {
786 case HAL_DATASPACE_V0_SRGB_LINEAR:
787 return HAL_DATASPACE_SRGB_LINEAR;
788 case HAL_DATASPACE_V0_SRGB:
789 return HAL_DATASPACE_SRGB;
790 case HAL_DATASPACE_V0_JFIF:
791 return HAL_DATASPACE_JFIF;
792 case HAL_DATASPACE_V0_BT601_625:
793 return HAL_DATASPACE_BT601_625;
794 case HAL_DATASPACE_V0_BT601_525:
795 return HAL_DATASPACE_BT601_525;
796 case HAL_DATASPACE_V0_BT709:
797 return HAL_DATASPACE_BT709;
798 default:
799 return dataSpace;
800 }
801 }
802
803 return dataSpace;
804 }
805
configureStreams(const StreamConfiguration & requestedConfiguration,ICameraDeviceSession::configureStreams_cb _hidl_cb)806 Return<void> CameraDeviceSession::configureStreams(
807 const StreamConfiguration& requestedConfiguration,
808 ICameraDeviceSession::configureStreams_cb _hidl_cb) {
809 Status status = initStatus();
810 HalStreamConfiguration outStreams;
811
812 // hold the inflight lock for entire configureStreams scope since there must not be any
813 // inflight request/results during stream configuration.
814 Mutex::Autolock _l(mInflightLock);
815 if (!mInflightBuffers.empty()) {
816 ALOGE("%s: trying to configureStreams while there are still %zu inflight buffers!",
817 __FUNCTION__, mInflightBuffers.size());
818 _hidl_cb(Status::INTERNAL_ERROR, outStreams);
819 return Void();
820 }
821
822 if (!mInflightAETriggerOverrides.empty()) {
823 ALOGE("%s: trying to configureStreams while there are still %zu inflight"
824 " trigger overrides!", __FUNCTION__,
825 mInflightAETriggerOverrides.size());
826 _hidl_cb(Status::INTERNAL_ERROR, outStreams);
827 return Void();
828 }
829
830 if (!mInflightRawBoostPresent.empty()) {
831 ALOGE("%s: trying to configureStreams while there are still %zu inflight"
832 " boost overrides!", __FUNCTION__,
833 mInflightRawBoostPresent.size());
834 _hidl_cb(Status::INTERNAL_ERROR, outStreams);
835 return Void();
836 }
837
838 if (status != Status::OK) {
839 _hidl_cb(status, outStreams);
840 return Void();
841 }
842
843 camera3_stream_configuration_t stream_list;
844 hidl_vec<camera3_stream_t*> streams;
845
846 stream_list.operation_mode = (uint32_t) requestedConfiguration.operationMode;
847 stream_list.num_streams = requestedConfiguration.streams.size();
848 streams.resize(stream_list.num_streams);
849 stream_list.streams = streams.data();
850
851 for (uint32_t i = 0; i < stream_list.num_streams; i++) {
852 int id = requestedConfiguration.streams[i].id;
853
854 if (mStreamMap.count(id) == 0) {
855 Camera3Stream stream;
856 convertFromHidl(requestedConfiguration.streams[i], &stream);
857 mStreamMap[id] = stream;
858 mStreamMap[id].data_space = mapToLegacyDataspace(
859 mStreamMap[id].data_space);
860 mCirculatingBuffers.emplace(stream.mId, CirculatingBuffers{});
861 } else {
862 // width/height/format must not change, but usage/rotation might need to change
863 if (mStreamMap[id].stream_type !=
864 (int) requestedConfiguration.streams[i].streamType ||
865 mStreamMap[id].width != requestedConfiguration.streams[i].width ||
866 mStreamMap[id].height != requestedConfiguration.streams[i].height ||
867 mStreamMap[id].format != (int) requestedConfiguration.streams[i].format ||
868 mStreamMap[id].data_space !=
869 mapToLegacyDataspace( static_cast<android_dataspace_t> (
870 requestedConfiguration.streams[i].dataSpace))) {
871 ALOGE("%s: stream %d configuration changed!", __FUNCTION__, id);
872 _hidl_cb(Status::INTERNAL_ERROR, outStreams);
873 return Void();
874 }
875 mStreamMap[id].rotation = (int) requestedConfiguration.streams[i].rotation;
876 mStreamMap[id].usage = (uint32_t) requestedConfiguration.streams[i].usage;
877 }
878 streams[i] = &mStreamMap[id];
879 }
880
881 ATRACE_BEGIN("camera3->configure_streams");
882 status_t ret = mDevice->ops->configure_streams(mDevice, &stream_list);
883 ATRACE_END();
884
885 // In case Hal returns error most likely it was not able to release
886 // the corresponding resources of the deleted streams.
887 if (ret == OK) {
888 // delete unused streams, note we do this after adding new streams to ensure new stream
889 // will not have the same address as deleted stream, and HAL has a chance to reference
890 // the to be deleted stream in configure_streams call
891 for(auto it = mStreamMap.begin(); it != mStreamMap.end();) {
892 int id = it->first;
893 bool found = false;
894 for (const auto& stream : requestedConfiguration.streams) {
895 if (id == stream.id) {
896 found = true;
897 break;
898 }
899 }
900 if (!found) {
901 // Unmap all buffers of deleted stream
902 // in case the configuration call succeeds and HAL
903 // is able to release the corresponding resources too.
904 cleanupBuffersLocked(id);
905 it = mStreamMap.erase(it);
906 } else {
907 ++it;
908 }
909 }
910
911 // Track video streams
912 mVideoStreamIds.clear();
913 for (const auto& stream : requestedConfiguration.streams) {
914 if (stream.streamType == StreamType::OUTPUT &&
915 stream.usage &
916 graphics::common::V1_0::BufferUsage::VIDEO_ENCODER) {
917 mVideoStreamIds.push_back(stream.id);
918 }
919 }
920 mResultBatcher.setBatchedStreams(mVideoStreamIds);
921 }
922
923 if (ret == -EINVAL) {
924 status = Status::ILLEGAL_ARGUMENT;
925 } else if (ret != OK) {
926 status = Status::INTERNAL_ERROR;
927 } else {
928 convertToHidl(stream_list, &outStreams);
929 mFirstRequest = true;
930 }
931
932 _hidl_cb(status, outStreams);
933 return Void();
934 }
935
936 // Needs to get called after acquiring 'mInflightLock'
cleanupBuffersLocked(int id)937 void CameraDeviceSession::cleanupBuffersLocked(int id) {
938 for (auto& pair : mCirculatingBuffers.at(id)) {
939 sHandleImporter.freeBuffer(pair.second);
940 }
941 mCirculatingBuffers[id].clear();
942 mCirculatingBuffers.erase(id);
943 }
944
updateBufferCaches(const hidl_vec<BufferCache> & cachesToRemove)945 void CameraDeviceSession::updateBufferCaches(const hidl_vec<BufferCache>& cachesToRemove) {
946 Mutex::Autolock _l(mInflightLock);
947 for (auto& cache : cachesToRemove) {
948 auto cbsIt = mCirculatingBuffers.find(cache.streamId);
949 if (cbsIt == mCirculatingBuffers.end()) {
950 // The stream could have been removed
951 continue;
952 }
953 CirculatingBuffers& cbs = cbsIt->second;
954 auto it = cbs.find(cache.bufferId);
955 if (it != cbs.end()) {
956 sHandleImporter.freeBuffer(it->second);
957 cbs.erase(it);
958 } else {
959 ALOGE("%s: stream %d buffer %" PRIu64 " is not cached",
960 __FUNCTION__, cache.streamId, cache.bufferId);
961 }
962 }
963 }
964
getCaptureRequestMetadataQueue(ICameraDeviceSession::getCaptureRequestMetadataQueue_cb _hidl_cb)965 Return<void> CameraDeviceSession::getCaptureRequestMetadataQueue(
966 ICameraDeviceSession::getCaptureRequestMetadataQueue_cb _hidl_cb) {
967 _hidl_cb(*mRequestMetadataQueue->getDesc());
968 return Void();
969 }
970
getCaptureResultMetadataQueue(ICameraDeviceSession::getCaptureResultMetadataQueue_cb _hidl_cb)971 Return<void> CameraDeviceSession::getCaptureResultMetadataQueue(
972 ICameraDeviceSession::getCaptureResultMetadataQueue_cb _hidl_cb) {
973 _hidl_cb(*mResultMetadataQueue->getDesc());
974 return Void();
975 }
976
processCaptureRequest(const hidl_vec<CaptureRequest> & requests,const hidl_vec<BufferCache> & cachesToRemove,ICameraDeviceSession::processCaptureRequest_cb _hidl_cb)977 Return<void> CameraDeviceSession::processCaptureRequest(
978 const hidl_vec<CaptureRequest>& requests,
979 const hidl_vec<BufferCache>& cachesToRemove,
980 ICameraDeviceSession::processCaptureRequest_cb _hidl_cb) {
981 updateBufferCaches(cachesToRemove);
982
983 uint32_t numRequestProcessed = 0;
984 Status s = Status::OK;
985 for (size_t i = 0; i < requests.size(); i++, numRequestProcessed++) {
986 s = processOneCaptureRequest(requests[i]);
987 if (s != Status::OK) {
988 break;
989 }
990 }
991
992 if (s == Status::OK && requests.size() > 1) {
993 mResultBatcher.registerBatch(requests);
994 }
995
996 _hidl_cb(s, numRequestProcessed);
997 return Void();
998 }
999
processOneCaptureRequest(const CaptureRequest & request)1000 Status CameraDeviceSession::processOneCaptureRequest(const CaptureRequest& request) {
1001 Status status = initStatus();
1002 if (status != Status::OK) {
1003 ALOGE("%s: camera init failed or disconnected", __FUNCTION__);
1004 return status;
1005 }
1006
1007 camera3_capture_request_t halRequest;
1008 halRequest.frame_number = request.frameNumber;
1009
1010 bool converted = true;
1011 CameraMetadata settingsFmq; // settings from FMQ
1012 if (request.fmqSettingsSize > 0) {
1013 // non-blocking read; client must write metadata before calling
1014 // processOneCaptureRequest
1015 settingsFmq.resize(request.fmqSettingsSize);
1016 bool read = mRequestMetadataQueue->read(settingsFmq.data(), request.fmqSettingsSize);
1017 if (read) {
1018 converted = convertFromHidl(settingsFmq, &halRequest.settings);
1019 } else {
1020 ALOGE("%s: capture request settings metadata couldn't be read from fmq!", __FUNCTION__);
1021 converted = false;
1022 }
1023 } else {
1024 converted = convertFromHidl(request.settings, &halRequest.settings);
1025 }
1026
1027 if (!converted) {
1028 ALOGE("%s: capture request settings metadata is corrupt!", __FUNCTION__);
1029 return Status::ILLEGAL_ARGUMENT;
1030 }
1031
1032 if (mFirstRequest && halRequest.settings == nullptr) {
1033 ALOGE("%s: capture request settings must not be null for first request!",
1034 __FUNCTION__);
1035 return Status::ILLEGAL_ARGUMENT;
1036 }
1037
1038 hidl_vec<buffer_handle_t*> allBufPtrs;
1039 hidl_vec<int> allFences;
1040 bool hasInputBuf = (request.inputBuffer.streamId != -1 &&
1041 request.inputBuffer.bufferId != 0);
1042 size_t numOutputBufs = request.outputBuffers.size();
1043 size_t numBufs = numOutputBufs + (hasInputBuf ? 1 : 0);
1044
1045 if (numOutputBufs == 0) {
1046 ALOGE("%s: capture request must have at least one output buffer!", __FUNCTION__);
1047 return Status::ILLEGAL_ARGUMENT;
1048 }
1049
1050 status = importRequest(request, allBufPtrs, allFences);
1051 if (status != Status::OK) {
1052 return status;
1053 }
1054
1055 hidl_vec<camera3_stream_buffer_t> outHalBufs;
1056 outHalBufs.resize(numOutputBufs);
1057 bool aeCancelTriggerNeeded = false;
1058 ::android::hardware::camera::common::V1_0::helper::CameraMetadata settingsOverride;
1059 {
1060 Mutex::Autolock _l(mInflightLock);
1061 if (hasInputBuf) {
1062 auto key = std::make_pair(request.inputBuffer.streamId, request.frameNumber);
1063 auto& bufCache = mInflightBuffers[key] = camera3_stream_buffer_t{};
1064 convertFromHidl(
1065 allBufPtrs[numOutputBufs], request.inputBuffer.status,
1066 &mStreamMap[request.inputBuffer.streamId], allFences[numOutputBufs],
1067 &bufCache);
1068 halRequest.input_buffer = &bufCache;
1069 } else {
1070 halRequest.input_buffer = nullptr;
1071 }
1072
1073 halRequest.num_output_buffers = numOutputBufs;
1074 for (size_t i = 0; i < numOutputBufs; i++) {
1075 auto key = std::make_pair(request.outputBuffers[i].streamId, request.frameNumber);
1076 auto& bufCache = mInflightBuffers[key] = camera3_stream_buffer_t{};
1077 convertFromHidl(
1078 allBufPtrs[i], request.outputBuffers[i].status,
1079 &mStreamMap[request.outputBuffers[i].streamId], allFences[i],
1080 &bufCache);
1081 outHalBufs[i] = bufCache;
1082 }
1083 halRequest.output_buffers = outHalBufs.data();
1084
1085 AETriggerCancelOverride triggerOverride;
1086 aeCancelTriggerNeeded = handleAePrecaptureCancelRequestLocked(
1087 halRequest, &settingsOverride /*out*/, &triggerOverride/*out*/);
1088 if (aeCancelTriggerNeeded) {
1089 mInflightAETriggerOverrides[halRequest.frame_number] =
1090 triggerOverride;
1091 halRequest.settings = settingsOverride.getAndLock();
1092 }
1093 }
1094
1095 ATRACE_ASYNC_BEGIN("frame capture", request.frameNumber);
1096 ATRACE_BEGIN("camera3->process_capture_request");
1097 status_t ret = mDevice->ops->process_capture_request(mDevice, &halRequest);
1098 ATRACE_END();
1099 if (aeCancelTriggerNeeded) {
1100 settingsOverride.unlock(halRequest.settings);
1101 }
1102 if (ret != OK) {
1103 Mutex::Autolock _l(mInflightLock);
1104 ALOGE("%s: HAL process_capture_request call failed!", __FUNCTION__);
1105
1106 cleanupInflightFences(allFences, numBufs);
1107 if (hasInputBuf) {
1108 auto key = std::make_pair(request.inputBuffer.streamId, request.frameNumber);
1109 mInflightBuffers.erase(key);
1110 }
1111 for (size_t i = 0; i < numOutputBufs; i++) {
1112 auto key = std::make_pair(request.outputBuffers[i].streamId, request.frameNumber);
1113 mInflightBuffers.erase(key);
1114 }
1115 if (aeCancelTriggerNeeded) {
1116 mInflightAETriggerOverrides.erase(request.frameNumber);
1117 }
1118 return Status::INTERNAL_ERROR;
1119 }
1120
1121 mFirstRequest = false;
1122 return Status::OK;
1123 }
1124
flush()1125 Return<Status> CameraDeviceSession::flush() {
1126 Status status = initStatus();
1127 if (status == Status::OK) {
1128 // Flush is always supported on device 3.1 or later
1129 status_t ret = mDevice->ops->flush(mDevice);
1130 if (ret != OK) {
1131 status = Status::INTERNAL_ERROR;
1132 }
1133 }
1134 return status;
1135 }
1136
close()1137 Return<void> CameraDeviceSession::close() {
1138 Mutex::Autolock _l(mStateLock);
1139 if (!mClosed) {
1140 {
1141 Mutex::Autolock _l(mInflightLock);
1142 if (!mInflightBuffers.empty()) {
1143 ALOGE("%s: trying to close while there are still %zu inflight buffers!",
1144 __FUNCTION__, mInflightBuffers.size());
1145 }
1146 if (!mInflightAETriggerOverrides.empty()) {
1147 ALOGE("%s: trying to close while there are still %zu inflight "
1148 "trigger overrides!", __FUNCTION__,
1149 mInflightAETriggerOverrides.size());
1150 }
1151 if (!mInflightRawBoostPresent.empty()) {
1152 ALOGE("%s: trying to close while there are still %zu inflight "
1153 " RAW boost overrides!", __FUNCTION__,
1154 mInflightRawBoostPresent.size());
1155 }
1156
1157 }
1158
1159 ATRACE_BEGIN("camera3->close");
1160 mDevice->common.close(&mDevice->common);
1161 ATRACE_END();
1162
1163 // free all imported buffers
1164 for(auto& pair : mCirculatingBuffers) {
1165 CirculatingBuffers& buffers = pair.second;
1166 for (auto& p2 : buffers) {
1167 sHandleImporter.freeBuffer(p2.second);
1168 }
1169 }
1170
1171 mClosed = true;
1172 }
1173 return Void();
1174 }
1175
1176 /**
1177 * Static callback forwarding methods from HAL to instance
1178 */
sProcessCaptureResult(const camera3_callback_ops * cb,const camera3_capture_result * hal_result)1179 void CameraDeviceSession::sProcessCaptureResult(
1180 const camera3_callback_ops *cb,
1181 const camera3_capture_result *hal_result) {
1182 CameraDeviceSession *d =
1183 const_cast<CameraDeviceSession*>(static_cast<const CameraDeviceSession*>(cb));
1184
1185 uint32_t frameNumber = hal_result->frame_number;
1186 bool hasInputBuf = (hal_result->input_buffer != nullptr);
1187 size_t numOutputBufs = hal_result->num_output_buffers;
1188 size_t numBufs = numOutputBufs + (hasInputBuf ? 1 : 0);
1189 if (numBufs > 0) {
1190 Mutex::Autolock _l(d->mInflightLock);
1191 if (hasInputBuf) {
1192 int streamId = static_cast<Camera3Stream*>(hal_result->input_buffer->stream)->mId;
1193 // validate if buffer is inflight
1194 auto key = std::make_pair(streamId, frameNumber);
1195 if (d->mInflightBuffers.count(key) != 1) {
1196 ALOGE("%s: input buffer for stream %d frame %d is not inflight!",
1197 __FUNCTION__, streamId, frameNumber);
1198 return;
1199 }
1200 }
1201
1202 for (size_t i = 0; i < numOutputBufs; i++) {
1203 int streamId = static_cast<Camera3Stream*>(hal_result->output_buffers[i].stream)->mId;
1204 // validate if buffer is inflight
1205 auto key = std::make_pair(streamId, frameNumber);
1206 if (d->mInflightBuffers.count(key) != 1) {
1207 ALOGE("%s: output buffer for stream %d frame %d is not inflight!",
1208 __FUNCTION__, streamId, frameNumber);
1209 return;
1210 }
1211 }
1212 }
1213 // We don't need to validate/import fences here since we will be passing them to camera service
1214 // within the scope of this function
1215 CaptureResult result;
1216 result.frameNumber = frameNumber;
1217 result.fmqResultSize = 0;
1218 result.partialResult = hal_result->partial_result;
1219 convertToHidl(hal_result->result, &result.result);
1220 if (nullptr != hal_result->result) {
1221 bool resultOverriden = false;
1222 Mutex::Autolock _l(d->mInflightLock);
1223
1224 // Derive some new keys for backward compatibility
1225 if (d->mDerivePostRawSensKey) {
1226 camera_metadata_ro_entry entry;
1227 if (find_camera_metadata_ro_entry(hal_result->result,
1228 ANDROID_CONTROL_POST_RAW_SENSITIVITY_BOOST, &entry) == 0) {
1229 d->mInflightRawBoostPresent[frameNumber] = true;
1230 } else {
1231 auto entry = d->mInflightRawBoostPresent.find(frameNumber);
1232 if (d->mInflightRawBoostPresent.end() == entry) {
1233 d->mInflightRawBoostPresent[frameNumber] = false;
1234 }
1235 }
1236
1237 if ((hal_result->partial_result == d->mNumPartialResults)) {
1238 if (!d->mInflightRawBoostPresent[frameNumber]) {
1239 if (!resultOverriden) {
1240 d->mOverridenResult.clear();
1241 d->mOverridenResult.append(hal_result->result);
1242 resultOverriden = true;
1243 }
1244 int32_t defaultBoost[1] = {100};
1245 d->mOverridenResult.update(
1246 ANDROID_CONTROL_POST_RAW_SENSITIVITY_BOOST,
1247 defaultBoost, 1);
1248 }
1249
1250 d->mInflightRawBoostPresent.erase(frameNumber);
1251 }
1252 }
1253
1254 auto entry = d->mInflightAETriggerOverrides.find(frameNumber);
1255 if (d->mInflightAETriggerOverrides.end() != entry) {
1256 if (!resultOverriden) {
1257 d->mOverridenResult.clear();
1258 d->mOverridenResult.append(hal_result->result);
1259 resultOverriden = true;
1260 }
1261 d->overrideResultForPrecaptureCancelLocked(entry->second,
1262 &d->mOverridenResult);
1263 if (hal_result->partial_result == d->mNumPartialResults) {
1264 d->mInflightAETriggerOverrides.erase(frameNumber);
1265 }
1266 }
1267
1268 if (resultOverriden) {
1269 const camera_metadata_t *metaBuffer =
1270 d->mOverridenResult.getAndLock();
1271 convertToHidl(metaBuffer, &result.result);
1272 d->mOverridenResult.unlock(metaBuffer);
1273 }
1274 }
1275 if (hasInputBuf) {
1276 result.inputBuffer.streamId =
1277 static_cast<Camera3Stream*>(hal_result->input_buffer->stream)->mId;
1278 result.inputBuffer.buffer = nullptr;
1279 result.inputBuffer.status = (BufferStatus) hal_result->input_buffer->status;
1280 // skip acquire fence since it's no use to camera service
1281 if (hal_result->input_buffer->release_fence != -1) {
1282 native_handle_t* handle = native_handle_create(/*numFds*/1, /*numInts*/0);
1283 handle->data[0] = hal_result->input_buffer->release_fence;
1284 result.inputBuffer.releaseFence = handle;
1285 } else {
1286 result.inputBuffer.releaseFence = nullptr;
1287 }
1288 } else {
1289 result.inputBuffer.streamId = -1;
1290 }
1291
1292 result.outputBuffers.resize(numOutputBufs);
1293 for (size_t i = 0; i < numOutputBufs; i++) {
1294 result.outputBuffers[i].streamId =
1295 static_cast<Camera3Stream*>(hal_result->output_buffers[i].stream)->mId;
1296 result.outputBuffers[i].buffer = nullptr;
1297 result.outputBuffers[i].status = (BufferStatus) hal_result->output_buffers[i].status;
1298 // skip acquire fence since it's of no use to camera service
1299 if (hal_result->output_buffers[i].release_fence != -1) {
1300 native_handle_t* handle = native_handle_create(/*numFds*/1, /*numInts*/0);
1301 handle->data[0] = hal_result->output_buffers[i].release_fence;
1302 result.outputBuffers[i].releaseFence = handle;
1303 } else {
1304 result.outputBuffers[i].releaseFence = nullptr;
1305 }
1306 }
1307
1308 // Free inflight record/fences.
1309 // Do this before call back to camera service because camera service might jump to
1310 // configure_streams right after the processCaptureResult call so we need to finish
1311 // updating inflight queues first
1312 if (numBufs > 0) {
1313 Mutex::Autolock _l(d->mInflightLock);
1314 if (hasInputBuf) {
1315 int streamId = static_cast<Camera3Stream*>(hal_result->input_buffer->stream)->mId;
1316 auto key = std::make_pair(streamId, frameNumber);
1317 d->mInflightBuffers.erase(key);
1318 }
1319
1320 for (size_t i = 0; i < numOutputBufs; i++) {
1321 int streamId = static_cast<Camera3Stream*>(hal_result->output_buffers[i].stream)->mId;
1322 auto key = std::make_pair(streamId, frameNumber);
1323 d->mInflightBuffers.erase(key);
1324 }
1325
1326 if (d->mInflightBuffers.empty()) {
1327 ALOGV("%s: inflight buffer queue is now empty!", __FUNCTION__);
1328 }
1329 }
1330
1331 d->mResultBatcher.processCaptureResult(result);
1332 }
1333
sNotify(const camera3_callback_ops * cb,const camera3_notify_msg * msg)1334 void CameraDeviceSession::sNotify(
1335 const camera3_callback_ops *cb,
1336 const camera3_notify_msg *msg) {
1337 CameraDeviceSession *d =
1338 const_cast<CameraDeviceSession*>(static_cast<const CameraDeviceSession*>(cb));
1339 NotifyMsg hidlMsg;
1340 convertToHidl(msg, &hidlMsg);
1341
1342 if (hidlMsg.type == (MsgType) CAMERA3_MSG_ERROR &&
1343 hidlMsg.msg.error.errorStreamId != -1) {
1344 if (d->mStreamMap.count(hidlMsg.msg.error.errorStreamId) != 1) {
1345 ALOGE("%s: unknown stream ID %d reports an error!",
1346 __FUNCTION__, hidlMsg.msg.error.errorStreamId);
1347 return;
1348 }
1349 }
1350
1351 if (static_cast<camera3_msg_type_t>(hidlMsg.type) == CAMERA3_MSG_ERROR) {
1352 switch (hidlMsg.msg.error.errorCode) {
1353 case ErrorCode::ERROR_DEVICE:
1354 case ErrorCode::ERROR_REQUEST:
1355 case ErrorCode::ERROR_RESULT: {
1356 Mutex::Autolock _l(d->mInflightLock);
1357 auto entry = d->mInflightAETriggerOverrides.find(
1358 hidlMsg.msg.error.frameNumber);
1359 if (d->mInflightAETriggerOverrides.end() != entry) {
1360 d->mInflightAETriggerOverrides.erase(
1361 hidlMsg.msg.error.frameNumber);
1362 }
1363
1364 auto boostEntry = d->mInflightRawBoostPresent.find(
1365 hidlMsg.msg.error.frameNumber);
1366 if (d->mInflightRawBoostPresent.end() != boostEntry) {
1367 d->mInflightRawBoostPresent.erase(
1368 hidlMsg.msg.error.frameNumber);
1369 }
1370
1371 }
1372 break;
1373 case ErrorCode::ERROR_BUFFER:
1374 default:
1375 break;
1376 }
1377
1378 }
1379
1380 d->mResultBatcher.notify(hidlMsg);
1381 }
1382
1383 } // namespace implementation
1384 } // namespace V3_2
1385 } // namespace device
1386 } // namespace camera
1387 } // namespace hardware
1388 } // namespace android
1389