La réponse acceptée est incorrecte. Elle entraînera des fuites de mémoire.
En interne, yy_scan_string appelle yy_scan_bytes qui, à son tour, appelle yy_scan_buffer.
yy_scan_bytes alloue de la mémoire pour une COPIE du tampon d'entrée.
yy_scan_buffer travaille directement sur le tampon fourni.
Avec ces trois formes, vous DEVEZ appeler yy_delete_buffer pour libérer les informations sur l'état de la mémoire tampon flexible (YY_BUFFER_STATE).
Cependant, avec yy_scan_buffer, vous évitez l'allocation/copie/libération du tampon interne.
Le prototype de yy_scan_buffer ne prend PAS un const char* et vous NE DEVEZ PAS vous attendre à ce que le contenu reste inchangé.
Si vous avez alloué de la mémoire pour contenir votre chaîne, vous êtes responsable de la libérer APRÈS avoir appelé yy_delete_buffer.
N'oubliez pas non plus de faire en sorte que yywrap renvoie 1 (non nul) lorsque vous analysez JUST cette chaîne.
Vous trouverez ci-dessous un exemple COMPLET.
%%
<<EOF>> return 0;
. return 1;
%%
int yywrap()
{
return (1);
}
int main(int argc, const char* const argv[])
{
FILE* fileHandle = fopen(argv[1], "rb");
if (fileHandle == NULL) {
perror("fopen");
return (EXIT_FAILURE);
}
fseek(fileHandle, 0, SEEK_END);
long fileSize = ftell(fileHandle);
fseek(fileHandle, 0, SEEK_SET);
// When using yy_scan_bytes, do not add 2 here ...
char *string = malloc(fileSize + 2);
fread(string, fileSize, sizeof(char), fileHandle);
fclose(fileHandle);
// Add the two NUL terminators, required by flex.
// Omit this for yy_scan_bytes(), which allocates, copies and
// apends these for us.
string[fileSize] = '\0';
string[fileSize + 1] = '\0';
// Our input file may contain NULs ('\0') so we MUST use
// yy_scan_buffer() or yy_scan_bytes(). For a normal C (NUL-
// terminated) string, we are better off using yy_scan_string() and
// letting flex manage making a copy of it so the original may be a
// const char (i.e., literal) string.
YY_BUFFER_STATE buffer = yy_scan_buffer(string, fileSize + 2);
// This is a flex source file, for yacc/bison call yyparse()
// here instead ...
int token;
do {
token = yylex(); // MAY modify the contents of the 'string'.
} while (token != 0);
// After flex is done, tell it to release the memory it allocated.
yy_delete_buffer(buffer);
// And now we can release our (now dirty) buffer.
free(string);
return (EXIT_SUCCESS);
}