mirror of
https://github.com/pygos/pkg-utils.git
synced 2024-11-16 18:37:12 +01:00
David Oberhollenzer
858779e42c
The goal is to transform a package file to a squashfs image. The mksquashfs utility is a PITA with all kinds of idiotic not-thought-through corner cases (e.g. the way "pseudo file definitions" have been tacked on, the inabillity to set UID/GID for / *AND* have files not owned by root, the way xattrs are handled, .....). It would be preferable to fix mksquashfs itself, but the source code itself is a horrid, unmaintained garbage pile. Its easier to write a small utility instead that can turn a pkg file into a squashfs image in a way that propperly treats file permissions and ownership, and is deterministic (i.e. reproducable). The utility currently generates an uncompressed squashfs image that unsquashfs can unpack, but the kernel refuses the mount. The exact problem still needs to be determined. Furthermore, compression has to be implemented and some cleanup shoul be done. Signed-off-by: David Oberhollenzer <goliath@infraroot.at>
74 lines
1.2 KiB
C
74 lines
1.2 KiB
C
/* SPDX-License-Identifier: ISC */
|
|
#include "pkg2sqfs.h"
|
|
|
|
meta_writer_t *meta_writer_create(int fd)
|
|
{
|
|
meta_writer_t *m = calloc(1, sizeof(*m));
|
|
|
|
if (m == NULL) {
|
|
perror("creating meta data writer");
|
|
return NULL;
|
|
}
|
|
|
|
m->outfd = fd;
|
|
return m;
|
|
}
|
|
|
|
void meta_writer_destroy(meta_writer_t *m)
|
|
{
|
|
free(m);
|
|
}
|
|
|
|
int meta_writer_flush(meta_writer_t *m)
|
|
{
|
|
ssize_t ret, count;
|
|
|
|
/* TODO: compress buffer */
|
|
|
|
if (m->offset == 0)
|
|
return 0;
|
|
|
|
((uint16_t *)m->data)[0] = htole16(m->offset | 0x8000);
|
|
count = m->offset + 2;
|
|
|
|
ret = write_retry(m->outfd, m->data, count);
|
|
if (ret < 0) {
|
|
perror("writing meta data");
|
|
return -1;
|
|
}
|
|
|
|
if (ret < count) {
|
|
fputs("meta data was truncated\n", stderr);
|
|
return -1;
|
|
}
|
|
|
|
memset(m->data, 0, sizeof(m->data));
|
|
m->offset = 0;
|
|
m->written += count;
|
|
return 0;
|
|
}
|
|
|
|
int meta_writer_append(meta_writer_t *m, const void *data, size_t size)
|
|
{
|
|
size_t diff;
|
|
|
|
while (size != 0) {
|
|
diff = sizeof(m->data) - 2 - m->offset;
|
|
|
|
if (diff == 0) {
|
|
if (meta_writer_flush(m))
|
|
return -1;
|
|
diff = sizeof(m->data) - 2;
|
|
}
|
|
|
|
if (diff > size)
|
|
diff = size;
|
|
|
|
memcpy(m->data + 2 + m->offset, data, diff);
|
|
m->offset += diff;
|
|
size -= diff;
|
|
data = (const char *)data + diff;
|
|
}
|
|
|
|
return 0;
|
|
}
|