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
244
245
246
247
248
249
250
251
252
253
254
255
256
257
258
259
260
261
262
263
264
265
266
267
268
269
270
271
272
273
274
275
276
277
278
279
280
281
282
283
284
285
286
287
288
289
290
291
292
293
294
295
296
297
298
299
300
301
302
303
304
305
306
307
308
309
310
311
312
313
314
315
316
317
318
319
320
321
322
323
324
325
326
use super::Position;
use crate::{Result, Error, oci::{self, *}, ToSql};
use std::{ptr, collections::HashMap};
use libc::c_void;
pub struct Params {
idxs: HashMap<&'static str,usize>,
binds: Vec<Ptr<OCIBind>>,
nulls: Vec<i16>,
data_lens: Vec<u32>,
bind_order: Vec<u16>,
buffers: Vec<Vec<u8>>
}
impl Params {
pub(super) fn new(stmt: &OCIStmt, err: &OCIError) -> Result<Option<Self>> {
let num_binds : u32 = attr::get(OCI_ATTR_BIND_COUNT, OCI_HTYPE_STMT, stmt, err)?;
if num_binds == 0 {
Ok(None)
} else {
let num_binds = num_binds as usize;
let mut idxs = HashMap::with_capacity(num_binds);
let mut binds = Vec::with_capacity(num_binds);
let mut bind_names = vec![ ptr::null_mut::<u8>(); num_binds];
let mut bind_name_lens = vec![ 0u8; num_binds];
let mut ind_names = vec![ ptr::null_mut::<u8>(); num_binds];
let mut ind_name_lens = vec![ 0u8; num_binds];
let mut dups = vec![ 0u8; num_binds];
let mut oci_binds = vec![ptr::null_mut::<OCIBind>(); num_binds];
let mut found: i32 = 0;
oci::stmt_get_bind_info(
stmt, err,
num_binds as u32, 1, &mut found,
bind_names.as_mut_ptr(), bind_name_lens.as_mut_ptr(),
ind_names.as_mut_ptr(), ind_name_lens.as_mut_ptr(),
dups.as_mut_ptr(), oci_binds.as_mut_ptr()
)?;
for i in 0..found as usize {
if dups[i] == 0 {
let name = unsafe { std::slice::from_raw_parts(bind_names[i], bind_name_lens[i] as usize) };
let name = unsafe { std::str::from_utf8_unchecked(name) };
idxs.insert(name, i);
}
binds.push(Ptr::new(oci_binds[i]));
}
let buffers = vec![Vec::new(); num_binds];
Ok(Some(Self{
idxs, binds,
nulls: Vec::with_capacity(num_binds),
data_lens: Vec::with_capacity(num_binds),
bind_order: Vec::with_capacity(num_binds),
buffers,
}))
}
}
fn strip_colon(name: &str) -> &str {
if name.starts_with(':') {
&name[1..]
} else {
name
}
}
pub(crate) fn index_of(&self, name: &str) -> Result<usize> {
let name = Self::strip_colon(name);
if let Some(&ix) = self.idxs.get(name) {
Ok(ix)
} else if let Some(&ix) = self.idxs.get(name.to_uppercase().as_str()) {
Ok(ix)
} else {
Err(Error::msg(format!("Statement does not define parameter placeholder {}", name)))
}
}
fn reserve_buffer(&mut self, idx: usize, data: *const c_void, len: usize) -> *mut u8 {
if let Some(buffer) = self.buffers.get_mut(idx) {
buffer.reserve(len);
let buffer_ptr = buffer.as_mut_ptr();
if !data.is_null() {
unsafe {
std::ptr::copy_nonoverlapping(data, buffer_ptr as _, len);
}
}
buffer_ptr
} else {
data as _
}
}
pub(crate) fn bind_in(&mut self, idx: usize, sql_type: u16, data: *const c_void, data_len: usize, stmt: &OCIStmt, err: &OCIError) -> Result<()> {
#[cfg(feature="unsafe-direct-binds")]
let data_ptr = data;
#[cfg(not(feature="unsafe-direct-binds"))]
let data_ptr = if data_len > 0 {
self.reserve_buffer(idx, data, data_len) as _
} else {
data
};
self.bind(idx, sql_type, data_ptr as _, data_len, data_len, stmt, err)
}
pub(crate) fn bind_in_mut(&mut self, idx: usize, sql_type: u16, data: *const c_void, data_len: usize, stmt: &OCIStmt, err: &OCIError) -> Result<()> {
let data_ptr = if data_len > 0 {
self.reserve_buffer(idx, data, data_len) as _
} else {
data
};
self.bind(idx, sql_type, data_ptr as _, data_len, data_len, stmt, err)
}
pub(crate) fn bind_null(&mut self, idx: usize, sql_type: u16, stmt: &OCIStmt, err: &OCIError) -> Result<()> {
self.bind(idx, sql_type, std::ptr::null_mut(), 0, 0, stmt, err)
}
pub(crate) fn bind_null_mut(&mut self, idx: usize, sql_type: u16, buff_size: usize, stmt: &OCIStmt, err: &OCIError) -> Result<()> {
let data_ptr = if buff_size > 0 { self.reserve_buffer(idx, std::ptr::null(), buff_size) as _ } else { std::ptr::null_mut() };
self.bind(idx, sql_type, data_ptr, 0, buff_size, stmt, err)
}
pub(crate) fn bind(&mut self, idx: usize, sql_type: u16, data: *mut c_void, data_len: usize, buff_size: usize, stmt: &OCIStmt, err: &OCIError) -> Result<()> {
self.bind_order.push(idx as _);
self.nulls[idx] = if data_len == 0 { OCI_IND_NULL } else { OCI_IND_NOTNULL };
self.data_lens[idx] = data_len as _;
oci::bind_by_pos(
stmt, self.binds[idx].as_mut_ptr(), err,
(idx + 1) as _, data, buff_size as _, sql_type,
&mut self.nulls[idx],
&mut self.data_lens[idx],
OCI_DEFAULT
)
}
pub(crate) fn mark_as_null(&mut self, idx: usize) {
self.nulls[idx] = OCI_IND_NULL;
}
fn prior_binds_are_rebound(&self, mut prior_binds: Vec<u16>) -> bool {
prior_binds.retain(|ix| !self.bind_order.contains(ix));
prior_binds.len() == 0
}
pub(crate) fn bind_args(&mut self, stmt: &OCIStmt, err: &OCIError, args: &mut impl ToSql) -> Result<()> {
let prior_binds = self.bind_order.clone();
self.bind_order.clear();
self.nulls.clear();
self.nulls.resize(self.nulls.capacity(), OCI_IND_NULL);
self.data_lens.clear();
self.data_lens.resize(self.data_lens.capacity(), 0);
args.bind_to(0, self, stmt, err)?;
if prior_binds.len() > 0 && !self.prior_binds_are_rebound(prior_binds) {
Err(Error::new("not all existing binds have been updated"))
} else {
Ok(())
}
}
pub(crate) fn set_out_to_null(&mut self) {
self.nulls.fill(OCI_IND_NULL);
self.data_lens.fill(0);
}
pub(crate) fn update_out_args(&self, args: &mut impl ToSql) -> Result<usize> {
args.update_from_bind(0, self)
}
pub(crate) fn is_null(&self, pos: impl Position) -> Result<bool> {
pos.name()
.and_then(|name| {
let name = Self::strip_colon(name);
self.idxs
.get(name)
.or(self.idxs.get(name.to_uppercase().as_str()))
})
.map(|ix| *ix)
.or(pos.index())
.map(|ix|
self.nulls.get(ix)
.map(|&ind| ind == OCI_IND_NULL)
.unwrap_or(true)
)
.ok_or_else(|| Error::new("Parameter not found."))
}
pub(super) fn data_len(&self, pos: impl Position) -> Result<usize> {
pos.name()
.and_then(|name| {
let name = Self::strip_colon(name);
self.idxs
.get(name)
.or(self.idxs.get(name.to_uppercase().as_str()))
})
.map(|ix| *ix)
.or(pos.index())
.map(|ix| self.get_data_len(ix))
.ok_or_else(|| Error::new("Parameter not found."))
}
pub(crate) fn get_data_as_ref<T>(&self, pos: usize) -> Option<&T> {
self.buffers.get(pos).and_then(|buf| unsafe { (buf.as_ptr() as *const c_void as *const T).as_ref() } )
}
pub(crate) fn get_data_as_bytes(&self, pos: usize) -> Option<&[u8]> {
self.buffers.get(pos)
.map(|buf| buf.as_ptr())
.zip(self.data_lens.get(pos))
.map(|(data, &len)| unsafe {
std::slice::from_raw_parts(data, len as _)
})
}
pub(super) fn get_data_len(&self, pos: usize) -> usize {
self.data_lens
.get(pos)
.map(|&ix| ix as _)
.unwrap_or_default()
}
}
#[cfg(all(test, feature="blocking"))]
mod tests {
use crate::Result;
#[test]
fn dup_args() -> Result<()> {
let session = crate::test_env::get_session()?;
let stmt = session.prepare("
INSERT INTO hr.locations (location_id, state_province, city, postal_code, street_address)
VALUES (:id, :na, :na, :code, :na)
")?;
assert!(stmt.params.is_some());
let stmt_params = stmt.params.as_ref().unwrap();
let params = stmt_params.read();
assert_eq!(params.binds.len(), 5);
assert_eq!(params.index_of(":ID")?, 0);
assert_eq!(params.index_of(":NA")?, 1);
assert_eq!(params.index_of(":CODE")?, 3);
let stmt = session.prepare("
BEGIN
INSERT INTO hr.locations (location_id, state_province, city, postal_code, street_address)
VALUES (:id, :na, :na, :code, :na);
END;
")?;
assert!(stmt.params.is_some());
let stmt_params = stmt.params.as_ref().unwrap();
let params = stmt_params.read();
assert_eq!(params.binds.len(), 3);
assert_eq!(params.index_of(":ID")?, 0);
assert_eq!(params.index_of(":NA")?, 1);
assert_eq!(params.index_of(":CODE")?, 2);
Ok(())
}
#[test]
fn no_colon_arg_names() -> std::result::Result<(),Box<dyn std::error::Error>> {
let session = crate::test_env::get_session()?;
let stmt = session.prepare("
UPDATE hr.employees
SET salary = Round(salary * :rate, -2)
WHERE employee_id = :id
RETURN salary INTO :new_salary
")?;
let mut new_salary = 0u16;
let num_updated = stmt.execute((
("ID", 107 ),
("RATE", 1.07 ),
("NEW_SALARY", &mut new_salary ),
))?;
assert_eq!(num_updated, 1);
assert!(!stmt.is_null("NEW_SALARY")?);
assert_eq!(new_salary, 4500);
let num_updated = stmt.execute((
("ID", 99 ),
("RATE", 1.03 ),
("NEW_SALARY", &mut new_salary ),
))?;
assert_eq!(num_updated, 0);
assert!(stmt.is_null("NEW_SALARY")?);
session.rollback()?;
Ok(())
}
}