打印小于给定数字N的素数。对于奖励积分,您的解决方案应在N*log(N)
时间或更长时间内运行。您可以假设N始终是正整数。
输入样本:
您的程序应该接受文件名路径作为其第一个参数。此文件中的每一行都是一个测试用例。每个测试用例都包含一个整数n < 4,294,967,295
。
E.g。
10
20
100
输出样本:
对于每行输入,打印出小于N的素数,按升序,逗号分隔。 (逗号和数字之间不应有空格)例如
2,3,5,7
2,3,5,7,11,13,17,19
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
这是我的解决方案:
public class problem1 {
public static void main(String [] args) throws Exception
{
File f=new File("C://Users/Rahul/Documents/Projects/r.txt");
FileReader fr=new FileReader(f);
List<Integer> l=new ArrayList<>();
int p;
BufferedReader br = new BufferedReader(fr);
String s;
while( (s= br.readLine()) != null ) {
int a=Integer.parseInt(s);
for(int i=2;i<a;i++)
{
p=0;
for(int j=2;j<i;j++)
{
if(i%j==0)
p=1;
}
if(p==0)
l.add(i);
}
String st=l.toString();
st=st.replaceAll("\\[", "").replaceAll("\\]", "").replace(", ", ",");
System.out.print(st);
System.out.println("\t");
}
fr.close();
}
}
我的意见是:
10
50
输出是:
2,3,5,7
2,3,5,7,2,3,5,7,11,13,17,19,23,29,31,37,41,43,47
但是,当我提交此解决方案时,他们不接受此解决方案。
但是当我把内容放在这样的文档中时:
10 50
30
我正在尝试java程序忽略这个50.怎么做?
那么这个更好的解决方案吗? 给我一些想法!
答案 0 :(得分:1)
要忽略文件中的额外数字,您只能获取每行的第一个数字。
您的解决方案可能不被接受,因为在您的第二行中您已打印2,3,5,7
两次(即上一行的素数)
请参阅下面的示例以解决这两个问题
while( (s= br.readLine()) != null ) {
String [] numbers = s.split(" "); // split the line
int a = Integer.parseInt(numbers[0]); // take only the first one
....
System.out.print(st);
System.out.println("\t");
l.clear(); // clear the list before trying to find primes for the new line
}
答案 1 :(得分:0)
“您的程序应该接受文件名路径的第一个参数”
您的解决方案中有一个硬编码文件名 - 请改用args[0]
。
除此之外,您的解决方案看起来还不错,尽管在效率方面还有一些改进空间。