Skip to content

Commit

Permalink
Return InvalidData if magic number does not match
Browse files Browse the repository at this point in the history
Previously we attempted to initialize the file with a new database
  • Loading branch information
cberner committed Dec 15, 2024
1 parent e510604 commit 24a45ec
Show file tree
Hide file tree
Showing 4 changed files with 48 additions and 7 deletions.
11 changes: 6 additions & 5 deletions src/db.rs
Original file line number Diff line number Diff line change
Expand Up @@ -10,7 +10,6 @@ use crate::{ReadTransaction, Result, WriteTransaction};
use std::fmt::{Debug, Display, Formatter};

use std::fs::{File, OpenOptions};
use std::io::ErrorKind;
use std::marker::PhantomData;
use std::ops::RangeFull;
use std::path::Path;
Expand Down Expand Up @@ -692,6 +691,7 @@ impl Database {

fn new(
file: Box<dyn StorageBackend>,
allow_initialize: bool,
page_size: usize,
region_size: Option<u64>,
read_cache_size_bytes: usize,
Expand All @@ -704,6 +704,7 @@ impl Database {
info!("Opening database {:?}", &file_path);
let mem = TransactionalMemory::new(
file,
allow_initialize,
page_size,
region_size,
read_cache_size_bytes,
Expand Down Expand Up @@ -1009,6 +1010,7 @@ impl Builder {

Database::new(
Box::new(FileBackend::new(file)?),
true,
self.page_size,
self.region_size,
self.read_cache_size_bytes,
Expand All @@ -1021,12 +1023,9 @@ impl Builder {
pub fn open(&self, path: impl AsRef<Path>) -> Result<Database, DatabaseError> {
let file = OpenOptions::new().read(true).write(true).open(path)?;

if file.metadata()?.len() == 0 {
return Err(StorageError::Io(ErrorKind::InvalidData.into()).into());
}

Database::new(
Box::new(FileBackend::new(file)?),
false,
self.page_size,
None,
self.read_cache_size_bytes,
Expand All @@ -1041,6 +1040,7 @@ impl Builder {
pub fn create_file(&self, file: File) -> Result<Database, DatabaseError> {
Database::new(
Box::new(FileBackend::new(file)?),
true,
self.page_size,
self.region_size,
self.read_cache_size_bytes,
Expand All @@ -1056,6 +1056,7 @@ impl Builder {
) -> Result<Database, DatabaseError> {
Database::new(
Box::new(backend),
true,
self.page_size,
self.region_size,
self.read_cache_size_bytes,
Expand Down
4 changes: 4 additions & 0 deletions src/tree_store/page_store/header.rs
Original file line number Diff line number Diff line change
Expand Up @@ -508,6 +508,7 @@ mod test {

assert!(TransactionalMemory::new(
Box::new(FileBackend::new(file).unwrap()),
false,
PAGE_SIZE,
None,
0,
Expand Down Expand Up @@ -597,6 +598,7 @@ mod test {

assert!(TransactionalMemory::new(
Box::new(FileBackend::new(file).unwrap()),
false,
PAGE_SIZE,
None,
0,
Expand Down Expand Up @@ -631,6 +633,7 @@ mod test {

assert!(TransactionalMemory::new(
Box::new(FileBackend::new(file).unwrap()),
false,
PAGE_SIZE,
None,
0,
Expand Down Expand Up @@ -687,6 +690,7 @@ mod test {

assert!(TransactionalMemory::new(
Box::new(FileBackend::new(file).unwrap()),
false,
PAGE_SIZE,
None,
0,
Expand Down
19 changes: 18 additions & 1 deletion src/tree_store/page_store/page_manager.rs
Original file line number Diff line number Diff line change
Expand Up @@ -18,6 +18,7 @@ use std::cmp::{max, min};
use std::collections::HashMap;
use std::collections::HashSet;
use std::convert::TryInto;
use std::io::ErrorKind;
use std::sync::atomic::{AtomicBool, Ordering};
#[cfg(debug_assertions)]
use std::sync::Arc;
Expand Down Expand Up @@ -107,6 +108,8 @@ impl TransactionalMemory {
#[allow(clippy::too_many_arguments)]
pub(crate) fn new(
file: Box<dyn StorageBackend>,
// Allow initializing a new database in an empty file
allow_initialize: bool,
page_size: usize,
requested_region_size: Option<u64>,
read_cache_size_bytes: usize,
Expand All @@ -128,8 +131,10 @@ impl TransactionalMemory {
write_cache_size_bytes,
)?;

let initial_storage_len = storage.raw_file_len()?;

let magic_number: [u8; MAGICNUMBER.len()] =
if storage.raw_file_len()? >= MAGICNUMBER.len() as u64 {
if initial_storage_len >= MAGICNUMBER.len() as u64 {
storage
.read_direct(0, MAGICNUMBER.len())?
.try_into()
Expand All @@ -138,6 +143,18 @@ impl TransactionalMemory {
[0; MAGICNUMBER.len()]
};

if initial_storage_len > 0 {
// File already exists check that the magic number matches
if magic_number != MAGICNUMBER {
return Err(StorageError::Io(ErrorKind::InvalidData.into()).into());
}
} else {
// File is empty, check that we're allowed to initialize a new database (i.e. the caller is Database::create() and not open())
if !allow_initialize {
return Err(StorageError::Io(ErrorKind::InvalidData.into()).into());
}
}

if magic_number != MAGICNUMBER {
let region_tracker_required_bytes =
RegionTracker::new(INITIAL_REGIONS, MAX_MAX_PAGE_ORDER + 1)
Expand Down
21 changes: 20 additions & 1 deletion tests/integration_tests.rs
Original file line number Diff line number Diff line change
Expand Up @@ -9,7 +9,7 @@ use redb::{
use redb::{DatabaseError, ReadableMultimapTable, SavepointError, StorageError, TableError};
use std::borrow::Borrow;
use std::fs;
use std::io::ErrorKind;
use std::io::{ErrorKind, Write};
use std::marker::PhantomData;
use std::ops::RangeBounds;
use std::sync::atomic::{AtomicBool, Ordering};
Expand Down Expand Up @@ -1525,6 +1525,25 @@ fn does_not_exist() {
}
}

#[test]
fn invalid_database_file() {
let mut tmpfile = create_tempfile();
tmpfile.write_all(b"hi").unwrap();
let result = Database::open(tmpfile.path());
if let Err(DatabaseError::Storage(StorageError::Io(e))) = result {
assert!(matches!(e.kind(), ErrorKind::InvalidData));
} else {
panic!();
}

let result = Database::create(tmpfile.path());
if let Err(DatabaseError::Storage(StorageError::Io(e))) = result {
assert!(matches!(e.kind(), ErrorKind::InvalidData));
} else {
panic!();
}
}

#[test]
fn wrong_types() {
let tmpfile = create_tempfile();
Expand Down

0 comments on commit 24a45ec

Please sign in to comment.