hibernate.id.new_generator_mappings=true
프라퍼티를 통해 JPA에 호환성에 부합하는 새로운 방식으로 ID를 생성할 수 있다. 보통은 이 값이 true이면 sequence 시도 안되면 table 시도로 선택한다.true
로 주고, MySQL 등 AUTO INCREMENT 계열에서는 ID 생성 방식을 AUTO
보다는 구체적으로 IDENTITY로 명시하도록 하자.@Type(type=“uuid-char”)
를 붙인다.@Entity public class EntityWithIdentityId { @Id @GeneratedValue(strategy=GenerationType.IDENTITY) Long id; : }
persist()
즉시 commit을 하지 않아도 DB 저장이 일어난다.@Entity // Define a sequence - might also be in another class: @SequenceGenerator(name="seq", initialValue=1, allocationSize=100) public class EntityWithSequenceId { // Use the sequence that is defined above: @GeneratedValue(strategy=GenerationType.SEQUENCE, generator="seq") @Id Long id; }
@Entity @TableGenerator(name="tab", initialValue=0, allocationSize=50) public class EntityWithTableId { @GeneratedValue(strategy=GenerationType.TABLE, generator="tab") @Id Long id; }
public class StockCodeGenerator implements IdentifierGenerator { private static Logger log = Logger.getLogger(StockCodeGenerator.class); public Serializable generate(SessionImplementor session, Object object) throws HibernateException { String prefix = "M"; // 이 Connection 은 Hibernate 가 관리하기 때문에 직접 close는 하지 말것. Connection connection = session.connection(); try { PreparedStatement ps = connection .prepareStatement("SELECT nextval ('seq_stock_code') as nextval"); ResultSet rs = ps.executeQuery(); if (rs.next()) { int id = rs.getInt("nextval"); String code = prefix + StringUtils.leftPad("" + id,3, '0'); log.debug("Generated Stock Code: " + code); return code; } } catch (SQLException e) { log.error(e); throw new HibernateException( "Unable to generate Stock Code Sequence"); } return null; } }
@Id @GenericGenerator(name="seq_id", strategy="my.package.StockCodeGenerator") @GeneratedValue(generator="seq_id") @Column(name = "stock_code", unique = true, nullable = false, length = 20) public String getStockCode() { return this.stockCode; }
org.hibernate.id.Configurable
인터페이스를 함께 구현하여 @GenericGenerator에 파라미터를 지정하는 것도 가능하다. 이를 자신이 만든 Generator에서 받아서 사용한다.