rustrust string contains
A String
in Rust is a UTF-8 encoded, growable bit of text. It is a collection of char
s, and is one of the most commonly used data types in Rust.
let mut my_string = String::new();
my_string.push_str("Hello, world!");
println!("{}", my_string);
Output example
Hello, world!
The String
type has several methods that can be used to check if it contains a certain substring. These include:
contains()
: Checks if aString
contains a given substring.find()
: Returns the index of the first character of a given substring in aString
.rfind()
: Returns the index of the last character of a given substring in aString
.
These methods can be used to check if a String
contains a given substring. For example:
let my_string = String::from("Hello, world!");
assert!(my_string.contains("world"));
assert_eq!(my_string.find("world"), 7);
assert_eq!(my_string.rfind("world"), 7);
The contains()
method returns a bool
indicating whether the String
contains the given substring. The find()
and rfind()
methods return the index of the first and last character of the substring, respectively.
Helpful links
More of Rust
- How to implement PartialEq for a Rust HashMap?
- How to use regex with bytes in Rust?
- How to parse a file with Rust regex?
- How to get a capture group using Rust regex?
- How to replace a capture group using Rust regex?
- How to use regex to match a group in Rust?
- How to match the end of a line in a Rust regex?
- How to use groups in a Rust regex?
- How to find the first match in a Rust regex?
- How to check if a regex is valid in Rust?
See more codes...