odbc_api/handles/sql_char.rs
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
//! The idea is to handle most of the conditional compilation around different SQL character types
//! in this module, so the rest of the crate doesn't have to.
use super::buffer::{buf_ptr, mut_buf_ptr};
use std::{
borrow::Cow,
mem::{size_of, size_of_val},
};
#[cfg(feature = "narrow")]
use std::{ffi::CStr, string::FromUtf8Error};
#[cfg(not(feature = "narrow"))]
use std::{
char::{decode_utf16, DecodeUtf16Error},
marker::PhantomData,
};
#[cfg(not(feature = "narrow"))]
use widestring::{U16CStr, U16String};
#[cfg(feature = "narrow")]
pub type SqlChar = u8;
#[cfg(not(feature = "narrow"))]
pub type SqlChar = u16;
#[cfg(feature = "narrow")]
pub type DecodingError = FromUtf8Error;
#[cfg(not(feature = "narrow"))]
pub type DecodingError = DecodeUtf16Error;
#[cfg(feature = "narrow")]
pub fn slice_to_utf8(text: &[u8]) -> Result<String, FromUtf8Error> {
String::from_utf8(text.to_owned())
}
#[cfg(not(feature = "narrow"))]
pub fn slice_to_utf8(text: &[u16]) -> Result<String, DecodeUtf16Error> {
decode_utf16(text.iter().copied()).collect()
}
#[cfg(feature = "narrow")]
pub fn slice_to_cow_utf8(text: &[u8]) -> Cow<str> {
String::from_utf8_lossy(text)
}
#[cfg(not(feature = "narrow"))]
pub fn slice_to_cow_utf8(text: &[u16]) -> Cow<str> {
let text: Result<String, _> = decode_utf16(text.iter().copied()).collect();
text.unwrap().into()
}
#[cfg(not(feature = "narrow"))]
fn sz_to_utf8(buffer: &[u16]) -> String {
let c_str = U16CStr::from_slice_truncate(buffer).unwrap();
c_str.to_string_lossy()
}
#[cfg(feature = "narrow")]
fn sz_to_utf8(buffer: &[u8]) -> String {
// Truncate slice at first zero.
let end = buffer
.iter()
.enumerate()
.find(|(_index, &character)| character == b'\0')
.expect("Buffer must contain terminating zero.")
.0;
let c_str = unsafe { CStr::from_bytes_with_nul_unchecked(&buffer[..=end]) };
c_str.to_string_lossy().into_owned()
}
/// Buffer length in bytes, not characters
pub fn binary_length(buffer: &[SqlChar]) -> usize {
size_of_val(buffer)
}
/// `true` if the buffer has not been large enough to hold the entire string.
///
/// # Parameters
///
/// - `actuel_length_bin`: Actual length in bytes, but excluding the terminating zero.
pub fn is_truncated_bin(buffer: &[SqlChar], actual_length_bin: usize) -> bool {
size_of_val(buffer) <= actual_length_bin
}
/// Resizes the underlying buffer to fit the size required to hold the entire string including
/// terminating zero. Required length is provided in bytes (not characters), excluding the
/// terminating zero.
pub fn resize_to_fit_with_tz(buffer: &mut Vec<SqlChar>, required_binary_length: usize) {
// In order to use only minimal memory for drivers which stick to the ODBC standard we would
// use `+1` in the statement beneath. However it turns out the PostgreSQL driver will fill the
// last value with `0` instead of the last latter when used with a wide `SqlChar`. So we use
// `+2` to make it work with PostgreSql on windows, too.
buffer.resize((required_binary_length / size_of::<SqlChar>()) + 2, 0);
}
/// Resizes the underlying buffer to fit the size required to hold the entire string excluding
/// terminating zero. Required length is provided in bytes (not characters), excluding the
/// terminating zero.
pub fn resize_to_fit_without_tz(buffer: &mut Vec<SqlChar>, required_binary_length: usize) {
buffer.resize(required_binary_length / size_of::<SqlChar>(), 0);
}
/// Handles conversion from UTF-8 string slices to ODBC SQL char encoding. Depending on the
/// conditional compiliation due to feature flags, the UTF-8 strings are either passed without
/// conversion to narrow method calls, or they are converted to UTF-16, before passed to the wide
/// methods.
pub struct SqlText<'a> {
/// In case we use wide methods we need to convert to UTF-16. We'll take ownership of the buffer
/// here.
#[cfg(not(feature = "narrow"))]
text: U16String,
/// We include the lifetime in the declaration of the type still, so the borrow checker
/// complains, if we would mess up the compilation for narrow methods.
#[cfg(not(feature = "narrow"))]
_ref: PhantomData<&'a str>,
/// In the case of narrow compiliation we just forward the string silce unchanged
#[cfg(feature = "narrow")]
text: &'a str,
}
impl<'a> SqlText<'a> {
#[cfg(not(feature = "narrow"))]
/// Create an SqlText buffer from an UTF-8 string slice
pub fn new(text: &'a str) -> Self {
Self {
text: U16String::from_str(text),
_ref: PhantomData,
}
}
#[cfg(feature = "narrow")]
/// Create an SqlText buffer from an UTF-8 string slice
pub fn new(text: &'a str) -> Self {
Self { text }
}
#[cfg(not(feature = "narrow"))]
pub fn ptr(&self) -> *const u16 {
buf_ptr(self.text.as_slice())
}
#[cfg(feature = "narrow")]
pub fn ptr(&self) -> *const u8 {
buf_ptr(self.text.as_bytes())
}
/// Length in characters
pub fn len_char(&self) -> usize {
self.text.len()
}
}
/// Use this buffer type to fetch zero terminated strings from the ODBC API. Either allocates a
/// buffer for wide or narrow strings dependend on the features set.
pub struct SzBuffer {
buffer: Vec<SqlChar>,
}
impl SzBuffer {
/// Creates a buffer which can hold at least `capacity` characters, excluding the terminating
/// zero. Or phrased differently. It will allocate one additional character to hold the
/// terminating zero, so the caller should not factor it into the size of capacity.
pub fn with_capacity(capacity: usize) -> Self {
Self {
// Allocate +1 character extra for terminating zero
buffer: vec![0; capacity + 1],
}
}
pub fn mut_buf(&mut self) -> &mut [SqlChar] {
// Use full capacity
self.buffer.resize(self.buffer.capacity(), 0);
&mut self.buffer
}
/// Create an owned utf-8 string from the internal buffer representation.
pub fn to_utf8(&self) -> String {
sz_to_utf8(&self.buffer)
}
}
/// We use this as an output buffer for strings. Allows for detecting truncation.
pub struct OutputStringBuffer {
/// Buffer holding the string. Must also contains space for a terminating zero.
buffer: Vec<SqlChar>,
/// After the buffer has been filled, this should contain the actual length of the string. Can
/// be used to detect truncation.
actual_length: i16,
}
impl OutputStringBuffer {
/// Creates an empty string buffer. Useful if you want to e.g. use a prompt to complete the
/// connection string, but are not interested in the actual completed connection string.
pub fn empty() -> Self {
Self::with_buffer_size(0)
}
/// Creates a new instance of an output string buffer which can hold strings up to a size of
/// `max_str_len - 1` characters. `-1 because one place is needed for the terminating zero.
/// To hold a connection string the size should be at least 1024.
pub fn with_buffer_size(max_str_len: usize) -> Self {
Self {
buffer: vec![0; max_str_len],
actual_length: 0,
}
}
/// Ptr to the internal buffer. Used by ODBC API calls to fill the buffer.
pub fn mut_buf_ptr(&mut self) -> *mut SqlChar {
mut_buf_ptr(&mut self.buffer)
}
/// Length of the internal buffer in characters including the terminating zero.
pub fn buf_len(&self) -> i16 {
// Since buffer must always be able to hold at least one element, substracting `1` is always
// defined
self.buffer.len().try_into().unwrap()
}
/// Mutable pointer to actual output string length. Used by ODBC API calls to report truncation.
pub fn mut_actual_len_ptr(&mut self) -> *mut i16 {
&mut self.actual_length as *mut i16
}
/// Call this method to extract string from buffer after ODBC has filled it.
pub fn to_utf8(&self) -> String {
if self.buffer.is_empty() {
return String::new();
}
if self.is_truncated() {
// If the string is truncated we return the entire buffer excluding the terminating
// zero.
slice_to_utf8(&self.buffer[0..(self.buffer.len() - 1)]).unwrap()
} else {
// If the string is not truncated, we return not the entire buffer, but only the slice
// containing the actual string.
let actual_length: usize = self.actual_length.try_into().unwrap();
slice_to_utf8(&self.buffer[0..actual_length]).unwrap()
}
}
/// True if the buffer had not been large enough to hold the string.
pub fn is_truncated(&self) -> bool {
self.actual_length >= self.buffer.len().try_into().unwrap()
}
}