We need more information to really know what you're trying to do. Parameters for what? If you want it to just be client side then you could encode the parameters as attributes on the inputs, like this:
<input type="radio" name="shape" shape="circle" color="red" />
<input type="radio" name="shape" shape="square" color="blue" />
To get those values you could use anything client side that works with DOM elements. Pardon me for using jQuery here instead of raw DOM manipulation, but it's the best I can do from memory. Something like this would work:
$('input [type=radio]').click(function() {
// $(this) refers to a single element matching that CSS selector, and in this case would be the radio button that was clicked
var color = $(this).attr('color');
var shape = $(this).attr('shape');
// Do whatever else needs to happen when you change selections
});
You could just as easily encode those as the value and parse it on the server if you needed to. Something like this:
<form action="some_script.php">
<input type="radio" name="shape" value="circle,red" />
<input type="radio" name="shape" value="square,blue" />
<input type="submit value="Select Shape" />
</form>
Then you would just parse the value of the posted form's shape value on the server however you needed to. In PHP, for example that might look something like this:
<?php
$pieces = explode(",", $_POST["shape"]);
$shape = $pieces[0];
$color = $pieces[1];
// Do whatever needed to happen when the form was submitted
?>
If you give us more details we can help with whatever it is you're trying to do exactly.