이것은 fahr_kel이라는 형식화된 C 프로그램입니다.
#include <stdio.h>
#include <stdlib.h>
#include <iostream>
#include <string>
#include <vector>
int main( int argc, char *argv[] )
{
if (argc < 3)
{
std::cerr << "Usage:" << argv[0] << " arg1 arg2 \n"
<< "arg1 is the conversion type (1 or 2) \n "
<< "arg 2 is the temp to be converted" << std::endl;
return 1;
}
// Assign the variables used in this program
int temp, conv_temp, conv_type;
// assign the input options to variables
conv_type=atoi(argv[1]);
temp=atoi(argv[2]);
// convert the temps..
// if the input number is 1, convert from Kelvin to Fahrenheit
// if the input number is anything else, convert from Fahrenheit to Kelvin
if (conv_type == 1)
conv_temp = (((temp - 273) * 1.8) + 32);
else
conv_temp = (((( temp - 32 ) * 5 ) / 9 ) + 273 );
// print the data
printf (" %3.1i %3.1i\n",temp,conv_temp);
// end of main function
return 0;
}
Bash 스크립트의 사용자 입력을 기반으로 이 프로그램을 작동해야 합니다.
이것은 project3.data라는 C 프로그램을 통해 전달해야 하는 데이터 파일입니다.
0
32
100
212
108
1243
3000
85
22
2388
235
이것은 내가 시작한 project3.bash라는 스크립트입니다.
#!/bin/bash
echo -n "Convert from kelvin to fahrenheit(1) or fahreinheit to kelvin(2)"
read choice
/home/username/project3/fahr_kel [ choice project3.data ]
스크립트 출력의 첫 번째 줄만 얻습니다. 0과 256
출력은 다음과 같아야 합니다.
---------------------- -----------------------
Fahrenheit Temperature Kelvin Temperature
--------------------- -----------------------
0 256
--------------------- -----------------------
32 273
---------------------- -----------------------
100 310
---------------------- -----------------------
212 373
---------------------- -----------------------
108 315
---------------------- -----------------------
1243 945
---------------------- -----------------------
3000 1921
---------------------- -----------------------
85 302
---------------------- -----------------------
22 268
---------------------- -----------------------
2388 1581
---------------------- -----------------------
235 385
---------------------- -----------------------
답변1
C++ 프로그램은 필요에 따라 온도를 변환하고 온도 값을 두 번째 입력 매개변수로 예상합니다. 그러나 bash 스크립트는 온도를 입력 매개변수로 전달하지 않습니다. 대신 다음을 사용하여 C++ 프로그램을 호출합니다.입력 매개변수로서의 데이터 파일 이름. 이는 바람직하지 않습니다. 입력 값 자체를 인수로 사용하여 C++ 프로그램을 호출해야 합니다. 즉, 다음과 같이 bash 스크립트를 수정해야 합니다.
Bash 스크립트에서 필요한 수정 사항은 각 데이터 행에 대해 c 함수를 한 번 호출하고 필요한 형식을 추가하는 것입니다. 아래에 보여드리겠습니다.
#!/bin/bash
inputFile="project3.data"
echo -n "Convert from kelvin to fahrenheit(1) or fahreinheit to kelvin(2)"
read choice
# run the following per input data line
#./fahr_kel [ choice project3.data ]
cmd="./fahr_kel $choice "
# print header
linePrint="------------------ ----------------"
echo $linePrint
echo "Fahrenheit Temperature Kelvin Temperature"
echo $linePrint
while read inputVal
do
$cmd $inputVal
echo $linePrint
done < "$inputFile"
echo $linePrint
또 다른 접근 방식은 온도 입력 대신 파일 입력을 기대하도록 C++ 프로그램을 변경하는 것입니다.