Return True If Array Contains A 2 Or A 3
Solution 1:
Your first one doesn't work because the for
loop in Python isn't the same as the for
loop in other languages. Instead of iterating over the indices, it iterates over the actual elements.
for item in nums
is roughly equivalent to:
for (int i = 0; i < nums.length; i++) {
int item = nums[i];
...
}
Your second one doesn't work because it returns False
too soon. If the loop encounters a value that isn't 2
or 3
, it returns False
and doesn't loop through any other elements.
Change your loop to this:
defhas23(nums):
for i in nums:
if i == 2or i == 3:
returnTrue# Only return `True` if the value is 2 or 3returnFalse# The `for` loop ended, so there are no 2s or 3s in the list.
Or just use in
:
defhas23(nums):
return2in nums or3in nums
Solution 2:
Another way to do the above using index A variation for learning purpose
defhas23(nums):
try :
alpha = nums.index(2)
returnTrueexcept:
try:
beta = nums.index(3)
returnTrueexcept:
returnFalse
Solution 3:
Old post, I know, but for future readers:
Regarding the for loop, I think it's worth mentioning another option: using the range() function.
Instead of
for i in nums:
You can switch the for loop to look like so:
for i in range(len(nums)):
This will iterate over integers, the same as other languages do.
Then using nums[i]
will get the value of the index.
However, I notice another problem with your code and its stated objectives: within the for loop, all execution paths return a variable. It will only go through the for loop once, regardless of the length of the array, because after the first execution it returns, ending the function's execution. If the first value is false, the function will return false.
Instead, you would want to end the execution within the loop only if the statement is true. If the loop goes through all posibilities and nothing is false, then return false:
def has23(nums):
for i in range(len(nums)): # iterate over the range of values
if nums[i]==2 or nums[i]==3:# get values via index
returntrue # returntrueas soon as a true statement is found
returnfalse # if a true statement is never found, returnfalse
Solution 4:
This Java code works fine:-
publicbooleanhas23(int[] nums) {
if(nums[0]==2||nums[1]==2||nums[0]==3||nums[1]==3){
returntrue;
}
returnfalse;
}
Solution 5:
defhas23(nums):
if nums[0] ==2or nums[0]==3or nums[1] ==2or nums[1]==3:
returnTrueelse:
returnFalse
Post a Comment for "Return True If Array Contains A 2 Or A 3"