search
HomeDatabaseMysql TutorialEJB3.0开发之多对多和一对一_MySQL

EJB

  在前面的例子中,我们演示了一对多和多对一的例子,在本章将演示多对多和一对一的关系。

  学生和老师就是多对多的关系。一个学生有多个老师,一个老师教多个学生。

  学生和档案就是一对一的关系(不知道国外的学生有没有档案?)。

  为了实现多对多的关系,数据库中需要关联表,用以在两个实体间建立关联。JBoss可以自动生成关联表,你也可以@AssociationTable来指定关联表的信息。

  如:

  @ManyToMany(cascade = {CascadeType.CREATE, CascadeType.MERGE}, fetch = FetchType.EAGER, isInverse = true)
  @AssociationTable(table = @Table(name = "STUDENT_TEACHER"),

  joinColumns = {@JoinColumn(name = "TEACHER_ID")},inverseJoinColumns = {@JoinColumn(name = "STUDENT_ID")})

  @ AssociationTable的注释声明如下:
  @Target({METHOD, FIELD})

  public @interface AssociationTable {
  Table table() default @Table(specified=false);
  JoinColumn[] joinColumns() default {};
  JoinColumn[] inverseJoinColumns() default {};
  }

  关联表注释指定了关联表的名称、主表的列和从表的列。

  为了实现一对一的关系,需要用@OneToOne来注释。

  如:

  @OneToOne(cascade = {CascadeType.ALL})
  @JoinColumn(name = "DOSSIER_ID")

  public Dossier getDossier()
  {
  return dossier;
  }

  这定义了一个单向的一对一的关系。如果在Dossier也定义了相关的关联,那么它就是双向的。双向的意思就是通过一个Student实体就可以查找到一个Dossier,通过一个Dossier就可以查找到一个Student。

  @ OneToOne的注释声明如下:
  @Target({METHOD, FIELD}) @Retention(RUNTIME)

  public @interface OneToOne {
  String targetEntity() default "";
  CascadeType[] cascade() default {};
  FetchType fetch() default EAGER;
  boolean optional() default true;
  }

  这个例子主要有以下几个文件,这个例子主要实现了学生和老师、学生和档案之间的关系。Student、Teacher、Dossier都是实体Bean。Student和Dossier是一个双向的OneToOne之间的关系,Student和Teacher是ManyToMany的关系,也是双向的。和前面的例子一样,我们还是使用Client测试。

  Student.java:实体Bean。

  Dossier.java:实体Bean所依赖的类。

  Teacher.java:实体Bean所依赖的类。

  EntityTest.java:会话Bean的业务接口

  EntityTest Bean.java:会话Bean的实现类

  Client.java:测试EJB的客户端类。

  jndi.properties:jndi属性文件,提供访问jdni的基本配置属性。

  Build.xml:ant 配置文件,用以编译、发布、测试、清除EJB。

  下面针对每个文件的内容做一个介绍。

  Student.java

  package com.kuaff.ejb3.relationships;
  import javax.ejb.CascadeType;
  import javax.ejb.Entity;
  import javax.ejb.FetchType;
  import javax.ejb.GeneratorType;
  import javax.ejb.Id;
  import javax.ejb.JoinColumn;
  import javax.ejb.OneToOne;
  import javax.ejb.ManyToMany;
  import javax.ejb.Table;
  import javax.ejb.AssociationTable;
  import java.util.ArrayList;
  import java.util.Set;
  import java.util.Collection;
  import java.io.Serializable;

  @Entity

  @Table(name = "STUDENT")

  public class Student implements Serializable

  {
  private int id;
  private String first;
  private String last;
  private Dossier dossier;
  private Set teachers;

  @Id(generate = GeneratorType.AUTO)

  public int getId()
  {
  return id;
  }

  public void setId(int id)
  {
  this.id = id;
  }

  public void setFirst(String first)
  {
  this.first = first;
  }

  public String getFirst()
  {
  return first;
  }

  public void setLast(String last)
  {
  this.last = last;
  }

  public String getLast()
  {
  return last;
  }

  public void setDossier(Dossier dossier)
  {
  this.dossier = dossier;
  }

  @OneToOne(cascade = {CascadeType.ALL})
  @JoinColumn(name = "DOSSIER_ID")

  public Dossier getDossier()
  {
  return dossier;
  }

  public void setTeacher(Set teachers)
  {
  this.teachers = teachers;
  }

  @ManyToMany(cascade = {CascadeType.CREATE, CascadeType.MERGE}, fetch = FetchType.EAGER, isInverse = true)
  @AssociationTable(table = @Table(name = "STUDENT_TEACHER"),

  joinColumns = {@JoinColumn(name = "TEACHER_ID")},inverseJoinColumns = {@JoinColumn(name = "STUDENT_ID")})

  public Set getTeacher()
  {
  return teachers;
  }
  }

  Dossier.java

  package com.kuaff.ejb3.relationships;

  import javax.ejb.Entity;
  import javax.ejb.GeneratorType;
  import javax.ejb.Id;

  @Entity

  public class Dossier implements java.io.Serializable
  {
  private Long id;
  private String resume;

  @Id(generate = GeneratorType.AUTO)
  public Long getId()
  {
  return id;
  }

  public void setId(Long id)
  {
  this.id = id;
  }

  public void setResume(String resume)
  {
  this.resume = resume;
  }

  public String getResume()
  {
  return resume;
  }
  }

  Teacher.java

  package com.kuaff.ejb3.relationships;

  import javax.ejb.AssociationTable;
  import javax.ejb.Basic;
  import javax.ejb.CascadeType;
  import javax.ejb.Column;
  import javax.ejb.Entity;
  import javax.ejb.FetchType;
  import javax.ejb.Id;
  import javax.ejb.JoinColumn;
  import javax.ejb.ManyToMany;
  import javax.ejb.Table;
  import javax.ejb.Transient;
  import javax.ejb.Version;
  import java.util.Set;
  import javax.ejb.GeneratorType;

  @Entity

  public class Teacher implements java.io.Serializable
  {
  private Long id;
  private String resume;
  private String name;
  private String info;
  private Set students;

  @Id(generate = GeneratorType.IDENTITY)

  public Long getId()
  {
  return id;
  }

  public void setId(Long id)
  {
  this.id = id;
  }

  public void setName(String name)
  {
  this.name = name;
  }

  public String getName()
  {
  return name;
  }

  public void setInfo(String info)
  {
  this.info = info;
  }

  public String getInfo()
  {
  return info;
  }

  public void setStudents(Set students)
  {
  this.students = students;
  }

  @ManyToMany(cascade = {CascadeType.CREATE, CascadeType.MERGE}, fetch = FetchType.EAGER)
  @AssociationTable(table = @Table(name = "STUDENT_TEACHER"),

  joinColumns = {@JoinColumn(name = "TEACHER_ID",referencedColumnName="ID")},
  inverseJoinColumns = {@JoinColumn(name = "STUDENT_ID",referencedColumnName="ID")})

  public Set getStudents()
  {
  return students;
  }
  }

  EntityTest.java

  package com.kuaff.ejb3.relationships;

  import javax.ejb.Remote;
  import java.util.List;

  @Remote

  public interface EntityTest
  {
  public void createData();
  public List findByName(String name);
  }

  EntityTestBean.java
  
  package com.kuaff.ejb3.relationships;

  import javax.ejb.EntityManager;
  import javax.ejb.Inject;
  import javax.ejb.Stateless;
  import java.util.HashSet;
  import java.util.Set;
  import java.util.List;

  @Stateless

  public class EntityTestBean implements EntityTest
  {
  private @Inject EntityManager manager;
  public void createData()
  {
  Teacher teacher1 = new Teacher();
  Teacher teacher2 = new Teacher();

  Set students1 = new HashSet();
  Set students2 = new HashSet();
  Student student1 = new Student();
  Student student2 = new Student();
  Student student3 = new Student();

  Dossier dossier1 = new Dossier();
  Dossier dossier2 = new Dossier();
  Dossier dossier3 = new Dossier();
  teacher1.setId(new Long(1));
  teacher1.setName("hushisheng");
  teacher1.setInfo("胡时胜教授,博士生导师");
  manager.create(teacher1);
  teacher2.setId(new Long(2));
  teacher2.setName("liyongchi");
  teacher2.setInfo("李永池教授,博士生导师");
  manager.create(teacher2);

  student1.setFirst("晁");
  student1.setLast("岳攀");
  dossier1.setResume("这是晁岳攀的档案");
  student1.setDossier(dossier1);
  students1.add(student1);

  student2.setFirst("赵");
  student2.setLast("志伟");
  dossier2.setResume("这是赵志伟的档案");
  student2.setDossier(dossier2);
  students1.add(student2);

  student3.setFirst("田");
  student3.setLast("明");

  dossier3.setResume("这是田明的档案");
  student3.setDossier(dossier3);
  students2.add(student3);

  teacher1.setStudents(students1);
  teacher2.setStudents(students2);

  }

  public List findByName(String name)
  {
  return manager.createQuery("from Teacher t where t.name = :name").setParameter("name", name).listResults();
  }

  }

  在这个会话Bean中提供了创建各个实体Bean的方法,并提供了查找老师的方法。

  Client.java

  package com.kuaff.ejb3.secondary;

  import javax.naming.InitialContext;
  import javax.naming.NamingException;
  import java.util.List;

  public class Client
  {
  public static void main(String[] args) throws NamingException
  {
  InitialContext ctx = new InitialContext();
  StudentDAO dao = (StudentDAO) ctx.lookup(StudentDAO.class.getName());
  int id = dao.create("晁","岳攀","8","smallnest@kuaff.com","男");
  dao.create("朱","立焕","6","zhuzhu@kuaff.com","女");
  List list = dao.findAll();
  for(Object o:list)
  {
   Student s = (Student)o;
   System.out.printf("%s%s的性别:%s%n",s.getName().getFirst(),s.getName().getLast(),s.getGender());
   dao.evict(s);
  }
  }
  }

  这个客户端用来测试。

  请运行{$JBOSS_HOME}/bin目录下的run.bat: run

