2016-02-23 14:53:31 +02:00
|
|
|
#pragma once
|
2023-04-01 06:18:41 +03:00
|
|
|
///@file
|
2016-02-23 14:53:31 +02:00
|
|
|
|
|
|
|
#include <memory>
|
|
|
|
#include <exception>
|
2016-03-15 13:11:27 +02:00
|
|
|
#include <stdexcept>
|
2016-02-23 14:53:31 +02:00
|
|
|
|
|
|
|
namespace nix {
|
|
|
|
|
2023-03-27 04:12:25 +03:00
|
|
|
/**
|
|
|
|
* A simple non-nullable reference-counted pointer. Actually a wrapper
|
|
|
|
* around std::shared_ptr that prevents null constructions.
|
|
|
|
*/
|
2016-02-23 14:53:31 +02:00
|
|
|
template<typename T>
|
|
|
|
class ref
|
|
|
|
{
|
|
|
|
private:
|
|
|
|
|
|
|
|
std::shared_ptr<T> p;
|
|
|
|
|
|
|
|
public:
|
|
|
|
|
2021-10-13 21:03:33 +03:00
|
|
|
ref(const ref<T> & r)
|
2016-02-23 14:53:31 +02:00
|
|
|
: p(r.p)
|
|
|
|
{ }
|
|
|
|
|
|
|
|
explicit ref<T>(const std::shared_ptr<T> & p)
|
|
|
|
: p(p)
|
|
|
|
{
|
|
|
|
if (!p)
|
|
|
|
throw std::invalid_argument("null pointer cast to ref");
|
|
|
|
}
|
|
|
|
|
2016-05-03 15:45:50 +03:00
|
|
|
explicit ref<T>(T * p)
|
|
|
|
: p(p)
|
|
|
|
{
|
|
|
|
if (!p)
|
|
|
|
throw std::invalid_argument("null pointer cast to ref");
|
|
|
|
}
|
|
|
|
|
2016-02-23 14:53:31 +02:00
|
|
|
T* operator ->() const
|
|
|
|
{
|
|
|
|
return &*p;
|
|
|
|
}
|
|
|
|
|
|
|
|
T& operator *() const
|
|
|
|
{
|
|
|
|
return *p;
|
|
|
|
}
|
|
|
|
|
2016-06-02 14:33:49 +03:00
|
|
|
operator std::shared_ptr<T> () const
|
|
|
|
{
|
|
|
|
return p;
|
|
|
|
}
|
|
|
|
|
|
|
|
std::shared_ptr<T> get_ptr() const
|
2016-02-23 14:53:31 +02:00
|
|
|
{
|
|
|
|
return p;
|
|
|
|
}
|
|
|
|
|
2016-04-19 19:50:15 +03:00
|
|
|
template<typename T2>
|
2016-06-02 14:33:49 +03:00
|
|
|
ref<T2> cast() const
|
2016-04-19 19:50:15 +03:00
|
|
|
{
|
|
|
|
return ref<T2>(std::dynamic_pointer_cast<T2>(p));
|
|
|
|
}
|
|
|
|
|
2016-02-23 14:53:31 +02:00
|
|
|
template<typename T2>
|
2016-06-02 14:33:49 +03:00
|
|
|
std::shared_ptr<T2> dynamic_pointer_cast() const
|
|
|
|
{
|
|
|
|
return std::dynamic_pointer_cast<T2>(p);
|
|
|
|
}
|
|
|
|
|
|
|
|
template<typename T2>
|
|
|
|
operator ref<T2> () const
|
2016-02-23 14:53:31 +02:00
|
|
|
{
|
|
|
|
return ref<T2>((std::shared_ptr<T2>) p);
|
|
|
|
}
|
|
|
|
|
2021-06-25 15:43:06 +03:00
|
|
|
bool operator == (const ref<T> & other) const
|
|
|
|
{
|
|
|
|
return p == other.p;
|
|
|
|
}
|
|
|
|
|
|
|
|
bool operator != (const ref<T> & other) const
|
|
|
|
{
|
|
|
|
return p != other.p;
|
|
|
|
}
|
|
|
|
|
2022-12-07 13:58:58 +02:00
|
|
|
bool operator < (const ref<T> & other) const
|
|
|
|
{
|
|
|
|
return p < other.p;
|
|
|
|
}
|
|
|
|
|
2016-02-23 14:53:31 +02:00
|
|
|
private:
|
|
|
|
|
|
|
|
template<typename T2, typename... Args>
|
|
|
|
friend ref<T2>
|
|
|
|
make_ref(Args&&... args);
|
|
|
|
|
|
|
|
};
|
|
|
|
|
|
|
|
template<typename T, typename... Args>
|
|
|
|
inline ref<T>
|
|
|
|
make_ref(Args&&... args)
|
|
|
|
{
|
|
|
|
auto p = std::make_shared<T>(std::forward<Args>(args)...);
|
|
|
|
return ref<T>(p);
|
|
|
|
}
|
|
|
|
|
|
|
|
}
|