4

我创建了一个小Phonegap 应用程序,它通过XML 从Ajax 调用中获取新闻数据。这很好用,但我想将数据存储在数据库表中,以允许离线阅读新闻。

所以当 Ajax 回调循环数据时,我用它填充一个全局新闻对象,然后调用一个函数来检查数据是否已经存储在数据库中。如果不是,则应将其插入到数据库的新闻表中。

问题是在将新闻存储在表中的事务中,似乎我的新闻对象不再存在,因为我收到了消息:

未捕获的类型错误:无法读取...中未定义的属性“标题”

那么我怎样才能确保这个工作呢?这是我选择新闻并想检查它是否已经存在的部分的代码:

//  Check if a news from the internet already exists in the database; If not, insert it
function checkNewsInDB(){
    db.transaction(function(tx){
        tx.executeSql("SELECT * FROM NEWS", [], checkSuccess, dbErrorCB);
    }, dbErrorCB, dbSuccessCB);
}

//  Result Callback from the News Check
function checkSuccess(ctx, result){
    var len = result.rows.length;
    var found = false;
    for(var n = 0; n < newsContainer.length; n++){
        for(var r = 0; r < len; r++){
            if(result.rows.item(r).n_title == newsContainer[n].title 
               && result.rows.item(r).n_pubdate == newsContainer[n].pubdate){
                found = r;
            }
        }
        if(found == false){
            db.transaction(function(tx){
                tx.executeSql("INSERT INTO NEWS (n_title, n_link, n_creator, n_pubdate, n_description) VALUES (?,?,?,?,?)", [newsContainer[n].title, newsContainer[n].link, newsContainer[n].creator, newsContainer[n].pubdate, newsContainer[n].description], insertSuccess, dbErrorCB);
            }, dbErrorCB, dbSuccessCB);
        } else {
            found = false;
        }
    }
}

newsContainer 填充了几行数据,我已经检查过了。如果有人可以帮助我理解为什么这不起作用,我会很高兴。

提前致谢!

问候,

伯恩德

4

2 回答 2

4

db.transaction 是异步的 - 到 executeSql 实际运行时,n 已经递增到循环结束。

不要为每个项目创建一个新事务,而是尝试在事务函数中移动循环。

于 2012-11-24T14:40:29.610 回答
2

感谢你的回答。这是适用于所有有相同问题的人的代码:

//  Check if a news from the internet already exists in the database; If not, insert it
function checkNewsInDB(){
    db.transaction(function(tx){
        tx.executeSql("SELECT * FROM NEWS", [], checkSuccess, dbErrorCB);
    }, dbErrorCB, dbSuccessCB);
}

//  Result Callback from the News Check
function checkSuccess(ctx, result){
    var len = result.rows.length;
    var found = false;
    for(var n = 0; n < newsContainer.length; n++){
        for(var r = 0; r < len; r++){
            if(result.rows.item(r).n_title == newsContainer[n].title 
               && result.rows.item(r).n_pubdate == newsContainer[n].pubdate){
                found = r;
            }
        }
        if(found == false){
            var title = newsContainer[n].title;
            var link = newsContainer[n].link;
            var creator = newsContainer[n].creator;
            var pubdate = newsContainer[n].pubdate;
            var description = newsContainer[n].description;
            ctx.executeSql("INSERT INTO NEWS (n_title, n_link, n_creator, n_pubdate, n_description) VALUES (?,?,?,?,?)",
                        [title, link, creator, pubdate, description], insertSuccess, dbErrorCB);
        } else {
            found = false;
        }
    }
}
于 2012-11-24T15:01:46.807 回答