我希望主要返回" mdl"的出现位置。在" dati"。我设置了"架构"函数来查找每次出现的起点,但是当我从命令行运行程序时,它返回:
Segmentation fault: 11
我不知道如何解决问题。 这是代码:
#include <stdio.h>
#include <stdlib.h>
#include <string.h>
#include <math.h>
int schema(int testo[], int nT, int modello[], int nM, int primo) {
int i, j, k;
static int r[12];
j=0;
for(i=primo; i<nT; i++) {
if(testo[i] == modello[0] && testo[i+1] == modello[1] && testo[i+2] == modello[2] && testo[i+3] == modello[3] && testo[i+4] == modello[4] && testo[i+5] == modello[5] && testo[i+6] == modello[6] && testo[i+7] == modello[7]) {
r[j] = i+1;
j++;
}
}
return *r;
}
int main(int argc, char** argv) {
FILE *in;
FILE *out;
int i, m;
const int n = 100;
int dati[n];
int *soluzione;
int start;
if ((in=fopen("dati.txt", "r"))==NULL){
return -1;
}
for(i=0; i<n; i++) {
if (fscanf(in, "%d", &dati[i]) < 0){
fclose(in);
return i;
}
}
int mdl[] = {0,0,0,1,1,1,0,1};
m = sizeof(mdl)/sizeof(mdl[0]);
*soluzione = schema(dati, n, mdl, m, start);
for(i=0; i<12; i++) {
printf("- risultato[%d] = %d\n", i, soluzione[i]);
}
//out = fopen("risultati.txt", "w");
//...
fclose(in);
return 1;
}
我必须使用该函数来查找事件,我不能用其他方法。
答案 0 :(得分:3)
您正在取消引用指针soluzione
,但它从未使用值初始化:
int *soluzione;
...
*soluzione = schema(dati, n, mdl, m, start);
读取未初始化的值,以及随后取消引用该未初始化的值,调用undefined behavior。在这种情况下,它表现为分段错误。
在这种情况下你不需要指针。只需将变量声明为int
。
int soluzione;
...
soluzione = schema(dati, n, mdl, m, start);
您也没有初始化start
。因此,您可以在未知位置索引testo
,该位置可能超出数组范围。这也会调用未定义的行为。
编辑:
看起来您确实从schema
返回了错误的数据类型。如果你想返回一个指向本地数组r
的指针(在这种情况下它很好,因为它被声明为static
,该函数需要返回一个int *
而你应该return r
。
然后在main
中,您将soluzione
作为指针,但直接指定给它。
int *schema(int testo[], int nT, int modello[], int nM, int primo) {
...
return r;
}
int main(int argc, char** argv) {
...
int *soluzione;
...
soluzione = schema(dati, n, mdl, m, start);
答案 1 :(得分:0)
我认为错误在于以下代码段:
for(i=primo; i<nT; i++) {
if(testo[i] == modello[0] && testo[i+1] == modello[1] && testo[i+2] == modello[2] && testo[i+3] == modello[3] && testo[i+4] == modello[4] && testo[i+5] == modello[5] && testo[i+6] == modello[6] && testo[i+7] == modello[7]) {
请注意,您将dati
(大小为n
的整数数组)传递为testo
,并将n
作为nT
的值传递。因此,testo
的大小为nT
。
但是在你循环中,i
可能会在nt-1
之前运行,你可以访问超出testo[i+7]
边界的testo
,对吗?