tk 0.1.10

Rust bindings for Tk GUI library
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
436
437
438
439
440
441
442
443
444
445
446
447
448
449
450
451
452
453
454
455
456
457
458
459
460
461
462
463
464
465
466
467
468
469
470
471
472
473
474
475
476
477
478
479
480
481
482
483
484
485
486
487
488
489
490
491
492
493
494
495
496
497
498
499
500
501
502
503
504
505
506
507
508
509
510
511
512
513
514
515
516
517
518
519
520
521
522
523
524
525
526
527
528
529
530
531
532
533
534
535
536
537
538
539
540
541
542
543
544
545
546
547
548
549
550
551
552
553
554
555
556
557
558
559
560
561
562
563
564
565
566
567
568
569
570
571
572
573
574
575
576
577
578
579
580
581
582
583
584
585
586
587
588
589
590
591
592
593
594
595
596
597
598
599
600
601
602
603
604
605
606
607
608
609
610
611
612
613
614
615
616
617
618
619
620
621
622
623
//! High-level bindings to Tk 8.6
//!
//! The crate tk is bindings to Tk commands, aiming at:
//!
//! * Make Tk programers feel at home if possible.
//!
//! * Provide for non-Tk-programers easy-to-use API to start writing Tk GUI programs under constraints of Rust types,
//! without the need of concatenating command strings of too flexible arguments.
//!
//! # A quick glance
//!
//! ```rust
//! use tk::*;
//! use tk::cmd::*;
//!
//! fn main() -> TkResult<()> {
//!     let tk = make_tk!()?;
//!     let root = tk.root();
//!     root.add_label( -text("constructs widgets and layout step by step") )?
//!         .pack(())?;
//!     let f = root
//!         .add_frame(())?
//!         .pack(())?;
//!     let _btn = f
//!         .add_button( "btn" -text("quit") -command("destroy .") )?
//!         .pack(())?;
//!     Ok( main_loop() )
//! }
//! ```
//!
//! # Another glance
//!
//! ```rust
//! use tk::*;
//! use tk::cmd::*;
//!
//! fn main() -> TkResult<()> {
//!     let tk = make_tk!()?;
//!     tk.root().add_widgets(
//!         -pack( -label( -text("constructs widgets and layout in one expression") ))
//!         -pack( -frame( -pack( -button( "btn" -text("quit") -command("destroy .") ))))
//!     )?;
//!     Ok( main_loop() )
//! }
//! ```
//!
//! # The naming conventions in translating Tk commands to Rust bindings
//!
//! 1. Prefix Tk widget constructors with `add_` and put parentheses around option values.
//!
//!     The Tk command to add a widget looks like `Constructor path -options_and_values`, e.g.
//!
//!     ```tcl
//!     label .lb -text "lorem ipsum" -width 50 -height 20
//!     ```
//!
//!     The equivalent Rust statement is as follows.
//!
//!     ```rust_no_run
//!     let lb = root.add_label( /*".lb"*/ -text("lorem ipsum") -width(50) -height(20) )?;
//!     ```
//!
//! 2. Converts Tcl's imperative style to Rust's object style
//!
//!     The Tk command is in the form of "verb noun options", e.g.
//!
//!     ```tcl
//!     pack .lb -fill both
//!     ```
//!
//!     The equivalent Rust statement is in th form of "object method options", as follows.
//!
//!     ```rust_no_run
//!     lb.pack( -fill("both") )?; // use pack(()) without any option.
//!     ```
//!
//! 3. Converts Tk's space-separated commands to Rust's underscore-separated function names.
//!
//!     Tk commands are space-separated, e.g.
//!
//!     ```tcl
//!     tk fontchooser show
//!     ```
//!
//!     The equivalent Rust statement is as follows.
//!
//!     ```rust_no_run
//!     tk.fontchooser_show()?;
//!     ```
//!
//!     Users can look into the Tk command reference and find the "fontchooser" page then search "show".
//!
//! 4. Distinguish between set and get via the `set_` prefix.
//!
//!     In Tk, it is common to distinguish set and get by providing or omitting the value argument, e.g.
//!
//!     `wm title window "Lorem ipsum"` means to set the window's title to "Lorem ipsum",
//!     while `wm title window` means to get the windows' title.
//!
//!     The equivalent Rust statements are as follows.
//!
//!     ```rust_no_run
//!     window.set_wm_title( "Lorem ipsum" )?;
//!     window.wm_title()?;
//!     ```
//!
//! # Documents
//!
//! 1. [Tk tutorial](https://oooutlk.github.io/tk/)
//!
//! 2. [Official Tk command references](https://www.tcl.tk/man/tcl/TkCmd/contents.html)

