标签:描述 i++ otto ott ike div OLE style tle
<一>二维数组中的查找
public class Solution {
public boolean Find(int target, int [][] array) {
for(int i = 0;i < array.length;i++){
for(int j = array[0].length - 1;j >=0;j--){
if(array[i][j] > target){ //取值和目标整数相比较!
j--;
}else if(array[i][j] < target){
i++;
}else
return true;
}
}
return false;
}
}
上述的方法通不过测试用例,可能是时间复杂度的原因。
public class Solution {
public boolean Find(int target, int [][] array) {
int len = array.length - 1; //行
int i = 0; //列
while(len >= 0 && i < array[0].length){ //行大于零,列小于数组总长度
if(array[len][i] > target){ //取值和目标整数相比较!
len--;
}else if(array[len][i] < target){
i++;
}else
return true;
}
return false;
}
}
完美代码如下:(从矩阵的右上角开始)
public class Solution {
public boolean Find(int target, int [][] array) {
int len = 0; //行
int i = array[0].length - 1; //列
while(len < array.length && i >= 0){ //行大于零,列小于数组总长度
if(array[len][i] > target){ //取值和目标整数相比较!
i--;
}else if(array[len][i] < target){
len++;
}else
return true;
}
return false;
}
}
<二>数组中重复的数字
import java.util.HashSet;
public class Solution {
// Parameters:
// numbers: an array of integers
// length: the length of array numbers
// duplication: (Output) the duplicated number in the array number,length of duplication array is 1,so using duplication[0] = ? in implementation;
// Here duplication like pointor in C/C++, duplication[0] equal *duplication in C/C++
// 这里要特别注意~返回任意重复的一个,赋值duplication[0]
// Return value: true if the input is valid, and there are some duplications in the array number
// otherwise false
public boolean duplicate(int numbers[],int length,int [] duplication) {
if(length <= 0){
return false;
}
HashSet<Integer> se = new HashSet<>();
for(int i = 0; i < length;i++){
if(se.contains(numbers[i])){
duplication[0] = numbers[i];
return true;
}else{
se.add(numbers[i]);
}
}
return false;
}
}
<三>构建乘积数组
import java.util.ArrayList;
public class Solution {
public int[] multiply(int[] A) {
int len = A.length;
int[] B = new int[len];
int res = 1;
for(int i = 0;i < len;res *= A[i++]){
B[i] = res;
}
res = 1;
for(int j = len - 1;j >= 0;res *= A[j--]){
B[j] *= res;
}
return B;
}
}
标签:描述 i++ otto ott ike div OLE style tle
原文地址:https://www.cnblogs.com/youdiaodaxue16/p/11359136.html