C examples for Structure:Structure Value
Use pointers and malloc() for structure
#include <stdio.h> #include <string.h> // for strcpy(), strlen() #include <stdlib.h> // for malloc(), free() #define SLEN 81/*from w w w. j a v a 2 s . c o m*/ struct NameStructure { char * fname; // using pointers char * lname; int letters; }; void getinfo(struct NameStructure *); // allocates memory void makeinfo(struct NameStructure *); void showinfo(const struct NameStructure *); void cleanup(struct NameStructure *); // free memory when done char * s_gets(char * st, int n); int main(void) { struct NameStructure person; getinfo(&person); makeinfo(&person); showinfo(&person); cleanup(&person); return 0; } void getinfo (struct NameStructure * pst) { char temp[SLEN]; printf("Please enter your first name.\n"); s_gets(temp, SLEN); // allocate memory to hold name pst->fname = (char *) malloc(strlen(temp) + 1); // copy name to allocated memory strcpy(pst->fname, temp); printf("Please enter your last name.\n"); s_gets(temp, SLEN); pst->lname = (char *) malloc(strlen(temp) + 1); strcpy(pst->lname, temp); } void makeinfo (struct NameStructure * pst) { pst->letters = strlen(pst->fname) + strlen(pst->lname); } void showinfo (const struct NameStructure * pst) { printf("%s %s, your name contains %d letters.\n", pst->fname, pst->lname, pst->letters); } void cleanup(struct NameStructure * pst) { free(pst->fname); free(pst->lname); } char * s_gets(char * st, int n) { char * ret_val; char * find; ret_val = fgets(st, n, stdin); if (ret_val) { find = strchr(st, '\n'); // look for newline if (find) // if the address is not NULL, *find = '\0'; // place a null character there else while (getchar() != '\n') continue; // dispose of rest of line } return ret_val; }