【C++】list 与 string 基础与实现字符串操作

【C++】使用 list 与 string 实现基础字符串操作

文章目录

    • 一、字符串的基础操作
      • 1.1 - startsWith
      • 1.2 - endsWith
      • 1.3 - trim
      • 1.4 - indexOf
      • 1.5 - replaceAll
    • 二、list 基础操作
      • 2.1 - 遍历
        • 2.1.1 - 使用迭代器访问
        • 2.1.2 - 使用基于范围的 for 循环遍历
        • 2.1.3 - 使用标准算法库遍历
      • 2.2 - 访问元素
      • 2.3 - 删除元素
    • 三、list\<string\>
      • 3.1 - 移除所有空字符串元素
      • 3.2 - 遍历字符串并应用 trim
      • 3.3 - 移除连续的空白行

一、字符串的基础操作

1.1 - startsWith

bool startsWith(const std::string& fullString, const std::string& starting)
{if (fullString.length() >= starting.length()) {return (0 == fullString.compare(0, starting.length(), starting));} else {return false;}
}

1.2 - endsWith

bool endsWith(const std::string& fullString, const std::string& ending) {if (fullString.length() >= ending.length()){return (0 == fullString.compare(fullString.length() - ending.length(), ending.length(), ending));}else{return false;}
}

1.3 - trim

用于移除字符串前后两端的空白符

// Function to trim whitespace from the beginning and end of a string
std::string trim(const std::string& str) {size_t first = str.find_first_not_of(" \t\n\r\f\v");// No non-whitespace charactersif (first == std::string::npos){    // 如果从头开始非空白符找不到,说明所有的字符都是空白符,因此全部去掉return "";  }size_t last = str.find_last_not_of(" \t\n\r\f\v");// 即便 last 为 string::npos substr 也会做处理。return str.substr(first, (last - first + 1));
}

或者

#include <algorithm>
#include <cctype>// 去除字符串左侧空白
static inline void ltrim(std::string &s) {s.erase(s.begin(), std::find_if(s.begin(), s.end(), [](unsigned char ch) {return !std::isspace(ch);}));
}// 去除字符串右侧空白
static inline void rtrim(std::string &s) {s.erase(std::find_if(s.rbegin(), s.rend(), [](unsigned char ch) {return !std::isspace(ch);}).base(), s.end());
}// 去除字符串两侧空白
static inline void trim(std::string &s) {ltrim(s);rtrim(s);
}

1.4 - indexOf

用于获取第一个子串的位置索引,如果找不到则返回 -1。

// Function to find the index of the first occurrence of a substring
int indexOf(const std::string& str, const std::string& substr)
{size_t pos = str.find(substr);return (pos != std::string::npos) ? static_cast<int>(pos) : -1;
}

1.5 - replaceAll

// 替换字符串中所有匹配的子字符串
void replaceAll(std::string& source, const std::string& from, const std::string& to)
{// 如果字符串为空则返回。if (from.empty()) { return; }size_t startPos = 0;while ((startPos = source.find(from, startPos)) != std::string::npos) {source.replace(startPos, from.length(), to);startPos += to.length(); // 在替换后移动过去新增的部分}
}

二、list 基础操作

2.1 - 遍历

2.1.1 - 使用迭代器访问
#include <iostream>
#include <list>
std::list<int> myList = {1, 2, 3, 4, 5};// 使用迭代器遍历 std::list
for (auto it = myList.begin(); it != myList.end(); ++it)
{std::cout << *it << " ";
}
std::cout << std::endl;
2.1.2 - 使用基于范围的 for 循环遍历
#include <iostream>
#include <list>
// 使用范围基 for 循环遍历 std::list
for (int elem : myList) 
{std::cout << elem << " ";
}
std::cout << std::endl;
2.1.3 - 使用标准算法库遍历
#include <iostream>
#include <list>
#include <algorithm> // for std::for_each
std::list<int> myList = {1, 2, 3, 4, 5};// 使用 std::for_each 遍历 std::list
std::for_each(myList.begin(), myList.end(), [](int elem) {std::cout << elem << " ";
});
std::cout << std::endl;

