回答:
new_list = [x+1 for x in my_list]
lst = [1, 2, 3]; e = lst[0]; e += 1
です。e
それがどこから来たのかについての情報はありません。それは、リストの要素が割り当てられた単なる変数です。何か他のものを割り当てた後、リストlst
は変更されません。
new_list = (x+1 for x in my_list)
>>> mylist = [1,2,3]
>>> [x+1 for x in mylist]
[2, 3, 4]
>>>
編集:これはインプレースではありません
まず、変数に「リスト」という単語を使用しないでください。キーワードを隠すlist
。
最良の方法は、スプライシングを使用して所定の場所で行うことです[:]
。
>>> _list=[1,2,3]
>>> _list[:]=[i+1 for i in _list]
>>> _list
[2, 3, 4]
_list[:]=(i+1 for i in _list)
。
_list[:]=(i+1 for i in _list)
新しいリストを作成すると思いますか?
それほど効率的ではありませんが、それを行うユニークな方法に出くわしました。したがって、それを共有します。そして、はい、別のリストのために追加のスペースが必要です。
from operator import add
test_list1 = [4, 5, 6, 2, 10]
test_list2 = [1] * len(test_list1)
res_list = list(map(add, test_list1, test_list2))
print(test_list1)
print(test_list2)
print(res_list)
#### Output ####
[4, 5, 6, 2, 10]
[1, 1, 1, 1, 1]
[5, 6, 7, 3, 11]
from operator import add
上記の答えの多くは非常に良いです。私はまた、仕事をするいくつかの奇妙な答えを見てきました。また、見られた最後の答えは通常のループを介してでした。答えを出そうとするこの意欲は、私をitertools
とnumpy
に導きます。
ここでは、上記の答えではなく、仕事をするためのさまざまな方法を紹介します。
import operator
import itertools
x = [3, 5, 6, 7]
integer = 89
"""
Want more vairaint can also use zip_longest from itertools instead just zip
"""
#lazy eval
a = itertools.starmap(operator.add, zip(x, [89] * len(x))) # this is not subscriptable but iterable
print(a)
for i in a:
print(i, end = ",")
# prepared list
a = list(itertools.starmap(operator.add, zip(x, [89] * len(x)))) # this returns list
print(a)
# With numpy (before this, install numpy if not present with `pip install numpy`)
import numpy
res = numpy.ones(len(x), dtype=int) * integer + x # it returns numpy array
res = numpy.array(x) + integer # you can also use this, infact there are many ways to play around
print(res)
print(res.shape) # prints structure of array, i.e. shape
# if you specifically want a list, then use tolist
res_list = res.tolist()
print(res_list)
出力
>>> <itertools.starmap object at 0x0000028793490AF0> # output by lazy val
>>> 92,94,95,96, # output of iterating above starmap object
>>> [92, 94, 95, 96] # output obtained by casting to list
>>> __
>>> # |\ | | | |\/| |__| \ /
>>> # | \| |__| | | | |
>>> [92 94 95 96] # this is numpy.ndarray object
>>> (4,) # shape of array
>>> [92, 94, 95, 96] # this is a list object (doesn't have a shape)
私の唯一の使用を強調する理由はnumpy
、それは非常に大きな配列のための効率的なパフォーマンスであるため、1が常にnumpyのようなライブラリとそのような操作を行うべきであるということです。