动态创建 std::vector 并将其传递给另一个函数的各种方法

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

我正在尝试动态创建

std::vector
并将其传递给另一个函数的各种方法:

#include <iostream>
#include <vector>

void print(std::vector<int> a)
{
    std::cout << a.size() << '\n';
}

int main()
{
    print({1, 2, 3, 4, 5});
    print(std::vector<int>{1, 2, 3, 4, 5});
    print(std::vector<int>({1, 2, 3, 4, 5}));
}

这会产生所需的输出:

$ clang++ -std=c++11 foo.cpp && ./a.out
5
5
5

我想知道这三种调用有什么区别:

print({1, 2, 3, 4, 5});
print(std::vector<int>{1, 2, 3, 4, 5});
print(std::vector<int>({1, 2, 3, 4, 5}));

这是另一个例子:

#include <iostream>
#include <vector>

int main()
{
    std::vector<int> a = {1, 2, 3, 4, 5};
    // std::cout << (a == {1, 2, 3, 4, 5}) << '\n'; // error
    std::cout << (a == std::vector<int>{1, 2, 3, 4, 5}) << '\n';
    std::cout << (a == std::vector<int>({1, 2, 3, 4, 5})) << '\n';
}

这是输出:

$ clang++ -std=c++11 foo.cpp && ./a.out 
1
1

我希望这个问题的答案可以成为该主题的参考答案,其中答案讨论了这些调用的以下方面:

  • 以上三种以及任何其他类似的传递方式
    std::vector
    到另一个函数。
  • 各种方法之间的语义差异。
  • 各种方法之间的性能差异(如果有)。
  • 一次调用有利的最佳实践(如果有) 超过另一个。
c++ vector parameter-passing semantics literals
1个回答
4
投票

从 C++17 开始,所有这些都具有完全相同的效果。调用

print
函数,并通过调用构造函数
vector(std::initializer_list<int>)
创建函数参数。

第一个可能被认为是更好的语法,因为它避免了冗余。

在 C++17 之前,可能会创建和销毁各种临时对象,但现在这一切都已成为过去。

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