Home > Article > Backend Development > How can I safely downcast a `unique_ptr` to a `unique_ptr` in C ?
Introduction:
In $texttt{C }$ programming, we may encounter scenarios where we need to convert or "downcast" a $texttt{unique_ptr}$ of a base class $texttt{Base}$ to a $texttt{unique_ptr}$ of a derived class $texttt{Derived}$. This process involves casting the raw pointer stored within the $texttt{unique_ptr}$ to the desired derived type while maintaining ownership semantics.
Casting via Releasing and Reassigning:
The question proposes a method of releasing the object from the $texttt{unique_ptr}$ and then casting the raw pointer to the desired derived type. This approach is conceptually valid, but it has a potential drawback: the object's lifetime is momentarily managed by a raw pointer, which could lead to memory leaks if the caller fails to properly handle the $texttt{unique_ptr}$ afterwards.
Alternative: Static and Dynamic Unique Pointer Casting:
To address this issue, we can leverage the following function templates:
Implementation:
template<typename Derived, typename Base, typename Del> std::unique_ptr<Derived, Del> static_unique_ptr_cast(std::unique_ptr<Base, Del>&& p) { auto d = static_cast<Derived *>(p.release()); return std::unique_ptr<Derived, Del>(d, std::move(p.get_deleter())); } template<typename Derived, typename Base, typename Del> std::unique_ptr<Derived, Del> dynamic_unique_ptr_cast(std::unique_ptr<Base, Del>&& p) { if (Derived *result = dynamic_cast<Derived *>(p.get())) { p.release(); return std::unique_ptr<Derived, Del>(result, std::move(p.get_deleter())); } return std::unique_ptr<Derived, Del>(nullptr, p.get_deleter()); }
Usage:
Use $texttt{static_unique_ptr_cast}$ when you're certain about the derived type. Otherwise, use $texttt{dynamic_unique_ptr_cast}$ to check for the correct type at runtime. These functions employ rvalue references to prevent unintentional modifications to the original $texttt{unique_ptr}$.
The above is the detailed content of How can I safely downcast a `unique_ptr` to a `unique_ptr` in C ?. For more information, please follow other related articles on the PHP Chinese website!