1

ディレクトリを指定すると、私のアプリケーションは.mdb、Jackcess API を使用して MS Access データベースを走査してロードします。各データベース内には、テキストを含むGCMT_CMT_PROPERTIESという名前の列を持つ名前のテーブルがあります。cmt_dataまた、文字列から特定の単語を置き換えるときに辞書として使用するMapperオブジェクト (本質的にはに似ていますが、重複キーを許可する) もあります。Map<String,String>

したがって、たとえば if mappercontainsfox -> dogの文は に"The fox jumps"なり"The dog jumps"ます。

このプログラムで使用する設計は次のとおりです。

1. Given a directory, traverse all subdirectories and load all .mdb files into a File[].
2. For each db file in File[], create a Task<Void> called "TaskMdbUpdater" and pass it the db file. 
3. Dispatch and run each task as it is created (see 2. above).

TaskMdbUpdater指定された db ファイルで適切なテーブルと列を見つけ、テーブルの各行で「検索と置換」ルーチンを繰り返し実行して、辞書から単語を検出し、それらを置換します (上記の例に示すように)。データベースを閉じる前にその行を更新します。の各インスタンスはTaskMdbUpdater、Jackcess API がDatabaseBuilder割り当てられたバックグラウンド スレッドであるため、データベースを操作できます。

現在の状態では、コードは例外をまったくスローせずに実行されていますが、Access を介してデータベースを「手動で」開いて特定の行を検査すると、変更されていないように見えます。問題の原因を突き止めようとしましたが、運が悪かったので、サポートをいただければ幸いです。さらにコードを表示する必要がある場合は、お知らせください。それに応じて質問を更新します。

public class TaskDatabaseTaskDispatcher extends Task<Void> {

    private String parentDir;
    private String dbFileFormat;
    private Mapper mapper;

    public TaskDatabaseTaskDispatcher(String parent, String dbFileFormat, Mapper mapper) {
        this.parentDir = parent;
        this.dbFileFormat = dbFileFormat;
        this.mapper = mapper;
    }


    @Override
    protected Void call() throws Exception {

        File[] childDirs = getOnlyDirectories(getDirectoryChildFiles(new File(this.parentDir)));
        DatabaseBuilder[] dbs = loadDatabasesInParent(childDirs);

        Controller.dprint("TaskDatabaseTaskDispatcher", dbs.length + " databases were found in parent directory");
        TaskMdbUpdater[] tasks = new TaskMdbUpdater[dbs.length];
        Thread[] workers = new Thread[dbs.length];
        for(int i=0; i<dbs.length; i++) {
            // for each db, dispatch Task so a worker can update that db.
            tasks[i] = new TaskMdbUpdater(dbs[i], mapper);
            workers[i] = new Thread(tasks[i]);
            workers[i].setDaemon(true);
            workers[i].start();
        }

        return null;
    }

    private DatabaseBuilder[] loadDatabasesInParent(File[] childDirs) throws IOException {
        DatabaseBuilder[] dbs = new DatabaseBuilder[childDirs.length];

        // Traverse children and load dbs[]
        for(int i=0; i<childDirs.length; i++) {

            File dbFile = FileUtils.getFileInDirectory(
                    childDirs[i].getCanonicalFile(),
                    childDirs[i].getName() + this.dbFileFormat);

            dbs[i] = new DatabaseBuilder(dbFile);
        }
        return dbs;
    }


} 


// StringUtils class, utility methods
public class StringUtils {

public static String findAndReplace(String str, Mapper mapper) {
        String updatedStr = str;
        for(int i=0; i<mapper.getMappings().size(); i++) {
            updatedStr = updatedStr.replaceAll(mapper.getMappings().get(i).getKey(), mapper.getMappings().get(i).getValue());
        }

        return updatedStr;
    }
}

