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
|
/* SPDX-License-Identifier: LGPL-3.0-or-later */
/*
* common.c
*
* Copyright (C) 2019 David Oberhollenzer <goliath@infraroot.at>
*/
#define SQFS_BUILDING_DLL
#include "internal.h"
void free_blk_list(sqfs_block_t *list)
{
sqfs_block_t *it;
while (list != NULL) {
it = list;
list = list->next;
free(it);
}
}
int data_writer_init(sqfs_data_writer_t *proc, size_t max_block_size,
sqfs_compressor_t *cmp, unsigned int num_workers,
size_t max_backlog, size_t devblksz, sqfs_file_t *file)
{
proc->max_block_size = max_block_size;
proc->num_workers = num_workers;
proc->max_backlog = max_backlog;
proc->devblksz = devblksz;
proc->cmp = cmp;
proc->file = file;
proc->max_blocks = INIT_BLOCK_COUNT;
proc->frag_list_max = INIT_BLOCK_COUNT;
proc->blocks = alloc_array(sizeof(proc->blocks[0]), proc->max_blocks);
if (proc->blocks == NULL)
return -1;
proc->frag_list = alloc_array(sizeof(proc->frag_list[0]),
proc->frag_list_max);
if (proc->frag_list == NULL)
return -1;
return 0;
}
void data_writer_cleanup(sqfs_data_writer_t *proc)
{
free_blk_list(proc->queue);
free_blk_list(proc->done);
free(proc->blk_current);
free(proc->frag_block);
free(proc->frag_list);
free(proc->fragments);
free(proc->blocks);
free(proc);
}
int sqfs_data_writer_write_fragment_table(sqfs_data_writer_t *proc,
sqfs_super_t *super)
{
sqfs_u64 start;
size_t size;
int ret;
if (proc->num_fragments == 0) {
super->fragment_entry_count = 0;
super->fragment_table_start = 0xFFFFFFFFFFFFFFFFUL;
super->flags &= ~SQFS_FLAG_ALWAYS_FRAGMENTS;
super->flags |= SQFS_FLAG_NO_FRAGMENTS;
return 0;
}
size = sizeof(proc->fragments[0]) * proc->num_fragments;
ret = sqfs_write_table(proc->file, proc->cmp,
proc->fragments, size, &start);
if (ret)
return ret;
super->flags &= ~SQFS_FLAG_NO_FRAGMENTS;
super->flags |= SQFS_FLAG_ALWAYS_FRAGMENTS;
super->fragment_entry_count = proc->num_fragments;
super->fragment_table_start = start;
return 0;
}
int sqfs_data_writer_set_hooks(sqfs_data_writer_t *proc, void *user_ptr,
const sqfs_block_hooks_t *hooks)
{
if (hooks->size != sizeof(*hooks))
return SQFS_ERROR_UNSUPPORTED;
proc->hooks = hooks;
proc->user_ptr = user_ptr;
return 0;
}
|