0

假设我将表定义为:

CREATE TABLE ITEMS(
  ID BIGINT PRIMARY KEY,
  NAME VARCHAR2,
  CONSTRAINT NAME_IS_UNIQUE UNIQUE (NAME)
);

重要的部分是NAME_IS_UNIQUE约束。

对应的 POJO 项为:

class Item{
  private Long id;
  private String name;
  /** getters and setters */
}

和 SQL-Object 接口,其方法定义为:

@SqlUpdate("insert into items(id, name) values(:id, :name)")
int insert(@BindBean Item itemToInsert);

如果我尝试使用已经存在的 NAME 插入到项目中,那么我将获得关于约束 NAME_IS_UNIQUE 违规的数据库供应商特定的 SQLException。

有没有办法提供 SQLException 和应用程序特定异常(例如 ItemNameUniqueConstraintException)之间的映射,所以insert方法本质上将其签名更改为类似于下面的签名?

@SqlUpdate("insert into items(id, name) values(:id, :name)")
int insert(@BindBean Item itemToInsert) throws ItemNameUniqueConstraintException;

问题不是关于特定的 UNIQUE 约束,而是更多关于一般情况的问题,其中 SQLException 可以是任何事情:比如违反引用完整性或违反检查约束等。

4

1 回答 1

0

目前没有支持处理映射的方法,您可以阅读issueSQLException -> ApplicationException中的讨论和推理。

但是您可以对方法使用解决default方法并手动处理异常,例如:

    class ItemNameUniqueConstraintException extends Exception {
        public ItemNameUniqueConstraintException(String message, Throwable cause) {
            super(message, cause);
        }
    }

    interface Repository {
        default void insert(String name) throws ItemNameUniqueConstraintException {
            try {
                _insert(name);
            } catch (JdbiException e) {
                if (e.getCause() instanceof SQLException) {
                    var cause = (SQLException) e.getCause();
                    if (cause.getSQLState().equals("11111")) {
                        throw new ItemNameUniqueConstraintException("Name not unique.", cause);
                    }
                }
                // ...
            }
        }
        @SqlUpdate("INSERT INTO test (name) VALUES (:name)")
        void _insert(@Bind("name") String name);
    }

它不是很漂亮,但是可以通过存储库合同和 JDBI 实现的单独接口做得更好,这可以允许不向_insert调用者公开和类似的方法。

于 2021-01-28T08:50:54.187 回答