Statement
The content of this article is voluntarily contributed by netizens, and the copyright belongs to the original author. This site does not assume corresponding legal responsibility. If you find any content suspected of plagiarism or infringement, please contact admin@php.cn
How do you handle database upgrades in MySQL?How do you handle database upgrades in MySQL?Apr 30, 2025 am 12:28 AM

The steps for upgrading MySQL database include: 1. Backup the database, 2. Stop the current MySQL service, 3. Install the new version of MySQL, 4. Start the new version of MySQL service, 5. Recover the database. Compatibility issues are required during the upgrade process, and advanced tools such as PerconaToolkit can be used for testing and optimization.

What are the different backup strategies you can use for MySQL?What are the different backup strategies you can use for MySQL?Apr 30, 2025 am 12:28 AM

MySQL backup policies include logical backup, physical backup, incremental backup, replication-based backup, and cloud backup. 1. Logical backup uses mysqldump to export database structure and data, which is suitable for small databases and version migrations. 2. Physical backups are fast and comprehensive by copying data files, but require database consistency. 3. Incremental backup uses binary logging to record changes, which is suitable for large databases. 4. Replication-based backup reduces the impact on the production system by backing up from the server. 5. Cloud backups such as AmazonRDS provide automation solutions, but costs and control need to be considered. When selecting a policy, database size, downtime tolerance, recovery time, and recovery point goals should be considered.

