将函数作为参数CPP传递

时间:2013-11-03 23:21:34

标签: c++ function class arguments

我试图在我的主程序中调用一个以函数作为参数的类函数,并将该函数应用于私有列表。我收到错误invalid conversion from char to char (*f)(char)。希望我只是不明白如何将函数作为参数传递。以下是我的主cpp文件中的函数

char ToUpper(char c)
{
char b='A';
for(char a='a';a<='z';a++)
{
   if(a==c)
  {
     c=b;
     break;
  }
  ++b;
}
return c;
}

void upperList(LineEditor line)
{
char c;
for(int i=0;i<100;i++)   //ensure iterator is at beginning of line
  line.left();           

for(int i=0;i<100;i++)
{
  c=line.at();               //assign character current element pointed to by iterator
  line.apply(ToUpper(c));    //problem: trying to apply ToUpper function to char c
  line.right();              //apply function and increment iterator
}
}

这是应用成员函数

void LineEditor::apply(char (*f)(char c))
{
*it=f(c);
}

另外,如果不是很明显,我尝试使用cctypes toupper和tolower,但它们会获取并返回整数。

4 个答案:

答案 0 :(得分:2)

当你调用ToUpper时,它不返回该函数,它以大写形式返回(假定的)字符。

这不起作用的另一个原因是因为您无法在函数指针的签名内创建参数。参数的区域仅指定函数所采用的类型。此...

char (*f)(char c);
//        ^^^^^^
因此,

是错误的。

解决方案:

std::functionstd::bind用于参数:

#include <functional>

line.apply(std::bind(ToUpper, c));

需要将apply的签名更改为:

void LineEditor::apply(std::function<char (char)> f);

如果你不能这样做,你可以让apply取第二个参数作为参数:

void LineEditor::apply(char (*f)(char), char c);

并将其称为apply(ToUpper, c)

答案 1 :(得分:0)

表达式ToUpper(c)会调用该函数,但在调用apply时您不想立即调用该函数,因此您需要说apply(ToUpper),因为ToUpper是访问函数本身的方法。

答案 2 :(得分:0)

表达式ToUpper(c)的类型是char。所以请致电

line.apply(ToUpper(c));

表示使用char类型的参数调用函数apply。

您应该将该功能定义为

void LineEditor::apply( char c, char f(char) )
{
*it=f(c);
}

答案 3 :(得分:0)

您无需重新发明轮子。 ::toupper::tolower获取并返回int,但其有效范围是unsigned char。此外,std::toupperstd::tolower都会char

由于您似乎没有使用std::string,我会尝试尽可能接近您的代码:

void upperList(LineEditor line)
{
    char c;
    // you do not have a begin() function??
    for(int i=0;i<100;i++)   //ensure iterator is at beginning of line
        line.left();           

    for(int i=0;i<100;i++)
    {
        c=line.at();
        c = std::toupper(c);
        line.at() = c; // assuming this returns a reference
        line.right(); 
    }
}

如果将字符串类修改为更像std::string类,则会变得更加容易:

std::string line;
std::transform(line.begin(), line.end(), line.begin(), std::ptr_fun<int, int>(std::toupper));

Example