首页 > 代码库 > K&R_6.5用二叉树统计单词出现的次数
K&R_6.5用二叉树统计单词出现的次数
因为预先不知道出现的单词列表,无法方便地排序并使用折半查找;也不能分别对输入中的每个单词都执行一次线性查找,开销太大-->O(n^n)。
所以考虑使用二叉树的数据结构(O(n*logn))来组织这些单词,实现如下:
-----
/* * My practice of K&R 6.5 * */ #include <stdio.h> #include <stdlib.h> #include <string.h> #include <ctype.h> #define MAXWORD 100 /* a binary tree node */ typedef struct tnode_ { char *word; int count; struct tnode_ *left; struct tnode_ *right; } tnode; void print_tree(tnode *root); tnode *add_tree(tnode *root, char *word); void free_node(tnode *root); char *copy_string(char *s) { char *p = (char *)malloc(strlen(s)+1); if(p != NULL) { strcpy(p, s); } return p; } tnode *add_tree(tnode *p, char *word) { int result; if(p == NULL) { p = (tnode *)malloc(sizeof(tnode)); p->word= copy_string(word); // Attention ! p->count = 1; p->left = NULL; p->right = NULL; } else { result = strcmp(word, p->word); if(result < 0) { p->left = add_tree(p->left, word); } else if(result > 0) { p->right = add_tree(p->right, word); } else { p->count++; } } return p; } void print_tree(tnode *p) { if(p) { print_tree(p->left); printf("%s\t : %4d\n", p->word, p->count); print_tree(p->right); } } void free_node(tnode *p) { if(p) { free_node(p->left); free_node(p->right); free(p->word); free(p); } } int getword(char *word, int n) { int c; char *w = word; while(isspace(c = getchar())) { ; } if(c != EOF) { *w++ = c; } if(!isalpha(c)) { *w = '\0'; return c; } while(n > 0) { c = getchar(); if(isalnum(c)) { *w++ = c; } else { break; } n--; } *w = '\0'; return w[0]; } int main() { tnode *root = NULL; // 指针一定要初始化为NULL char word[MAXWORD]; while((getword(word, MAXWORD)) != EOF) { if(isalnum(word[0])) { root = add_tree(root, word); } } print_tree(root); free_node(root); return 0; }
github:https://github.com/wusuopubupt/LearningC/blob/master/K%26R/chp6/binary_tree_word_counter.c
参考:http://blog.csdn.net/roma823/article/details/6669925
K&R_6.5用二叉树统计单词出现的次数
声明:以上内容来自用户投稿及互联网公开渠道收集整理发布,本网站不拥有所有权,未作人工编辑处理,也不承担相关法律责任,若内容有误或涉及侵权可进行投诉: 投诉/举报 工作人员会在5个工作日内联系你,一经查实,本站将立刻删除涉嫌侵权内容。