DAY 2 : 30 Days of Code (HackerRank) CPP

Prathamesh Sonar
2 min readApr 5, 2021

--

Objective
In this challenge, you will work with arithmetic operators. Check out the Tutorial tab for learning materials and an instructional video.

Task
Given the meal price (base cost of a meal), tip percent (the percentage of the meal price being added as tip), and tax percent (the percentage of the meal price being added as tax) for a meal, find and print the meal’s total cost. Round the result to the nearest integer.

Example

meal_cost = 100

tip_percent = 15

tax_percent = 8

A tip of 15% * 100 = 15, and the taxes are 8% * 100 = 8. Print the value 123 and return from the function.

Function Description
Complete the solve function in the editor below.

solve has the following parameters:

  • int meal_cost: the cost of food before tip and tax
  • int tip_percent: the tip percentage
  • int tax_percent: the tax percentage

Returns The function returns nothing. Print the calculated value, rounded to the nearest integer.

Note: Be sure to use precise values for your calculations, or you may end up with an incorrectly rounded result.

Input Format

There are 3 lines of numeric input:
The first line has a double, meal_cost(the cost of the meal before tax and tip).
The second line has an integer tip_percent, (the percentage of meal_cost being added as tip).
The third line has an integer tax_percent, (the percentage of meal_cost being added as tax).

Sample Input

12.00
20
8

Sample Output

15

#include <bits/stdc++.h>

using namespace std;

// Complete the solve function below.

void solve(double meal_cost, int tip_percent, int tax_percent) {

double tip = meal_cost * tip_percent / 100;

double tax = meal_cost * tax_percent / 100;

int total_cost = round(meal_cost + tip + tax);

cout<<total_cost;

}

int main()

{

double meal_cost;

cin >> meal_cost;

cin.ignore(numeric_limits<streamsize>::max(), ‘\n’);

int tip_percent;

cin >> tip_percent;

cin.ignore(numeric_limits<streamsize>::max(), ‘\n’);

int tax_percent;

cin >> tax_percent;

cin.ignore(numeric_limits<streamsize>::max(), ‘\n’);

solve(meal_cost, tip_percent, tax_percent);

return 0;

}

--

--

No responses yet