0

主要问题是在 sem->i = a; 之后 在调用 yylex 并且 c isalpha sem->s[i] = c; 时使用 不起作用,因为 sem->s[i] 它指向的地址有问题。

更多细节:所以我想做的是打开一个txt并阅读里面的内容,直到文件结束。如果它是函数 yylex 中的字母数字(例如:hello ,example2 hello45a),我将每个字符放入一个数组(sem->s[i]),直到我找到文件结尾或不是字母数字的东西。如果它是函数 yylex 中的一个数字(例如:5234254 example2: 5),我将每个字符放入数组 arithmoi[] 中。在使用 attoi 之后,我将数字放入 sem->i 中。如果我删除了 yylex 的 else if(isdigit(c)) 部分,它可以工作(如果 txt 中的每个单词都不以数字开头)。无论如何,当它只找到以字符开头的单词时,它的效果很好。然后,如果它找到数字(它使用 elseif(isdigit(c) 部分)它仍然可以工作......直到它找到一个以字符开头的单词。当发生这种情况时,会出现违反写入位置的访问权限,问题似乎出在我有箭头的地方。如果你能帮助我,我会非常感激。

#include <stdio.h>
#include <stdlib.h>
#include <string.h>
#include <ctype.h>
#include <iostream>
using namespace std;

union SEMANTIC_INFO
{
    int i;
    char *s;
};


int yylex(FILE *fpointer, SEMANTIC_INFO *sem)
{
    char c;
    int i=0;
    int j=0;
    c = fgetc (fpointer);
    while(c != EOF)
    {
        if(isalpha(c))
        {
           do
           {
               sem->s[i] = c;//the problem is here... <-------------------
                       c = fgetc(fpointer); 
               i++;
           }while(isalnum(c));
        return 1;
        }
        else if(isdigit(c))
        {
            char arithmoi[20];
            do
            {
                arithmoi[j] = c;
                j++;
                c = fgetc(fpointer);
            }while(isdigit(c));
            sem->i = atoi(arithmoi); //when this is used the sem->s[i] in if(isalpha) doesn't work
            return 2;
        }
    }
    cout << "end of file" << endl;
    return 0;
}

int main()
{
    int i,k;
    char c[20];
    int counter1 = 0;
    int counter2 = 0;
    for(i=0; i < 20; i++)
    {
        c[i] = ' ';
    }
    SEMANTIC_INFO sematic;
    SEMANTIC_INFO *sema = &sematic;
    sematic.s = c;
    FILE *pFile;
    pFile = fopen ("piri.txt", "r");
    do
    {
       k = yylex( pFile, sema);
       if(k == 1)
       {
           counter1++;
           cout << "it's type is alfanumeric and it's: ";
          for(i=0; i<20; i++)
          {
              cout << sematic.s[i] << " " ;
          }
          cout <<endl;
          for(i=0; i < 20; i++)
          {
              c[i] = ' ';
          }
       }
       else if(k==2)
       {
           counter2++;
           cout << "it's type is digit and it's: "<< sematic.i << endl;

       }
    }while(k != 0);
    cout<<"the alfanumeric are : " << counter1 << endl;
    cout<<"the digits are: " << counter2 << endl;
    fclose (pFile);
    system("pause");
    return 0;
}
4

1 回答 1

0

这一行main正在创建一个未初始化的 SEMANTIC_INFO

SEMANTIC_INFO sematic;

整数的值sematic.i是未知的。

指针的值sematic.s未知。

然后,您尝试写入sematic.s[0]. 您希望它sematic.s指向可写内存,大到足以容纳该文件的内容,但您没有让它指向任何东西。

于 2013-03-07T19:48:32.760 回答