问题 J: 单词检查(Ⅱ)- 二叉排序树实现
许多应用程序,如字处理软件,邮件客户端等,都包含了单词检查特性。单词检查是根据字典,找出输入文本中拼错的单词,我们认为凡是不出现在字典中的单词都是错误单词。不仅如此,一些检查程序还能给出类似拼错单词的修改建议单词。 例如字典由下面几个单词组成:
bake cake main rain vase
如果输入文件中有词vake ,检查程序就能发现其是一个错误的单词,并且给出 bake, cake或vase做为修改建议单词。
修改建议单词可以采用如下生成技术:
(1)在每一个可能位置插入‘a-‘z’中的一者
(2)删除单词中的一个字符
(3)用‘a’-'z’中的一者取代单词中的任一字符
很明显拼写检查程序的核心操作是在字典中查找某个单词,如果字典很大,性能无疑是非常关键的。
你写的程序要求读入字典文件,然后对一个输入文件的单词进行检查,列出其中的错误单词并给出修改建议。
本题要求使用使用二叉排序树维护字典。为了防止有些人取巧,本题要求输出相应的二叉排序树后序遍历。
输入
输入分为两部分。
第一部分是字典,每个单词占据一行,最后以仅包含’#'的一行表示结束。所有的单词都是不同的,字典中最多10000个单词。
输入的第二部分包含了所有待检测的单词,单词数目不超过50。每个单词占据一行,最后以仅包含’#'的一行表示结束。
字典中的单词和待检测的单词均由小写字母组成,并且单词最大长度为15。
输出
第一行输出二叉排序树字典的后序遍历,每一个单词后面跟一个空格。
然后按照检查次序每个单词输出一行,该行首先输出单词自身。如果单词在字典中出现,接着输出" is correct"。如果单词是错误的,那么接着输出’:’,如果字典中有建议修改单词,则按照字典中出现的先后次序输出所有的建议修改单词(每个前面都添加一个空格),如果无建议修改单词,在’:'后直接换行。
样例输入
i
is
has
have
be
my
more
contest
me
too
if
award
me
aware
m
contest
hav
oo
or
i
fi
mre
样例输出
award contest be have has if me more too my is i
me is correct
aware: award
m: i my me
contest is correct
hav: has have
oo: too
or:
i is correct
fi: i
mre: more me
#include
#include
#include
#define max 10000
typedef struct
{
char elem[16];
int length;
}Sqlist;
typedef struct BiTnode
{
char data[16];
struct BiTnode *lchild,*rchild;
}BiTnode,*Bitree;
Sqlist L[ max ] , T;
int n = 0,m = 0;
Bitree G;
void IF_simple( Sqlist S )
{
int i = 0, j ,t ,sum ,flag = 1;
for( ; i < n ; i++ )
{
if( ! strcmp( L[i].elem , S.elem ) )
{
printf("%s is correct\n",S.elem);
flag = 0 ;
break;
}
}
if( flag )
{
printf("%s:",S.elem);
for( i = 0; i < n ; i++ )
{
if( S.length == L[i].length + 1)
{
for( j = 0,t = 0,sum = 0; L[i].elem[j] != '\0' ; j++,t++ )
{
if( L[i].elem[j] != S.elem[t] ) { sum++; j--; }
if( sum > 1) break;
}
if( sum <= 1 ) printf(" %s",L[i].elem);
}
if( S.length == L[i].length - 1)
{
for( j = 0,t = 0,sum = 0; S.elem[t] != '\0' ; j++,t++ )
{
if( L[i].elem[j] != S.elem[t] ) { sum++; t--; }
if( sum > 1) break;
}
if( sum <= 1 ) printf(" %s",L[i].elem);
}
if( S.length == L[i].length )
{
for( j = 0,t = 0,sum = 0; S.elem[t] != '\0' ; j++,t++ )
{
if( L[i].elem[j] != S.elem[t] ) sum++;
if( sum > 1) break;
}
if( sum <= 1 ) printf(" %s",L[i].elem);
}
}
printf("\n");
}
}
void INorder( Bitree G )
{
if( G )
{
INorder( G->lchild);
INorder( G->rchild);
printf("%s ",G->data);
}
}
Bitree CreateBItree( char *h , Bitree G )
{
if( !G )
{
G = (Bitree)malloc(sizeof(struct BiTnode));
strcpy(G->data,h);
G->lchild = G->rchild = NULL;
}
else if( strcmp( h , G->data ) > 0 )
G->rchild = CreateBItree( h , G->rchild );
else if( strcmp( h , G->data ) < 0)
G->lchild = CreateBItree( h , G->lchild );
return G;
}
int main()
{
while( gets(L[n].elem) )
{
if( L[n].elem[0] == '#') break;
L[n].length = strlen( L[n].elem );
G = CreateBItree( L[n].elem , G );
n++;
}
INorder( G );
printf("\n");
while( gets(T.elem) )
{
if( T.elem[0] == '#') break;
T.length = strlen( T.elem );
IF_simple( T );
}
return 0;
}