1 /*
2 * Copyright (C) 2021 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 #include "Vibrator.h"
18
19 #include <glob.h>
20 #include <hardware/hardware.h>
21 #include <hardware/vibrator.h>
22 #include <log/log.h>
23 #include <stdio.h>
24 #include <utils/Trace.h>
25
26 #include <cinttypes>
27 #include <cmath>
28 #include <fstream>
29 #include <iostream>
30 #include <sstream>
31
32 #ifndef ARRAY_SIZE
33 #define ARRAY_SIZE(x) (sizeof((x)) / sizeof((x)[0]))
34 #endif
35
36 #ifdef LOG_TAG
37 #undef LOG_TAG
38 #define LOG_TAG std::getenv("HAPTIC_NAME")
39 #endif
40
41 namespace aidl {
42 namespace android {
43 namespace hardware {
44 namespace vibrator {
45 static constexpr uint8_t FF_CUSTOM_DATA_LEN = 2;
46 static constexpr uint16_t FF_CUSTOM_DATA_LEN_MAX_COMP = 2044; // (COMPOSE_SIZE_MAX + 1) * 8 + 4
47 static constexpr uint16_t FF_CUSTOM_DATA_LEN_MAX_PWLE = 2302;
48
49 static constexpr uint32_t WAVEFORM_DOUBLE_CLICK_SILENCE_MS = 100;
50
51 static constexpr uint32_t WAVEFORM_LONG_VIBRATION_THRESHOLD_MS = 50;
52
53 static constexpr uint8_t VOLTAGE_SCALE_MAX = 100;
54
55 static constexpr int8_t MAX_COLD_START_LATENCY_MS = 6; // I2C Transaction + DSP Return-From-Standby
56 static constexpr int8_t MAX_PAUSE_TIMING_ERROR_MS = 1; // ALERT Irq Handling
57 static constexpr uint32_t MAX_TIME_MS = UINT16_MAX;
58 static constexpr float SETTING_TIME_OVERHEAD = 26; // This time was combined by
59 // HAL set the effect to
60 // driver and the kernel
61 // executes the effect before
62 // chip play the effect
63
64 static constexpr auto ASYNC_COMPLETION_TIMEOUT = std::chrono::milliseconds(100);
65 static constexpr auto POLLING_TIMEOUT = 20;
66 static constexpr int32_t COMPOSE_DELAY_MAX_MS = 10000;
67
68 /* nsections is 8 bits. Need to preserve 1 section for the first delay before the first effect. */
69 static constexpr int32_t COMPOSE_SIZE_MAX = 254;
70 static constexpr int32_t COMPOSE_PWLE_SIZE_MAX_DEFAULT = 127;
71
72 // Measured resonant frequency, f0_measured, is represented by Q10.14 fixed
73 // point format on cs40l26 devices. The expression to calculate f0 is:
74 // f0 = f0_measured / 2^Q14_BIT_SHIFT
75 // See the LRA Calibration Support documentation for more details.
76 static constexpr int32_t Q14_BIT_SHIFT = 14;
77
78 // Measured Q factor, q_measured, is represented by Q8.16 fixed
79 // point format on cs40l26 devices. The expression to calculate q is:
80 // q = q_measured / 2^Q16_BIT_SHIFT
81 // See the LRA Calibration Support documentation for more details.
82 static constexpr int32_t Q16_BIT_SHIFT = 16;
83
84 static constexpr int32_t COMPOSE_PWLE_PRIMITIVE_DURATION_MAX_MS = 16383;
85
86 static constexpr uint32_t WT_LEN_CALCD = 0x00800000;
87 static constexpr uint8_t PWLE_CHIRP_BIT = 0x8; // Dynamic/static frequency and voltage
88 static constexpr uint8_t PWLE_BRAKE_BIT = 0x4;
89 static constexpr uint8_t PWLE_AMP_REG_BIT = 0x2;
90
91 static constexpr float PWLE_LEVEL_MIN = 0.0;
92 static constexpr float PWLE_LEVEL_MAX = 1.0;
93 static constexpr float CS40L26_PWLE_LEVEL_MIX = -1.0;
94 static constexpr float CS40L26_PWLE_LEVEL_MAX = 0.9995118;
95 static constexpr float PWLE_FREQUENCY_RESOLUTION_HZ = 1.00;
96 static constexpr float PWLE_FREQUENCY_MIN_HZ = 1.00;
97 static constexpr float PWLE_FREQUENCY_MAX_HZ = 1000.00;
98 static constexpr float PWLE_BW_MAP_SIZE =
99 1 + ((PWLE_FREQUENCY_MAX_HZ - PWLE_FREQUENCY_MIN_HZ) / PWLE_FREQUENCY_RESOLUTION_HZ);
100
101 /*
102 * [15] Edge, 0:Falling, 1:Rising
103 * [14:12] GPI_NUM, 1:GPI1 (with CS40L26A, 1 is the only supported GPI)
104 * [8] BANK, 0:RAM, 1:R0M
105 * [7] USE_BUZZGEN, 0:Not buzzgen, 1:buzzgen
106 * [6:0] WAVEFORM_INDEX
107 * 0x9100 = 1001 0001 0000 0000: Rising + GPI1 + RAM + Not buzzgen
108 */
109 static constexpr uint16_t GPIO_TRIGGER_CONFIG = 0x9100;
110
amplitudeToScale(float amplitude,float maximum)111 static uint16_t amplitudeToScale(float amplitude, float maximum) {
112 float ratio = 100; /* Unit: % */
113 if (maximum != 0)
114 ratio = amplitude / maximum * 100;
115
116 if (maximum == 0 || ratio > 100)
117 ratio = 100;
118
119 return std::round(ratio);
120 }
121
122 enum WaveformBankID : uint8_t {
123 RAM_WVFRM_BANK,
124 ROM_WVFRM_BANK,
125 OWT_WVFRM_BANK,
126 };
127
128 enum WaveformIndex : uint16_t {
129 /* Physical waveform */
130 WAVEFORM_LONG_VIBRATION_EFFECT_INDEX = 0,
131 WAVEFORM_RESERVED_INDEX_1 = 1,
132 WAVEFORM_CLICK_INDEX = 2,
133 WAVEFORM_SHORT_VIBRATION_EFFECT_INDEX = 3,
134 WAVEFORM_THUD_INDEX = 4,
135 WAVEFORM_SPIN_INDEX = 5,
136 WAVEFORM_QUICK_RISE_INDEX = 6,
137 WAVEFORM_SLOW_RISE_INDEX = 7,
138 WAVEFORM_QUICK_FALL_INDEX = 8,
139 WAVEFORM_LIGHT_TICK_INDEX = 9,
140 WAVEFORM_LOW_TICK_INDEX = 10,
141 WAVEFORM_RESERVED_MFG_1,
142 WAVEFORM_RESERVED_MFG_2,
143 WAVEFORM_RESERVED_MFG_3,
144 WAVEFORM_MAX_PHYSICAL_INDEX,
145 /* OWT waveform */
146 WAVEFORM_COMPOSE = WAVEFORM_MAX_PHYSICAL_INDEX,
147 WAVEFORM_PWLE,
148 /*
149 * Refer to <linux/input.h>, the WAVEFORM_MAX_INDEX must not exceed 96.
150 * #define FF_GAIN 0x60 // 96 in decimal
151 * #define FF_MAX_EFFECTS FF_GAIN
152 */
153 WAVEFORM_MAX_INDEX,
154 };
155
156 std::vector<CompositePrimitive> defaultSupportedPrimitives = {
157 ndk::enum_range<CompositePrimitive>().begin(), ndk::enum_range<CompositePrimitive>().end()};
158
159 enum vibe_state {
160 VIBE_STATE_STOPPED = 0,
161 VIBE_STATE_HAPTIC,
162 VIBE_STATE_ASP,
163 };
164
min(int x,int y)165 static int min(int x, int y) {
166 return x < y ? x : y;
167 }
168
floatToUint16(float input,uint16_t * output,float scale,float min,float max)169 static int floatToUint16(float input, uint16_t *output, float scale, float min, float max) {
170 if (input < min || input > max)
171 return -ERANGE;
172
173 *output = roundf(input * scale);
174 return 0;
175 }
176
177 struct dspmem_chunk {
178 uint8_t *head;
179 uint8_t *current;
180 uint8_t *max;
181 int bytes;
182
183 uint32_t cache;
184 int cachebits;
185 };
186
dspmem_chunk_create(void * data,int size)187 static dspmem_chunk *dspmem_chunk_create(void *data, int size) {
188 auto ch = new dspmem_chunk{
189 .head = reinterpret_cast<uint8_t *>(data),
190 .current = reinterpret_cast<uint8_t *>(data),
191 .max = reinterpret_cast<uint8_t *>(data) + size,
192 };
193
194 return ch;
195 }
196
dspmem_chunk_end(struct dspmem_chunk * ch)197 static bool dspmem_chunk_end(struct dspmem_chunk *ch) {
198 return ch->current == ch->max;
199 }
200
dspmem_chunk_bytes(struct dspmem_chunk * ch)201 static int dspmem_chunk_bytes(struct dspmem_chunk *ch) {
202 return ch->bytes;
203 }
204
dspmem_chunk_write(struct dspmem_chunk * ch,int nbits,uint32_t val)205 static int dspmem_chunk_write(struct dspmem_chunk *ch, int nbits, uint32_t val) {
206 int nwrite, i;
207
208 nwrite = min(24 - ch->cachebits, nbits);
209 ch->cache <<= nwrite;
210 ch->cache |= val >> (nbits - nwrite);
211 ch->cachebits += nwrite;
212 nbits -= nwrite;
213
214 if (ch->cachebits == 24) {
215 if (dspmem_chunk_end(ch))
216 return -ENOSPC;
217
218 ch->cache &= 0xFFFFFF;
219 for (i = 0; i < sizeof(ch->cache); i++, ch->cache <<= 8)
220 *ch->current++ = (ch->cache & 0xFF000000) >> 24;
221
222 ch->bytes += sizeof(ch->cache);
223 ch->cachebits = 0;
224 }
225
226 if (nbits)
227 return dspmem_chunk_write(ch, nbits, val);
228
229 return 0;
230 }
231
dspmem_chunk_flush(struct dspmem_chunk * ch)232 static int dspmem_chunk_flush(struct dspmem_chunk *ch) {
233 if (!ch->cachebits)
234 return 0;
235
236 return dspmem_chunk_write(ch, 24 - ch->cachebits, 0);
237 }
238
Vibrator(std::unique_ptr<HwApi> hwApiDefault,std::unique_ptr<HwCal> hwCalDefault,std::unique_ptr<HwApi> hwApiDual,std::unique_ptr<HwCal> hwCalDual,std::unique_ptr<HwGPIO> hwgpio)239 Vibrator::Vibrator(std::unique_ptr<HwApi> hwApiDefault, std::unique_ptr<HwCal> hwCalDefault,
240 std::unique_ptr<HwApi> hwApiDual, std::unique_ptr<HwCal> hwCalDual,
241 std::unique_ptr<HwGPIO> hwgpio)
242 : mHwApiDef(std::move(hwApiDefault)),
243 mHwCalDef(std::move(hwCalDefault)),
244 mHwApiDual(std::move(hwApiDual)),
245 mHwCalDual(std::move(hwCalDual)),
246 mHwGPIO(std::move(hwgpio)),
247 mAsyncHandle(std::async([] {})) {
248 int32_t longFrequencyShift;
249 std::string caldata{8, '0'};
250 uint32_t calVer;
251
252 // ==================Single actuators and dual actuators checking =============================
253 if ((mHwApiDual != nullptr) && (mHwCalDual != nullptr))
254 mIsDual = true;
255
256 // ==================INPUT Devices== Base =================
257 const char *inputEventName = std::getenv("INPUT_EVENT_NAME");
258 const char *inputEventPathName = std::getenv("INPUT_EVENT_PATH");
259 if ((strstr(inputEventName, "cs40l26") != nullptr) ||
260 (strstr(inputEventName, "cs40l26_dual_input") != nullptr)) {
261 glob_t inputEventPaths;
262 int fd = -1;
263 int ret;
264 uint32_t val = 0;
265 char str[20] = {0x00};
266 for (uint8_t retry = 0; retry < 10; retry++) {
267 ret = glob(inputEventPathName, 0, nullptr, &inputEventPaths);
268 if (ret) {
269 ALOGE("Failed to get input event paths (%d): %s", errno, strerror(errno));
270 } else {
271 for (int i = 0; i < inputEventPaths.gl_pathc; i++) {
272 fd = TEMP_FAILURE_RETRY(open(inputEventPaths.gl_pathv[i], O_RDWR));
273 if (fd > 0) {
274 if (ioctl(fd, EVIOCGBIT(0, sizeof(val)), &val) > 0 &&
275 (val & (1 << EV_FF)) && ioctl(fd, EVIOCGNAME(sizeof(str)), &str) > 0 &&
276 strstr(str, inputEventName) != nullptr) {
277 mInputFd.reset(fd);
278 ALOGI("Control %s through %s", inputEventName,
279 inputEventPaths.gl_pathv[i]);
280 break;
281 }
282 close(fd);
283 }
284 }
285 }
286
287 if (ret == 0) {
288 globfree(&inputEventPaths);
289 }
290 if (mInputFd.ok()) {
291 break;
292 }
293
294 sleep(1);
295 ALOGW("Retry #%d to search in %zu input devices.", retry, inputEventPaths.gl_pathc);
296 }
297
298 if (!mInputFd.ok()) {
299 ALOGE("Failed to get an input event with name %s", inputEventName);
300 }
301 } else {
302 ALOGE("The input name %s is not cs40l26_input or cs40l26_dual_input", inputEventName);
303 }
304
305 // ==================INPUT Devices== Flip =================
306 if (mIsDual) {
307 const char *inputEventNameDual = std::getenv("INPUT_EVENT_NAME_DUAL");
308 if ((strstr(inputEventNameDual, "cs40l26_dual_input") != nullptr)) {
309 glob_t inputEventPaths;
310 int fd = -1;
311 int ret;
312 uint32_t val = 0;
313 char str[20] = {0x00};
314 for (uint8_t retry = 0; retry < 10; retry++) {
315 ret = glob(inputEventPathName, 0, nullptr, &inputEventPaths);
316 if (ret) {
317 ALOGE("Failed to get flip's input event paths (%d): %s", errno,
318 strerror(errno));
319 } else {
320 for (int i = 0; i < inputEventPaths.gl_pathc; i++) {
321 fd = TEMP_FAILURE_RETRY(open(inputEventPaths.gl_pathv[i], O_RDWR));
322 if (fd > 0) {
323 if (ioctl(fd, EVIOCGBIT(0, sizeof(val)), &val) > 0 &&
324 (val & (1 << EV_FF)) &&
325 ioctl(fd, EVIOCGNAME(sizeof(str)), &str) > 0 &&
326 strstr(str, inputEventNameDual) != nullptr) {
327 mInputFdDual.reset(fd);
328 ALOGI("Control %s through %s", inputEventNameDual,
329 inputEventPaths.gl_pathv[i]);
330 break;
331 }
332 close(fd);
333 }
334 }
335 }
336
337 if (ret == 0) {
338 globfree(&inputEventPaths);
339 }
340 if (mInputFdDual.ok()) {
341 break;
342 }
343
344 sleep(1);
345 ALOGW("Retry #%d to search in %zu input devices.", retry, inputEventPaths.gl_pathc);
346 }
347
348 if (!mInputFdDual.ok()) {
349 ALOGE("Failed to get an input event with name %s", inputEventNameDual);
350 }
351 ALOGE("HWAPI: %s", std::getenv("HWAPI_PATH_PREFIX"));
352 } else {
353 ALOGE("The input name %s is not cs40l26_dual_input", inputEventNameDual);
354 }
355 }
356 // ====================HAL internal effect table== Base ==================================
357
358 mFfEffects.resize(WAVEFORM_MAX_INDEX);
359 mEffectDurations.resize(WAVEFORM_MAX_INDEX);
360 mEffectDurations = {
361 1000, 100, 32, 1000, 300, 130, 150, 500, 100, 10, 12, 1000, 1000, 1000,
362 }; /* 11+3 waveforms. The duration must < UINT16_MAX */
363
364 uint8_t effectIndex;
365 for (effectIndex = 0; effectIndex < WAVEFORM_MAX_INDEX; effectIndex++) {
366 if (effectIndex < WAVEFORM_MAX_PHYSICAL_INDEX) {
367 /* Initialize physical waveforms. */
368 mFfEffects[effectIndex] = {
369 .type = FF_PERIODIC,
370 .id = -1,
371 .replay.length = static_cast<uint16_t>(mEffectDurations[effectIndex]),
372 .u.periodic.waveform = FF_CUSTOM,
373 .u.periodic.custom_data = new int16_t[2]{RAM_WVFRM_BANK, effectIndex},
374 .u.periodic.custom_len = FF_CUSTOM_DATA_LEN,
375 };
376 // Bypass the waveform update due to different input name
377 if ((strstr(inputEventName, "cs40l26") != nullptr) ||
378 (strstr(inputEventName, "cs40l26_dual_input") != nullptr)) {
379 if (!mHwApiDef->setFFEffect(
380 mInputFd, &mFfEffects[effectIndex],
381 static_cast<uint16_t>(mFfEffects[effectIndex].replay.length))) {
382 ALOGE("Failed upload effect %d (%d): %s", effectIndex, errno, strerror(errno));
383 }
384 }
385 if (mFfEffects[effectIndex].id != effectIndex) {
386 ALOGW("Unexpected effect index: %d -> %d", effectIndex, mFfEffects[effectIndex].id);
387 }
388 } else {
389 /* Initiate placeholders for OWT effects. */
390 mFfEffects[effectIndex] = {
391 .type = FF_PERIODIC,
392 .id = -1,
393 .replay.length = 0,
394 .u.periodic.waveform = FF_CUSTOM,
395 .u.periodic.custom_data = nullptr,
396 .u.periodic.custom_len = 0,
397 };
398 }
399 }
400
401 // ====================HAL internal effect table== Flip ==================================
402 if (mIsDual) {
403 mFfEffectsDual.resize(WAVEFORM_MAX_INDEX);
404
405 for (effectIndex = 0; effectIndex < WAVEFORM_MAX_INDEX; effectIndex++) {
406 if (effectIndex < WAVEFORM_MAX_PHYSICAL_INDEX) {
407 /* Initialize physical waveforms. */
408 mFfEffectsDual[effectIndex] = {
409 .type = FF_PERIODIC,
410 .id = -1,
411 .replay.length = static_cast<uint16_t>(mEffectDurations[effectIndex]),
412 .u.periodic.waveform = FF_CUSTOM,
413 .u.periodic.custom_data = new int16_t[2]{RAM_WVFRM_BANK, effectIndex},
414 .u.periodic.custom_len = FF_CUSTOM_DATA_LEN,
415 };
416 // Bypass the waveform update due to different input name
417 if ((strstr(inputEventName, "cs40l26") != nullptr) ||
418 (strstr(inputEventName, "cs40l26_dual_input") != nullptr)) {
419 if (!mHwApiDual->setFFEffect(
420 mInputFdDual, &mFfEffectsDual[effectIndex],
421 static_cast<uint16_t>(mFfEffectsDual[effectIndex].replay.length))) {
422 ALOGE("Failed upload flip's effect %d (%d): %s", effectIndex, errno,
423 strerror(errno));
424 }
425 }
426 if (mFfEffectsDual[effectIndex].id != effectIndex) {
427 ALOGW("Unexpected effect index: %d -> %d", effectIndex,
428 mFfEffectsDual[effectIndex].id);
429 }
430 } else {
431 /* Initiate placeholders for OWT effects. */
432 mFfEffectsDual[effectIndex] = {
433 .type = FF_PERIODIC,
434 .id = -1,
435 .replay.length = 0,
436 .u.periodic.waveform = FF_CUSTOM,
437 .u.periodic.custom_data = nullptr,
438 .u.periodic.custom_len = 0,
439 };
440 }
441 }
442 }
443 // ==============Calibration data checking======================================
444
445 if (mHwCalDef->getF0(&caldata)) {
446 mHwApiDef->setF0(caldata);
447 }
448 if (mHwCalDef->getRedc(&caldata)) {
449 mHwApiDef->setRedc(caldata);
450 }
451 if (mHwCalDef->getQ(&caldata)) {
452 mHwApiDef->setQ(caldata);
453 }
454
455 if (mHwCalDef->getF0SyncOffset(&mF0Offset)) {
456 ALOGD("Vibrator::Vibrator: F0 offset calculated from both base and flip calibration data: "
457 "%u",
458 mF0Offset);
459 } else {
460 mHwCalDef->getLongFrequencyShift(&longFrequencyShift);
461 if (longFrequencyShift > 0) {
462 mF0Offset = longFrequencyShift * std::pow(2, 14);
463 } else if (longFrequencyShift < 0) {
464 mF0Offset = std::pow(2, 24) - std::abs(longFrequencyShift) * std::pow(2, 14);
465 } else {
466 mF0Offset = 0;
467 }
468 ALOGD("Vibrator::Vibrator: F0 offset calculated from long shift frequency: %u", mF0Offset);
469 }
470
471 if (mIsDual) {
472 if (mHwCalDual->getF0(&caldata)) {
473 mHwApiDual->setF0(caldata);
474 }
475 if (mHwCalDual->getRedc(&caldata)) {
476 mHwApiDual->setRedc(caldata);
477 }
478 if (mHwCalDual->getQ(&caldata)) {
479 mHwApiDual->setQ(caldata);
480 }
481
482 if (mHwCalDual->getF0SyncOffset(&mF0OffsetDual)) {
483 ALOGD("Vibrator::Vibrator: Dual: F0 offset calculated from both base and flip "
484 "calibration data: "
485 "%u",
486 mF0OffsetDual);
487 }
488 }
489
490 mHwCalDef->getVersion(&calVer);
491 if (calVer == 2) {
492 mHwCalDef->getTickVolLevels(&(mTickEffectVol));
493 mHwCalDef->getClickVolLevels(&(mClickEffectVol));
494 mHwCalDef->getLongVolLevels(&(mLongEffectVol));
495 } else {
496 ALOGW("Unsupported calibration version! Using the default calibration value");
497 mHwCalDef->getTickVolLevels(&(mTickEffectVol));
498 mHwCalDef->getClickVolLevels(&(mClickEffectVol));
499 mHwCalDef->getLongVolLevels(&(mLongEffectVol));
500 }
501
502 // ================Project specific setting to driver===============================
503
504 mHwApiDef->setF0CompEnable(mHwCalDef->isF0CompEnabled());
505 mHwApiDef->setRedcCompEnable(mHwCalDef->isRedcCompEnabled());
506 mHwApiDef->setMinOnOffInterval(MIN_ON_OFF_INTERVAL_US);
507 if (mIsDual) {
508 mHwApiDual->setF0CompEnable(mHwCalDual->isF0CompEnabled());
509 mHwApiDual->setRedcCompEnable(mHwCalDual->isRedcCompEnabled());
510 mHwApiDual->setMinOnOffInterval(MIN_ON_OFF_INTERVAL_US);
511 }
512 // ===============Audio coupled haptics bool init ========
513 mIsUnderExternalControl = false;
514
515 // =============== Compose PWLE check =====================================
516 mIsChirpEnabled = mHwCalDef->isChirpEnabled();
517
518 mHwCalDef->getSupportedPrimitives(&mSupportedPrimitivesBits);
519 if (mSupportedPrimitivesBits > 0) {
520 for (auto e : defaultSupportedPrimitives) {
521 if (mSupportedPrimitivesBits & (1 << uint32_t(e))) {
522 mSupportedPrimitives.emplace_back(e);
523 }
524 }
525 } else {
526 for (auto e : defaultSupportedPrimitives) {
527 mSupportedPrimitivesBits |= (1 << uint32_t(e));
528 }
529 mSupportedPrimitives = defaultSupportedPrimitives;
530 }
531
532 mPrimitiveMaxScale = {1.0f, 0.95f, 0.75f, 0.9f, 1.0f, 1.0f, 1.0f, 0.75f, 0.75f};
533 mPrimitiveMinScale = {0.0f, 0.01f, 0.11f, 0.23f, 0.0f, 0.25f, 0.02f, 0.03f, 0.16f};
534
535 // ====== Get GPIO status and init it ================
536 mGPIOStatus = mHwGPIO->getGPIO();
537 if (!mGPIOStatus || !mHwGPIO->initGPIO()) {
538 ALOGE("Vibrator: GPIO initialization process error");
539 }
540 }
541
getCapabilities(int32_t * _aidl_return)542 ndk::ScopedAStatus Vibrator::getCapabilities(int32_t *_aidl_return) {
543 ATRACE_NAME("Vibrator::getCapabilities");
544
545 int32_t ret = IVibrator::CAP_ON_CALLBACK | IVibrator::CAP_PERFORM_CALLBACK |
546 IVibrator::CAP_AMPLITUDE_CONTROL | IVibrator::CAP_GET_RESONANT_FREQUENCY |
547 IVibrator::CAP_GET_Q_FACTOR;
548 if (hasHapticAlsaDevice()) {
549 ret |= IVibrator::CAP_EXTERNAL_CONTROL;
550 } else {
551 ALOGE("No haptics ALSA device");
552 }
553 if (mHwApiDef->hasOwtFreeSpace()) {
554 ret |= IVibrator::CAP_COMPOSE_EFFECTS;
555 if (mIsChirpEnabled) {
556 ret |= IVibrator::CAP_FREQUENCY_CONTROL | IVibrator::CAP_COMPOSE_PWLE_EFFECTS;
557 }
558 }
559 *_aidl_return = ret;
560 return ndk::ScopedAStatus::ok();
561 }
562
off()563 ndk::ScopedAStatus Vibrator::off() {
564 ATRACE_NAME("Vibrator::off");
565 bool ret{true};
566 const std::scoped_lock<std::mutex> lock(mActiveId_mutex);
567
568 if (mActiveId >= 0) {
569 ALOGD("Off: Stop the active effect: %d", mActiveId);
570 /* Stop the active effect. */
571 if (!mHwApiDef->setFFPlay(mInputFd, mActiveId, false)) {
572 ALOGE("Off: Failed to stop effect %d (%d): %s", mActiveId, errno, strerror(errno));
573 ret = false;
574 }
575 if (mIsDual && (!mHwApiDual->setFFPlay(mInputFdDual, mActiveId, false))) {
576 ALOGE("Off: Failed to stop flip's effect %d (%d): %s", mActiveId, errno,
577 strerror(errno));
578 ret = false;
579 }
580
581 if (!mHwGPIO->setGPIOOutput(false)) {
582 ALOGE("Off: Failed to reset GPIO(%d): %s", errno, strerror(errno));
583 return ndk::ScopedAStatus::fromExceptionCode(EX_ILLEGAL_STATE);
584 }
585 } else {
586 ALOGD("Off: Vibrator is already off");
587 }
588
589 setGlobalAmplitude(false);
590 if (mF0Offset) {
591 mHwApiDef->setF0Offset(0);
592 if (mIsDual && mF0OffsetDual) {
593 mHwApiDual->setF0Offset(0);
594 }
595 }
596
597 if (ret) {
598 ALOGD("Off: Done.");
599 mActiveId = -1;
600 return ndk::ScopedAStatus::ok();
601 } else {
602 return ndk::ScopedAStatus::fromExceptionCode(EX_ILLEGAL_STATE);
603 }
604 }
605
on(int32_t timeoutMs,const std::shared_ptr<IVibratorCallback> & callback)606 ndk::ScopedAStatus Vibrator::on(int32_t timeoutMs,
607 const std::shared_ptr<IVibratorCallback> &callback) {
608 ATRACE_NAME("Vibrator::on");
609 ALOGD("Vibrator::on");
610
611 if (timeoutMs > MAX_TIME_MS) {
612 return ndk::ScopedAStatus::fromExceptionCode(EX_ILLEGAL_ARGUMENT);
613 }
614 const uint16_t index = (timeoutMs < WAVEFORM_LONG_VIBRATION_THRESHOLD_MS)
615 ? WAVEFORM_SHORT_VIBRATION_EFFECT_INDEX
616 : WAVEFORM_LONG_VIBRATION_EFFECT_INDEX;
617 if (MAX_COLD_START_LATENCY_MS <= MAX_TIME_MS - timeoutMs) {
618 timeoutMs += MAX_COLD_START_LATENCY_MS;
619 }
620 setGlobalAmplitude(true);
621 if (mF0Offset) {
622 mHwApiDef->setF0Offset(mF0Offset);
623 if (mIsDual && mF0OffsetDual) {
624 mHwApiDual->setF0Offset(mF0OffsetDual);
625 }
626 }
627 return on(timeoutMs, index, nullptr /*ignored*/, callback);
628 }
629
perform(Effect effect,EffectStrength strength,const std::shared_ptr<IVibratorCallback> & callback,int32_t * _aidl_return)630 ndk::ScopedAStatus Vibrator::perform(Effect effect, EffectStrength strength,
631 const std::shared_ptr<IVibratorCallback> &callback,
632 int32_t *_aidl_return) {
633 ATRACE_NAME("Vibrator::perform");
634 ALOGD("Vibrator::perform");
635 return performEffect(effect, strength, callback, _aidl_return);
636 }
637
getSupportedEffects(std::vector<Effect> * _aidl_return)638 ndk::ScopedAStatus Vibrator::getSupportedEffects(std::vector<Effect> *_aidl_return) {
639 *_aidl_return = {Effect::TEXTURE_TICK, Effect::TICK, Effect::CLICK, Effect::HEAVY_CLICK,
640 Effect::DOUBLE_CLICK};
641 return ndk::ScopedAStatus::ok();
642 }
643
setAmplitude(float amplitude)644 ndk::ScopedAStatus Vibrator::setAmplitude(float amplitude) {
645 ATRACE_NAME("Vibrator::setAmplitude");
646
647 if (amplitude <= 0.0f || amplitude > 1.0f) {
648 return ndk::ScopedAStatus::fromExceptionCode(EX_ILLEGAL_ARGUMENT);
649 }
650
651 mLongEffectScale = amplitude;
652 if (!isUnderExternalControl()) {
653 return setGlobalAmplitude(true);
654 } else {
655 return ndk::ScopedAStatus::fromExceptionCode(EX_UNSUPPORTED_OPERATION);
656 }
657 }
658
setExternalControl(bool enabled)659 ndk::ScopedAStatus Vibrator::setExternalControl(bool enabled) {
660 ATRACE_NAME("Vibrator::setExternalControl");
661
662 setGlobalAmplitude(enabled);
663
664 if (mHasHapticAlsaDevice || mConfigHapticAlsaDeviceDone || hasHapticAlsaDevice()) {
665 if (!mHwApiDef->setHapticPcmAmp(&mHapticPcm, enabled, mCard, mDevice)) {
666 ALOGE("Failed to %s haptic pcm device: %d", (enabled ? "enable" : "disable"), mDevice);
667 return ndk::ScopedAStatus::fromExceptionCode(EX_ILLEGAL_STATE);
668 }
669 } else {
670 ALOGE("No haptics ALSA device");
671 return ndk::ScopedAStatus::fromExceptionCode(EX_ILLEGAL_STATE);
672 }
673
674 mIsUnderExternalControl = enabled;
675 return ndk::ScopedAStatus::ok();
676 }
677
getCompositionDelayMax(int32_t * maxDelayMs)678 ndk::ScopedAStatus Vibrator::getCompositionDelayMax(int32_t *maxDelayMs) {
679 ATRACE_NAME("Vibrator::getCompositionDelayMax");
680 *maxDelayMs = COMPOSE_DELAY_MAX_MS;
681 return ndk::ScopedAStatus::ok();
682 }
683
getCompositionSizeMax(int32_t * maxSize)684 ndk::ScopedAStatus Vibrator::getCompositionSizeMax(int32_t *maxSize) {
685 ATRACE_NAME("Vibrator::getCompositionSizeMax");
686 *maxSize = COMPOSE_SIZE_MAX;
687 return ndk::ScopedAStatus::ok();
688 }
689
getSupportedPrimitives(std::vector<CompositePrimitive> * supported)690 ndk::ScopedAStatus Vibrator::getSupportedPrimitives(std::vector<CompositePrimitive> *supported) {
691 *supported = mSupportedPrimitives;
692 return ndk::ScopedAStatus::ok();
693 }
694
getPrimitiveDuration(CompositePrimitive primitive,int32_t * durationMs)695 ndk::ScopedAStatus Vibrator::getPrimitiveDuration(CompositePrimitive primitive,
696 int32_t *durationMs) {
697 ndk::ScopedAStatus status;
698 uint32_t effectIndex;
699 if (primitive != CompositePrimitive::NOOP) {
700 status = getPrimitiveDetails(primitive, &effectIndex);
701 if (!status.isOk()) {
702 return status;
703 }
704 // Please check the overhead time detail in b/261841035
705 *durationMs = mEffectDurations[effectIndex] + SETTING_TIME_OVERHEAD;
706 } else {
707 *durationMs = 0;
708 }
709 return ndk::ScopedAStatus::ok();
710 }
711
compose(const std::vector<CompositeEffect> & composite,const std::shared_ptr<IVibratorCallback> & callback)712 ndk::ScopedAStatus Vibrator::compose(const std::vector<CompositeEffect> &composite,
713 const std::shared_ptr<IVibratorCallback> &callback) {
714 ATRACE_NAME("Vibrator::compose");
715 ALOGD("Vibrator::compose");
716 uint16_t size;
717 uint16_t nextEffectDelay;
718 uint16_t totalDuration = 0;
719
720 auto ch = dspmem_chunk_create(new uint8_t[FF_CUSTOM_DATA_LEN_MAX_COMP]{0x00},
721 FF_CUSTOM_DATA_LEN_MAX_COMP);
722
723 if (composite.size() > COMPOSE_SIZE_MAX || composite.empty()) {
724 return ndk::ScopedAStatus::fromExceptionCode(EX_ILLEGAL_ARGUMENT);
725 }
726
727 /* Check if there is a wait before the first effect. */
728 nextEffectDelay = composite.front().delayMs;
729 totalDuration += nextEffectDelay;
730 if (nextEffectDelay > COMPOSE_DELAY_MAX_MS || nextEffectDelay < 0) {
731 return ndk::ScopedAStatus::fromExceptionCode(EX_ILLEGAL_ARGUMENT);
732 } else if (nextEffectDelay > 0) {
733 size = composite.size() + 1;
734 } else {
735 size = composite.size();
736 }
737
738 dspmem_chunk_write(ch, 8, 0); /* Padding */
739 dspmem_chunk_write(ch, 8, (uint8_t)(0xFF & size)); /* nsections */
740 dspmem_chunk_write(ch, 8, 0); /* repeat */
741 uint8_t header_count = dspmem_chunk_bytes(ch);
742
743 /* Insert 1 section for a wait before the first effect. */
744 if (nextEffectDelay) {
745 dspmem_chunk_write(ch, 32, 0); /* amplitude, index, repeat & flags */
746 dspmem_chunk_write(ch, 16, (uint16_t)(0xFFFF & nextEffectDelay)); /* delay */
747 }
748
749 for (uint32_t i_curr = 0, i_next = 1; i_curr < composite.size(); i_curr++, i_next++) {
750 auto &e_curr = composite[i_curr];
751 uint32_t effectIndex = 0;
752 uint32_t effectVolLevel = 0;
753 float effectScale = e_curr.scale;
754 if (effectScale < 0.0f || effectScale > 1.0f) {
755 return ndk::ScopedAStatus::fromExceptionCode(EX_ILLEGAL_ARGUMENT);
756 }
757
758 if (e_curr.primitive != CompositePrimitive::NOOP) {
759 ndk::ScopedAStatus status;
760 status = getPrimitiveDetails(e_curr.primitive, &effectIndex);
761 if (!status.isOk()) {
762 return status;
763 }
764 // Add a max and min threshold to prevent the device crash(overcurrent) or no
765 // feeling
766 if (effectScale > mPrimitiveMaxScale[static_cast<uint32_t>(e_curr.primitive)]) {
767 effectScale = mPrimitiveMaxScale[static_cast<uint32_t>(e_curr.primitive)];
768 }
769 if (effectScale < mPrimitiveMinScale[static_cast<uint32_t>(e_curr.primitive)]) {
770 effectScale = mPrimitiveMinScale[static_cast<uint32_t>(e_curr.primitive)];
771 }
772 effectVolLevel = intensityToVolLevel(effectScale, effectIndex);
773 totalDuration += mEffectDurations[effectIndex];
774 }
775
776 /* Fetch the next composite effect delay and fill into the current section */
777 nextEffectDelay = 0;
778 if (i_next < composite.size()) {
779 auto &e_next = composite[i_next];
780 int32_t delay = e_next.delayMs;
781
782 if (delay > COMPOSE_DELAY_MAX_MS || delay < 0) {
783 return ndk::ScopedAStatus::fromExceptionCode(EX_ILLEGAL_ARGUMENT);
784 }
785 nextEffectDelay = delay;
786 totalDuration += delay;
787 }
788
789 if (effectIndex == 0 && nextEffectDelay == 0) {
790 return ndk::ScopedAStatus::fromExceptionCode(EX_ILLEGAL_ARGUMENT);
791 }
792
793 dspmem_chunk_write(ch, 8, (uint8_t)(0xFF & effectVolLevel)); /* amplitude */
794 dspmem_chunk_write(ch, 8, (uint8_t)(0xFF & effectIndex)); /* index */
795 dspmem_chunk_write(ch, 8, 0); /* repeat */
796 dspmem_chunk_write(ch, 8, 0); /* flags */
797 dspmem_chunk_write(ch, 16, (uint16_t)(0xFFFF & nextEffectDelay)); /* delay */
798 }
799 dspmem_chunk_flush(ch);
800 if (header_count == dspmem_chunk_bytes(ch)) {
801 return ndk::ScopedAStatus::fromExceptionCode(EX_ILLEGAL_ARGUMENT);
802 } else {
803 mFfEffects[WAVEFORM_COMPOSE].replay.length = totalDuration;
804 if (mIsDual) {
805 mFfEffectsDual[WAVEFORM_COMPOSE].replay.length = totalDuration;
806 }
807 return performEffect(WAVEFORM_MAX_INDEX /*ignored*/, VOLTAGE_SCALE_MAX /*ignored*/, ch,
808 callback);
809 }
810 }
811
on(uint32_t timeoutMs,uint32_t effectIndex,dspmem_chunk * ch,const std::shared_ptr<IVibratorCallback> & callback)812 ndk::ScopedAStatus Vibrator::on(uint32_t timeoutMs, uint32_t effectIndex, dspmem_chunk *ch,
813 const std::shared_ptr<IVibratorCallback> &callback) {
814 ndk::ScopedAStatus status = ndk::ScopedAStatus::ok();
815
816 if (effectIndex >= FF_MAX_EFFECTS) {
817 ALOGE("Invalid waveform index %d", effectIndex);
818 return ndk::ScopedAStatus::fromExceptionCode(EX_ILLEGAL_ARGUMENT);
819 }
820 if (mAsyncHandle.wait_for(ASYNC_COMPLETION_TIMEOUT) != std::future_status::ready) {
821 ALOGE("Previous vibration pending: prev: %d, curr: %d", mActiveId, effectIndex);
822 return ndk::ScopedAStatus::fromExceptionCode(EX_ILLEGAL_STATE);
823 }
824
825 if (ch) {
826 /* Upload OWT effect. */
827 if (ch->head == nullptr) {
828 ALOGE("Invalid OWT bank");
829 delete ch;
830 return ndk::ScopedAStatus::fromExceptionCode(EX_ILLEGAL_ARGUMENT);
831 }
832 bool isPwle = (*reinterpret_cast<uint16_t *>(ch->head) != 0x0000);
833 effectIndex = isPwle ? WAVEFORM_PWLE : WAVEFORM_COMPOSE;
834
835 uint32_t freeBytes;
836 mHwApiDef->getOwtFreeSpace(&freeBytes);
837 if (dspmem_chunk_bytes(ch) > freeBytes) {
838 ALOGE("Invalid OWT length: Effect %d: %d > %d!", effectIndex, dspmem_chunk_bytes(ch),
839 freeBytes);
840 delete ch;
841 return ndk::ScopedAStatus::fromExceptionCode(EX_ILLEGAL_ARGUMENT);
842 }
843 if (mIsDual) {
844 mHwApiDual->getOwtFreeSpace(&freeBytes);
845 if (dspmem_chunk_bytes(ch) > freeBytes) {
846 ALOGE("Invalid OWT length in flip: Effect %d: %d > %d!", effectIndex,
847 dspmem_chunk_bytes(ch), freeBytes);
848 delete ch;
849 return ndk::ScopedAStatus::fromExceptionCode(EX_ILLEGAL_ARGUMENT);
850 }
851 }
852
853 int errorStatus;
854 if (mGPIOStatus && mIsDual) {
855 mFfEffects[effectIndex].trigger.button = GPIO_TRIGGER_CONFIG | effectIndex;
856 mFfEffectsDual[effectIndex].trigger.button = GPIO_TRIGGER_CONFIG | effectIndex;
857 } else {
858 ALOGD("Not dual haptics HAL and GPIO status fail");
859 }
860
861 if (!mHwApiDef->uploadOwtEffect(mInputFd, ch->head, dspmem_chunk_bytes(ch),
862 &mFfEffects[effectIndex], &effectIndex, &errorStatus)) {
863 delete ch;
864 ALOGE("Invalid uploadOwtEffect");
865 return ndk::ScopedAStatus::fromExceptionCode(errorStatus);
866 }
867 if (mIsDual && !mHwApiDual->uploadOwtEffect(mInputFdDual, ch->head, dspmem_chunk_bytes(ch),
868 &mFfEffectsDual[effectIndex], &effectIndex,
869 &errorStatus)) {
870 delete ch;
871 ALOGE("Invalid uploadOwtEffect in flip");
872 return ndk::ScopedAStatus::fromExceptionCode(errorStatus);
873 }
874 delete ch;
875
876 } else if (effectIndex == WAVEFORM_SHORT_VIBRATION_EFFECT_INDEX ||
877 effectIndex == WAVEFORM_LONG_VIBRATION_EFFECT_INDEX) {
878 /* Update duration for long/short vibration. */
879 mFfEffects[effectIndex].replay.length = static_cast<uint16_t>(timeoutMs);
880 if (mGPIOStatus && mIsDual) {
881 mFfEffects[effectIndex].trigger.button = GPIO_TRIGGER_CONFIG | effectIndex;
882 mFfEffectsDual[effectIndex].trigger.button = GPIO_TRIGGER_CONFIG | effectIndex;
883 } else {
884 ALOGD("Not dual haptics HAL and GPIO status fail");
885 }
886 if (!mHwApiDef->setFFEffect(mInputFd, &mFfEffects[effectIndex],
887 static_cast<uint16_t>(timeoutMs))) {
888 ALOGE("Failed to edit effect %d (%d): %s", effectIndex, errno, strerror(errno));
889 return ndk::ScopedAStatus::fromExceptionCode(EX_ILLEGAL_STATE);
890 }
891 if (mIsDual) {
892 mFfEffectsDual[effectIndex].replay.length = static_cast<uint16_t>(timeoutMs);
893 if (!mHwApiDual->setFFEffect(mInputFdDual, &mFfEffectsDual[effectIndex],
894 static_cast<uint16_t>(timeoutMs))) {
895 ALOGE("Failed to edit flip's effect %d (%d): %s", effectIndex, errno,
896 strerror(errno));
897 return ndk::ScopedAStatus::fromExceptionCode(EX_ILLEGAL_STATE);
898 }
899 }
900 }
901
902 {
903 const std::scoped_lock<std::mutex> lock(mActiveId_mutex);
904 /* Play the event now. */
905 mActiveId = effectIndex;
906 if (!mGPIOStatus) {
907 ALOGE("GetVibrator: GPIO status error");
908 // Do playcode to play effect
909 if (!mHwApiDef->setFFPlay(mInputFd, effectIndex, true)) {
910 ALOGE("Failed to play effect %d (%d): %s", effectIndex, errno, strerror(errno));
911 mActiveId = -1;
912 return ndk::ScopedAStatus::fromExceptionCode(EX_ILLEGAL_STATE);
913 }
914 if (mIsDual && !mHwApiDual->setFFPlay(mInputFdDual, effectIndex, true)) {
915 ALOGE("Failed to play flip's effect %d (%d): %s", effectIndex, errno,
916 strerror(errno));
917 mActiveId = -1;
918 return ndk::ScopedAStatus::fromExceptionCode(EX_ILLEGAL_STATE);
919 }
920 } else {
921 // Using GPIO to play effect
922 if ((effectIndex == WAVEFORM_CLICK_INDEX || effectIndex == WAVEFORM_LIGHT_TICK_INDEX)) {
923 mFfEffects[effectIndex].trigger.button = GPIO_TRIGGER_CONFIG | effectIndex;
924 if (!mHwApiDef->setFFEffect(mInputFd, &mFfEffects[effectIndex],
925 mFfEffects[effectIndex].replay.length)) {
926 ALOGE("Failed to edit effect %d (%d): %s", effectIndex, errno, strerror(errno));
927 return ndk::ScopedAStatus::fromExceptionCode(EX_ILLEGAL_STATE);
928 }
929 if (mIsDual) {
930 mFfEffectsDual[effectIndex].trigger.button = GPIO_TRIGGER_CONFIG | effectIndex;
931 if (!mHwApiDual->setFFEffect(mInputFdDual, &mFfEffectsDual[effectIndex],
932 mFfEffectsDual[effectIndex].replay.length)) {
933 ALOGE("Failed to edit flip's effect %d (%d): %s", effectIndex, errno,
934 strerror(errno));
935 return ndk::ScopedAStatus::fromExceptionCode(EX_ILLEGAL_STATE);
936 }
937 }
938 }
939 if (!mHwGPIO->setGPIOOutput(true)) {
940 ALOGE("Failed to trigger effect %d (%d) by GPIO: %s", effectIndex, errno,
941 strerror(errno));
942 return ndk::ScopedAStatus::fromExceptionCode(EX_ILLEGAL_STATE);
943 }
944 }
945 }
946
947 mAsyncHandle = std::async(&Vibrator::waitForComplete, this, callback);
948 ALOGD("Vibrator::on, set done.");
949 return ndk::ScopedAStatus::ok();
950 }
951
setEffectAmplitude(float amplitude,float maximum)952 ndk::ScopedAStatus Vibrator::setEffectAmplitude(float amplitude, float maximum) {
953 uint16_t scale = amplitudeToScale(amplitude, maximum);
954 if (!mHwApiDef->setFFGain(mInputFd, scale)) {
955 ALOGE("Failed to set the gain to %u (%d): %s", scale, errno, strerror(errno));
956 return ndk::ScopedAStatus::fromExceptionCode(EX_ILLEGAL_STATE);
957 }
958 if (mIsDual) {
959 if (!mHwApiDual->setFFGain(mInputFdDual, scale)) {
960 ALOGE("Failed to set flip's gain to %u (%d): %s", scale, errno, strerror(errno));
961 return ndk::ScopedAStatus::fromExceptionCode(EX_ILLEGAL_STATE);
962 }
963 }
964 return ndk::ScopedAStatus::ok();
965 }
966
setGlobalAmplitude(bool set)967 ndk::ScopedAStatus Vibrator::setGlobalAmplitude(bool set) {
968 uint8_t amplitude = set ? roundf(mLongEffectScale * mLongEffectVol[1]) : VOLTAGE_SCALE_MAX;
969 if (!set) {
970 mLongEffectScale = 1.0; // Reset the scale for the later new effect.
971 }
972
973 return setEffectAmplitude(amplitude, VOLTAGE_SCALE_MAX);
974 }
975
getSupportedAlwaysOnEffects(std::vector<Effect> *)976 ndk::ScopedAStatus Vibrator::getSupportedAlwaysOnEffects(std::vector<Effect> * /*_aidl_return*/) {
977 return ndk::ScopedAStatus::fromExceptionCode(EX_UNSUPPORTED_OPERATION);
978 }
979
alwaysOnEnable(int32_t,Effect,EffectStrength)980 ndk::ScopedAStatus Vibrator::alwaysOnEnable(int32_t /*id*/, Effect /*effect*/,
981 EffectStrength /*strength*/) {
982 return ndk::ScopedAStatus::fromExceptionCode(EX_UNSUPPORTED_OPERATION);
983 }
alwaysOnDisable(int32_t)984 ndk::ScopedAStatus Vibrator::alwaysOnDisable(int32_t /*id*/) {
985 return ndk::ScopedAStatus::fromExceptionCode(EX_UNSUPPORTED_OPERATION);
986 }
987
getResonantFrequency(float * resonantFreqHz)988 ndk::ScopedAStatus Vibrator::getResonantFrequency(float *resonantFreqHz) {
989 std::string caldata{8, '0'};
990 if (!mHwCalDef->getF0(&caldata)) {
991 ALOGE("Failed to get resonant frequency (%d): %s", errno, strerror(errno));
992 return ndk::ScopedAStatus::fromExceptionCode(EX_ILLEGAL_STATE);
993 }
994 *resonantFreqHz = static_cast<float>(std::stoul(caldata, nullptr, 16)) / (1 << Q14_BIT_SHIFT);
995
996 return ndk::ScopedAStatus::ok();
997 }
998
getQFactor(float * qFactor)999 ndk::ScopedAStatus Vibrator::getQFactor(float *qFactor) {
1000 std::string caldata{8, '0'};
1001 if (!mHwCalDef->getQ(&caldata)) {
1002 ALOGE("Failed to get q factor (%d): %s", errno, strerror(errno));
1003 return ndk::ScopedAStatus::fromExceptionCode(EX_ILLEGAL_STATE);
1004 }
1005 *qFactor = static_cast<float>(std::stoul(caldata, nullptr, 16)) / (1 << Q16_BIT_SHIFT);
1006
1007 return ndk::ScopedAStatus::ok();
1008 }
1009
getFrequencyResolution(float * freqResolutionHz)1010 ndk::ScopedAStatus Vibrator::getFrequencyResolution(float *freqResolutionHz) {
1011 int32_t capabilities;
1012 Vibrator::getCapabilities(&capabilities);
1013 if (capabilities & IVibrator::CAP_FREQUENCY_CONTROL) {
1014 *freqResolutionHz = PWLE_FREQUENCY_RESOLUTION_HZ;
1015 return ndk::ScopedAStatus::ok();
1016 } else {
1017 return ndk::ScopedAStatus::fromExceptionCode(EX_UNSUPPORTED_OPERATION);
1018 }
1019 }
1020
getFrequencyMinimum(float * freqMinimumHz)1021 ndk::ScopedAStatus Vibrator::getFrequencyMinimum(float *freqMinimumHz) {
1022 int32_t capabilities;
1023 Vibrator::getCapabilities(&capabilities);
1024 if (capabilities & IVibrator::CAP_FREQUENCY_CONTROL) {
1025 *freqMinimumHz = PWLE_FREQUENCY_MIN_HZ;
1026 return ndk::ScopedAStatus::ok();
1027 } else {
1028 return ndk::ScopedAStatus::fromExceptionCode(EX_UNSUPPORTED_OPERATION);
1029 }
1030 }
1031
getBandwidthAmplitudeMap(std::vector<float> * _aidl_return)1032 ndk::ScopedAStatus Vibrator::getBandwidthAmplitudeMap(std::vector<float> *_aidl_return) {
1033 // TODO(b/170919640): complete implementation
1034 int32_t capabilities;
1035 Vibrator::getCapabilities(&capabilities);
1036 if (capabilities & IVibrator::CAP_FREQUENCY_CONTROL) {
1037 std::vector<float> bandwidthAmplitudeMap(PWLE_BW_MAP_SIZE, 1.0);
1038 *_aidl_return = bandwidthAmplitudeMap;
1039 return ndk::ScopedAStatus::ok();
1040 } else {
1041 return ndk::ScopedAStatus::fromExceptionCode(EX_UNSUPPORTED_OPERATION);
1042 }
1043 }
1044
getPwlePrimitiveDurationMax(int32_t * durationMs)1045 ndk::ScopedAStatus Vibrator::getPwlePrimitiveDurationMax(int32_t *durationMs) {
1046 int32_t capabilities;
1047 Vibrator::getCapabilities(&capabilities);
1048 if (capabilities & IVibrator::CAP_COMPOSE_PWLE_EFFECTS) {
1049 *durationMs = COMPOSE_PWLE_PRIMITIVE_DURATION_MAX_MS;
1050 return ndk::ScopedAStatus::ok();
1051 } else {
1052 return ndk::ScopedAStatus::fromExceptionCode(EX_UNSUPPORTED_OPERATION);
1053 }
1054 }
1055
getPwleCompositionSizeMax(int32_t * maxSize)1056 ndk::ScopedAStatus Vibrator::getPwleCompositionSizeMax(int32_t *maxSize) {
1057 int32_t capabilities;
1058 Vibrator::getCapabilities(&capabilities);
1059 if (capabilities & IVibrator::CAP_COMPOSE_PWLE_EFFECTS) {
1060 *maxSize = COMPOSE_PWLE_SIZE_MAX_DEFAULT;
1061 return ndk::ScopedAStatus::ok();
1062 } else {
1063 return ndk::ScopedAStatus::fromExceptionCode(EX_UNSUPPORTED_OPERATION);
1064 }
1065 }
1066
getSupportedBraking(std::vector<Braking> * supported)1067 ndk::ScopedAStatus Vibrator::getSupportedBraking(std::vector<Braking> *supported) {
1068 int32_t capabilities;
1069 Vibrator::getCapabilities(&capabilities);
1070 if (capabilities & IVibrator::CAP_COMPOSE_PWLE_EFFECTS) {
1071 *supported = {
1072 Braking::NONE,
1073 };
1074 return ndk::ScopedAStatus::ok();
1075 } else {
1076 return ndk::ScopedAStatus::fromExceptionCode(EX_UNSUPPORTED_OPERATION);
1077 }
1078 }
1079
resetPreviousEndAmplitudeEndFrequency(float * prevEndAmplitude,float * prevEndFrequency)1080 static void resetPreviousEndAmplitudeEndFrequency(float *prevEndAmplitude,
1081 float *prevEndFrequency) {
1082 const float reset = -1.0;
1083 *prevEndAmplitude = reset;
1084 *prevEndFrequency = reset;
1085 }
1086
incrementIndex(int * index)1087 static void incrementIndex(int *index) {
1088 *index += 1;
1089 }
1090
constructPwleSegment(dspmem_chunk * ch,uint16_t delay,uint16_t amplitude,uint16_t frequency,uint8_t flags,uint32_t vbemfTarget=0)1091 static void constructPwleSegment(dspmem_chunk *ch, uint16_t delay, uint16_t amplitude,
1092 uint16_t frequency, uint8_t flags, uint32_t vbemfTarget = 0) {
1093 dspmem_chunk_write(ch, 16, delay);
1094 dspmem_chunk_write(ch, 12, amplitude);
1095 dspmem_chunk_write(ch, 12, frequency);
1096 /* feature flags to control the chirp, CLAB braking, back EMF amplitude regulation */
1097 dspmem_chunk_write(ch, 8, (flags | 1) << 4);
1098 if (flags & PWLE_AMP_REG_BIT) {
1099 dspmem_chunk_write(ch, 24, vbemfTarget); /* target back EMF voltage */
1100 }
1101 }
1102
constructActiveSegment(dspmem_chunk * ch,int duration,float amplitude,float frequency,bool chirp)1103 static int constructActiveSegment(dspmem_chunk *ch, int duration, float amplitude, float frequency,
1104 bool chirp) {
1105 uint16_t delay = 0;
1106 uint16_t amp = 0;
1107 uint16_t freq = 0;
1108 uint8_t flags = 0x0;
1109 if ((floatToUint16(duration, &delay, 4, 0.0f, COMPOSE_PWLE_PRIMITIVE_DURATION_MAX_MS) < 0) ||
1110 (floatToUint16(amplitude, &, 2048, CS40L26_PWLE_LEVEL_MIX, CS40L26_PWLE_LEVEL_MAX) <
1111 0) ||
1112 (floatToUint16(frequency, &freq, 4, PWLE_FREQUENCY_MIN_HZ, PWLE_FREQUENCY_MAX_HZ) < 0)) {
1113 ALOGE("Invalid argument: %d, %f, %f", duration, amplitude, frequency);
1114 return -ERANGE;
1115 }
1116 if (chirp) {
1117 flags |= PWLE_CHIRP_BIT;
1118 }
1119 constructPwleSegment(ch, delay, amp, freq, flags, 0 /*ignored*/);
1120 return 0;
1121 }
1122
constructBrakingSegment(dspmem_chunk * ch,int duration,Braking brakingType)1123 static int constructBrakingSegment(dspmem_chunk *ch, int duration, Braking brakingType) {
1124 uint16_t delay = 0;
1125 uint16_t freq = 0;
1126 uint8_t flags = 0x00;
1127 if (floatToUint16(duration, &delay, 4, 0.0f, COMPOSE_PWLE_PRIMITIVE_DURATION_MAX_MS) < 0) {
1128 ALOGE("Invalid argument: %d", duration);
1129 return -ERANGE;
1130 }
1131 floatToUint16(PWLE_FREQUENCY_MIN_HZ, &freq, 4, PWLE_FREQUENCY_MIN_HZ, PWLE_FREQUENCY_MAX_HZ);
1132 if (static_cast<std::underlying_type<Braking>::type>(brakingType)) {
1133 flags |= PWLE_BRAKE_BIT;
1134 }
1135
1136 constructPwleSegment(ch, delay, 0 /*ignored*/, freq, flags, 0 /*ignored*/);
1137 return 0;
1138 }
1139
updateWLength(dspmem_chunk * ch,uint32_t totalDuration)1140 static void updateWLength(dspmem_chunk *ch, uint32_t totalDuration) {
1141 totalDuration *= 8; /* Unit: 0.125 ms (since wlength played @ 8kHz). */
1142 totalDuration |= WT_LEN_CALCD; /* Bit 23 is for WT_LEN_CALCD; Bit 22 is for WT_INDEFINITE. */
1143 *(ch->head + 0) = (totalDuration >> 24) & 0xFF;
1144 *(ch->head + 1) = (totalDuration >> 16) & 0xFF;
1145 *(ch->head + 2) = (totalDuration >> 8) & 0xFF;
1146 *(ch->head + 3) = totalDuration & 0xFF;
1147 }
1148
updateNSection(dspmem_chunk * ch,int segmentIdx)1149 static void updateNSection(dspmem_chunk *ch, int segmentIdx) {
1150 *(ch->head + 7) |= (0xF0 & segmentIdx) >> 4; /* Bit 4 to 7 */
1151 *(ch->head + 9) |= (0x0F & segmentIdx) << 4; /* Bit 3 to 0 */
1152 }
1153
composePwle(const std::vector<PrimitivePwle> & composite,const std::shared_ptr<IVibratorCallback> & callback)1154 ndk::ScopedAStatus Vibrator::composePwle(const std::vector<PrimitivePwle> &composite,
1155 const std::shared_ptr<IVibratorCallback> &callback) {
1156 ATRACE_NAME("Vibrator::composePwle");
1157 int32_t capabilities;
1158
1159 Vibrator::getCapabilities(&capabilities);
1160 if ((capabilities & IVibrator::CAP_COMPOSE_PWLE_EFFECTS) == 0) {
1161 return ndk::ScopedAStatus::fromExceptionCode(EX_UNSUPPORTED_OPERATION);
1162 }
1163
1164 if (composite.empty() || composite.size() > COMPOSE_PWLE_SIZE_MAX_DEFAULT) {
1165 return ndk::ScopedAStatus::fromExceptionCode(EX_ILLEGAL_ARGUMENT);
1166 }
1167
1168 std::vector<Braking> supported;
1169 Vibrator::getSupportedBraking(&supported);
1170 bool isClabSupported =
1171 std::find(supported.begin(), supported.end(), Braking::CLAB) != supported.end();
1172
1173 int segmentIdx = 0;
1174 uint32_t totalDuration = 0;
1175 float prevEndAmplitude;
1176 float prevEndFrequency;
1177 resetPreviousEndAmplitudeEndFrequency(&prevEndAmplitude, &prevEndFrequency);
1178 auto ch = dspmem_chunk_create(new uint8_t[FF_CUSTOM_DATA_LEN_MAX_PWLE]{0x00},
1179 FF_CUSTOM_DATA_LEN_MAX_PWLE);
1180 bool chirp = false;
1181
1182 dspmem_chunk_write(ch, 24, 0x000000); /* Waveform length placeholder */
1183 dspmem_chunk_write(ch, 8, 0); /* Repeat */
1184 dspmem_chunk_write(ch, 12, 0); /* Wait time between repeats */
1185 dspmem_chunk_write(ch, 8, 0x00); /* nsections placeholder */
1186
1187 for (auto &e : composite) {
1188 switch (e.getTag()) {
1189 case PrimitivePwle::active: {
1190 auto active = e.get<PrimitivePwle::active>();
1191 if (active.duration < 0 ||
1192 active.duration > COMPOSE_PWLE_PRIMITIVE_DURATION_MAX_MS) {
1193 return ndk::ScopedAStatus::fromExceptionCode(EX_ILLEGAL_ARGUMENT);
1194 }
1195 if (active.startAmplitude < PWLE_LEVEL_MIN ||
1196 active.startAmplitude > PWLE_LEVEL_MAX ||
1197 active.endAmplitude < PWLE_LEVEL_MIN || active.endAmplitude > PWLE_LEVEL_MAX) {
1198 return ndk::ScopedAStatus::fromExceptionCode(EX_ILLEGAL_ARGUMENT);
1199 }
1200 if (active.startAmplitude > CS40L26_PWLE_LEVEL_MAX) {
1201 active.startAmplitude = CS40L26_PWLE_LEVEL_MAX;
1202 }
1203 if (active.endAmplitude > CS40L26_PWLE_LEVEL_MAX) {
1204 active.endAmplitude = CS40L26_PWLE_LEVEL_MAX;
1205 }
1206
1207 if (active.startFrequency < PWLE_FREQUENCY_MIN_HZ ||
1208 active.startFrequency > PWLE_FREQUENCY_MAX_HZ ||
1209 active.endFrequency < PWLE_FREQUENCY_MIN_HZ ||
1210 active.endFrequency > PWLE_FREQUENCY_MAX_HZ) {
1211 return ndk::ScopedAStatus::fromExceptionCode(EX_ILLEGAL_ARGUMENT);
1212 }
1213
1214 if (!((active.startAmplitude == prevEndAmplitude) &&
1215 (active.startFrequency == prevEndFrequency))) {
1216 if (constructActiveSegment(ch, 0, active.startAmplitude, active.startFrequency,
1217 false) < 0) {
1218 return ndk::ScopedAStatus::fromExceptionCode(EX_ILLEGAL_ARGUMENT);
1219 }
1220 incrementIndex(&segmentIdx);
1221 }
1222
1223 if (active.startFrequency != active.endFrequency) {
1224 chirp = true;
1225 }
1226 if (constructActiveSegment(ch, active.duration, active.endAmplitude,
1227 active.endFrequency, chirp) < 0) {
1228 return ndk::ScopedAStatus::fromExceptionCode(EX_ILLEGAL_ARGUMENT);
1229 }
1230 incrementIndex(&segmentIdx);
1231
1232 prevEndAmplitude = active.endAmplitude;
1233 prevEndFrequency = active.endFrequency;
1234 totalDuration += active.duration;
1235 chirp = false;
1236 break;
1237 }
1238 case PrimitivePwle::braking: {
1239 auto braking = e.get<PrimitivePwle::braking>();
1240 if (braking.braking > Braking::CLAB) {
1241 return ndk::ScopedAStatus::fromExceptionCode(EX_ILLEGAL_ARGUMENT);
1242 } else if (!isClabSupported && (braking.braking == Braking::CLAB)) {
1243 return ndk::ScopedAStatus::fromExceptionCode(EX_ILLEGAL_ARGUMENT);
1244 }
1245
1246 if (braking.duration > COMPOSE_PWLE_PRIMITIVE_DURATION_MAX_MS) {
1247 return ndk::ScopedAStatus::fromExceptionCode(EX_ILLEGAL_ARGUMENT);
1248 }
1249
1250 if (constructBrakingSegment(ch, 0, braking.braking) < 0) {
1251 return ndk::ScopedAStatus::fromExceptionCode(EX_ILLEGAL_ARGUMENT);
1252 }
1253 incrementIndex(&segmentIdx);
1254
1255 if (constructBrakingSegment(ch, braking.duration, braking.braking) < 0) {
1256 return ndk::ScopedAStatus::fromExceptionCode(EX_ILLEGAL_ARGUMENT);
1257 }
1258 incrementIndex(&segmentIdx);
1259
1260 resetPreviousEndAmplitudeEndFrequency(&prevEndAmplitude, &prevEndFrequency);
1261 totalDuration += braking.duration;
1262 break;
1263 }
1264 }
1265
1266 if (segmentIdx > COMPOSE_PWLE_SIZE_MAX_DEFAULT) {
1267 ALOGE("Too many PrimitivePwle section!");
1268 return ndk::ScopedAStatus::fromExceptionCode(EX_ILLEGAL_ARGUMENT);
1269 }
1270 }
1271 dspmem_chunk_flush(ch);
1272
1273 /* Update wlength */
1274 totalDuration += MAX_COLD_START_LATENCY_MS;
1275 if (totalDuration > 0x7FFFF) {
1276 ALOGE("Total duration is too long (%d)!", totalDuration);
1277 return ndk::ScopedAStatus::fromExceptionCode(EX_ILLEGAL_ARGUMENT);
1278 }
1279 updateWLength(ch, totalDuration);
1280
1281 /* Update nsections */
1282 updateNSection(ch, segmentIdx);
1283
1284 return performEffect(WAVEFORM_MAX_INDEX /*ignored*/, VOLTAGE_SCALE_MAX /*ignored*/, ch,
1285 callback);
1286 }
1287
isUnderExternalControl()1288 bool Vibrator::isUnderExternalControl() {
1289 return mIsUnderExternalControl;
1290 }
1291
1292 // BnCInterface APIs
1293
dump(int fd,const char ** args,uint32_t numArgs)1294 binder_status_t Vibrator::dump(int fd, const char **args, uint32_t numArgs) {
1295 if (fd < 0) {
1296 ALOGE("Called debug() with invalid fd.");
1297 return STATUS_OK;
1298 }
1299
1300 (void)args;
1301 (void)numArgs;
1302
1303 dprintf(fd, "AIDL:\n");
1304
1305 dprintf(fd, " F0 Offset: base: %" PRIu32 " flip: %" PRIu32 "\n", mF0Offset, mF0OffsetDual);
1306
1307 dprintf(fd, " Voltage Levels:\n");
1308 dprintf(fd, " Tick Effect Min: %" PRIu32 " Max: %" PRIu32 "\n", mTickEffectVol[0],
1309 mTickEffectVol[1]);
1310 dprintf(fd, " Click Effect Min: %" PRIu32 " Max: %" PRIu32 "\n", mClickEffectVol[0],
1311 mClickEffectVol[1]);
1312 dprintf(fd, " Long Effect Min: %" PRIu32 " Max: %" PRIu32 "\n", mLongEffectVol[0],
1313 mLongEffectVol[1]);
1314
1315 dprintf(fd, " FF effect:\n");
1316 dprintf(fd, " Physical waveform:\n");
1317 dprintf(fd, "==== Base ====\n\tId\tIndex\tt ->\tt'\ttrigger button\n");
1318 uint8_t effectId;
1319 for (effectId = 0; effectId < WAVEFORM_MAX_PHYSICAL_INDEX; effectId++) {
1320 dprintf(fd, "\t%d\t%d\t%d\t%d\t%X\n", mFfEffects[effectId].id,
1321 mFfEffects[effectId].u.periodic.custom_data[1], mEffectDurations[effectId],
1322 mFfEffects[effectId].replay.length, mFfEffects[effectId].trigger.button);
1323 }
1324 if (mIsDual) {
1325 dprintf(fd, "==== Flip ====\n\tId\tIndex\tt ->\tt'\ttrigger button\n");
1326 for (effectId = 0; effectId < WAVEFORM_MAX_PHYSICAL_INDEX; effectId++) {
1327 dprintf(fd, "\t%d\t%d\t%d\t%d\t%X\n", mFfEffectsDual[effectId].id,
1328 mFfEffectsDual[effectId].u.periodic.custom_data[1], mEffectDurations[effectId],
1329 mFfEffectsDual[effectId].replay.length,
1330 mFfEffectsDual[effectId].trigger.button);
1331 }
1332 }
1333
1334 dprintf(fd, "Base: OWT waveform:\n");
1335 dprintf(fd, "\tId\tBytes\tData\tt\ttrigger button\n");
1336 for (effectId = WAVEFORM_MAX_PHYSICAL_INDEX; effectId < WAVEFORM_MAX_INDEX; effectId++) {
1337 uint32_t numBytes = mFfEffects[effectId].u.periodic.custom_len * 2;
1338 std::stringstream ss;
1339 ss << " ";
1340 for (int i = 0; i < numBytes; i++) {
1341 ss << std::uppercase << std::setfill('0') << std::setw(2) << std::hex
1342 << (uint16_t)(*(
1343 reinterpret_cast<uint8_t *>(mFfEffects[effectId].u.periodic.custom_data) +
1344 i))
1345 << " ";
1346 }
1347 dprintf(fd, "\t%d\t%d\t{%s}\t%u\t%X\n", mFfEffects[effectId].id, numBytes, ss.str().c_str(),
1348 mFfEffectsDual[effectId].replay.length, mFfEffects[effectId].trigger.button);
1349 }
1350 if (mIsDual) {
1351 dprintf(fd, "Flip: OWT waveform:\n");
1352 dprintf(fd, "\tId\tBytes\tData\tt\ttrigger button\n");
1353 for (effectId = WAVEFORM_MAX_PHYSICAL_INDEX; effectId < WAVEFORM_MAX_INDEX; effectId++) {
1354 uint32_t numBytes = mFfEffectsDual[effectId].u.periodic.custom_len * 2;
1355 std::stringstream ss;
1356 ss << " ";
1357 for (int i = 0; i < numBytes; i++) {
1358 ss << std::uppercase << std::setfill('0') << std::setw(2) << std::hex
1359 << (uint16_t)(*(reinterpret_cast<uint8_t *>(
1360 mFfEffectsDual[effectId].u.periodic.custom_data) +
1361 i))
1362 << " ";
1363 }
1364 dprintf(fd, "\t%d\t%d\t{%s}\t%u\t%X\n", mFfEffectsDual[effectId].id, numBytes,
1365 ss.str().c_str(), mFfEffectsDual[effectId].replay.length,
1366 mFfEffectsDual[effectId].trigger.button);
1367 }
1368 }
1369 dprintf(fd, "\n");
1370 dprintf(fd, "\n");
1371
1372 mHwApiDef->debug(fd);
1373
1374 dprintf(fd, "\n");
1375
1376 mHwCalDef->debug(fd);
1377
1378 if (mIsDual) {
1379 mHwApiDual->debug(fd);
1380 dprintf(fd, "\n");
1381 mHwCalDual->debug(fd);
1382 }
1383
1384 fsync(fd);
1385 return STATUS_OK;
1386 }
1387
hasHapticAlsaDevice()1388 bool Vibrator::hasHapticAlsaDevice() {
1389 // We need to call findHapticAlsaDevice once only. Calling in the
1390 // constructor is too early in the boot process and the pcm file contents
1391 // are empty. Hence we make the call here once only right before we need to.
1392 if (!mConfigHapticAlsaDeviceDone) {
1393 if (mHwApiDef->getHapticAlsaDevice(&mCard, &mDevice)) {
1394 mHasHapticAlsaDevice = true;
1395 mConfigHapticAlsaDeviceDone = true;
1396 } else {
1397 ALOGE("Haptic ALSA device not supported");
1398 }
1399 } else {
1400 ALOGD("Haptic ALSA device configuration done.");
1401 }
1402 return mHasHapticAlsaDevice;
1403 }
1404
getSimpleDetails(Effect effect,EffectStrength strength,uint32_t * outEffectIndex,uint32_t * outTimeMs,uint32_t * outVolLevel)1405 ndk::ScopedAStatus Vibrator::getSimpleDetails(Effect effect, EffectStrength strength,
1406 uint32_t *outEffectIndex, uint32_t *outTimeMs,
1407 uint32_t *outVolLevel) {
1408 uint32_t effectIndex;
1409 uint32_t timeMs;
1410 float intensity;
1411 uint32_t volLevel;
1412 switch (strength) {
1413 case EffectStrength::LIGHT:
1414 intensity = 0.5f;
1415 break;
1416 case EffectStrength::MEDIUM:
1417 intensity = 0.7f;
1418 break;
1419 case EffectStrength::STRONG:
1420 intensity = 1.0f;
1421 break;
1422 default:
1423 return ndk::ScopedAStatus::fromExceptionCode(EX_UNSUPPORTED_OPERATION);
1424 }
1425
1426 switch (effect) {
1427 case Effect::TEXTURE_TICK:
1428 effectIndex = WAVEFORM_LIGHT_TICK_INDEX;
1429 intensity *= 0.5f;
1430 break;
1431 case Effect::TICK:
1432 effectIndex = WAVEFORM_CLICK_INDEX;
1433 intensity *= 0.5f;
1434 break;
1435 case Effect::CLICK:
1436 effectIndex = WAVEFORM_CLICK_INDEX;
1437 intensity *= 0.7f;
1438 break;
1439 case Effect::HEAVY_CLICK:
1440 effectIndex = WAVEFORM_CLICK_INDEX;
1441 intensity *= 1.0f;
1442 // WAVEFORM_CLICK_INDEX is 2, but the primitive CLICK index is 1.
1443 if (intensity > mPrimitiveMaxScale[WAVEFORM_CLICK_INDEX - 1]) {
1444 intensity = mPrimitiveMaxScale[WAVEFORM_CLICK_INDEX - 1];
1445 }
1446 break;
1447 default:
1448 return ndk::ScopedAStatus::fromExceptionCode(EX_UNSUPPORTED_OPERATION);
1449 }
1450
1451 volLevel = intensityToVolLevel(intensity, effectIndex);
1452 timeMs = mEffectDurations[effectIndex] + MAX_COLD_START_LATENCY_MS;
1453
1454 *outEffectIndex = effectIndex;
1455 *outTimeMs = timeMs;
1456 *outVolLevel = volLevel;
1457 return ndk::ScopedAStatus::ok();
1458 }
1459
getCompoundDetails(Effect effect,EffectStrength strength,uint32_t * outTimeMs,dspmem_chunk * outCh)1460 ndk::ScopedAStatus Vibrator::getCompoundDetails(Effect effect, EffectStrength strength,
1461 uint32_t *outTimeMs, dspmem_chunk *outCh) {
1462 ndk::ScopedAStatus status;
1463 uint32_t timeMs = 0;
1464 uint32_t thisEffectIndex;
1465 uint32_t thisTimeMs;
1466 uint32_t thisVolLevel;
1467 switch (effect) {
1468 case Effect::DOUBLE_CLICK:
1469 dspmem_chunk_write(outCh, 8, 0); /* Padding */
1470 dspmem_chunk_write(outCh, 8, 2); /* nsections */
1471 dspmem_chunk_write(outCh, 8, 0); /* repeat */
1472
1473 status = getSimpleDetails(Effect::CLICK, strength, &thisEffectIndex, &thisTimeMs,
1474 &thisVolLevel);
1475 if (!status.isOk()) {
1476 return status;
1477 }
1478 timeMs += thisTimeMs;
1479
1480 dspmem_chunk_write(outCh, 8, (uint8_t)(0xFF & thisVolLevel)); /* amplitude */
1481 dspmem_chunk_write(outCh, 8, (uint8_t)(0xFF & thisEffectIndex)); /* index */
1482 dspmem_chunk_write(outCh, 8, 0); /* repeat */
1483 dspmem_chunk_write(outCh, 8, 0); /* flags */
1484 dspmem_chunk_write(outCh, 16,
1485 (uint16_t)(0xFFFF & WAVEFORM_DOUBLE_CLICK_SILENCE_MS)); /* delay */
1486
1487 timeMs += WAVEFORM_DOUBLE_CLICK_SILENCE_MS + MAX_PAUSE_TIMING_ERROR_MS;
1488
1489 status = getSimpleDetails(Effect::HEAVY_CLICK, strength, &thisEffectIndex, &thisTimeMs,
1490 &thisVolLevel);
1491 if (!status.isOk()) {
1492 return status;
1493 }
1494 timeMs += thisTimeMs;
1495
1496 dspmem_chunk_write(outCh, 8, (uint8_t)(0xFF & thisVolLevel)); /* amplitude */
1497 dspmem_chunk_write(outCh, 8, (uint8_t)(0xFF & thisEffectIndex)); /* index */
1498 dspmem_chunk_write(outCh, 8, 0); /* repeat */
1499 dspmem_chunk_write(outCh, 8, 0); /* flags */
1500 dspmem_chunk_write(outCh, 16, 0); /* delay */
1501 dspmem_chunk_flush(outCh);
1502
1503 break;
1504 default:
1505 return ndk::ScopedAStatus::fromExceptionCode(EX_UNSUPPORTED_OPERATION);
1506 }
1507
1508 *outTimeMs = timeMs;
1509 mFfEffects[WAVEFORM_COMPOSE].replay.length = static_cast<uint16_t>(timeMs);
1510 if (mIsDual) {
1511 mFfEffectsDual[WAVEFORM_COMPOSE].replay.length = static_cast<uint16_t>(timeMs);
1512 }
1513
1514 return ndk::ScopedAStatus::ok();
1515 }
1516
getPrimitiveDetails(CompositePrimitive primitive,uint32_t * outEffectIndex)1517 ndk::ScopedAStatus Vibrator::getPrimitiveDetails(CompositePrimitive primitive,
1518 uint32_t *outEffectIndex) {
1519 uint32_t effectIndex;
1520 uint32_t primitiveBit = 1 << int32_t(primitive);
1521 if ((primitiveBit & mSupportedPrimitivesBits) == 0x0) {
1522 return ndk::ScopedAStatus::fromExceptionCode(EX_UNSUPPORTED_OPERATION);
1523 }
1524
1525 switch (primitive) {
1526 case CompositePrimitive::NOOP:
1527 return ndk::ScopedAStatus::fromExceptionCode(EX_ILLEGAL_ARGUMENT);
1528 case CompositePrimitive::CLICK:
1529 effectIndex = WAVEFORM_CLICK_INDEX;
1530 break;
1531 case CompositePrimitive::THUD:
1532 effectIndex = WAVEFORM_THUD_INDEX;
1533 break;
1534 case CompositePrimitive::SPIN:
1535 effectIndex = WAVEFORM_SPIN_INDEX;
1536 break;
1537 case CompositePrimitive::QUICK_RISE:
1538 effectIndex = WAVEFORM_QUICK_RISE_INDEX;
1539 break;
1540 case CompositePrimitive::SLOW_RISE:
1541 effectIndex = WAVEFORM_SLOW_RISE_INDEX;
1542 break;
1543 case CompositePrimitive::QUICK_FALL:
1544 effectIndex = WAVEFORM_QUICK_FALL_INDEX;
1545 break;
1546 case CompositePrimitive::LIGHT_TICK:
1547 effectIndex = WAVEFORM_LIGHT_TICK_INDEX;
1548 break;
1549 case CompositePrimitive::LOW_TICK:
1550 effectIndex = WAVEFORM_LOW_TICK_INDEX;
1551 break;
1552 default:
1553 return ndk::ScopedAStatus::fromExceptionCode(EX_UNSUPPORTED_OPERATION);
1554 }
1555
1556 *outEffectIndex = effectIndex;
1557
1558 return ndk::ScopedAStatus::ok();
1559 }
1560
performEffect(Effect effect,EffectStrength strength,const std::shared_ptr<IVibratorCallback> & callback,int32_t * outTimeMs)1561 ndk::ScopedAStatus Vibrator::performEffect(Effect effect, EffectStrength strength,
1562 const std::shared_ptr<IVibratorCallback> &callback,
1563 int32_t *outTimeMs) {
1564 ndk::ScopedAStatus status;
1565 uint32_t effectIndex;
1566 uint32_t timeMs = 0;
1567 uint32_t volLevel;
1568 dspmem_chunk *ch = nullptr;
1569 switch (effect) {
1570 case Effect::TEXTURE_TICK:
1571 // fall-through
1572 case Effect::TICK:
1573 // fall-through
1574 case Effect::CLICK:
1575 // fall-through
1576 case Effect::HEAVY_CLICK:
1577 status = getSimpleDetails(effect, strength, &effectIndex, &timeMs, &volLevel);
1578 break;
1579 case Effect::DOUBLE_CLICK:
1580 ch = dspmem_chunk_create(new uint8_t[FF_CUSTOM_DATA_LEN_MAX_COMP]{0x00},
1581 FF_CUSTOM_DATA_LEN_MAX_COMP);
1582 status = getCompoundDetails(effect, strength, &timeMs, ch);
1583 volLevel = VOLTAGE_SCALE_MAX;
1584 break;
1585 default:
1586 status = ndk::ScopedAStatus::fromExceptionCode(EX_UNSUPPORTED_OPERATION);
1587 break;
1588 }
1589 if (!status.isOk()) {
1590 goto exit;
1591 }
1592
1593 status = performEffect(effectIndex, volLevel, ch, callback);
1594
1595 exit:
1596 *outTimeMs = timeMs;
1597 return status;
1598 }
1599
performEffect(uint32_t effectIndex,uint32_t volLevel,dspmem_chunk * ch,const std::shared_ptr<IVibratorCallback> & callback)1600 ndk::ScopedAStatus Vibrator::performEffect(uint32_t effectIndex, uint32_t volLevel,
1601 dspmem_chunk *ch,
1602 const std::shared_ptr<IVibratorCallback> &callback) {
1603 setEffectAmplitude(volLevel, VOLTAGE_SCALE_MAX);
1604
1605 return on(MAX_TIME_MS, effectIndex, ch, callback);
1606 }
1607
waitForComplete(std::shared_ptr<IVibratorCallback> && callback)1608 void Vibrator::waitForComplete(std::shared_ptr<IVibratorCallback> &&callback) {
1609 ALOGD("waitForComplete: Callback status in waitForComplete(): callBack: %d",
1610 (callback != nullptr));
1611
1612 // Bypass checking flip part's haptic state
1613 if (!mHwApiDef->pollVibeState(VIBE_STATE_HAPTIC, POLLING_TIMEOUT)) {
1614 ALOGD("Failed to get state \"Haptic\"");
1615 }
1616
1617 mHwApiDef->pollVibeState(VIBE_STATE_STOPPED);
1618 // Check flip's state after base was done
1619 if (mIsDual) {
1620 mHwApiDual->pollVibeState(VIBE_STATE_STOPPED);
1621 }
1622 ALOGD("waitForComplete: get STOP");
1623 {
1624 const std::scoped_lock<std::mutex> lock(mActiveId_mutex);
1625 if (mActiveId >= WAVEFORM_MAX_PHYSICAL_INDEX) {
1626 if (!mHwApiDef->eraseOwtEffect(mInputFd, mActiveId, &mFfEffects)) {
1627 ALOGE("Failed to clean up the composed effect %d", mActiveId);
1628 }
1629 if (mIsDual &&
1630 (!mHwApiDual->eraseOwtEffect(mInputFdDual, mActiveId, &mFfEffectsDual))) {
1631 ALOGE("Failed to clean up flip's composed effect %d", mActiveId);
1632 }
1633 } else {
1634 ALOGD("waitForComplete: Vibrator is already off");
1635 }
1636 mActiveId = -1;
1637 if (mGPIOStatus && !mHwGPIO->setGPIOOutput(false)) {
1638 ALOGE("waitForComplete: Failed to reset GPIO(%d): %s", errno, strerror(errno));
1639 }
1640 // Do waveform number checking
1641 uint32_t effectCount = WAVEFORM_MAX_PHYSICAL_INDEX;
1642 mHwApiDef->getEffectCount(&effectCount);
1643 if (effectCount > WAVEFORM_MAX_PHYSICAL_INDEX) {
1644 // Forcibly clean all OWT waveforms
1645 if (!mHwApiDef->eraseOwtEffect(mInputFd, WAVEFORM_MAX_INDEX, &mFfEffects)) {
1646 ALOGE("Failed to clean up all base's composed effect");
1647 }
1648 }
1649
1650 if (mIsDual) {
1651 // Forcibly clean all OWT waveforms
1652 effectCount = WAVEFORM_MAX_PHYSICAL_INDEX;
1653 mHwApiDual->getEffectCount(&effectCount);
1654 if ((effectCount > WAVEFORM_MAX_PHYSICAL_INDEX) &&
1655 (!mHwApiDual->eraseOwtEffect(mInputFdDual, WAVEFORM_MAX_INDEX, &mFfEffectsDual))) {
1656 ALOGE("Failed to clean up all flip's composed effect");
1657 }
1658 }
1659 }
1660
1661 if (callback) {
1662 auto ret = callback->onComplete();
1663 if (!ret.isOk()) {
1664 ALOGE("Failed completion callback: %d", ret.getExceptionCode());
1665 }
1666 }
1667 ALOGD("waitForComplete: Done.");
1668 }
1669
intensityToVolLevel(float intensity,uint32_t effectIndex)1670 uint32_t Vibrator::intensityToVolLevel(float intensity, uint32_t effectIndex) {
1671 uint32_t volLevel;
1672 auto calc = [](float intst, std::array<uint32_t, 2> v) -> uint32_t {
1673 return std::lround(intst * (v[1] - v[0])) + v[0];
1674 };
1675
1676 switch (effectIndex) {
1677 case WAVEFORM_LIGHT_TICK_INDEX:
1678 volLevel = calc(intensity, mTickEffectVol);
1679 break;
1680 case WAVEFORM_QUICK_RISE_INDEX:
1681 // fall-through
1682 case WAVEFORM_QUICK_FALL_INDEX:
1683 volLevel = calc(intensity, mLongEffectVol);
1684 break;
1685 case WAVEFORM_CLICK_INDEX:
1686 // fall-through
1687 case WAVEFORM_THUD_INDEX:
1688 // fall-through
1689 case WAVEFORM_SPIN_INDEX:
1690 // fall-through
1691 case WAVEFORM_SLOW_RISE_INDEX:
1692 // fall-through
1693 default:
1694 volLevel = calc(intensity, mClickEffectVol);
1695 break;
1696 }
1697 return volLevel;
1698 }
1699
1700 } // namespace vibrator
1701 } // namespace hardware
1702 } // namespace android
1703 } // namespace aidl
1704