Extracting and reformatting dates from text











up vote
2
down vote

favorite












The task is find by pattern d--m--y---- all occurrences in text, reformat it to yyyy:mm:dd and print it separately from initial text. Actually I done all except formatting. And even in my written code I have some doubts because I just begun to learn this language. Maybe someone would help me and say what's wrong with my code and how to finish that task on a better way. Any comments are appreciated.



#include <stdio.h>
#include <string.h>
#include <stdlib.h>

#define MAXLINE 1000
#define CONT 1000000

int getlin(char *, int);
int pickDates(char *, char *);
int isDate(char *, int);

int main()
{
int len;
char line[MAXLINE];
char accum[CONT];
char *dates = malloc(sizeof(char *) * CONT);

while ((len = getlin(line, MAXLINE)) > 0)
strcat(accum, line);

pickDates(dates, accum);
printf("%sn", dates);

free(dates);

return 0;
}

int getlin(char *s, int lim) {
int i, c, j = 0;

for (i = 0; (c = getchar()) != EOF && c != 'n'; ++i)
if (i < lim - 2)
{
s[j] = c;
++j;
}
if (c == 'n')
{
s[j] = c;
++i;
++j;
}
s[j] = '';

return i;
}

int pickDates(char *dates, char *cont)
{
int j = 0;
const char *template = "d--m--y----";
char *date;
int temp_len = strlen(template);

for (int i = 0; i < strlen(cont); i++)
if (cont[i] == template[0] && cont[i+3] == template[3] && cont[i+6] == template[6])
{
date = malloc(sizeof(char) * temp_len);
memcpy(date, &cont[i], temp_len);
if (isDate(date, temp_len))
{
j += 8;
strcat(dates, date);
}
free(date);
}

dates = realloc(dates, sizeof(char) * j);

return 0;
}

int isDate(char *date_str, int len)
{
int i = 0;
int dd = atoi(&date_str[i+1]);
int mm = atoi(&date_str[i+4]);
int yy = atoi(&date_str[i+7]);
char tmp[5] = {'0'};

memset(date_str, 0, len - 3);
date_str = realloc(date_str, sizeof(char) * (len - 3));

if (dd < 32 && dd > 0 && mm < 13 && mm > 0 && yy > 0)
{
sprintf(tmp, "%04d", yy);
strcat(date_str, tmp);
sprintf(tmp, "%02d", mm);
strcat(date_str, tmp);
sprintf(tmp, "%02d", dd);
strcat(date_str, tmp);

return 1;
}
else return -1;
}









