0

xml_attribute.h

#pragma once
#ifndef XML_ATTRIBUTET_H
#define XML_ATTRIBUTET_H

#include <string>
#include <iostream>

struct XML_AttributeT{

    std::string tag;
    std::string value;

    //constructors
    explicit XML_AttributeT(std::string const& tag, std::string const& value);
    explicit XML_AttributeT(void);

    //overloaded extraction operator
    friend std::ostream& operator << (std::ostream &out, XML_AttributeT const& attribute);
};
#endif

xml_attribute.cpp

#include "xml_attribute.h"

//Constructors
XML_AttributeT::XML_AttributeT(std::string const& tag_, std::string const& value_)
: tag{tag_}
, value{value_}
{}
XML_AttributeT::XML_AttributeT(void){}

//overloaded extraction operator
std::ostream& operator << (std::ostream &out, XML_AttributeT const attribute){
    return out << attribute.tag << "=" << attribute.value;
}

驱动程序.cpp

#include <iostream>
#include <cstdlib>
#include "xml_attribute.h"

int main(){
    using namespace std;

    XML_AttributeT a();
    cout << a << endl;

    return EXIT_SUCCESS;
}

驱动程序的输出是“1”,但我希望它是一个“=”符号。
为什么它输出对a的引用?
如果我更改XML_AttributeT a();XML_AttributeT a;甚至不会编译。

我做错什么了?

4

1 回答 1

5

克里斯是正确的。您最初的问题是XML_AttributeT a()被解释为函数声明。clang++实际上会警告您:

Untitled.cpp:33:21: warning: empty parentheses interpreted as a function declaration [-Wvexing-parse]
    XML_AttributeT a();

您可以改用它a{}来解决此问题。

此时您会收到一个新错误:

Untitled.cpp:34:10: error: use of overloaded operator '<<' is ambiguous (with operand types 'ostream' (aka 'basic_ostream<char>') and 'XML_AttributeT')
    cout << a << endl;

这是因为jogojapan所说的。您的实现operator<<XML_AttributeT const用作属性类型而不是XML_AttributeT const &. 如果你解决了这个问题,它就会编译并给你想要的结果。

于 2012-09-19T01:38:51.597 回答