1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
26
27
28
29
30
31
32
33
34
35
36
37
38
39
40
41
42
43
44
45
46
47
48
49
50
51
52
53
54
55
56
57
58
59
60
61
62
63
64
65
66
67
68
69
70
71
72
73
74
75
76
77
78
79
80
81
82
83
84
85
86
87
88
89
90
91
92
93
94
95
96
97
98
99
100
101
102
103
104
105
106
107
108
109
110
111
112
113
114
115
116
117
118
119
120
121
122
123
124
125
126
127
128
129
130
131
132
133
134
135
136
137
138
139
140
141
142
143
144
145
146
147
148
149
150
151
152
153
154
155
156
157
158
159
160
161
162
163
164
165
166
167
168
169
170
171
172
173
174
175
176
177
178
179
180
181
182
183
184
185
186
187
188
189
190
191
192
193
194
195
196
197
198
199
200
201
202
203
204
205
206
207
208
209
210
211
212
213
214
215
216
217
218
219
220
221
222
223
224
225
226
227
228
229
230
231
232
233
234
235
236
237
238
239
240
241
242
243
244
245
246
247
248
249
250
251
252
253
254
255
256
257
258
259
260
261
262
263
264
265
266
267
268
269
270
271
272
273
274
275
276
277
278
279
280
281
282
283
284
285
286
287
288
289
290
291
292
293
294
295
296
297
298
299
300
301
302
303
304
305
306
307
308
309
310
311
312
313
use std::io::BufRead;
use std::path::{Path, PathBuf};
use num_traits::{FromPrimitive, ToPrimitive};
use crate::codec::{self, NumberEncoder};
use crate::pipe_log::{FileId, LogQueue, Version};
use crate::{Error, Result};
const LOG_SEQ_WIDTH: usize = 16;
const LOG_APPEND_SUFFIX: &str = ".raftlog";
const LOG_REWRITE_SUFFIX: &str = ".rewrite";
const LOG_FILE_MAGIC_HEADER: &[u8] = b"RAFT-LOG-FILE-HEADER-9986AB3E47F320B394C8E84916EB0ED5";
#[inline]
pub(crate) fn is_zero_padded(buf: &[u8]) -> bool {
buf.is_empty() || (buf[0] == 0 && buf[buf.len() - 1] == 0)
}
pub trait FileNameExt: Sized {
fn parse_file_name(file_name: &str) -> Option<Self>;
fn build_file_name(&self) -> String;
fn build_file_path<P: AsRef<Path>>(&self, dir: P) -> PathBuf {
let mut path = PathBuf::from(dir.as_ref());
path.push(self.build_file_name());
path
}
}
impl FileNameExt for FileId {
fn parse_file_name(file_name: &str) -> Option<FileId> {
if file_name.len() > LOG_SEQ_WIDTH {
if let Ok(seq) = file_name[..LOG_SEQ_WIDTH].parse::<u64>() {
if file_name.ends_with(LOG_APPEND_SUFFIX) {
return Some(FileId {
queue: LogQueue::Append,
seq,
});
} else if file_name.ends_with(LOG_REWRITE_SUFFIX) {
return Some(FileId {
queue: LogQueue::Rewrite,
seq,
});
}
}
}
None
}
fn build_file_name(&self) -> String {
match self.queue {
LogQueue::Append => format!(
"{:0width$}{}",
self.seq,
LOG_APPEND_SUFFIX,
width = LOG_SEQ_WIDTH
),
LogQueue::Rewrite => format!(
"{:0width$}{}",
self.seq,
LOG_REWRITE_SUFFIX,
width = LOG_SEQ_WIDTH
),
}
}
}
pub(super) fn lock_file_path<P: AsRef<Path>>(dir: P) -> PathBuf {
let mut path = PathBuf::from(dir.as_ref());
path.push("LOCK");
path
}
#[derive(Copy, Clone, Debug, Eq, PartialEq, Default)]
pub struct LogFileFormat {
pub version: Version,
pub alignment: u64,
}
impl LogFileFormat {
pub fn new(version: Version, alignment: u64) -> Self {
Self { version, alignment }
}
const fn header_len() -> usize {
LOG_FILE_MAGIC_HEADER.len() + std::mem::size_of::<Version>()
}
const fn payload_len(version: Version) -> usize {
match version {
Version::V1 => 0,
Version::V2 => std::mem::size_of::<u64>(),
}
}
pub const fn max_encoded_len() -> usize {
Self::header_len() + Self::payload_len(Version::V2)
}
pub fn encoded_len(version: Version) -> usize {
Self::header_len() + Self::payload_len(version)
}
pub fn decode(buf: &mut &[u8]) -> Result<LogFileFormat> {
let mut format = LogFileFormat::default();
if !buf.starts_with(LOG_FILE_MAGIC_HEADER) {
return Err(Error::Corruption(
"log file magic header mismatch".to_owned(),
));
}
buf.consume(LOG_FILE_MAGIC_HEADER.len());
let version_u64 = codec::decode_u64(buf)?;
if let Some(version) = Version::from_u64(version_u64) {
format.version = version;
} else {
return Err(Error::Corruption(format!(
"unrecognized log file version: {}",
version_u64
)));
}
let payload_len = Self::payload_len(format.version);
if buf.len() < payload_len {
return Err(Error::Corruption("missing header payload".to_owned()));
} else if payload_len > 0 {
format.alignment = codec::decode_u64(buf)?;
}
Ok(format)
}
pub fn encode(&self, buf: &mut Vec<u8>) -> Result<()> {
buf.extend_from_slice(LOG_FILE_MAGIC_HEADER);
buf.encode_u64(self.version.to_u64().unwrap())?;
if Self::payload_len(self.version) > 0 {
buf.encode_u64(self.alignment)?;
} else {
assert_eq!(self.alignment, 0);
}
#[cfg(feature = "failpoints")]
{
let corrupted = || {
fail::fail_point!("log_file_header::corrupted", |_| true);
false
};
let too_large = || {
fail::fail_point!("log_file_header::too_large", |_| true);
false
};
let too_small = || {
fail::fail_point!("log_file_header::too_small", |_| true);
false
};
if corrupted() {
buf[0] += 1;
}
assert!(!(too_large() && too_small()));
if too_large() {
buf.encode_u64(0_u64)?;
}
if too_small() {
buf.pop();
}
}
Ok(())
}
}
#[cfg(test)]
mod tests {
use super::*;
use crate::pipe_log::LogFileContext;
use crate::test_util::catch_unwind_silent;
#[test]
fn test_check_paddings_is_valid() {
let mut buf = vec![0; 128];
assert!(is_zero_padded(&buf[0..6]));
assert!(is_zero_padded(&buf[120..]));
assert!(is_zero_padded(&buf));
buf[127] = 3_u8;
assert!(is_zero_padded(&buf[0..110]));
assert!(is_zero_padded(&buf[120..125]));
assert!(!is_zero_padded(&buf[124..128]));
assert!(!is_zero_padded(&buf[120..]));
assert!(!is_zero_padded(&buf));
}
#[test]
fn test_file_name() {
let file_name: &str = "0000000000000123.raftlog";
let file_id = FileId {
queue: LogQueue::Append,
seq: 123,
};
assert_eq!(FileId::parse_file_name(file_name).unwrap(), file_id,);
assert_eq!(file_id.build_file_name(), file_name);
let file_name: &str = "0000000000000123.rewrite";
let file_id = FileId {
queue: LogQueue::Rewrite,
seq: 123,
};
assert_eq!(FileId::parse_file_name(file_name).unwrap(), file_id,);
assert_eq!(file_id.build_file_name(), file_name);
let invalid_cases = vec!["0000000000000123.log", "123.rewrite"];
for case in invalid_cases {
assert!(FileId::parse_file_name(case).is_none());
}
}
#[test]
fn test_version() {
let version = Version::default();
assert_eq!(Version::V1.to_u64().unwrap(), version.to_u64().unwrap());
let version2 = Version::from_u64(1).unwrap();
assert_eq!(version, version2);
}
#[test]
fn test_encoding_decoding_file_format() {
fn enc_dec_file_format(file_format: LogFileFormat) -> Result<LogFileFormat> {
let mut buf = Vec::with_capacity(
LogFileFormat::header_len() + LogFileFormat::payload_len(file_format.version),
);
file_format.encode(&mut buf).unwrap();
LogFileFormat::decode(&mut &buf[..])
}
{
let mut buf = Vec::with_capacity(LogFileFormat::header_len());
let version = Version::V2;
let alignment = 4096;
buf.extend_from_slice(LOG_FILE_MAGIC_HEADER);
buf.encode_u64(version.to_u64().unwrap()).unwrap();
buf.encode_u64(alignment).unwrap();
assert_eq!(
LogFileFormat::decode(&mut &buf[..]).unwrap(),
LogFileFormat::new(version, alignment)
);
}
{
let mut buf = Vec::with_capacity(LogFileFormat::header_len());
let abnormal_version = 4_u64; buf.extend_from_slice(LOG_FILE_MAGIC_HEADER);
buf.encode_u64(abnormal_version).unwrap();
buf.encode_u64(16).unwrap();
assert!(LogFileFormat::decode(&mut &buf[..]).is_err());
}
{
let file_format = LogFileFormat::new(Version::default(), 0);
assert_eq!(
LogFileFormat::new(Version::default(), 0),
enc_dec_file_format(file_format).unwrap()
);
let file_format = LogFileFormat::new(Version::default(), 4096);
assert!(catch_unwind_silent(|| enc_dec_file_format(file_format)).is_err());
}
}
#[test]
fn test_file_context() {
let mut file_context =
LogFileContext::new(FileId::dummy(LogQueue::Append), Version::default());
assert_eq!(file_context.get_signature(), None);
file_context.id.seq = 10;
file_context.version = Version::V2;
assert_eq!(file_context.get_signature().unwrap(), 10);
let abnormal_seq = (file_context.id.seq << 32) as u64 + 100_u64;
file_context.id.seq = abnormal_seq;
assert_ne!(file_context.get_signature().unwrap() as u64, abnormal_seq);
assert_eq!(file_context.get_signature().unwrap(), 100);
}
}