2019年CSP-J第二题《公交换乘》解析

【问题描述】

著名旅游城市 B 市为了鼓励大家采用公共交通方式出行,推出了一种地铁换乘公交车的优惠方案:

1. 在搭乘一次地铁后可以获得一张优惠票,有效期为 45 分钟,在有效期内可以消耗这张优惠票,免费搭乘一次票价不超过地铁票价的公交车。在有效期内指开始乘公交车的时间与开始乘地铁的时间之差小于等于 45 分钟,即:

                                                               {t_{bus}}-{t_{subway}} \leq 45

2.搭乘地铁获得的优惠票可以累积,即可以连续搭乘若干次地铁后再连续使用优惠票搭乘公交车。
       3.搭乘公交车时,如果可以使用优惠票一定会使用优惠票;如果有多张优惠票满足条件,则优先消耗获得最早的优惠票。
       现在你得到了小轩最近的公共交通出行记录,你能帮他算算他的花费吗?

【输入格式】

 输入文件的第一行包含一个正整数 n,代表乘车记录的数量。

接下来的 n 行,每行包含 3 个整数,相邻两数之间以一个空格分隔。第 i 行的第 1 个整数代表第 i 条记录乘坐的交通工具,0 代表地铁,1 代表公交车;第 2 个整数代表第 i 条记录乘车的票价^{price_{i}} ;第三个整数代表第 i 条记录开始乘车的时间 ^{t_{i}}(距 0 时刻的分钟数)。

我们保证出行记录是按照开始乘车的时间顺序给出的,且不会有两次乘车记录出现在同一分钟。

【输出格式】

输出文件有一行, 包含一个正整数, 代表小轩出行的总花费

【OJ地址】

http://47.110.135.197/problem.php?id=5077

【分析】

1、题意分析。需要注意几点:

  • 地铁票是必须要付钱买的。买一张地铁票,天然的会产生一张公交票。
  • 公交票看情况,如果有优惠券可以抵,则选择优惠券;如果没有优惠券,则付钱。
  • 可以使用的优惠券必须包含两个条件,时间上距离当前不能超过45min。价格上必须大于当前价格。

2、优惠券的数据结构

     显然,列表是一种最好的方式。因为,从时间上来看,可能有多个优惠券满足条件,从中选择价格上合适的最早的那个即可。如果时间上都不能满足条件,则对于此后的公交出行方式,也不会满足条件。

【代码】

 

#include
#include
using namespace std;

typedef struct TrafficNumber
{
	int price;
	int startTime;
	TrafficNumber(int price, int startTime):price(price),startTime(startTime){}
 } TrafficNumber;
int main()
{
	int count;
	list coupon;
	cin>>count;
	//总的花费 
	int totalCost = 0;
	while(count--)
	{
		int type;
		int price;
		int startTime;
		cin>>type>>price>>startTime;
		//坐地铁必须要付钱 
		if (type == 0)
		{
			totalCost += price;
			coupon.push_back(TrafficNumber(price, startTime));
			
		} 
		else
		{
			bool findCoupon = false;
			list::iterator pCoupon;
			for(pCoupon = coupon.begin(); pCoupon!= coupon.end();)
			{
				TrafficNumber trafficNumber = *pCoupon;
				if(trafficNumber.startTime + 45 < startTime) 
				{
					// 已经超时的直接剔除 
					pCoupon=coupon.erase(pCoupon);
					continue;
				} 
				if (trafficNumber.price>=price)
				{
					// 消费过的优惠券剔除 
					findCoupon = true;
					pCoupon=coupon.erase(pCoupon);
					break;
				}
				pCoupon++; 
			}
			if (!findCoupon)
			{
				totalCost += price;
			}
		}
	} 
	cout<

 

你可能感兴趣的:(算法)