C ++ std:字符串编译错误

时间:2014-01-08 16:09:14

标签: c++

我的cocos2d C ++应用程序中有以下代码,但代码未编译:

  std::string MyBasketTimer::getImageByType(MyBasket* basket) {
        std::string retVal=NULL;
        if(getBasketType()==1){
            retVal= new std::string("count_bg.png");
        }
        else if(getBasketType()==2){
            retVal= new std::string("count_bg.png");
        }

        return retVal;
    }

错误是获取

invalid conversion from 'std::string* {aka std::basic_string<char>*}' to 'char' [-fpermissive]

我做错了什么?

5 个答案:

答案 0 :(得分:4)

您的返回类型为std::string,但您尝试为其指定std::string指针:

retVal= new std::string("count_bg.png");

您需要将std::string分配给retVal

retVal = std::string("count_bg.png");

或使用字符串文字的隐式转换:

retVal = "count_bg.png";

此外,这个

std::string retVal=NULL;

很可能会导致运行时错误:您无法使用空指针实例化字符串。这将调用带有std::string的{​​{1}}构造函数,并假定它指向以null结尾的字符串。

答案 1 :(得分:3)

作业std::string retVal = NULL;无效。只需使用std::string retVal;

默认构建它

同时删除new关键字,因为它们在堆上创建对象并返回指向它们的指针。例如,您需要retVal = std::string("count_bg.png");(这是C ++和Java之间的一个重要区别)。

答案 2 :(得分:3)

在C ++中(与其他语言不同),您不需要使用new分配所有类变量。只需指定它。

retVal= "count_bg.png";

答案 3 :(得分:3)

std::string retVal不是指针。您无法使用NULL(应该是nullptr ...)初始化它,也不能通过new分配内存分配的结果。

只是不要初始化它,然后直接分配字符串。

std::string retVal;
//...
retVal = "count_bg.png"
//...
return retVal;

答案 4 :(得分:-2)

如果函数的返回类型为std::string *,则代码将是正确的。例如

  std::string * MyBasketTimer::getImageByType(MyBasket* basket) {
        std::string *retVal=NULL;
        if(getBasketType()==1){
            retVal= new std::string("count_bg.png");
        }
        else if(getBasketType()==2){
            retVal= new std::string("count_bg.png");
        }

        return retVal;
    }

但是,您声明函数的方式是返回类型std::string。因此,有效的函数实现将采用以下方式

  std::string MyBasketTimer::getImageByType(MyBasket* basket) {
        std::string retVal;
        if(getBasketType()==1){
            retVal.assign("count_bg.png");
        }
        else if(getBasketType()==2){
            retVal.assign("count_bg.png");
        }

        return retVal;
    }