函数 free 的原型如下:
void free( void * memblock ); 为什么 free 函数不象 malloc 函数那样复杂呢?
这是因为指针 p 的类型以及它所指 的内存的容量事先都是知道的,语句 free(p)能正确地释放内存。
如果 p 是 NULL 指针, 那么 free 对 p 无论操作多少次都不会出问题。
如果 p 不是 NULL 指针,那么 free 对 p 连续操作两次就会导致程序运行错误
#include <iostream> /* run this program using the console pauser or add your own getch, system("pause") or input loop */
using namespace std;
//声明引用参数的函数模板原型
template <class T> void swap(T &x, T &y); //定义一个结构类型
struct student {
int n;
char name[];
float grade;
}; int main(int argc, char** argv) {
//交换两个int型变量中的数据
int m=,n=;
cout<<"m="<<m<<" n="<<n<<endl;
swap(m,n);
cout<<"m="<<m<<" n="<<n<<endl;
cout<<"-------------------"<<endl; //交换两个double型变量中的数据
double x=3.5,y=5.7;
cout<<"x="<<x<<" y="<<y<<endl;
swap(x,y);
cout<<"x="<<x<<" y="<<y<<endl;
cout<<"-------------------"<<endl; //交换两个char型变量中的数据
char c1='A',c2='a';
cout<<"c1="<<c1<<" c2="<<c2<<endl;
swap(c1,c2);
cout<<"c1="<<c1<<" c2="<<c2<<endl;
cout<<"-------------------"<<endl; //交换两个结构变量中的数据
student s1={,"ZhangHua",};
student s2={,"LiWei",95.5};
cout<<"s1: ";
cout<<s1.n<<" "<<s1.name<<" "<<s1.grade<<endl;
cout<<"s2: ";
cout<<s2.n<<" "<<s2.name<<" "<<s2.grade<<endl;
swap(s1,s2);
cout<<"swap(s1,s2):"<<endl;
cout<<"s1: ";
cout<<s1.n<<" "<<s1.name<<" "<<s1.grade<<endl;
cout<<"s2: ";
cout<<s2.n<<" "<<s2.name<<" "<<s2.grade<<endl;
return ;
} //定义名为swap的函数模板用于交换两个变量中的数据
template <class T> void swap(T &x, T &y)
{
T temp;
temp=x;
x=y;
y=temp;
}