在Fortran程序中,有几种方法可以停止程序的执行:
使用STOP语句
在程序中插入`STOP`语句可以立即停止程序的执行。例如:
```fortran
program stop_example
implicit none
integer :: i
do i = 1 , 20
if ( i == 5 ) then
stop
end if
print *, i
end do
end program stop_example
```
当程序运行到`i == 5`时,会执行`STOP`语句,程序将终止。
使用PAUSE语句
虽然`PAUSE`语句不是Fortran标准的一部分,但某些编译器(如Visual Fortran)支持它。你可以在代码中添加`PAUSE`语句来暂停程序的执行,直到用户输入某个命令。例如:
```fortran
program pause_example
implicit none
print *, "Press ENTER to continue..."
pause
print *, "Continuing..."
end program pause_example
```
运行程序后,用户需要按`ENTER`键才能继续执行。
使用条件语句和文件存在检查
你可以通过检查某个文件是否存在来控制程序的暂停和继续。例如:
```fortran
program file_check_example
implicit none
logical :: bExist = .FALSE.
do
inquire(file="a.txt", exist=bExist)
if (bExist) then
exit
end if
print *, "Waiting for file..."
pause
end do
print *, "File exists, continuing..."
end program file_check_example
```
程序会不断检查文件`a.txt`是否存在,如果不存在则暂停,直到文件出现为止。
使用调试器和断点
你可以使用调试器(如GDB或Visual Studio)来设置断点,当程序执行到断点时会停止。例如,在GDB中,你可以使用以下命令:
```sh
(gdb) break main
(gdb) run
(gdb) continue
```
这将在`main`函数处设置一个断点,然后运行程序,当程序执行到断点时会暂停,你可以使用`next`或`step`命令来逐步执行代码。
使用 abort() 子例程
你可以通过调用C互操作性子例程`abort()`来停止程序。例如:
```fortran
interface
subroutine abort() bind(C, name="abort")
end subroutine
end interface
program abort_example
implicit none
call abort()
print *, "Program aborted."
end program abort_example
```
使用`-traceback -g`编译器选项时,调用`abort()`会打印回溯信息。
选择哪种方法取决于你的具体需求和使用的编译器。`STOP`语句是最简单直接的方法,而使用调试器和断点则提供了更灵活的调试功能。