我想知道是否有办法将现有列表切片到最有可能不在列表中的某个数字。例如,假设我有:
primes = [2,3,5,7]
现在我想测试数字11的原始性。我将通过所有素数的试验除法,在1 +整数平方根11的限制下这样做。因此,不是循环遍历列表的所有元素,在元素大于限制时填充并打破循环,I我想知道我是否可以将列表拼接到Limit的值。在这种情况下,值为:
1 + int(sqrt(11)) = 1 + 3 = 4
所以我可以遍历primes[ : up until the value of 4]
或[2,3]
我知道一些python,但我不确定如何使用list方法来实现这一点...对于数十亿的筛选方法,我可以通过不使用if语句来有效地节省时间... < / p>
提前再次感谢!
答案 0 :(得分:1)
我不太确定我完全理解这个问题(对不起,如果我没有,我将删除答案,如果它没有帮助)但可能是bisect模块(仅适用于排序列表,但是,如果有效,那么速度非常快)在这种情况下会有所帮助:
#!/usr/bin/env python
# -*- coding: utf-8 -*-
import bisect
import math
primes = [2,3,5,7]
searchedPrime=11
lookedPosition = 1 + int(math.sqrt(searchedPrime))
checkUntil = primes[:bisect.bisect_left(primes, lookedPosition)]
print "I just have to check %s positions: %s" % (len(checkUntil), checkUntil)
此输出
I just have to check 2 positions: [2, 3]
因此,sqrt
方法和bisect工具的组合可以帮助您确定要检查的素数范围。
哦,看看那个......我不知道sqrt的东西适合找到素数......但它看起来像是......
#!/usr/bin/env python
# -*- coding: utf-8 -*-
import bisect
import math
foundPrimes = []
def isPrime(number, otherPrimes):
global foundPrimes
lookedPosition = 1 + int(math.sqrt(number))
formerPrimes = foundPrimes[:bisect.bisect_left(foundPrimes, lookedPosition)]
for prime in formerPrimes:
if prime > 1 and number % prime == 0:
return False
return True
def getPrimes(upperLimit):
for i in range(1, upperLimit):
if isPrime(i, foundPrimes):
foundPrimes.append(i)
return foundPrimes
print "Primes: %s" % getPrimes(1000)
输出:
Primes: [1, 2, 3, 5, 7, 11, 13, 17, 19, 23, 29, 31, 37, 41, 43, 47, 53, 59, 61, 67, 71, 73, 79, 83, 89, 97, 101, 103, 107, 109, 113, 127, 131, 137, 139, 149, 151, 157, 163, 167, 173, 179, 181, 191, 193, 197, 199, 211, 223, 227, 229, 233, 239, 241, 251, 257, 263, 269, 271, 277, 281, 283, 293, 307, 311, 313, 317, 331, 337, 347, 349, 353, 359, 367, 373, 379, 383, 389, 397, 401, 409, 419, 421, 431, 433, 439, 443, 449, 457, 461, 463, 467, 479, 487, 491, 499, 503, 509, 521, 523, 541, 547, 557, 563, 569, 571, 577, 587, 593, 599, 601, 607, 613, 617, 619, 631, 641, 643, 647, 653, 659, 661, 673, 677, 683, 691, 701, 709, 719, 727, 733, 739, 743, 751, 757, 761, 769, 773, 787, 797, 809, 811, 821, 823, 827, 829, 839, 853, 857, 859, 863, 877, 881, 883, 887, 907, 911, 919, 929, 937, 941, 947, 953, 967, 971, 977, 983, 991, 997]
...对我来说看起来非常原始 ...... : - )
P.S。:不要那样使用那个代码......这是废话。
答案 1 :(得分:0)
[i for i in primes if i < 4]
答案 2 :(得分:0)
也许itertools.takewhile
>>> from itertools import takewhile
>>> primes
[2, 3, 5, 7]
>>> b = takewhile(lambda k : k < 4, primes)
>>> b
<itertools.takewhile object at 0x0200F418>
>>> for ele in b:
... print ele
...
2
3
itertools.takewhile
返回一个生成器。循环生成器比循环遍历列表要快,但请注意,在循环生成后生成器已耗尽。
答案 3 :(得分:0)
下面是完整的代码:
from math import sqrt
primes = []
for i in range(2, maxvalue):
for p in primes:
if p < (1 + int(sqrt(i))) and i % p == 0:
break
else:
primes.append(i)
这是更新的errorproof功能。对于maxvalue = 100
,它输出:
[2, 3, 5, 7, 11, 13, 17, 19, 23, 29, 31, 37, 41, 43, 47, 53, 59, 61, 67, 71, 73, 79, 83, 89, 97]
我会注意到可能还有其他简短的方法,但我会说这是迄今为止最具人性化的方法