class Solution {
public:
bool canBeEqual(vector<int>& target, vector<int>& arr) {
}
};
1460. 通过翻转子数组使两个数组相等
给你两个长度相同的整数数组 target
和 arr
。每一步中,你可以选择 arr
的任意 非空子数组 并将它翻转。你可以执行此过程任意次。
如果你能让 arr
变得与 target
相同,返回 True;否则,返回 False 。
示例 1:
输入:target = [1,2,3,4], arr = [2,4,1,3] 输出:true 解释:你可以按照如下步骤使 arr 变成 target: 1- 翻转子数组 [2,4,1] ,arr 变成 [1,4,2,3] 2- 翻转子数组 [4,2] ,arr 变成 [1,2,4,3] 3- 翻转子数组 [4,3] ,arr 变成 [1,2,3,4] 上述方法并不是唯一的,还存在多种将 arr 变成 target 的方法。
示例 2:
输入:target = [7], arr = [7] 输出:true 解释:arr 不需要做任何翻转已经与 target 相等。
示例 3:
输入:target = [3,7,9], arr = [3,7,11] 输出:false 解释:arr 没有数字 9 ,所以无论如何也无法变成 target 。
提示:
target.length == arr.length
1 <= target.length <= 1000
1 <= target[i] <= 1000
1 <= arr[i] <= 1000
原站题解
golang 解法, 执行用时: 8 ms, 内存消耗: 3.9 MB, 提交时间: 2022-10-09 10:41:11
func canBeEqual(target, arr []int) bool { sort.Ints(target) sort.Ints(arr) for i, x := range target { if x != arr[i] { return false } } return true }
golang 解法, 执行用时: 8 ms, 内存消耗: 5.5 MB, 提交时间: 2022-10-09 10:40:44
func canBeEqual(target []int, arr []int) bool { cnt := map[int]int{} for i, x := range target { cnt[x]++ cnt[arr[i]]-- } for _, c := range cnt { if c != 0 { return false } } return true }
python3 解法, 执行用时: 32 ms, 内存消耗: 15.2 MB, 提交时间: 2022-10-09 10:40:18
class Solution: def canBeEqual(self, target: List[int], arr: List[int]) -> bool: # hash 判断元素数组是否一样 return Counter(target) == Counter(arr)
python3 解法, 执行用时: 44 ms, 内存消耗: 15 MB, 提交时间: 2022-08-24 11:40:40
class Solution: def canBeEqual(self, target: List[int], arr: List[int]) -> bool: target.sort() arr.sort() return target == arr
python3 解法, 执行用时: 36 ms, 内存消耗: 15.1 MB, 提交时间: 2022-08-24 11:40:18
class Solution: def canBeEqual(self, target: List[int], arr: List[int]) -> bool: return Counter(target) == Counter(arr)
python3 解法, 执行用时: 48 ms, 内存消耗: 15.1 MB, 提交时间: 2022-08-24 11:39:48
class Solution: def canBeEqual(self, target: List[int], arr: List[int]) -> bool: if len(target) != len(arr): return False mp_ = defaultdict(int) for a in target: mp_[a] += 1 for a in arr: if mp_[a] > 0: mp_[a] -= 1 else: return False return True
golang 解法, 执行用时: 12 ms, 内存消耗: 5.2 MB, 提交时间: 2021-06-10 11:08:47
func canBeEqual(target []int, arr []int) bool { if len(target) != len(arr) { return false } mp := make(map[int]int) for _, k := range target { mp[k]++ } for _, k := range arr { if v, ok := mp[k]; ok && v > 0 { mp[k]-- } else { return false } } return true }