vscode配置c/c++环境

在Visual Studio Code(VSCode)中配置C/C++开发环境通常包括以下几个步骤:

  1. 安装VSCode
  • 访问VSCode官方网站并下载适合您操作系统的版本进行安装。
  1. 安装C/C++插件
  • 打开VSCode,点击右下角的“扩展”图标,搜索并安装C/C++插件。
  1. 配置编译器
  • 下载并安装MinGW或MinGW-w64编译器。

  • 将编译器安装路径下的bin目录添加到系统的PATH环境变量中。

  1. 配置VSCode设置
  • 打开VSCode设置(Ctrl + ,Cmd + ,),搜索C_Cpp_Properties.json,配置编译器路径、包含路径和宏定义。
  1. 配置构建任务
  • Tasks菜单中选择Configure Tasks或创建一个新的tasks.json文件,定义编译和运行任务。
  1. 测试配置
  • 创建一个简单的C/C++程序文件,尝试编译和运行,确保配置正确。

以下是一个简化的配置示例:

c_cpp_properties.json

{
    "configurations": [
        {
            "name": "Win32",
            "includePath": [
                "${workspaceFolder}/**"
            ],
            "defines": [
                "_DEBUG",
                "UNICODE",
                "_UNICODE"
            ],
            "windowsSdkVersion": "10.0.18362.0",
            "compilerPath": "C:/MinGW/bin/gcc.exe",
            "cStandard": "c11",
            "cppStandard": "c++17",
            "intelliSenseMode": "gcc-x64"
        }
    ],
    "version": 4
}

tasks.json

{
    "version": "2.0.0",
    "tasks": [
        {
            "type": "shell",
            "label": "build",
            "command": "g++",
            "args": [
                "-g",
                "${file}",
                "-o",
                "${fileDirname}/${fileBasenameNoExtension}.exe"
            ],
            "group": {
                "kind": "build",
                "isDefault": true
            },
            "problemMatcher": [
                "$gcc"
            ]
        }
    ]
}

launch.json

{
    "version": "0.2.0",
    "configurations": [
        {
            "name": "(Win32) Launch",
            "type": "cppdbg",
            "request": "launch",
            "program": "${fileDirname}/${fileBasenameNoExtension}.exe",
            "args": [],
            "stopAtEntry": false,
            "cwd": "${workspaceFolder}",
            "environment": [],
            "externalConsole": true,
            "MIMode": "gdb",
            "setupCommands": [
                {
                    "description": "Enable pretty-printing for gdb",
                    "text": "-enable-pretty-printing",
                    "ignoreFailures": true
                }
            ],
            "preLaunchTask": "build"
        }
    ]
}

请根据您的实际情况调整路径和配置。完成上述步骤后,您应该能够在VSCode中顺利编译和运行C/C++程序。

Top