使用boost :: asio时如何防止SIGPIPE?

kal*_*axy 14 c++ linux signals pipe boost-asio

我正在使用管道在Gnu/Linux上的两个进程之间进行通信.接收端关闭管道,而发送端仍在尝试发送数据.这是一些模拟情况的代码.

#include <unistd.h>                                                              
#include <boost/asio.hpp>                                                        

int main()                                                                       
{                                                                                
    int pipe_fds[2];                                             
    if( ::pipe(pipe_fds) != 0 ) return 1;                                        
    // close the receiving end 
    ::close( pipe_fds[0] );

    boost::asio::io_service io;                                             
    boost::asio::posix::stream_descriptor sd( io, pipe_fds[1] );     
    boost::system::error_code ec;                                                
    sd.write_some( boost::asio::buffer("blah"), ec );

    return 0;                                                                    
}
Run Code Online (Sandbox Code Playgroud)

当我运行它时,我得到一个SIGPIPE; 经典情况,我知道.但是,我看到boost::asio::error::basic_errors有一个broken_pipe值.我希望在没有信号被引发的情况下返回error_code.

这可以在不为我的进程创建SIGPIPE处理程序的情况下完成吗?例如,我是否缺少boost :: asio的配置选项?也许在实现中会启用MSG_NOSIGNAL的东西?

Sam*_*ler 7

SIGPIPE如果您希望查看相应的信号,请安装信号处理程序以忽略error_code

代码和编译

#include <unistd.h>
#include <iostream>
#include <boost/asio.hpp>


int main( int argc, const char** argv )
{
    bool ignore = false;
    if ( argc > 1 && !strcmp(argv[1], "ignore") ) {
        ignore = true;
    }
    std::cout << (ignore ? "" : "not ") << "ignoring SIGPIPE" << std::endl;

    if ( ignore ) {
        struct sigaction sa;
        std::memset( &sa, 0, sizeof(sa) );
        sa.sa_handler = SIG_IGN;
        int res = sigaction( SIGPIPE, &sa, NULL);
        assert( res == 0 );
    }

    int pipe_fds[2];
    if( ::pipe(pipe_fds) != 0 ) return 1;
    // close the receiving end 
    ::close( pipe_fds[0] );

    boost::asio::io_service io;
    boost::asio::posix::stream_descriptor sd( io, pipe_fds[1] );
    boost::system::error_code ec;
    sd.write_some( boost::asio::buffer("blah"), ec );

    if ( ec ) {
        std::cerr << boost::system::system_error(ec).what() << std::endl;
    } else {
        std::cout << "success" << std::endl;
    }

    return 0;
}

samjmill@bgqfen7 ~> g++ pipe.cc -lboost_system -lboost_thread-mt
samjmill@bgqfen7 ~> 
Run Code Online (Sandbox Code Playgroud)

samm@macmini ~> ./a.out 
not ignoring SIGPIPE
samm@macmini ~> echo $?
141
samm@macmini ~> ./a.out ignore
ignoring SIGPIPE
Broken pipe
samm@macmini ~> 
Run Code Online (Sandbox Code Playgroud)

此行为的基本原理在write(2)手册页中

EPIPE

fd连接到读取端关闭的管道或插座.当发生这种情况时,写入过程也将收到SIGPIPE信号.(因此,仅当程序捕获,阻止或忽略此信号时才会看到写入返回值.)

我强调的是.