comments | difficulty | edit_url | rating | source | tags | ||||
---|---|---|---|---|---|---|---|---|---|
true |
中等 |
1504 |
第 352 场周赛 Q2 |
|
给你一个整数 n
。如果两个整数 x
和 y
满足下述条件,则认为二者形成一个质数对:
1 <= x <= y <= n
x + y == n
x
和y
都是质数
请你以二维有序列表的形式返回符合题目要求的所有 [xi, yi]
,列表需要按 xi
的 非递减顺序 排序。如果不存在符合要求的质数对,则返回一个空数组。
注意:质数是大于 1
的自然数,并且只有两个因子,即它本身和 1
。
示例 1:
输入:n = 10 输出:[[3,7],[5,5]] 解释:在这个例子中,存在满足条件的两个质数对。 这两个质数对分别是 [3,7] 和 [5,5],按照题面描述中的方式排序后返回。
示例 2:
输入:n = 2 输出:[] 解释:可以证明不存在和为 2 的质数对,所以返回一个空数组。
提示:
1 <= n <= 106
我们先预处理出 true
表示
接下来,我们在 true
,那么
枚举结束后,返回答案即可。
时间复杂度
class Solution:
def findPrimePairs(self, n: int) -> List[List[int]]:
primes = [True] * n
for i in range(2, n):
if primes[i]:
for j in range(i + i, n, i):
primes[j] = False
ans = []
for x in range(2, n // 2 + 1):
y = n - x
if primes[x] and primes[y]:
ans.append([x, y])
return ans
class Solution {
public List<List<Integer>> findPrimePairs(int n) {
boolean[] primes = new boolean[n];
Arrays.fill(primes, true);
for (int i = 2; i < n; ++i) {
if (primes[i]) {
for (int j = i + i; j < n; j += i) {
primes[j] = false;
}
}
}
List<List<Integer>> ans = new ArrayList<>();
for (int x = 2; x <= n / 2; ++x) {
int y = n - x;
if (primes[x] && primes[y]) {
ans.add(List.of(x, y));
}
}
return ans;
}
}
class Solution {
public:
vector<vector<int>> findPrimePairs(int n) {
bool primes[n];
memset(primes, true, sizeof(primes));
for (int i = 2; i < n; ++i) {
if (primes[i]) {
for (int j = i + i; j < n; j += i) {
primes[j] = false;
}
}
}
vector<vector<int>> ans;
for (int x = 2; x <= n / 2; ++x) {
int y = n - x;
if (primes[x] && primes[y]) {
ans.push_back({x, y});
}
}
return ans;
}
};
func findPrimePairs(n int) (ans [][]int) {
primes := make([]bool, n)
for i := range primes {
primes[i] = true
}
for i := 2; i < n; i++ {
if primes[i] {
for j := i + i; j < n; j += i {
primes[j] = false
}
}
}
for x := 2; x <= n/2; x++ {
y := n - x
if primes[x] && primes[y] {
ans = append(ans, []int{x, y})
}
}
return
}
function findPrimePairs(n: number): number[][] {
const primes: boolean[] = new Array(n).fill(true);
for (let i = 2; i < n; ++i) {
if (primes[i]) {
for (let j = i + i; j < n; j += i) {
primes[j] = false;
}
}
}
const ans: number[][] = [];
for (let x = 2; x <= n / 2; ++x) {
const y = n - x;
if (primes[x] && primes[y]) {
ans.push([x, y]);
}
}
return ans;
}