题目
题目概述:
从若干副扑克牌中随机抽 5 张牌,判断是不是一个顺子,即这5张牌是不是连续的。2~10为数字本身,A为1,J为11,Q为12,K为13,而大、小王为 0 ,可以看成任意数字。A 不能视为 14。
示例
基础框架
class Solution { public boolean isStraight(int[] nums) { } }
解题思路
排序+遍历
我的题解
class Solution { public boolean isStraight(int[] nums) { int max=0; Arrays.sort(nums); for(int i=0;i<4;i++){ if(nums[i]==0){max++;}// 统计大小王数量 else if(nums[i]==nums[i+1]){ return false; // 若有重复,提前返回 false } } return nums[4]-nums[max]<5; // 最大牌 - 最小牌 < 5 则可构成顺子 } }
其他题解:set集合遍历
1.class Solution { public boolean isStraight(int[] nums) { Set<Integer> result = new HashSet<>(); int max = 0, min = 14; for(int num : nums) { if(num == 0) continue; max = Math.max(max, num); min = Math.min(min, num); if(result.contains(num)) return false; result.add(num); } return max - min < 5; } }