2

我是一名 C++ 开发人员,最近转向 C#。我正在开发一个 WPF 应用程序,我需要在其中动态生成 4 个单选按钮。我尝试做很多 RnD,但看起来这种情况很少见。

XAML:

<RadioButton Content="Base 0x" Height="16" Name="radioButton1" Width="80" />

现在是这样的场景:我应该生成这个单选按钮 4 次,Content如下所示:

<RadioButton Content = Base 0x0 />
<RadioButton Content = Base 0x40 />
<RadioButton Content = Base 0x80 />
<RadioButton Content = Base 0xc0 />

我在我的 C++ 应用程序中这样做了,如下所示:

#define MAX_FPGA_REGISTERS 0x40;

for(i = 0; i < 4; i++)
{
    m_registerBase[i] = new ToggleButton(String(T("Base 0x")) + String::toHexString(i * MAX_FPGA_REGISTERS));       
    addAndMakeVisible(m_registerBase[i]);
    m_registerBase[i]->addButtonListener(this);
}
m_registerBase[0]->setToggleState(true); 

如果您在上面注意到,每次 for 循环运行 Content name 变为Base 0x0, Base 0x40base 0x80并将base 0xc0第一个单选按钮的切换状态设置为 true。因此,如果您注意到所有这 4 个按钮都会有一个按钮单击方法,并且每个按钮都会根据索引执行操作。

如何在我的 WPF 应用程序中实现这一点?:)

4

1 回答 1

7

我打算为您编写一组代码,但意识到您的问题可能已经在这里得到解答: WPF/C# - example for programmatically create & use Radio Buttons

当然,这可能是最干净的方式,具体取决于您的要求。如果你想要最简单的情况,这里是:

xml:

<Window x:Class="WpfApplication1.MainWindow"
    xmlns="http://schemas.microsoft.com/winfx/2006/xaml/presentation"
    xmlns:x="http://schemas.microsoft.com/winfx/2006/xaml"
    Title="MainWindow" Height="350" Width="525">
    <Grid >
        <StackPanel x:Name="MyStackPanel" />

    </Grid>
</Window>

C#:

    public MainWindow()
    {
        InitializeComponent();

        for (int i = 0; i < 4; i++)
        {
            RadioButton rb = new RadioButton() { Content = "Radio button " + i, IsChecked = i == 0  };
            rb.Checked += (sender, args) => 
            {
                Console.WriteLine("Pressed " + ( sender as RadioButton ).Tag );
            };
            rb.Unchecked += (sender, args) => { /* Do stuff */ };
            rb.Tag = i;

            MyStackPanel.Children.Add( rb );
        }
    }

只需为内容、标签等添加您需要的任何逻辑。

于 2012-10-23T06:41:24.687 回答