9

I have a Dialog created by MonoTouch.Dialog. There is a list of Doctors in a radio group:

    Section secDr = new Section ("Dr. Details") {
       new RootElement ("Name", rdoDrNames){
          secDrNames
    }

I wish to update an Element in the code once a Doctor has been chosen. What's the best way to be notified that a RadioElement has been selected?

poupou
  • 43,413
  • 6
  • 77
  • 174
Ian Vink
  • 66,960
  • 104
  • 341
  • 555

1 Answers1

18

Create your own RadioElement like:

class MyRadioElement : RadioElement {
    public MyRadioElement (string s) : base (s) {}

    public override void Selected (DialogViewController dvc, UITableView tableView, NSIndexPath path)
    {
        base.Selected (dvc, tableView, path);
        var selected = OnSelected;
        if (selected != null)
            selected (this, EventArgs.Empty);
    }

    static public event EventHandler<EventArgs> OnSelected;
}

note: do not use a static event if you want to have more than one radio group

Then create a RootElement that use this new type, like:

    RootElement CreateRoot ()
    {
        StringElement se = new StringElement (String.Empty);
        MyRadioElement.OnSelected += delegate(object sender, EventArgs e) {
            se.Caption = (sender as MyRadioElement).Caption;
            var root = se.GetImmediateRootElement ();
            root.Reload (se, UITableViewRowAnimation.Fade);
        };
        return new RootElement (String.Empty, new RadioGroup (0)) {
            new Section ("Dr. Who ?") {
                new MyRadioElement ("Dr. House"),
                new MyRadioElement ("Dr. Zhivago"),
                new MyRadioElement ("Dr. Moreau")
            },
            new Section ("Winner") {
                se
            }
        };
    }

[UPDATE]

Here is a more modern version of this RadioElement:

public class DebugRadioElement : RadioElement {
    Action<DebugRadioElement, EventArgs> onCLick;

    public DebugRadioElement (string s, Action<DebugRadioElement, EventArgs> onCLick) : base (s) {
        this.onCLick = onCLick;
    }

    public override void Selected (DialogViewController dvc, UITableView tableView, NSIndexPath path)
    {
        base.Selected (dvc, tableView, path);
        var selected = onCLick;
        if (selected != null)
        selected (this, EventArgs.Empty);
    }
}
poupou
  • 43,413
  • 6
  • 77
  • 174
  • 3
    This would be a great addition to MT.Dialog as in many Line-of-business apps, the choice of one field affects another. Thanks for your excellent answer! – Ian Vink Nov 29 '11 at 18:21