在这个问题中:Fortran Functions with a pointer result in a normal assignment,指出不推荐使用返回指针的函数。
我的问题涉及用户定义类型的构造函数。考虑下面的代码:
program PointTest
use PointMod, only: PointType
implicit none
class(PointType), allocatable :: TypeObject
TypeObject = PointType(10)
end program PointTest
module PointMod
implicit none
type PointType
real(8), dimension(:), allocatable :: array
contains
final :: Finalizer
end type PointType
interface PointType
procedure NewPointType
end interface PointType
contains
function NewPointType(n) result(TypePointer)
implicit none
integer, intent(in) :: n
type(PointType), pointer :: TypePointer
allocate(TypePointer)
allocate(TypePointer%array(n))
end function NewPointType
subroutine Finalizer(this)
implicit none
type(PointType) :: this
print *, 'Finalizer called'
end subroutine Finalizer
end module PointMod
在代码中,我定义了一个带有构造函数的类型,该构造函数分配对象,然后在对象中分配一个数组。然后它返回一个指向该对象的指针。
如果构造函数只返回对象,则对象和数组将被复制然后释放(至少使用标准兼容编译器)。这可能会导致开销并扰乱我们的内存跟踪。
使用 ifort 编译上面的代码不会使用 -warn all 发出警告(终结器中未使用的变量除外),并且代码的行为方式符合我的预期。它也适用于 gfortran,除了我在使用 -Wall 时收到警告
TypeObject = PointType(10)
1
Warning: POINTER-valued function appears on right-hand side of assignment at (1) [-Wsurprising]
使用这样的构造函数有什么风险?据我所知,不会有悬空指针,我们将对何时分配对象有更多控制权。可以达到相同结果的一种解决方法是显式分配对象并将构造函数转换为设置变量并分配数组的子例程,但它看起来不那么优雅。还有其他解决方案吗?我们的代码采用 Fortran 2008 标准。