use enumx::export::*;
use enumx::predefined::*;
use cex::*;

use once_cell::sync::Lazy;

pub(crate) use std::{
    any::TypeId,
    cell::{Cell, RefCell},
    collections::HashSet,
    marker::PhantomData,
    mem,
    ops::Deref,
    os::raw::c_int,
    sync::Mutex,
};

#[cfg( feature = "libtk" )]
pub(crate) use std::os::raw::c_char;

pub(crate) use tcl::{
    Interpreter,
    Obj,
    error::{
        InterpError,
        NullInterp,
        TclInitError,
    },
};

#[macro_export]
macro_rules! make_tk {
    () => { Tk::new( ||() ) }
}

pub mod bitmap;
pub use bitmap::Bitmap;

pub mod error;
pub use error::{
    TkError,
    TkResult,
};

#[macro_use]
pub mod cmd;
pub use cmd::{
    TkRoot,
    Widget,
    no_arg,
    path_seg,
};
pub(crate) use cmd::{
    PathOptsWidgets,
};

pub mod key_syms;
pub use key_syms::TkKey;

mod lower;

#[macro_use]
pub mod opt;
use opt::{OptPair, TkOption};

mod option;

pub mod photo;
pub use photo::Photo;

pub mod query;
pub use query::{UpcastFrom, UpcastableWidget, CreatedWidgets};

mod raise;

pub mod ttk_style;

pub mod ttk_widget;
pub use ttk_widget::{
    TtkCommonTraits,
    TtkState,
    TtkStateSpec,
};

pub mod bind;

pub mod event;
pub use event::TkEventSeq;

pub mod image;
pub use image::Image;

mod grid;
mod pack;
mod focus;
mod winfo;

pub mod wm;
pub use wm::{
    TkFocusModel,
    WmManage,
};

pub mod range;
pub use range::{
    TkDefaultStart,
    TkDefaultEnd,
};

pub mod traits;
pub use traits::{Delete, TkBBoxTrait, TkEntryTraits, TkXView, TkXViewIndex, TkYView, TkYViewIndex};

pub mod types;
pub use types::{
    TkBBox,
    TkColor,
    TkCoord,
    TkHandler,
    TkGeometry,
    TkDistance,
    TkDLine,
    TkRGB,
    TkRectangle,
    TkResizable,
    TkRequester,
    TkState,
    TkSize,
    TkScreenName,
    TkVisualClass,
    TkWindowingSystem,
    TtkInsertPos,
    TtkTreeviewRegion,
};

pub mod button;
pub use button::TkButton;

pub mod canvas;
pub use canvas::TkCanvas;

pub mod checkbutton;
pub use checkbutton::TkCheckbutton;

pub mod entry;
pub use entry::{
    TkEntry,
    Index as TkEntryIndex,
};

pub mod frame;
pub use frame::TkFrame;

pub mod label;
pub use label::TkLabel;

pub mod labelframe;
pub use labelframe::TkLabelframe;

pub mod listbox;
pub use listbox::{
    Index as TkListboxIndex,
    TkListbox,
};

pub mod menu;
pub use menu::{
    AddMenus,
    Index as TkMenuIndex,
    TkMenu,
    TkMenuCloneType,
    TkMenuEntryType,
};

pub mod menubutton;
pub use menubutton::TkMenubutton;

pub mod message;
pub use message::TkMessage;

pub mod panedwindow;
pub use panedwindow::{TkPanedwindow, TkSashOrHandle};

pub mod radiobutton;
pub use radiobutton::TkRadiobutton;

pub mod scale;
pub use scale::{TkScale, TkScaleCoord, TkScalePart};

pub mod scrollbar;
pub use scrollbar::{TkScrollbar, TkScrollbarElement, TkScrollbarDelta};

pub mod spinbox;
pub use spinbox::{TkSpinbox, TkSpinboxElement, TkSpinboxInvokableElement};

pub mod text;
pub use text::{
    TkCmp,
    TkDump,
    TkText,
    TkTextMarkGravity,
    TkTextSearch,
    TkTextSearchAll,
};

pub mod toplevel;
pub use toplevel::TkToplevel;

pub mod ttk_button;
pub use ttk_button::TtkButton;

pub mod ttk_checkbutton;
pub use ttk_checkbutton::TtkCheckbutton;

