I wrote an article about this which can be checked out here. Below i have given 2 versions of the program. Version 1 keeps track of the character count in alphabetical order. But sometimes(in case) you want the character count in insertion order for which you can use Version 2.
Version 1: Get character count in  ͟a͟l͟p͟h͟a͟b͟e͟t͟i͟c͟a͟l͟ ͟o͟r͟d͟e͟r͟
#include <iostream> //needed for std::cout, std::cin
#include <map>      //needed for std::map
#include <iomanip>  //needed for formating the output (std::setw)
int main() 
{
    std::string inputString; //user input will be read into this string variable
    std::cout << "Enter a string: " << std::endl;
    std::getline(std::cin, inputString);
    //this map maps the char to their respective count
    std::map < char, int > charCount;
    //iterate through the inputString
    for (char & c: inputString) 
    {
        charCount[c]++;//increment the count for character c
    }
    std::cout << "Total unique characters are: " << charCount.size() << std::endl;
    std::cout << "------------------------------------" << std::endl;
    std::cout << "Character" << std::setw(10) << "Count" << std::endl;
    std::cout << "------------------------------------" << std::endl;
    for (std::pair < char, int > pairElement: charCount) 
    {
        std::cout << std::setw(4) << pairElement.first << std::setw(13) << pairElement.second << std::endl;
    }
    return 0;
}
Version 2: Get character count in i͟n͟s͟e͟r͟t͟i͟o͟n͟ ͟o͟r͟d͟e͟r͟
#include <iostream> 
#include <map>      
#include <iomanip>  
int main() 
{
    std::string inputString; 
    std::cout << "Enter a string: " << std::endl;
    std::getline(std::cin, inputString);
    
    std::map < char, int > charCount;
    
    for (char & c: inputString) 
    {
        charCount[c]++;
    }
    std::cout << "Total unique characters are: " << charCount.size() << std::endl;
    std::cout << "------------------------------------" << std::endl;
    std::cout << "Character" << std::setw(10) << "Count" << std::endl;
    std::cout << "------------------------------------" << std::endl;
    std::size_t i = 0;
    //just go through the inputString instead of map
    for(char &c: inputString)
    {
        std::size_t index = inputString.find(c);
        if(index != inputString.npos && (index == i)){
         std::cout << std::setw(4) << c << std::setw(13) << charCount.at(c)<<std::endl;
         
        }
        ++i;
    }
    return 0;
}