mirror of
https://github.com/dolphin-emu/dolphin
synced 2024-11-04 20:43:44 -05:00
e149ad4f0a
SPDX standardizes how source code conveys its copyright and licensing information. See https://spdx.github.io/spdx-spec/1-rationale/ . SPDX tags are adopted in many large projects, including things like the Linux kernel.
49 lines
1.3 KiB
C++
49 lines
1.3 KiB
C++
// Copyright 2017 Dolphin Emulator Project
|
|
// SPDX-License-Identifier: GPL-2.0-or-later
|
|
|
|
#pragma once
|
|
|
|
#include <functional>
|
|
#include <utility>
|
|
#include <variant>
|
|
|
|
namespace Common
|
|
{
|
|
// A Lazy object holds a value. If a Lazy object is constructed using
|
|
// a function as an argument, that function will be called to compute
|
|
// the value the first time any code tries to access the value.
|
|
|
|
template <typename T>
|
|
class Lazy
|
|
{
|
|
public:
|
|
Lazy() : m_value(T()) {}
|
|
Lazy(const std::variant<T, std::function<T()>>& value) : m_value(value) {}
|
|
Lazy(std::variant<T, std::function<T()>>&& value) : m_value(std::move(value)) {}
|
|
const Lazy<T>& operator=(const std::variant<T, std::function<T()>>& value)
|
|
{
|
|
m_value = value;
|
|
return *this;
|
|
}
|
|
const Lazy<T>& operator=(std::variant<T, std::function<T()>>&& value)
|
|
{
|
|
m_value = std::move(value);
|
|
return *this;
|
|
}
|
|
const T& operator*() const { return *ComputeValue(); }
|
|
const T* operator->() const { return ComputeValue(); }
|
|
T& operator*() { return *ComputeValue(); }
|
|
T* operator->() { return ComputeValue(); }
|
|
|
|
private:
|
|
T* ComputeValue() const
|
|
{
|
|
if (!std::holds_alternative<T>(m_value))
|
|
m_value = std::get<std::function<T()>>(m_value)();
|
|
return &std::get<T>(m_value);
|
|
}
|
|
|
|
mutable std::variant<T, std::function<T()>> m_value;
|
|
};
|
|
} // namespace Common
|