一种接受一个命令行参数并将文件内容输出到标准输出的程序。
a program that takes one command line argument and outputs the contents of the file to standard out.
我被分配了一个程序来编写,该程序使用文件系统调用来获取命令行参数(假设您传入文本文件地址)和 return 所述文件的内容。到目前为止我有这段代码,但似乎无法弄清楚为什么我的编译器在识别作为参数传递的文本文件以及打印从文件接收到的信息方面给我错误。非常感谢任何形式的 assistance/help。
#include <stdio.h>
#include <stdlib.h>
#include <sys/stat.h>
#include <sys/types.h>
#include <fcntl.h>
int main(int argc, char *argv[]){
int FP;
ssize_t bytes;
char buffer [100];
if(argc == 1){
FP = open(argv[1], O_RDONLY);
printf("Program name is : %s", argv[0])
bytes = read(FP, buffer,sizeof(buffer) -1);
printf("%s", bytes);
close(FP);
}
return 0;
}
以下建议代码:
- 合并对问题的评论
- 实现所需的功能
- 正确检查错误
- 记录包含头文件的原因。一般来说,如果您不能说明为什么要包含一个头文件,那么就不要包含它。 (然后编译器会告诉你是否真的需要那个头文件,以及为什么
- 编译时始终启用警告,然后修复这些警告。 (对于
gcc
,至少使用:-Wall -Wextra -pedantic -Wconversion -std=gnu11
)
现在,建议的代码。
#include <stdio.h> // fopen(), perror(), fgets(), fprintf(), printf(), FILE
#include <stdlib.h> // exit(), EXIT_FAILURE
#define MAX_INPUT_LEN 100
int main(int argc, char *argv[])
{
FILE *fp;
char buffer [ MAX_INPUT_LEN ];
if(argc != 2)
{
fprintf( stderr, "USAGE: %s fileName\n", argv[0] );
exit( EXIT_FAILURE );
}
// implied else, correct number of command line parameters
printf( "Program name is : %s", argv[0] );
printf( "file to read: %s\n", argv[1] );
fp = fopen( argv[1], "r" );
if( NULL == fp )
{
perror( "fopen failed" );
exit( EXIT_FAILURE );
}
// implied else, fopen successful
while( NULL != fgets( buffer, sizeof buffer, fp ) )
{
printf( "%s", buffer );
}
fclose( fp );
return 0;
}
我被分配了一个程序来编写,该程序使用文件系统调用来获取命令行参数(假设您传入文本文件地址)和 return 所述文件的内容。到目前为止我有这段代码,但似乎无法弄清楚为什么我的编译器在识别作为参数传递的文本文件以及打印从文件接收到的信息方面给我错误。非常感谢任何形式的 assistance/help。
#include <stdio.h>
#include <stdlib.h>
#include <sys/stat.h>
#include <sys/types.h>
#include <fcntl.h>
int main(int argc, char *argv[]){
int FP;
ssize_t bytes;
char buffer [100];
if(argc == 1){
FP = open(argv[1], O_RDONLY);
printf("Program name is : %s", argv[0])
bytes = read(FP, buffer,sizeof(buffer) -1);
printf("%s", bytes);
close(FP);
}
return 0;
}
以下建议代码:
- 合并对问题的评论
- 实现所需的功能
- 正确检查错误
- 记录包含头文件的原因。一般来说,如果您不能说明为什么要包含一个头文件,那么就不要包含它。 (然后编译器会告诉你是否真的需要那个头文件,以及为什么
- 编译时始终启用警告,然后修复这些警告。 (对于
gcc
,至少使用:-Wall -Wextra -pedantic -Wconversion -std=gnu11
)
现在,建议的代码。
#include <stdio.h> // fopen(), perror(), fgets(), fprintf(), printf(), FILE
#include <stdlib.h> // exit(), EXIT_FAILURE
#define MAX_INPUT_LEN 100
int main(int argc, char *argv[])
{
FILE *fp;
char buffer [ MAX_INPUT_LEN ];
if(argc != 2)
{
fprintf( stderr, "USAGE: %s fileName\n", argv[0] );
exit( EXIT_FAILURE );
}
// implied else, correct number of command line parameters
printf( "Program name is : %s", argv[0] );
printf( "file to read: %s\n", argv[1] );
fp = fopen( argv[1], "r" );
if( NULL == fp )
{
perror( "fopen failed" );
exit( EXIT_FAILURE );
}
// implied else, fopen successful
while( NULL != fgets( buffer, sizeof buffer, fp ) )
{
printf( "%s", buffer );
}
fclose( fp );
return 0;
}