-3
auto function(int i) -> int(*)[10]{

}

谁能帮助我如何使用尾随返回类型返回指向 10 个整数数组的指针?任何示例都会有所帮助。

4

3 回答 3

2

如果您不关心您的返回值是否可取消引用(并且您没有指定),以下将“返回指向 10 个整数数组的指针”:

auto function(int i) -> int(*)[10]
{
    return nullptr;
}
于 2015-06-24T00:17:16.543 回答
2

首先,您需要决定整数将存储在哪里,它们将如何“共享”,以及调用者或被调用者是否对它们的生命周期负责。

选项包括...

1)返回一个指向新动态分配的内存的指针:

auto function(int i) -> int(*)[10] {
    int* p = new int[10];
    p[0] = 1;
    p[1] = 39;
    ...
    p[9] = -3;
    return (int(*)[10])p;
}

// BTW it's usually cleaner (avoiding the ugly cast above) to handle
// arrays via a pointer (but you do lose the compile-time knowledge of
// array extent, which can be used e.g. by templates)
int* function(int i) {
    int* p = ...new and assign as above...
    return p;
}

// either way - the caller has to do the same thing...

void caller()
{
    int (*p)[10] = function();
    std::cout << p[0] + p[9] << '\n';
    delete[] p;
}

请注意,99% 的时间返回 astd::vector<int>或 astd::array<int, 10>是一个更好的主意,并且 99% 的剩余时间最好返回 a std::unique_ptr<int[]>,调用者可以将其移动到他们自己的变量中,因为delete[]数据会被销毁超出范围或 - 对于成员变量 - 包含对象的破坏。

2)返回一个指向function()-localstatic数组的指针(每次function调用都会被覆盖,这样旧的返回指针将看到更新的值,并且在多线程代码中可能存在竞争条件):

auto function(int i) -> int(*)[10]{
    static int a[10] { 1, 39, ..., -3 };
    return &a;
}

调用者以同样的方式调用它,但不能调用delete[].

于 2015-06-24T00:51:38.437 回答
0
#include <iostream>

const size_t sz = 10;

auto func(int i) -> int(*)[sz] /// returns a pointer to an array of ten ints
{
static int arr[sz];

for (size_t i = 0; i != sz; ++i)
    arr[i] = i;

return &arr;
}

int main()
{
int i = 2;
int (*p)[sz] = func(i); /// points to an array of ten ints which funct returns which is arr array

for (size_t ind = 0; ind != sz; ++ind) /// displays the values
    std::cout << (*p)[ind] << std::endl;

return 0;
}

自动函数 (int i) -> int(*)[sz]

  • 这意味着函数名 funct 有一个 int 参数,它接受
    一个 int 参数并返回一个指向 10 个 int 数组的指针,这意味着我们指向了一个 10 个 int 数组中的每个 int 元素。尾随返回类型用于轻松阅读

返回指向十个 int 数组的指针

诠释 i = 2; int (*p)[sz] = 函数(i);

  • 这意味着 (*p)[sz] 将指向一个 func 函数返回的 10 个整数数组,该数组是 arr 数组并使用循环显示值
于 2015-06-24T01:49:48.417 回答