mirror of
https://github.com/RGBCube/serenity
synced 2025-05-31 12:28:12 +00:00

Previously, `Heap` would store serialized data in blocks of 1024 bytes regardless of the actual length. Data longer than 1024 bytes was silently truncated causing database corruption. This changes the heap storage to prefix every block with two new fields: the total data size in bytes, and the next block to retrieve if the data is longer than what can be stored inside a single block. By chaining blocks together, we can store arbitrary amounts of data without needing to change anything of the logic in the rest of LibSQL. As part of these changes, the "free list" is also removed from the heap awaiting an actual implementation: it was never used. Note that this bumps the database version from 3 to 4, and as such invalidates (deletes) any database opened with LibSQL that is not version 4.
60 lines
1.5 KiB
C++
60 lines
1.5 KiB
C++
/*
|
|
* Copyright (c) 2021, Jan de Visser <jan@de-visser.net>
|
|
*
|
|
* SPDX-License-Identifier: BSD-2-Clause
|
|
*/
|
|
|
|
#pragma once
|
|
|
|
#include <LibCore/Object.h>
|
|
#include <LibSQL/Forward.h>
|
|
#include <LibSQL/Meta.h>
|
|
#include <LibSQL/Serializer.h>
|
|
|
|
namespace SQL {
|
|
|
|
class IndexNode {
|
|
public:
|
|
virtual ~IndexNode() = default;
|
|
[[nodiscard]] u32 pointer() const { return m_pointer; }
|
|
IndexNode* as_index_node() { return dynamic_cast<IndexNode*>(this); }
|
|
|
|
protected:
|
|
explicit IndexNode(u32 pointer)
|
|
: m_pointer(pointer)
|
|
{
|
|
}
|
|
|
|
void set_pointer(u32 pointer) { m_pointer = pointer; }
|
|
|
|
private:
|
|
u32 m_pointer;
|
|
};
|
|
|
|
class Index : public Core::Object {
|
|
C_OBJECT_ABSTRACT(Index);
|
|
|
|
public:
|
|
~Index() override = default;
|
|
|
|
NonnullRefPtr<TupleDescriptor> descriptor() const { return m_descriptor; }
|
|
[[nodiscard]] bool duplicates_allowed() const { return !m_unique; }
|
|
[[nodiscard]] bool unique() const { return m_unique; }
|
|
[[nodiscard]] u32 pointer() const { return m_pointer; }
|
|
|
|
protected:
|
|
Index(Serializer&, NonnullRefPtr<TupleDescriptor> const&, bool unique, u32 pointer);
|
|
Index(Serializer&, NonnullRefPtr<TupleDescriptor> const&, u32 pointer);
|
|
|
|
[[nodiscard]] Serializer& serializer() { return m_serializer; }
|
|
void set_pointer(u32 pointer) { m_pointer = pointer; }
|
|
u32 request_new_block_index() { return m_serializer.request_new_block_index(); }
|
|
|
|
private:
|
|
Serializer m_serializer;
|
|
NonnullRefPtr<TupleDescriptor> m_descriptor;
|
|
bool m_unique { false };
|
|
u32 m_pointer { 0 };
|
|
};
|
|
|
|
}
|