blob: dd24e6b77e5e14615462fcae2313925db0cc9eaa [file] [log] [blame]
Gabriel Birenf3262f92022-07-15 23:25:39 +00001/*
2 * Copyright (C) 2022 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 "wifi_chip.h"
18
19#include <android-base/logging.h>
20#include <android-base/unique_fd.h>
21#include <cutils/properties.h>
22#include <fcntl.h>
23#include <net/if.h>
24#include <sys/stat.h>
25#include <sys/sysmacros.h>
26
27#include "aidl_return_util.h"
28#include "aidl_struct_util.h"
maheshkkva8aba172023-02-13 12:33:26 -080029#include "wifi_legacy_hal.h"
Gabriel Birenf3262f92022-07-15 23:25:39 +000030#include "wifi_status_util.h"
31
32#define P2P_MGMT_DEVICE_PREFIX "p2p-dev-"
33
34namespace {
35using aidl::android::hardware::wifi::IfaceType;
36using aidl::android::hardware::wifi::IWifiChip;
37using CoexRestriction = aidl::android::hardware::wifi::IWifiChip::CoexRestriction;
Shuibing Daie5fbcab2022-12-19 15:37:19 -080038using ChannelCategoryMask = aidl::android::hardware::wifi::IWifiChip::ChannelCategoryMask;
Gabriel Birenf3262f92022-07-15 23:25:39 +000039using android::base::unique_fd;
40
41constexpr char kCpioMagic[] = "070701";
42constexpr size_t kMaxBufferSizeBytes = 1024 * 1024 * 3;
43constexpr uint32_t kMaxRingBufferFileAgeSeconds = 60 * 60 * 10;
44constexpr uint32_t kMaxRingBufferFileNum = 20;
45constexpr char kTombstoneFolderPath[] = "/data/vendor/tombstones/wifi/";
46constexpr char kActiveWlanIfaceNameProperty[] = "wifi.active.interface";
47constexpr char kNoActiveWlanIfaceNamePropertyValue[] = "";
48constexpr unsigned kMaxWlanIfaces = 5;
49constexpr char kApBridgeIfacePrefix[] = "ap_br_";
50
51template <typename Iface>
52void invalidateAndClear(std::vector<std::shared_ptr<Iface>>& ifaces, std::shared_ptr<Iface> iface) {
53 iface->invalidate();
54 ifaces.erase(std::remove(ifaces.begin(), ifaces.end(), iface), ifaces.end());
55}
56
57template <typename Iface>
58void invalidateAndClearAll(std::vector<std::shared_ptr<Iface>>& ifaces) {
59 for (const auto& iface : ifaces) {
60 iface->invalidate();
61 }
62 ifaces.clear();
63}
64
65template <typename Iface>
66std::vector<std::string> getNames(std::vector<std::shared_ptr<Iface>>& ifaces) {
67 std::vector<std::string> names;
68 for (const auto& iface : ifaces) {
69 names.emplace_back(iface->getName());
70 }
71 return names;
72}
73
74template <typename Iface>
75std::shared_ptr<Iface> findUsingName(std::vector<std::shared_ptr<Iface>>& ifaces,
76 const std::string& name) {
77 std::vector<std::string> names;
78 for (const auto& iface : ifaces) {
79 if (name == iface->getName()) {
80 return iface;
81 }
82 }
83 return nullptr;
84}
85
86std::string getWlanIfaceName(unsigned idx) {
87 if (idx >= kMaxWlanIfaces) {
88 CHECK(false) << "Requested interface beyond wlan" << kMaxWlanIfaces;
89 return {};
90 }
91
92 std::array<char, PROPERTY_VALUE_MAX> buffer;
93 if (idx == 0 || idx == 1) {
94 const char* altPropName = (idx == 0) ? "wifi.interface" : "wifi.concurrent.interface";
95 auto res = property_get(altPropName, buffer.data(), nullptr);
96 if (res > 0) return buffer.data();
97 }
98 std::string propName = "wifi.interface." + std::to_string(idx);
99 auto res = property_get(propName.c_str(), buffer.data(), nullptr);
100 if (res > 0) return buffer.data();
101
102 return "wlan" + std::to_string(idx);
103}
104
105// Returns the dedicated iface name if defined.
106// Returns two ifaces in bridged mode.
107std::vector<std::string> getPredefinedApIfaceNames(bool is_bridged) {
108 std::vector<std::string> ifnames;
109 std::array<char, PROPERTY_VALUE_MAX> buffer;
110 buffer.fill(0);
111 if (property_get("ro.vendor.wifi.sap.interface", buffer.data(), nullptr) == 0) {
112 return ifnames;
113 }
114 ifnames.push_back(buffer.data());
115 if (is_bridged) {
116 buffer.fill(0);
117 if (property_get("ro.vendor.wifi.sap.concurrent.iface", buffer.data(), nullptr) == 0) {
118 return ifnames;
119 }
120 ifnames.push_back(buffer.data());
121 }
122 return ifnames;
123}
124
125std::string getPredefinedP2pIfaceName() {
126 std::array<char, PROPERTY_VALUE_MAX> primaryIfaceName;
127 char p2pParentIfname[100];
128 std::string p2pDevIfName = "";
129 std::array<char, PROPERTY_VALUE_MAX> buffer;
130 property_get("wifi.direct.interface", buffer.data(), "p2p0");
131 if (strncmp(buffer.data(), P2P_MGMT_DEVICE_PREFIX, strlen(P2P_MGMT_DEVICE_PREFIX)) == 0) {
132 /* Get the p2p parent interface name from p2p device interface name set
133 * in property */
134 strlcpy(p2pParentIfname, buffer.data() + strlen(P2P_MGMT_DEVICE_PREFIX),
135 strlen(buffer.data()) - strlen(P2P_MGMT_DEVICE_PREFIX));
136 if (property_get(kActiveWlanIfaceNameProperty, primaryIfaceName.data(), nullptr) == 0) {
137 return buffer.data();
138 }
139 /* Check if the parent interface derived from p2p device interface name
140 * is active */
141 if (strncmp(p2pParentIfname, primaryIfaceName.data(),
142 strlen(buffer.data()) - strlen(P2P_MGMT_DEVICE_PREFIX)) != 0) {
143 /*
144 * Update the predefined p2p device interface parent interface name
145 * with current active wlan interface
146 */
147 p2pDevIfName += P2P_MGMT_DEVICE_PREFIX;
148 p2pDevIfName += primaryIfaceName.data();
149 LOG(INFO) << "update the p2p device interface name to " << p2pDevIfName.c_str();
150 return p2pDevIfName;
151 }
152 }
153 return buffer.data();
154}
155
156// Returns the dedicated iface name if one is defined.
157std::string getPredefinedNanIfaceName() {
158 std::array<char, PROPERTY_VALUE_MAX> buffer;
159 if (property_get("wifi.aware.interface", buffer.data(), nullptr) == 0) {
160 return {};
161 }
162 return buffer.data();
163}
164
165void setActiveWlanIfaceNameProperty(const std::string& ifname) {
166 auto res = property_set(kActiveWlanIfaceNameProperty, ifname.data());
167 if (res != 0) {
168 PLOG(ERROR) << "Failed to set active wlan iface name property";
169 }
170}
171
172// Delete files that meet either condition:
173// 1. Older than a predefined time in the wifi tombstone dir.
174// 2. Files in excess to a predefined amount, starting from the oldest ones
175bool removeOldFilesInternal() {
176 time_t now = time(0);
177 const time_t delete_files_before = now - kMaxRingBufferFileAgeSeconds;
178 std::unique_ptr<DIR, decltype(&closedir)> dir_dump(opendir(kTombstoneFolderPath), closedir);
179 if (!dir_dump) {
180 PLOG(ERROR) << "Failed to open directory";
181 return false;
182 }
183 struct dirent* dp;
184 bool success = true;
185 std::list<std::pair<const time_t, std::string>> valid_files;
186 while ((dp = readdir(dir_dump.get()))) {
187 if (dp->d_type != DT_REG) {
188 continue;
189 }
190 std::string cur_file_name(dp->d_name);
191 struct stat cur_file_stat;
192 std::string cur_file_path = kTombstoneFolderPath + cur_file_name;
193 if (stat(cur_file_path.c_str(), &cur_file_stat) == -1) {
194 PLOG(ERROR) << "Failed to get file stat for " << cur_file_path;
195 success = false;
196 continue;
197 }
198 const time_t cur_file_time = cur_file_stat.st_mtime;
199 valid_files.push_back(std::pair<const time_t, std::string>(cur_file_time, cur_file_path));
200 }
201 valid_files.sort(); // sort the list of files by last modified time from
202 // small to big.
203 uint32_t cur_file_count = valid_files.size();
204 for (auto cur_file : valid_files) {
205 if (cur_file_count > kMaxRingBufferFileNum || cur_file.first < delete_files_before) {
206 if (unlink(cur_file.second.c_str()) != 0) {
207 PLOG(ERROR) << "Error deleting file";
208 success = false;
209 }
210 cur_file_count--;
211 } else {
212 break;
213 }
214 }
215 return success;
216}
217
218// Helper function for |cpioArchiveFilesInDir|
219bool cpioWriteHeader(int out_fd, struct stat& st, const char* file_name, size_t file_name_len) {
220 const int buf_size = 32 * 1024;
221 std::array<char, buf_size> read_buf;
222 ssize_t llen = snprintf(
223 read_buf.data(), buf_size, "%s%08X%08X%08X%08X%08X%08X%08X%08X%08X%08X%08X%08X%08X",
224 kCpioMagic, static_cast<int>(st.st_ino), st.st_mode, st.st_uid, st.st_gid,
225 static_cast<int>(st.st_nlink), static_cast<int>(st.st_mtime),
226 static_cast<int>(st.st_size), major(st.st_dev), minor(st.st_dev), major(st.st_rdev),
227 minor(st.st_rdev), static_cast<uint32_t>(file_name_len), 0);
228 if (write(out_fd, read_buf.data(), llen < buf_size ? llen : buf_size - 1) == -1) {
229 PLOG(ERROR) << "Error writing cpio header to file " << file_name;
230 return false;
231 }
232 if (write(out_fd, file_name, file_name_len) == -1) {
233 PLOG(ERROR) << "Error writing filename to file " << file_name;
234 return false;
235 }
236
237 // NUL Pad header up to 4 multiple bytes.
238 llen = (llen + file_name_len) % 4;
239 if (llen != 0) {
240 const uint32_t zero = 0;
241 if (write(out_fd, &zero, 4 - llen) == -1) {
242 PLOG(ERROR) << "Error padding 0s to file " << file_name;
243 return false;
244 }
245 }
246 return true;
247}
248
249// Helper function for |cpioArchiveFilesInDir|
250size_t cpioWriteFileContent(int fd_read, int out_fd, struct stat& st) {
251 // writing content of file
252 std::array<char, 32 * 1024> read_buf;
253 ssize_t llen = st.st_size;
254 size_t n_error = 0;
255 while (llen > 0) {
256 ssize_t bytes_read = read(fd_read, read_buf.data(), read_buf.size());
257 if (bytes_read == -1) {
258 PLOG(ERROR) << "Error reading file";
259 return ++n_error;
260 }
261 llen -= bytes_read;
262 if (write(out_fd, read_buf.data(), bytes_read) == -1) {
263 PLOG(ERROR) << "Error writing data to file";
264 return ++n_error;
265 }
266 if (bytes_read == 0) { // this should never happen, but just in case
267 // to unstuck from while loop
268 PLOG(ERROR) << "Unexpected read result";
269 n_error++;
270 break;
271 }
272 }
273 llen = st.st_size % 4;
274 if (llen != 0) {
275 const uint32_t zero = 0;
276 if (write(out_fd, &zero, 4 - llen) == -1) {
277 PLOG(ERROR) << "Error padding 0s to file";
278 return ++n_error;
279 }
280 }
281 return n_error;
282}
283
284// Helper function for |cpioArchiveFilesInDir|
285bool cpioWriteFileTrailer(int out_fd) {
286 const int buf_size = 4096;
287 std::array<char, buf_size> read_buf;
288 read_buf.fill(0);
289 ssize_t llen = snprintf(read_buf.data(), 4096, "070701%040X%056X%08XTRAILER!!!", 1, 0x0b, 0);
290 if (write(out_fd, read_buf.data(), (llen < buf_size ? llen : buf_size - 1) + 4) == -1) {
291 PLOG(ERROR) << "Error writing trailing bytes";
292 return false;
293 }
294 return true;
295}
296
297// Archives all files in |input_dir| and writes result into |out_fd|
298// Logic obtained from //external/toybox/toys/posix/cpio.c "Output cpio archive"
299// portion
300size_t cpioArchiveFilesInDir(int out_fd, const char* input_dir) {
301 struct dirent* dp;
302 size_t n_error = 0;
303 std::unique_ptr<DIR, decltype(&closedir)> dir_dump(opendir(input_dir), closedir);
304 if (!dir_dump) {
305 PLOG(ERROR) << "Failed to open directory";
306 return ++n_error;
307 }
308 while ((dp = readdir(dir_dump.get()))) {
309 if (dp->d_type != DT_REG) {
310 continue;
311 }
312 std::string cur_file_name(dp->d_name);
313 struct stat st;
314 const std::string cur_file_path = kTombstoneFolderPath + cur_file_name;
315 if (stat(cur_file_path.c_str(), &st) == -1) {
316 PLOG(ERROR) << "Failed to get file stat for " << cur_file_path;
317 n_error++;
318 continue;
319 }
320 const int fd_read = open(cur_file_path.c_str(), O_RDONLY);
321 if (fd_read == -1) {
322 PLOG(ERROR) << "Failed to open file " << cur_file_path;
323 n_error++;
324 continue;
325 }
326 std::string file_name_with_last_modified_time =
327 cur_file_name + "-" + std::to_string(st.st_mtime);
328 // string.size() does not include the null terminator. The cpio FreeBSD
329 // file header expects the null character to be included in the length.
330 const size_t file_name_len = file_name_with_last_modified_time.size() + 1;
331 unique_fd file_auto_closer(fd_read);
332 if (!cpioWriteHeader(out_fd, st, file_name_with_last_modified_time.c_str(),
333 file_name_len)) {
334 return ++n_error;
335 }
336 size_t write_error = cpioWriteFileContent(fd_read, out_fd, st);
337 if (write_error) {
338 return n_error + write_error;
339 }
340 }
341 if (!cpioWriteFileTrailer(out_fd)) {
342 return ++n_error;
343 }
344 return n_error;
345}
346
347// Helper function to create a non-const char*.
348std::vector<char> makeCharVec(const std::string& str) {
349 std::vector<char> vec(str.size() + 1);
350 vec.assign(str.begin(), str.end());
351 vec.push_back('\0');
352 return vec;
353}
354
355} // namespace
356
357namespace aidl {
358namespace android {
359namespace hardware {
360namespace wifi {
361using aidl_return_util::validateAndCall;
362using aidl_return_util::validateAndCallWithLock;
363
364WifiChip::WifiChip(int32_t chip_id, bool is_primary,
365 const std::weak_ptr<legacy_hal::WifiLegacyHal> legacy_hal,
366 const std::weak_ptr<mode_controller::WifiModeController> mode_controller,
367 const std::shared_ptr<iface_util::WifiIfaceUtil> iface_util,
368 const std::weak_ptr<feature_flags::WifiFeatureFlags> feature_flags,
369 const std::function<void(const std::string&)>& handler)
370 : chip_id_(chip_id),
371 legacy_hal_(legacy_hal),
372 mode_controller_(mode_controller),
373 iface_util_(iface_util),
374 is_valid_(true),
375 current_mode_id_(feature_flags::chip_mode_ids::kInvalid),
376 modes_(feature_flags.lock()->getChipModes(is_primary)),
377 debug_ring_buffer_cb_registered_(false),
378 subsystemCallbackHandler_(handler) {
379 setActiveWlanIfaceNameProperty(kNoActiveWlanIfaceNamePropertyValue);
Sunil Ravi2be1f262023-02-15 20:56:56 +0000380 using_dynamic_iface_combination_ = false;
381}
382
383void WifiChip::retrieveDynamicIfaceCombination() {
384 if (using_dynamic_iface_combination_) return;
385
386 legacy_hal::wifi_iface_concurrency_matrix legacy_matrix;
387 legacy_hal::wifi_error legacy_status;
388
389 std::tie(legacy_status, legacy_matrix) =
390 legacy_hal_.lock()->getSupportedIfaceConcurrencyMatrix();
391 if (legacy_status != legacy_hal::WIFI_SUCCESS) {
392 LOG(ERROR) << "Failed to get SupportedIfaceCombinations matrix from legacy HAL: "
393 << legacyErrorToString(legacy_status);
394 return;
395 }
396
397 IWifiChip::ChipMode aidl_chip_mode;
398 if (!aidl_struct_util::convertLegacyIfaceCombinationsMatrixToChipMode(legacy_matrix,
399 &aidl_chip_mode)) {
400 LOG(ERROR) << "Failed convertLegacyIfaceCombinationsMatrixToChipMode() ";
401 return;
402 }
403
404 LOG(INFO) << "Reloading iface concurrency combination from driver";
405 aidl_chip_mode.id = feature_flags::chip_mode_ids::kV3;
406 modes_.clear();
407 modes_.push_back(aidl_chip_mode);
408 using_dynamic_iface_combination_ = true;
Gabriel Birenf3262f92022-07-15 23:25:39 +0000409}
410
411std::shared_ptr<WifiChip> WifiChip::create(
412 int32_t chip_id, bool is_primary, const std::weak_ptr<legacy_hal::WifiLegacyHal> legacy_hal,
413 const std::weak_ptr<mode_controller::WifiModeController> mode_controller,
414 const std::shared_ptr<iface_util::WifiIfaceUtil> iface_util,
415 const std::weak_ptr<feature_flags::WifiFeatureFlags> feature_flags,
416 const std::function<void(const std::string&)>& handler) {
417 std::shared_ptr<WifiChip> ptr = ndk::SharedRefBase::make<WifiChip>(
418 chip_id, is_primary, legacy_hal, mode_controller, iface_util, feature_flags, handler);
419 std::weak_ptr<WifiChip> weak_ptr_this(ptr);
420 ptr->setWeakPtr(weak_ptr_this);
421 return ptr;
422}
423
424void WifiChip::invalidate() {
425 if (!writeRingbufferFilesInternal()) {
426 LOG(ERROR) << "Error writing files to flash";
427 }
428 invalidateAndRemoveAllIfaces();
429 setActiveWlanIfaceNameProperty(kNoActiveWlanIfaceNamePropertyValue);
430 legacy_hal_.reset();
431 event_cb_handler_.invalidate();
432 is_valid_ = false;
433}
434
435void WifiChip::setWeakPtr(std::weak_ptr<WifiChip> ptr) {
436 weak_ptr_this_ = ptr;
437}
438
439bool WifiChip::isValid() {
440 return is_valid_;
441}
442
443std::set<std::shared_ptr<IWifiChipEventCallback>> WifiChip::getEventCallbacks() {
444 return event_cb_handler_.getCallbacks();
445}
446
447ndk::ScopedAStatus WifiChip::getId(int32_t* _aidl_return) {
448 return validateAndCall(this, WifiStatusCode::ERROR_WIFI_CHIP_INVALID, &WifiChip::getIdInternal,
449 _aidl_return);
450}
451
452ndk::ScopedAStatus WifiChip::registerEventCallback(
453 const std::shared_ptr<IWifiChipEventCallback>& event_callback) {
454 return validateAndCall(this, WifiStatusCode::ERROR_WIFI_CHIP_INVALID,
455 &WifiChip::registerEventCallbackInternal, event_callback);
456}
457
Gabriel Biren3b86a782023-02-04 00:42:53 +0000458ndk::ScopedAStatus WifiChip::getCapabilities(int32_t* _aidl_return) {
Gabriel Birenf3262f92022-07-15 23:25:39 +0000459 return validateAndCall(this, WifiStatusCode::ERROR_WIFI_CHIP_INVALID,
460 &WifiChip::getCapabilitiesInternal, _aidl_return);
461}
462
463ndk::ScopedAStatus WifiChip::getAvailableModes(std::vector<IWifiChip::ChipMode>* _aidl_return) {
464 return validateAndCall(this, WifiStatusCode::ERROR_WIFI_CHIP_INVALID,
465 &WifiChip::getAvailableModesInternal, _aidl_return);
466}
467
468ndk::ScopedAStatus WifiChip::configureChip(int32_t in_modeId) {
469 return validateAndCallWithLock(this, WifiStatusCode::ERROR_WIFI_CHIP_INVALID,
470 &WifiChip::configureChipInternal, in_modeId);
471}
472
473ndk::ScopedAStatus WifiChip::getMode(int32_t* _aidl_return) {
474 return validateAndCall(this, WifiStatusCode::ERROR_WIFI_CHIP_INVALID,
475 &WifiChip::getModeInternal, _aidl_return);
476}
477
478ndk::ScopedAStatus WifiChip::requestChipDebugInfo(IWifiChip::ChipDebugInfo* _aidl_return) {
479 return validateAndCall(this, WifiStatusCode::ERROR_WIFI_CHIP_INVALID,
480 &WifiChip::requestChipDebugInfoInternal, _aidl_return);
481}
482
483ndk::ScopedAStatus WifiChip::requestDriverDebugDump(std::vector<uint8_t>* _aidl_return) {
484 return validateAndCall(this, WifiStatusCode::ERROR_WIFI_CHIP_INVALID,
485 &WifiChip::requestDriverDebugDumpInternal, _aidl_return);
486}
487
488ndk::ScopedAStatus WifiChip::requestFirmwareDebugDump(std::vector<uint8_t>* _aidl_return) {
489 return validateAndCall(this, WifiStatusCode::ERROR_WIFI_CHIP_INVALID,
490 &WifiChip::requestFirmwareDebugDumpInternal, _aidl_return);
491}
492
493ndk::ScopedAStatus WifiChip::createApIface(std::shared_ptr<IWifiApIface>* _aidl_return) {
494 return validateAndCall(this, WifiStatusCode::ERROR_WIFI_CHIP_INVALID,
495 &WifiChip::createApIfaceInternal, _aidl_return);
496}
497
498ndk::ScopedAStatus WifiChip::createBridgedApIface(std::shared_ptr<IWifiApIface>* _aidl_return) {
499 return validateAndCall(this, WifiStatusCode::ERROR_WIFI_CHIP_INVALID,
500 &WifiChip::createBridgedApIfaceInternal, _aidl_return);
501}
502
503ndk::ScopedAStatus WifiChip::getApIfaceNames(std::vector<std::string>* _aidl_return) {
504 return validateAndCall(this, WifiStatusCode::ERROR_WIFI_CHIP_INVALID,
505 &WifiChip::getApIfaceNamesInternal, _aidl_return);
506}
507
508ndk::ScopedAStatus WifiChip::getApIface(const std::string& in_ifname,
509 std::shared_ptr<IWifiApIface>* _aidl_return) {
510 return validateAndCall(this, WifiStatusCode::ERROR_WIFI_CHIP_INVALID,
511 &WifiChip::getApIfaceInternal, _aidl_return, in_ifname);
512}
513
514ndk::ScopedAStatus WifiChip::removeApIface(const std::string& in_ifname) {
515 return validateAndCall(this, WifiStatusCode::ERROR_WIFI_CHIP_INVALID,
516 &WifiChip::removeApIfaceInternal, in_ifname);
517}
518
519ndk::ScopedAStatus WifiChip::removeIfaceInstanceFromBridgedApIface(
520 const std::string& in_brIfaceName, const std::string& in_ifaceInstanceName) {
521 return validateAndCall(this, WifiStatusCode::ERROR_WIFI_CHIP_INVALID,
522 &WifiChip::removeIfaceInstanceFromBridgedApIfaceInternal, in_brIfaceName,
523 in_ifaceInstanceName);
524}
525
526ndk::ScopedAStatus WifiChip::createNanIface(std::shared_ptr<IWifiNanIface>* _aidl_return) {
527 return validateAndCall(this, WifiStatusCode::ERROR_WIFI_CHIP_INVALID,
528 &WifiChip::createNanIfaceInternal, _aidl_return);
529}
530
531ndk::ScopedAStatus WifiChip::getNanIfaceNames(std::vector<std::string>* _aidl_return) {
532 return validateAndCall(this, WifiStatusCode::ERROR_WIFI_CHIP_INVALID,
533 &WifiChip::getNanIfaceNamesInternal, _aidl_return);
534}
535
536ndk::ScopedAStatus WifiChip::getNanIface(const std::string& in_ifname,
537 std::shared_ptr<IWifiNanIface>* _aidl_return) {
538 return validateAndCall(this, WifiStatusCode::ERROR_WIFI_CHIP_INVALID,
539 &WifiChip::getNanIfaceInternal, _aidl_return, in_ifname);
540}
541
542ndk::ScopedAStatus WifiChip::removeNanIface(const std::string& in_ifname) {
543 return validateAndCall(this, WifiStatusCode::ERROR_WIFI_CHIP_INVALID,
544 &WifiChip::removeNanIfaceInternal, in_ifname);
545}
546
547ndk::ScopedAStatus WifiChip::createP2pIface(std::shared_ptr<IWifiP2pIface>* _aidl_return) {
548 return validateAndCall(this, WifiStatusCode::ERROR_WIFI_CHIP_INVALID,
549 &WifiChip::createP2pIfaceInternal, _aidl_return);
550}
551
552ndk::ScopedAStatus WifiChip::getP2pIfaceNames(std::vector<std::string>* _aidl_return) {
553 return validateAndCall(this, WifiStatusCode::ERROR_WIFI_CHIP_INVALID,
554 &WifiChip::getP2pIfaceNamesInternal, _aidl_return);
555}
556
557ndk::ScopedAStatus WifiChip::getP2pIface(const std::string& in_ifname,
558 std::shared_ptr<IWifiP2pIface>* _aidl_return) {
559 return validateAndCall(this, WifiStatusCode::ERROR_WIFI_CHIP_INVALID,
560 &WifiChip::getP2pIfaceInternal, _aidl_return, in_ifname);
561}
562
563ndk::ScopedAStatus WifiChip::removeP2pIface(const std::string& in_ifname) {
564 return validateAndCall(this, WifiStatusCode::ERROR_WIFI_CHIP_INVALID,
565 &WifiChip::removeP2pIfaceInternal, in_ifname);
566}
567
568ndk::ScopedAStatus WifiChip::createStaIface(std::shared_ptr<IWifiStaIface>* _aidl_return) {
569 return validateAndCall(this, WifiStatusCode::ERROR_WIFI_CHIP_INVALID,
570 &WifiChip::createStaIfaceInternal, _aidl_return);
571}
572
573ndk::ScopedAStatus WifiChip::getStaIfaceNames(std::vector<std::string>* _aidl_return) {
574 return validateAndCall(this, WifiStatusCode::ERROR_WIFI_CHIP_INVALID,
575 &WifiChip::getStaIfaceNamesInternal, _aidl_return);
576}
577
578ndk::ScopedAStatus WifiChip::getStaIface(const std::string& in_ifname,
579 std::shared_ptr<IWifiStaIface>* _aidl_return) {
580 return validateAndCall(this, WifiStatusCode::ERROR_WIFI_CHIP_INVALID,
581 &WifiChip::getStaIfaceInternal, _aidl_return, in_ifname);
582}
583
584ndk::ScopedAStatus WifiChip::removeStaIface(const std::string& in_ifname) {
585 return validateAndCall(this, WifiStatusCode::ERROR_WIFI_CHIP_INVALID,
586 &WifiChip::removeStaIfaceInternal, in_ifname);
587}
588
589ndk::ScopedAStatus WifiChip::createRttController(
590 const std::shared_ptr<IWifiStaIface>& in_boundIface,
591 std::shared_ptr<IWifiRttController>* _aidl_return) {
592 return validateAndCall(this, WifiStatusCode::ERROR_WIFI_CHIP_INVALID,
593 &WifiChip::createRttControllerInternal, _aidl_return, in_boundIface);
594}
595
596ndk::ScopedAStatus WifiChip::getDebugRingBuffersStatus(
597 std::vector<WifiDebugRingBufferStatus>* _aidl_return) {
598 return validateAndCall(this, WifiStatusCode::ERROR_WIFI_CHIP_INVALID,
599 &WifiChip::getDebugRingBuffersStatusInternal, _aidl_return);
600}
601
602ndk::ScopedAStatus WifiChip::startLoggingToDebugRingBuffer(
603 const std::string& in_ringName, WifiDebugRingBufferVerboseLevel in_verboseLevel,
604 int32_t in_maxIntervalInSec, int32_t in_minDataSizeInBytes) {
605 return validateAndCall(this, WifiStatusCode::ERROR_WIFI_CHIP_INVALID,
606 &WifiChip::startLoggingToDebugRingBufferInternal, in_ringName,
607 in_verboseLevel, in_maxIntervalInSec, in_minDataSizeInBytes);
608}
609
610ndk::ScopedAStatus WifiChip::forceDumpToDebugRingBuffer(const std::string& in_ringName) {
611 return validateAndCall(this, WifiStatusCode::ERROR_WIFI_CHIP_INVALID,
612 &WifiChip::forceDumpToDebugRingBufferInternal, in_ringName);
613}
614
615ndk::ScopedAStatus WifiChip::flushRingBufferToFile() {
616 return validateAndCall(this, WifiStatusCode::ERROR_WIFI_CHIP_INVALID,
617 &WifiChip::flushRingBufferToFileInternal);
618}
619
620ndk::ScopedAStatus WifiChip::stopLoggingToDebugRingBuffer() {
621 return validateAndCall(this, WifiStatusCode::ERROR_WIFI_CHIP_INVALID,
622 &WifiChip::stopLoggingToDebugRingBufferInternal);
623}
624
625ndk::ScopedAStatus WifiChip::getDebugHostWakeReasonStats(
626 WifiDebugHostWakeReasonStats* _aidl_return) {
627 return validateAndCall(this, WifiStatusCode::ERROR_WIFI_CHIP_INVALID,
628 &WifiChip::getDebugHostWakeReasonStatsInternal, _aidl_return);
629}
630
631ndk::ScopedAStatus WifiChip::enableDebugErrorAlerts(bool in_enable) {
632 return validateAndCall(this, WifiStatusCode::ERROR_WIFI_CHIP_INVALID,
633 &WifiChip::enableDebugErrorAlertsInternal, in_enable);
634}
635
636ndk::ScopedAStatus WifiChip::selectTxPowerScenario(IWifiChip::TxPowerScenario in_scenario) {
637 return validateAndCall(this, WifiStatusCode::ERROR_WIFI_CHIP_INVALID,
638 &WifiChip::selectTxPowerScenarioInternal, in_scenario);
639}
640
641ndk::ScopedAStatus WifiChip::resetTxPowerScenario() {
642 return validateAndCall(this, WifiStatusCode::ERROR_WIFI_CHIP_INVALID,
643 &WifiChip::resetTxPowerScenarioInternal);
644}
645
646ndk::ScopedAStatus WifiChip::setLatencyMode(IWifiChip::LatencyMode in_mode) {
647 return validateAndCall(this, WifiStatusCode::ERROR_WIFI_CHIP_INVALID,
648 &WifiChip::setLatencyModeInternal, in_mode);
649}
650
651binder_status_t WifiChip::dump(int fd, const char**, uint32_t) {
652 {
653 std::unique_lock<std::mutex> lk(lock_t);
654 for (const auto& item : ringbuffer_map_) {
655 forceDumpToDebugRingBufferInternal(item.first);
656 }
657 // unique_lock unlocked here
658 }
659 usleep(100 * 1000); // sleep for 100 milliseconds to wait for
660 // ringbuffer updates.
661 if (!writeRingbufferFilesInternal()) {
662 LOG(ERROR) << "Error writing files to flash";
663 }
664 uint32_t n_error = cpioArchiveFilesInDir(fd, kTombstoneFolderPath);
665 if (n_error != 0) {
666 LOG(ERROR) << n_error << " errors occurred in cpio function";
667 }
668 fsync(fd);
669 return STATUS_OK;
670}
671
672ndk::ScopedAStatus WifiChip::setMultiStaPrimaryConnection(const std::string& in_ifName) {
673 return validateAndCall(this, WifiStatusCode::ERROR_WIFI_CHIP_INVALID,
674 &WifiChip::setMultiStaPrimaryConnectionInternal, in_ifName);
675}
676
677ndk::ScopedAStatus WifiChip::setMultiStaUseCase(IWifiChip::MultiStaUseCase in_useCase) {
678 return validateAndCall(this, WifiStatusCode::ERROR_WIFI_CHIP_INVALID,
679 &WifiChip::setMultiStaUseCaseInternal, in_useCase);
680}
681
682ndk::ScopedAStatus WifiChip::setCoexUnsafeChannels(
683 const std::vector<IWifiChip::CoexUnsafeChannel>& in_unsafeChannels,
Gabriel Biren3b86a782023-02-04 00:42:53 +0000684 int32_t in_restrictions) {
Gabriel Birenf3262f92022-07-15 23:25:39 +0000685 return validateAndCall(this, WifiStatusCode::ERROR_WIFI_CHIP_INVALID,
686 &WifiChip::setCoexUnsafeChannelsInternal, in_unsafeChannels,
687 in_restrictions);
688}
689
690ndk::ScopedAStatus WifiChip::setCountryCode(const std::array<uint8_t, 2>& in_code) {
691 return validateAndCall(this, WifiStatusCode::ERROR_WIFI_IFACE_INVALID,
692 &WifiChip::setCountryCodeInternal, in_code);
693}
694
Gabriel Biren3b86a782023-02-04 00:42:53 +0000695ndk::ScopedAStatus WifiChip::getUsableChannels(WifiBand in_band, int32_t in_ifaceModeMask,
696 int32_t in_filterMask,
Gabriel Birenf3262f92022-07-15 23:25:39 +0000697 std::vector<WifiUsableChannel>* _aidl_return) {
698 return validateAndCall(this, WifiStatusCode::ERROR_WIFI_CHIP_INVALID,
699 &WifiChip::getUsableChannelsInternal, _aidl_return, in_band,
700 in_ifaceModeMask, in_filterMask);
701}
702
Oscar Shuab8313c2022-12-13 00:55:11 +0000703ndk::ScopedAStatus WifiChip::setAfcChannelAllowance(
704 const std::vector<AvailableAfcFrequencyInfo>& availableAfcFrequencyInfo) {
705 return validateAndCall(this, WifiStatusCode::ERROR_WIFI_CHIP_INVALID,
706 &WifiChip::setAfcChannelAllowanceInternal, availableAfcFrequencyInfo);
707}
708
Gabriel Birenf3262f92022-07-15 23:25:39 +0000709ndk::ScopedAStatus WifiChip::triggerSubsystemRestart() {
710 return validateAndCall(this, WifiStatusCode::ERROR_WIFI_CHIP_INVALID,
711 &WifiChip::triggerSubsystemRestartInternal);
712}
713
Gabriel Biren263db452023-02-24 21:07:38 +0000714ndk::ScopedAStatus WifiChip::getSupportedRadioCombinations(
715 std::vector<WifiRadioCombination>* _aidl_return) {
Gabriel Birenf3262f92022-07-15 23:25:39 +0000716 return validateAndCall(this, WifiStatusCode::ERROR_WIFI_CHIP_INVALID,
Gabriel Biren263db452023-02-24 21:07:38 +0000717 &WifiChip::getSupportedRadioCombinationsInternal, _aidl_return);
Gabriel Birenf3262f92022-07-15 23:25:39 +0000718}
719
Mahesh KKVc84d3772022-12-02 16:53:28 -0800720ndk::ScopedAStatus WifiChip::getWifiChipCapabilities(WifiChipCapabilities* _aidl_return) {
721 return validateAndCall(this, WifiStatusCode::ERROR_WIFI_CHIP_INVALID,
722 &WifiChip::getWifiChipCapabilitiesInternal, _aidl_return);
723}
724
Gabriel Biren3b86a782023-02-04 00:42:53 +0000725ndk::ScopedAStatus WifiChip::enableStaChannelForPeerNetwork(int32_t in_channelCategoryEnableFlag) {
Shuibing Daie5fbcab2022-12-19 15:37:19 -0800726 return validateAndCall(this, WifiStatusCode::ERROR_WIFI_CHIP_INVALID,
727 &WifiChip::enableStaChannelForPeerNetworkInternal,
728 in_channelCategoryEnableFlag);
729}
730
maheshkkva8aba172023-02-13 12:33:26 -0800731ndk::ScopedAStatus WifiChip::setMloMode(const ChipMloMode in_mode) {
732 return validateAndCall(this, WifiStatusCode::ERROR_WIFI_CHIP_INVALID,
733 &WifiChip::setMloModeInternal, in_mode);
734}
735
Gabriel Birenf3262f92022-07-15 23:25:39 +0000736void WifiChip::invalidateAndRemoveAllIfaces() {
737 invalidateAndClearBridgedApAll();
738 invalidateAndClearAll(ap_ifaces_);
739 invalidateAndClearAll(nan_ifaces_);
740 invalidateAndClearAll(p2p_ifaces_);
741 invalidateAndClearAll(sta_ifaces_);
742 // Since all the ifaces are invalid now, all RTT controller objects
743 // using those ifaces also need to be invalidated.
744 for (const auto& rtt : rtt_controllers_) {
745 rtt->invalidate();
746 }
747 rtt_controllers_.clear();
748}
749
750void WifiChip::invalidateAndRemoveDependencies(const std::string& removed_iface_name) {
751 for (auto it = nan_ifaces_.begin(); it != nan_ifaces_.end();) {
752 auto nan_iface = *it;
753 if (nan_iface->getName() == removed_iface_name) {
754 nan_iface->invalidate();
755 for (const auto& callback : event_cb_handler_.getCallbacks()) {
756 if (!callback->onIfaceRemoved(IfaceType::NAN_IFACE, removed_iface_name).isOk()) {
757 LOG(ERROR) << "Failed to invoke onIfaceRemoved callback";
758 }
759 }
760 it = nan_ifaces_.erase(it);
761 } else {
762 ++it;
763 }
764 }
765
766 for (auto it = rtt_controllers_.begin(); it != rtt_controllers_.end();) {
767 auto rtt = *it;
768 if (rtt->getIfaceName() == removed_iface_name) {
769 rtt->invalidate();
770 it = rtt_controllers_.erase(it);
771 } else {
772 ++it;
773 }
774 }
775}
776
777std::pair<int32_t, ndk::ScopedAStatus> WifiChip::getIdInternal() {
778 return {chip_id_, ndk::ScopedAStatus::ok()};
779}
780
781ndk::ScopedAStatus WifiChip::registerEventCallbackInternal(
782 const std::shared_ptr<IWifiChipEventCallback>& event_callback) {
783 if (!event_cb_handler_.addCallback(event_callback)) {
784 return createWifiStatus(WifiStatusCode::ERROR_UNKNOWN);
785 }
786 return ndk::ScopedAStatus::ok();
787}
788
Gabriel Biren3b86a782023-02-04 00:42:53 +0000789std::pair<int32_t, ndk::ScopedAStatus> WifiChip::getCapabilitiesInternal() {
Gabriel Birenf3262f92022-07-15 23:25:39 +0000790 legacy_hal::wifi_error legacy_status;
791 uint64_t legacy_feature_set;
792 uint32_t legacy_logger_feature_set;
793 const auto ifname = getFirstActiveWlanIfaceName();
794 std::tie(legacy_status, legacy_feature_set) =
795 legacy_hal_.lock()->getSupportedFeatureSet(ifname);
796 if (legacy_status != legacy_hal::WIFI_SUCCESS) {
Gabriel Biren3b86a782023-02-04 00:42:53 +0000797 return {0, createWifiStatusFromLegacyError(legacy_status)};
Gabriel Birenf3262f92022-07-15 23:25:39 +0000798 }
799 std::tie(legacy_status, legacy_logger_feature_set) =
800 legacy_hal_.lock()->getLoggerSupportedFeatureSet(ifname);
801 if (legacy_status != legacy_hal::WIFI_SUCCESS) {
802 // some devices don't support querying logger feature set
803 legacy_logger_feature_set = 0;
804 }
805 uint32_t aidl_caps;
Gabriel Birenbff0e402023-02-14 22:42:20 +0000806 if (!aidl_struct_util::convertLegacyFeaturesToAidlChipCapabilities(legacy_feature_set,
807 &aidl_caps)) {
Gabriel Biren3b86a782023-02-04 00:42:53 +0000808 return {0, createWifiStatus(WifiStatusCode::ERROR_UNKNOWN)};
Gabriel Birenf3262f92022-07-15 23:25:39 +0000809 }
Gabriel Biren3b86a782023-02-04 00:42:53 +0000810 return {aidl_caps, ndk::ScopedAStatus::ok()};
Gabriel Birenf3262f92022-07-15 23:25:39 +0000811}
812
813std::pair<std::vector<IWifiChip::ChipMode>, ndk::ScopedAStatus>
814WifiChip::getAvailableModesInternal() {
815 return {modes_, ndk::ScopedAStatus::ok()};
816}
817
818ndk::ScopedAStatus WifiChip::configureChipInternal(
819 /* NONNULL */ std::unique_lock<std::recursive_mutex>* lock, int32_t mode_id) {
820 if (!isValidModeId(mode_id)) {
821 return createWifiStatus(WifiStatusCode::ERROR_INVALID_ARGS);
822 }
823 if (mode_id == current_mode_id_) {
824 LOG(DEBUG) << "Already in the specified mode " << mode_id;
825 return ndk::ScopedAStatus::ok();
826 }
827 ndk::ScopedAStatus status = handleChipConfiguration(lock, mode_id);
828 if (!status.isOk()) {
829 WifiStatusCode errorCode = static_cast<WifiStatusCode>(status.getServiceSpecificError());
830 for (const auto& callback : event_cb_handler_.getCallbacks()) {
831 if (!callback->onChipReconfigureFailure(errorCode).isOk()) {
832 LOG(ERROR) << "Failed to invoke onChipReconfigureFailure callback";
833 }
834 }
835 return status;
836 }
837 for (const auto& callback : event_cb_handler_.getCallbacks()) {
838 if (!callback->onChipReconfigured(mode_id).isOk()) {
839 LOG(ERROR) << "Failed to invoke onChipReconfigured callback";
840 }
841 }
842 current_mode_id_ = mode_id;
843 LOG(INFO) << "Configured chip in mode " << mode_id;
844 setActiveWlanIfaceNameProperty(getFirstActiveWlanIfaceName());
845
846 legacy_hal_.lock()->registerSubsystemRestartCallbackHandler(subsystemCallbackHandler_);
847
848 return status;
849}
850
851std::pair<int32_t, ndk::ScopedAStatus> WifiChip::getModeInternal() {
852 if (!isValidModeId(current_mode_id_)) {
853 return {current_mode_id_, createWifiStatus(WifiStatusCode::ERROR_NOT_AVAILABLE)};
854 }
855 return {current_mode_id_, ndk::ScopedAStatus::ok()};
856}
857
858std::pair<IWifiChip::ChipDebugInfo, ndk::ScopedAStatus> WifiChip::requestChipDebugInfoInternal() {
859 IWifiChip::ChipDebugInfo result;
860 legacy_hal::wifi_error legacy_status;
861 std::string driver_desc;
862 const auto ifname = getFirstActiveWlanIfaceName();
863 std::tie(legacy_status, driver_desc) = legacy_hal_.lock()->getDriverVersion(ifname);
864 if (legacy_status != legacy_hal::WIFI_SUCCESS) {
865 LOG(ERROR) << "Failed to get driver version: " << legacyErrorToString(legacy_status);
866 ndk::ScopedAStatus status =
867 createWifiStatusFromLegacyError(legacy_status, "failed to get driver version");
868 return {std::move(result), std::move(status)};
869 }
870 result.driverDescription = driver_desc.c_str();
871
872 std::string firmware_desc;
873 std::tie(legacy_status, firmware_desc) = legacy_hal_.lock()->getFirmwareVersion(ifname);
874 if (legacy_status != legacy_hal::WIFI_SUCCESS) {
875 LOG(ERROR) << "Failed to get firmware version: " << legacyErrorToString(legacy_status);
876 ndk::ScopedAStatus status =
877 createWifiStatusFromLegacyError(legacy_status, "failed to get firmware version");
878 return {std::move(result), std::move(status)};
879 }
880 result.firmwareDescription = firmware_desc.c_str();
881
882 return {std::move(result), ndk::ScopedAStatus::ok()};
883}
884
885std::pair<std::vector<uint8_t>, ndk::ScopedAStatus> WifiChip::requestDriverDebugDumpInternal() {
886 legacy_hal::wifi_error legacy_status;
887 std::vector<uint8_t> driver_dump;
888 std::tie(legacy_status, driver_dump) =
889 legacy_hal_.lock()->requestDriverMemoryDump(getFirstActiveWlanIfaceName());
890 if (legacy_status != legacy_hal::WIFI_SUCCESS) {
891 LOG(ERROR) << "Failed to get driver debug dump: " << legacyErrorToString(legacy_status);
892 return {std::vector<uint8_t>(), createWifiStatusFromLegacyError(legacy_status)};
893 }
894 return {driver_dump, ndk::ScopedAStatus::ok()};
895}
896
897std::pair<std::vector<uint8_t>, ndk::ScopedAStatus> WifiChip::requestFirmwareDebugDumpInternal() {
898 legacy_hal::wifi_error legacy_status;
899 std::vector<uint8_t> firmware_dump;
900 std::tie(legacy_status, firmware_dump) =
901 legacy_hal_.lock()->requestFirmwareMemoryDump(getFirstActiveWlanIfaceName());
902 if (legacy_status != legacy_hal::WIFI_SUCCESS) {
903 LOG(ERROR) << "Failed to get firmware debug dump: " << legacyErrorToString(legacy_status);
904 return {std::vector<uint8_t>(), createWifiStatusFromLegacyError(legacy_status)};
905 }
906 return {firmware_dump, ndk::ScopedAStatus::ok()};
907}
908
909ndk::ScopedAStatus WifiChip::createVirtualApInterface(const std::string& apVirtIf) {
910 legacy_hal::wifi_error legacy_status;
911 legacy_status = legacy_hal_.lock()->createVirtualInterface(
912 apVirtIf, aidl_struct_util::convertAidlIfaceTypeToLegacy(IfaceType::AP));
913 if (legacy_status != legacy_hal::WIFI_SUCCESS) {
914 LOG(ERROR) << "Failed to add interface: " << apVirtIf << " "
915 << legacyErrorToString(legacy_status);
916 return createWifiStatusFromLegacyError(legacy_status);
917 }
918 return ndk::ScopedAStatus::ok();
919}
920
921std::shared_ptr<WifiApIface> WifiChip::newWifiApIface(std::string& ifname) {
922 std::vector<std::string> ap_instances;
923 for (auto const& it : br_ifaces_ap_instances_) {
924 if (it.first == ifname) {
925 ap_instances = it.second;
926 }
927 }
928 std::shared_ptr<WifiApIface> iface =
929 ndk::SharedRefBase::make<WifiApIface>(ifname, ap_instances, legacy_hal_, iface_util_);
930 ap_ifaces_.push_back(iface);
931 for (const auto& callback : event_cb_handler_.getCallbacks()) {
932 if (!callback->onIfaceAdded(IfaceType::AP, ifname).isOk()) {
933 LOG(ERROR) << "Failed to invoke onIfaceAdded callback";
934 }
935 }
936 setActiveWlanIfaceNameProperty(getFirstActiveWlanIfaceName());
937 return iface;
938}
939
940std::pair<std::shared_ptr<IWifiApIface>, ndk::ScopedAStatus> WifiChip::createApIfaceInternal() {
941 if (!canCurrentModeSupportConcurrencyTypeWithCurrentTypes(IfaceConcurrencyType::AP)) {
942 return {std::shared_ptr<WifiApIface>(),
943 createWifiStatus(WifiStatusCode::ERROR_NOT_AVAILABLE)};
944 }
945 std::string ifname = allocateApIfaceName();
946 ndk::ScopedAStatus status = createVirtualApInterface(ifname);
947 if (!status.isOk()) {
948 return {std::shared_ptr<WifiApIface>(), std::move(status)};
949 }
950 std::shared_ptr<WifiApIface> iface = newWifiApIface(ifname);
951 return {iface, ndk::ScopedAStatus::ok()};
952}
953
954std::pair<std::shared_ptr<IWifiApIface>, ndk::ScopedAStatus>
955WifiChip::createBridgedApIfaceInternal() {
956 if (!canCurrentModeSupportConcurrencyTypeWithCurrentTypes(IfaceConcurrencyType::AP_BRIDGED)) {
957 return {nullptr, createWifiStatus(WifiStatusCode::ERROR_NOT_AVAILABLE)};
958 }
959 std::vector<std::string> ap_instances = allocateBridgedApInstanceNames();
960 if (ap_instances.size() < 2) {
961 LOG(ERROR) << "Fail to allocate two instances";
962 return {nullptr, createWifiStatus(WifiStatusCode::ERROR_NOT_AVAILABLE)};
963 }
964 std::string br_ifname = kApBridgeIfacePrefix + ap_instances[0];
965 for (int i = 0; i < 2; i++) {
966 ndk::ScopedAStatus status = createVirtualApInterface(ap_instances[i]);
967 if (!status.isOk()) {
968 if (i != 0) { // The failure happened when creating second virtual
969 // iface.
970 legacy_hal_.lock()->deleteVirtualInterface(
971 ap_instances.front()); // Remove the first virtual iface.
972 }
973 return {nullptr, std::move(status)};
974 }
975 }
976 br_ifaces_ap_instances_[br_ifname] = ap_instances;
977 if (!iface_util_->createBridge(br_ifname)) {
978 LOG(ERROR) << "Failed createBridge - br_name=" << br_ifname.c_str();
979 invalidateAndClearBridgedAp(br_ifname);
980 return {nullptr, createWifiStatus(WifiStatusCode::ERROR_NOT_AVAILABLE)};
981 }
982 for (auto const& instance : ap_instances) {
983 // Bind ap instance interface to AP bridge
984 if (!iface_util_->addIfaceToBridge(br_ifname, instance)) {
985 LOG(ERROR) << "Failed add if to Bridge - if_name=" << instance.c_str();
986 invalidateAndClearBridgedAp(br_ifname);
987 return {nullptr, createWifiStatus(WifiStatusCode::ERROR_NOT_AVAILABLE)};
988 }
989 }
990 std::shared_ptr<WifiApIface> iface = newWifiApIface(br_ifname);
991 return {iface, ndk::ScopedAStatus::ok()};
992}
993
994std::pair<std::vector<std::string>, ndk::ScopedAStatus> WifiChip::getApIfaceNamesInternal() {
995 if (ap_ifaces_.empty()) {
996 return {std::vector<std::string>(), ndk::ScopedAStatus::ok()};
997 }
998 return {getNames(ap_ifaces_), ndk::ScopedAStatus::ok()};
999}
1000
1001std::pair<std::shared_ptr<IWifiApIface>, ndk::ScopedAStatus> WifiChip::getApIfaceInternal(
1002 const std::string& ifname) {
1003 const auto iface = findUsingName(ap_ifaces_, ifname);
1004 if (!iface.get()) {
1005 return {nullptr, createWifiStatus(WifiStatusCode::ERROR_INVALID_ARGS)};
1006 }
1007 return {iface, ndk::ScopedAStatus::ok()};
1008}
1009
1010ndk::ScopedAStatus WifiChip::removeApIfaceInternal(const std::string& ifname) {
1011 const auto iface = findUsingName(ap_ifaces_, ifname);
1012 if (!iface.get()) {
1013 return createWifiStatus(WifiStatusCode::ERROR_INVALID_ARGS);
1014 }
1015 // Invalidate & remove any dependent objects first.
1016 // Note: This is probably not required because we never create
1017 // nan/rtt objects over AP iface. But, there is no harm to do it
1018 // here and not make that assumption all over the place.
1019 invalidateAndRemoveDependencies(ifname);
1020 // Clear the bridge interface and the iface instance.
1021 invalidateAndClearBridgedAp(ifname);
1022 invalidateAndClear(ap_ifaces_, iface);
1023 for (const auto& callback : event_cb_handler_.getCallbacks()) {
1024 if (!callback->onIfaceRemoved(IfaceType::AP, ifname).isOk()) {
1025 LOG(ERROR) << "Failed to invoke onIfaceRemoved callback";
1026 }
1027 }
1028 setActiveWlanIfaceNameProperty(getFirstActiveWlanIfaceName());
1029 return ndk::ScopedAStatus::ok();
1030}
1031
1032ndk::ScopedAStatus WifiChip::removeIfaceInstanceFromBridgedApIfaceInternal(
1033 const std::string& ifname, const std::string& ifInstanceName) {
1034 const auto iface = findUsingName(ap_ifaces_, ifname);
1035 if (!iface.get() || ifInstanceName.empty()) {
1036 return createWifiStatus(WifiStatusCode::ERROR_INVALID_ARGS);
1037 }
1038 // Requires to remove one of the instance in bridge mode
1039 for (auto const& it : br_ifaces_ap_instances_) {
1040 if (it.first == ifname) {
1041 std::vector<std::string> ap_instances = it.second;
1042 for (auto const& iface : ap_instances) {
1043 if (iface == ifInstanceName) {
1044 if (!iface_util_->removeIfaceFromBridge(it.first, iface)) {
1045 LOG(ERROR) << "Failed to remove interface: " << ifInstanceName << " from "
1046 << ifname;
1047 return createWifiStatus(WifiStatusCode::ERROR_NOT_AVAILABLE);
1048 }
1049 legacy_hal::wifi_error legacy_status =
1050 legacy_hal_.lock()->deleteVirtualInterface(iface);
1051 if (legacy_status != legacy_hal::WIFI_SUCCESS) {
1052 LOG(ERROR) << "Failed to del interface: " << iface << " "
1053 << legacyErrorToString(legacy_status);
1054 return createWifiStatusFromLegacyError(legacy_status);
1055 }
1056 ap_instances.erase(
1057 std::remove(ap_instances.begin(), ap_instances.end(), ifInstanceName),
1058 ap_instances.end());
1059 br_ifaces_ap_instances_[ifname] = ap_instances;
1060 break;
1061 }
1062 }
1063 break;
1064 }
1065 }
1066 iface->removeInstance(ifInstanceName);
1067 setActiveWlanIfaceNameProperty(getFirstActiveWlanIfaceName());
1068
1069 return ndk::ScopedAStatus::ok();
1070}
1071
1072std::pair<std::shared_ptr<IWifiNanIface>, ndk::ScopedAStatus> WifiChip::createNanIfaceInternal() {
1073 if (!canCurrentModeSupportConcurrencyTypeWithCurrentTypes(IfaceConcurrencyType::NAN_IFACE)) {
1074 return {nullptr, createWifiStatus(WifiStatusCode::ERROR_NOT_AVAILABLE)};
1075 }
1076 bool is_dedicated_iface = true;
1077 std::string ifname = getPredefinedNanIfaceName();
1078 if (ifname.empty() || !iface_util_->ifNameToIndex(ifname)) {
1079 // Use the first shared STA iface (wlan0) if a dedicated aware iface is
1080 // not defined.
1081 ifname = getFirstActiveWlanIfaceName();
1082 is_dedicated_iface = false;
1083 }
1084 std::shared_ptr<WifiNanIface> iface =
1085 WifiNanIface::create(ifname, is_dedicated_iface, legacy_hal_, iface_util_);
1086 nan_ifaces_.push_back(iface);
1087 for (const auto& callback : event_cb_handler_.getCallbacks()) {
1088 if (!callback->onIfaceAdded(IfaceType::NAN_IFACE, ifname).isOk()) {
1089 LOG(ERROR) << "Failed to invoke onIfaceAdded callback";
1090 }
1091 }
1092 return {iface, ndk::ScopedAStatus::ok()};
1093}
1094
1095std::pair<std::vector<std::string>, ndk::ScopedAStatus> WifiChip::getNanIfaceNamesInternal() {
1096 if (nan_ifaces_.empty()) {
1097 return {std::vector<std::string>(), ndk::ScopedAStatus::ok()};
1098 }
1099 return {getNames(nan_ifaces_), ndk::ScopedAStatus::ok()};
1100}
1101
1102std::pair<std::shared_ptr<IWifiNanIface>, ndk::ScopedAStatus> WifiChip::getNanIfaceInternal(
1103 const std::string& ifname) {
1104 const auto iface = findUsingName(nan_ifaces_, ifname);
1105 if (!iface.get()) {
1106 return {nullptr, createWifiStatus(WifiStatusCode::ERROR_INVALID_ARGS)};
1107 }
1108 return {iface, ndk::ScopedAStatus::ok()};
1109}
1110
1111ndk::ScopedAStatus WifiChip::removeNanIfaceInternal(const std::string& ifname) {
1112 const auto iface = findUsingName(nan_ifaces_, ifname);
1113 if (!iface.get()) {
1114 return createWifiStatus(WifiStatusCode::ERROR_INVALID_ARGS);
1115 }
1116 invalidateAndClear(nan_ifaces_, iface);
1117 for (const auto& callback : event_cb_handler_.getCallbacks()) {
1118 if (!callback->onIfaceRemoved(IfaceType::NAN_IFACE, ifname).isOk()) {
1119 LOG(ERROR) << "Failed to invoke onIfaceAdded callback";
1120 }
1121 }
1122 return ndk::ScopedAStatus::ok();
1123}
1124
1125std::pair<std::shared_ptr<IWifiP2pIface>, ndk::ScopedAStatus> WifiChip::createP2pIfaceInternal() {
1126 if (!canCurrentModeSupportConcurrencyTypeWithCurrentTypes(IfaceConcurrencyType::P2P)) {
1127 return {nullptr, createWifiStatus(WifiStatusCode::ERROR_NOT_AVAILABLE)};
1128 }
1129 std::string ifname = getPredefinedP2pIfaceName();
1130 std::shared_ptr<WifiP2pIface> iface =
1131 ndk::SharedRefBase::make<WifiP2pIface>(ifname, legacy_hal_);
1132 p2p_ifaces_.push_back(iface);
1133 for (const auto& callback : event_cb_handler_.getCallbacks()) {
1134 if (!callback->onIfaceAdded(IfaceType::P2P, ifname).isOk()) {
1135 LOG(ERROR) << "Failed to invoke onIfaceAdded callback";
1136 }
1137 }
1138 return {iface, ndk::ScopedAStatus::ok()};
1139}
1140
1141std::pair<std::vector<std::string>, ndk::ScopedAStatus> WifiChip::getP2pIfaceNamesInternal() {
1142 if (p2p_ifaces_.empty()) {
1143 return {std::vector<std::string>(), ndk::ScopedAStatus::ok()};
1144 }
1145 return {getNames(p2p_ifaces_), ndk::ScopedAStatus::ok()};
1146}
1147
1148std::pair<std::shared_ptr<IWifiP2pIface>, ndk::ScopedAStatus> WifiChip::getP2pIfaceInternal(
1149 const std::string& ifname) {
1150 const auto iface = findUsingName(p2p_ifaces_, ifname);
1151 if (!iface.get()) {
1152 return {nullptr, createWifiStatus(WifiStatusCode::ERROR_INVALID_ARGS)};
1153 }
1154 return {iface, ndk::ScopedAStatus::ok()};
1155}
1156
1157ndk::ScopedAStatus WifiChip::removeP2pIfaceInternal(const std::string& ifname) {
1158 const auto iface = findUsingName(p2p_ifaces_, ifname);
1159 if (!iface.get()) {
1160 return createWifiStatus(WifiStatusCode::ERROR_INVALID_ARGS);
1161 }
1162 invalidateAndClear(p2p_ifaces_, iface);
1163 for (const auto& callback : event_cb_handler_.getCallbacks()) {
1164 if (!callback->onIfaceRemoved(IfaceType::P2P, ifname).isOk()) {
1165 LOG(ERROR) << "Failed to invoke onIfaceRemoved callback";
1166 }
1167 }
1168 return ndk::ScopedAStatus::ok();
1169}
1170
1171std::pair<std::shared_ptr<IWifiStaIface>, ndk::ScopedAStatus> WifiChip::createStaIfaceInternal() {
1172 if (!canCurrentModeSupportConcurrencyTypeWithCurrentTypes(IfaceConcurrencyType::STA)) {
1173 return {nullptr, createWifiStatus(WifiStatusCode::ERROR_NOT_AVAILABLE)};
1174 }
1175 std::string ifname = allocateStaIfaceName();
1176 legacy_hal::wifi_error legacy_status = legacy_hal_.lock()->createVirtualInterface(
1177 ifname, aidl_struct_util::convertAidlIfaceTypeToLegacy(IfaceType::STA));
1178 if (legacy_status != legacy_hal::WIFI_SUCCESS) {
1179 LOG(ERROR) << "Failed to add interface: " << ifname << " "
1180 << legacyErrorToString(legacy_status);
1181 return {nullptr, createWifiStatusFromLegacyError(legacy_status)};
1182 }
Gabriel Biren2f7bec812023-01-31 01:07:38 +00001183 std::shared_ptr<WifiStaIface> iface = WifiStaIface::create(ifname, legacy_hal_, iface_util_);
Gabriel Birenf3262f92022-07-15 23:25:39 +00001184 sta_ifaces_.push_back(iface);
1185 for (const auto& callback : event_cb_handler_.getCallbacks()) {
1186 if (!callback->onIfaceAdded(IfaceType::STA, ifname).isOk()) {
1187 LOG(ERROR) << "Failed to invoke onIfaceAdded callback";
1188 }
1189 }
1190 setActiveWlanIfaceNameProperty(getFirstActiveWlanIfaceName());
1191 return {iface, ndk::ScopedAStatus::ok()};
1192}
1193
1194std::pair<std::vector<std::string>, ndk::ScopedAStatus> WifiChip::getStaIfaceNamesInternal() {
1195 if (sta_ifaces_.empty()) {
1196 return {std::vector<std::string>(), ndk::ScopedAStatus::ok()};
1197 }
1198 return {getNames(sta_ifaces_), ndk::ScopedAStatus::ok()};
1199}
1200
1201std::pair<std::shared_ptr<IWifiStaIface>, ndk::ScopedAStatus> WifiChip::getStaIfaceInternal(
1202 const std::string& ifname) {
1203 const auto iface = findUsingName(sta_ifaces_, ifname);
1204 if (!iface.get()) {
1205 return {nullptr, createWifiStatus(WifiStatusCode::ERROR_INVALID_ARGS)};
1206 }
1207 return {iface, ndk::ScopedAStatus::ok()};
1208}
1209
1210ndk::ScopedAStatus WifiChip::removeStaIfaceInternal(const std::string& ifname) {
1211 const auto iface = findUsingName(sta_ifaces_, ifname);
1212 if (!iface.get()) {
1213 return createWifiStatus(WifiStatusCode::ERROR_INVALID_ARGS);
1214 }
1215 // Invalidate & remove any dependent objects first.
1216 invalidateAndRemoveDependencies(ifname);
1217 legacy_hal::wifi_error legacy_status = legacy_hal_.lock()->deleteVirtualInterface(ifname);
1218 if (legacy_status != legacy_hal::WIFI_SUCCESS) {
1219 LOG(ERROR) << "Failed to remove interface: " << ifname << " "
1220 << legacyErrorToString(legacy_status);
1221 }
1222 invalidateAndClear(sta_ifaces_, iface);
1223 for (const auto& callback : event_cb_handler_.getCallbacks()) {
1224 if (!callback->onIfaceRemoved(IfaceType::STA, ifname).isOk()) {
1225 LOG(ERROR) << "Failed to invoke onIfaceRemoved callback";
1226 }
1227 }
1228 setActiveWlanIfaceNameProperty(getFirstActiveWlanIfaceName());
1229 return ndk::ScopedAStatus::ok();
1230}
1231
1232std::pair<std::shared_ptr<IWifiRttController>, ndk::ScopedAStatus>
1233WifiChip::createRttControllerInternal(const std::shared_ptr<IWifiStaIface>& bound_iface) {
1234 if (sta_ifaces_.size() == 0 &&
1235 !canCurrentModeSupportConcurrencyTypeWithCurrentTypes(IfaceConcurrencyType::STA)) {
1236 LOG(ERROR) << "createRttControllerInternal: Chip cannot support STAs "
1237 "(and RTT by extension)";
1238 return {nullptr, createWifiStatus(WifiStatusCode::ERROR_NOT_AVAILABLE)};
1239 }
1240 std::shared_ptr<WifiRttController> rtt =
1241 WifiRttController::create(getFirstActiveWlanIfaceName(), bound_iface, legacy_hal_);
1242 rtt_controllers_.emplace_back(rtt);
1243 return {rtt, ndk::ScopedAStatus::ok()};
1244}
1245
1246std::pair<std::vector<WifiDebugRingBufferStatus>, ndk::ScopedAStatus>
1247WifiChip::getDebugRingBuffersStatusInternal() {
1248 legacy_hal::wifi_error legacy_status;
1249 std::vector<legacy_hal::wifi_ring_buffer_status> legacy_ring_buffer_status_vec;
1250 std::tie(legacy_status, legacy_ring_buffer_status_vec) =
1251 legacy_hal_.lock()->getRingBuffersStatus(getFirstActiveWlanIfaceName());
1252 if (legacy_status != legacy_hal::WIFI_SUCCESS) {
1253 return {std::vector<WifiDebugRingBufferStatus>(),
1254 createWifiStatusFromLegacyError(legacy_status)};
1255 }
1256 std::vector<WifiDebugRingBufferStatus> aidl_ring_buffer_status_vec;
1257 if (!aidl_struct_util::convertLegacyVectorOfDebugRingBufferStatusToAidl(
1258 legacy_ring_buffer_status_vec, &aidl_ring_buffer_status_vec)) {
1259 return {std::vector<WifiDebugRingBufferStatus>(),
1260 createWifiStatus(WifiStatusCode::ERROR_UNKNOWN)};
1261 }
1262 return {aidl_ring_buffer_status_vec, ndk::ScopedAStatus::ok()};
1263}
1264
1265ndk::ScopedAStatus WifiChip::startLoggingToDebugRingBufferInternal(
1266 const std::string& ring_name, WifiDebugRingBufferVerboseLevel verbose_level,
1267 uint32_t max_interval_in_sec, uint32_t min_data_size_in_bytes) {
1268 ndk::ScopedAStatus status = registerDebugRingBufferCallback();
1269 if (!status.isOk()) {
1270 return status;
1271 }
1272 legacy_hal::wifi_error legacy_status = legacy_hal_.lock()->startRingBufferLogging(
1273 getFirstActiveWlanIfaceName(), ring_name,
1274 static_cast<std::underlying_type<WifiDebugRingBufferVerboseLevel>::type>(verbose_level),
1275 max_interval_in_sec, min_data_size_in_bytes);
1276 ringbuffer_map_.insert(
1277 std::pair<std::string, Ringbuffer>(ring_name, Ringbuffer(kMaxBufferSizeBytes)));
1278 // if verbose logging enabled, turn up HAL daemon logging as well.
1279 if (verbose_level < WifiDebugRingBufferVerboseLevel::VERBOSE) {
1280 ::android::base::SetMinimumLogSeverity(::android::base::DEBUG);
1281 } else {
1282 ::android::base::SetMinimumLogSeverity(::android::base::VERBOSE);
1283 }
1284 return createWifiStatusFromLegacyError(legacy_status);
1285}
1286
1287ndk::ScopedAStatus WifiChip::forceDumpToDebugRingBufferInternal(const std::string& ring_name) {
1288 ndk::ScopedAStatus status = registerDebugRingBufferCallback();
1289 if (!status.isOk()) {
1290 return status;
1291 }
1292 legacy_hal::wifi_error legacy_status =
1293 legacy_hal_.lock()->getRingBufferData(getFirstActiveWlanIfaceName(), ring_name);
1294
1295 return createWifiStatusFromLegacyError(legacy_status);
1296}
1297
1298ndk::ScopedAStatus WifiChip::flushRingBufferToFileInternal() {
1299 if (!writeRingbufferFilesInternal()) {
1300 LOG(ERROR) << "Error writing files to flash";
1301 return createWifiStatus(WifiStatusCode::ERROR_UNKNOWN);
1302 }
1303 return ndk::ScopedAStatus::ok();
1304}
1305
1306ndk::ScopedAStatus WifiChip::stopLoggingToDebugRingBufferInternal() {
1307 legacy_hal::wifi_error legacy_status =
1308 legacy_hal_.lock()->deregisterRingBufferCallbackHandler(getFirstActiveWlanIfaceName());
1309 if (legacy_status == legacy_hal::WIFI_SUCCESS) {
1310 debug_ring_buffer_cb_registered_ = false;
1311 }
1312 return createWifiStatusFromLegacyError(legacy_status);
1313}
1314
1315std::pair<WifiDebugHostWakeReasonStats, ndk::ScopedAStatus>
1316WifiChip::getDebugHostWakeReasonStatsInternal() {
1317 legacy_hal::wifi_error legacy_status;
1318 legacy_hal::WakeReasonStats legacy_stats;
1319 std::tie(legacy_status, legacy_stats) =
1320 legacy_hal_.lock()->getWakeReasonStats(getFirstActiveWlanIfaceName());
1321 if (legacy_status != legacy_hal::WIFI_SUCCESS) {
1322 return {WifiDebugHostWakeReasonStats{}, createWifiStatusFromLegacyError(legacy_status)};
1323 }
1324 WifiDebugHostWakeReasonStats aidl_stats;
1325 if (!aidl_struct_util::convertLegacyWakeReasonStatsToAidl(legacy_stats, &aidl_stats)) {
1326 return {WifiDebugHostWakeReasonStats{}, createWifiStatus(WifiStatusCode::ERROR_UNKNOWN)};
1327 }
1328 return {aidl_stats, ndk::ScopedAStatus::ok()};
1329}
1330
1331ndk::ScopedAStatus WifiChip::enableDebugErrorAlertsInternal(bool enable) {
1332 legacy_hal::wifi_error legacy_status;
1333 if (enable) {
1334 std::weak_ptr<WifiChip> weak_ptr_this = weak_ptr_this_;
1335 const auto& on_alert_callback = [weak_ptr_this](int32_t error_code,
1336 std::vector<uint8_t> debug_data) {
1337 const auto shared_ptr_this = weak_ptr_this.lock();
1338 if (!shared_ptr_this.get() || !shared_ptr_this->isValid()) {
1339 LOG(ERROR) << "Callback invoked on an invalid object";
1340 return;
1341 }
1342 for (const auto& callback : shared_ptr_this->getEventCallbacks()) {
1343 if (!callback->onDebugErrorAlert(error_code, debug_data).isOk()) {
1344 LOG(ERROR) << "Failed to invoke onDebugErrorAlert callback";
1345 }
1346 }
1347 };
1348 legacy_status = legacy_hal_.lock()->registerErrorAlertCallbackHandler(
1349 getFirstActiveWlanIfaceName(), on_alert_callback);
1350 } else {
1351 legacy_status = legacy_hal_.lock()->deregisterErrorAlertCallbackHandler(
1352 getFirstActiveWlanIfaceName());
1353 }
1354 return createWifiStatusFromLegacyError(legacy_status);
1355}
1356
1357ndk::ScopedAStatus WifiChip::selectTxPowerScenarioInternal(IWifiChip::TxPowerScenario scenario) {
1358 auto legacy_status = legacy_hal_.lock()->selectTxPowerScenario(
1359 getFirstActiveWlanIfaceName(),
1360 aidl_struct_util::convertAidlTxPowerScenarioToLegacy(scenario));
1361 return createWifiStatusFromLegacyError(legacy_status);
1362}
1363
1364ndk::ScopedAStatus WifiChip::resetTxPowerScenarioInternal() {
1365 auto legacy_status = legacy_hal_.lock()->resetTxPowerScenario(getFirstActiveWlanIfaceName());
1366 return createWifiStatusFromLegacyError(legacy_status);
1367}
1368
1369ndk::ScopedAStatus WifiChip::setLatencyModeInternal(IWifiChip::LatencyMode mode) {
1370 auto legacy_status = legacy_hal_.lock()->setLatencyMode(
1371 getFirstActiveWlanIfaceName(), aidl_struct_util::convertAidlLatencyModeToLegacy(mode));
1372 return createWifiStatusFromLegacyError(legacy_status);
1373}
1374
1375ndk::ScopedAStatus WifiChip::setMultiStaPrimaryConnectionInternal(const std::string& ifname) {
1376 auto legacy_status = legacy_hal_.lock()->multiStaSetPrimaryConnection(ifname);
1377 return createWifiStatusFromLegacyError(legacy_status);
1378}
1379
1380ndk::ScopedAStatus WifiChip::setMultiStaUseCaseInternal(IWifiChip::MultiStaUseCase use_case) {
1381 auto legacy_status = legacy_hal_.lock()->multiStaSetUseCase(
1382 aidl_struct_util::convertAidlMultiStaUseCaseToLegacy(use_case));
1383 return createWifiStatusFromLegacyError(legacy_status);
1384}
1385
1386ndk::ScopedAStatus WifiChip::setCoexUnsafeChannelsInternal(
Gabriel Biren3b86a782023-02-04 00:42:53 +00001387 std::vector<IWifiChip::CoexUnsafeChannel> unsafe_channels, int32_t aidl_restrictions) {
Gabriel Birenf3262f92022-07-15 23:25:39 +00001388 std::vector<legacy_hal::wifi_coex_unsafe_channel> legacy_unsafe_channels;
1389 if (!aidl_struct_util::convertAidlVectorOfCoexUnsafeChannelToLegacy(unsafe_channels,
1390 &legacy_unsafe_channels)) {
1391 return createWifiStatus(WifiStatusCode::ERROR_INVALID_ARGS);
1392 }
Gabriel Birenf3262f92022-07-15 23:25:39 +00001393 uint32_t legacy_restrictions = 0;
1394 if (aidl_restrictions & static_cast<uint32_t>(CoexRestriction::WIFI_DIRECT)) {
1395 legacy_restrictions |= legacy_hal::wifi_coex_restriction::WIFI_DIRECT;
1396 }
1397 if (aidl_restrictions & static_cast<uint32_t>(CoexRestriction::SOFTAP)) {
1398 legacy_restrictions |= legacy_hal::wifi_coex_restriction::SOFTAP;
1399 }
1400 if (aidl_restrictions & static_cast<uint32_t>(CoexRestriction::WIFI_AWARE)) {
1401 legacy_restrictions |= legacy_hal::wifi_coex_restriction::WIFI_AWARE;
1402 }
1403 auto legacy_status =
1404 legacy_hal_.lock()->setCoexUnsafeChannels(legacy_unsafe_channels, legacy_restrictions);
1405 return createWifiStatusFromLegacyError(legacy_status);
1406}
1407
1408ndk::ScopedAStatus WifiChip::setCountryCodeInternal(const std::array<uint8_t, 2>& code) {
1409 auto legacy_status = legacy_hal_.lock()->setCountryCode(getFirstActiveWlanIfaceName(), code);
1410 return createWifiStatusFromLegacyError(legacy_status);
1411}
1412
1413std::pair<std::vector<WifiUsableChannel>, ndk::ScopedAStatus> WifiChip::getUsableChannelsInternal(
Gabriel Biren3b86a782023-02-04 00:42:53 +00001414 WifiBand band, int32_t ifaceModeMask, int32_t filterMask) {
Gabriel Birenf3262f92022-07-15 23:25:39 +00001415 legacy_hal::wifi_error legacy_status;
1416 std::vector<legacy_hal::wifi_usable_channel> legacy_usable_channels;
1417 std::tie(legacy_status, legacy_usable_channels) = legacy_hal_.lock()->getUsableChannels(
1418 aidl_struct_util::convertAidlWifiBandToLegacyMacBand(band),
Gabriel Biren3b86a782023-02-04 00:42:53 +00001419 aidl_struct_util::convertAidlWifiIfaceModeToLegacy(ifaceModeMask),
1420 aidl_struct_util::convertAidlUsableChannelFilterToLegacy(filterMask));
Gabriel Birenf3262f92022-07-15 23:25:39 +00001421
1422 if (legacy_status != legacy_hal::WIFI_SUCCESS) {
1423 return {std::vector<WifiUsableChannel>(), createWifiStatusFromLegacyError(legacy_status)};
1424 }
1425 std::vector<WifiUsableChannel> aidl_usable_channels;
1426 if (!aidl_struct_util::convertLegacyWifiUsableChannelsToAidl(legacy_usable_channels,
1427 &aidl_usable_channels)) {
1428 return {std::vector<WifiUsableChannel>(), createWifiStatus(WifiStatusCode::ERROR_UNKNOWN)};
1429 }
1430 return {aidl_usable_channels, ndk::ScopedAStatus::ok()};
1431}
1432
Oscar Shuab8313c2022-12-13 00:55:11 +00001433ndk::ScopedAStatus WifiChip::setAfcChannelAllowanceInternal(
1434 const std::vector<AvailableAfcFrequencyInfo>& availableAfcFrequencyInfo) {
1435 LOG(INFO) << "setAfcChannelAllowance is not yet supported " << availableAfcFrequencyInfo.size();
1436 return createWifiStatus(WifiStatusCode::ERROR_NOT_SUPPORTED);
1437}
1438
Gabriel Biren263db452023-02-24 21:07:38 +00001439std::pair<std::vector<WifiRadioCombination>, ndk::ScopedAStatus>
1440WifiChip::getSupportedRadioCombinationsInternal() {
Gabriel Birenf3262f92022-07-15 23:25:39 +00001441 legacy_hal::wifi_error legacy_status;
1442 legacy_hal::wifi_radio_combination_matrix* legacy_matrix;
Gabriel Biren263db452023-02-24 21:07:38 +00001443 std::vector<WifiRadioCombination> aidl_combinations;
Gabriel Birenf3262f92022-07-15 23:25:39 +00001444
1445 std::tie(legacy_status, legacy_matrix) =
1446 legacy_hal_.lock()->getSupportedRadioCombinationsMatrix();
1447 if (legacy_status != legacy_hal::WIFI_SUCCESS) {
1448 LOG(ERROR) << "Failed to get SupportedRadioCombinations matrix from legacy HAL: "
1449 << legacyErrorToString(legacy_status);
Gabriel Biren263db452023-02-24 21:07:38 +00001450 return {aidl_combinations, createWifiStatusFromLegacyError(legacy_status)};
Gabriel Birenf3262f92022-07-15 23:25:39 +00001451 }
1452
Gabriel Birenf3262f92022-07-15 23:25:39 +00001453 if (!aidl_struct_util::convertLegacyRadioCombinationsMatrixToAidl(legacy_matrix,
Gabriel Biren263db452023-02-24 21:07:38 +00001454 &aidl_combinations)) {
Gabriel Birenf3262f92022-07-15 23:25:39 +00001455 LOG(ERROR) << "Failed convertLegacyRadioCombinationsMatrixToAidl() ";
Gabriel Biren263db452023-02-24 21:07:38 +00001456 return {aidl_combinations, createWifiStatus(WifiStatusCode::ERROR_INVALID_ARGS)};
Gabriel Birenf3262f92022-07-15 23:25:39 +00001457 }
Gabriel Biren263db452023-02-24 21:07:38 +00001458 return {aidl_combinations, ndk::ScopedAStatus::ok()};
Gabriel Birenf3262f92022-07-15 23:25:39 +00001459}
1460
Mahesh KKVc84d3772022-12-02 16:53:28 -08001461std::pair<WifiChipCapabilities, ndk::ScopedAStatus> WifiChip::getWifiChipCapabilitiesInternal() {
1462 legacy_hal::wifi_error legacy_status;
1463 legacy_hal::wifi_chip_capabilities legacy_chip_capabilities;
1464 std::tie(legacy_status, legacy_chip_capabilities) =
1465 legacy_hal_.lock()->getWifiChipCapabilities();
1466 if (legacy_status != legacy_hal::WIFI_SUCCESS) {
1467 LOG(ERROR) << "Failed to get chip capabilities from legacy HAL: "
1468 << legacyErrorToString(legacy_status);
1469 return {WifiChipCapabilities(), createWifiStatusFromLegacyError(legacy_status)};
1470 }
1471 WifiChipCapabilities aidl_chip_capabilities;
1472 if (!aidl_struct_util::convertLegacyWifiChipCapabilitiesToAidl(legacy_chip_capabilities,
1473 aidl_chip_capabilities)) {
1474 LOG(ERROR) << "Failed convertLegacyWifiChipCapabilitiesToAidl() ";
1475 return {WifiChipCapabilities(), createWifiStatus(WifiStatusCode::ERROR_INVALID_ARGS)};
1476 }
1477
1478 return {aidl_chip_capabilities, ndk::ScopedAStatus::ok()};
1479}
1480
Shuibing Daie5fbcab2022-12-19 15:37:19 -08001481ndk::ScopedAStatus WifiChip::enableStaChannelForPeerNetworkInternal(
Gabriel Biren3b86a782023-02-04 00:42:53 +00001482 int32_t channelCategoryEnableFlag) {
Shuibing Daie5fbcab2022-12-19 15:37:19 -08001483 auto legacy_status = legacy_hal_.lock()->enableStaChannelForPeerNetwork(
Gabriel Biren3b86a782023-02-04 00:42:53 +00001484 aidl_struct_util::convertAidlChannelCategoryToLegacy(channelCategoryEnableFlag));
Shuibing Daie5fbcab2022-12-19 15:37:19 -08001485 return createWifiStatusFromLegacyError(legacy_status);
1486}
1487
Gabriel Birenf3262f92022-07-15 23:25:39 +00001488ndk::ScopedAStatus WifiChip::triggerSubsystemRestartInternal() {
1489 auto legacy_status = legacy_hal_.lock()->triggerSubsystemRestart();
1490 return createWifiStatusFromLegacyError(legacy_status);
1491}
1492
1493ndk::ScopedAStatus WifiChip::handleChipConfiguration(
1494 /* NONNULL */ std::unique_lock<std::recursive_mutex>* lock, int32_t mode_id) {
1495 // If the chip is already configured in a different mode, stop
1496 // the legacy HAL and then start it after firmware mode change.
1497 if (isValidModeId(current_mode_id_)) {
1498 LOG(INFO) << "Reconfiguring chip from mode " << current_mode_id_ << " to mode " << mode_id;
1499 invalidateAndRemoveAllIfaces();
1500 legacy_hal::wifi_error legacy_status = legacy_hal_.lock()->stop(lock, []() {});
1501 if (legacy_status != legacy_hal::WIFI_SUCCESS) {
1502 LOG(ERROR) << "Failed to stop legacy HAL: " << legacyErrorToString(legacy_status);
1503 return createWifiStatusFromLegacyError(legacy_status);
1504 }
1505 }
1506 // Firmware mode change not needed for V2 devices.
1507 bool success = true;
1508 if (mode_id == feature_flags::chip_mode_ids::kV1Sta) {
1509 success = mode_controller_.lock()->changeFirmwareMode(IfaceType::STA);
1510 } else if (mode_id == feature_flags::chip_mode_ids::kV1Ap) {
1511 success = mode_controller_.lock()->changeFirmwareMode(IfaceType::AP);
1512 }
1513 if (!success) {
1514 return createWifiStatus(WifiStatusCode::ERROR_UNKNOWN);
1515 }
1516 legacy_hal::wifi_error legacy_status = legacy_hal_.lock()->start();
1517 if (legacy_status != legacy_hal::WIFI_SUCCESS) {
1518 LOG(ERROR) << "Failed to start legacy HAL: " << legacyErrorToString(legacy_status);
1519 return createWifiStatusFromLegacyError(legacy_status);
1520 }
1521 // Every time the HAL is restarted, we need to register the
1522 // radio mode change callback.
1523 ndk::ScopedAStatus status = registerRadioModeChangeCallback();
1524 if (!status.isOk()) {
1525 // This is probably not a critical failure?
1526 LOG(ERROR) << "Failed to register radio mode change callback";
1527 }
1528 // Extract and save the version information into property.
1529 std::pair<IWifiChip::ChipDebugInfo, ndk::ScopedAStatus> version_info;
1530 version_info = WifiChip::requestChipDebugInfoInternal();
1531 if (version_info.second.isOk()) {
1532 property_set("vendor.wlan.firmware.version",
1533 version_info.first.firmwareDescription.c_str());
1534 property_set("vendor.wlan.driver.version", version_info.first.driverDescription.c_str());
1535 }
Sunil Ravi2be1f262023-02-15 20:56:56 +00001536 // Get the driver supported interface combination.
1537 retrieveDynamicIfaceCombination();
Gabriel Birenf3262f92022-07-15 23:25:39 +00001538
1539 return ndk::ScopedAStatus::ok();
1540}
1541
1542ndk::ScopedAStatus WifiChip::registerDebugRingBufferCallback() {
1543 if (debug_ring_buffer_cb_registered_) {
1544 return ndk::ScopedAStatus::ok();
1545 }
1546
1547 std::weak_ptr<WifiChip> weak_ptr_this = weak_ptr_this_;
1548 const auto& on_ring_buffer_data_callback =
1549 [weak_ptr_this](const std::string& name, const std::vector<uint8_t>& data,
1550 const legacy_hal::wifi_ring_buffer_status& status) {
1551 const auto shared_ptr_this = weak_ptr_this.lock();
1552 if (!shared_ptr_this.get() || !shared_ptr_this->isValid()) {
1553 LOG(ERROR) << "Callback invoked on an invalid object";
1554 return;
1555 }
1556 WifiDebugRingBufferStatus aidl_status;
1557 Ringbuffer::AppendStatus appendstatus;
1558 if (!aidl_struct_util::convertLegacyDebugRingBufferStatusToAidl(status,
1559 &aidl_status)) {
1560 LOG(ERROR) << "Error converting ring buffer status";
1561 return;
1562 }
1563 {
1564 std::unique_lock<std::mutex> lk(shared_ptr_this->lock_t);
1565 const auto& target = shared_ptr_this->ringbuffer_map_.find(name);
1566 if (target != shared_ptr_this->ringbuffer_map_.end()) {
1567 Ringbuffer& cur_buffer = target->second;
1568 appendstatus = cur_buffer.append(data);
1569 } else {
1570 LOG(ERROR) << "Ringname " << name << " not found";
1571 return;
1572 }
1573 // unique_lock unlocked here
1574 }
1575 if (appendstatus == Ringbuffer::AppendStatus::FAIL_RING_BUFFER_CORRUPTED) {
1576 LOG(ERROR) << "Ringname " << name << " is corrupted. Clear the ring buffer";
1577 shared_ptr_this->writeRingbufferFilesInternal();
1578 return;
1579 }
1580 };
1581 legacy_hal::wifi_error legacy_status = legacy_hal_.lock()->registerRingBufferCallbackHandler(
1582 getFirstActiveWlanIfaceName(), on_ring_buffer_data_callback);
1583
1584 if (legacy_status == legacy_hal::WIFI_SUCCESS) {
1585 debug_ring_buffer_cb_registered_ = true;
1586 }
1587 return createWifiStatusFromLegacyError(legacy_status);
1588}
1589
1590ndk::ScopedAStatus WifiChip::registerRadioModeChangeCallback() {
1591 std::weak_ptr<WifiChip> weak_ptr_this = weak_ptr_this_;
1592 const auto& on_radio_mode_change_callback =
1593 [weak_ptr_this](const std::vector<legacy_hal::WifiMacInfo>& mac_infos) {
1594 const auto shared_ptr_this = weak_ptr_this.lock();
1595 if (!shared_ptr_this.get() || !shared_ptr_this->isValid()) {
1596 LOG(ERROR) << "Callback invoked on an invalid object";
1597 return;
1598 }
1599 std::vector<IWifiChipEventCallback::RadioModeInfo> aidl_radio_mode_infos;
1600 if (!aidl_struct_util::convertLegacyWifiMacInfosToAidl(mac_infos,
1601 &aidl_radio_mode_infos)) {
1602 LOG(ERROR) << "Error converting wifi mac info";
1603 return;
1604 }
1605 for (const auto& callback : shared_ptr_this->getEventCallbacks()) {
1606 if (!callback->onRadioModeChange(aidl_radio_mode_infos).isOk()) {
1607 LOG(ERROR) << "Failed to invoke onRadioModeChange callback";
1608 }
1609 }
1610 };
1611 legacy_hal::wifi_error legacy_status =
1612 legacy_hal_.lock()->registerRadioModeChangeCallbackHandler(
1613 getFirstActiveWlanIfaceName(), on_radio_mode_change_callback);
1614 return createWifiStatusFromLegacyError(legacy_status);
1615}
1616
1617std::vector<IWifiChip::ChipConcurrencyCombination>
1618WifiChip::getCurrentModeConcurrencyCombinations() {
1619 if (!isValidModeId(current_mode_id_)) {
1620 LOG(ERROR) << "Chip not configured in a mode yet";
1621 return std::vector<IWifiChip::ChipConcurrencyCombination>();
1622 }
1623 for (const auto& mode : modes_) {
1624 if (mode.id == current_mode_id_) {
1625 return mode.availableCombinations;
1626 }
1627 }
1628 CHECK(0) << "Expected to find concurrency combinations for current mode!";
1629 return std::vector<IWifiChip::ChipConcurrencyCombination>();
1630}
1631
1632// Returns a map indexed by IfaceConcurrencyType with the number of ifaces currently
1633// created of the corresponding concurrency type.
1634std::map<IfaceConcurrencyType, size_t> WifiChip::getCurrentConcurrencyCombination() {
1635 std::map<IfaceConcurrencyType, size_t> iface_counts;
1636 uint32_t num_ap = 0;
1637 uint32_t num_ap_bridged = 0;
1638 for (const auto& ap_iface : ap_ifaces_) {
1639 std::string ap_iface_name = ap_iface->getName();
1640 if (br_ifaces_ap_instances_.count(ap_iface_name) > 0 &&
1641 br_ifaces_ap_instances_[ap_iface_name].size() > 1) {
1642 num_ap_bridged++;
1643 } else {
1644 num_ap++;
1645 }
1646 }
1647 iface_counts[IfaceConcurrencyType::AP] = num_ap;
1648 iface_counts[IfaceConcurrencyType::AP_BRIDGED] = num_ap_bridged;
1649 iface_counts[IfaceConcurrencyType::NAN_IFACE] = nan_ifaces_.size();
1650 iface_counts[IfaceConcurrencyType::P2P] = p2p_ifaces_.size();
1651 iface_counts[IfaceConcurrencyType::STA] = sta_ifaces_.size();
1652 return iface_counts;
1653}
1654
1655// This expands the provided concurrency combinations to a more parseable
1656// form. Returns a vector of available combinations possible with the number
1657// of each concurrency type in the combination.
1658// This method is a port of HalDeviceManager.expandConcurrencyCombos() from framework.
1659std::vector<std::map<IfaceConcurrencyType, size_t>> WifiChip::expandConcurrencyCombinations(
1660 const IWifiChip::ChipConcurrencyCombination& combination) {
1661 int32_t num_expanded_combos = 1;
1662 for (const auto& limit : combination.limits) {
1663 for (int32_t i = 0; i < limit.maxIfaces; i++) {
1664 num_expanded_combos *= limit.types.size();
1665 }
1666 }
1667
1668 // Allocate the vector of expanded combos and reset all concurrency type counts to 0
1669 // in each combo.
1670 std::vector<std::map<IfaceConcurrencyType, size_t>> expanded_combos;
1671 expanded_combos.resize(num_expanded_combos);
1672 for (auto& expanded_combo : expanded_combos) {
1673 for (const auto type : {IfaceConcurrencyType::AP, IfaceConcurrencyType::AP_BRIDGED,
1674 IfaceConcurrencyType::NAN_IFACE, IfaceConcurrencyType::P2P,
1675 IfaceConcurrencyType::STA}) {
1676 expanded_combo[type] = 0;
1677 }
1678 }
1679 int32_t span = num_expanded_combos;
1680 for (const auto& limit : combination.limits) {
1681 for (int32_t i = 0; i < limit.maxIfaces; i++) {
1682 span /= limit.types.size();
1683 for (int32_t k = 0; k < num_expanded_combos; ++k) {
1684 const auto iface_type = limit.types[(k / span) % limit.types.size()];
1685 expanded_combos[k][iface_type]++;
1686 }
1687 }
1688 }
1689 return expanded_combos;
1690}
1691
1692bool WifiChip::canExpandedConcurrencyComboSupportConcurrencyTypeWithCurrentTypes(
1693 const std::map<IfaceConcurrencyType, size_t>& expanded_combo,
1694 IfaceConcurrencyType requested_type) {
1695 const auto current_combo = getCurrentConcurrencyCombination();
1696
1697 // Check if we have space for 1 more iface of |type| in this combo
1698 for (const auto type :
1699 {IfaceConcurrencyType::AP, IfaceConcurrencyType::AP_BRIDGED,
1700 IfaceConcurrencyType::NAN_IFACE, IfaceConcurrencyType::P2P, IfaceConcurrencyType::STA}) {
1701 size_t num_ifaces_needed = current_combo.at(type);
1702 if (type == requested_type) {
1703 num_ifaces_needed++;
1704 }
1705 size_t num_ifaces_allowed = expanded_combo.at(type);
1706 if (num_ifaces_needed > num_ifaces_allowed) {
1707 return false;
1708 }
1709 }
1710 return true;
1711}
1712
1713// This method does the following:
1714// a) Enumerate all possible concurrency combos by expanding the current
1715// ChipConcurrencyCombination.
1716// b) Check if the requested concurrency type can be added to the current mode
1717// with the concurrency combination that is already active.
1718bool WifiChip::canCurrentModeSupportConcurrencyTypeWithCurrentTypes(
1719 IfaceConcurrencyType requested_type) {
1720 if (!isValidModeId(current_mode_id_)) {
1721 LOG(ERROR) << "Chip not configured in a mode yet";
1722 return false;
1723 }
1724 const auto combinations = getCurrentModeConcurrencyCombinations();
1725 for (const auto& combination : combinations) {
1726 const auto expanded_combos = expandConcurrencyCombinations(combination);
1727 for (const auto& expanded_combo : expanded_combos) {
1728 if (canExpandedConcurrencyComboSupportConcurrencyTypeWithCurrentTypes(expanded_combo,
1729 requested_type)) {
1730 return true;
1731 }
1732 }
1733 }
1734 return false;
1735}
1736
1737// Note: This does not consider concurrency types already active. It only checks if the
1738// provided expanded concurrency combination can support the requested combo.
1739bool WifiChip::canExpandedConcurrencyComboSupportConcurrencyCombo(
1740 const std::map<IfaceConcurrencyType, size_t>& expanded_combo,
1741 const std::map<IfaceConcurrencyType, size_t>& req_combo) {
1742 // Check if we have space for 1 more |type| in this combo
1743 for (const auto type :
1744 {IfaceConcurrencyType::AP, IfaceConcurrencyType::AP_BRIDGED,
1745 IfaceConcurrencyType::NAN_IFACE, IfaceConcurrencyType::P2P, IfaceConcurrencyType::STA}) {
1746 if (req_combo.count(type) == 0) {
1747 // Concurrency type not in the req_combo.
1748 continue;
1749 }
1750 size_t num_ifaces_needed = req_combo.at(type);
1751 size_t num_ifaces_allowed = expanded_combo.at(type);
1752 if (num_ifaces_needed > num_ifaces_allowed) {
1753 return false;
1754 }
1755 }
1756 return true;
1757}
1758
1759// This method does the following:
1760// a) Enumerate all possible concurrency combos by expanding the current
1761// ChipConcurrencyCombination.
1762// b) Check if the requested concurrency combo can be added to the current mode.
1763// Note: This does not consider concurrency types already active. It only checks if the
1764// current mode can support the requested combo.
1765bool WifiChip::canCurrentModeSupportConcurrencyCombo(
1766 const std::map<IfaceConcurrencyType, size_t>& req_combo) {
1767 if (!isValidModeId(current_mode_id_)) {
1768 LOG(ERROR) << "Chip not configured in a mode yet";
1769 return false;
1770 }
1771 const auto combinations = getCurrentModeConcurrencyCombinations();
1772 for (const auto& combination : combinations) {
1773 const auto expanded_combos = expandConcurrencyCombinations(combination);
1774 for (const auto& expanded_combo : expanded_combos) {
1775 if (canExpandedConcurrencyComboSupportConcurrencyCombo(expanded_combo, req_combo)) {
1776 return true;
1777 }
1778 }
1779 }
1780 return false;
1781}
1782
1783// This method does the following:
1784// a) Enumerate all possible concurrency combos by expanding the current
1785// ChipConcurrencyCombination.
1786// b) Check if the requested concurrency type can be added to the current mode.
1787bool WifiChip::canCurrentModeSupportConcurrencyType(IfaceConcurrencyType requested_type) {
1788 // Check if we can support at least 1 of the requested concurrency type.
1789 std::map<IfaceConcurrencyType, size_t> req_iface_combo;
1790 req_iface_combo[requested_type] = 1;
1791 return canCurrentModeSupportConcurrencyCombo(req_iface_combo);
1792}
1793
1794bool WifiChip::isValidModeId(int32_t mode_id) {
1795 for (const auto& mode : modes_) {
1796 if (mode.id == mode_id) {
1797 return true;
1798 }
1799 }
1800 return false;
1801}
1802
1803bool WifiChip::isStaApConcurrencyAllowedInCurrentMode() {
1804 // Check if we can support at least 1 STA & 1 AP concurrently.
1805 std::map<IfaceConcurrencyType, size_t> req_iface_combo;
1806 req_iface_combo[IfaceConcurrencyType::STA] = 1;
1807 req_iface_combo[IfaceConcurrencyType::AP] = 1;
1808 return canCurrentModeSupportConcurrencyCombo(req_iface_combo);
1809}
1810
1811bool WifiChip::isDualStaConcurrencyAllowedInCurrentMode() {
1812 // Check if we can support at least 2 STA concurrently.
1813 std::map<IfaceConcurrencyType, size_t> req_iface_combo;
1814 req_iface_combo[IfaceConcurrencyType::STA] = 2;
1815 return canCurrentModeSupportConcurrencyCombo(req_iface_combo);
1816}
1817
1818std::string WifiChip::getFirstActiveWlanIfaceName() {
1819 if (sta_ifaces_.size() > 0) return sta_ifaces_[0]->getName();
1820 if (ap_ifaces_.size() > 0) {
1821 // If the first active wlan iface is bridged iface.
1822 // Return first instance name.
1823 for (auto const& it : br_ifaces_ap_instances_) {
1824 if (it.first == ap_ifaces_[0]->getName()) {
1825 return it.second[0];
1826 }
1827 }
1828 return ap_ifaces_[0]->getName();
1829 }
1830 // This could happen if the chip call is made before any STA/AP
1831 // iface is created. Default to wlan0 for such cases.
1832 LOG(WARNING) << "No active wlan interfaces in use! Using default";
1833 return getWlanIfaceNameWithType(IfaceType::STA, 0);
1834}
1835
1836// Return the first wlan (wlan0, wlan1 etc.) starting from |start_idx|
1837// not already in use.
1838// Note: This doesn't check the actual presence of these interfaces.
1839std::string WifiChip::allocateApOrStaIfaceName(IfaceType type, uint32_t start_idx) {
1840 for (unsigned idx = start_idx; idx < kMaxWlanIfaces; idx++) {
1841 const auto ifname = getWlanIfaceNameWithType(type, idx);
1842 if (findUsingNameFromBridgedApInstances(ifname)) continue;
1843 if (findUsingName(ap_ifaces_, ifname)) continue;
1844 if (findUsingName(sta_ifaces_, ifname)) continue;
1845 return ifname;
1846 }
1847 // This should never happen. We screwed up somewhere if it did.
1848 CHECK(false) << "All wlan interfaces in use already!";
1849 return {};
1850}
1851
1852uint32_t WifiChip::startIdxOfApIface() {
1853 if (isDualStaConcurrencyAllowedInCurrentMode()) {
1854 // When the HAL support dual STAs, AP should start with idx 2.
1855 return 2;
1856 } else if (isStaApConcurrencyAllowedInCurrentMode()) {
1857 // When the HAL support STA + AP but it doesn't support dual STAs.
1858 // AP should start with idx 1.
1859 return 1;
1860 }
1861 // No concurrency support.
1862 return 0;
1863}
1864
1865// AP iface names start with idx 1 for modes supporting
1866// concurrent STA and not dual AP, else start with idx 0.
1867std::string WifiChip::allocateApIfaceName() {
1868 // Check if we have a dedicated iface for AP.
1869 std::vector<std::string> ifnames = getPredefinedApIfaceNames(true);
1870 for (auto const& ifname : ifnames) {
1871 if (findUsingName(ap_ifaces_, ifname)) continue;
1872 return ifname;
1873 }
1874 return allocateApOrStaIfaceName(IfaceType::AP, startIdxOfApIface());
1875}
1876
1877std::vector<std::string> WifiChip::allocateBridgedApInstanceNames() {
1878 // Check if we have a dedicated iface for AP.
1879 std::vector<std::string> instances = getPredefinedApIfaceNames(true);
1880 if (instances.size() == 2) {
1881 return instances;
1882 } else {
1883 int num_ifaces_need_to_allocate = 2 - instances.size();
1884 for (int i = 0; i < num_ifaces_need_to_allocate; i++) {
1885 std::string instance_name =
1886 allocateApOrStaIfaceName(IfaceType::AP, startIdxOfApIface() + i);
1887 if (!instance_name.empty()) {
1888 instances.push_back(instance_name);
1889 }
1890 }
1891 }
1892 return instances;
1893}
1894
1895// STA iface names start with idx 0.
1896// Primary STA iface will always be 0.
1897std::string WifiChip::allocateStaIfaceName() {
1898 return allocateApOrStaIfaceName(IfaceType::STA, 0);
1899}
1900
1901bool WifiChip::writeRingbufferFilesInternal() {
1902 if (!removeOldFilesInternal()) {
1903 LOG(ERROR) << "Error occurred while deleting old tombstone files";
1904 return false;
1905 }
1906 // write ringbuffers to file
1907 {
1908 std::unique_lock<std::mutex> lk(lock_t);
1909 for (auto& item : ringbuffer_map_) {
1910 Ringbuffer& cur_buffer = item.second;
1911 if (cur_buffer.getData().empty()) {
1912 continue;
1913 }
1914 const std::string file_path_raw = kTombstoneFolderPath + item.first + "XXXXXXXXXX";
1915 const int dump_fd = mkstemp(makeCharVec(file_path_raw).data());
1916 if (dump_fd == -1) {
1917 PLOG(ERROR) << "create file failed";
1918 return false;
1919 }
1920 unique_fd file_auto_closer(dump_fd);
1921 for (const auto& cur_block : cur_buffer.getData()) {
1922 if (cur_block.size() <= 0 || cur_block.size() > kMaxBufferSizeBytes) {
1923 PLOG(ERROR) << "Ring buffer: " << item.first
1924 << " is corrupted. Invalid block size: " << cur_block.size();
1925 break;
1926 }
1927 if (write(dump_fd, cur_block.data(), sizeof(cur_block[0]) * cur_block.size()) ==
1928 -1) {
1929 PLOG(ERROR) << "Error writing to file";
1930 }
1931 }
1932 cur_buffer.clear();
1933 }
1934 // unique_lock unlocked here
1935 }
1936 return true;
1937}
1938
1939std::string WifiChip::getWlanIfaceNameWithType(IfaceType type, unsigned idx) {
1940 std::string ifname;
1941
1942 // let the legacy hal override the interface name
1943 legacy_hal::wifi_error err = legacy_hal_.lock()->getSupportedIfaceName((uint32_t)type, ifname);
1944 if (err == legacy_hal::WIFI_SUCCESS) return ifname;
1945
1946 return getWlanIfaceName(idx);
1947}
1948
1949void WifiChip::invalidateAndClearBridgedApAll() {
1950 for (auto const& it : br_ifaces_ap_instances_) {
1951 for (auto const& iface : it.second) {
1952 iface_util_->removeIfaceFromBridge(it.first, iface);
1953 legacy_hal_.lock()->deleteVirtualInterface(iface);
1954 }
1955 iface_util_->deleteBridge(it.first);
1956 }
1957 br_ifaces_ap_instances_.clear();
1958}
1959
1960void WifiChip::invalidateAndClearBridgedAp(const std::string& br_name) {
1961 if (br_name.empty()) return;
1962 // delete managed interfaces
1963 for (auto const& it : br_ifaces_ap_instances_) {
1964 if (it.first == br_name) {
1965 for (auto const& iface : it.second) {
1966 iface_util_->removeIfaceFromBridge(br_name, iface);
1967 legacy_hal_.lock()->deleteVirtualInterface(iface);
1968 }
1969 iface_util_->deleteBridge(br_name);
1970 br_ifaces_ap_instances_.erase(br_name);
1971 break;
1972 }
1973 }
1974 return;
1975}
1976
1977bool WifiChip::findUsingNameFromBridgedApInstances(const std::string& name) {
1978 for (auto const& it : br_ifaces_ap_instances_) {
1979 if (it.first == name) {
1980 return true;
1981 }
1982 for (auto const& iface : it.second) {
1983 if (iface == name) {
1984 return true;
1985 }
1986 }
1987 }
1988 return false;
1989}
1990
maheshkkva8aba172023-02-13 12:33:26 -08001991ndk::ScopedAStatus WifiChip::setMloModeInternal(const WifiChip::ChipMloMode in_mode) {
1992 legacy_hal::wifi_mlo_mode mode;
1993 switch (in_mode) {
1994 case WifiChip::ChipMloMode::DEFAULT:
1995 mode = legacy_hal::wifi_mlo_mode::WIFI_MLO_MODE_DEFAULT;
1996 break;
1997 case WifiChip::ChipMloMode::LOW_LATENCY:
1998 mode = legacy_hal::wifi_mlo_mode::WIFI_MLO_MODE_LOW_LATENCY;
1999 break;
2000 case WifiChip::ChipMloMode::HIGH_THROUGHPUT:
2001 mode = legacy_hal::wifi_mlo_mode::WIFI_MLO_MODE_HIGH_THROUGHPUT;
2002 break;
2003 case WifiChip::ChipMloMode::LOW_POWER:
2004 mode = legacy_hal::wifi_mlo_mode::WIFI_MLO_MODE_LOW_POWER;
2005 break;
2006 default:
2007 PLOG(ERROR) << "Error: invalid mode: " << toString(in_mode);
2008 return createWifiStatus(WifiStatusCode::ERROR_INVALID_ARGS);
2009 }
2010 return createWifiStatusFromLegacyError(legacy_hal_.lock()->setMloMode(mode));
2011}
2012
Gabriel Birenf3262f92022-07-15 23:25:39 +00002013} // namespace wifi
2014} // namespace hardware
2015} // namespace android
2016} // namespace aidl