I know this isn't what the OP asked but could it be that they don't know?  There are already several answers here so even though this is lengthy I thought it could be useful to the community.
Using an enum to fill a combo box allows for easy use of the SelectedItem method to programmatically select items in the combobox as well as loading and reading from the combobox.
public enum Tests
    {
        Test1,
        Test2,
        Test3,
        None
    }
// Fill up combobox with all the items in the Tests enum
    foreach (var test in Enum.GetNames(typeof(Tests)))
    {
        cmbTests.Items.Add(test);
    }
    // Select combobox item programmatically
    cmbTests.SelectedItem = Tests.None.ToString();
If you double click the combo box you can handle the selected index changed event:
private void cmbTests_SelectedIndexChanged(object sender, EventArgs e)
{
    if (!Enum.TryParse(cmbTests.Text, out Tests theTest))
    {
        MessageBox.Show($"Unable to convert {cmbTests.Text} to a valid member of the Tests enum");
        return;
    }
    switch (theTest)
    {
        case Tests.Test1:
            MessageBox.Show("Running Test 1");
            break;
        case Tests.Test2:
            MessageBox.Show("Running Test 2");
            break;
        case Tests.Test3:
            MessageBox.Show("Running Test 3");
            break;
        case Tests.None:
            // Do nothing
            break;
        default:
            MessageBox.Show($"No support for test {theTest}.  Please add");
            return;
    }
}
You can then run tests from a button click handler event:
 private void btnRunTest1_Click(object sender, EventArgs e)
    {
        cmbTests.SelectedItem = Tests.Test1.ToString();
    }