1

我有一个活动,用户可以使用单选按钮更改设置。可能有 2 到 7 个选项,所以我想在我的 onCreate() 中动态添加单选按钮。通过一些研究,我想出了如何做到这一点,并为我自己和你的利益记录了结果。

4

1 回答 1

1

首先,包括无线电组小部件并声明一个。您还需要 LayoutParams 和 RadioButton,因此也包括这些。

    //SomeAndroidActivity
    import android.widget.RadioGroup;
    import android.view.ViewGroup.LayoutParams;
    import android.widget.RadioButton;

    public class SomeAndroidActivity extends Activity () {
        //declare a radio group
        RadioGroup radioGroup;
    }

在您的 onCreate 方法中,初始化无线电组。

    //SomeAndroidActivity

    @Override
    protected void onCreate(Bundle savedInstanceState) {
      super.onCreate(savedInstanceState);
      setContentView(R.layout.activity_some_android);
      radioGroup = (RadioGroup) findViewById(R.id.radio_selection_group);
    }

R.id.radio_selection_group 指的是在您的 XML 文件中声明的无线电组,因此请确保您也拥有它。

    <!-- activity_some_android.xml -->
    <RelativeLayout xmlns:android=
        "http://schemas.android.com/apk/res/android"
      xmlns:tools="http://schemas.android.com/tools"
      android:layout_width="match_parent"
      android:layout_height="match_parent"
      tools:context=".SomeAndroidActivity" >

      <RadioGroup
        android:id="@+id/radio_selection_group"
        android:layout_width="wrap_content"
        android:layout_height="wrap_content"
        android:layout_alignParentLeft="true"
        android:layout_alignParentTop="true"
        android:layout_marginLeft="76dp"
        android:layout_marginTop="135dp" >

      </RadioGroup>
    </RelativeLayout>

回到 SomeAndroidActivity,创建一个动态添加按钮到单选组的方法。

    //SomeAndroidActivity
    private void addRadioButtons(int numButtons) {
      for(int i = 0; i < numButtons; i++)
        //instantiate...
        RadioButton radioButton = new RadioButton(this);

        //set the values that you would otherwise hardcode in the xml...
        radioButton.setLayoutParams 
          (new LayoutParams 
          (LayoutParams.WRAP_CONTENT, LayoutParams.WRAP_CONTENT));

        //label the button...
        radioButton.setText("Radio Button #" + i);
        radioButton.setId(i);

        //add it to the group.
        radioGroup.addView(radioButton, i);
      }
    }

然后在 onCreate 中调用该方法。

    //SomeAndroidActivity
    @Override
    protected void onCreate(Bundle savedInstanceState) {
      super.onCreate(savedInstanceState);
      setContentView(R.layout.activity_some_android);
      radioGroup = (RadioGroup) findViewById(R.id.radio_selection_group);

      int numberOfRadioButtons = 7;
      addRadioButtons(numberOfRadioButtons);
    }

容易的馅饼。

这是我关于它的博客文章。 http://rocketships.ca/blog/how-to-dynamically-add-radio-buttons/

于 2013-03-27T23:19:08.303 回答