Hmm... let's step through this:
Each input has a name: q1, q2, q3 ... q6
Each input has a value: Jake, Stanley, Jonah ... Hawkins
Now, in your PHP you ask if q1 == Jake.... if they select Jake in any of the radio-buttons, that will result in a true answer, not necessarily a true answer for question 1.
Radio buttons work together so that you have one name for a group of radio buttons (like "q1" being the name of the group of available answers for question 1). For example:
<b>Question 1: What are you thankful for this year?</b><br>
<input type="radio" name="q1" value="Jake">being home<br>
<input type="radio" name="q1" value="Stanley">having found love<br>
<input type="radio" name="q1" value="Jonah">having a successful year<br>
<input type="radio" name="q1" value="Eric">I can't decide<br>
<input type="radio" name="q1" value="Jimmy">having good friends<br>
<input type="radio" name="q1" value="Bill">being with family and friends<br>
<input type="radio" name="q1" value="Hawkins">being with my family<br>
Then, the next group (question 2) would all have a name of "q2" instead of q1. Then you could do your scoring properly.
Now, radio-buttons don't allow multiple items to be selected (hence their reason for being there 🙂 ) but check-boxes do. Checkboxes can be made "arrays" of values. So by appending an opening and closing square-brace to the name, we make it a checkbox that will send multiple values through to our PHP script. For example:
<b>Question 1: What are you thankful for this year?</b><br>
<input type="checkbox" name="q1[]" value="Jake">being home<br>
<input type="checkbox" name="q1[]" value="Stanley">having found love<br>
<input type="checkbox" name="q1[]" value="Jonah">having a successful year<br>
<input type="checkbox" name="q1[]" value="Eric">I can't decide<br>
<input type="checkbox" name="q1[]" value="Jimmy">having good friends<br>
<input type="checkbox" name="q1[]" value="Bill">being with family and friends<br>
<input type="checkbox" name="q1[]" value="Hawkins">being with my family<br>
Now, in our PHP script we can check to see the answer of question 1. For radio buttons, what you have originally will work since only one answer can be correct. For checkboxes, we have to use [man]in_array[/man] or [man]array_search[/man] to see if what they submitted is an answer worth points:
if(in_array('Jake', $_POST['q1']))
$score++;
And so on for however many questions you decide to have.
Hope that helps.