1.传递结构体成员
只要结构体成员是一个具有单个值的数据类型,便可把它作为参数传递给接受该特定类型的函数。
使用这种方式为函数传递参数与普通变量作为参数相同,都是以传值的方式传递的。
struct book
{
float price;
int page;
char title[50];
char author[50];
}Shot;
void modify(float stdata);
modify(Shot.price);
如果在被调函数中要修改结构体成员的值,就要传递成员的地址。
modify(&(Shot.price)); 传递成员地址
尽管 . 运算符的优先级很高,高于&取址运算符,但是仍然建议加上括号,是表达更加清晰。
2.传递结构体
使用结构体变量作为函数的参数时,也是传值的,会将结构体变量的全部内存单元的内容拷贝一份传递给被调函数。被调函数的形参也必须是同类型的结构体类型。
struct book
{
float price;
int page;
char title[50];
char author[50];
}Shot;
void modify(struct book stdata);
modify(Shot);
3.传递结构体地址
在传值的过程中,程序的空间和时间开销比较大,且传递的是一份拷贝,并不能改变实参本身的值。为了解决以上问题,使用结构体指针是一个更好的办法。
需要注意的是,结构体变量名与数组变量名不同,结构体变量名不是它的地址。
struct book
{
float price;
int page;
char title[50];
char author[50];
}Shot;
void modify(struct book* stdata );
modify(&Shot);
示例2:
int create_user(Account* act)
{
act->user = 1001;
act->money = 0;
char filename[40] = {};
sprintf(filename,"%ld.txt",act->user);
int fd = open(filename,O_WRONLY|O_CREAT|O_EXCL,0644);
if(0 > fd)
{
perror("open");
return -1;
}
write(fd,act,sizeof(Account));
user++;
puts("保存账户成功");
close(fd);
return 0;
}
在被调函数modify中,要使用指向运算符->访问结构体成员或者使用括号,因为他的参数是一个结构体指针
实参还有第二种写法,将实参直接定义为结构体指针
struct book
{
float price;
int page;
char title[50];
char author[50];
}Shot;
struct book* bk_point =&Shot;
void modify(struct book* stdata );
modify(bk_point);