1

我正在尝试使用 Glib::Regex,但它不断返回垃圾。

这是代码的简化版本:

void testGetPos(std::string fileName){
    auto regEx = Glib::Regex::create(
        "^sprite_[0-9]+__x(-?[0-9]+)_y(-?[0-9]+)\\.tif$",
        Glib::REGEX_CASELESS
    )

    Glib::MatchInfo match;

    if(!regEx->match(fileName, match)){
        continue;
    }

    if(!match.matches()){
        continue;
    }

    auto posX = match.fetch(1);
    auto posY = match.fetch(2);

    // ... Use posX and posY
}

int main(){
    testGetPos("sprite_000__x-28_y-32.tif");
}

运行后,posX 和 posY 被垃圾填充。但是,在包装对象上使用 C 函数:

void testGetPos(std::string fileName){
    auto regEx = Glib::Regex::create(
        "^sprite_[0-9]+__x(-?[0-9]+)_y(-?[0-9]+)\\.tif$",
        Glib::REGEX_CASELESS
    )

    GMatchInfo *match = nullptr;
    if(!g_regex_match(regEx->gobj(), fileName.c_str(), (GRegexMatchFlags)0, &match)){
        if(match != nullptr){
            g_match_info_free(match);
        }
        return;
    }

    auto posX = g_match_info_fetch(match, 1);
    auto posY = g_match_info_fetch(match, 2);

    // ... Use posX and posY

    g_free(posX);
    g_free(posY);
    g_match_info_free(match);
}

int main(){
    testGetPos("sprite_000__x-28_y-32.tif");
}

工作正常。我做错了什么还是这坏了。

4

1 回答 1

1

所以,在写完这个问题之后,我又尝试了一件事情并解决了它。我想我最好在这里记录一下,以防其他人遇到同样的问题。

我改变了相当于:

void testGetPos(std::string fileName){

像这样:

void testGetPos(std::string _fileName){
    Glib::ustring fileName = Glib::filename_to_utf8(_fileName);

TL;DR:正在将隐式创建的临时对象传递给regEx->matchGlib::MatchInfo需要访问Glib::ustring引用。

原来问题是这样的:作为regEx->match(fileName, match)const Glib::ustring &的第一个参数,但我正在传递它const std::string &,它正在被隐式转换。在大多数情况下,这很好,但是,GMatchInfo引擎盖下的对象Glib::MatchInfo 不会复制传递给 match 函数的字符串,并且它需要该数据可用,直到对象被释放。当我regEx->match使用std::string参数调用时,会在执行时创建一个临时Glib::ustring对象,regEx->match并在完成后销毁。这意味着Glib::MatchInfo正在访问的数据现在无效,因此返回垃圾。通过使用Glib::filename_to_utf8,我创建了一个生命周期超过使用的变量Glib::MatchInfo使用它的对象,并使用和适当的转换函数。

希望这可以帮助遇到此问题的其他任何人。

于 2021-07-09T10:40:21.637 回答