我最近遇到了我的cpp代码问题。我不是cpp开发人员,这个问题似乎有点令人困惑。代码是流程。
#include <stdio.h>
#include <stdlib.h>
#include <stdint.h>
#include <float.h>
#include <math.h>
#include <iostream>
#include "libarff/arff_parser.h"
#include "libarff/arff_data.h"
using namespace std;
int second_loop(int i, ArffData* dataset, float smallestDistance){
int smallestDistanceClass;
for(int j = 0; j < dataset->num_instances(); j++) // target each other instance
{
if(i == j)
continue;
float distance = third_loop(i, j, dataset);
distance = sqrt(distance);
if(distance < smallestDistance) // select the closest one
{
smallestDistance = distance;
smallestDistanceClass = dataset->get_instance(j)->get(dataset->num_attributes() - 1)->operator int32();
}
}
return smallestDistanceClass;
}
float third_loop(int i, int j, ArffData* dataset){
float distance = 0;
for(int k = 0; k < dataset->num_attributes() - 1; k++) // compute the distance between the two instances
{
float diff = dataset->get_instance(i)->get(k)->operator float() - dataset->get_instance(j)->get(k)->operator float();
distance += diff * diff;
}
return distance;
}
int* KNN(ArffData* dataset)
{
int* predictions = (int*)malloc(dataset->num_instances() * sizeof(int));
for(int i = 0; i < dataset->num_instances(); i++) // for each instance in the dataset
{
float smallestDistance = FLT_MAX;
int smallestDistanceClass = second_loop(i, dataset, smallestDistance);
predictions[i] = smallestDistanceClass;
}
return predictions;
}
int main(int argc, char *argv[])
{
if(argc != 2)
{
cout << "Usage: ./main datasets/datasetFile.arff" << endl;
exit(0);
}
ArffParser parser(argv[1]);
ArffData *dataset = parser.parse();
struct timespec start, end;
clock_gettime(CLOCK_MONOTONIC_RAW, &start);
int* predictions = KNN(dataset);
}
抛出错误如下。
main_new.cpp: In function ‘int second_loop(int, ArffData*, float)’:
main_new.cpp:21:54: error: ‘third_loop’ was not declared in this scope
float distance = third_loop(i, j, dataset);
^
任何人都可以帮我解决这个错误。第三个循环语法似乎是正确的,但仍会出现此错误。
答案 0 :(得分:1)
第三次循环有问题。在second_loop()
中,您可以访问函数third_loop()
,即使编译器还没有在这里看到它:
float distance = third_loop(i, j, dataset);
最佳解决方案是在文件开头向前声明函数,如下所示:
float third_loop(int, int, ArffData*);
这样,当second_loop()
访问third_loop()
时,它就可以毫无错误地执行此操作。作为建议,我建议为所有你的函数执行此操作,如下所示:
#include <stdio.h>
#include <stdlib.h>
#include <stdint.h>
#include <float.h>
#include <math.h>
#include <iostream>
#include "libarff/arff_parser.h"
#include "libarff/arff_data.h"
using namespace std;
//Forward declarations:
int second_loop(int, ArffData*, float);
float distance = third_loop(i, j, dataset);
int* KNN(ArffData*);
//End of Forward Declarations
//Rest of code...
答案 1 :(得分:0)
必须先声明一个函数才能使用它。在third_loop
内使用之前,您没有声明second_loop
。您确实声明了third_loop
,但仅在second_loop
的定义之后。这还不够。
要修复该程序,请在使用之前声明third_loop
。