龙空技术网

如何快速清零结构体或数组——memset()方法

today 591

前言:

此刻姐妹们对“c语言结构体清零”大概比较讲究,你们都需要知道一些“c语言结构体清零”的相关内容。那么小编同时在网摘上网罗了一些对于“c语言结构体清零””的相关知识,希望我们能喜欢,同学们一起来学习一下吧!

void *memset(void *s,int ch,size_t n)

  功能是将s所指向的某一块内存中的每个字节的内容全部设置为ch指定的ASCII值, 块的大小由第三个参数指定,这个函数通常为新申请的内存做初始化工作, 其返回值为指向S的指针。memset的作用是在一段内存块中填充某个给定的值,它是对较大的结构体或数组进行清零操作的一种最快方法。

#include<iostream>using namespace std;void main(){	int i, a[20];	memset(a,1,20*sizeof(int));	for (i = 0;i<20;i++)		cout << a[i] <<endl;	system("pause");}  

为什么a数组的每个值没有被赋值为1 ? 因为程序a是整型的,使用 memset还是按字节赋值,就是对a指向的内存的20个字节进行赋值,每个都用ASCⅡ为1的字符去填充,转为二进制后,1就00000001,占一个字节。一个int元素是4字节,合一起就是00000001000000010000000100000001,就等于16843009,就完成了对一个int元素的赋值了。

#include<iostream>#include <string.h>using namespace std;int main(void){	char buffer[] = "Hello world\n";	memset(buffer, '*', strlen(buffer));	cout << buffer << endl;	system("pause");	return 0;}

同时memset()函数可以方便的清空一个结构类型的变量或数组​

struct student  stTest{    char stName[16];    int age;};

struct student stTest;

一般情况下清空stTest的方法是:

stTest.stName[0]={'\0'};

stTest.age=0;

用memset()函数:

memset(&stTest,0,sizeof( stTest));

如果是数组:

struct student stTest[10];

memset(stTest,0,10*sizeof(stTest));

标签: #c语言结构体清零