C++ | main function error | beginners [duplicate]

2019-03-02 06:51发布

This question already has an answer here:

I'm totally new with c++ and I'm using eclipse.

but... I don't know why I get this error at the main function:

ERROR: ::main must return int

My code is:

void main()
{
char a;
while (a!='q')
{
    string ln = "enter option: ";
    cout<< ln;

    switch(a)
    {
    case 1:
        if (a=='1')
            func1();
        break;
    case 2:
        if (a=='2')
            break;
        break;
    }
}
}

标签: c++ main
4条回答
该账号已被封号
2楼-- · 2019-03-02 06:51

The return type should be int:

int main (void)

int main (int argc, char *argv[])

查看更多
再贱就再见
3楼-- · 2019-03-02 07:08
char a;
while (a!='q')

You are comparing an uninitialized variable with the letter q. Reading from an uninitialized variable invokes undefined behavior. If you're unlucky, a!='q' might be false. Change char a; to char a = 0; (or any other non-q value) or replace the while loop with a do-while loop.

查看更多
淡お忘
4楼-- · 2019-03-02 07:09

You have to change your void main() to int main().

You can't have a main function without any return in C++.

查看更多
看我几分像从前
5楼-- · 2019-03-02 07:17

Because in C++, the main function must have a return type of int.

Your version with a return type of void is incorrect and is being correctly rejected by your compiler.

Just change the declaration from

void main()

to

int main()

There is an alternative form that allows you to process arguments passed on the command line to your program. It looks like this:

int main (int argc, char *argv[])

but when you're just learning C++ and trying to print "hello world" on the screen, this is probably not something you need to worry about. You'll get there eventually.

And consider updating the book you're using to learn C++, too. If it's getting the function signature of the entry point wrong, what other more complicated things might it also be getting wrong?! No point in learning the language wrong the first time around. A list of suggested books is available here.

查看更多
登录 后发表回答