2.2 - 访问元素

访问第 N 个元素

#include <iostream>
#include <list>std::list<int> myList = {10, 20, 30, 40, 50};
int N = 3;  // 以 0 为起始索引,访问第 4 个元素
auto it = myList.begin();
std::advance(it, N);  // 使用 std::advance 前进到第 N 个元素if (it != myList.end()) {std::cout << "The element at index " << N << " is " << *it << std::endl;
} else {std::cout << "Index out of range." << std::endl;
}

2.3 - 删除元素

删除前 N 个元素

std::list<int> myList = {1, 2, 3, 4, 5, 6, 7, 8, 9, 10};int N = 3;  // 指定要删除的元素数量
if (N <= myList.size()) {// 获取开始到第 N 个元素的迭代器auto it = myList.begin();std::advance(it, N);  // 移动迭代器到第 N 个位置// 从开始到第 N 个元素进行删除myList.erase(myList.begin(), it);
}// 打印剩余的元素
for (int elem : myList) {std::cout << elem << " ";
}
std::cout << std::endl;

三、list<string>

3.1 - 移除所有空字符串元素

#include <iostream>
#include <list>
#include <string>// 创建并初始化一个 std::list<std::string>
std::list<std::string> strings = {"Hello", "", "World", "", "C++17", ""};
// 输出原始列表
std::cout << "Original list:" << std::endl;
for (const auto& str : strings)
{std::cout << "'" << str << "'" << std::endl;
}
// 移除所有空字符串
strings.remove_if([](const std::string& s) { return s.empty(); });
// 输出修改后的列表
std::cout << "\nList after removing empty strings:" << std::endl;
for (const auto& str : strings) {std::cout << "'" << str << "'" << std::endl;
}

3.2 - 遍历字符串并应用 trim

std::list<std::string> myStrings = {"  hello  ", "  world!  ", "  example  "};// 遍历列表并应用 trim 函数
for (std::string& str : myStrings) {trim(str);
}
// 打印修剪后的字符串列表
for (const auto& str : myStrings) {std::cout << '"' << str << '"' << std::endl;
}

3.3 - 移除连续的空白行

将多个连续的空白行替换为一个空白行

#include <iostream>
#include <list>
#include <string>
#include <iterator>void compressEmptyLines(std::list<std::string>& lines) {bool lastWasEmpty = false;for (auto it = lines.begin(); it != lines.end(); ) {// 检查当前行是否为空白(或只包含空格)bool isEmpty = it->find_first_not_of(" \t\n\v\f\r") == std::string::npos;if (isEmpty) {if (lastWasEmpty) {// 如果当前行是空的,并且上一行也是空的,删除当前行it = lines.erase(it);} else {// 如果当前行是空的,但上一行不是,保留这行并标记lastWasEmpty = true;++it;}} else {// 如果当前行不是空的,继续前进lastWasEmpty = false;++it;}}
}int main() {std::list<std::string> lines = {"Hello"," "," ","World","","","!"," ","End"};compressEmptyLines(lines);// 输出处理后的列表for (const auto& line : lines) {std::cout << '"' << line << '"' << std::endl;}return 0;
}

本文来自互联网用户投稿,该文观点仅代表作者本人,不代表本站立场。本站仅提供信息存储空间服务,不拥有所有权,不承担相关法律责任。如若转载,请注明出处:http://www.mzph.cn/news/886520.shtml

如若内容造成侵权/违法违规/事实不符,请联系多彩编程网进行投诉反馈email:809451989@qq.com,一经查实,立即删除!

相关文章

MATLAB 使用教程 —— 命令窗口输入命令,工作区显示变量

命令在命令窗口输入变量在工作区显示 MATLAB 桌面包含的面板如下&#xff1a; 当前文件夹 - 此面板允许访问项目文件夹和文件。命令窗口 - 这是主要区域&#xff0c;用户在命令行中输入命令&#xff0c;命令提示符(>>).工作区 - 工作区显示所有变量&#xff0c;无论是创…

