最近在看c和指针,这本经典著作,加固下对指针的学习
看到指针一章有这么一个例子,find_char,形参是个指针数组,但原著并没有在这里做过多解释,我也是查阅了后面的章节才得以理解,所以这里记录下
int find_char( char **strings, char value)
{
char *string; //我们当前正在查找的字符串
//对于列表中的每个字符串
while( (string = *strings++) != NULL)
{
//观察字符串中的每个字符,看看它是否是我们查找的那个
while( *string != '/0')
{
if( *string++ == value )
return TRUE;
}
}
return FALSE;
}
上述函数用了一个临时变量,并不是效率最高的方法,但是我们用来说明指针数组足够了
比较疑惑的是,这个函数的形参是**strings,但是我们传入的实参到底是个什么东西
实际上是个指针数组,如下声明:
char *strings[10];//指针数组
*strings[10] = {
"do", "for","test", NULL
}
实际上指针数组,看起来和二维数组有点像,*string是指向”do”字符串第一位的指针,string是一个指向指针的指针,如果我们声明一个二维数组
int matrix[3][10]
那么matrix可以看作是一个指向指针的指针,**matrix实际上是第一个字符的值
但实际上我们看下面的声明
char massage1[] = “Hello”;
char *massage2 = “Hello”;
虽然非常类似,但上面是数组,下面是一个字符串常量,和我们在指针数组声明中的一样
下面的例子没有用临时变量,效率比较高,在这里我们就不过多的解释了
#include <stdio.h>
#define TRUE 1
#define FALSE 0
#define LENGTH 10
int find_char( char **strings, int value)
{
//对于列表中的每个字符串
while( *strings != NULL)
{
//观察字符串中的每个字符,看看它是否是我们查找的那个
while( **strings != '/0')
{
if( *(*strings)++ == value )
return TRUE;
}
strings++;//改变了strings指针指向的位置,strings指针最后会等于NULL
}
return FALSE;
}
void main()
{
char* str[LENGTH] = {"hello", "world", NULL};
char ch = 'd';
printf("The original string is /"%s %s/"/n", str[0], str[1]);
if( find_char(str, ch) == TRUE )
{
printf("%c was found!/n", ch);
}
else
{
printf("%c was not found!/n", ch);
}
printf("The string now is /"%s %s/"/n", str[0], str[1]);
}
**粗体** _斜体_ [链接](http://example.com) `代码` - 列表 > 引用
。你还可以使用@
来通知其他用户。