C의 정규 표현: 예?
ANSI C에서 정규 표현을 사용하는 방법에 대한 간단한 예와 베스트 프랙티스를 소개합니다.man regex.h
별로 도움이 되지 않습니다.
정규 표현은 실제로 ANSI C의 일부가 아닙니다.대부분의 (모두?) *nix와 함께 제공되는 POSIX 정규 표현 라이브러리를 말하는 것 같습니다.다음으로 C에서 POSIX 정규식을 사용하는 예를 나타냅니다(이를 바탕으로).
#include <regex.h>
regex_t regex;
int reti;
char msgbuf[100];
/* Compile regular expression */
reti = regcomp(®ex, "^a[[:alnum:]]", 0);
if (reti) {
fprintf(stderr, "Could not compile regex\n");
exit(1);
}
/* Execute regular expression */
reti = regexec(®ex, "abc", 0, NULL, 0);
if (!reti) {
puts("Match");
}
else if (reti == REG_NOMATCH) {
puts("No match");
}
else {
regerror(reti, ®ex, msgbuf, sizeof(msgbuf));
fprintf(stderr, "Regex match failed: %s\n", msgbuf);
exit(1);
}
/* Free memory allocated to the pattern buffer by regcomp() */
regfree(®ex);
또는 PCRE를 체크할 수도 있습니다.PCRE는 C의 Perl 호환 정규 표현 라이브러리입니다.Perl 구문은 Java, Python 및 다른 많은 언어에서 사용되는 구문과 거의 동일합니다.POSIX 구문은 다음에서 사용되는 구문입니다.grep
,sed
,vi
,기타.
다음으로 REG_EXTENDED를 사용하는 예를 나타냅니다.이 정규 표현은
"^(-)?([0-9]+)((,|.)([0-9]+))?\n$"
스페인어 시스템 및 국제 숫자로 10진수를 잡을 수 있습니다.:)
#include <regex.h>
#include <stdlib.h>
#include <stdio.h>
regex_t regex;
int reti;
char msgbuf[100];
int main(int argc, char const *argv[])
{
while(1){
fgets( msgbuf, 100, stdin );
reti = regcomp(®ex, "^(-)?([0-9]+)((,|.)([0-9]+))?\n$", REG_EXTENDED);
if (reti) {
fprintf(stderr, "Could not compile regex\n");
exit(1);
}
/* Execute regular expression */
printf("%s\n", msgbuf);
reti = regexec(®ex, msgbuf, 0, NULL, 0);
if (!reti) {
puts("Match");
}
else if (reti == REG_NOMATCH) {
puts("No match");
}
else {
regerror(reti, ®ex, msgbuf, sizeof(msgbuf));
fprintf(stderr, "Regex match failed: %s\n", msgbuf);
exit(1);
}
/* Free memory allocated to the pattern buffer by regcomp() */
regfree(®ex);
}
}
위의 답변도 좋지만 PCRE2 사용을 권장합니다.즉, 말 그대로 모든 regex의 예를 사용할 수 있으며 고대 regex를 번역할 필요가 없습니다.
이미 답변은 드렸지만, 이쪽도 도움이 될 것 같습니다.
// YOU MUST SPECIFY THE UNIT WIDTH BEFORE THE INCLUDE OF THE pcre.h
#define PCRE2_CODE_UNIT_WIDTH 8
#include <stdio.h>
#include <string.h>
#include <pcre2.h>
#include <stdbool.h>
int main(){
bool Debug = true;
bool Found = false;
pcre2_code *re;
PCRE2_SPTR pattern;
PCRE2_SPTR subject;
int errornumber;
int i;
int rc;
PCRE2_SIZE erroroffset;
PCRE2_SIZE *ovector;
size_t subject_length;
pcre2_match_data *match_data;
char * RegexStr = "(?:\\D|^)(5[1-5][0-9]{2}(?:\\ |\\-|)[0-9]{4}(?:\\ |\\-|)[0-9]{4}(?:\\ |\\-|)[0-9]{4})(?:\\D|$)";
char * source = "5111 2222 3333 4444";
pattern = (PCRE2_SPTR)RegexStr;// <<<<< This is where you pass your REGEX
subject = (PCRE2_SPTR)source;// <<<<< This is where you pass your bufer that will be checked.
subject_length = strlen((char *)subject);
re = pcre2_compile(
pattern, /* the pattern */
PCRE2_ZERO_TERMINATED, /* indicates pattern is zero-terminated */
0, /* default options */
&errornumber, /* for error number */
&erroroffset, /* for error offset */
NULL); /* use default compile context */
/* Compilation failed: print the error message and exit. */
if (re == NULL)
{
PCRE2_UCHAR buffer[256];
pcre2_get_error_message(errornumber, buffer, sizeof(buffer));
printf("PCRE2 compilation failed at offset %d: %s\n", (int)erroroffset,buffer);
return 1;
}
match_data = pcre2_match_data_create_from_pattern(re, NULL);
rc = pcre2_match(
re,
subject, /* the subject string */
subject_length, /* the length of the subject */
0, /* start at offset 0 in the subject */
0, /* default options */
match_data, /* block for storing the result */
NULL);
if (rc < 0)
{
switch(rc)
{
case PCRE2_ERROR_NOMATCH: //printf("No match\n"); //
pcre2_match_data_free(match_data);
pcre2_code_free(re);
Found = 0;
return Found;
// break;
/*
Handle other special cases if you like
*/
default: printf("Matching error %d\n", rc); //break;
}
pcre2_match_data_free(match_data); /* Release memory used for the match */
pcre2_code_free(re);
Found = 0; /* data and the compiled pattern. */
return Found;
}
if (Debug){
ovector = pcre2_get_ovector_pointer(match_data);
printf("Match succeeded at offset %d\n", (int)ovector[0]);
if (rc == 0)
printf("ovector was not big enough for all the captured substrings\n");
if (ovector[0] > ovector[1])
{
printf("\\K was used in an assertion to set the match start after its end.\n"
"From end to start the match was: %.*s\n", (int)(ovector[0] - ovector[1]),
(char *)(subject + ovector[1]));
printf("Run abandoned\n");
pcre2_match_data_free(match_data);
pcre2_code_free(re);
return 0;
}
for (i = 0; i < rc; i++)
{
PCRE2_SPTR substring_start = subject + ovector[2*i];
size_t substring_length = ovector[2*i+1] - ovector[2*i];
printf("%2d: %.*s\n", i, (int)substring_length, (char *)substring_start);
}
}
else{
if(rc > 0){
Found = true;
}
}
pcre2_match_data_free(match_data);
pcre2_code_free(re);
return Found;
}
다음을 사용하여 PCRE를 설치합니다.
wget https://ftp.pcre.org/pub/pcre/pcre2-10.31.zip
make
sudo make install
sudo ldconfig
다음을 사용하여 컴파일:
gcc foo.c -lpcre2-8 -o foo
자세한 내용은 내 답변을 참조하십시오.
man regex.h
regex.h에 대한 수동 엔트리가 없다고 보고하지만man 3 regex
는 패턴 매칭을 위한 POSIX 함수를 설명하는 페이지를 제공합니다.
동일한 함수는 GNU C 라이브러리: 정규 표현 매칭에 설명되어 있습니다.이것에 의해, GNU C 라이브러리는 POSIX.2 인터페이스와 GNU C 라이브러리가 오랜 세월 사용해 온 인터페이스를 서포트하고 있는 것을 설명합니다.
예를 들어, 인수로 전달된 문자열 중 어떤 문자열이 첫 번째 인수로 전달된 패턴과 일치하는지를 인쇄하는 가상 프로그램의 경우 다음과 같은 코드를 사용할 수 있습니다.
#include <errno.h>
#include <regex.h>
#include <stdio.h>
#include <stdlib.h>
#include <string.h>
void print_regerror (int errcode, size_t length, regex_t *compiled);
int
main (int argc, char *argv[])
{
regex_t regex;
int result;
if (argc < 3)
{
// The number of passed arguments is lower than the number of
// expected arguments.
fputs ("Missing command line arguments\n", stderr);
return EXIT_FAILURE;
}
result = regcomp (®ex, argv[1], REG_EXTENDED);
if (result)
{
// Any value different from 0 means it was not possible to
// compile the regular expression, either for memory problems
// or problems with the regular expression syntax.
if (result == REG_ESPACE)
fprintf (stderr, "%s\n", strerror(ENOMEM));
else
fputs ("Syntax error in the regular expression passed as first argument\n", stderr);
return EXIT_FAILURE;
}
for (int i = 2; i < argc; i++)
{
result = regexec (®ex, argv[i], 0, NULL, 0);
if (!result)
{
printf ("'%s' matches the regular expression\n", argv[i]);
}
else if (result == REG_NOMATCH)
{
printf ("'%s' doesn't the regular expression\n", argv[i]);
}
else
{
// The function returned an error; print the string
// describing it.
// Get the size of the buffer required for the error message.
size_t length = regerror (result, ®ex, NULL, 0);
print_regerror (result, length, ®ex);
return EXIT_FAILURE;
}
}
/* Free the memory allocated from regcomp(). */
regfree (®ex);
return EXIT_SUCCESS;
}
void
print_regerror (int errcode, size_t length, regex_t *compiled)
{
char buffer[length];
(void) regerror (errcode, compiled, buffer, length);
fprintf(stderr, "Regex match failed: %s\n", buffer);
}
의 마지막 인수regcomp()
최소한 이여야 한다REG_EXTENDED
또는 함수는 기본적인 정규 표현을 사용합니다.즉, (예를 들어)a\{3\}
대신a{3}
확장 정규 표현에서 사용됩니다.
POSIX.2 에는, 와일드 카드 매칭을 위한 다른 기능도 있습니다.정규 표현식을 컴파일하거나 하위 표현식에 일치하는 하위 문자열을 가져올 수는 없지만 파일 이름이 와일드카드와 일치하는지 확인하는 데 매우 구체적입니다(예:FNM_PATHNAME
원하는 것은 아닐지도 모르지만 re2c와 같은 툴은 POSIX(-ish) 정규식을 ANSI C로 컴파일할 수 있습니다.의 대용품으로 쓰여져 있습니다.lex
, 이 의 스피드를 할 수
언급URL : https://stackoverflow.com/questions/1085083/regular-expressions-in-c-examples
'programing' 카테고리의 다른 글
vue.js 컴포넌트를 애플리케이션 루트에 마운트합니다. (0) | 2022.08.08 |
---|---|
영어 대신 중국어로 된 요소 UI 페이지 표시 (0) | 2022.08.08 |
VueJ는 컴포넌트에서 목록을 다시 렌더링하지 않음 (0) | 2022.08.08 |
자바 매트릭스 연산 라이브러리의 성능 (0) | 2022.08.08 |
스토어 Vuex에서 항목 삭제 (0) | 2022.08.08 |