将 2 行 3 列的矩阵数组写入 Fortran 95 中的输出文本文件

Writing a Matrix Array of 2 Rows by 3 Columns, To an Output Text File in Fortran 95

我目前正在学习如何编写矩阵数组以在 Fortran 95 中输出文本文件。我面临的问题是,我正在处理的 2 行 3 列矩阵数组未格式化输出文本文件中我想要的。我相信,我缺少一两行代码,或者未能将一些代码添加到我当前的代码行中。以下是我的代码行、当前输出数据和所需输出数据。目标是获得 "Desired Output Data"。请告诉我我的错误,我缺少什么 codes/line(s) 代码以及我应该在哪里添加 codes/line(s) 代码。欢迎和赞赏每一个答案。谢谢 Stackovites。

代码行数:

Program Format2
!illustrates formatting Your Output
Implicit None
Integer:: B(2,3)
Integer:: k,j
!Open Output Text File at Machine 8
Open(8,file="formatoutput2.txt")
Data B/1,3,5,2,4,6/
Do k= 1,2
  B(2,3)= k
!Write to File at Machine 8 and show the formatting in Label 11
Write(8,11) B(2,3)
11 format(3i3)
    End Do
  Do j= 3,6
    B(2,3)= j
!Write to File at Machine 8 and show the formatting in Label 12
Write(8,12) B(2,3)
12 format(3i3)
End Do
End Program Format2

当前输出数据

  1
  2                                        
  3                                      
  4                                         
  5
  6

所需的输出数据

1  3  5
2  4  6

B(2,3) 仅引用数组的一个特定元素。即在第一个维度中索引为 2,在另一个维度中索引为 3 的元素。要引用不同的元素,请使用 B(i,j),其中 ij 是具有所需索引的整数。要引用整个数组,只需使用 BB(:,:) 作为包含整个数组的数组部分。

因此要设置值

do j = 1, 3
  do i = 1, 2
    B(i,j) = i + (j-1) * 2
  end do
end do

并在本网站

上使用无数次重复显示的方法之一打印它们( Write matrix with Fortran Output as a matrix in fortran -- 搜索更多,会有更好的...)
do i = 1, 2
   write(8,'(999i3)') B(i,:)
end do

我看到了我的错误。我给 Fortran 编译器的指令是我在我的输出文本文件中得到的结果。我正在声明两行 (1,2) 和 (3,4,5,6);而不是声明 (1,2) 的三三列; (3,4) 和 (5,6)。以下是获取所需输出数据的正确代码行。

Lines of Codes:

Program Format2

!illustrates formatting Your Output

Implicit None

Integer:: B(2,3)

Integer:: k,j

!Open Output Text File at Machine 8

Open(8,file="formatoutput2.txt")

Data B/1,2,3,4,5,6/

!(a)Declare The 1st Two-2 Values You want for k Two-2 Rows, that is (1 and 2)

!(b)Note, doing (a), automatically declares the values in Column 1, that is (1 and 2)

Do k= 1,2

  B(2,3)= k

    End Do

!(c)Next, Declare, the Four Values You want in Column 2 and Column 3. That is [3,4,5,6]

!(d) Based on (c), We want 3 and 4 in "Column 2"; while "Column 3", gets 5 and 6.

Do j= 3,6

 B(2,3)= j

 End Do

!Write to File at Machine 8 and show the formatting in Label 13

Write(8,13) ((B(k,j),j= 1,3),k= 1,2)

13 format(3i3)

End Program Format2

The Above Lines of Codes, gives the Desired Output below:

1   3   5

2   4   6