// FileUtils class, utility methods:
public class FileUtils {
/**
     * Returns only directories in given File[].
     * @param list
     * @return
     */
    public static File[] getOnlyDirectories(File[] list) throws IOException, NullPointerException {
        List<File> filteredList = new ArrayList<>(); 
        for(int i=0; i<list.length; i++) {
            if(list[i].isDirectory()) {
                filteredList.add(list[i]);
            }
        }

        File[] correctSizeFilteredList = new File[filteredList.size()];
        for(int i=0; i<filteredList.size(); i++) {
            correctSizeFilteredList[i] = filteredList.get(i);
        }

        return correctSizeFilteredList;
    }

/**
     * Returns a File[] containing all children under specified parent file.
     * @param parent
     * @return
     */
    public static File[] getDirectoryChildFiles(File parent) {
        return parent.listFiles();
    }
}

public class Mapper {

    private List<aMap> mappings;

    public Mapper(List<aMap> mappings) {
        this.mappings = mappings;
    }

    /**
     * Returns mapping dictionary, typically used for extracting individual mappings.
     * @return List of type aMap 
     */
    public List<aMap> getMappings() {
        return mappings;
    }

    public void setMappings(List<aMap> mappings) {
        this.mappings = mappings;
    }
} 

/**
 * Represents a single String based K -> V mapping.
 */
public class aMap {

    private String[] mapping; // [0] - key, [1] - value

    public aMap(String[] mapping) {
        this.mapping = mapping;
    }

    public String getKey() {
        return mapping[0];
    }

    public String getValue() {
        return mapping[1];
    }

    public String[] getMapping() {
        return mapping;
    }

    public void setMapping(String[] mapping) {
        this.mapping = mapping;
    }
} 

更新 1: カスタムStringUtils.findAndReplaceロジックを検証するために、合格している次の単体テスト (JUnit で) を実行しました。

@Test
    public void simpleReplacementTest() {
        // Construct a test mapper/dictionary
        List<aMap> aMaps = new ArrayList<aMap>();
        aMaps.add(new aMap(new String[] {"fox", "dog"})); // {K, V} = K -> V
        Mapper mapper = new Mapper(aMaps);

        // Perform replacement
        String corpus = "The fox jumps";
        String updatedCorpus = StringUtils.findAndReplace(corpus, mapper);
        assertEquals("The dog jumps", updatedCorpus);
    }

TaskMdbUpdater障害点がどこかにあると思われるため、いくつかのロギングコードを含めて、ここにクラスを個別に含めていcallます。

/**
 * Updates a given .mdb database according to specifications defined internally.
 * @since 2.2
 */
public class TaskMdbUpdater extends Task<Void> {

    private final String TABLE_NAME = "GCMT_CMT_PROPERTIES";
    private final String COLUMN_NAME = "cmt_data";

    private DatabaseBuilder dbPackage;
    private Mapper mapper;

    public TaskMdbUpdater(DatabaseBuilder dbPack, Mapper mapper) {
        super();
        this.dbPackage = dbPack;
        this.mapper = mapper;
    }

    @Override
    protected Void call() {
        try {
//      Controller.dprint("TaskMdbUpdater", "Worker: " + Thread.currentThread().getName() + " running");

        // Open db and extract Table
        Database db = this.dbPackage
                .open();
        Logger.debug("Opened database: {}", db.getFile().getName());

        Table table = db.getTable(TABLE_NAME);
        Logger.debug("Opening table: {}", table.getName());

        Iterator<Row> tableRows = table.iterator();

//      Controller.dprint("TaskMdbUpdater", "Updating database: " + db.getFile().getName());

        int i=0;
        try {
            while( tableRows.hasNext() ) {

                // Row is basically a<code> Map<Column_Name, Value> </code>
                Row cRow = tableRows.next();
                Logger.trace("Current row: {}", cRow);

//              Controller.dprint(Thread.currentThread().getName(), "Database name: " + db.getFile().getName());
//              Controller.dprint("TaskMdbUpdater", "existing row: " + cRow.toString());
                String str = cRow.getString(COLUMN_NAME);
                Logger.trace("Row {} column field contents (before find/replace): {}", i, str);

                String newStr = performFindAndReplaceOnString(str);
                Logger.trace("Row {} column field contents (after find/replace): {}", i, newStr);

                cRow.put(COLUMN_NAME, newStr);
                Logger.debug("Updating field in row {}", i);

                Row newRow = table.updateRow(cRow); // <code>updateRow</code> returns the new, updated row. Ignoring this.
                Logger.debug("Calling updateRow on table with modified row");

//              Controller.dprint("TaskMdbUpdater", "new row: " + newRow.toString());
                i++;
                Logger.trace("i = {}", i);
            }
        } catch(NoSuchElementException e) {
//          e.printStackTrace();
            Logger.error("Thread has iterated past number of rows in table", e);
        }
        Logger.info("Iterated through {} rows in table {}", i, table.getName());

        db.close();
        Logger.debug("Closing database: {}", db.getFile().getName());

        } catch (Exception e) {
//          e.printStackTrace();
            Logger.error("An error occurred while attempting to update row value", e);
        }
        return null;
    }

