我正在尝试编写朋友功能以及时添加分钟,然后相应地更改小时 例如:如果时间t3(11,58,0) addMinutes(t3,10); t3.print()应该在下午12:08:00给出 下面是我编译时编写的代码,分钟为'分钟是时间的私人成员。请告诉我在这里定义错误的功能。
/*Header File for Time */
Time.h
#ifndef RATIONALNO_TIME_H
#define RATIONALNO_TIME_H
#include<iostream>
using namespace std;
class Time{
friend void addMinutes(Time&,const int&);
public:
Time(const int&,const int&,const int&);
void print()const;
private:
int hour;
int minute;
int second;
};
#endif //RATIONALNO_TIME_H
/*Source File*/
Time.cc
#include "Time.h"
Time::Time(const int& h,const int& m,const int& s)
{
if(h>=0 && h<=23) {
hour = h;
}else
hour=0;
if(m>=0 && m<=59) {
minute = m;
}else
minute=0;
if(s>=0 && s<=59) {
second = s;
}else second=0;
}
void Time::print() const {
cout<<hour;
cout<<minute;
cout<<second<<endl;
cout<<((hour==0||hour==12)?12:hour%12)<<":"<<minute<<":"<<second<<(hour<12?"AM":"PM")<<endl;
}
void addMinutes(Time& time1,int & m)
{
int hr;
if(time1.minute+m>59)
{
hr=time1.hour+1;
}
}
int main()
{
Time t1(17,34,25);
t1.print();
Time t3(11,58,0);
t3.print();
addMinutes(t3,10);
t3.print();
}
答案 0 :(得分:0)
您使用以下函数声明您的朋友功能:
friend void addMinutes(Time&,const int&); // (Time&, const int&) <- const int
但用以下内容定义:
void addMinutes(Time& time1,int & m)... // (Time& time1, int & m) <- non-const int
将上述内容更改为:
friend void addMinutes(Time &, int);
和
void addMinutes(Time &time1, int m)....
因此,它编译。</ p>