ctors.cpp
上传用户:qdkongtiao
上传日期:2022-06-29
资源大小:356k
文件大小:2k
源码类别:

书籍源码

开发平台:

Visual C++

  1. /*
  2.  * This file contains code from "C++ Primer, Fourth Edition", by Stanley B.
  3.  * Lippman, Jose Lajoie, and Barbara E. Moo, and is covered under the
  4.  * copyright and warranty notices given in that book:
  5.  * 
  6.  * "Copyright (c) 2005 by Objectwrite, Inc., Jose Lajoie, and Barbara E. Moo."
  7.  * 
  8.  * 
  9.  * "The authors and publisher have taken care in the preparation of this book,
  10.  * but make no expressed or implied warranty of any kind and assume no
  11.  * responsibility for errors or omissions. No liability is assumed for
  12.  * incidental or consequential damages in connection with or arising out of the
  13.  * use of the information or programs contained herein."
  14.  * 
  15.  * Permission is granted for this code to be used for educational purposes in
  16.  * association with the book, given proper citation if and when posted or
  17.  * reproduced.Any commercial use of this code requires the explicit written
  18.  * permission of the publisher, Addison-Wesley Professional, a division of
  19.  * Pearson Education, Inc. Send your request for permission, stating clearly
  20.  * what code you would like to use, and in what specific way, to the following
  21.  * address: 
  22.  * 
  23.  *  Pearson Education, Inc.
  24.  *  Rights and Contracts Department
  25.  *  75 Arlington Street, Suite 300
  26.  *  Boston, MA 02216
  27.  *  Fax: (617) 848-7047
  28. */ 
  29. #include <string>
  30. #include <iostream>
  31. using std::cout; using std::endl;
  32. using std::string;
  33. char *cp = "Hiya";            // null-terminated array
  34. char c_array[] = "World!!!!"; // null-terminated
  35. char no_null[] = {'H', 'i'};  // not null-terminated
  36. string s1(cp);             // s1 == "Hiya"
  37. string s2(c_array, 5);     // s2 == "World"
  38. string s3(c_array + 5, 4); // s3 == "!!!!"
  39. string s4(no_null);        // runtime error: no_null not null-terminated
  40. string s5(no_null, 2);     // ok: s5 == "Hi"
  41.     string s6(s1, 2);    // s6 == "ya"
  42.     string s7(s1, 0, 2); // s7 == "Hi"
  43.     string s8(s1, 0, 8); // s8 == "Hiya"
  44. int main()
  45. {
  46.     cout << s1 << 'n' << s2 << 'n'
  47.          << s3 << 'n' << s5 << 'n'
  48.          << s6 << 'n' << s7 << endl;
  49. {
  50.     string s1;           // s1 is the empty string
  51.     string s2(5, 'a');   // s2 == "aaaaa"
  52.     string s3(s2);       // s3 is a copy of s2
  53.     string s4(s3.begin(), 
  54.               s3.begin() + s3.size() / 2);  // s4 == "aa"
  55.     cout << s1 << 'n' << s2 << 'n'
  56.          << s3 << 'n' << s4 << endl;
  57. }
  58. return 0;
  59. }