使用Visual Studio编译代码时,boost :: iostreams :: multichar_input_filter中的异常消失

时间:2019-01-18 12:29:21

标签: c++ visual-c++ boost boost-iostreams

我正在研究可以解码自定义文件格式的流过滤器。我的目标是使用boost::iostreams::filtering_istream来读取文件并使用boost::iostreams::multichar_input_filter子类对其进行处理,以便可以使用<<运算符加载值。

当过滤器无法解码流并引发异常时,我也希望终止进程,这是在Linux子系统上使用gcc 5.4编译代码时发生的,但是如果该异常在到达我的代码之前就被吞没了,我用VS2017编译。

我在Windows和WSL上都使用Boost 1.68.0;我已经在两个平台上使用b2构建并安装了它,没有任何自定义参数或配置。我还尝试了WSL的1.58.0,该软件包来自程序包管理器。

该项目使用CMake,但我尚未在CMakeSettings.json或launch.vs.json中自定义任何内容。

我创建了这个简化的代码,显示了如何使用过滤器链,异常类以及如何捕获处理错误:

#include <iostream>
#include <boost/iostreams/concepts.hpp>    // multichar_input_filter
#include <boost/iostreams/filtering_stream.hpp>
#include <boost/iostreams/device/array.hpp>
#include <boost/throw_exception.hpp>

using namespace std;
namespace io = boost::iostreams;

class TestFilterException : public BOOST_IOSTREAMS_FAILURE {
  public:
    explicit TestFilterException(const char* message) : BOOST_IOSTREAMS_FAILURE(message) {
    }
};

class TestFilter : public io::multichar_input_filter {
  public:
    explicit TestFilter() {
    }

    template <typename Source> streamsize read(Source& src, char* output_buffer, streamsize requested_char_count) {
        BOOST_THROW_EXCEPTION(TestFilterException("Something went wrong"));
    }

    template <typename Source> void close(Source&) {
    }
};

int main(const int argc, const char *argv[]) {
    char buffer[64] = {'x'};
    io::array_source source = io::array_source(buffer);

    io::filtering_istream in;
    in.push(TestFilter());
    in.push(source);

    char c;
    try {
        in >> c;
        cout << c;
    } catch (boost::exception& e) {
        cout << "Expected exception";
        return 1;
    }
    return 0;
}

我希望该代码在所有平台上都将“ Expected exception”消息写入输出并以返回代码1退出。但是,当我使用Visual Studio对其进行编译时,它会输出一些垃圾并返回代码0

1 个答案:

答案 0 :(得分:1)

我认为这是旧版gcc中的错误。较新的gcc和VS可以正确捕获抛出的异常并设置坏位标志,而不是通过流方法传播异常。打印垃圾是因为在尝试读取失败后未初始化c。您可以通过在流中设置异常标志来使流抛出不良位异常:

try
{
    io::filtering_istream in;
    in.exceptions(::std::ios_base::badbit | ::std::ios_base::failbit | ::std::ios_base::eofbit);
    in.push(TestFilter());
    in.push(source);
    char c;
    in >> c;
    cout << c;
} catch (boost::exception& e) {
    cout << "not expected boost exception";
    return 1;
}
catch(::std::exception const & e)
{
    cout << "Expected std exception";
    return 2;
}

另请参阅iostream Exceptions documentation