2021-06-17 21:32:24 +00:00
|
|
|
#pragma once
|
|
|
|
|
|
|
|
#include <stdlib.h>
|
|
|
|
#include <stdio.h>
|
|
|
|
#include <string.h>
|
|
|
|
|
|
|
|
#include "util.h"
|
|
|
|
|
|
|
|
// Set obj To NULL On asprintf() Failure
|
|
|
|
#define safe_asprintf(obj, ...) \
|
|
|
|
{ \
|
|
|
|
if (asprintf(obj, __VA_ARGS__) == -1) { \
|
|
|
|
*obj = NULL; \
|
|
|
|
} \
|
|
|
|
ALLOC_CHECK(*obj); \
|
|
|
|
}
|
|
|
|
|
|
|
|
// Dynamic String Append Macro
|
|
|
|
#define string_append(str, format, ...) \
|
|
|
|
{ \
|
|
|
|
char *old = *str; \
|
|
|
|
safe_asprintf(str, "%s" format, *str == NULL ? "" : *str, __VA_ARGS__); \
|
|
|
|
ALLOC_CHECK(*str); \
|
|
|
|
if (old != NULL && old != *str) { \
|
|
|
|
free(old); \
|
|
|
|
} \
|
|
|
|
}
|
|
|
|
|
|
|
|
// Sanitize String
|
|
|
|
#define MINIMUM_SAFE_CHARACTER 32
|
|
|
|
#define MAXIMUM_SAFE_CHARACTER 126
|
|
|
|
static inline void sanitize_string(char **str, int max_length, unsigned int allow_newlines) {
|
|
|
|
// Store Message Length
|
|
|
|
int length = strlen(*str);
|
|
|
|
// Truncate Message
|
|
|
|
if (max_length != -1 && length > max_length) {
|
|
|
|
(*str)[max_length] = '\0';
|
|
|
|
length = max_length;
|
|
|
|
}
|
|
|
|
// Loop Through Message
|
|
|
|
for (int i = 0; i < length; i++) {
|
|
|
|
if (allow_newlines && ((*str)[i] == '\n' || (*str)[i] == '\r')) {
|
|
|
|
continue;
|
|
|
|
}
|
|
|
|
unsigned char c = (unsigned char) (*str)[i];
|
2021-12-19 22:17:02 +00:00
|
|
|
if (c < MINIMUM_SAFE_CHARACTER || c > MAXIMUM_SAFE_CHARACTER) {
|
2021-06-17 21:32:24 +00:00
|
|
|
// Replace Illegal Character
|
|
|
|
(*str)[i] = '?';
|
|
|
|
}
|
|
|
|
}
|
|
|
|
}
|