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



我是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++具有智能指针的概念,尤其是为此。您能否帮助我将上述逻辑转换为使用智能指针。

提前谢谢。

没有理由使用指针和动态分配的内存。使用自动存储持续时间:

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;
};

使用唯一的指针std::unique_ptr 。如果使用 c++14 及更高版本进行编码,则可以从创建 myStruct 对象并将其包装在唯一指针周围的std::make_unique中受益。

但是,即使您不使用 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;
}

在线示例:https://rextester.com/TLIPO27824

相关内容

  • 没有找到相关文章

最新更新