任何人都知道如何从1开始生成id
,以便下一个对象有2个,依此类推?
我尝试了以下但是无法正常工作:
class students{
private int id;
private String name;
public student(String name){
this.id=id++;
this.name
}
}
答案 0 :(得分:4)
您需要静态类成员来跟踪上次使用的索引。一定要实现一个复制构造函数:
class students
{
private static int next_id = 0; // <-- static, class-wide counter
private int id; // <-- per-object ID
private String name;
public students(String name)
{
this.id = ++students.next_id;
this.name = name;
// ...
}
public students(students rhs)
{
this.id = ++students.next_id;
this.name = rhs.name;
// ...
}
public static void reset_counter(int n) // use with care!
{
students.next_id = n;
}
// ...
}
更新:正如@JordanWhite建议的那样,你可能想制作静态计数器 atomic ,这意味着它可以安全地同时使用(即在多线程中使用)一旦)。为此,请将类型更改为:
private static AtomicInteger next_id = new AtomicInteger(0);
增量和读操作以及复位操作变为:
this.id = students.next_id.incrementAndGet(); // like "++next_id"
students.next_id.set(n); // like "next_id = n"
答案 1 :(得分:3)
生成顺序ID的常见解决方案是使用数据库。大多数数据库都有内置的方式来做到这一点。例如,SQL Server中的IDENTITY
或MySQL中的AUTO_INCREMENT
。
考虑使用像Hibernate这样的持久性框架,你可以声明许多经过验证的策略之一,如identity, hilo or uuid,其中一些是顺序的,有些则不是。有些是由应用程序生成的,有些是由数据库生成的,但权衡结果已有详细记录,您将了解自己正在做什么。
答案 2 :(得分:-1)
您应该将private int id;
更改为private static int id;
,将id++
更改为++id
。
你可以尝试:
class Students{
private static int id;
private String name;
public Students(String name){
this.id=++id; // this.id +=1;may be better
System.out.println(this.id);
this.name = name;
}
}
TestCode:
public class Test {
public static void main(String[] args) {
Students s1 = new Students("Mark1");
Students s2 = new Students("Mark2");
}
}