5

假设我有这个类:


    Class A {
        int id;
        int[] b;
        // Other properties
    }

    Class B {
        int id;
        // Other properties
    }

A 类与 B 类具有一对多的关系。我已经有一个服务可以缓存 B 对象并在 id 上返回它们。

表架构看起来像这样


    Table a:
    -------
      int id,
      prop1,
      etc

    Table a_to_b_map
    ----------------
      int a_id,
      int b_id

现在,我如何在 iBatis 中映射它?

由于 B 对象已经被缓存,我想将 id 列表获取到 A 对象中,然后使用该服务来丰富 As。

有人可以建议如何去做吗?

我能想到的两种可能的选择是:

  1. 在 A(AtoB 映射)中创建一个内部类,并在 iBatis 配置中使用选择查询来填充它
  2. 在 iBatis resultMap/select 中使用另一个选择来获取 B id 列表(不太清楚如何在配置中执行此操作)
4

2 回答 2

1

在 mybatis 3 中有点不同。您可以通过指定两个 select 语句来做到这一点,或者您可以使用 join 然后创建带有集合标签的 resultMap。

<resultMap id=”blogResult” type=”Blog”&gt;
   <collection property="posts" javaType=”ArrayList” column="blog_id"
      ofType="Post" select=”selectPostsForBlog”/>
</resultMap>

<select id=”selectBlog” parameterType=”int” resultMap=”blogResult”&gt;
    SELECT * FROM BLOG WHERE ID = #{id}
    </select>
<select id=”selectPostsForBlog” parameterType=”int” resultType="Author">
    SELECT * FROM POST WHERE BLOG_ID = #{id}
    </select>

或者你可以使用加入

<select id="selectBlog" parameterType="int" resultMap="blogResult">
select
    B.id as blog_id,
    B.title as blog_title,
    B.author_id as blog_author_id,
    P.id as post_id,
    P.subject as post_subject,
    P.body as post_body,
from Blog B
    left outer join Post P on B.id = P.blog_id
where B.id = #{id}
</select>

并做结果图

<resultMap id="blogResult" type="Blog">
  <id property=”id” column="blog_id" />
  <result property="title" column="blog_title"/>
  <collection property="posts" ofType="Post">
    <id property="id" column="post_id"/>
    <result property="subject" column="post_subject"/>
    <result property="body" column="post_body"/>
  </collection>
</resultMap>

您可以在此处从 ibatis 用户指南获得完整的教程:

http://svn.apache.org/repos/asf/ibatis/java/ibatis-3/trunk/doc/en/iBATIS-3-User-Guide.pdf

于 2010-10-20T13:46:34.437 回答
0

不确定我是否正确理解了您的问题。

假设你会根据A的id进行查询,那么在ibatis中写一个连接两个表的查询怎么样?

select * 
from a, a_to_b_map 
where a.id = #id# and a.id = a_to_b_map.a_id

然后,您可以使用“queryForMap”返回 a_id vs(来自查询的记录集合)的哈希图。使用自定义方法将此数据结构转换为 'A' 的对象

于 2009-02-04T07:26:55.387 回答