简体   繁体   中英

What is the most appropriate way to concatenate with MFC's CString

I am somewhat new to C++ and my background is in Java. I am working on a hdc printing method. I would like to know the best practice for concatenating a combination of strings and ints into one CString. I am using MFC's CString.

int i = //the current page
int maxPage = //the calculated number of pages to print


CString pages = ("Page ") + _T(i) + (" of ") + _T(maxPage);

I would like it to look like 'Page 1 of 2'. My current code does not work. I am getting the error:

Expression must have integral or enum type

I have found more difficult ways to do what I need, but I want to know if there is a simple way similar to what I am trying. Thanks!

If that's MFC's CString class , then you probably want Format which is a sprintf-alike for it:

CString pages;
pages.Format(_T("Page %d of %d"), i, maxPage);

ie you can assemble the string using regular printf-format specifiers substituting in the numbers at runtime.

std::string has all you need:

auto str = "Page " + std::to_string(i) + " of " + std::to_string(maxPage); 

As stated correctly in the comment, you can access the underlying C-string via str.c_str() . Here is a live working example.

You can use also stringstream classes

#include <sstream>
#include <string>

int main ()
{
  std::ostringstream textFormatted;

  textFormatted << "Page " << i << " of " << maxPage;

  // To convert it to a string
  std::string s = textFormatted.str();
  return 0;
}

If you have C++11 you can use std::to_string : std::string pages = std::string("Page ") + std::to_string(i) + (" of ") + std::to_string(maxPage);

If you don't have C++11 you can use an ostringstream or boost::lexical_cast .

The technical post webpages of this site follow the CC BY-SA 4.0 protocol. If you need to reprint, please indicate the site URL or the original address.Any question please contact:yoyou2525@163.com.

 
粤ICP备18138465号  © 2020-2024 STACKOOM.COM