文字檔案中的算術運算

文字檔案中的算術運算

我有一個數據文件如下;

569158.650000 8.859e-02
579175.970000 8.659e-02
599177.990000 8.659e-02

我需要從第一列中提取第一行值。然後我需要將第一列除以 3600。

0 8.859e-02
2.78 8.659e-02
8.33 8.659e-02

如何使用程式碼進行上述計算?

答案1

這是awk解決該問題的單行程序:

awk '{printf "%.2f %s\n", $1/3600, $2}'

對於每一行,這只是將第一個字段除以 3600 ( $1/3600) 並將其打印為帶有兩位小數 ( ) 的浮點數,%.2f後跟空格,第二個字段 ( $2) 作為字符串 ( %s) ,最後是換行符。如果您想四捨五入到小數點後六位,只需更改%.2f%.6f

運行範例

$ cat <data
569158.650000 8.859e-02
579175.970000 8.659e-02
599177.990000 8.659e-02
$ awk '{printf "%.2f %s\n", $1/3600, $2}' <data >new_data
$ cat <new_data 
158.10 8.859e-02
160.88 8.659e-02
166.44 8.659e-02
$ awk '{printf "%.6f %s\n", $1/3600, $2}' <data
158.099625 8.859e-02
160.882214 8.659e-02
166.438331 8.659e-02

答案2

#!/bin/bash                                                                     
div=3600 #Divisor
scale=2  #Scale for output. Number of digits after decimal point.
while read -r line #Read file into variable line, line by line.
do
    firstnum=$(echo $line | cut -d " " -f 1) #Pick the first number field
    secondnum=$(echo $line | cut -d " " -f 2) #Pick the second number field
    firstnum=$(echo "scale=${scale}; ${firstnum}/${div}" | bc -l) #Divide by $div with $scale places after decimal point.
    echo "${firstnum} ${secondnum}" >> output #Output first and second column, seperated by space,to file named output.
done < input #input is name of input file.

該腳本從以您所說的格式命名的文件中讀取input,並輸出到名為output.

首先,它將該行分成兩個字段,然後將第一個字段除以 3600,並列印兩位小數,然後將新數字和該行中的第二個數字列印到名為 output 的檔案中。

它不進行錯誤檢查。如果遇到錯誤,YMMV。

相關內容