Write a complete, working program that will do the following:

Suppose you want to write a program to calculate the total cost of an item that has sales tax added. If a given item costs 14.97, and the tax rate is 6.7%, display the following information:

a) The original cost of the item.
b) The tax rate.
c) The total cost including tax.

Hint: create three variables. Two variables will hold the two given values (cost and tax rate), and a third variable will hold the computed value representing the total cost. Then output all of the values, with appropriate labels.

Your program does not have to accept any input! Just create the three variables, assign values to two of them (remember to convert the percentage to a decimal equivalent), and compute the third.

To compute the third variable, you multiply the first two variables, and add the first one back on. Note that C++ does not support units such as “dollars” or “percent”. You simply use values like 14.97.

Hint: remember that as a decimal number, you would not store a percent as 6.7, this would be 670%. Also, you don’t want to calculate just the tax amount, but the total price of the item including the tax.

That seems pretty straight forward. Where is the confusion?

input

number of items for which the program is run
for each item the manufacturer price and the mark-up of the store
Output: - for every item the total cost

Count how many vowels these person name

Sure! Here's an example of a complete program in C++ that calculates the total cost of an item with sales tax added:

```cpp
#include <iostream>

int main() {
float cost = 14.97; // Variable to hold the original cost of the item
float taxRate = 6.7 / 100; // Variable to hold the tax rate (converted to decimal)
float totalCost = cost * (1 + taxRate); // Variable to hold the total cost including tax

std::cout << "Original cost: $" << cost << std::endl;
std::cout << "Tax rate: " << taxRate * 100 << "%" << std::endl;
std::cout << "Total cost including tax: $" << totalCost << std::endl;

return 0;
}
```

To calculate the total cost, we need three variables: `cost`, `taxRate`, and `totalCost`. The `cost` variable holds the original cost of the item, which is $14.97 in this case. The `taxRate` variable holds the tax rate, which is given as 6.7%. To convert this percentage to a decimal, we divide it by 100. The `totalCost` variable calculates the total cost including tax by multiplying the `cost` by (1 + `taxRate`) to account for the tax amount.

To output the information, we use the `std::cout` object and the `<<` operator to concatenate strings and variable values. We provide appropriate labels for each value. The `std::endl` manipulator is used to end the line and move to the next line.

Note that the program does not accept any input, as specified. The values are pre-assigned to the variables.