【是C++,不是C艹】 手把手带你实现Date类(附源码)

💞💞欢迎来到 Claffic 的博客💞💞

 👉 专栏:《是C++,不是C艹》👈

前言:

恍惚间,已经两个月没更新了 (;´д`)ゞ 我忏悔... 

但C++的学习不能停止!这期带大家实践一波,手把手教大家实现一个Date类,以感受C++类的魅力

注:

你最好是学完了C语言,并学过一些初阶的数据结构。


(没有目录) ヽ( ̄ω ̄( ̄ω ̄〃)ゝ 

Part1:一个引子

🌰我猜你用过倒数日:

🪄这其实是一种简单的日期机算器,用来计算某事件 已经 / 还有 多少天

那么我们搜索 日期计算器 会看到它的两大功能:

日期推算:

计算日期差:

 

❓那么这些功能是怎么实现的呢?

接下来就由我来带你揭开它的神秘面纱!

Part2:思路

1.日期推算

❓你想,先扔给你一个日期,再给你一个整数(正往后,负往前),你会怎么推算新日期?

简单情况:日相加,得到的日部分不超过当前月份的天数,就如 2023-8-21 与 1,得 2023-8-22 。

进位情况:日相加,得到的日部分超出当前月份的天数,给月进位,如 2023-8-21 与 12,得                            2023-9-2;

                  另有月满13,需要月重置1再给年进位,如 2023-8-21 与 133,得 2024-1-1

🚨注意还要考虑闰年 非闰年:闰年2月有29日  非闰年2月有28日。

2.计算日期差

❓再想,扔给你两个日期,你怎么计算两者之间间隔了多少天?

你是不是这样想的:年先做差,月再做差,日再做差,然后都换算成日,最后相加?

嗯,这是很直接的思路,可以,但没必要。

✅这里提供另一种思路

两个日期,必然有大有小(暂时忽略相等),找出较小者,让较小者往较大者增长,每次增加一日(++),加个计数器,计出来的就是两者的日期差。

或许你会感到麻烦,那你还是C语言的思维!

📢别忘了:C++是面向对象的语言!我们完全可以创建一个日期类来完成相关的计算和比较

Part3:实现

1.创建类

一个日期,包含年月日三个基本数据,这些不需要对用户公开,私有即可:

class Date
{
public:
    // todo

private:
	int _year;
	int _month;
	int _day;
};

另外添加一些基本的方法

先来解决最基础的问题:那就是每个月有几天

我们不妨来封装一个方法,来获取这个月里有几天:

int Date::GetMonthDay(int year, int month) // 年份是来判断是否是闰年的
{
    // 第一个元素无实际效用,但就能保证 下标 == 月数
	static int arr[13] = { 0,31,28,31,30,31,30,31,31,30,31,30,31 }; // 一三五七八十腊...
	// 2月前提下再判断年的情况,减少消耗
    if (month == 2 && ((year % 4 == 0) && (year % 100 != 0) || (year % 400 == 0))) 
		return 29;
	else
		return arr[month];
}

构造:

Date::Date(int year, int month, int day)
{
    // 判断合法性 
	if (month > 0 && month < 13
		&& day > 0 && day < GetMonthDay(year, month))
	{
		_year = year;
		_month = month;
		_day = day;
	}
	else
	{
		cout << "非法日期" << endl;
		assert(false);
	}
}

这里可以给一个全缺省,不给数据就默认是这个日期,还蛮香~

Date(int year = 2008, int month = 1, int day = 1);

展示:

// 代码较短,在类中写就OK,不用跨文件了
void Print() const
{
	cout << _year << "-" << _month << "-" << _day << endl;
}

2.日期推算

⚔️我们期望得到这样的效果:

void DateTest1()
{
	Date d1(2023,8,21);
	Date d2 = d1 + 133;
	d1.Print();
	d2.Print();
}

👁️‍🗨️运行结果:

我们知道,普通的 + 是对整型,浮点型,字符型等内置类型起效的,而这里的 + 在 Date 和 int 之间起作用了,为甚?

没错,这就是C++大名鼎鼎的运算符重载!(其实 = 也重载了)

// 日期 + 天数
Date Date::operator+(int day)
{
	Date tmp(*this); // + 是不修改本身的!所以要先拷贝一份,最后返回的是拷贝修改后的内容

	tmp._day += day;
    // 月与年的进位
	while (tmp._day > GetMonthDay(tmp._year, tmp._month))
	{
		tmp._day -= GetMonthDay(tmp._year, tmp._month);
		tmp._month++;
		if (tmp._month == 13)
		{
			tmp._year++;
			tmp._month = 1;
		}
	}
	return tmp;
}
// 赋值运算符重载
Date& Date::operator=(const Date& d) // 原内容无需修改,加const
{
	_day = d._day;
	_month = d._month;
	_year = d._year;

	return *this;
}

3.计算日期差

⚔️预期效果:

void DateTest3()
{
	Date d5(2023, 8, 21);
	Date d6(2004, 3, 30);
	cout << d5 - d6 << endl;
	cout << d6 - d5 << endl;
}

👁️‍🗨️运行结果:

很明显,这是重载了 - ,使得 - 能在两个 Date 类之间起作用

🗡️按照二趴提供的思路,写下这样的代码:

int Date::operator-(const Date& d) const
{
	Date max = *this;
	Date min = d;
	int flag = 1; // 巧妙的flag,调节最后结果的正负
	if (*this < d)
	{
		max = d;
		min = *this;
		flag = -1;
	}
	int n = 0;
	while (min != max)
	{
		++min;
		++n;
	}
	return n * flag;
}

🗡️我们发现,里面的 <, !=, ++ 都是需要针对 Date 进行重载的:

// <运算符重载
bool Date::operator<(const Date& d) const
{
	if (_year < d._year)
	{
		return true;
	}
	else if (_year == d._year && _month < d._month)
	{
		return true;
	}
	else if (_year == d._year && _month == d._month && _day < d._day)
	{
		return true;
	}

	return false;
}
// ==运算符重载
bool Date::operator==(const Date& d) const
{
	return _year == d._year
		&& _month == d._month
		&& _day == d._day;
}

// !=运算符重载
bool Date::operator != (const Date& d) const
{
	return !(*this == d);
}
// 前置++
Date& Date::operator++()
{
	*this += 1; // 还需重载 +=
	return *this;
}

// 日期+=天数
Date& Date::operator+=(int day) // += 需要修改本身
{
	_day += day;
	while (_day > GetMonthDay(_year, _month))
	{
		_day -= GetMonthDay(_year, _month);
		_month++;
		if (_month == 13)
		{
			_year++;
			_month = 1;
		}
	}
	return *this;
}

经过一系列重载后,就可以达到计算日期差的效果咯!

Part4:其他功能

1.输入输出

❓在实现了两种主要的功能之后,既然把 Date 当作一个类了,那为甚马不能搞得像输入一个整数那样进行输入呢?

⚔️预期效果

void DateTest4()
{
	Date d7;

	cin >> d7;
	cout << d7 << endl;
}

👁️‍🗨️运行结果:

🗡️没错,这需要将 cin 和 cout 进行重载:

istream& operator>>(istream& in, Date& d)
{
	int year, month, day;
	in >> year >> month >> day;

	if (month > 0 && month < 13
		&& day > 0 && day < d.GetMonthDay(year, month))
	{
		d._year = year;
		d._month = month;
		d._day = day;
	}
	else
	{
		cout << "非法日期" << endl;
		assert(false);
	}

	return in;
}
ostream& operator<<(ostream& out, const Date& d)
{
	out << d._year << "年" << d._month << "月" << d._day << "日" << endl;

	return out;
}

但是这样还不行,因为 cin 修改了私有的数据,哪有什么办法能让这个重载能访问私有的数据呢?

对,那就是友元

可以在类中声明,这个重载是类的朋友,允许他访问私密~

friend ostream& operator<<(ostream& out, const Date& d);
friend istream& operator>>(istream& in, Date& d);

2.前置和后置

❓我们知道,++ / -- 是有前置和后置之分的,那么在重载中前置和后置又是怎么区分的呢?

这里就以 ++ 为例吧:

// 前置++
Date& Date::operator++()
{
	*this += 1;
	return *this;
}

// 后置++
Date Date::operator++(int)
{
	Date tmp = *this;
	*this += 1;
	return tmp;
}

前置:先计算,后使用

后置:先使用,后计算

实现中,后置事先拷贝了自身,返回的还是原来的值,做到了后计算;而前置直接修改自身,返回自身,做到了先计算;

传参中,后置用 int 来与前置重载做区分,语法这样规定;

返回值上,后置返回类型,前置返回引用。

源码在此

Date.h:

#pragma once
#include<iostream>
#include<cassert>
using namespace std;

class Date
{
	friend ostream& operator<<(ostream& out, const Date& d);
	friend istream& operator>>(istream& in, Date& d);
public:
	// 获取某年某月的天数
	int GetMonthDay(int year, int month);

	void Print() const
	{
		cout << _year << "-" << _month << "-" << _day << endl;
	}
	
	// 全缺省的构造函数
	Date(int year = 2008, int month = 1, int day = 1);

	// 赋值运算符重载
	Date& operator=(const Date& d);

	// 日期+=天数
	Date& operator+=(int day);

	// 日期+天数
	Date operator+(int day);

	// 日期-天数
	Date operator-(int day);

	// 日期-=天数
	Date& operator-=(int day);

	// 前置++
	Date& operator++();

	// 后置++
	Date operator++(int);

	// 后置--
	Date operator--(int);

	// 前置--
	Date& operator--();

	// >运算符重载
	bool operator>(const Date& d) const;

	// ==运算符重载
	bool operator==(const Date& d) const;

	// >=运算符重载
	bool operator >= (const Date& d) const;

	// <运算符重载
	bool operator < (const Date& d) const;

	// <=运算符重载
	bool operator <= (const Date& d) const;

	// !=运算符重载
	bool operator != (const Date& d) const;

	// 日期-日期 返回天数
	int operator-(const Date& d) const;

private:
	int _year;
	int _month;
	int _day;
};

Date.cpp:

#define _CRT_SECURE_NO_WARNINGS 1
#include"Date.h"

// 获取某年某月的天数
int Date::GetMonthDay(int year, int month)
{
	static int arr[13] = { 0,31,28,31,30,31,30,31,31,30,31,30,31 };
	if (month == 2 && ((year % 4 == 0) && (year % 100 != 0) || (year % 400 == 0)))
		return 29;
	else
		return arr[month];
}

// 全缺省的构造函数
Date::Date(int year, int month, int day)
{
	if (month > 0 && month < 13
		&& day > 0 && day < GetMonthDay(year, month))
	{
		_year = year;
		_month = month;
		_day = day;
	}
	else
	{
		cout << "非法日期" << endl;
		assert(false);
	}
}

// 赋值运算符重载
Date& Date::operator=(const Date& d)
{
	_day = d._day;
	_month = d._month;
	_year = d._year;

	return *this;
}

// <运算符重载
bool Date::operator<(const Date& d) const
{
	if (_year < d._year)
	{
		return true;
	}
	else if (_year == d._year && _month < d._month)
	{
		return true;
	}
	else if (_year == d._year && _month == d._month && _day < d._day)
	{
		return true;
	}

	return false;
}

// ==运算符重载
bool Date::operator==(const Date& d) const
{
	return _year == d._year
		&& _month == d._month
		&& _day == d._day;
}

// >=运算符重载 d1 >= d2
bool Date::operator >= (const Date& d) const
{
	return !(*this < d);
}

// >运算符重载
bool Date::operator > (const Date& d) const
{
	return !(*this <= d);
}

// <=运算符重载
bool Date::operator <= (const Date& d) const
{
	return *this < d || *this == d;
}

// !=运算符重载
bool Date::operator != (const Date& d) const
{
	return !(*this == d);
}

// 日期+=天数
Date& Date::operator+=(int day)
{
	_day += day;
	while (_day > GetMonthDay(_year, _month))
	{
		_day -= GetMonthDay(_year, _month);
		_month++;
		if (_month == 13)
		{
			_year++;
			_month = 1;
		}
	}
	return *this;
}

// 日期+天数
Date Date::operator+(int day)
{
	Date tmp(*this);

	tmp._day += day;
	while (tmp._day > GetMonthDay(tmp._year, tmp._month))
	{
		tmp._day -= GetMonthDay(tmp._year, tmp._month);
		tmp._month++;
		if (tmp._month == 13)
		{
			tmp._year++;
			tmp._month = 1;
		}
	}
	return tmp;
}

// 日期-=天数
Date& Date::operator-=(int day)
{
	_day -= day;
	while (_day <= 0)
	{
		_day += GetMonthDay(_year, _month);
		_month--;
		if (_month == 0)
		{
			_year--;
			_month = 12;
		}
	}
	return *this;
}


// 日期-天数
Date Date::operator-(int day)
{
	Date tmp = *this;

	tmp._day -= day;
	while (tmp._day <= 0)
	{
		tmp._day += GetMonthDay(tmp._year, tmp._month);
		tmp._month--;
		if (tmp._month == 0)
		{
			tmp._year--;
			tmp._month = 12;
		}
	}
	return tmp;
} 

// 前置++
Date& Date::operator++()
{
	*this += 1;
	return *this;
}

// 后置++
Date Date::operator++(int)
{
	Date tmp = *this;
	*this += 1;
	return tmp;
}

// 前置--
Date& Date::operator--()
{
	*this -= 1;
	return *this;
}


// 后置--
Date Date::operator--(int)
{
	Date tmp = *this;
	*this -= 1;
	return tmp;
}

// 日期-日期 返回天数
int Date::operator-(const Date& d) const
{
	Date max = *this;
	Date min = d;
	int flag = 1;
	if (*this < d) // C艹,多了个分号 -- bug 记录
	{
		max = d;
		min = *this;
		flag = -1;
	}
	int n = 0;
	while (min != max)
	{
		++min;
		++n;
	}
	return n * flag;
}

ostream& operator<<(ostream& out, const Date& d)
{
	out << d._year << "年" << d._month << "月" << d._day << "日" << endl;

	return out;
}

istream& operator>>(istream& in, Date& d)
{
	int year, month, day;
	in >> year >> month >> day;

	if (month > 0 && month < 13
		&& day > 0 && day < d.GetMonthDay(year, month))
	{
		d._year = year;
		d._month = month;
		d._day = day;
	}
	else
	{
		cout << "非法日期" << endl;
		assert(false);
	}

	return in;
}

 

代码已上传至 我的 gitee

拿走不谢~


总结: 

实现 Date 类,并没有那么难,明确类的特征,捕捉到必要数据,再进行方法的实现即可,这次用了不少运算符重载。

码文不易 

如果你觉得这篇文章还不错并且对你有帮助,不妨支持一波哦  💗💗💗

本文来自互联网用户投稿,该文观点仅代表作者本人,不代表本站立场。本站仅提供信息存储空间服务,不拥有所有权,不承担相关法律责任。如若转载,请注明出处:/a/83769.html

如若内容造成侵权/违法违规/事实不符,请联系我们进行投诉反馈qq邮箱809451989@qq.com,一经查实,立即删除!

相关文章

听GPT 讲Alertmanager源代码--dispatch/silence/inhibit等

目前Alertmanager项目共计53M大小&#xff0c;其中.git占了46M&#xff0c;总的go代码行数不足6万行(包括.pb.go等文件)&#xff0c;不算是一个大项目。 但实现了告警的分发&#xff0c;静默等功能&#xff0c;值的研究&#xff0c;尤其是dispatch中的route部分。 在Prometheus…

2022年03月 C/C++(三级)真题解析#中国电子学会#全国青少年软件编程等级考试

第1题&#xff1a;和数 给定一个正整数序列&#xff0c;判断其中有多少个数&#xff0c;等于数列中其他两个数的和。 比如&#xff0c;对于数列1 2 3 4, 这个问题的答案就是2, 因为3 2 1, 4 1 3。 时间限制&#xff1a;10000 内存限制&#xff1a;65536 输入 共两行&#x…

图数据库_Neo4j学习cypher语言_使用CQL_构建明星关系图谱_导入明星数据_导入明星关系数据_创建明星关系---Neo4j图数据库工作笔记0009

首先找到明星数据 可以看到有一个sheet1,是,记录了所有的关系的数据 然后比如我们搜索一个撒贝宁,可以看到撒贝宁的数据 然后这个是构建的CQL语句 首先我们先去启动服务 neo4j console 然后我们再来看一下以前导入的,可以看到导入很简单, 就是上面有CQL 看一下节点的属性

验证二叉搜索树

给你一个二叉树的根节点 root &#xff0c;判断其是否是一个有效的二叉搜索树。 有效 二叉搜索树定义如下&#xff1a; 节点的左子树只包含 小于 当前节点的数。节点的右子树只包含 大于 当前节点的数。 所有左子树和右子树自身必须也是二叉搜索树。 示例 1&#xff1a; 输…

关于lattice planner

使用编程创建驾驶场景。 1.使用Driving scenario Designer 交互方式创建驾驶场景 2.导出matalb function 3.修正这个函数&#xff0c;创建原始场景的变体。 4.调用这个函数&#xff0c;生成drivingScenario object。 5.在simulink中仿真&#xff0c;导入这个objcet &…

探索线程池的威力:优化多线程任务管理与性能提升

比喻举例&#xff08;可以比作工人队伍&#xff09; 想象一下&#xff0c;如果我们需要完成很多工作&#xff0c;我们可以招募一群工人来协助。然而&#xff0c;如果每个工人都是临时招募的&#xff0c;工作完成后就解雇他们&#xff0c;那么每次都要花时间和精力来招募和解雇工…

蓝桥杯上岸每日N题 (闯关)

大家好 我是寸铁 希望这篇题解对你有用&#xff0c;麻烦动动手指点个赞或关注&#xff0c;感谢您的关注 不清楚蓝桥杯考什么的点点下方&#x1f447; 考点秘籍 想背纯享模版的伙伴们点点下方&#x1f447; 蓝桥杯省一你一定不能错过的模板大全(第一期) 蓝桥杯省一你一定不…

使用VisualStudio制作上位机(一)

文章目录 使用VisualStudio制作上位机(一)写在前面第一部分:创建应用程序第二部分:GUI主界面设计使用VisualStudio制作上位机(一) Author:YAL 写在前面 1.达到什么目的呢 本文主要讲怎么通过Visual Studio 制作上位机,全文会以制作过程来介绍怎么做,不会去讲解具体…

【Java】常见面试题:HTTP/HTTPS、Servlet、Cookie、Linux和JVM

文章目录 1. 抓包工具&#xff08;了解&#xff09;2. 【经典面试题】GET和POST的区别&#xff1a;3. URL中不是也有这个服务器主机的IP和端口吗&#xff0c;为啥还要搞个Host&#xff1f;4. 补充5. HTTP响应状态码6. 总结HTTPS工作过程&#xff08;经典面试题&#xff09;7. H…

最长回文子序列——力扣516

动态规划 int longestPalindromeSubseq(string s){int n=s.length();vector<vector<int>>

11. Docker Swarm(二)

1、前言 上一篇中我们利用Docker Swarm搭建了基础的集群环境。那么今天我们就来验证以下该集群的可用性。上一篇的示例中&#xff0c;我创建了3个实例副本&#xff0c;并且通过访问http://192.168.74.132:8080得到我们的页面。 2、验证高可用 1&#xff09;我们可以通过以下命…

一文读懂视频号下载

工具&#xff1a; 移动端抓包工具&#xff08;以Stream为例&#xff09;电脑端浏览器电脑端析包工具&#xff08;以Charles为例&#xff09;【可选项】 一、手机抓包 1 开启Stream 2 抓包 手机进入视频号&#xff0c;通过“搜索“的方式发送get请求&#xff0c;达到抓包的效…

在jupyter notebook中使用海龟绘图

首先&#xff0c;安装ipyturtle3 ref:ipyturtle3 PyPI pip install ipyturtle3然后&#xff0c;安装ipycanvas ipycanvas是一个需要安装在与JupyterLab实例相同环境的包。此外&#xff0c;您需要安装nodejs&#xff0c;并启用JupyterLab ipycanvas小部件。 所有这些都在ipy…

ElasticSearch 数据聚合、自动补全(自定义分词器)、数据同步

文章目录 数据聚合一、聚合的种类二、DSL实现聚合1、Bucket&#xff08;桶&#xff09;聚合2、Metrics&#xff08;度量&#xff09;聚合 三、RestAPI实现聚合 自动补全一、拼音分词器二、自定义分词器三、自动补全查询四、实现搜索款自动补全&#xff08;例酒店信息&#xff0…

C#程序变量统一管理例子 - 开源研究系列文章

今天讲讲关于C#应用程序中使用到的变量的统一管理的代码例子。 我们知道&#xff0c;在C#里使用变量&#xff0c;除了private私有变量外&#xff0c;程序中使用到的公共变量就需要进行统一的存放和管理。这里笔者使用到的公共变量管理库划分为&#xff1a;1)窗体&#xff1b;2)…

Python Django 模型概述与应用

今天来为大家介绍 Django 框架的模型部分&#xff0c;模型是真实数据的简单明确的描述&#xff0c;它包含了储存的数据所必要的字段和行为&#xff0c;Django 遵循 DRY Principle 。它的目标是你只需要定义数据模型&#xff0c;然后其它的杂七杂八代码你都不用关心&#xff0c;…

发布python模仿2023年全国职业的移动应用开发赛项样式开发的开源的新闻api,以及安卓接入案例代码

python模仿2023年全国职业的移动应用开发赛项样式开发的开源的新闻api&#xff0c;以及原生安卓接入案例代码案例 源码地址:keyxh/newsapi: python模仿2023年全国职业的移动应用开发赛项样式开发的开源的新闻api&#xff0c;以及安卓接入案例代码 (github.com) 目录 1.环境配…

服务器感染了.360勒索病毒,如何确保数据文件完整恢复?

引言&#xff1a; 随着科技的不断进步&#xff0c;互联网的普及以及数字化生活的发展&#xff0c;网络安全问题也逐渐成为一个全球性的难题。其中&#xff0c;勒索病毒作为一种危害性极高的恶意软件&#xff0c;在近年来频频袭扰用户。本文91数据恢复将重点介绍 360 勒索病毒&a…

扁线电机定子转子工艺及自动化装备

售&#xff1a;扁线电机 电驱对标样件 需要请联&#xff1a;shbinzer &#xff08;拆车邦&#xff09; 新能源车电机路线大趋势&#xff0c;自动化装配产线需求迫切永磁同步电机是新能源车驱动电机的主要技术路线。目前新能源车上最广泛应用的类型为永磁同步电机&#xff0c…

操作系统-笔记-第二章-进程同步与互斥

目录 二、第二章——【进程同步与互斥】 1、进程同步&#xff08;异步&#xff09; 2、进程互斥 & 共享 3、总结&#xff08;互斥、同步&#xff09; 4、进程互斥&#xff08;软件实现&#xff09; &#xff08;1&#xff09;单标志法——谦让【会让他们轮流访问、其…