VS2012-为什么主文件中的函数在_tmain中不可见

VS2012 - Why is a function in the main file not visible in _tmain?

本文关键字:tmain 函数 为什么 主文件 VS2012-      更新时间:2023-10-16

我对C++还很陌生,我从终端应用程序开始

#include "stdafx.h"
#include <iostream>
using namespace std;
int _tmain(int argc, _TCHAR* argv[])
{
    if ( argc < 1 )
    {
        printHelp();
        return 1;
    }
    return 0;
}
void printHelp()
{
    cout << "Usage:";
    cout << "vmftomap [filename]";
}

但是,我在_tmain中得到错误"找不到'printHelp'标识符"。由于函数是直接在main下声明的,我假设这是一个命名空间问题?我已经阅读了名称空间,但我不知道在这种情况下会应用什么,因为我实际上还没有为printHelp()明确定义名称空间。

在调用函数之前,必须声明函数。不需要定义,但编译器至少必须在解析函数调用时知道它的存在,这意味着它必须在处理翻译单元(即.cpp文件)时满足其声明:

#include "stdafx.h"
#include <iostream>
using namespace std;
// Declaration
void printHelp();
int _tmain(int argc, _TCHAR* argv[])
{
    if ( argc < 1 )
    {
        printHelp();
        return 1;
    }
    return 0;
}
// Definition
void printHelp()
{
    cout << "Usage:";
    cout << "vmftomap [filename]";
}

当然,您可以直接在main()之前定义printHelp()函数,从而使其在进行函数调用时对编译器可见:

#include "stdafx.h"
#include <iostream>
using namespace std;
// Definition
void printHelp()
{
    cout << "Usage:";
    cout << "vmftomap [filename]";
}
int _tmain(int argc, _TCHAR* argv[])
{
    if ( argc < 1 )
    {
        printHelp();
        return 1;
    }
    return 0;
}

在C++中,文件从上到下进行解析。除了少数例外,标识符在使用之前必须声明。这意味着您必须将printHelp()的定义移动到_tmain()之前,或者在_tmain():之上添加正向声明

void printHelp();

函数在使用前必须定义。

将printHelp移到_tmain上方。

当您在c++中调用函数时,在调用之前,您必须:

  • 有一个函数的原型
  • 具有整个函数的定义

就你而言,两者都没有。