What is MySQL clustering?What is MySQL clustering?Apr 30, 2025 am 12:28 AM

MySQLclusteringenhancesdatabaserobustnessandscalabilitybydistributingdataacrossmultiplenodes.ItusestheNDBenginefordatareplicationandfaulttolerance,ensuringhighavailability.Setupinvolvesconfiguringmanagement,data,andSQLnodes,withcarefulmonitoringandpe

How do you optimize database schema design for performance in MySQL?How do you optimize database schema design for performance in MySQL?Apr 30, 2025 am 12:27 AM

Optimizing database schema design in MySQL can improve performance through the following steps: 1. Index optimization: Create indexes on common query columns, balancing the overhead of query and inserting updates. 2. Table structure optimization: Reduce data redundancy through normalization or anti-normalization and improve access efficiency. 3. Data type selection: Use appropriate data types, such as INT instead of VARCHAR, to reduce storage space. 4. Partitioning and sub-table: For large data volumes, use partitioning and sub-table to disperse data to improve query and maintenance efficiency.

How can you optimize MySQL performance?How can you optimize MySQL performance?Apr 30, 2025 am 12:26 AM

TooptimizeMySQLperformance,followthesesteps:1)Implementproperindexingtospeedupqueries,2)UseEXPLAINtoanalyzeandoptimizequeryperformance,3)Adjustserverconfigurationsettingslikeinnodb_buffer_pool_sizeandmax_connections,4)Usepartitioningforlargetablestoi

