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
327
328
329
330
331
332
333
334
335
336
337
338
339
340
341
342
343
344
345
346
347
348
349
350
351
352
353
354
355
356
357
358
359
360
361
362
363
364
365
366
367
368
369
370
371
372
373
374
375
376
377
378
379
380
381
382
383
384
385
386
387
388
389
390
391
392
393
394
395
396
397
398
399
400
401
402
403
404
405
406
407
408
409
410
411
412
413
414
415
416
417
418
419
420
421
422
423
424
425
426
427
428
429
430
431
432
433
434
435
use std::hash::Hash;
use std::any::TypeId;
use std::ptr;
use std::mem;
use winapi::{S_OK, HWND, IShellItem, FILEOPENDIALOGOPTIONS};
use winapi::shobjidl::IFileDialog;
use ui::Ui;
use controls::{Control, ControlT, ControlType, AnyHandle};
use error::{Error, SystemError};
use events::Event;
use defs::FileDialogAction;
use low::other_helper::to_utf16;
#[derive(Clone)]
pub struct FileDialogT<S: Clone+Into<String>, ID: Hash+Clone> {
pub title: S,
pub parent: Option<ID>,
pub action: FileDialogAction,
pub multiselect: bool,
pub default_folder: Option<S>,
pub filters: Option<S>
}
impl<S1: Clone+Into<String>, ID: Hash+Clone> ControlT<ID> for FileDialogT<S1, ID> {
fn type_id(&self) -> TypeId { TypeId::of::<FileDialog>() }
fn events(&self) -> Vec<Event> {
vec![Event::Destroyed]
}
fn build(&self, ui: &Ui<ID>) -> Result<Box<Control>, Error> {
use ole32::{CoCreateInstance};
use winapi::{CLSCTX_INPROC_SERVER, FOS_FORCEFILESYSTEM, FOS_PICKFOLDERS, FOS_ALLOWMULTISELECT};
use low::clsid::{CLSID_FileOpenDialog, CLSID_FileSaveDialog, UUIDOF_IFileOpenDialog, UUIDOF_IFileDialog};
use low::window_helper::handle_of_window;
let parent = match self.parent.as_ref() {
Some(id) =>
match handle_of_window(ui, id, "The parent of a FileDialog must be a window-like control.") {
Ok(h) => h,
Err(e) => { return Err(e); }
},
None => ptr::null_mut()
};
let (clsid, uuid) = match self.action {
FileDialogAction::Save => (CLSID_FileSaveDialog(), UUIDOF_IFileDialog()),
_ => (CLSID_FileOpenDialog(), UUIDOF_IFileOpenDialog())
};
let mut handle: *mut IFileDialog = ptr::null_mut();
let r = unsafe { CoCreateInstance(&clsid, ptr::null_mut(), CLSCTX_INPROC_SERVER, &uuid, mem::transmute(&mut handle) ) };
if r != S_OK {
return Err(Error::System(SystemError::ComInstanceCreation("FileDialog".to_string())));
}
unsafe {
let pfd = &mut *handle;
let mut flags: FILEOPENDIALOGOPTIONS = FILEOPENDIALOGOPTIONS(0);
if pfd.GetOptions(&mut flags) != S_OK {
pfd.Release();
return Err(Error::System(SystemError::ComError("Failed to get the file dialog options".to_string())));
}
let use_dir = if self.action == FileDialogAction::OpenDirectory { FOS_PICKFOLDERS } else { FILEOPENDIALOGOPTIONS(0) };
let multiselect = if self.multiselect { FOS_ALLOWMULTISELECT } else { FILEOPENDIALOGOPTIONS(0) };
if pfd.SetOptions(flags | FOS_FORCEFILESYSTEM | use_dir | multiselect) != S_OK {
pfd.Release();
return Err(Error::System(SystemError::ComError("Failed to set the file dialog options".to_string())));
}
match &self.default_folder {
&Some(ref f) => match set_default_folder(pfd, f) {
Ok(_) => (),
Err(e) => { pfd.Release(); return Err(e); }
},
&None => ()
}
match &self.filters {
&Some(ref f) => match set_filters(pfd, f) {
Ok(_) => (),
Err(e) => { pfd.Release(); return Err(e); }
},
&None => ()
}
}
Ok(Box::new(
FileDialog{
handle: handle, parent: parent,
action: self.action.clone(),
multiselect: self.multiselect
}
)as Box<Control>)
}
}
pub struct FileDialog {
parent: HWND,
handle: *mut IFileDialog,
action: FileDialogAction,
multiselect: bool
}
impl FileDialog {
pub fn get_selected_item(&self) -> Result<String, Error> { unsafe {
if self.multiselect {
return Err(Error::UserError("FileDialog have the multiselect flag".to_string()))
}
let handle = &mut *self.handle;
let mut _item: *mut IShellItem = ptr::null_mut();
if handle.GetResult(&mut _item) != S_OK {
return Err(Error::System(SystemError::ComError("Failed to get result".to_string())));
}
let text = get_ishellitem_path(&mut *_item);
(&mut *_item).Release();
text
}}
pub fn get_selected_items(&self) -> Result<Vec<String>, Error> { unsafe{
use winapi::{DWORD, IFileOpenDialog};
use low::defs::IShellItemArray;
if self.action == FileDialogAction::Save {
return Err(Error::UserError("Save dialog cannot have more than one item selected".to_string()));
}
let handle: &mut IFileOpenDialog = mem::transmute(self.handle);
let mut _item: *mut IShellItem = ptr::null_mut();
let mut _items: *mut IShellItemArray = ptr::null_mut();
if handle.GetResults( mem::transmute(&mut _items) ) != S_OK {
return Err(Error::System(SystemError::ComError("Failed to get results".to_string())));
}
let items = &mut *_items;
let mut count: DWORD = 0;
items.GetCount(&mut count);
let mut item_names: Vec<String> = Vec::with_capacity(count as usize);
for i in 0..count {
items.GetItemAt(i, &mut _item);
match get_ishellitem_path(&mut *_item) {
Ok(s) => item_names.push(s),
Err(_) => {}
}
}
items.Release();
Ok(item_names)
}}
pub fn action(&self) -> FileDialogAction {
self.action.clone()
}
pub fn get_multiselect(&self) -> bool {
self.multiselect
}
pub fn set_multiselect(&mut self, multiselect: bool) -> Result<(), Error> {
use winapi::FOS_ALLOWMULTISELECT;
if self.action == FileDialogAction::Save {
return Err(Error::UserError("Cannot set multiselect flag for a save file dialog".to_string()));
}
match unsafe{ toggle_dialog_flags(&mut *self.handle, FOS_ALLOWMULTISELECT, multiselect) } {
Ok(_) => { self.multiselect=multiselect; Ok(())}
Err(e) => Err(e)
}
}
pub fn set_default_folder<'a>(&self, folder: &'a str) -> Result<(), Error> {
unsafe{
let handle = &mut *self.handle;
set_default_folder(handle, &folder)
}
}
pub fn set_filters<'a>(&self, filters: &'a str) -> Result<(), Error> {
unsafe{
let handle = &mut *self.handle;
set_filters(handle, &filters)
}
}
pub fn set_title<'a>(&self, title: &'a str) { unsafe{
let handle = &mut *self.handle;
let title = to_utf16(title);
handle.SetTitle(title.as_ptr());
}}
pub fn clear_client_data(&self) { unsafe{
let handle = &mut *self.handle;
handle.ClearClientData();
}}
pub fn run(&self) -> bool { unsafe{
(&mut *self.handle).Show(self.parent) == S_OK
}}
}
impl Control for FileDialog {
fn handle(&self) -> AnyHandle {
let handle_usize = unsafe{ mem::transmute(self.handle) };
AnyHandle::Custom(TypeId::of::<FileDialog>(), handle_usize)
}
fn control_type(&self) -> ControlType {
ControlType::FileDialog
}
fn free(&mut self) {
unsafe{
let handle = &mut*self.handle;
handle.Release();
}
}
}
#[inline(always)]
unsafe fn get_ishellitem_path(item: &mut IShellItem) -> Result<String, Error> {
use winapi::{S_OK, SIGDN_FILESYSPATH, PWSTR};
use ole32::CoTaskMemFree;
use low::other_helper::from_wide_ptr;
let mut item_path: PWSTR = ptr::null_mut();
if item.GetDisplayName(SIGDN_FILESYSPATH, &mut item_path) != S_OK {
return Err(Error::System(SystemError::ComError("Failed to get display name".to_string())));
}
let text = from_wide_ptr(item_path);
CoTaskMemFree(mem::transmute(item_path));
Ok(text)
}
#[inline(always)]
unsafe fn set_default_folder<S: Clone+Into<String>>(dialog: &mut IFileDialog, folder_name: &S) -> Result<(), Error> {
use low::defs::{SHCreateItemFromParsingName, SFGAO_FOLDER};
use low::clsid::IID_IShellItem;
use winapi::{IShellItem, SFGAOF, S_FALSE};
let mut shellitem: *mut IShellItem = ptr::null_mut();
let path_s = folder_name.clone().into();
let path = to_utf16(&path_s);
if SHCreateItemFromParsingName(path.as_ptr(), ptr::null_mut(), &IID_IShellItem(), mem::transmute(&mut shellitem) ) != S_OK {
let msg = format!("Failed to open the following folder: {}", path_s);
return Err(Error::System(SystemError::ComError(msg)));
}
let shellitem = &mut *shellitem;
let mut file_properties: SFGAOF = 0;
let results = shellitem.GetAttributes(SFGAO_FOLDER, &mut file_properties);
if results != S_OK && results != S_FALSE {
shellitem.Release();
let msg = format!("There was an error while reading the file properties");
return Err(Error::System(SystemError::ComError(msg)));
}
if file_properties & SFGAO_FOLDER != SFGAO_FOLDER {
shellitem.Release();
let msg = format!("File {} do not identify a folder", path_s);
return Err(Error::UserError(msg));
}
if dialog.SetDefaultFolder(shellitem) != S_OK {
shellitem.Release();
let msg = format!("Failed to set the dialog default folder {:?}", path_s);
return Err(Error::System(SystemError::ComError(msg)));
}
shellitem.Release();
Ok(())
}
#[inline(always)]
unsafe fn set_filters<S: Clone+Into<String>>(dialog: &mut IFileDialog, filters: &S) -> Result<(), Error> {
use winapi::{COMDLG_FILTERSPEC, UINT};
let filters = filters.clone().into();
let mut raw_filters: Vec<COMDLG_FILTERSPEC> = Vec::with_capacity(3);
let mut keep_alive: Vec<(Vec<u16>, Vec<u16>)> = Vec::with_capacity(3);
for f in filters.split('|') {
let end = f.rfind('(');
if end.is_none() {
let msg = format!("Bad extension filter format: {:?}", filters);
return Err(Error::UserError(msg));
}
let (_name, _filter) = f.split_at(end.unwrap());
let (name, filter) = (to_utf16(_name), to_utf16(&_filter[1.._filter.len()-1]));
raw_filters.push(COMDLG_FILTERSPEC{ pszName: name.as_ptr(), pszSpec: filter.as_ptr() });
keep_alive.push( (name, filter) );
}
let filters_count = raw_filters.len() as UINT;
if dialog.SetFileTypes(filters_count, raw_filters.as_ptr()) == S_OK {
Ok(())
} else {
let msg = format!("Failed to set the filters using {:?}", filters);
Err(Error::System(SystemError::ComError(msg)))
}
}
#[inline(always)]
unsafe fn toggle_dialog_flags(dialog: &mut IFileDialog, flag: FILEOPENDIALOGOPTIONS, enabled: bool) -> Result<(), Error> {
let mut flags: FILEOPENDIALOGOPTIONS = FILEOPENDIALOGOPTIONS(0);
if dialog.GetOptions(&mut flags) != S_OK {
return Err(Error::System(SystemError::ComError("Failed to get the file dialog options".to_string())));
}
flags = match enabled {
true => flags | flag,
false => flags & (!flag)
};
if dialog.SetOptions(flags) != S_OK {
return Err(Error::System(SystemError::ComError("Failed to set the file dialog options".to_string())));
} else {
Ok(())
}
}