    /**
     * @see javafx.concurrent.Task#failed()
     */
    @Override
    protected void failed() {
        super.failed();
        Logger.error("Task failed");
    }

    @Override
    protected void succeeded() {
        Logger.debug("Task succeeded");
    }

    private String performFindAndReplaceOnString(String str) {
//      Logger.trace("OLD: [" + str + "]");

        String updatedStr = null;
        for(int i=0; i<mapper.getMappings().size(); i++) {
            // loop through all parameter names in mapper to search for in str.
            updatedStr = findAndReplace(str, this.mapper);
        }
//      Logger.trace("NEW: [" + updatedStr + "]");
        return updatedStr;
    }
}

これが私のログからの小さな抜粋です。ご覧のとおり、テーブルを開いた後は何もしないようで、少し当惑しました。

INFO (16-02-2017 17:27:59) [Thread-9] NAMEMAP.logic.TaskDatabaseTaskDispatcher.call(): Located the following directories under specified MOIS parent which contains an .mdb file:
[01_Parent_All_Safe_Test[ RV_DMS_0041RV_DMS_0001RV_DMS_0003RV_DMS_0005RV_DMS_0007RV_DMS_0012RV_DMS_0013RV_DMS_0014RV_DMS_0016RV_DMS_0017RV_DMS_0018RV_DMS_0020RV_DMS_0023RV_DMS_0025RV_DMS_0028RV_DMS_0029RV_DMS_0031RV_DMS_0033RV_DMS_0034RV_DMS_0035RV_DMS_0036RV_DMS_0038RV_DMS_0039RV_DMS_0040 ]]
...
DEBUG (16-02-2017 17:27:59) [Thread-9] NAMEMAP.logic.TaskDatabaseTaskDispatcher.call(): Created new task: NAMEMAP.logic.TaskMdbUpdater@4cfe46fe
DEBUG (16-02-2017 17:27:59) [Thread-9] NAMEMAP.logic.TaskDatabaseTaskDispatcher.call(): Created new worker: Thread[Thread-22,5,main]
DEBUG (16-02-2017 17:27:59) [Thread-9] NAMEMAP.logic.TaskDatabaseTaskDispatcher.call(): Set worker Thread[Thread-22,5,main] as daemon
DEBUG (16-02-2017 17:27:59) [Thread-9] NAMEMAP.logic.TaskDatabaseTaskDispatcher.call(): Dispatching worker: Thread[Thread-22,5,main]
...
DEBUG (16-02-2017 17:28:00) [Thread-22] NAMEMAP.logic.TaskMdbUpdater.call(): Opened database: RV_DMS_0023.mdb
DEBUG (16-02-2017 17:28:00) [Thread-22] NAMEMAP.logic.TaskMdbUpdater.call(): Opening table: GCMT_CMT_PROPERTIES

この時点以降、ログにはエントリ エントリがなくなり、プロセッサは 100% の負荷で急上昇し、アプリケーションを強制終了するまでそのままになります。これは、プログラムが無限の while ループに陥ったことを意味している可能性があります。

更新 2

さて、logTRACEを に出力することで、問題をさらに絞り込みましたstdio。私のperformFindAndReplaceOnStringは非常に非効率的で、長い文字列を削っているだけなので、これらのデータベースの最初の行を通過することはありません。このユースケースで文字列置換を効率的に実行する方法について何か提案はありますか?

4

0 に答える 0