snprintf 到预设大小的 std::string 不起作用?

问题描述 投票:0回答:1

我有点不明白为什么选项 1 不起作用。根据我的理解,只要我不超过字符串大小,我应该能够写入预先设定的

std::string
任何我想要的内容,但它在 godbolt 上不起作用,在我的 ESP32 上它甚至会导致下游堆损坏。有什么问题吗?

现场演示

#include <iostream>
#include <vector>
#include <string>
#include <cstdint>


#define MAC2STR(a) (a)[0], (a)[1], (a)[2], (a)[3], (a)[4], (a)[5]
#define MACSTR_UPPER              "%02X:%02X:%02X:%02X:%02X:%02X"


// Option 1: Doesn't work

// auto get_mac_address() -> std::string {
//      const std::size_t s = 17;
//      auto ret = std::string{ s, '\0' };
//      uint8_t int_mac_addr[6] = { 0xFF, 0x16, 0x01, 0x25, 0xBB, 0x7A };
//      std::snprintf(&ret.front(), s+1, MACSTR_UPPER, MAC2STR(int_mac_addr));
//      return ret;
// }


// Option 2 Works? Why?

auto get_mac_address() -> std::string {
    uint8_t int_mac_addr[6] = { 0xFF, 0x16, 0x01, 0x25, 0xBB, 0x7A };
    char mac_str[18]; // 17 characters for MAC address + 1 for null terminator
    std::snprintf(mac_str, sizeof(mac_str), MACSTR_UPPER, MAC2STR(int_mac_addr));
    return std::string(mac_str);
}
 

int main() {
    std::vector<std::string> vec = { std::string("my/mqtt/") + get_mac_address() + "/#",
                                    std::string("other/mqtt/") + get_mac_address() + "/#"};

    for (auto v : vec) {
       std::cout << v << std::endl; 
    }
}
c++ printf stdstring
1个回答
0
投票

您正在使用带有

std::string
initializer_list<char>
构造函数,因此
ret
变成仅包含 2 个字符的字符串。

使用

auto ret = std::string(s, '\0');
代替
auto ret = std::string{ s, '\0' };

© www.soinside.com 2019 - 2024. All rights reserved.