2

我正在使用 dbunit xml 创建一个在多个数据库上运行的测试套件。不幸的是,昨天我发现我们架构中的一些表名超过 30 个字符,并且被截断以供 Oracle 使用。例如,unusually_long_table_name_error在 mysql 中命名的表unusually_long_table_name_erro在 Oracle 中命名。这意味着我的 dbunit 文件包含类似<unusually_long_table_name_error col1="value1" col2="value2 />. NoSuchTableException在 Oracle 中运行测试时,这些行会抛出一个错误。

是否有针对此的程序化解决方法?我真的很想避免为 Oracle 生成特殊的 xml 文件。我研究了一个自定义MetadataHandler,但它返回了很多java.sql我不知道如何拦截/欺骗的数据类型。我可以自己读取 xml,将每个表名截断为 30 个字符,将其写入临时文件,或者StringBufferInputStream然后将其用作 DataSetBuilder 的输入,但这似乎需要很多步骤才能完成的很少。也许有一些具有同义词或存储过程的忍者 Oracle 技巧或天知道还有什么可以帮助我。这些想法之一明显优于其他想法吗?有没有其他的方法会因其简单和优雅而让我大吃一惊?谢谢!

4

1 回答 1

2

鉴于缺乏答案,我最终采用了我自己建议的方法,即

  1. 读取 .xml 文件
  2. 正则表达式的表名
  3. 如果超过 30 个字符,则截断表名
  4. 将(可能修改的)行附加到 StringBuilder
  5. 将 StringBuilder 提供给 ByteArrayInputStream,适合传递给 DataSetBuilder

public InputStream oracleWorkaroundStream(String fileName) throws IOException
{
  String ls = System.getProperty("line.separator");

  // This pattern isolates the table name from the rest of the line
  Pattern pattern = Pattern.compile("(\\s*<)(\\w+)(.*/>)");

  FileInputStream fis = new FileInputStream(fileName);
  // Use a StringBuidler for better performance over repeated concatenation
  StringBuilder sb = new StringBuilder(fis.available()*2);

  InputStreamReader isr = new InputStreamReader(fis, "UTF-8");
  BufferedReader buff = new BufferedReader(isr);
  while (buff.ready())
  {
    // Read a line from the source xml file
    String line = buff.readLine();
    Matcher matcher = pattern.matcher(line);

    // See if the line contains a table name
    if (matcher.matches())
    {
      String tableName = matcher.group(2);
      if (tableName.length() > 30)
      {
        tableName = tableName.substring(0, 30);
      }

      // Append the (potentially modified) line
      sb.append(matcher.group(1));
      sb.append(tableName);
      sb.append(matcher.group(3));
    }
    else
    {
      // Some lines don't have tables names (<dataset>, <?xml?>, etc.)
      sb.append(line);
    }
    sb.append(ls);
  }

  return new ByteArrayInputStream(sb.toString().getBytes("UTF-8"));
}

编辑:从重复的字符串连接切换到 StringBuilder,这提供了巨大的性能提升

于 2012-07-16T21:02:34.590 回答