pub mod ttk_combobox;
pub use ttk_combobox::{
    TtkCombobox,
    Index as TtkComboboxIndex,
};

pub mod ttk_entry;
pub use ttk_entry::{
    Index as TtkEntryIndex,
    TtkEntry,
};

pub mod ttk_frame;
pub use ttk_frame::TtkFrame;

pub mod ttk_label;
pub use ttk_label::TtkLabel;

pub mod ttk_labelframe;
pub use ttk_labelframe::TtkLabelframe;

pub mod ttk_menubutton;
pub use ttk_menubutton::TtkMenubutton;

pub mod ttk_notebook;
pub use ttk_notebook::{TtkNotebook, TtkNotebookTabId};

pub mod ttk_panedwindow;
pub use ttk_panedwindow::TtkPanedwindow;

pub mod ttk_progressbar;
pub use ttk_progressbar::{TtkProgressbar, TtkProgressbarInterval};

pub mod ttk_radiobutton;
pub use ttk_radiobutton::TtkRadiobutton;

pub mod ttk_scale;
pub use ttk_scale::TtkScale;

pub mod ttk_scrollbar;
pub use ttk_scrollbar::TtkScrollbar;

pub mod ttk_separator;
pub use ttk_separator::TtkSeparator;

pub mod ttk_sizegrip;
pub use ttk_sizegrip::TtkSizegrip;

pub mod ttk_spinbox;
pub use ttk_spinbox::TtkSpinbox;

pub mod ttk_treeview;
pub use ttk_treeview::{
    Index as TtkTreeviewIndex,
    TtkTreeview,
    Column as TtkTreeviewColumn,
};

pub mod font;
pub use font::Font;

pub mod ext;
pub use ext::{AddHBox, AddVBox, HBox, HBoxResize, VBox, VBoxResize};

const TEST_MAIN_WINDOW: &'static str = "winfo exists .\0";

/// Loop for events until all windows are deleted.
pub fn main_loop() {
    loop {
        unsafe{ clib::Tcl_DoOneEvent( 0 ); }

        let no_main_window = TK_INSTANCES.with( |instances| {
            let script = TEST_MAIN_WINDOW.as_ptr() as *const _;
            for (_, engine) in instances.borrow().iter() {
                let tcl_interp = engine.interpreter.as_ptr();
                if unsafe{ clib::Tcl_Eval( tcl_interp, script )} == clib::TCL_OK as c_int {
                    return false;
                }
            }
            true
        });

        if no_main_window {
            break;
        }
    }
}

/// Error from Tcl interpreter.
pub type InterpResult<T> = Result<T, tcl::error::InterpError>;

/// Main program for Tk-based applications.
#[cfg( feature = "libtk" )]
pub fn main( args: impl Iterator<Item=String>, mut init: clib::Tcl_AppInitProc ) {
    let mut v: Vec<_> = args
        .map( |arg| std::ffi::CString::new( Vec::<u8>::from( arg ))
            .expect( "String should not contain nul character" )
            .into_raw() )
        .collect();
    let argc = v.len() as c_int;
    let argv = v.as_mut_ptr() as *mut *mut c_char;
    mem::forget( v );

    if init == None {
        init = Some( tcl_app_init_proc );
    }

    unsafe {
        clib::Tk_MainEx( argc, argv, init, Interpreter::new().unwrap().as_ptr() );
    }
}

#[doc( hidden )]
#[cfg( feature = "libtk" )]
unsafe extern "C" fn tcl_app_init_proc( interp: *mut clib::Tcl_Interp ) -> c_int {
    const TCL_OK: c_int = clib::TCL_OK as c_int;

    let result = clib::Tk_Init( interp );
    if result != TCL_OK {
        eprintln!( "unable to Initialize Tk!\n" );
        return result;
    }

    return TCL_OK;
}

#[doc( hidden )]
pub struct Engine {
    interpreter : Interpreter,
    serial      : Cell<usize>, // for widgets
}

impl Engine {
    fn incr_serial( &self ) -> usize {
        self.serial.set( self.serial.get() + 1 );
        self.serial.get()
    }
}

impl Deref for Engine {
    type Target = Interpreter;

    fn deref( &self ) -> &Self::Target { &self.interpreter }
}

pub type NotSendSync = PhantomData<*const ()>;

const NOT_SEND_SYNC: NotSendSync = PhantomData;

