source: branches/1.3/gui/scripts/nanovisviewer.tcl @ 4399

Last change on this file since 4399 was 4399, checked in by gah, 10 years ago

fix builder path, update isosurfaceviewer

File size: 75.1 KB
Line 
1# -*- mode: tcl; indent-tabs-mode: nil -*-
2
3# ----------------------------------------------------------------------
4#  COMPONENT: nanovisviewer - 3D volume rendering
5#
6#  This widget performs volume rendering on 3D scalar/vector datasets.
7#  It connects to the Nanovis server running on a rendering farm,
8#  transmits data, and displays the results.
9# ======================================================================
10#  AUTHOR:  Michael McLennan, Purdue University
11#  Copyright (c) 2004-2012  HUBzero Foundation, LLC
12#
13#  See the file "license.terms" for information on usage and
14#  redistribution of this file, and for a DISCLAIMER OF ALL WARRANTIES.
15# ======================================================================
16package require Itk
17package require BLT
18package require Img
19
20#
21# FIXME:
22#       Need to Add DX readers this client to examine the data before
23#       it's sent to the server.  This will eliminate 90% of the insanity in
24#       computing the limits of all the volumes.  I can rip out all the
25#       "receive data" "send transfer function" event crap.
26#
27#       This means we can compute the transfer function (relative values) and
28#       draw the legend min/max values without waiting for the information to
29#       come from the server.  This will also prevent the flashing that occurs
30#       when a new volume is drawn (using the default transfer function) and
31#       then when the correct transfer function has been sent and linked to
32#       the volume. 
33#
34option add *NanovisViewer.width 4i widgetDefault
35option add *NanovisViewer*cursor crosshair widgetDefault
36option add *NanovisViewer.height 4i widgetDefault
37option add *NanovisViewer.foreground black widgetDefault
38option add *NanovisViewer.controlBackground gray widgetDefault
39option add *NanovisViewer.controlDarkBackground #999999 widgetDefault
40option add *NanovisViewer.plotBackground black widgetDefault
41option add *NanovisViewer.plotForeground white widgetDefault
42option add *NanovisViewer.plotOutline gray widgetDefault
43option add *NanovisViewer.font \
44    -*-helvetica-medium-r-normal-*-12-* widgetDefault
45
46# must use this name -- plugs into Rappture::resources::load
47proc NanovisViewer_init_resources {} {
48    Rappture::resources::register \
49        nanovis_server Rappture::NanovisViewer::SetServerList
50}
51
52itcl::class Rappture::NanovisViewer {
53    inherit Rappture::VisViewer
54
55    itk_option define -plotforeground plotForeground Foreground ""
56    itk_option define -plotbackground plotBackground Background ""
57    itk_option define -plotoutline plotOutline PlotOutline ""
58
59    constructor { hostlist args } {
60        Rappture::VisViewer::constructor $hostlist
61    } {
62        # defined below
63    }
64    destructor {
65        # defined below
66    }
67    public proc SetServerList { namelist } {
68        Rappture::VisViewer::SetServerList "nanovis" $namelist
69    }
70    public method add {dataobj {settings ""}}
71    public method camera {option args}
72    public method delete {args}
73    public method disconnect {}
74    public method download {option args}
75    public method get {args}
76    public method isconnected {}
77    public method limits { tf }
78    public method overmarker { m x }
79    public method parameters {title args} {
80        # do nothing
81    }
82    public method rmdupmarker { m x }
83    public method scale {args}
84    public method updatetransferfuncs {}
85
86    protected method Connect {}
87    protected method CurrentDatasets {{what -all}}
88    protected method Disconnect {}
89    protected method DoResize {}
90    protected method FixLegend {}
91    protected method AdjustSetting {what {value ""}}
92    protected method InitSettings { args }
93    protected method Pan {option x y}
94    protected method Rebuild {}
95    protected method ReceiveData { args }
96    protected method ReceiveImage { args }
97    protected method ReceiveLegend { tf vmin vmax size }
98    protected method Rotate {option x y}
99    protected method SendTransferFuncs {}
100    protected method Slice {option args}
101    protected method SlicerTip {axis}
102    protected method Zoom {option}
103
104    # The following methods are only used by this class.
105    private method AddIsoMarker { x y }
106    private method BuildCameraTab {}
107    private method BuildCutplanesTab {}
108    private method BuildViewTab {}
109    private method BuildVolumeTab {}
110    private method ResetColormap { color }
111    private method ComputeTransferFunc { tf }
112    private method EventuallyResize { w h }
113    private method EventuallyResizeLegend { }
114    private method NameTransferFunc { dataobj comp }
115    private method PanCamera {}
116    private method ParseLevelsOption { tf levels }
117    private method ParseMarkersOption { tf markers }
118    private method volume { tag name }
119    private method GetVolumeInfo { w }
120    private method SetOrientation { side }
121
122    private variable _arcball ""
123
124    private variable _dlist ""     ;# list of data objects
125    private variable _allDataObjs
126    private variable _obj2ovride   ;# maps dataobj => style override
127    private variable _serverDatasets   ;# contains all the dataobj-component
128                                   ;# to volumes in the server
129    private variable _serverTfs    ;# contains all the transfer functions
130                                   ;# in the server.
131    private variable _recvdDatasets    ;# list of data objs to send to server
132    private variable _dataset2style    ;# maps dataobj-component to transfunc
133    private variable _style2datasets   ;# maps tf back to list of
134                                    # dataobj-components using the tf.
135
136    private variable _reset 1;          # Connection to server has been reset
137    private variable _click        ;# info used for rotate operations
138    private variable _limits       ;# autoscale min/max for all axes
139    private variable _view         ;# view params for 3D view
140    private variable _isomarkers    ;# array of isosurface level values 0..1
141    private variable  _settings
142    # Array of transfer functions in server.  If 0 the transfer has been
143    # defined but not loaded.  If 1 the transfer function has been named
144    # and loaded.
145    private variable _activeTfs
146    private variable _first ""     ;# This is the topmost volume.
147    private variable _alphamap
148
149    # This
150    # indicates which isomarkers and transfer
151    # function to use when changing markers,
152    # opacity, or thickness.
153    common _downloadPopup          ;# download options from popup
154    private common _hardcopy
155    private variable _width 0
156    private variable _height 0
157    private variable _resizePending 0
158    private variable _resizeLegendPending 0
159}
160
161itk::usual NanovisViewer {
162    keep -background -foreground -cursor -font
163    keep -plotbackground -plotforeground
164}
165
166# ----------------------------------------------------------------------
167# CONSTRUCTOR
168# ----------------------------------------------------------------------
169itcl::body Rappture::NanovisViewer::constructor {hostlist args} {
170    set _serverType "nanovis"
171
172    # Draw legend event
173    $_dispatcher register !legend
174    $_dispatcher dispatch $this !legend "[itcl::code $this FixLegend]; list"
175
176    # Send transfer functions event
177    $_dispatcher register !send_transfunc
178    $_dispatcher dispatch $this !send_transfunc \
179        "[itcl::code $this SendTransferFuncs]; list"
180
181    # Rebuild event
182    $_dispatcher register !rebuild
183    $_dispatcher dispatch $this !rebuild "[itcl::code $this Rebuild]; list"
184
185    # Resize event
186    $_dispatcher register !resize
187    $_dispatcher dispatch $this !resize "[itcl::code $this DoResize]; list"
188
189    #
190    # Populate parser with commands handle incoming requests
191    #
192    $_parser alias image [itcl::code $this ReceiveImage]
193    $_parser alias legend [itcl::code $this ReceiveLegend]
194    $_parser alias data [itcl::code $this ReceiveData]
195
196    # Initialize the view to some default parameters.
197    array set _view {
198        qw      0.853553
199        qx      -0.353553
200        qy      0.353553
201        qz      0.146447
202        zoom    1.0
203        xpan    0
204        ypan    0
205    }
206    set _arcball [blt::arcball create 100 100]
207    set q [list $_view(qw) $_view(qx) $_view(qy) $_view(qz)]
208    $_arcball quaternion $q
209
210    set _limits(vmin) 0.0
211    set _limits(vmax) 1.0
212    set _reset 1
213
214    array set _settings [subst {
215        $this-qw                $_view(qw)
216        $this-qx                $_view(qx)
217        $this-qy                $_view(qy)
218        $this-qz                $_view(qz)
219        $this-zoom              $_view(zoom)   
220        $this-xpan              $_view(xpan)
221        $this-ypan              $_view(ypan)
222        $this-volume            1
223        $this-xcutplane         0
224        $this-xcutposition      0
225        $this-ycutplane         0
226        $this-ycutposition      0
227        $this-zcutplane         0
228        $this-zcutposition      0
229    }]
230
231    itk_component add 3dview {
232        label $itk_component(plotarea).view -image $_image(plot) \
233            -highlightthickness 0 -borderwidth 0
234    } {
235        usual
236        ignore -highlightthickness -borderwidth  -background
237    }
238    bind $itk_component(3dview) <Control-F1> [itcl::code $this ToggleConsole]
239
240    set f [$itk_component(main) component controls]
241    itk_component add reset {
242        button $f.reset -borderwidth 1 -padx 1 -pady 1 \
243            -highlightthickness 0 \
244            -image [Rappture::icon reset-view] \
245            -command [itcl::code $this Zoom reset]
246    } {
247        usual
248        ignore -highlightthickness
249    }
250    pack $itk_component(reset) -side top -padx 2 -pady 2
251    Rappture::Tooltip::for $itk_component(reset) "Reset the view to the default zoom level"
252
253    itk_component add zoomin {
254        button $f.zin -borderwidth 1 -padx 1 -pady 1 \
255            -highlightthickness 0 \
256            -image [Rappture::icon zoom-in] \
257            -command [itcl::code $this Zoom in]
258    } {
259        usual
260        ignore -highlightthickness
261    }
262    pack $itk_component(zoomin) -side top -padx 2 -pady 2
263    Rappture::Tooltip::for $itk_component(zoomin) "Zoom in"
264
265    itk_component add zoomout {
266        button $f.zout -borderwidth 1 -padx 1 -pady 1 \
267            -highlightthickness 0 \
268            -image [Rappture::icon zoom-out] \
269            -command [itcl::code $this Zoom out]
270    } {
271        usual
272        ignore -highlightthickness
273    }
274    pack $itk_component(zoomout) -side top -padx 2 -pady 2
275    Rappture::Tooltip::for $itk_component(zoomout) "Zoom out"
276
277    itk_component add volume {
278        Rappture::PushButton $f.volume \
279            -onimage [Rappture::icon volume-on] \
280            -offimage [Rappture::icon volume-off] \
281            -command [itcl::code $this AdjustSetting volume] \
282            -variable [itcl::scope _settings($this-volume)]
283    }
284    $itk_component(volume) select
285    Rappture::Tooltip::for $itk_component(volume) \
286        "Toggle the volume cloud on/off"
287    pack $itk_component(volume) -padx 2 -pady 2
288
289    if { [catch {
290        BuildViewTab
291        BuildVolumeTab
292        BuildCutplanesTab
293        BuildCameraTab
294    } errs] != 0 } {
295        global errorInfo
296        puts stderr "errs=$errs errorInfo=$errorInfo"
297    }
298
299    # Legend
300
301    set _image(legend) [image create photo]
302    itk_component add legend {
303        canvas $itk_component(plotarea).legend -height 50 -highlightthickness 0
304    } {
305        usual
306        ignore -highlightthickness
307        rename -background -plotbackground plotBackground Background
308    }
309    bind $itk_component(legend) <Configure> \
310        [itcl::code $this EventuallyResizeLegend]
311
312    # Hack around the Tk panewindow.  The problem is that the requested
313    # size of the 3d view isn't set until an image is retrieved from
314    # the server.  So the panewindow uses the tiny size.
315    set w 10000
316    pack forget $itk_component(3dview)
317    blt::table $itk_component(plotarea) \
318        0,0 $itk_component(3dview) -fill both -reqwidth $w \
319        1,0 $itk_component(legend) -fill x
320    blt::table configure $itk_component(plotarea) r1 -resize none
321
322    # Bindings for rotation via mouse
323    bind $itk_component(3dview) <ButtonPress-1> \
324        [itcl::code $this Rotate click %x %y]
325    bind $itk_component(3dview) <B1-Motion> \
326        [itcl::code $this Rotate drag %x %y]
327    bind $itk_component(3dview) <ButtonRelease-1> \
328        [itcl::code $this Rotate release %x %y]
329    bind $itk_component(3dview) <Configure> \
330        [itcl::code $this EventuallyResize %w %h]
331
332    # Bindings for panning via mouse
333    bind $itk_component(3dview) <ButtonPress-2> \
334        [itcl::code $this Pan click %x %y]
335    bind $itk_component(3dview) <B2-Motion> \
336        [itcl::code $this Pan drag %x %y]
337    bind $itk_component(3dview) <ButtonRelease-2> \
338        [itcl::code $this Pan release %x %y]
339
340    # Bindings for panning via keyboard
341    bind $itk_component(3dview) <KeyPress-Left> \
342        [itcl::code $this Pan set -10 0]
343    bind $itk_component(3dview) <KeyPress-Right> \
344        [itcl::code $this Pan set 10 0]
345    bind $itk_component(3dview) <KeyPress-Up> \
346        [itcl::code $this Pan set 0 -10]
347    bind $itk_component(3dview) <KeyPress-Down> \
348        [itcl::code $this Pan set 0 10]
349    bind $itk_component(3dview) <Shift-KeyPress-Left> \
350        [itcl::code $this Pan set -2 0]
351    bind $itk_component(3dview) <Shift-KeyPress-Right> \
352        [itcl::code $this Pan set 2 0]
353    bind $itk_component(3dview) <Shift-KeyPress-Up> \
354        [itcl::code $this Pan set 0 -2]
355    bind $itk_component(3dview) <Shift-KeyPress-Down> \
356        [itcl::code $this Pan set 0 2]
357
358    # Bindings for zoom via keyboard
359    bind $itk_component(3dview) <KeyPress-Prior> \
360        [itcl::code $this Zoom out]
361    bind $itk_component(3dview) <KeyPress-Next> \
362        [itcl::code $this Zoom in]
363
364    bind $itk_component(3dview) <Enter> "focus $itk_component(3dview)"
365
366    if {[string equal "x11" [tk windowingsystem]]} {
367        # Bindings for zoom via mouse
368        bind $itk_component(3dview) <4> [itcl::code $this Zoom out]
369        bind $itk_component(3dview) <5> [itcl::code $this Zoom in]
370    }
371
372    set _image(download) [image create photo]
373
374    eval itk_initialize $args
375
376    Connect
377}
378
379# ----------------------------------------------------------------------
380# DESTRUCTOR
381# ----------------------------------------------------------------------
382itcl::body Rappture::NanovisViewer::destructor {} {
383    $_dispatcher cancel !rebuild
384    $_dispatcher cancel !send_transfunc
385    $_dispatcher cancel !resize
386    image delete $_image(plot)
387    image delete $_image(legend)
388    image delete $_image(download)
389    catch { blt::arcball destroy $_arcball }
390    array unset _settings $this-*
391}
392
393# ----------------------------------------------------------------------
394# USAGE: add <dataobj> ?<settings>?
395#
396# Clients use this to add a data object to the plot.  The optional
397# <settings> are used to configure the plot.  Allowed settings are
398# -color, -brightness, -width, -linestyle, and -raise.
399# ----------------------------------------------------------------------
400itcl::body Rappture::NanovisViewer::add {dataobj {settings ""}} {
401    if { ![$dataobj isvalid] } {
402        return;                         # Object doesn't contain valid data.
403    }
404    array set params {
405        -color auto
406        -width 1
407        -linestyle solid
408        -brightness 0
409        -raise 0
410        -description ""
411        -param ""
412    }
413    array set params $settings
414
415    if {$params(-color) == "auto" || $params(-color) == "autoreset"} {
416        # can't handle -autocolors yet
417        set params(-color) black
418    }
419    set pos [lsearch -exact $_dlist $dataobj]
420    if {$pos < 0} {
421        lappend _dlist $dataobj
422        set _allDataObjs($dataobj) 1
423        set _obj2ovride($dataobj-color) $params(-color)
424        set _obj2ovride($dataobj-width) $params(-width)
425        set _obj2ovride($dataobj-raise) $params(-raise)
426        $_dispatcher event -idle !rebuild
427    }
428}
429
430# ----------------------------------------------------------------------
431# USAGE: get ?-objects?
432# USAGE: get ?-image 3dview|legend?
433#
434# Clients use this to query the list of objects being plotted, in
435# order from bottom to top of this result.  The optional "-image"
436# flag can also request the internal images being shown.
437# ----------------------------------------------------------------------
438itcl::body Rappture::NanovisViewer::get {args} {
439    if {[llength $args] == 0} {
440        set args "-objects"
441    }
442
443    set op [lindex $args 0]
444    switch -- $op {
445      -objects {
446        # put the dataobj list in order according to -raise options
447        set dlist $_dlist
448        foreach obj $dlist {
449            if {[info exists _obj2ovride($obj-raise)] && $_obj2ovride($obj-raise)} {
450                set i [lsearch -exact $dlist $obj]
451                if {$i >= 0} {
452                    set dlist [lreplace $dlist $i $i]
453                    lappend dlist $obj
454                }
455            }
456        }
457        return $dlist
458      }
459      -image {
460        if {[llength $args] != 2} {
461            error "wrong # args: should be \"get -image 3dview|legend\""
462        }
463        switch -- [lindex $args end] {
464            3dview {
465                return $_image(plot)
466            }
467            legend {
468                return $_image(legend)
469            }
470            default {
471                error "bad image name \"[lindex $args end]\": should be 3dview or legend"
472            }
473        }
474      }
475      default {
476        error "bad option \"$op\": should be -objects or -image"
477      }
478    }
479}
480
481# ----------------------------------------------------------------------
482# USAGE: delete ?<dataobj1> <dataobj2> ...?
483#
484#       Clients use this to delete a dataobj from the plot.  If no dataobjs
485#       are specified, then all dataobjs are deleted.  No data objects are
486#       deleted.  They are only removed from the display list.
487#
488# ----------------------------------------------------------------------
489itcl::body Rappture::NanovisViewer::delete {args} {
490    if {[llength $args] == 0} {
491        set args $_dlist
492    }
493    # Delete all specified dataobjs
494    set changed 0
495    foreach dataobj $args {
496        set pos [lsearch -exact $_dlist $dataobj]
497        if { $pos >= 0 } {
498            set _dlist [lreplace $_dlist $pos $pos]
499            array unset _limits $dataobj*
500            array unset _obj2ovride $dataobj-*
501            set changed 1
502        }
503    }
504    # If anything changed, then rebuild the plot
505    if {$changed} {
506        $_dispatcher event -idle !rebuild
507    }
508}
509
510# ----------------------------------------------------------------------
511# USAGE: scale ?<data1> <data2> ...?
512#
513# Sets the default limits for the overall plot according to the
514# limits of the data for all of the given <data> objects.  This
515# accounts for all objects--even those not showing on the screen.
516# Because of this, the limits are appropriate for all objects as
517# the user scans through data in the ResultSet viewer.
518# ----------------------------------------------------------------------
519itcl::body Rappture::NanovisViewer::scale {args} {
520    foreach val {xmin xmax ymin ymax zmin zmax vmin vmax} {
521        set _limits($val) ""
522    }
523    foreach dataobj $args {
524        if { ![$dataobj isvalid] } {
525            continue;                     # Object doesn't contain valid data.
526        }
527        foreach axis {x y z v} {
528            foreach { min max } [$dataobj limits $axis] break
529            if {"" != $min && "" != $max} {
530                if {"" == $_limits(${axis}min)} {
531                    set _limits(${axis}min) $min
532                    set _limits(${axis}max) $max
533                } else {
534                    if {$min < $_limits(${axis}min)} {
535                        set _limits(${axis}min) $min
536                    }
537                    if {$max > $_limits(${axis}max)} {
538                        set _limits(${axis}max) $max
539                    }
540                }
541            }
542        }
543    }
544}
545
546# ----------------------------------------------------------------------
547# USAGE: download coming
548# USAGE: download controls <downloadCommand>
549# USAGE: download now
550#
551# Clients use this method to create a downloadable representation
552# of the plot.  Returns a list of the form {ext string}, where
553# "ext" is the file extension (indicating the type of data) and
554# "string" is the data itself.
555# ----------------------------------------------------------------------
556itcl::body Rappture::NanovisViewer::download {option args} {
557    switch $option {
558        coming {
559            if {[catch {
560                blt::winop snap $itk_component(plotarea) $_image(download)
561            }]} {
562                $_image(download) configure -width 1 -height 1
563                $_image(download) put #000000
564            }
565        }
566        controls {
567            # no controls for this download yet
568            return ""
569        }
570        now {
571            # Get the image data (as base64) and decode it back to binary.
572            # This is better than writing to temporary files.  When we switch
573            # to the BLT picture image it won't be necessary to decode the
574            # image data.
575            if { [image width $_image(plot)] > 0 &&
576                 [image height $_image(plot)] > 0 } {
577                set bytes [$_image(plot) data -format "jpeg -quality 100"]
578                set bytes [Rappture::encoding::decode -as b64 $bytes]
579                return [list .jpg $bytes]
580            }
581            return ""
582        }
583        default {
584            error "bad option \"$option\": should be coming, controls, now"
585        }
586    }
587}
588
589# ----------------------------------------------------------------------
590# USAGE: Connect ?<host:port>,<host:port>...?
591#
592# Clients use this method to establish a connection to a new
593# server, or to reestablish a connection to the previous server.
594# Any existing connection is automatically closed.
595# ----------------------------------------------------------------------
596itcl::body Rappture::NanovisViewer::Connect {} {
597    set _hosts [GetServerList "nanovis"]
598    if { "" == $_hosts } {
599        return 0
600    }
601    set _reset 1
602    set result [VisViewer::Connect $_hosts]
603    if { $result } {
604        if { $_reportClientInfo }  {
605            # Tell the server the viewer, hub, user and session.
606            # Do this immediately on connect before buffing any commands
607            global env
608
609            set info {}
610            set user "???"
611            if { [info exists env(USER)] } {
612                set user $env(USER)
613            }
614            set session "???"
615            if { [info exists env(SESSION)] } {
616                set session $env(SESSION)
617            }
618            lappend info "hub" [exec hostname]
619            lappend info "client" "nanovisviewer"
620            lappend info "user" $user
621            lappend info "session" $session
622            SendCmd "clientinfo [list $info]"
623        }
624
625        set w [winfo width $itk_component(3dview)]
626        set h [winfo height $itk_component(3dview)]
627        EventuallyResize $w $h
628    }
629    return $result
630}
631
632#
633# isconnected --
634#
635#       Indicates if we are currently connected to the visualization server.
636#
637itcl::body Rappture::NanovisViewer::isconnected {} {
638    return [VisViewer::IsConnected]
639}
640
641#
642# disconnect --
643#
644itcl::body Rappture::NanovisViewer::disconnect {} {
645    Disconnect
646}
647
648#
649# Disconnect --
650#
651#       Clients use this method to disconnect from the current rendering
652#       server.
653#
654itcl::body Rappture::NanovisViewer::Disconnect {} {
655    VisViewer::Disconnect
656
657    # disconnected -- no more data sitting on server
658    array unset _serverDatasets
659}
660
661# ----------------------------------------------------------------------
662# USAGE: SendTransferFuncs
663# ----------------------------------------------------------------------
664itcl::body Rappture::NanovisViewer::SendTransferFuncs {} {
665    if { $_first == "" } {
666        puts stderr "first not set"
667        return
668    }
669    # Ensure that the global opacity and thickness settings (in the slider
670    # settings widgets) are used for the active transfer-function.  Update
671    # the values in the _settings varible.
672    set opacity [expr { double($_settings($this-opacity)) * 0.01 }]
673    # Scale values between 0.00001 and 0.01000
674    set thickness [expr {double($_settings($this-thickness)) * 0.0001}]
675
676    foreach tag [CurrentDatasets] {
677        if { ![info exists _serverDatasets($tag)] || !$_serverDatasets($tag) } {
678            # The volume hasn't reached the server yet.  How did we get
679            # here?
680            puts stderr "Don't have $tag in _serverDatasets"
681            continue
682        }
683        if { ![info exists _dataset2style($tag)] } {
684            puts stderr "don't have style for volume $tag"
685            continue;                        # How does this happen?
686        }
687        set tf $_dataset2style($tag)
688        set _settings($this-$tf-opacity) $opacity
689        set _settings($this-$tf-thickness) $thickness
690        ComputeTransferFunc $tf
691        # FIXME: Need to the send information as to what transfer functions
692        #        to update so that we only update the transfer function
693        #        as necessary.  Right now, all transfer functions are
694        #        updated. This makes moving the isomarker slider chunky.
695        if { ![info exists _activeTfs($tf)] || !$_activeTfs($tf) } {
696            set _activeTfs($tf) 1
697        }
698        SendCmd "volume shading transfunc $tf $tag"
699    }
700    FixLegend
701}
702
703# ----------------------------------------------------------------------
704# USAGE: ReceiveImage -bytes <size> -type <type> -token <token>
705#
706# Invoked automatically whenever the "image" command comes in from
707# the rendering server.  Indicates that binary image data with the
708# specified <size> will follow.
709# ----------------------------------------------------------------------
710itcl::body Rappture::NanovisViewer::ReceiveImage { args } {
711    array set info {
712        -token "???"
713        -bytes 0
714        -type image
715    }
716    array set info $args
717    set bytes [ReceiveBytes $info(-bytes)]
718    ReceiveEcho <<line "<read $info(-bytes) bytes"
719    if { $info(-type) == "image" } {
720        ReceiveEcho "for [image width $_image(plot)]x[image height $_image(plot)] image>"       
721        $_image(plot) configure -data $bytes
722    } elseif { $info(-type) == "print" } {
723        set tag $this-print-$info(-token)
724        set _hardcopy($tag) $bytes
725    }
726}
727
728#
729# ReceiveLegend --
730#
731#       The procedure is the response from the render server to each "legend"
732#       command.  The server sends back a "legend" command invoked our
733#       the slave interpreter.  The purpose is to collect data of the image
734#       representing the legend in the canvas.  In addition, the isomarkers
735#       of the active transfer function are displayed.
736#
737#       I don't know is this is the right place to display the isomarkers.
738#       I don't know all the different paths used to draw the plot. There's
739#       "Rebuild", "add", etc.
740#
741itcl::body Rappture::NanovisViewer::ReceiveLegend { tf vmin vmax size } {
742    if { ![isconnected] } {
743        return
744    }
745    set bytes [ReceiveBytes $size]
746    $_image(legend) configure -data $bytes
747    ReceiveEcho <<line "<read $size bytes for [image width $_image(legend)]x[image height $_image(legend)] legend>"
748puts stderr "vmin=$vmin vmax=$vmax"
749    set c $itk_component(legend)
750    set w [winfo width $c]
751    set h [winfo height $c]
752    set lx 10
753    set ly [expr {$h - 1}]
754    if {"" == [$c find withtag transfunc]} {
755        $c create image 10 10 -anchor nw \
756            -image $_image(legend) -tags transfunc
757        $c create text $lx $ly -anchor sw \
758            -fill $itk_option(-plotforeground) -tags "limits vmin"
759        $c create text [expr {$w-$lx}] $ly -anchor se \
760            -fill $itk_option(-plotforeground) -tags "limits vmax"
761        $c lower transfunc
762        $c bind transfunc <ButtonRelease-1> \
763            [itcl::code $this AddIsoMarker %x %y]
764    }
765    # Display the markers used by the active transfer function.
766
767    array set limits [limits $tf]
768    $c itemconfigure vmin -text [format %g $limits(min)]
769    $c coords vmin $lx $ly
770
771    $c itemconfigure vmax -text [format %g $limits(max)]
772    $c coords vmax [expr {$w-$lx}] $ly
773
774    if { [info exists _isomarkers($tf)] } {
775        foreach m $_isomarkers($tf) {
776            $m visible yes
777        }
778    }
779
780    # The colormap may have changed. Resync the slicers with the colormap.
781    set datasets [CurrentDatasets -cutplanes]
782    SendCmd "volume data state $_settings($this-volume) $datasets"
783
784    # Adjust the cutplane for only the first component in the topmost volume
785    # (i.e. the first volume designated in the field).
786    set tag [lindex $datasets 0]
787    foreach axis {x y z} {
788        # Turn off cutplanes for all volumes
789        SendCmd "cutplane state 0 $axis"
790        if { $_settings($this-${axis}cutplane) } {
791            # Turn on cutplane for this particular volume and set the position
792            SendCmd "cutplane state 1 $axis $tag"
793            set pos [expr {0.01*$_settings($this-${axis}cutposition)}]
794            SendCmd "cutplane position $pos $axis $tag"
795        }
796    }
797}
798
799#
800# ReceiveData --
801#
802#       The procedure is the response from the render server to each "data
803#       follows" command.  The server sends back a "data" command invoked our
804#       the slave interpreter.  The purpose is to collect the min/max of the
805#       volume sent to the render server.  Since the client (nanovisviewer)
806#       doesn't parse 3D data formats, we rely on the server (nanovis) to
807#       tell us what the limits are.  Once we've received the limits to all
808#       the data we've sent (tracked by _recvdDatasets) we can then determine
809#       what the transfer functions are for these volumes.
810#
811#
812#       Note: There is a considerable tradeoff in having the server report
813#             back what the data limits are.  It means that much of the code
814#             having to do with transfer-functions has to wait for the data
815#             to come back, since the isomarkers are calculated based upon
816#             the data limits.  The client code is much messier because of
817#             this.  The alternative is to parse any of the 3D formats on the
818#             client side.
819#
820itcl::body Rappture::NanovisViewer::ReceiveData { args } {
821    if { ![isconnected] } {
822        return
823    }
824
825    # Arguments from server are name value pairs. Stuff them in an array.
826    array set info $args
827
828    set tag $info(tag)
829    set parts [split $tag -]
830
831    #
832    # Volumes don't exist until we're told about them.
833    #
834    set dataobj [lindex $parts 0]
835    set _serverDatasets($tag) 1
836    if { $_settings($this-volume) && $dataobj == $_first } {
837        SendCmd "volume state 1 $tag"
838    }
839    set _limits($tag-min)  $info(min);  # Minimum value of the volume.
840    set _limits($tag-max)  $info(max);  # Maximum value of the volume.
841    set _limits(vmin)      $info(vmin); # Overall minimum value.
842    set _limits(vmax)      $info(vmax); # Overall maximum value.
843
844    unset _recvdDatasets($tag)
845    if { [array size _recvdDatasets] == 0 } {
846        # The active transfer function is by default the first component of
847        # the first data object.  This assumes that the data is always
848        # successfully transferred.
849        updatetransferfuncs
850    }
851}
852
853# ----------------------------------------------------------------------
854# USAGE: Rebuild
855#
856# Called automatically whenever something changes that affects the
857# data in the widget.  Clears any existing data and rebuilds the
858# widget to display new data.
859# ----------------------------------------------------------------------
860itcl::body Rappture::NanovisViewer::Rebuild {} {
861    set w [winfo width $itk_component(3dview)]
862    set h [winfo height $itk_component(3dview)]
863    if { $w < 2 || $h < 2 } {
864        $_dispatcher event -idle !rebuild
865        return
866    }
867
868    # Turn on buffering of commands to the server.  We don't want to
869    # be preempted by a server disconnect/reconnect (which automatically
870    # generates a new call to Rebuild).   
871    StartBufferingCommands
872
873    # Hide all the isomarkers. Can't remove them. Have to remember the
874    # settings since the user may have created/deleted/moved markers.
875
876    foreach tf [array names _isomarkers] {
877        foreach m $_isomarkers($tf) {
878            $m visible no
879        }
880    }
881
882    if { $_width != $w || $_height != $h || $_reset } {
883        set _width $w
884        set _height $h
885        $_arcball resize $w $h
886        DoResize
887    }
888    foreach dataobj [get] {
889        foreach cname [$dataobj components] {
890            set tag $dataobj-$cname
891            if { ![info exists _serverDatasets($tag)] } {
892                # Send the data as one huge base64-encoded mess -- yuck!
893                if { [$dataobj type] == "dx" } {
894                    if { ![$dataobj isvalid] } {
895                        puts stderr "??? $dataobj is invalid"
896                    }
897                    set data [$dataobj values $cname]
898                } else {
899                    set data [$dataobj vtkdata $cname]
900                    if 0 {
901                        set f [open "/tmp/volume.vtk" "w"]
902                        puts $f $data
903                        close $f
904                    }
905                }
906                set nbytes [string length $data]
907                if { $_reportClientInfo }  {
908                    set info {}
909                    lappend info "tool_id"       [$dataobj hints toolId]
910                    lappend info "tool_name"     [$dataobj hints toolName]
911                    lappend info "tool_version"  [$dataobj hints toolRevision]
912                    lappend info "tool_title"    [$dataobj hints toolTitle]
913                    lappend info "dataset_label" [$dataobj hints label]
914                    lappend info "dataset_size"  $nbytes
915                    lappend info "dataset_tag"   $tag
916                    SendCmd "clientinfo [list $info]"
917                }
918                SendCmd "volume data follows $nbytes $tag"
919                append _outbuf $data
920                set _recvdDatasets($tag) 1
921                set _serverDatasets($tag) 0
922            }
923            NameTransferFunc $dataobj $cname
924        }
925    }
926    set _first [lindex [get] 0]
927    if { $_reset } {
928        #
929        # Reset the camera and other view parameters
930        #
931        set _settings($this-qw)    $_view(qw)
932        set _settings($this-qx)    $_view(qx)
933        set _settings($this-qy)    $_view(qy)
934        set _settings($this-qz)    $_view(qz)
935        set _settings($this-xpan)  $_view(xpan)
936        set _settings($this-ypan)  $_view(ypan)
937        set _settings($this-zoom)  $_view(zoom)
938
939        set q [list $_view(qw) $_view(qx) $_view(qy) $_view(qz)]
940        $_arcball quaternion $q
941        SendCmd "camera orient $q"
942        SendCmd "camera reset"
943        PanCamera
944        SendCmd "camera zoom $_view(zoom)"
945        InitSettings light2side light transp isosurface grid axes
946       
947        foreach axis {x y z} {
948            # Turn off cutplanes for all volumes
949            SendCmd "cutplane state 0 $axis"
950        }
951        if {"" != $_first} {
952            set axis [$_first hints updir]
953            if { "" != $axis } {
954                SendCmd "up $axis"
955            }
956            set location [$_first hints camera]
957            if { $location != "" } {
958                array set _view $location
959            }
960        }
961    }
962    # Outline seems to need to be reset every update.
963    InitSettings outline
964    # nothing to send -- activate the proper ivol
965    SendCmd "volume state 0"
966    if {"" != $_first} {
967        set datasets [array names _serverDatasets $_first-*]
968        if { $datasets != "" } {
969            SendCmd "volume state 1 $datasets"
970        }
971        # If the first volume already exists on the server, then make sure
972        # we display the proper transfer function in the legend.
973        set cname [lindex [$_first components] 0]
974        if { [info exists _serverDatasets($_first-$cname)] } {
975            updatetransferfuncs
976        }
977    }
978    # Actually write the commands to the server socket.  If it fails, we don't
979    # care.  We're finished here.
980    blt::busy hold $itk_component(hull)
981    StopBufferingCommands
982    blt::busy release $itk_component(hull)
983    set _reset 0
984}
985
986# ----------------------------------------------------------------------
987# USAGE: CurrentDatasets ?-cutplanes?
988#
989# Returns a list of volume server IDs for the current volume being
990# displayed.  This is normally a single ID, but it might be a list
991# of IDs if the current data object has multiple components.
992# ----------------------------------------------------------------------
993itcl::body Rappture::NanovisViewer::CurrentDatasets {{what -all}} {
994    set rlist ""
995    if { $_first == "" } {
996        return
997    }
998    foreach cname [$_first components] {
999        set tag $_first-$cname
1000        if { [info exists _serverDatasets($tag)] && $_serverDatasets($tag) } {
1001            array set styles {
1002                -cutplanes 1
1003            }
1004            array set styles [lindex [$_first components -style $cname] 0]
1005            if { $what != "-cutplanes" || $styles(-cutplanes) } {
1006                lappend rlist $tag
1007            }
1008        }
1009    }
1010    return $rlist
1011}
1012
1013# ----------------------------------------------------------------------
1014# USAGE: Zoom in
1015# USAGE: Zoom out
1016# USAGE: Zoom reset
1017#
1018# Called automatically when the user clicks on one of the zoom
1019# controls for this widget.  Changes the zoom for the current view.
1020# ----------------------------------------------------------------------
1021itcl::body Rappture::NanovisViewer::Zoom {option} {
1022    switch -- $option {
1023        "in" {
1024            set _view(zoom) [expr {$_view(zoom)*1.25}]
1025            set _settings($this-zoom) $_view(zoom)
1026            SendCmd "camera zoom $_view(zoom)"
1027        }
1028        "out" {
1029            set _view(zoom) [expr {$_view(zoom)*0.8}]
1030            set _settings($this-zoom) $_view(zoom)
1031            SendCmd "camera zoom $_view(zoom)"
1032        }
1033        "reset" {
1034            array set _view {
1035                qw      0.853553
1036                qx      -0.353553
1037                qy      0.353553
1038                qz      0.146447
1039                zoom    1.0
1040                xpan   0
1041                ypan   0
1042            }
1043            if { $_first != "" } {
1044                set location [$_first hints camera]
1045                if { $location != "" } {
1046                    array set _view $location
1047                }
1048            }
1049            set q [list $_view(qw) $_view(qx) $_view(qy) $_view(qz)]
1050            $_arcball quaternion $q
1051            SendCmd "camera orient $q"
1052            SendCmd "camera reset"
1053            set _settings($this-qw)    $_view(qw)
1054            set _settings($this-qx)    $_view(qx)
1055            set _settings($this-qy)    $_view(qy)
1056            set _settings($this-qz)    $_view(qz)
1057            set _settings($this-xpan)  $_view(xpan)
1058            set _settings($this-ypan)  $_view(ypan)
1059            set _settings($this-zoom)  $_view(zoom)
1060        }
1061    }
1062}
1063
1064itcl::body Rappture::NanovisViewer::PanCamera {} {
1065    #set x [expr ($_view(xpan)) / $_limits(xrange)]
1066    #set y [expr ($_view(ypan)) / $_limits(yrange)]
1067    set x $_view(xpan)
1068    set y $_view(ypan)
1069    SendCmd "camera pan $x $y"
1070}
1071
1072
1073# ----------------------------------------------------------------------
1074# USAGE: Rotate click <x> <y>
1075# USAGE: Rotate drag <x> <y>
1076# USAGE: Rotate release <x> <y>
1077#
1078# Called automatically when the user clicks/drags/releases in the
1079# plot area.  Moves the plot according to the user's actions.
1080# ----------------------------------------------------------------------
1081itcl::body Rappture::NanovisViewer::Rotate {option x y} {
1082    switch -- $option {
1083        click {
1084            $itk_component(3dview) configure -cursor fleur
1085            set _click(x) $x
1086            set _click(y) $y
1087        }
1088        drag {
1089            if {[array size _click] == 0} {
1090                Rotate click $x $y
1091            } else {
1092                set w [winfo width $itk_component(3dview)]
1093                set h [winfo height $itk_component(3dview)]
1094                if {$w <= 0 || $h <= 0} {
1095                    return
1096                }
1097
1098                if {[catch {
1099                    # this fails sometimes for no apparent reason
1100                    set dx [expr {double($x-$_click(x))/$w}]
1101                    set dy [expr {double($y-$_click(y))/$h}]
1102                }]} {
1103                    return
1104                }
1105
1106                set q [$_arcball rotate $x $y $_click(x) $_click(y)]
1107                foreach { _view(qw) _view(qx) _view(qy) _view(qz) } $q break
1108                set _settings($this-qw) $_view(qw)
1109                set _settings($this-qx) $_view(qx)
1110                set _settings($this-qy) $_view(qy)
1111                set _settings($this-qz) $_view(qz)
1112                SendCmd "camera orient $q"
1113
1114                set _click(x) $x
1115                set _click(y) $y
1116            }
1117        }
1118        release {
1119            Rotate drag $x $y
1120            $itk_component(3dview) configure -cursor ""
1121            catch {unset _click}
1122        }
1123        default {
1124            error "bad option \"$option\": should be click, drag, release"
1125        }
1126    }
1127}
1128
1129# ----------------------------------------------------------------------
1130# USAGE: $this Pan click x y
1131#        $this Pan drag x y
1132#        $this Pan release x y
1133#
1134# Called automatically when the user clicks on one of the zoom
1135# controls for this widget.  Changes the zoom for the current view.
1136# ----------------------------------------------------------------------
1137itcl::body Rappture::NanovisViewer::Pan {option x y} {
1138    # Experimental stuff
1139    set w [winfo width $itk_component(3dview)]
1140    set h [winfo height $itk_component(3dview)]
1141    if { $option == "set" } {
1142        set x [expr $x / double($w)]
1143        set y [expr $y / double($h)]
1144        set _view(xpan) [expr $_view(xpan) + $x]
1145        set _view(ypan) [expr $_view(ypan) + $y]
1146        PanCamera
1147        set _settings($this-xpan) $_view(xpan)
1148        set _settings($this-ypan) $_view(ypan)
1149        return
1150    }
1151    if { $option == "click" } {
1152        set _click(x) $x
1153        set _click(y) $y
1154        $itk_component(3dview) configure -cursor hand1
1155    }
1156    if { $option == "drag" || $option == "release" } {
1157        set dx [expr ($_click(x) - $x)/double($w)]
1158        set dy [expr ($_click(y) - $y)/double($h)]
1159        set _click(x) $x
1160        set _click(y) $y
1161        set _view(xpan) [expr $_view(xpan) - $dx]
1162        set _view(ypan) [expr $_view(ypan) - $dy]
1163        PanCamera
1164        set _settings($this-xpan) $_view(xpan)
1165        set _settings($this-ypan) $_view(ypan)
1166    }
1167    if { $option == "release" } {
1168        $itk_component(3dview) configure -cursor ""
1169    }
1170}
1171
1172# ----------------------------------------------------------------------
1173# USAGE: InitSettings <what> ?<value>?
1174#
1175# Used internally to update rendering settings whenever parameters
1176# change in the popup settings panel.  Sends the new settings off
1177# to the back end.
1178# ----------------------------------------------------------------------
1179itcl::body Rappture::NanovisViewer::InitSettings { args } {
1180    foreach arg $args {
1181        AdjustSetting $arg
1182    }
1183}
1184
1185# ----------------------------------------------------------------------
1186# USAGE: AdjustSetting <what> ?<value>?
1187#
1188# Used internally to update rendering settings whenever parameters
1189# change in the popup settings panel.  Sends the new settings off
1190# to the back end.
1191# ----------------------------------------------------------------------
1192itcl::body Rappture::NanovisViewer::AdjustSetting {what {value ""}} {
1193    if {![isconnected]} {
1194        return
1195    }
1196    switch -- $what {
1197        light {
1198            set val $_settings($this-light)
1199            set diffuse [expr {0.01*$val}]
1200            set ambient [expr {1.0-$diffuse}]
1201            set specularLevel 0.3
1202            set specularExp 90.0
1203            SendCmd "volume shading ambient $ambient"
1204            SendCmd "volume shading diffuse $diffuse"
1205            SendCmd "volume shading specularLevel $specularLevel"
1206            SendCmd "volume shading specularExp $specularExp"
1207        }
1208        light2side {
1209            set val $_settings($this-light2side)
1210            SendCmd "volume shading light2side $val"
1211        }
1212        transp {
1213            set val $_settings($this-transp)
1214            set sval [expr { 0.01 * double($val) }]
1215            SendCmd "volume shading opacity $sval"
1216        }
1217        opacity {
1218            set val $_settings($this-opacity)
1219            set sval [expr { 0.01 * double($val) }]
1220            foreach tf [array names _activeTfs] {
1221                set _settings($this-$tf-opacity) $sval
1222                set _activeTfs($tf) 0
1223            }
1224            updatetransferfuncs
1225        }
1226        thickness {
1227            if { [array names _activeTfs] > 0 } {
1228                set val $_settings($this-thickness)
1229                # Scale values between 0.00001 and 0.01000
1230                set sval [expr {0.0001*double($val)}]
1231                foreach tf [array names _activeTfs] {
1232                    set _settings($this-$tf-thickness) $sval
1233                    set _activeTfs($tf) 0
1234                }
1235                updatetransferfuncs
1236            }
1237        }
1238        "outline" {
1239            SendCmd "volume outline state $_settings($this-outline)"
1240        }
1241        "isosurface" {
1242            SendCmd "volume shading isosurface $_settings($this-isosurface)"
1243        }
1244        "colormap" {
1245            set color [$itk_component(colormap) value]
1246            set _settings(colormap) $color
1247            # Only set the colormap on the first volume. Ignore the others.
1248            #ResetColormap $color
1249        }
1250        "grid" {
1251            SendCmd "grid visible $_settings($this-grid)"
1252        }
1253        "axes" {
1254            SendCmd "axis visible $_settings($this-axes)"
1255        }
1256        "legend" {
1257            if { $_settings($this-legend) } {
1258                blt::table $itk_component(plotarea) \
1259                    0,0 $itk_component(3dview) -fill both \
1260                    1,0 $itk_component(legend) -fill x
1261                blt::table configure $itk_component(plotarea) r1 -resize none
1262            } else {
1263                blt::table forget $itk_component(legend)
1264            }
1265        }
1266        "volume" {
1267            set datasets [CurrentDatasets -cutplanes]
1268            SendCmd "volume data state $_settings($this-volume) $datasets"
1269        }
1270        "xcutplane" - "ycutplane" - "zcutplane" {
1271            set axis [string range $what 0 0]
1272            set bool $_settings($this-$what)
1273            set datasets [CurrentDatasets -cutplanes]
1274            set tag [lindex $datasets 0]
1275            SendCmd "cutplane state $bool $axis $tag"
1276            if { $bool } {
1277                $itk_component(${axis}CutScale) configure -state normal \
1278                    -troughcolor white
1279            } else {
1280                $itk_component(${axis}CutScale) configure -state disabled \
1281                    -troughcolor grey82
1282            }
1283        }
1284        default {
1285            error "don't know how to fix $what"
1286        }
1287    }
1288}
1289
1290# ----------------------------------------------------------------------
1291# USAGE: FixLegend
1292#
1293# Used internally to update the legend area whenever it changes size
1294# or when the field changes.  Asks the server to send a new legend
1295# for the current field.
1296# ----------------------------------------------------------------------
1297itcl::body Rappture::NanovisViewer::FixLegend {} {
1298    set _resizeLegendPending 0
1299    set lineht [font metrics $itk_option(-font) -linespace]
1300    set w [expr {$_width-20}]
1301    set h [expr {[winfo height $itk_component(legend)]-20-$lineht}]
1302    if {$w > 0 && $h > 0 && [array names _activeTfs] > 0 && $_first != "" } {
1303        set tag [lindex [CurrentDatasets] 0]
1304        if { [info exists _dataset2style($tag)] } {
1305            SendCmd "legend $_dataset2style($tag) $w $h"
1306        }
1307    } else {
1308        # Can't do this as this will remove the items associated with the
1309        # isomarkers.
1310       
1311        #$itk_component(legend) delete all
1312    }
1313}
1314
1315#
1316# NameTransferFunc --
1317#
1318#       Creates a transfer function name based on the <style> settings in the
1319#       library run.xml file. This placeholder will be used later to create
1320#       and send the actual transfer function once the data info has been sent
1321#       to us by the render server. [We won't know the volume limits until the
1322#       server parses the 3D data and sends back the limits via ReceiveData.]
1323#
1324#       FIXME: The current way we generate transfer-function names completely
1325#              ignores the -markers option.  The problem is that we are forced
1326#              to compute the name from an increasing complex set of values:
1327#              color, levels, marker, opacity.  I think we're stuck doing it
1328#              now.
1329#
1330itcl::body Rappture::NanovisViewer::NameTransferFunc { dataobj cname } {
1331    array set styles {
1332        -color BCGYR
1333        -levels 6
1334        -opacity 1.0
1335        -markers ""
1336    }
1337    set tag $dataobj-$cname
1338    array set styles [lindex [$dataobj components -style $cname] 0]
1339    set tf "$styles(-color):$styles(-levels):$styles(-opacity)"
1340    set _dataset2style($tag) $tf
1341    lappend _style2datasets($tf) $tag
1342    return $tf
1343}
1344
1345#
1346# ComputeTransferFunc --
1347#
1348#   Computes and sends the transfer function to the render server.  It's
1349#   assumed that the volume data limits are known and that the global
1350#   transfer-functions slider values have been set up.  Both parts are
1351#   needed to compute the relative value (location) of the marker, and
1352#   the alpha map of the transfer function.
1353#
1354itcl::body Rappture::NanovisViewer::ComputeTransferFunc { tf } {
1355    array set styles {
1356        -color BCGYR
1357        -levels 6
1358        -opacity 1.0
1359        -markers ""
1360        -alphamap ""
1361    }
1362
1363    foreach {dataobj cname} [split [lindex $_style2datasets($tf) 0] -] break
1364    array set styles [lindex [$dataobj components -style $cname] 0]
1365
1366    # We have to parse the style attributes for a volume using this
1367    # transfer-function *once*.  This sets up the initial isomarkers for the
1368    # transfer function.  The user may add/delete markers, so we have to
1369    # maintain a list of markers for each transfer-function.  We use the one
1370    # of the volumes (the first in the list) using the transfer-function as a
1371    # reference.
1372    #
1373    # FIXME: The current way we generate transfer-function names completely
1374    #        ignores the -markers option.  The problem is that we are forced
1375    #        to compute the name from an increasing complex set of values:
1376    #        color, levels, marker, opacity.  I think the cow's out of the
1377    #        barn on this one.
1378
1379    if { ![info exists _isomarkers($tf)] } {
1380        # Have to defer creation of isomarkers until we have data limits
1381        if { [info exists styles(-markers)] &&
1382             [llength $styles(-markers)] > 0 } {
1383            ParseMarkersOption $tf $styles(-markers)
1384        } else {
1385            ParseLevelsOption $tf $styles(-levels)
1386        }
1387        if { $styles(-alphamap) != "" } {
1388            set _alphamap($cname) $styles(-alphamap)
1389        }
1390    }
1391    set cmap [ColorsToColormap $styles(-color)]
1392    set tag $this-$tf
1393    if { ![info exists _settings($tag-opacity)] } {
1394        set _settings($tag-opacity) $styles(-opacity)
1395    }
1396    set max 1.0 ;#$_settings($tag-opacity)
1397
1398    set isovalues {}
1399    foreach m $_isomarkers($tf) {
1400        lappend isovalues [$m relval]
1401    }
1402    # Sort the isovalues
1403    set isovalues [lsort -real $isovalues]
1404
1405    if { ![info exists _settings($tag-thickness)]} {
1406        set _settings($tag-thickness) 0.005
1407    }
1408    set delta $_settings($tag-thickness)
1409
1410    set first [lindex $isovalues 0]
1411    set last [lindex $isovalues end]
1412    set wmap ""
1413    if { $first == "" || $first != 0.0 } {
1414        lappend wmap 0.0 0.0
1415    }
1416    foreach x $isovalues {
1417        set x1 [expr {$x-$delta-0.00001}]
1418        set x2 [expr {$x-$delta}]
1419        set x3 [expr {$x+$delta}]
1420        set x4 [expr {$x+$delta+0.00001}]
1421        if { $x1 < 0.0 } {
1422            set x1 0.0
1423        } elseif { $x1 > 1.0 } {
1424            set x1 1.0
1425        }
1426        if { $x2 < 0.0 } {
1427            set x2 0.0
1428        } elseif { $x2 > 1.0 } {
1429            set x2 1.0
1430        }
1431        if { $x3 < 0.0 } {
1432            set x3 0.0
1433        } elseif { $x3 > 1.0 } {
1434            set x3 1.0
1435        }
1436        if { $x4 < 0.0 } {
1437            set x4 0.0
1438        } elseif { $x4 > 1.0 } {
1439            set x4 1.0
1440        }
1441        # add spikes in the middle
1442        lappend wmap $x1 0.0
1443        lappend wmap $x2 $max
1444        lappend wmap $x3 $max
1445        lappend wmap $x4 0.0
1446    }
1447    if { $last == "" || $last != 1.0 } {
1448        lappend wmap 1.0 0.0
1449    }
1450    if { [info exists _alphamap($cname)] } {
1451        set wmap $_alphamap($cname)
1452    }
1453    puts stderr wmap=$wmap
1454    SendCmd [list transfunc define $tf $cmap $wmap]
1455}
1456
1457# ----------------------------------------------------------------------
1458# CONFIGURATION OPTION: -plotbackground
1459# ----------------------------------------------------------------------
1460itcl::configbody Rappture::NanovisViewer::plotbackground {
1461    if { [isconnected] } {
1462        foreach {r g b} [Color2RGB $itk_option(-plotbackground)] break
1463        #fix this!
1464        #SendCmd "color background $r $g $b"
1465    }
1466}
1467
1468# ----------------------------------------------------------------------
1469# CONFIGURATION OPTION: -plotforeground
1470# ----------------------------------------------------------------------
1471itcl::configbody Rappture::NanovisViewer::plotforeground {
1472    if { [isconnected] } {
1473        foreach {r g b} [Color2RGB $itk_option(-plotforeground)] break
1474        #fix this!
1475        #SendCmd "color background $r $g $b"
1476    }
1477}
1478
1479# ----------------------------------------------------------------------
1480# CONFIGURATION OPTION: -plotoutline
1481# ----------------------------------------------------------------------
1482itcl::configbody Rappture::NanovisViewer::plotoutline {
1483    # Must check if we are connected because this routine is called from the
1484    # class body when the -plotoutline itk_option is defined.  At that point
1485    # the NanovisViewer class constructor hasn't been called, so we can't
1486    # start sending commands to visualization server.
1487    if { [isconnected] } {
1488        if {"" == $itk_option(-plotoutline)} {
1489            SendCmd "volume outline state off"
1490        } else {
1491            SendCmd "volume outline state on"
1492            SendCmd "volume outline color [Color2RGB $itk_option(-plotoutline)]"
1493        }
1494    }
1495}
1496
1497#
1498# The -levels option takes a single value that represents the number
1499# of evenly distributed markers based on the current data range. Each
1500# marker is a relative value from 0.0 to 1.0.
1501#
1502itcl::body Rappture::NanovisViewer::ParseLevelsOption { tf levels } {
1503    set c $itk_component(legend)
1504    regsub -all "," $levels " " levels
1505    if {[string is int $levels]} {
1506        for {set i 1} { $i <= $levels } {incr i} {
1507            set x [expr {double($i)/($levels+1)}]
1508            set m [Rappture::IsoMarker \#auto $c $this $tf]
1509            $m relval $x
1510            lappend _isomarkers($tf) $m
1511        }
1512    } else {
1513        foreach x $levels {
1514            set m [Rappture::IsoMarker \#auto $c $this $tf]
1515            $m relval $x
1516            lappend _isomarkers($tf) $m
1517        }
1518    }
1519}
1520
1521#
1522# The -markers option takes a list of zero or more values (the values
1523# may be separated either by spaces or commas) that have the following
1524# format:
1525#
1526#   N%  Percent of current total data range.  Converted to
1527#       to a relative value between 0.0 and 1.0.
1528#   N   Absolute value of marker.  If the marker is outside of
1529#       the current range, it will be displayed on the outer
1530#       edge of the legends, but it range it represents will
1531#       not be seen.
1532#
1533itcl::body Rappture::NanovisViewer::ParseMarkersOption { tf markers } {
1534    set c $itk_component(legend)
1535    regsub -all "," $markers " " markers
1536    foreach marker $markers {
1537        set n [scan $marker "%g%s" value suffix]
1538        if { $n == 2 && $suffix == "%" } {
1539            # ${n}% : Set relative value.
1540            set value [expr {$value * 0.01}]
1541            set m [Rappture::IsoMarker \#auto $c $this $tf]
1542            $m relval $value
1543            lappend _isomarkers($tf) $m
1544        } else {
1545            # ${n} : Set absolute value.
1546            set m [Rappture::IsoMarker \#auto $c $this $tf]
1547            $m absval $value
1548            lappend _isomarkers($tf) $m
1549        }
1550    }
1551}
1552
1553# ----------------------------------------------------------------------
1554# USAGE: UndateTransferFuncs
1555# ----------------------------------------------------------------------
1556itcl::body Rappture::NanovisViewer::updatetransferfuncs {} {
1557    $_dispatcher event -idle !send_transfunc
1558}
1559
1560itcl::body Rappture::NanovisViewer::AddIsoMarker { x y } {
1561    if { $_first == "" } {
1562        error "active transfer function isn't set"
1563    }
1564    set tag [lindex [CurrentDatasets] 0]
1565    set tf $_dataset2style($tag)
1566    set c $itk_component(legend)
1567    set m [Rappture::IsoMarker \#auto $c $this $tf]
1568    set w [winfo width $c]
1569    $m relval [expr {double($x-10)/($w-20)}]
1570    lappend _isomarkers($tf) $m
1571    updatetransferfuncs
1572    return 1
1573}
1574
1575itcl::body Rappture::NanovisViewer::rmdupmarker { marker x } {
1576    set tf [$marker transferfunc]
1577    set bool 0
1578    if { [info exists _isomarkers($tf)] } {
1579        set list {}
1580        set marker [namespace tail $marker]
1581        foreach m $_isomarkers($tf) {
1582            set sx [$m screenpos]
1583            if { $m != $marker } {
1584                if { $x >= ($sx-3) && $x <= ($sx+3) } {
1585                    $marker relval [$m relval]
1586                    itcl::delete object $m
1587                    bell
1588                    set bool 1
1589                    continue
1590                }
1591            }
1592            lappend list $m
1593        }
1594        set _isomarkers($tf) $list
1595        updatetransferfuncs
1596    }
1597    return $bool
1598}
1599
1600itcl::body Rappture::NanovisViewer::overmarker { marker x } {
1601    set tf [$marker transferfunc]
1602    if { [info exists _isomarkers($tf)] } {
1603        set marker [namespace tail $marker]
1604        foreach m $_isomarkers($tf) {
1605            set sx [$m screenpos]
1606            if { $m != $marker } {
1607                set bool [expr { $x >= ($sx-3) && $x <= ($sx+3) }]
1608                $m activate $bool
1609            }
1610        }
1611    }
1612    return ""
1613}
1614
1615itcl::body Rappture::NanovisViewer::limits { tf } {
1616    set _limits(min) 0.0
1617    set _limits(max) 1.0
1618    if { ![info exists _style2datasets($tf)] } {
1619        return [array get _limits]
1620    }
1621    set min ""; set max ""
1622    foreach tag $_style2datasets($tf) {
1623        if { ![info exists _serverDatasets($tag)] } {
1624            continue
1625        }
1626        if { ![info exists _limits($tag-min)] } {
1627            continue
1628        }
1629        if { $min == "" || $min > $_limits($tag-min) } {
1630            set min $_limits($tag-min)
1631        }
1632        if { $max == "" || $max < $_limits($tag-max) } {
1633            set max $_limits($tag-max)
1634        }
1635    }
1636    if { $min != "" } {
1637        set _limits(min) $min
1638    }
1639    if { $max != "" } {
1640        set _limits(max) $max
1641    }
1642    return [array get _limits]
1643}
1644
1645
1646itcl::body Rappture::NanovisViewer::BuildViewTab {} {
1647    foreach { key value } {
1648        grid            0
1649        axes            1
1650        outline         0
1651        volume          1
1652        legend          1
1653        particles       1
1654        lic             1
1655    } {
1656        set _settings($this-$key) $value
1657    }
1658
1659    set fg [option get $itk_component(hull) font Font]
1660    #set bfg [option get $itk_component(hull) boldFont Font]
1661
1662    set inner [$itk_component(main) insert end \
1663        -title "View Settings" \
1664        -icon [Rappture::icon wrench]]
1665    $inner configure -borderwidth 4
1666
1667    set ::Rappture::NanovisViewer::_settings($this-isosurface) 0
1668    checkbutton $inner.isosurface \
1669        -text "Isosurface shading" \
1670        -variable [itcl::scope _settings($this-isosurface)] \
1671        -command [itcl::code $this AdjustSetting isosurface] \
1672        -font "Arial 9"
1673
1674    checkbutton $inner.axes \
1675        -text "Axes" \
1676        -variable [itcl::scope _settings($this-axes)] \
1677        -command [itcl::code $this AdjustSetting axes] \
1678        -font "Arial 9"
1679
1680    checkbutton $inner.grid \
1681        -text "Grid" \
1682        -variable [itcl::scope _settings($this-grid)] \
1683        -command [itcl::code $this AdjustSetting grid] \
1684        -font "Arial 9"
1685
1686    checkbutton $inner.outline \
1687        -text "Outline" \
1688        -variable [itcl::scope _settings($this-outline)] \
1689        -command [itcl::code $this AdjustSetting outline] \
1690        -font "Arial 9"
1691
1692    checkbutton $inner.legend \
1693        -text "Legend" \
1694        -variable [itcl::scope _settings($this-legend)] \
1695        -command [itcl::code $this AdjustSetting legend] \
1696        -font "Arial 9"
1697
1698    checkbutton $inner.volume \
1699        -text "Volume" \
1700        -variable [itcl::scope _settings($this-volume)] \
1701        -command [itcl::code $this AdjustSetting volume] \
1702        -font "Arial 9"
1703
1704    blt::table $inner \
1705        0,0 $inner.axes  -cspan 2 -anchor w \
1706        1,0 $inner.grid  -cspan 2 -anchor w \
1707        2,0 $inner.outline  -cspan 2 -anchor w \
1708        3,0 $inner.volume  -cspan 2 -anchor w \
1709        4,0 $inner.legend  -cspan 2 -anchor w
1710
1711    if 0 {
1712    bind $inner <Map> [itcl::code $this GetVolumeInfo $inner]
1713    }
1714    blt::table configure $inner r* -resize none
1715    blt::table configure $inner r5 -resize expand
1716}
1717
1718itcl::body Rappture::NanovisViewer::BuildVolumeTab {} {
1719    foreach { key value } {
1720        light2side      1
1721        light           40
1722        transp          50
1723        opacity         100
1724        thickness       350
1725    } {
1726        set _settings($this-$key) $value
1727    }
1728
1729    set inner [$itk_component(main) insert end \
1730        -title "Volume Settings" \
1731        -icon [Rappture::icon volume-on]]
1732    $inner configure -borderwidth 4
1733
1734    set fg [option get $itk_component(hull) font Font]
1735    #set bfg [option get $itk_component(hull) boldFont Font]
1736
1737    checkbutton $inner.vol -text "Show volume" -font $fg \
1738        -variable [itcl::scope _settings($this-volume)] \
1739        -command [itcl::code $this AdjustSetting volume]
1740    label $inner.shading -text "Shading:" -font $fg
1741
1742    checkbutton $inner.light2side -text "Two-sided lighting" -font $fg \
1743        -variable [itcl::scope _settings($this-light2side)] \
1744        -command [itcl::code $this AdjustSetting light2side]
1745
1746    label $inner.dim -text "Glow" -font $fg
1747    ::scale $inner.light -from 0 -to 100 -orient horizontal \
1748        -variable [itcl::scope _settings($this-light)] \
1749        -width 10 \
1750        -showvalue off -command [itcl::code $this AdjustSetting light]
1751    label $inner.bright -text "Surface" -font $fg
1752
1753    label $inner.fog -text "Clear" -font $fg
1754    ::scale $inner.transp -from 0 -to 100 -orient horizontal \
1755        -variable [itcl::scope _settings($this-transp)] \
1756        -width 10 \
1757        -showvalue off -command [itcl::code $this AdjustSetting transp]
1758    label $inner.plastic -text "Opaque" -font $fg
1759
1760    label $inner.clear -text "Clear" -font $fg
1761    ::scale $inner.opacity -from 0 -to 100 -orient horizontal \
1762        -variable [itcl::scope _settings($this-opacity)] \
1763        -width 10 \
1764        -showvalue off -command [itcl::code $this AdjustSetting opacity]
1765    label $inner.opaque -text "Opaque" -font $fg
1766
1767    label $inner.thin -text "Thin" -font $fg
1768    ::scale $inner.thickness -from 0 -to 1000 -orient horizontal \
1769        -variable [itcl::scope _settings($this-thickness)] \
1770        -width 10 \
1771        -showvalue off -command [itcl::code $this AdjustSetting thickness]
1772    label $inner.thick -text "Thick" -font $fg
1773
1774    label $inner.colormap_l -text "Colormap" -font "Arial 9"
1775    itk_component add colormap {
1776        Rappture::Combobox $inner.colormap -width 10 -editable no
1777    }
1778
1779    $inner.colormap choices insert end \
1780        "BCGYR"              "BCGYR"            \
1781        "BGYOR"              "BGYOR"            \
1782        "blue"               "blue"             \
1783        "blue-to-brown"      "blue-to-brown"    \
1784        "blue-to-orange"     "blue-to-orange"   \
1785        "blue-to-grey"       "blue-to-grey"     \
1786        "green-to-magenta"   "green-to-magenta" \
1787        "greyscale"          "greyscale"        \
1788        "nanohub"            "nanohub"          \
1789        "rainbow"            "rainbow"          \
1790        "spectral"           "spectral"         \
1791        "ROYGB"              "ROYGB"            \
1792        "RYGCB"              "RYGCB"            \
1793        "brown-to-blue"      "brown-to-blue"    \
1794        "grey-to-blue"       "grey-to-blue"     \
1795        "orange-to-blue"     "orange-to-blue"   \
1796        "none"               "none"
1797
1798    $itk_component(colormap) value "BCGYR"
1799    bind $inner.colormap <<Value>> \
1800        [itcl::code $this AdjustSetting colormap]
1801
1802    blt::table $inner \
1803        0,0 $inner.vol -cspan 4 -anchor w -pady 2 \
1804        1,0 $inner.shading -cspan 4 -anchor w -pady {10 2} \
1805        2,0 $inner.light2side -cspan 4 -anchor w -pady 2 \
1806        3,0 $inner.dim -anchor e -pady 2 \
1807        3,1 $inner.light -cspan 2 -pady 2 -fill x \
1808        3,3 $inner.bright -anchor w -pady 2 \
1809        4,0 $inner.fog -anchor e -pady 2 \
1810        4,1 $inner.transp -cspan 2 -pady 2 -fill x \
1811        4,3 $inner.plastic -anchor w -pady 2 \
1812        5,0 $inner.thin -anchor e -pady 2 \
1813        5,1 $inner.thickness -cspan 2 -pady 2 -fill x\
1814        5,3 $inner.thick -anchor w -pady 2
1815
1816    blt::table configure $inner c0 c1 c3 r* -resize none
1817    blt::table configure $inner r6 -resize expand
1818}
1819
1820itcl::body Rappture::NanovisViewer::BuildCutplanesTab {} {
1821    set inner [$itk_component(main) insert end \
1822        -title "Cutplane Settings" \
1823        -icon [Rappture::icon cutbutton]]
1824    $inner configure -borderwidth 4
1825
1826    # X-value slicer...
1827    itk_component add xCutButton {
1828        Rappture::PushButton $inner.xbutton \
1829            -onimage [Rappture::icon x-cutplane] \
1830            -offimage [Rappture::icon x-cutplane] \
1831            -command [itcl::code $this AdjustSetting xcutplane] \
1832            -variable [itcl::scope _settings($this-xcutplane)]
1833    }
1834    Rappture::Tooltip::for $itk_component(xCutButton) \
1835        "Toggle the X cut plane on/off"
1836
1837    itk_component add xCutScale {
1838        ::scale $inner.xval -from 100 -to 0 \
1839            -width 10 -orient vertical -showvalue off \
1840            -borderwidth 1 -highlightthickness 0 \
1841            -command [itcl::code $this Slice move x] \
1842            -variable [itcl::scope _settings($this-xcutposition)]
1843    } {
1844        usual
1845        ignore -borderwidth -highlightthickness
1846    }
1847    # Set the default cutplane value before disabling the scale.
1848    $itk_component(xCutScale) set 50
1849    $itk_component(xCutScale) configure -state disabled
1850    Rappture::Tooltip::for $itk_component(xCutScale) \
1851        "@[itcl::code $this SlicerTip x]"
1852
1853    # Y-value slicer...
1854    itk_component add yCutButton {
1855        Rappture::PushButton $inner.ybutton \
1856            -onimage [Rappture::icon y-cutplane] \
1857            -offimage [Rappture::icon y-cutplane] \
1858            -command [itcl::code $this AdjustSetting ycutplane] \
1859            -variable [itcl::scope _settings($this-ycutplane)]
1860    }
1861    Rappture::Tooltip::for $itk_component(yCutButton) \
1862        "Toggle the Y cut plane on/off"
1863
1864    itk_component add yCutScale {
1865        ::scale $inner.yval -from 100 -to 0 \
1866            -width 10 -orient vertical -showvalue off \
1867            -borderwidth 1 -highlightthickness 0 \
1868            -command [itcl::code $this Slice move y] \
1869            -variable [itcl::scope _settings($this-ycutposition)]
1870    } {
1871        usual
1872        ignore -borderwidth -highlightthickness
1873    }
1874    Rappture::Tooltip::for $itk_component(yCutScale) \
1875        "@[itcl::code $this SlicerTip y]"
1876    # Set the default cutplane value before disabling the scale.
1877    $itk_component(yCutScale) set 50
1878    $itk_component(yCutScale) configure -state disabled
1879
1880    # Z-value slicer...
1881    itk_component add zCutButton {
1882        Rappture::PushButton $inner.zbutton \
1883            -onimage [Rappture::icon z-cutplane] \
1884            -offimage [Rappture::icon z-cutplane] \
1885            -command [itcl::code $this AdjustSetting zcutplane] \
1886            -variable [itcl::scope _settings($this-zcutplane)]
1887    }
1888    Rappture::Tooltip::for $itk_component(zCutButton) \
1889        "Toggle the Z cut plane on/off"
1890
1891    itk_component add zCutScale {
1892        ::scale $inner.zval -from 100 -to 0 \
1893            -width 10 -orient vertical -showvalue off \
1894            -borderwidth 1 -highlightthickness 0 \
1895            -command [itcl::code $this Slice move z] \
1896            -variable [itcl::scope _settings($this-zcutposition)]
1897    } {
1898        usual
1899        ignore -borderwidth -highlightthickness
1900    }
1901    $itk_component(zCutScale) set 50
1902    $itk_component(zCutScale) configure -state disabled
1903    #$itk_component(zCutScale) configure -state disabled
1904    Rappture::Tooltip::for $itk_component(zCutScale) \
1905        "@[itcl::code $this SlicerTip z]"
1906
1907    blt::table $inner \
1908        1,1 $itk_component(xCutButton) \
1909        1,2 $itk_component(yCutButton) \
1910        1,3 $itk_component(zCutButton) \
1911        0,1 $itk_component(xCutScale) \
1912        0,2 $itk_component(yCutScale) \
1913        0,3 $itk_component(zCutScale)
1914
1915    blt::table configure $inner r0 r1 c* -resize none
1916    blt::table configure $inner r2 c4 -resize expand
1917    blt::table configure $inner c0 -width 2
1918    blt::table configure $inner c1 c2 c3 -padx 2
1919}
1920
1921itcl::body Rappture::NanovisViewer::BuildCameraTab {} {
1922    set inner [$itk_component(main) insert end \
1923        -title "Camera Settings" \
1924        -icon [Rappture::icon camera]]
1925    $inner configure -borderwidth 4
1926
1927    label $inner.view_l -text "view" -font "Arial 9"
1928    set f [frame $inner.view]
1929    foreach side { front back left right top bottom } {
1930        button $f.$side  -image [Rappture::icon view$side] \
1931            -command [itcl::code $this SetOrientation $side]
1932        Rappture::Tooltip::for $f.$side "Change the view to $side"
1933        pack $f.$side -side left
1934    }
1935
1936    blt::table $inner \
1937        0,0 $inner.view_l -anchor e -pady 2 \
1938        0,1 $inner.view -anchor w -pady 2
1939
1940    set row 1
1941    set labels { qw qx qy qz xpan ypan zoom }
1942    foreach tag $labels {
1943        label $inner.${tag}label -text $tag -font "Arial 9"
1944        entry $inner.${tag} -font "Arial 9"  -bg white \
1945            -textvariable [itcl::scope _settings($this-$tag)]
1946        bind $inner.${tag} <Return> \
1947            [itcl::code $this camera set ${tag}]
1948        bind $inner.${tag} <KP_Enter> \
1949            [itcl::code $this camera set ${tag}]
1950        blt::table $inner \
1951            $row,0 $inner.${tag}label -anchor e -pady 2 \
1952            $row,1 $inner.${tag} -anchor w -pady 2
1953        blt::table configure $inner r$row -resize none
1954        incr row
1955    }
1956
1957    blt::table configure $inner c* r* -resize none
1958    blt::table configure $inner c2 -resize expand
1959    blt::table configure $inner r$row -resize expand
1960}
1961
1962# ----------------------------------------------------------------------
1963# USAGE: Slice move x|y|z <newval>
1964#
1965# Called automatically when the user drags the slider to move the
1966# cut plane that slices 3D data.  Gets the current value from the
1967# slider and moves the cut plane to the appropriate point in the
1968# data set.
1969# ----------------------------------------------------------------------
1970itcl::body Rappture::NanovisViewer::Slice {option args} {
1971    switch -- $option {
1972        move {
1973            if {[llength $args] != 2} {
1974                error "wrong # args: should be \"Slice move x|y|z newval\""
1975            }
1976            set axis [lindex $args 0]
1977            set newval [lindex $args 1]
1978
1979            set newpos [expr {0.01*$newval}]
1980            set datasets [CurrentDatasets -cutplanes]
1981            set tag [lindex $datasets 0]
1982            SendCmd "cutplane position $newpos $axis $tag"
1983        }
1984        default {
1985            error "bad option \"$option\": should be axis, move, or volume"
1986        }
1987    }
1988}
1989
1990# ----------------------------------------------------------------------
1991# USAGE: SlicerTip <axis>
1992#
1993# Used internally to generate a tooltip for the x/y/z slicer controls.
1994# Returns a message that includes the current slicer value.
1995# ----------------------------------------------------------------------
1996itcl::body Rappture::NanovisViewer::SlicerTip {axis} {
1997    set val [$itk_component(${axis}CutScale) get]
1998#    set val [expr {0.01*($val-50)
1999#        *($_limits(${axis}max)-$_limits(${axis}min))
2000#          + 0.5*($_limits(${axis}max)+$_limits(${axis}min))}]
2001    return "Move the [string toupper $axis] cut plane.\nCurrently:  $axis = $val%"
2002}
2003
2004
2005itcl::body Rappture::NanovisViewer::DoResize {} {
2006    $_arcball resize $_width $_height
2007    SendCmd "screen size $_width $_height"
2008    set _resizePending 0
2009}
2010
2011itcl::body Rappture::NanovisViewer::EventuallyResize { w h } {
2012    set _width $w
2013    set _height $h
2014    $_arcball resize $w $h
2015    if { !$_resizePending } {
2016        $_dispatcher event -idle !resize
2017        set _resizePending 1
2018    }
2019}
2020
2021itcl::body Rappture::NanovisViewer::EventuallyResizeLegend {} {
2022    if { !$_resizeLegendPending } {
2023        $_dispatcher event -idle !legend
2024        set _resizeLegendPending 1
2025    }
2026}
2027
2028#  camera --
2029#
2030itcl::body Rappture::NanovisViewer::camera {option args} {
2031    switch -- $option {
2032        "show" {
2033            puts [array get _view]
2034        }
2035        "set" {
2036            set who [lindex $args 0]
2037            set x $_settings($this-$who)
2038            set code [catch { string is double $x } result]
2039            if { $code != 0 || !$result } {
2040                set _settings($this-$who) $_view($who)
2041                return
2042            }
2043            switch -- $who {
2044                "xpan" - "ypan" {
2045                    set _view($who) $_settings($this-$who)
2046                    PanCamera
2047                }
2048                "qx" - "qy" - "qz" - "qw" {
2049                    set _view($who) $_settings($this-$who)
2050                    set q [list $_view(qw) $_view(qx) $_view(qy) $_view(qz)]
2051                    $_arcball quaternion $q
2052                    SendCmd "camera orient $q"
2053                }
2054                "zoom" {
2055                    set _view($who) $_settings($this-$who)
2056                    SendCmd "camera zoom $_view(zoom)"
2057                }
2058            }
2059        }
2060    }
2061}
2062
2063itcl::body Rappture::NanovisViewer::GetVolumeInfo { w } {
2064    set flowobj ""
2065    foreach key [array names _obj2flow] {
2066        set flowobj $_obj2flow($key)
2067        break
2068    }
2069    if { $flowobj == "" } {
2070        return
2071    }
2072    if { [winfo exists $w.frame] } {
2073        destroy $w.frame
2074    }
2075    set inner [frame $w.frame]
2076    blt::table $w \
2077        5,0 $inner -fill both -cspan 2 -anchor nw
2078    array set hints [$dataobj hints]
2079
2080    label $inner.volumes -text "Volumes" -font "Arial 9 bold"
2081    blt::table $inner \
2082        1,0 $inner.volumes  -anchor w \
2083    blt::table configure $inner c0 c1 -resize none
2084    blt::table configure $inner c2 -resize expand
2085
2086    set row 3
2087    set volumes [get]
2088    if { [llength $volumes] > 0 } {
2089        blt::table $inner $row,0 $inner.volumes  -anchor w
2090        incr row
2091    }
2092    foreach vol $volumes {
2093        array unset info
2094        array set info $vol
2095        set name $info(name)
2096        if { ![info exists _settings($this-volume-$name)] } {
2097            set _settings($this-volume-$name) $info(hide)
2098        }
2099        checkbutton $inner.vol$row -text $info(label) \
2100            -variable [itcl::scope _settings($this-volume-$name)] \
2101            -onvalue 0 -offvalue 1 \
2102            -command [itcl::code $this volume $key $name] \
2103            -font "Arial 9"
2104        Rappture::Tooltip::for $inner.vol$row $info(description)
2105        blt::table $inner $row,0 $inner.vol$row -anchor w
2106        if { !$_settings($this-volume-$name) } {
2107            $inner.vol$row select
2108        }
2109        incr row
2110    }
2111    blt::table configure $inner r* -resize none
2112    blt::table configure $inner r$row -resize expand
2113    blt::table configure $inner c3 -resize expand
2114    event generate [winfo parent [winfo parent $w]] <Configure>
2115}
2116
2117itcl::body Rappture::NanovisViewer::volume { tag name } {
2118    set bool $_settings($this-volume-$name)
2119    SendCmd "volume statue $bool $name"
2120}
2121
2122itcl::body Rappture::NanovisViewer::SetOrientation { side } {
2123    array set positions {
2124        front "1 0 0 0"
2125        back  "0 0 1 0"
2126        left  "0.707107 0 -0.707107 0"
2127        right "0.707107 0 0.707107 0"
2128        top   "0.707107 -0.707107 0 0"
2129        bottom "0.707107 0.707107 0 0"
2130    }
2131    foreach name { qw qx qy qz } value $positions($side) {
2132        set _view($name) $value
2133    }
2134    set q [list $_view(qw) $_view(qx) $_view(qy) $_view(qz)]
2135    $_arcball quaternion $q
2136    SendCmd "camera orient $q"
2137    SendCmd "camera reset"
2138    set _view(xpan) 0
2139    set _view(ypan) 0
2140    set _view(zoom) 1.0
2141    set _settings($this-xpan) $_view(xpan)
2142    set _settings($this-ypan) $_view(ypan)
2143    set _settings($this-zoom) $_view(zoom)
2144}
2145
Note: See TracBrowser for help on using the repository browser.