In my code, I want to set pointers to OpenBLAS subroutines, to compile the code either in single or double precisions.
To do so, I define two modules and I define function interfaces for single(sgemv) or double precision(dgemv) OpenBLAS function:
module DoublePrecision
implicit none
integer, parameter :: precision = selected_real_kind(15, 307)
external dgemv
abstract interface
subroutine gemv(trans, m, n, alpha, a, lda, x, incx, beta, y, incy)
import :: precision
character :: trans
integer(4), value :: m, n, lda, incx, incy
real(precision), value :: alpha, beta
real(precision), dimension(lda, *), intent(in) :: a
real(precision), dimension(*), intent(in) :: x
real(precision), dimension(*), intent(inout) :: y
end subroutine gemv
end interface
procedure(gemv), pointer :: MatrixVectorMultiplication => null()
end module DoublePrecision
and
module SinglePrecision
implicit none
integer, parameter :: precision = selected_real_kind(6, 37)
external sgemv
abstract interface
subroutine gemv(trans, m, n, alpha, a, lda, x, incx, beta, y, incy)
import :: precision
character :: trans
integer(4), value :: m, n, lda, incx, incy
real(precision), value :: alpha, beta
real(precision), dimension(lda, *), intent(in) :: a
real(precision), dimension(*), intent(in) :: x
real(precision), dimension(*), intent(inout) :: y
end subroutine gemv
end interface
procedure(gemv), pointer :: MatrixVectorMultiplication => null()
end module SinglePrecision
In the main program, I take a flag in the compile command, and I use the appropriate module:
program test_MatrixMultiplication
#ifdef single
use SinglePrecision
MatrixVectorMultiplication => sgemv
#else
use DoublePrecision
MatrixVectorMultiplication => dgemv
#endif
end program test_MatrixMultiplication
To compile, I use the following command:
! for single precision
gfortran -Dsingle -cpp -L/usr/local/opt/openblas/lib/ -I/usr/local/opt/openblas/include/ -lopenblas -ffree-line-length-1024 SingleDoublePrecisionMatrixMultiplication.f90
! or for double precision
gfortran -Ddouble -cpp -L/usr/local/opt/openblas/lib/ -I/usr/local/opt/openblas/include/ -lopenblas -ffree-line-length-1024 SingleDoublePrecisionMatrixMultiplication.f90
I suppose that now I can use MatrixVectorMultiplication in my code, and the MatrixVectorMultiplication in the later development becomes independent of its dependecy to either sgemv, or dgemv.
But the compiler raise the following error:
Error: Explicit interface required for ‘sgemv’ at (1): value argument
I would appreciate anyone who can help me to find a solution to this problem.
As noted in the comments
value
. The blas interfaces are designed to be Fortran 77 callable, and thus do not use valueHere is how I would do it. If you look carefully at the two versions of the code you will see is all that has changed is setting the working precision kind
wp
to single (sp
) or double (dp
)