How to Pass Strings to Functions?

In the same way that we pass an array to a function, strings in C++ can be passed to functions as character arrays. Here is an example program:

Example:

C++




// C++ Program to print string using function
#include <iostream>
using namespace std;
 
void print_string(string s)
{
    cout << "Passed String is: " << s << endl;
    return;
}
 
int main()
{
 
    string s = "w3wiki";
    print_string(s);
 
    return 0;
}


Output

Passed String is: w3wiki

Strings in C++

C++ strings are sequences of characters stored in a char array. Strings are used to store words and text. They are also used to store data, such as numbers and other types of information. Strings in C++ can be defined either using the std::string class or the C-style character arrays.

1. C Style Strings

These strings are stored as the plain old array of characters terminated by a null character ‘\0’. They are the type of strings that C++ inherited from C language.

Syntax:

char str[] = "w3wiki";

Example:

C++




// C++ Program to demonstrate strings
#include <iostream>
using namespace std;
 
int main()
{
 
    char s[] = "w3wiki";
    cout << s << endl;
    return 0;
}


Output

w3wiki

2. std::string Class

These are the new types of strings that are introduced in C++ as std::string class defined inside <string> header file. This provides many advantages over conventional C-style strings such as dynamic size, member functions, etc.

Syntax:

std::string str("w3wiki");

Example:

C++




// C++ program to create std::string objects
#include <iostream>
using namespace std;
 
int main()
{
 
    string str("w3wiki");
    cout << str;
    return 0;
}


Output

w3wiki

One more way we can make strings that have the same character repeating again and again.

Syntax:

std::string str(number,character);

Example:

C++




#include <iostream>
using namespace std;
 
int main()
{
    string str(5, 'g');
    cout << str;
    return 0;
}


Output:

ggggg

Similar Reads

Ways to Define a String in C++

...

How to Take String Input in C++

...

How to Pass Strings to Functions?

...

Pointers and Strings

Strings can be defined in several ways in C++. Strings can be accessed from the standard library using the string class. Character arrays can also be used to define strings. String provides a rich set of features, such as searching and manipulating, which are commonly used methods. Despite being less advanced than the string class, this method is still widely used, as it is more efficient and easier to use. Ways to define a string in C++ are:...

Difference between String and Character array in C++

...

C++ String Functions

...

Contact Us