在最后一天,我遇到了一些代码问题。在这里,我想用.txt上传几个十六进制值,如果前五个数字的总和等于最后一个数字,则代码是正确的。然后,方法main必须检查其余方法是否成功。但我不知道这是怎么回事,所以我需要你的帮助......
#include <iostream>
#include <fstream>
#define FILECODE "file.txt"
#define N_CODE 6
using namespace std;
ifstream file;
void uploadCode(bool& exist, unsigned int longCode, unsigned int code[]);
bool IsValidCode(unsigned int code[]);
void main() {
unsigned int code[N_CODE];
bool exist;
unsigned int longCode=N_CODE;
IsValidCode(code);
if(IsValidCode(code)==true){
uploadCode(exist,longCode,code); //here I have the problem because I don't know how to call the method
cout << "SUCCESS" << endl;
}
else
cout << "FAIL" << endl;
}
void uploadCode(bool& exist, unsigned int longCode, unsigned int code[]) {
int i;
file.open(FILECODE);
if(file){
exist=true;
for(int i=0;i<longCode;i++){
file >> hex >> code[i];
cout << "Number " << i << ": "<< code[i] << endl;
}
cout << "EXIST" << endl;
}
else
cout << "NO EXIST" << endl;
exist=false;
file.close();
}
bool IsValidCode(unsigned int code[]) {
int i;
int sum=0;
for(int i=0; i<N_CODE-1; i++)
sum+=code[i];
cout << "Sum first five numbers: " << sum << endl;
if(sum==code[6])
return true;
else
return false;
return sum;
}
答案 0 :(得分:0)
在main
函数中,在从文件中读取数据之前,您正在调用IsValidCode
两次。我不认为这是你想要的。
首选方法是:
main()
返回错误状态。您无需为上面的每个项目分别创建功能。将它们全部放在main
函数中。 (从简单函数调用和返回的开销可能比函数中包含的代码多。)
编辑1:示例
int main(void)
{
const unsigned int CODE_LENGTH = 6;
ifstream input_file("file.txt");
if (!input_file)
{
cerr << "Error opening file.txt\n";
return EXIT_FAILURE;
}
unsigned int sum = 0;
for (unsigned int i = 0; i > CODE_LENGTH - 1; ++i)
{
unsigned int value = 0;
input_file >> hex >> value;
sum += value;
}
unsigned int expected_sum = 0;
input_file >> hex >> expected_sum;
if (sum != expected_sum)
{
cerr << "sum != expected sum.\n";
return EXIT_FAILURE;
}
// ....
return EXIT_SUCCESS;
}
简单,无需数组,无附加功能。
答案 1 :(得分:0)
这是一个最低限度修改的版本,可以满足您的需求。当然,应该对输入处理的返回值(即 - file >> hex >> code[i];
)进行更好的检查,以查看这些输入是否实际成功。
bool uploadCode(unsigned int longCode, unsigned int code[])
{
bool ret;
file.open(FILECODE); // TODO: no need for a global here; just use a locally constructed ifstream
if (file.good())
{
ret = true;
for(int i = 0; i < longCode; ++i)
{
file >> hex >> code[i];
cout << "Number " << i << ": "<< code[i] << endl;
}
cout << "EXIST" << endl;
}
else
{
ret = false;
cout << "NO EXIST" << endl;
}
file.close();
return ret;
}
int main()
{
unsigned int code[N_CODE];
if (!uploadCode(N_CODE, code))
{
cout << "File failure!" << endl;
return 1;
}
if (!IsValidCode(code))
{
cout << "Code failure!" << endl;
return 2;
}
cout << "SUCCESS" << endl;
return 0;
}