我已经创建了一个指向函数的指针数组,我想知道是否有可能动态创建指针数组,如下所示我想动态更改当前为2的数组长度。
#include <iostream>
using std::cout;
using std::cin;
using std::endl;
void func1(int);
void func2(int);
int main()
{
void (*func[2])(int) = { &func1, &func2 };
func[0](10);
func[1](20);
cin.ignore();
return 0;
}
void func1(int n)
{
cout << "In func1()\n\tThe value is: " << n << endl;
}
void func2(int n)
{
cout << "In func2()\n\tThe value is: " << n << endl;
}
答案 0 :(得分:3)
为函数类型创建一个typedef:
typedef void (*FunctionType)(int);
然后制作一个普通的动态数组:
FunctionType* func = new FunctionType[2];
然后你可以分配:
func[0] = &func1;
并致电:
func[0](1);
答案 1 :(得分:1)
动态更改数组大小的唯一方法是删除指针,并使用适当的大小重新创建它。
//Placeholder
using Function = void(*)(int);
//We have 2 functions
Function* func = new Function[2];
//Assigning...
func[0] = &func1;
func[1] = &func2;
//Doing stuff...
//Oh no! We need a third function!
Function* newfunc = new Function[3]; //Create new array
newfunc[0] = func[0];
newfunc[1] = func[1]; //Better use a loop
newfunc[2] = &func3;
//Delete old array
delete func;
//Reassign to new array
func = newfunc;
//Now 'func' changed size :)
您可以使用std::vector
:
//Placeholder
using Function = void(*)(int);
//Create std::vector
std::vector<Function> func{ &func1, &func2 }; //Default initialize with 'func1' and 'func2'
//Do stuff....
//Oh no! We need a third function
func.emplace_back(&func3);
//Now 'func' has 3 functions
答案 2 :(得分:0)
希望以下代码可以帮助您:
#include "stdafx.h"
#include <vector>
#include <iostream>
using namespace std;
void func1(int);
void func2(int);
int main()
{
std::vector<void(*)(int)> funcPointers;
funcPointers.push_back(&func1);
funcPointers.push_back(&func2);
funcPointers[0](10);
funcPointers[1](20);
cin.ignore();
return 0;
}