This isn't trivial. First, you want group by id and name and count the rows:
SELECT COUNT(*)
...
GROUP BY id, name
Then select the maximum count for every id. One way to achieve this is by window functions. The RANK() function:
RANK() OVER (PARTITION BY id ORDER BY COUNT(*) DESC)
assigns a number to every row of the result (after the grouping is done), arranging them (the rows) in partitions with the same id and ordered by COUNT(*) DESC, so for every (partition of) id, the row(s) with the maximum count are assigned a rank of 1. Thus we need to put the above in a derived table and use a WHERE condition to keep only these rows:
WHERE rnk = 1
The final query is like this:
SELECT
id, name, cnt
FROM
( SELECT id, name, COUNT(*) AS cnt,
RANK() OVER (PARTITION BY id ORDER BY COUNT(*) DESC) AS rnk
FROM tableX
GROUP BY id, name
) AS tg
WHERE
rnk = 1 ;
Tested at SQL-Fiddle
Note that if you have ties in the first place (two or more names with the same maximum count), all these will be returned. If you want strictly one row per id in the final results, you have to use the ROW_NUMBER() instead of the RANK() and possibly alter the ORDER BY clause to explicitly select how the ties will be resolved:
ROW_NUMBER() OVER (PARTITION BY id ORDER BY COUNT(*) DESC, name ASC) AS rnk
Tested: SQL-Fiddle test-2.