用C ++动态改变指针的大小

时间:2011-12-14 08:50:59

标签: c++ struct new-operator dynamic-allocation

我有以下结构

typedef struct DeviceInfo
{
    char[30] name;
    char[30] serial Number;

}DeviceInfo;

I am doing this    

DeviceInfo* m_DeviceInfo = new DeviceInfo[4];

// Populate m_DeviceInfo 

然后我想将m_DeviceInfo的大小调整为6,并希望保留 前4个值。

如何在c ++中完成?

8 个答案:

答案 0 :(得分:6)

使用常规数组无法做到这一点。我建议你使用vector,当你向它添加更多元素时它会增长(所以你甚至不必指定初始大小)。

答案 1 :(得分:3)

好的C ++方法是使用适当的容器。显然,您应该使用std::vector容器,例如:

std::vector<DeviceInfo> m_DeviceInfo;
m_DeviceInfo.resize(4);

这需要对 DeviceInfo 进行一些限制。特别是,它应该有一个没有参数的构造函数,以及复制构造函数......

你的问题很严厉。你肯定不会改变sizeof(DeviceInfo*),它在32位机器上可能是4个字节,在64位机器上是8个字节。

答案 2 :(得分:3)

1)创建一个适合的新数组,并将旧数组的所有元素复制到新数组中。

2)使用std::vector(我的推荐)。

答案 3 :(得分:3)

您的问题有两种选择,这取决于您是否要使用STL。

typedef struct DeviceInfo
{
   char[30] name;
   char[30] serial Number;

} DeviceInfo;

使用STL:

//requires vector.h
vector<DeviceInfo> m_deviceInfo;

DeviceInfo dummy;
dummy.name = "dummyName";
dummy.serialNumber = "1234"; 

m_deviceInfo.insert(m_deviceInfo.begin(), dummy); 
//add as many DeviceInfo instance you need the same way

或没有STL:

//implement this 
DeviceInfo* reallocArray(DeviceInfo* arr, int curItemNum, int newItemNumber)
{
   DeviceInfo* buf = new DeviceInfo[newItemNumber];

   for(int i = 0; i < curItemNum; i++)
     buf[i] = arr[i];

   for(int i = curItemNum; i < newItemNumber; i++)
     buf[i] = null;
}

//and in your main code
DeviceInfo m_DeviceInfo = new DeviceInfo[4];

m_DeviceInfo = reallocArray( m_DeviceInfo, 4, 6 );

答案 4 :(得分:2)

m_DeviceInfo指向4个元素的DeviceInfo数组。数组没有调整大小。相反,您应该删除并使用6个元素创建它。

DeviceInfo * m_DeviceInfo2 = new DeviceInfo[6]; 
memcopy( m_DeviceInfo,m_DeviceInfo2, 4 );
delete[] m_DeviceInfo;

但你应该使用矢量。

std::vector<DeviceInfo> m_DeviceInfo;
// or 
std::vector<std::shared_ptr<DeviceInfo>> m_DeviceInfo;

调整大小

m_DeviceInfo.resize(m_DeviceInfo.size()+ 2);

答案 5 :(得分:2)

最好的解决方案是在程序中使用 vector

请参阅此网站http://www.yolinux.com/TUTORIALS/LinuxTutorialC++STL.html#VECTOR

此网站将帮助您解决问题。

在这里你可以推送数据。不需要担心结构的大小。

答案 6 :(得分:1)

您的语法错误:

DeviceInfo m_DeviceInfo = new DeviceInfo[4];

应该是:

DeviceInfo* m_DeviceInfo = new DeviceInfo[4];

更好的选择是使用std::vector

std::vector<DeviceInfo> vec;

//populate:
DeviceInfo inf;
vec.push_back(inf);
vec.push_back(inf);
//....

答案 7 :(得分:0)

有很多方法可以做到这一点,但是 你应该在c ++中使用realloc函数。它将重新分配连续的内存,并将先前内存的值复制到新内存中。例如:

temp_DevInfo = (DeviceInfo*) realloc (m_DeviceInfo, (2) * sizeof(struct DeviceInfo));
free(m_DeviceInfo);
m_deviceInfo = temp_DevInfo;

你做2 * sizeof(DeviceInfo),因为你想再增加2个,加上之前的4个是6个。 那么你应该释放/删除以前的对象。 最后设置旧指针指向刚刚分配的新对象。

应该是它的要点

查看realloc的文档。