从函数C ++ 11安全返回和处理动态分配的内存

时间:2019-03-26 14:04:18

标签: c++ c++11 smart-pointers dynamic-memory-allocation

我是C ++的新手,因此也是智能指针概念和用法的新手。我想为函数中的结构动态分配内存,然后一旦接收器完成使用该内存的分配。我希望唯一(不共享)的接收器可以安全地释放内存。类似于以下内容:

typedef struct {
  int x;
  int y;
} myStruct;

myStruct* initMem(void)
{
   myStruct* result = new myStruct();
   result->x = 12;
   result->y = 14;
   return result;
}

int main()
{
  cout << ">>>>> Main | STARTED <<<<<" << endl;
  myStruct* w = initMem();
  cout << w->x << endl;
  cout << w->y << endl;
  delete w;
  return 1;
}

注意:以上只是我想要实现的示例示例。结构要复杂得多,我只需要使用动态内存分配。

我读到在C ++中使用原始指针进行动态内存管理是不好的,因为C ++特别是具有智能指针的概念。您能帮我将上述逻辑转换为使用智能指针吗?

谢谢。

2 个答案:

答案 0 :(得分:1)

没有理由使用指针和动态分配的内存。使用自动存储期限:

myStruct initMem()
{
   myStruct result{};
   result.x = 12;
   result.y = 14;
   return result;
}

int main()
{
  cout << ">>>>> Main | STARTED <<<<<" << endl;
  myStruct w = initMem();
  cout << w.x << endl;
  cout << w.y << endl;
}

如果您有充分的理由使用动态分配的内存,则必须遵守RAII原则。标准库中的智能指针就是这样做的:

std::unique_ptr<myStruct> initMem(void)
{
   auto result = std::make_unique<myStruct>();
   result->x = 12;
   result->y = 14;
   return result;
}

int main()
{
  std::cout << ">>>>> Main | STARTED <<<<<" << std::endl;
  std::unique_ptr<myStruct> w = initMem();
  std::cout << w->x << std::endl;
  std::cout << w->y << std::endl;
}


在C ++中,您也不需要typedef。实际上,不使用它是惯用的:

struct myStruct {
  int x;
  int y;
};

答案 1 :(得分:1)

使用唯一指针estimated as approaching 2,000,000,000,000,000,000 bytes。如果使用c ++ 14和更高版本进行编码,则可以从std::unique_ptr中受益,它创建了一个myStruct对象并将其包装在唯一的指针周围。

但是,即使您不使用c ++ 14或更高版本,也可以自己创建make_unique函数并相应地使用它。

template<typename T, typename... Args>
std::unique_ptr<T> make_unique(Args&&... args)
{
    return std::unique_ptr<T>(new T(std::forward<Args>(args)...));
}

因此,在c ++ 11中,以下示例将使用make_unique而不是std::make_unique

#include <iostream>
#include <memory>

struct myStruct
{
    int x;
    int y;

    myStruct(int x_, int y_) : x(x_), y(y_)
    {
        std::cout<< "Calling user-def constructor..." <<std::endl;
    }

    ~myStruct()
    {
        std::cout<< "Calling default destructor..." <<std::endl;
    }
};

int main()
{
    std::cout << ">>>>> Main | STARTED <<<<<" << std::endl;

    std::unique_ptr<myStruct> ptr = std::make_unique<myStruct>(2,3);

    std::cout<< ptr->x << "," << ptr->y <<std::endl;
}

在线示例:std::make_unique