拆分字符串C ++

时间:2012-07-18 08:07:50

标签: c++ string c++-standard-library

  

可能重复:
  Splitting a string in C++

我有一个复制文件的程序。

我有一个字符串,它是一个目录路径,但它可能只是一个文件名。例如:

rootdirname\childdirname\filename.ini

或者可能是:

filename.ini

我还是C ++的新手,我需要在\上拆分字符串并使用MKDir创建目录。

任何人都知道如何分割字符串??

3 个答案:

答案 0 :(得分:1)

我不确定你是如何定义你的字符串但是如果它是char *你可以使用strtok。 http://www.cplusplus.com/reference/clibrary/cstring/strtok/

答案 1 :(得分:0)

您可以使用此C解决方案:

http://www.cplusplus.com/reference/clibrary/cstring/strtok/

这允许您在许多标记中拆分字符串。你可以像你想要的那样将字符串放在“/”上。

Stackoverflow中也有这个答案,我认为它会有所帮助:

How do I tokenize a string in C++?

答案 2 :(得分:0)

重新启动了Linux上的轮子

#include <string>
#include <sys/statfs.h>

bool existsDir( const std::string& dir ) {
    return existsFile( dir );
}

bool existsFile( const std::string& file ) {
    struct stat fileInfo;
    int error = stat( file.c_str(), &fileInfo );
    if( error == 0 ){
        return true;
    } else {
        return false;
    }
}

bool createDir( std::string dir, int mask = S_IRWXU | S_IRWXG | S_IRWXO ) {
    if( !existsDir( dir ) ) {
        mkdir( dir.c_str(), mask );
        return existsDir( dir );
    } else {
        return true;
    }
}

bool createPath( std::string path, int mask = S_IRWXU | S_IRWXG | S_IRWXO ) {
    if( path.at( path.length()-1 ) == '/' ){
        path.erase( path.length()-1 );
    }
    std::list<std::string> pathParts;

    int slashPos = 0;
    while( true ) {
        slashPos = path.find_first_of( "/", slashPos+1 );
        if( slashPos < 0)
            break;
        std::string pp( path.substr( 0, slashPos ) );
        pathParts.push_back( pp );
    }
    std::list<std::string>::const_iterator pp_cit;
    for( pp_cit=pathParts.begin(); pp_cit!=pathParts.end(); ++pp_cit ){
        createDir( (*pp_cit), mask );
    }

    createDir( path, mask );
    return existsDir( path );
}