windows 如何在vs代码中添加mingw编译器来运行c prog

w80xi6nr  于 2023-11-21  发布在  Windows
关注(0)|答案(1)|浏览(206)

我得到错误说明启动程序不存在
我安装了c编译器mingw,这是需要为windows仍然面临错误,而编译。我怎么能运行c程序?我已经安装了所有的扩展相关的c,c扩展,事实上我也安装了代码运行器。早些时候,它显示了一个运行按钮在顶部,但现在它不显示,而不是它显示配置添加。

tyu7yeag

tyu7yeag1#

你不需要一个代码运行器,你可以配置VSCode让你运行代码,也可以用一种更好的方式调试它。

检查GCC

进入终端并输入gcc --version
如果你得到这样的东西:

  1. gcc (Rev1, Built by MSYS2 project) 13.2.0
  2. Copyright (C) 2023 Free Software Foundation, Inc.
  3. This is free software; see the source for copying conditions. There is NO
  4. warranty; not even for MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE.

字符串
这意味着GCC已经安装,并且应该可以通过VSCode找到。

tasks.json

您必须给予正确的路径到tasks.json来执行构建和运行。

  1. {
  2. "version": "2.0.0",
  3. "tasks" :
  4. [
  5. {
  6. "label" : "build release",
  7. "type" : "shell",
  8. "command": "gcc main.c -O2 -o ${workspaceFolderBasename}.exe"
  9. },
  10. {
  11. "label" : "build debug",
  12. "type" : "shell",
  13. "command": "gcc main.c -g3 -o ${workspaceFolderBasename}.exe"
  14. },
  15. {
  16. "label" : "run_executable",
  17. "type" : "shell",
  18. "command": "./${workspaceFolderBasename}.exe"
  19. }
  20. ]
  21. }


这假设你想要的可执行文件名与你的文件夹名相同。例如,如果文件夹名是my_c_project,那么可执行文件将变成my_c_project.exe。当然,你可以给予自定义名称,替换${workspaceFolderBasename}
要运行它或调试它,你需要GDB。要检查它,在终端中使用gdb --version,它应该给你给予这样的输出。

  1. GNU gdb (GDB) 13.2
  2. Copyright (C) 2023 Free Software Foundation, Inc.
  3. License GPLv3+: GNU GPL version 3 or later <http://gnu.org/licenses/gpl.html>
  4. This is free software: you are free to change and redistribute it.
  5. There is NO WARRANTY, to the extent permitted by law.


你还得配置发射配置。

launch.json

这里有一个例子

  1. {
  2. "configurations": [
  3. {
  4. "name" : "Debug Config",
  5. "type" : "cppdbg",
  6. "request" : "launch",
  7. "program" : "${workspaceRoot}/${workspaceFolderBasename}.exe",
  8. "args" : [],
  9. "preLaunchTask" : "build debug",
  10. "stopAtEntry" : true,
  11. "cwd" : "${workspaceRoot}",
  12. "environment" : [],
  13. "externalConsole": false,
  14. "MIMode" : "gdb",
  15. }
  16. ]
  17. }


其中第一个重要的部分是program参数,它应该指向构建后创建的程序。您可以看到build debugbuild release任务都在基本文件夹中创建可执行文件,(与main.c放置的位置相同)。因此launch.jsonprogram属性也指向同一个可执行文件。
第二个重要的位是preLaunchTask参数,它告诉调试器在开始调试之前执行一个任务。它被设置为build debug任务,所以每次调试时,它都会重新构建,让你使用最新的代码。
一旦你设置好了这些,只需转到调试选项卡,点击右上角的绿色调试符号。
x1c 0d1x的数据
它就会开始调试。维奥拉!

展开查看全部

相关问题