How to use MySQL functions for data processing and calculationHow to use MySQL functions for data processing and calculationApr 29, 2025 pm 04:21 PM

MySQL functions can be used for data processing and calculation. 1. Basic usage includes string processing, date calculation and mathematical operations. 2. Advanced usage involves combining multiple functions to implement complex operations. 3. Performance optimization requires avoiding the use of functions in the WHERE clause and using GROUPBY and temporary tables.

An efficient way to batch insert data in MySQLAn efficient way to batch insert data in MySQLApr 29, 2025 pm 04:18 PM

Efficient methods for batch inserting data in MySQL include: 1. Using INSERTINTO...VALUES syntax, 2. Using LOADDATAINFILE command, 3. Using transaction processing, 4. Adjust batch size, 5. Disable indexing, 6. Using INSERTIGNORE or INSERT...ONDUPLICATEKEYUPDATE, these methods can significantly improve database operation efficiency.

Steps to add and delete fields to MySQL tablesSteps to add and delete fields to MySQL tablesApr 29, 2025 pm 04:15 PM

In MySQL, add fields using ALTERTABLEtable_nameADDCOLUMNnew_columnVARCHAR(255)AFTERexisting_column, delete fields using ALTERTABLEtable_nameDROPCOLUMNcolumn_to_drop. When adding fields, you need to specify a location to optimize query performance and data structure; before deleting fields, you need to confirm that the operation is irreversible; modifying table structure using online DDL, backup data, test environment, and low-load time periods is performance optimization and best practice.

See all articles

Hot AI Tools

Undresser.AI Undress

Undresser.AI Undress

AI-powered app for creating realistic nude photos

AI Clothes Remover

AI Clothes Remover

Online AI tool for removing clothes from photos.

Undress AI Tool

Undress AI Tool

Undress images for free

Clothoff.io

Clothoff.io

AI clothes remover

Video Face Swap

Video Face Swap

Swap faces in any video effortlessly with our completely free AI face swap tool!

Hot Tools

SublimeText3 Linux new version

SublimeText3 Linux new version

SublimeText3 Linux latest version

VSCode Windows 64-bit Download

VSCode Windows 64-bit Download

A free and powerful IDE editor launched by Microsoft

Dreamweaver CS6

Dreamweaver CS6

Visual web development tools

Dreamweaver Mac version

Dreamweaver Mac version

Visual web development tools

WebStorm Mac version

WebStorm Mac version

Useful JavaScript development tools