Itera attraverso una stringa in C++
- Usa il bucle basato su intervallo per scorrere una stringa in C++
-
Usa il cicli
for
per scorrere una stringa in C++
Questo articolo introdurrà più metodi su come iterare una stringa mantenendo il conteggio degli indici in C++.
Usa il bucle basato su intervallo per scorrere una stringa in C++
Lo stile del linguaggio C++ moderno consiglia l’iterazione basata su intervalli per le strutture che lo supportano. Nel frattempo, l’indice corrente può essere memorizzato in una variabile separata di tipo size_t
che verrà incrementata ad ogni iterazione. Notare che l’incremento è specificato con l’operatore ++
alla fine della variabile perché metterlo come prefisso produrrebbe un indice che inizia con 1. L’esempio seguente mostra solo la parte breve dell’output del programma.
#include <iostream>
#include <string>
using std::cin;
using std::cout;
using std::endl;
using std::string;
int main() {
string text = "They talk of days for which they sit and wait";
size_t index = 0;
for (char c : text) {
cout << index++ << " - '" << c << "'" << endl;
}
return EXIT_SUCCESS;
}
Produzione:
0 - 'T'
1 - 'h'
2 - 'e'
...
43 - 'i'
44 - 't'
Usa il cicli for
per scorrere una stringa in C++
Ha eleganza e potenza nel convenzionale cicli for
, in quanto offre flessibilità quando l’ambito interno coinvolge operazioni matrice / array multidimensionale. È anche la sintassi di iterazione preferita quando si utilizzano tecniche di parallelizzazione avanzate come lo standard OpenMP.
#include <iostream>
#include <string>
using std::cin;
using std::cout;
using std::endl;
using std::string;
int main() {
string text = "They talk of days for which they sit and wait";
for (int i = 0; i < text.length(); ++i) {
cout << i << " - '" << text[i] << "'" << endl;
}
return EXIT_SUCCESS;
}
Produzione:
0 - 'T'
1 - 'h'
2 - 'e'
...
43 - 'i'
44 - 't'
In alternativa, possiamo accedere ai singoli caratteri della stringa con la funzione membro at()
.
#include <iostream>
#include <string>
using std::cin;
using std::cout;
using std::endl;
using std::string;
int main() {
string text = "They talk of days for which they sit and wait";
for (int i = 0; i < text.length(); ++i) {
cout << i << " - '" << text.at(i) << "'" << endl;
}
return EXIT_SUCCESS;
}
Produzione:
0 - 'T'
1 - 'h'
2 - 'e'
...
43 - 'i'
44 - 't'
Founder of DelftStack.com. Jinku has worked in the robotics and automotive industries for over 8 years. He sharpened his coding skills when he needed to do the automatic testing, data collection from remote servers and report creation from the endurance test. He is from an electrical/electronics engineering background but has expanded his interest to embedded electronics, embedded programming and front-/back-end programming.
LinkedIn Facebook