nodejs入门(1):nodejs的前后端分离

一、引言 我关注nodejs还是从前几年做了的一个电力大数据展示系统开始的&#xff0c;当然&#xff0c;我肯定是很多年的计算机基础的&#xff0c;万变不离其宗。 现在web网站都流行所谓的前后端结构&#xff0c;不知不觉我也开始受到这个影响&#xff0c;以前都是前端直接操作…

前端开发之打印功的使用和实例(vue-print-nb)

通过插件来进行实现 前言效果图1、安装插件vue2vue32、 引入Vue项目2、 使用2.1、在项目中创建按钮并且使用v-print绑定绑定打印事件2.2、编写要打印的内容,给内容附加唯一的id2.3、绑定的时间的方法和参数3、整体代码(此代码是通过vue3来进行实现的但是逻辑都是一样的)前言…

一文简单了解Android中的input流程

在 Android 中&#xff0c;输入事件&#xff08;例如触摸、按键&#xff09;从硬件传递到应用程序并最终由应用层消费。整个过程涉及多个系统层次&#xff0c;包括硬件层、Linux 内核、Native 层、Framework 层和应用层。我们将深入解析这一流程&#xff0c;并结合代码逐步了解…

opencv kdtree pcl kdtree 效率对比

由于项目中以一个环节需要使用kdtree ,对性能要求比较严苛&#xff0c;所以看看那个kdtree效率高一些。对比了opencv和pcl。 #include <array> #include <deque> #include <fstream> #include <opencv2/highgui.hpp> #include <opencv2/imgproc.hpp…

学习日志011--模块,迭代器与生成器,正则表达式

一、python模块 在之前学习c语言时&#xff0c;我们学了分文件编辑&#xff0c;那么在python中是否存在类似的编写方式&#xff1f;答案是肯定的。python中同样可以实现分文件编辑。甚至还有更多的好处&#xff1a; ‌提高代码的可维护性‌&#xff1a;当代码被分成多个文件时…

idea 弹窗 delete remote branch origin/develop-deploy

想删除远程分支&#xff0c;就选delete&#xff0c;仅想删除本地分支&#xff0c;选cancel&#xff1b; 在 IntelliJ IDEA 中遇到弹窗提示删除远程分支 origin/develop-deploy&#xff0c;这通常是在 Git 操作过程中出现的情况&#xff0c;可能是在执行如 git branch -d 或其他…

湘潭大学软件工程算法设计与分析考试复习笔记(一)

文章目录 前言随机类&#xff08;第七章&#xff09;随机概述数值随机化舍伍德拉斯维加斯蒙特卡罗 模拟退火遗传人工神经网络 回溯&#xff08;第五章&#xff09;动态规划&#xff08;第四章&#xff09;后记 前言 考试还剩十一天&#xff0c;现在准备开始复习这门课了。好像全…

Linux性能优化之火焰图的起源

Linux火焰图的起源与性能优化专家 Brendan Gregg 密切相关&#xff0c;他在 2011 年首次提出这一工具&#xff0c;用于解决性能分析过程中可视化和数据解读的难题。 1. 背景&#xff1a;性能优化的需求 在现代计算中&#xff0c;性能优化往往需要对程序执行中的热点和瓶颈进行…

【论文精读】GOT-OCR2.0源码论文——打破传统OCR流程的多模态视觉-语言大模型架构:预训练VitDet 视觉模型+ 阿里通义千问Qwen语言模型

作为本系列的开篇文章&#xff0c;首先定下本系列的整体基调。论文精读系列&#xff0c;旨在记录研读深度学习、强化学习相关论文的个人心得和理解&#xff0c;仅供参考&#xff0c;欢迎指正错误和研究探讨。 所有文章只会摘选论文部分进行分析&#xff0c;且不一定按原文行文顺…

使用 Qt 实现基于海康相机的图像采集和显示系统(不使用外部视觉库,如Halcon\OpenCv)[工程源码联系博主索要]

