+ 2

List is [1,2,3,4,5,6,7,8....]

If i want to get only 2,4,6,8..... How can I code?

10th Sep 2024, 3:34 PM
Uchawsing Marma
Uchawsing Marma - avatar
7 Respostas
+ 5
HASAN IMTIAZ , Uwltoamym , it is not seen as very helpful when we are going to post a ready-made code, as long as the op has *not* shown his attempt here. it is more helpful to give hints and tips, so that the op has a chance to find a solution by himself.
10th Sep 2024, 8:01 PM
Lothar
Lothar - avatar
+ 4
@HASAN's solution is going to produce inaccurate results. my_list = [1,2,3,4,5] new_list = [(num * 2) for num in my_list] That will produce a new_list with all the values doubled. If you want only the even numbers from the list, you need to filter them, not double them. When what you really want is the even numbers from the list without creating new additional values. For that you should filter it. That solution is better written like @Uwltoamym suggested. Which is: nums = [1,2,3,4,5,6,7,8,9,10] even_nums = [n for n in nums if n % 2 == 0] There is an alternative to use the filter method on the list, but that is actually less efficient than the solution above. Just to show this, the filter method would be written like this: (( this solution takes more CPU time )) nums = [1,2,3,4,5,6,7,8,9,10] even_nums = list(filter(lambda x: x % 2 == 0, nums))
10th Sep 2024, 9:05 PM
Jerry Hobby
Jerry Hobby - avatar
+ 2
Solution is really Simple; my_list = [1,2,3,4,5] new_list = [(num * 2) for num in my_list] print(new_list) Hope That Will Help you
10th Sep 2024, 4:05 PM
HASAN IMTIAZ
HASAN IMTIAZ - avatar
+ 2
Yet another way: list slicing nums = [1,2,3,4,5,6,7,8,9] print(nums[1::2]) Output: [2, 4, 6, 8] This slicing syntax [1::2] prints every other element in nums. It starts slicing at index 1 (the second element in nums). The middle part between colons would be the ending index, but because it is not specified it ends at the end of the list. The 2 increments the index by 2 each step: [ nums[1], nums[3], nums[5], nums[7] ] If you want the ouput to show only the numbers without list brackets and commas then you may use the extraction operator, *. print(*nums[1::2]) Output: 2 4 6 8 With commas: print(*nums[1::2], sep=", ") Output: 2, 4, 6, 8
11th Sep 2024, 2:18 AM
Brian
Brian - avatar
+ 1
That is not a great solution Imagine you have a list in the 1-1000 range.. now you’d have to make a 2nd list with all digits from 1-500. Use the modulo % nums = [1,2,3,4,5,6,7,8,9,10] even_nums = [n for n in nums if n % 2 == 0] print(even_nums)
10th Sep 2024, 6:19 PM
Uwltoamym
Uwltoamym - avatar
+ 1
That's I want
10th Sep 2024, 7:04 PM
Uchawsing Marma
Uchawsing Marma - avatar
0
Tnx Man
10th Sep 2024, 5:15 PM
Uchawsing Marma
Uchawsing Marma - avatar