为什么我的 C++ 函数返回的向量在调用者中包含垃圾值?

Why does the vector returned by my C++ function contain garbage values in the caller?

我创建了一个简单的 C++ 程序来读取和标记来自 cin 的输入。然而,虽然我的辅助函数中的标记是正确的,但调用函数 (main) 中的标记是垃圾值。

例如,如果我输入“a b c”作为输入,我的辅助函数 (get_input_tokens) 中的标记向量包含“a”、“b”、“c”,但向量main 中的标记包含“?”、“?”、“”。

我的理解是向量应按值返回给调用者,因此应在调用者 (main) 中创建与原始向量相同的向量的新副本。谁能给我一些关于为什么会发生这种情况的想法?

#include <folly/String.h>
#include <iostream>
#include <string>
#include <vector>

using namespace std;

vector<folly::StringPiece> get_input_tokens() {
    string input;
    getline(cin, input);   // Enter in "a b c"
    
    vector<folly::StringPiece> tokensVec;
    folly::split(" ", input, tokensVec);

    // Print tokensVec - prints out "a", "b", "c"
    for (int i=0; i<tokensVec.size(); i++) {
        cout << tokensVec[i] << endl;
    }

    return tokensVec;
}

int main(int argc, char *argv[]) {
    auto tokensVec = get_input_tokens();

    // Print tokensVec - prints out "?", "?", ""
    for (int i=0; i<tokensVec.size(); i++) {
        cout << tokensVec[i] << endl;
    }
    return 0;
}

参考 folly::split:https://github.com/facebook/folly/blob/master/folly/String.h#L403

这是因为 StringPiece 保存指向它所属的字符串的指针。
在你的例子中,那是 input,它在函数 returns 时被销毁并使所有 StringPiece 无效。

您需要不同类型的令牌。
我不熟悉愚蠢,但如果创作者没有完全失去情节,std::string 应该可以。