本文将梳理一个不借助外部视觉库&#xff08;如 OpenCV/Halcon&#xff09;的海康相机图像采集和显示 Demo。该程序直接使用 Qt GUI 来显示图像。通过海康 MVS SDK 实现相机的连接、参数设置、图像采集和异常处理等功能&#xff0c;并通过 Qt 界面展示操作结果。 1. 功能概述 …

在Ubuntu22.04上源码构建ROS noetic环境

Ubuntu22.04上源码构建ROS noetic 起因准备环境创建工作目录并下载源码安装编译依赖包安装ros_comm和rosconsole包的两个补丁并修改pluginlib包的CMakeLists的编译器版本编译安装ROS noetic和ros_test验证 起因 最近在研究VINS-Mono从ROS移植到ROS2&#xff0c;发现在编写feat…

C++——类和对象(part2)

前言 本篇博客继续为大家介绍类与对象的知识&#xff0c;承接part1的内容&#xff0c;本篇内容是类与对象的核心内容&#xff0c;稍微有些复杂&#xff0c;如果你对其感兴趣&#xff0c;请继续阅读&#xff0c;下面进入正文部分。 1. 类的默认成员函数 默认成员函数就是用户…

matlab实现主成分分析方法图像压缩和传输重建

原创 风一样的航哥 航哥小站 2024年11月12日 15:23 江苏 为了研究图像的渐进式传输技术&#xff0c;前文提到过小波变换&#xff0c;但是发现小波变换非常适合传输缩略图&#xff0c;实现渐进式传输每次传输的数据量不一样&#xff0c;这是因为每次变换之后低频成分大约是上一…

【HarmonyOS】鸿蒙系统在租房项目中的项目实战(二)

从今天开始&#xff0c;博主将开设一门新的专栏用来讲解市面上比较热门的技术 “鸿蒙开发”&#xff0c;对于刚接触这项技术的小伙伴在学习鸿蒙开发之前&#xff0c;有必要先了解一下鸿蒙&#xff0c;从你的角度来讲&#xff0c;你认为什么是鸿蒙呢&#xff1f;它出现的意义又是…

Scala-字符串(拼接、printf格式化输出等)-用法详解

Scala 一、 使用 号连接字符串 在 Scala 中&#xff0c; 运算符实际上会调用 String 类的 concat 方法或者使用字符串的加法操作&#xff0c;生成一个新的字符串。 字符串是不可变的&#xff0c;每次拼接都会创建一个新的字符串。 Mr. yuTips&#xff1a; 性能相对较差&…

ISCTF2024

ezlogin 源码审计 先审源码,纯js题 const express require(express); const app express(); const bodyParser require(body-parser); var cookieParser require(cookie-parser); var serialize require(node-serialize); app.use(bodyParser.urlencoded({ e…

使用真实 Elasticsearch 进行更快的集成测试

作者&#xff1a;来自 Elastic Piotr Przybyl 了解如何使用各种数据初始化和性能改进技术加快 Elasticsearch 的自动化集成测试速度。 在本系列的第 1 部分中&#xff0c;我们探讨了如何编写集成测试&#xff0c;让我们能够在真实的 Elasticsearch 环境中测试软件&#xff0c;并…

MySQL:联合查询(2)

首先写一个三个表的联合查询 查询所有同学的每门课成绩&#xff0c;及同学的个人信息 1.我们首先要确定使用哪些表 学生表&#xff0c;课程表&#xff0c;成绩表 2.取笛卡尔积 select * from score,student,course; 3. 确定表与表之间的联合条件 select * from score,stud…

Vue3学习笔记(下)

文章目录 Vue3学习笔记&#xff08;下&#xff09;组合式API下的父子通信父传子子传父 模板引用defineExpose()provide和injectvue3新特性 - defineOptionsvue3新特性 - defineModelPiniaPinia异步写法 Vue3学习笔记&#xff08;下&#xff09; 组合式API下的父子通信 父传子…