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
|
/*
* Copyright (C) 2020-2021 Tomasz Kramkowski <tk@the-tk.com>
* SPDX-License-Identifier: MIT
*/
#include <ctype.h>
#include <inttypes.h>
#include <stdarg.h>
#include <stdbool.h>
#include <stdint.h>
#include "common.h"
#include "pack.h"
#include "trace.h"
static void write_val(unsigned char *dest, size_t size, enum pack_endian e, uintmax_t val)
{
for (size_t i = 0; i < size; i++)
dest[i] = (val >> (e == PACK_ENDIAN_LITTLE ? i : size - i - 1) * 8) & 0xff;
}
enum pack_status pack(void *dest_, size_t size, const char *fmt, ...)
{
enum pack_endian endianness = PACK_ENDIAN_BIG;
unsigned char *dest = dest_;
enum pack_status ret = PACK_OK;
size_t offset = 0;
va_list ap;
tr_call("pack(%p, %" PRIuSIZE ", %s, ...)", (void *)dest, size, fmt);
va_start(ap, fmt);
for (int i = 0; fmt[i] != '\0'; i++) {
bool sign;
size_t s;
union { uintmax_t unsigned_; intmax_t signed_; } v;
tr_debug("i: %d, fmt[i]: %c", i, fmt[i]);
sign = safe_islower(fmt[i]);
switch (fmt[i]) {
case '>': endianness = PACK_ENDIAN_BIG; continue;
case '<': endianness = PACK_ENDIAN_LITTLE; continue;
#define T(type, sign, c_type, va_type) \
case (char)PACK_TYPE_##type: \
v.sign##_ = va_arg(ap, sign va_type); \
break;
ITYPE_MACROS
#undef T
case PACK_TYPE_PADDING: v.unsigned_ = 0; sign = false; break;
default: SET_AND_GOTO(ret, PACK_FMTINVAL, stop);
}
tr_debug("i: %d, fmt[i]: %c, sign: %ssigned", i, fmt[i], sign ? "" : "un");
s = getsize(fmt[i]);
tr_debug("s: %" PRIuSIZE, s);
if (s == (size_t)-1) SET_AND_GOTO(ret, PACK_FMTINVAL, stop);
if (size - offset < s) SET_AND_GOTO(ret, PACK_TOOSMALL, stop);
if (sign) {
intmax_t n = v.signed_;
tr_debug("val.s: %" PRIdMAX, v.signed_);
v.unsigned_ = n;
}
tr_debug("val.u: %" PRIuMAX, v.unsigned_);
write_val(&dest[offset], s, endianness, v.unsigned_);
offset += s;
}
stop:
va_end(ap);
return ret;
}
|