整数反转(数学)乘积最大子数组(数组动态规划)全排列 II(数组回溯)
Posted
tags:
篇首语:本文由小常识网(cha138.com)小编为大家整理,主要介绍了整数反转(数学)乘积最大子数组(数组动态规划)全排列 II(数组回溯)相关的知识,希望对你有一定的参考价值。
整数反转(数学)
给你一个 32 位的有符号整数 x ,返回将 x 中的数字部分反转后的结果。 如果反转后整数超过 32 位的有符号整数的范围 [−231, 231 − 1] ,就返回 0。 假设环境不允许存储 64 位整数(有符号或无符号)。
示例 1:
输入:x = 123
输出:321
示例 2:
输入:x = -123
输出:-321
示例 3:
输入:x = 120
输出:21
示例 4:
输入:x = 0
输出:0
提示:
- -231 <= x <= 231 - 1
解答:
class Solution
public int reverse(int x)
long xx = x;
long r;
long y = 0;
boolean sign = xx < 0;
while (xx != 0)
r = xx % 10;
y = y * 10 + r;
if (sign)
xx = (long) Math.ceil(xx / 10);
else
xx = (long) Math.floor(xx / 10);
return y > Integer.MAX_VALUE || y < Integer.MIN_VALUE ? 0 : (int) y;
乘积最大子数组(数组、动态规划)
给你一个整数数组 nums ,请你找出数组中乘积最大的连续子数组(该子数组中至少包含一个数字),并返回该子数组所对应的乘积。
示例 1: 输入: [2,3,-2,4] 输出: 6 解释: 子数组 [2,3] 有最大乘积 6。 示例 2: 输入: [-2,0,-1] 输出: 0 解释: 结果不能为 2, 因为 [-2,-1] 不是子数组。
解答:
class Solution
public int maxProduct(int[] nums)
int max = Integer.MIN_VALUE, imax = 1, imin = 1;
for (int i = 0; i < nums.length; i++)
if (nums[i] < 0)
int tmp = imax;
imax = imin;
imin = tmp;
imax = Math.max(imax * nums[i], nums[i]);
imin = Math.min(imin * nums[i], nums[i]);
max = Math.max(max, imax);
return max;
全排列 II(数组、回溯)
给定一个可包含重复数字的序列 nums ,按任意顺序 返回所有不重复的全排列。
示例 1:
输入:nums = [1,1,2]
输出:[[1,1,2], [1,2,1], [2,1,1]]
示例 2:
输入:nums = [1,2,3]
输出:[[1,2,3],[1,3,2],[2,1,3],[2,3,1],[3,1,2],[3,2,1]]
提示:
- 1 <= nums.length <= 8
- -10 <= nums[i] <= 10
解答:
class Solution
List<List<Integer>> ans = new ArrayList<>();
public List<List<Integer>> permuteUnique(int[] nums)
dfs(nums, 0);
return ans;
private void dfs(int[] nums, int cur)
if (cur == nums.length)
List<Integer> line = new ArrayList<>();
for (int i : nums)
line.add(i);
ans.add(line);
else
for (int i = cur; i < nums.length; i++)
if (canSwap(nums, cur, i))
swap(nums, cur, i);
dfs(nums, cur + 1);
swap(nums, cur, i);
private boolean canSwap(int nums[], int begin, int end)
for (int i = begin; i < end; i++)
if (nums[i] == nums[end])
return false;
return true;
private void swap(int nums[], int i, int j)
int temp = nums[i];
nums[i] = nums[j];
nums[j] = temp;
以上是关于整数反转(数学)乘积最大子数组(数组动态规划)全排列 II(数组回溯)的主要内容,如果未能解决你的问题,请参考以下文章
[LeetCode] 152. 乘积最大子数组 ☆☆☆(动态规划)