PTA 1008 Elevator (20 分)模拟

 

1008 Elevator (20 分)

The highest building in our city has only one elevator. A request list is made up with N positive numbers. The numbers denote at which floors the elevator will stop, in specified order. It costs 6 seconds to move the elevator up one floor, and 4 seconds to move down one floor. The elevator will stay for 5 seconds at each stop.

For a given request list, you are to compute the total time spent to fulfill the requests on the list. The elevator is on the 0th floor at the beginning and does not have to return to the ground floor when the requests are fulfilled.

Input Specification:

Each input file contains one test case. Each case contains a positive integer N, followed by N positive numbers. All the numbers in the input are less than 100.

Output Specification:

For each test case, print the total time on a single line.

Sample Input:

3 2 3 1

Sample Output:

41

题⽬大意:

 电梯从0层开始向上,给出该电梯依次按顺序停的楼层数,并且已知上升需要6秒/层,下降 需要4秒/层,停下来的话需要停5秒,问⾛走完所有需要停的楼层后总共花了了多少时间~
思路:

 累加计算输出~now表示现在的层数,a表示将要去的层数,当a > now,电梯上升,需要6 * (a – now)秒,当a < now,电梯下降,需要4 * (now – a)秒,每⼀一次需要停5秒,后输出累加的结果sum~

 

#include 
using namespace std;
int main(void) {
    int a, now = 0, sum = 0; 
	cin >> a;
	while(cin >> a) {  
	      if(a > now )
		       sum = sum + 6 * (a - now);
          else           
		       sum = sum + 4 * (now - a); 
	      now = a;   
          sum += 5;   
	    }
     cout << sum;   
	 return 0;
 }

 

你可能感兴趣的:(PAT甲级,模拟)