share|improve this question
























  • the posted code produces MANY warnings when run through the compiler. When compiling, always enable the warnings, then fix those warnings. (for gcc, at a minimum use: -Wall -Wextra -Wconversion -pedantic -std=gnu11 ) Note other compilers use different options to produce the same results
    – user3629249
    4 hours ago










  • regarding: char accum[CONT]; this is a mighty large array to be placing on the stack. Suggest moving to 'file' scope (I.E. outside of any function
    – user3629249
    4 hours ago










  • OT: regarding: char *dates = malloc(sizeof(char *) * CONT); when calling any of the heap allocation functions: malloc calloc realloc, always check (!=NULL) the returned value to assure the operation was successful
    – user3629249
    4 hours ago










  • in function: getlin() strongly suggest including braces '{' and '}' around the body of the for() statement
    – user3629249
    4 hours ago










  • regarding: strcat(accum, line); the function strcat() searches for a NUL byte, then appends the line beginning at the NUL byte. However, the posted code does not set the first byte in accum to '', so it is unknown where the line will actually be appended. This is undefined behavior and must be corrected
    – user3629249
    3 hours ago















up vote
2
down vote

favorite












The task is find by pattern d--m--y---- all occurrences in text, reformat it to yyyy:mm:dd and print it separately from initial text. Actually I done all except formatting. And even in my written code I have some doubts because I just begun to learn this language. Maybe someone would help me and say what's wrong with my code and how to finish that task on a better way. Any comments are appreciated.



#include <stdio.h>
#include <string.h>
#include <stdlib.h>

#define MAXLINE 1000
#define CONT 1000000

int getlin(char *, int);
int pickDates(char *, char *);
int isDate(char *, int);

int main()
{
int len;
char line[MAXLINE];
char accum[CONT];
char *dates = malloc(sizeof(char *) * CONT);

while ((len = getlin(line, MAXLINE)) > 0)
strcat(accum, line);

pickDates(dates, accum);
printf("%sn", dates);

free(dates);

return 0;
}

int getlin(char *s, int lim) {
int i, c, j = 0;

for (i = 0; (c = getchar()) != EOF && c != 'n'; ++i)
if (i < lim - 2)
{
s[j] = c;
++j;
}
if (c == 'n')
{
s[j] = c;
++i;
++j;
}
s[j] = '';

return i;
}

int pickDates(char *dates, char *cont)
{
int j = 0;
const char *template = "d--m--y----";
char *date;
int temp_len = strlen(template);

for (int i = 0; i < strlen(cont); i++)
if (cont[i] == template[0] && cont[i+3] == template[3] && cont[i+6] == template[6])
{
date = malloc(sizeof(char) * temp_len);
memcpy(date, &cont[i], temp_len);
if (isDate(date, temp_len))
{
j += 8;
strcat(dates, date);
}
free(date);
}

dates = realloc(dates, sizeof(char) * j);

return 0;
}

int isDate(char *date_str, int len)
{
int i = 0;
int dd = atoi(&date_str[i+1]);
int mm = atoi(&date_str[i+4]);
int yy = atoi(&date_str[i+7]);
char tmp[5] = {'0'};

memset(date_str, 0, len - 3);
date_str = realloc(date_str, sizeof(char) * (len - 3));

if (dd < 32 && dd > 0 && mm < 13 && mm > 0 && yy > 0)
{
sprintf(tmp, "%04d", yy);
strcat(date_str, tmp);
sprintf(tmp, "%02d", mm);
strcat(date_str, tmp);
sprintf(tmp, "%02d", dd);
strcat(date_str, tmp);

return 1;
}
else return -1;
}









share|improve this question
























  • the posted code produces MANY warnings when run through the compiler. When compiling, always enable the warnings, then fix those warnings. (for gcc, at a minimum use: -Wall -Wextra -Wconversion -pedantic -std=gnu11 ) Note other compilers use different options to produce the same results
    – user3629249
    4 hours ago










  • regarding: char accum[CONT]; this is a mighty large array to be placing on the stack. Suggest moving to 'file' scope (I.E. outside of any function
    – user3629249
    4 hours ago










  • OT: regarding: char *dates = malloc(sizeof(char *) * CONT); when calling any of the heap allocation functions: malloc calloc realloc, always check (!=NULL) the returned value to assure the operation was successful
    – user3629249
    4 hours ago










  • in function: getlin() strongly suggest including braces '{' and '}' around the body of the for() statement
    – user3629249
    4 hours ago










  • regarding: strcat(accum, line); the function strcat() searches for a NUL byte, then appends the line beginning at the NUL byte. However, the posted code does not set the first byte in accum to '', so it is unknown where the line will actually be appended. This is undefined behavior and must be corrected
    – user3629249
    3 hours ago













up vote
2
down vote

favorite









up vote
2
down vote

favorite











The task is find by pattern d--m--y---- all occurrences in text, reformat it to yyyy:mm:dd and print it separately from initial text. Actually I done all except formatting. And even in my written code I have some doubts because I just begun to learn this language. Maybe someone would help me and say what's wrong with my code and how to finish that task on a better way. Any comments are appreciated.



#include <stdio.h>
#include <string.h>
#include <stdlib.h>

#define MAXLINE 1000
#define CONT 1000000

int getlin(char *, int);
int pickDates(char *, char *);
int isDate(char *, int);

int main()
{
int len;
char line[MAXLINE];
char accum[CONT];
char *dates = malloc(sizeof(char *) * CONT);

while ((len = getlin(line, MAXLINE)) > 0)
strcat(accum, line);

pickDates(dates, accum);
printf("%sn", dates);

free(dates);

return 0;
}

int getlin(char *s, int lim) {
int i, c, j = 0;

for (i = 0; (c = getchar()) != EOF && c != 'n'; ++i)
if (i < lim - 2)
{
s[j] = c;
++j;
}
if (c == 'n')
{
s[j] = c;
++i;
++j;
}
s[j] = '';

return i;
}

int pickDates(char *dates, char *cont)
{
int j = 0;
const char *template = "d--m--y----";
char *date;
int temp_len = strlen(template);

for (int i = 0; i < strlen(cont); i++)
if (cont[i] == template[0] && cont[i+3] == template[3] && cont[i+6] == template[6])
{
date = malloc(sizeof(char) * temp_len);
memcpy(date, &cont[i], temp_len);
if (isDate(date, temp_len))
{
j += 8;
strcat(dates, date);
}
free(date);
}

dates = realloc(dates, sizeof(char) * j);

return 0;
}

int isDate(char *date_str, int len)
{
int i = 0;
int dd = atoi(&date_str[i+1]);
int mm = atoi(&date_str[i+4]);
int yy = atoi(&date_str[i+7]);
char tmp[5] = {'0'};

memset(date_str, 0, len - 3);
date_str = realloc(date_str, sizeof(char) * (len - 3));

if (dd < 32 && dd > 0 && mm < 13 && mm > 0 && yy > 0)
{
sprintf(tmp, "%04d", yy);
strcat(date_str, tmp);
sprintf(tmp, "%02d", mm);
strcat(date_str, tmp);
sprintf(tmp, "%02d", dd);
strcat(date_str, tmp);

return 1;
}
else return -1;
}









share|improve this question















The task is find by pattern d--m--y---- all occurrences in text, reformat it to yyyy:mm:dd and print it separately from initial text. Actually I done all except formatting. And even in my written code I have some doubts because I just begun to learn this language. Maybe someone would help me and say what's wrong with my code and how to finish that task on a better way. Any comments are appreciated.



#include <stdio.h>
#include <string.h>
#include <stdlib.h>

#define MAXLINE 1000
#define CONT 1000000

int getlin(char *, int);
int pickDates(char *, char *);
int isDate(char *, int);

int main()
{
int len;
char line[MAXLINE];
char accum[CONT];
char *dates = malloc(sizeof(char *) * CONT);

while ((len = getlin(line, MAXLINE)) > 0)
strcat(accum, line);

pickDates(dates, accum);
printf("%sn", dates);

free(dates);

return 0;
}

int getlin(char *s, int lim) {
int i, c, j = 0;

for (i = 0; (c = getchar()) != EOF && c != 'n'; ++i)
if (i < lim - 2)
{
s[j] = c;
++j;
}
if (c == 'n')
{
s[j] = c;
++i;
++j;
}
s[j] = '';

return i;
}

int pickDates(char *dates, char *cont)
{
int j = 0;
const char *template = "d--m--y----";
char *date;
int temp_len = strlen(template);

for (int i = 0; i < strlen(cont); i++)
if (cont[i] == template[0] && cont[i+3] == template[3] && cont[i+6] == template[6])
{
date = malloc(sizeof(char) * temp_len);
memcpy(date, &cont[i], temp_len);
if (isDate(date, temp_len))
{
j += 8;
strcat(dates, date);
}
free(date);
}

dates = realloc(dates, sizeof(char) * j);

return 0;
}

int isDate(char *date_str, int len)
{
int i = 0;
int dd = atoi(&date_str[i+1]);
int mm = atoi(&date_str[i+4]);
int yy = atoi(&date_str[i+7]);
char tmp[5] = {'0'};

memset(date_str, 0, len - 3);
date_str = realloc(date_str, sizeof(char) * (len - 3));

if (dd < 32 && dd > 0 && mm < 13 && mm > 0 && yy > 0)
{
sprintf(tmp, "%04d", yy);
strcat(date_str, tmp);
sprintf(tmp, "%02d", mm);
strcat(date_str, tmp);
sprintf(tmp, "%02d", dd);
strcat(date_str, tmp);

return 1;
}
else return -1;
}






beginner c datetime






share|improve this question















share|improve this question













share|improve this question




share|improve this question








edited 15 mins ago









200_success

127k15149412




127k15149412










asked 5 hours ago









Dmitry Khaletskiy

433




433












  • the posted code produces MANY warnings when run through the compiler. When compiling, always enable the warnings, then fix those warnings. (for gcc, at a minimum use: -Wall -Wextra -Wconversion -pedantic -std=gnu11 ) Note other compilers use different options to produce the same results
    – user3629249
    4 hours ago










  • regarding: char accum[CONT]; this is a mighty large array to be placing on the stack. Suggest moving to 'file' scope (I.E. outside of any function
    – user3629249
    4 hours ago










  • OT: regarding: char *dates = malloc(sizeof(char *) * CONT); when calling any of the heap allocation functions: malloc calloc realloc, always check (!=NULL) the returned value to assure the operation was successful
    – user3629249
    4 hours ago










  • in function: getlin() strongly suggest including braces '{' and '}' around the body of the for() statement
    – user3629249
    4 hours ago










  • regarding: strcat(accum, line); the function strcat() searches for a NUL byte, then appends the line beginning at the NUL byte. However, the posted code does not set the first byte in accum to '', so it is unknown where the line will actually be appended. This is undefined behavior and must be corrected
    – user3629249
    3 hours ago


















  • the posted code produces MANY warnings when run through the compiler. When compiling, always enable the warnings, then fix those warnings. (for gcc, at a minimum use: -Wall -Wextra -Wconversion -pedantic -std=gnu11 ) Note other compilers use different options to produce the same results
    – user3629249
    4 hours ago










  • regarding: char accum[CONT]; this is a mighty large array to be placing on the stack. Suggest moving to 'file' scope (I.E. outside of any function
    – user3629249
    4 hours ago










  • OT: regarding: char *dates = malloc(sizeof(char *) * CONT); when calling any of the heap allocation functions: malloc calloc realloc, always check (!=NULL) the returned value to assure the operation was successful
    – user3629249
    4 hours ago










  • in function: getlin() strongly suggest including braces '{' and '}' around the body of the for() statement
    – user3629249
    4 hours ago










  • regarding: strcat(accum, line); the function strcat() searches for a NUL byte, then appends the line beginning at the NUL byte. However, the posted code does not set the first byte in accum to '', so it is unknown where the line will actually be appended. This is undefined behavior and must be corrected
    – user3629249
    3 hours ago
















the posted code produces MANY warnings when run through the compiler. When compiling, always enable the warnings, then fix those warnings. (for gcc, at a minimum use: -Wall -Wextra -Wconversion -pedantic -std=gnu11 ) Note other compilers use different options to produce the same results
– user3629249
4 hours ago




the posted code produces MANY warnings when run through the compiler. When compiling, always enable the warnings, then fix those warnings. (for gcc, at a minimum use: -Wall -Wextra -Wconversion -pedantic -std=gnu11 ) Note other compilers use different options to produce the same results
– user3629249
4 hours ago












regarding: char accum[CONT]; this is a mighty large array to be placing on the stack. Suggest moving to 'file' scope (I.E. outside of any function
– user3629249
4 hours ago




regarding: char accum[CONT]; this is a mighty large array to be placing on the stack. Suggest moving to 'file' scope (I.E. outside of any function
– user3629249
4 hours ago












OT: regarding: char *dates = malloc(sizeof(char *) * CONT); when calling any of the heap allocation functions: malloc calloc realloc, always check (!=NULL) the returned value to assure the operation was successful
– user3629249
4 hours ago




OT: regarding: char *dates = malloc(sizeof(char *) * CONT); when calling any of the heap allocation functions: malloc calloc realloc, always check (!=NULL) the returned value to assure the operation was successful
– user3629249
4 hours ago












in function: getlin() strongly suggest including braces '{' and '}' around the body of the for() statement
– user3629249
4 hours ago




in function: getlin() strongly suggest including braces '{' and '}' around the body of the for() statement
– user3629249
4 hours ago












regarding: strcat(accum, line); the function strcat() searches for a NUL byte, then appends the line beginning at the NUL byte. However, the posted code does not set the first byte in accum to '', so it is unknown where the line will actually be appended. This is undefined behavior and must be corrected
– user3629249
3 hours ago




regarding: strcat(accum, line); the function strcat() searches for a NUL byte, then appends the line beginning at the NUL byte. However, the posted code does not set the first byte in accum to '', so it is unknown where the line will actually be appended. This is undefined behavior and must be corrected
– user3629249
3 hours ago










1 Answer
1






active

oldest

votes

















up vote
1
down vote













Whenever declaring a function that you only expect to use in the current file, mark it static.



The (anonymous) user in the comments above is correct to indicate that accum is quite large; however, rather than allocating it statically as a global I'd suggest that it be allocated from the heap (malloc).



printf("%sn", dates) is equivalent to puts(dates), but the latter is more efficient.



Having to predeclare variables in C hasn't been needed since the 90s. Do not predeclare variables. Declare them where they're used; i.e.



for (int i = 0;


That loop doesn't do what you think it does. You're missing braces. The loop will only apply to the first if.



j += 8


Where does 8 come from? Declare this as a constant. Magic numbers are bad.



It's pointless to have a return value for pickDates, so make it void.



date_str in isDate should be a const char * because you shouldn't be modifying it. The same applies to dates in pickDates.



Later, where you have a series of sprintf / strcat, do not use strcat, nor a tmp array. You can write to date_str via a temporary pointer that you increment based on the return value of sprintf.



I suggest inverting this logic:



if (dd < 32 && dd > 0 && mm < 13 && mm > 0 && yy > 0)
{
// ...
return 1;
}
else return -1;


to



if (dd < 0 || dd > 31 || mm < 0 || mm > 12 || yy < 0)
return -1;
// ...
return 1;


Also, if that return value indicates success or failure, you should use a boolean from stdbool.h and use true/false instead of an integer.



This:



int i = 0;
int dd = atoi(&date_str[i+1]);
int mm = atoi(&date_str[i+4]);
int yy = atoi(&date_str[i+7]);


doesn't make a whole lot of sense; i might as well not exist and you might as well do



int dd = atoi(date_str + 1),
mm = atoi(date_str + 4),
yy = atoi(date_str + 7);





share|improve this answer





















    Your Answer





    StackExchange.ifUsing("editor", function () {
    return StackExchange.using("mathjaxEditing", function () {
    StackExchange.MarkdownEditor.creationCallbacks.add(function (editor, postfix) {
    StackExchange.mathjaxEditing.prepareWmdForMathJax(editor, postfix, [["\$", "\$"]]);
    });
    });
    }, "mathjax-editing");

    StackExchange.ifUsing("editor", function () {
    StackExchange.using("externalEditor", function () {
    StackExchange.using("snippets", function () {
    StackExchange.snippets.init();
    });
    });
    }, "code-snippets");

    StackExchange.ready(function() {
    var channelOptions = {
    tags: "".split(" "),
    id: "196"
    };
    initTagRenderer("".split(" "), "".split(" "), channelOptions);

    StackExchange.using("externalEditor", function() {
    // Have to fire editor after snippets, if snippets enabled
    if (StackExchange.settings.snippets.snippetsEnabled) {
    StackExchange.using("snippets", function() {
    createEditor();
    });
    }
    else {
    createEditor();
    }
    });

    function createEditor() {
    StackExchange.prepareEditor({
    heartbeatType: 'answer',
    convertImagesToLinks: false,
    noModals: true,
    showLowRepImageUploadWarning: true,
    reputationToPostImages: null,
    bindNavPrevention: true,
    postfix: "",
    imageUploader: {
    brandingHtml: "Powered by u003ca class="icon-imgur-white" href="https://imgur.com/"u003eu003c/au003e",
    contentPolicyHtml: "User contributions licensed under u003ca href="https://creativecommons.org/licenses/by-sa/3.0/"u003ecc by-sa 3.0 with attribution requiredu003c/au003e u003ca href="https://stackoverflow.com/legal/content-policy"u003e(content policy)u003c/au003e",
    allowUrls: true
    },
    onDemand: true,
    discardSelector: ".discard-answer"
    ,immediatelyShowMarkdownHelp:true
    });


    }
    });














    draft saved

    draft discarded


















    StackExchange.ready(
    function () {
    StackExchange.openid.initPostLogin('.new-post-login', 'https%3a%2f%2fcodereview.stackexchange.com%2fquestions%2f209246%2fextracting-and-reformatting-dates-from-text%23new-answer', 'question_page');
    }
    );

    Post as a guest















    Required, but never shown

























    1 Answer
    1






    active

    oldest

    votes








    1 Answer
    1






    active

    oldest

    votes









    active

    oldest

    votes






    active

    oldest

    votes








    up vote
    1
    down vote













    Whenever declaring a function that you only expect to use in the current file, mark it static.



    The (anonymous) user in the comments above is correct to indicate that accum is quite large; however, rather than allocating it statically as a global I'd suggest that it be allocated from the heap (malloc).



    printf("%sn", dates) is equivalent to puts(dates), but the latter is more efficient.



    Having to predeclare variables in C hasn't been needed since the 90s. Do not predeclare variables. Declare them where they're used; i.e.



    for (int i = 0;


    That loop doesn't do what you think it does. You're missing braces. The loop will only apply to the first if.



    j += 8


    Where does 8 come from? Declare this as a constant. Magic numbers are bad.



    It's pointless to have a return value for pickDates, so make it void.



    date_str in isDate should be a const char * because you shouldn't be modifying it. The same applies to dates in pickDates.



    Later, where you have a series of sprintf / strcat, do not use strcat, nor a tmp array. You can write to date_str via a temporary pointer that you increment based on the return value of sprintf.



    I suggest inverting this logic:



    if (dd < 32 && dd > 0 && mm < 13 && mm > 0 && yy > 0)
    {
    // ...
    return 1;
    }
    else return -1;


    to



    if (dd < 0 || dd > 31 || mm < 0 || mm > 12 || yy < 0)
    return -1;
    // ...
    return 1;


    Also, if that return value indicates success or failure, you should use a boolean from stdbool.h and use true/false instead of an integer.



    This:



    int i = 0;
    int dd = atoi(&date_str[i+1]);
    int mm = atoi(&date_str[i+4]);
    int yy = atoi(&date_str[i+7]);


    doesn't make a whole lot of sense; i might as well not exist and you might as well do



    int dd = atoi(date_str + 1),
    mm = atoi(date_str + 4),
    yy = atoi(date_str + 7);





    share|improve this answer

























      up vote
      1
      down vote













      Whenever declaring a function that you only expect to use in the current file, mark it static.



      The (anonymous) user in the comments above is correct to indicate that accum is quite large; however, rather than allocating it statically as a global I'd suggest that it be allocated from the heap (malloc).



      printf("%sn", dates) is equivalent to puts(dates), but the latter is more efficient.



      Having to predeclare variables in C hasn't been needed since the 90s. Do not predeclare variables. Declare them where they're used; i.e.



      for (int i = 0;


      That loop doesn't do what you think it does. You're missing braces. The loop will only apply to the first if.



      j += 8


      Where does 8 come from? Declare this as a constant. Magic numbers are bad.



      It's pointless to have a return value for pickDates, so make it void.



      date_str in isDate should be a const char * because you shouldn't be modifying it. The same applies to dates in pickDates.



      Later, where you have a series of sprintf / strcat, do not use strcat, nor a tmp array. You can write to date_str via a temporary pointer that you increment based on the return value of sprintf.



      I suggest inverting this logic:



      if (dd < 32 && dd > 0 && mm < 13 && mm > 0 && yy > 0)
      {
      // ...
      return 1;
      }
      else return -1;


      to



      if (dd < 0 || dd > 31 || mm < 0 || mm > 12 || yy < 0)
      return -1;
      // ...
      return 1;


      Also, if that return value indicates success or failure, you should use a boolean from stdbool.h and use true/false instead of an integer.



      This:



      int i = 0;
      int dd = atoi(&date_str[i+1]);
      int mm = atoi(&date_str[i+4]);
      int yy = atoi(&date_str[i+7]);


      doesn't make a whole lot of sense; i might as well not exist and you might as well do



      int dd = atoi(date_str + 1),
      mm = atoi(date_str + 4),
      yy = atoi(date_str + 7);





      share|improve this answer























        up vote
        1
        down vote










        up vote
        1
        down vote









        Whenever declaring a function that you only expect to use in the current file, mark it static.



        The (anonymous) user in the comments above is correct to indicate that accum is quite large; however, rather than allocating it statically as a global I'd suggest that it be allocated from the heap (malloc).



        printf("%sn", dates) is equivalent to puts(dates), but the latter is more efficient.



        Having to predeclare variables in C hasn't been needed since the 90s. Do not predeclare variables. Declare them where they're used; i.e.



        for (int i = 0;


        That loop doesn't do what you think it does. You're missing braces. The loop will only apply to the first if.



        j += 8


        Where does 8 come from? Declare this as a constant. Magic numbers are bad.



        It's pointless to have a return value for pickDates, so make it void.



        date_str in isDate should be a const char * because you shouldn't be modifying it. The same applies to dates in pickDates.



        Later, where you have a series of sprintf / strcat, do not use strcat, nor a tmp array. You can write to date_str via a temporary pointer that you increment based on the return value of sprintf.



        I suggest inverting this logic:



        if (dd < 32 && dd > 0 && mm < 13 && mm > 0 && yy > 0)
        {
        // ...
        return 1;
        }
        else return -1;


        to



        if (dd < 0 || dd > 31 || mm < 0 || mm > 12 || yy < 0)
        return -1;
        // ...
        return 1;


        Also, if that return value indicates success or failure, you should use a boolean from stdbool.h and use true/false instead of an integer.



        This:



        int i = 0;
        int dd = atoi(&date_str[i+1]);
        int mm = atoi(&date_str[i+4]);
        int yy = atoi(&date_str[i+7]);


        doesn't make a whole lot of sense; i might as well not exist and you might as well do



        int dd = atoi(date_str + 1),
        mm = atoi(date_str + 4),
        yy = atoi(date_str + 7);





        share|improve this answer












        Whenever declaring a function that you only expect to use in the current file, mark it static.



        The (anonymous) user in the comments above is correct to indicate that accum is quite large; however, rather than allocating it statically as a global I'd suggest that it be allocated from the heap (malloc).



        printf("%sn", dates) is equivalent to puts(dates), but the latter is more efficient.



        Having to predeclare variables in C hasn't been needed since the 90s. Do not predeclare variables. Declare them where they're used; i.e.



        for (int i = 0;


        That loop doesn't do what you think it does. You're missing braces. The loop will only apply to the first if.



        j += 8


        Where does 8 come from? Declare this as a constant. Magic numbers are bad.



        It's pointless to have a return value for pickDates, so make it void.



        date_str in isDate should be a const char * because you shouldn't be modifying it. The same applies to dates in pickDates.



        Later, where you have a series of sprintf / strcat, do not use strcat, nor a tmp array. You can write to date_str via a temporary pointer that you increment based on the return value of sprintf.



        I suggest inverting this logic:



        if (dd < 32 && dd > 0 && mm < 13 && mm > 0 && yy > 0)
        {
        // ...
        return 1;
        }
        else return -1;


        to



        if (dd < 0 || dd > 31 || mm < 0 || mm > 12 || yy < 0)
        return -1;
        // ...
        return 1;


        Also, if that return value indicates success or failure, you should use a boolean from stdbool.h and use true/false instead of an integer.



        This:



        int i = 0;
        int dd = atoi(&date_str[i+1]);
        int mm = atoi(&date_str[i+4]);
        int yy = atoi(&date_str[i+7]);


        doesn't make a whole lot of sense; i might as well not exist and you might as well do



        int dd = atoi(date_str + 1),
        mm = atoi(date_str + 4),
        yy = atoi(date_str + 7);






        share|improve this answer












        share|improve this answer



        share|improve this answer










        answered 2 hours ago









        Reinderien

        1,622616




        1,622616






























            draft saved

            draft discarded




















































            Thanks for contributing an answer to Code Review Stack Exchange!


            • Please be sure to answer the question. Provide details and share your research!

            But avoid



            • Asking for help, clarification, or responding to other answers.

            • Making statements based on opinion; back them up with references or personal experience.


            Use MathJax to format equations. MathJax reference.


            To learn more, see our tips on writing great answers.





            Some of your past answers have not been well-received, and you're in danger of being blocked from answering.


            Please pay close attention to the following guidance:


            • Please be sure to answer the question. Provide details and share your research!

            But avoid



            • Asking for help, clarification, or responding to other answers.

            • Making statements based on opinion; back them up with references or personal experience.


            To learn more, see our tips on writing great answers.




            draft saved


            draft discarded














            StackExchange.ready(
            function () {
            StackExchange.openid.initPostLogin('.new-post-login', 'https%3a%2f%2fcodereview.stackexchange.com%2fquestions%2f209246%2fextracting-and-reformatting-dates-from-text%23new-answer', 'question_page');
            }
            );

            Post as a guest















            Required, but never shown





















































            Required, but never shown














            Required, but never shown












            Required, but never shown







            Required, but never shown

































            Required, but never shown














            Required, but never shown












            Required, but never shown







            Required, but never shown







            Popular posts from this blog

            404 Error Contact Form 7 ajax form submitting

            How to know if a Active Directory user can login interactively

            TypeError: fit_transform() missing 1 required positional argument: 'X'