数据结构–串的存储结构
data:image/s3,"s3://crabby-images/246a2/246a22bed56636ae245bac9961f08749a765bda6" alt=""
串的顺序存储
静态数组实现(定长顺序存储)
#define MAXLEN 255
typedef struct
{
char ch[MAXLEN];
int length;
}SString;
动态数组实现(堆分配存储)
typedef struct
{
char* ch;
int length;
}HString;
int main()
{
HString S;
S.ch = (char*)malloc(sizeof(char) * MAXLEN);
return 0;
}
data:image/s3,"s3://crabby-images/98746/98746637e7e621a0a17f82b640b2c50ff265cc99" alt=""
方案一:
data:image/s3,"s3://crabby-images/225a6/225a6f2c6c83c0f56f3790fbeae1e451093a12b3" alt=""
方案二:
data:image/s3,"s3://crabby-images/8f259/8f2592faebc9cd8a0dfb08bdf005eda38625dc01" alt=""
优点 : 字符的位序和数组下标相同 \color{purple}优点:字符的位序和数组下标相同 优点:字符的位序和数组下标相同
方案三:
data:image/s3,"s3://crabby-images/2c6f3/2c6f35c380ef6b74e7aef3845002b1e464f23d62" alt=""
没有 L e n g t h 变量 , 以字 符 ′ \ 0 ′ 表示结尾 ( 对应 A S C I I 码的 \ 0 ) \color{purple}没有Length变量,以字符'\backslash0'表示结尾(对应ASCII码的\backslash0) 没有Length变量,以字符′\0′表示结尾(对应ASCII码的\0)
方案四:
data:image/s3,"s3://crabby-images/6b391/6b3914d8e39b0260fe59ee05d9adc151c442c0fb" alt=""
串的链式存储
typedef struct StringNode
{
char ch;
struct StringNode* next;
}StringNode, *String;
data:image/s3,"s3://crabby-images/fdce5/fdce56004c8a9548e6ae66ad30f8bd479a616485" alt=""
typedef struct StringNode
{
char ch[4]; //每个结点存多个字符
struct StringNode* next;
}StringNode, *String;
data:image/s3,"s3://crabby-images/7f172/7f17280158dc858fa2687e45365e7a9df811b593" alt=""
基本操作的实现
data:image/s3,"s3://crabby-images/6b391/6b3914d8e39b0260fe59ee05d9adc151c442c0fb" alt=""
#define MAXLEN 255
typedef struct
{
char ch[MAXLEN];
int length;
}SString;
StrAssign(&T,chars):赋值操作。把串T赋值为chars。StrCopy(&T,S):复制操作。由串s复制得到串干。
StrEmpty(S):判空操作。若s为空串,则返回TRUE,否则返回FALSE。StrLength(S):求串长。返回串s的元素个数。
ClearString(&S):清空操作。将s清为空串。
DestroyString(&S):销毁串。将串s销毁(回收存储空间)。Concat(&T,S1,S2):串联接。用T返回由S1和S2联接而成的新串
S u b S t r i n g ( & S u b , S , p o s , l e n ) \color{red}SubString(\&Sub,S,pos,len) SubString(&Sub,S,pos,len):求子串。用Sub返回串S的第pos个字符起长度为len的子串。
bool SubString(SString &Sub, SString S, int pos, int len)
{
if (pos + len - 1 > S.length) return false;
for (int i = pos; i < pos + len; i++)
Sub.ch[i - pos + 1] = S.ch[i];
Sub.length = len;
return true;
}
S t r C o m p a r e ( S , T ) \color{red}StrCompare(S,T) StrCompare(S,T):比较操作。若S>T,则返回值>0;若S=T,则返回值=0;若S<T,则返回值<0。
int StrCompare(SString S, SString T)
{
for (int i = 1; i <= S.length && i <= T.length; i++)
if (S.ch[i] != T.ch[i])
return S.ch[i] - T.ch[i];
return S.length - T.length;
}
I n d e x ( S , T ) \color{red}Index(S,T) Index(S,T):定位操作。若主串S中存在与串T值相同的子串,则返回它在主串S中第一次出现的位置;否则函数值为0。
int Index(SString S, SString T)
{
int i = 1, n = S.length, m = T.length;
SString sub;
while (i <= n - m + 1)
{
SubString(sub, S, i, m);
if (StrCompare(sub, T) != 0) i++;
else return i;
}
return 0;
}
知识回顾与重要考点
data:image/s3,"s3://crabby-images/a8bfb/a8bfbbe44e74e5d15d87569a341c01a0d7d74b87" alt=""