/// Tk instance.
#[derive( Copy, Clone )]
pub struct Tk<Inst:TkInstance>
{
    inst : Inst,
    mark : NotSendSync,
}

impl<Inst:TkInstance> Deref for Tk<Inst> {
    type Target = Engine;

    fn deref( &self ) -> &Self::Target {
        TK_INSTANCES.with( |instances| {
            let tk_type_id = TypeId::of::<Inst>();
            for (type_id, engine) in instances.borrow().iter() {
                if &tk_type_id == type_id {
                    return unsafe{ &*( engine as *const _ )};
                }
            }
            unreachable!()
        })
    }
}

#[doc( hidden )]
pub trait TkInstance : 'static + Copy + Clone {}

impl<T:'static + Copy + Clone> TkInstance for T {}

thread_local! {
    static TK_INSTANCES: RefCell<Vec<(TypeId, Engine)>> = RefCell::new( Vec::new() );

    static WIDGET_PATH_SET: RefCell<HashSet<&'static str>> = {
        let mut set = HashSet::new();
        set.insert( "." );
        RefCell::new( set )
    };
}

static MUTEX: Lazy<Mutex<()>> = Lazy::new( || Mutex::new(()) );

const TK_INIT_SCRIPT: &'static str = r#"
package require Tk
proc tk_rs_option_menu {pathName varName items} {
    global tk_rs_widget_extra_data
    set tk_rs_widget_extra_data($pathName) [eval tk_optionMenu {$pathName} {$varName} $items]
}
"#;

impl<Inst> Tk<Inst>
    where Inst: 'static + Copy + Clone
{
    /// Creates a new instance of Tk.
    /// The recommended invocation is `Tk::new(||{})`.
    ///
    /// Note: the `inst` is assigned at COMPILE TIME.
    /// If your program needs multiple tk instances, make sure they can be assigned different `inst` at compile time.
    #[cex]
    pub fn new( inst: Inst ) -> Result!( Tk<Inst> throws InterpError, NullInterp, TclInitError ) {
        let tk_type_id = TypeId::of::<Inst>();

        let not_unique = TK_INSTANCES.with( |instances| instances
            .borrow()
            .iter()
            .find( |(type_id, _)| &tk_type_id == type_id )
            .is_some()
        );

        if not_unique {
            panic!( "Tk instance exists already" );
        }

        let interpreter = Interpreter::new()?;

        if interpreter.eval( "package present Tk" ).is_err() {
            let m = crate::MUTEX.lock();
            interpreter.eval( TK_INIT_SCRIPT )?;
            m.ok();
        }

        let tk = Tk{ inst, mark: NOT_SEND_SYNC };
        let engine = Engine{ interpreter, serial: Cell::new(0) };

        TK_INSTANCES.with( |instances| {
            instances.borrow_mut().push(( tk_type_id, engine ));
        });

        Ok( tk )
    }

    pub(crate) fn from_inst( inst: Inst ) -> Tk<Inst> { Tk{ inst, mark: NOT_SEND_SYNC }}

    pub(crate) fn make_or_get_path( path: &str ) -> &'static str {
        WIDGET_PATH_SET.with( |path_set| {
            let mut path_set = path_set.borrow_mut();
            match path_set.get( path ) {
                Some( path ) => *path,
                None => {
                    let path: &'static str = Box::leak( path.to_owned().into_boxed_str() );
                    path_set.insert( path );
                    path
                },
            }
        })
    }
}

impl<Inst:TkInstance> Tk<Inst> {
    /// Reference to the root widget of tk. The root's widget path is ".".
    pub fn root( &self ) -> TkRoot<Inst> {
        TkRoot(
            Widget {
                path : ".",
                inst : self.inst,
                mark : NOT_SEND_SYNC,
            }
        )
    }

    pub(crate) fn next_path( &self, parent_path: &str, path: &str ) -> String {
        if path.len() == 0 {
            let serial = self.deref().incr_serial();
            if parent_path == "." {
                format!( ".{}", serial )
            } else {
                format!( "{}.{}", parent_path, serial )
            }
        } else {
            if parent_path == "." {
                format!( ".{}", path )
            } else {
                format!( "{}.{}", parent_path, path )
            }
        }
    }
}

#[cfg(test)]
mod tests {
    use super::*;

    #[test]
    #[cex]
    fn it_works() -> Result!( () throws InterpError, NullInterp, TclInitError ) {
        let _tk = Tk::new(|| ())?;
        let _tk = Tk::new(|| ())?;
        Ok( main_loop() )
    }
}