1、动态申请一维内存
(1)、用malloc函数
#include <stdio.h>
#include <string.h>
#include <malloc.h>
int main()
{
int n=5;
int *temp;
temp=(int*)malloc(sizeof(int)*n);
for(int i=0;i<n;i++)
{
temp[i]=i;
}
for(i=0;i<n;i++)
{
printf("%d ",temp[i]);
}
free(temp);
return 0;
}
(2)用new
#include <iostream>
using namespace std;
int main()
{
int n=5;
int *temp;
temp=new int[n];
for(int i=0;i<n;i++)
{
temp[i]=i;
}
for(i=0;i<n;i++)
{
printf("%d ",temp[i]);
}
delete [] temp;
return 0;
}
2、动态申请二维内存
(1)、用malloc函数
#include <stdio.h>
#include <string.h>
#include <malloc.h>
int main()
{
int n=5; //n表示行
int **temp;
int m=2; //m为列
temp=(int**)malloc(sizeof(int *)*n);
for(int k=0;k<n;k++)
temp[k]=(int *)malloc(sizeof(int)*m);
for(int i=0;i<n;i++)
{
for(int j=0;j<m;j++)
temp[i][j]=i*m+j;
}
for(i=0;i<n;i++)
{
for(int j=0;j<m;j++)
printf("%d ",temp[i][j]);
printf("\n");
}
free(temp);
return 0;
}
(2)、使用new
#include <iostream>
using namespace std;
int main()
{
int n=5; //n表示行
int **temp;
int m=2; //m为列
temp=new int*[n];
for(int k=0;k<n;k++)
{
temp[k]=new int[m];
}
for(int i=0;i<n;i++)
{
for(int j=0;j<m;j++)
temp[i][j]=i*m+j;
}
for(i=0;i<n;i++)
{
for(int j=0;j<m;j++)
printf("%d ",temp[i][j]);
printf("\n");
}
delete [] temp;
return 0;
}