Just wrap your query in:
SELECT * FROM ( your_query ) WHERE ROWNUM <= 10;
However, your query does not look like it is going to do what you intend as the GROUP BY no_renalts will mean that each distinct no_rentals value will be in its own group and you will not sum the values for each customer so you probably don't want to include it in the GROUP BY. Also, if you want to order by the total number of rentals then you want to ORDER BY SUM( no_rentals ) (or by its alias) like this:
SELECT   cid,
         SUM(no_rentals) as total_no_rentals 
FROM     orders 
GROUP BY cid
ORDER BY total_no_rentals DESC;
Then you can apply the row limit like this:
SELECT *
FROM   (
  SELECT   cid,
           SUM(no_rentals) as total_no_rentals
  FROM     orders 
  GROUP BY cid
  ORDER BY total_no_rentals DESC
)
WHERE ROWNUM <= 10;