C++相关闲碎记录(3)

1、reference wrapper

例如声明如下的模板:

template <typename T>
void foo(T val);

 如果调用使用:

int x;
foo(std::ref(x));

T变成int&,而使用调用

int x;
foo(std::cref(x));

T变成const int&。

 这个特性被C++标准库用在各个地方,例如:

make_pair()用此特性于是能够创建一个pair<>of reference
make_tuple()用此特性可以创建一个tuple<>of reference 
 

std::vector<MyClass&> coll;       //error
std::vector<std::reference_wrapper<MyClass>> coll;    //ok

2、function type wrapper

#include <iostream>
#include <vector>
#include <functional>
using namespace std;void func(int x, int y) {std::cout << "func" << std::endl;
}class C {
public:void memfunc(int x, int y) const{std::cout << "C::memfunc" << std::endl;}
};int main()
{std::vector<std::function<void(int,int)>> tasks;tasks.push_back(func);tasks.push_back([](int x, int y) {std::cout << "lambda" << std::endl;});for (std::function<void(int,int)> f : tasks) {f(3, 33);}std::function<void(const C&, int, int)> mf;mf = &C::memfunc;mf(C(), 2, 3);return 0;
}
输入:
func
lambda
C::memfunc

3、挑选最小值和最大值

auto extremes = std::minmax({px, py, pz}, [](int*a, int*b) {return *a < *b;                        });
两值互换:
namespace std {template <typename T>inline void swap(T& a, T& b) {T tmp(std::move(a));a = std::move(b);b = std::move(tmp);}
}

4、class ratio<>

#include <ratio>
#include <iostream>
using namespace std;int main()
{typedef ratio<5,3> FiveThirds;cout << FiveThirds::num << "/" << FiveThirds::den << endl;typedef ratio<25,15> AlsoFiveThirds;cout << AlsoFiveThirds::num << "/" << AlsoFiveThirds::den << endl;ratio<42,42> one;cout << one.num << "/" << one.den << endl;ratio<0> zero;cout << zero.num << "/" << zero.den << endl;typedef ratio<7,-3> Neg;cout << Neg::num << "/" << Neg::den << endl;
}
输出:
5/3
5/3
1/1
0/1
-7/3

 5、duration

#include <ratio>
#include <iostream>
#include <chrono>
using namespace std;int main()
{std::chrono::duration<int>                         twentySeconds(20);  //以秒为单位std::chrono::duration<double, std::ratio<60>>      halfAMinute(0.5);   //以60秒为单位std::chrono::duration<long, std::ratio<1, 1000>>   oneMillisecond(1);  //以1/1000秒为单位std::chrono::seconds         twentySeconds(20);std::chrono::hours           aDay(24);std::chrono::milliseconds    oneMillisecond(1);
}

// 将毫秒单位的duration切割为小时,分钟,秒,毫秒 

#include <ratio>
#include <iostream>
#include <chrono>
#include <iomanip>
using namespace std;
using namespace std::chrono;milliseconds ms(7255042);template <typename V, typename R>
ostream& operator<<(ostream& os, const chrono::duration<V,R>& d) {os << "[" << d.count() << " of " << R::num << "/" << R::den << "]";return os;
}// 将毫秒单位的duration切割为小时,分钟,秒,毫秒
int main()
{hours hh = duration_cast<hours>(ms);minutes mm = duration_cast<minutes>(ms%chrono::hours(1));seconds ss = duration_cast<seconds>(ms%chrono::minutes(1));milliseconds msec = duration_cast<milliseconds>(ms%chrono::seconds(1));cout << "raw: " << hh << "::" << mm << "::"<< ss << "::" << msec << endl;cout << "    " << setfill('0') << setw(2) << hh.count() << "::"<< setw(2) << mm.count() << "::"<< setw(2) << ss.count() << "::"<< setw(2) << msec.count() << endl;
}
#include <ratio>
#include <iostream>
#include <chrono>
#include <iomanip>
using namespace std;
using namespace std::chrono;template <typename C>
void printClockData ()
{using namespace std;cout << "- precision: ";// if time unit is less than or equal to one millisecondtypedef typename C::period P;   // type of time unitif (ratio_less_equal<P,milli>::value) {// convert to and print as millisecondstypedef typename ratio_multiply<P,kilo>::type TT;cout << fixed << double(TT::num)/TT::den<< " milliseconds" << endl;}else {// print as secondscout << fixed << double(P::num)/P::den << " seconds" << endl;}cout << "- is_steady: " << boolalpha << C::is_steady << endl;
}int main()
{std::cout << "system_clock: " << std::endl;printClockData<std::chrono::system_clock>();std::cout << "\nhigh_resolution_clock: " << std::endl;printClockData<std::chrono::high_resolution_clock>();std::cout << "\nsteady_clock: " << std::endl;printClockData<std::chrono::steady_clock>();
}
输出:
system_clock: 
- precision: 0.000001 milliseconds
- is_steady: falsehigh_resolution_clock:
- precision: 0.000001 milliseconds
- is_steady: falsesteady_clock:
- precision: 0.000001 milliseconds
- is_steady: true

下面的程序将timepoint赋值给tp,并转换为日历表示法,window运行会报错,LInux下运行正常:

#include <chrono>
#include <ctime>
#include <string>
#include <iostream>std::string asString (const std::chrono::system_clock::time_point& tp)
{// convert to system time:std::time_t t = std::chrono::system_clock::to_time_t(tp);std::string ts = std::ctime(&t);    // convert to calendar timets.resize(ts.size()-1);             // skip trailing newlinereturn ts; 
}int main()
{// print the epoch of this system clock:std::chrono::system_clock::time_point tp;std::cout << "epoch: " << asString(tp) << std::endl;// print current time:tp = std::chrono::system_clock::now();std::cout << "now:   " << asString(tp) << std::endl;// print minimum time of this system clock:tp = std::chrono::system_clock::time_point::min();std::cout << "min:   " << asString(tp) << std::endl;// print maximum time of this system clock:tp = std::chrono::system_clock::time_point::max();std::cout << "max:   " << asString(tp) << std::endl;
}
输出:
epoch: Thu Jan  1 08:00:00 1970
now:   Thu Nov 30 21:29:29 2023
min:   Tue Sep 21 08:18:27 1677
max:   Sat Apr 12 07:47:16 2262
#include <chrono>
#include <ctime>
#include <iostream>
#include <string>
using namespace std;string asString (const chrono::system_clock::time_point& tp)
{time_t t = chrono::system_clock::to_time_t(tp); // convert to system timestring ts = ctime(&t);                          // convert to calendar timets.resize(ts.size()-1);                         // skip trailing newlinereturn ts; 
}int main()
{// define type for durations that represent day(s):typedef chrono::duration<int,ratio<3600*24>> Days;// process the epoch of this system clockchrono::time_point<chrono::system_clock> tp;cout << "epoch:     " << asString(tp) << endl;// add one day, 23 hours, and 55 minutestp += Days(1) + chrono::hours(23) + chrono::minutes(55);cout << "later:     " << asString(tp) << endl;// process difference from epoch in minutes and days:auto diff = tp - chrono::system_clock::time_point();cout << "diff:      "<< chrono::duration_cast<chrono::minutes>(diff).count()<< " minute(s)" << endl;Days days = chrono::duration_cast<Days>(diff);cout << "diff:      " << days.count() << " day(s)" << endl;// subtract one year (hoping it is valid and not a leap year)tp -= chrono::hours(24*365);cout << "-1 year:   " << asString(tp) << endl;// subtract 50 years (hoping it is valid and ignoring leap years)tp -= chrono::duration<int,ratio<3600*24*365>>(50);cout << "-50 years: " << asString(tp) << endl;// subtract 50 years (hoping it is valid and ignoring leap years)tp -= chrono::duration<int,ratio<3600*24*365>>(50);cout << "-50 years: " << asString(tp) << endl;
}
输出:
epoch:     Thu Jan  1 08:00:00 1970
later:     Sat Jan  3 07:55:00 1970
diff:      2875 minute(s)
diff:      1 day(s)
-1 year:   Fri Jan  3 07:55:00 1969
-50 years: Thu Jan 16 07:55:00 1919
-50 years: Wed Jan 27 08:00:43 1869

 6、timepoint与日历时间的转换

#include <chrono>
#include <ctime>
#include <string>
#include <iostream>// convert timepoint of system clock to calendar time string
inline std::string asString(const std::chrono::system_clock::time_point& tp) {std::time_t t = std::chrono::system_clock::to_time_t(tp);std::string ts = ctime(&t);  // convert to calendar timets.resize(ts.size()-1);      //skip trailing newlinereturn ts;
}// convert calender time to timepoint of system clock
inline std::chrono::system_clock::time_point
makeTimePoint(int year, int mon, int day, int hour, int min, int sec=0) {struct std::tm t;t.tm_sec = sec;t.tm_min = min;t.tm_hour = hour;t.tm_mday = day;t.tm_mon = mon - 1;t.tm_year = year-1900;t.tm_isdst = -1;std::time_t tt = std::mktime(&t);if (tt == -1) {throw "no valid system time";}return std::chrono::system_clock::from_time_t(tt);
}int main() {auto tp1 = makeTimePoint(2023, 11, 30, 00, 00);std::cout << asString(tp1) << std::endl;auto tp2 = makeTimePoint(2023, 03, 23, 12, 33);std::cout << asString(tp2) << std::endl;return 0;
}
输出:
Thu Nov 30 00:00:00 2023
Thu Mar 23 12:33:00 2023

7、<cstring>中的定义式

//在ptr所指的前len个byte中找出字符c
memchr(const void* ptr, int c, size_t len)//比较ptr1和ptr2所指的前len个byte
memcmp(const void* ptr1, const void* ptr2, size_t len)//将fromPtr所指的前len个byte复制到toPtr
memcpy(void* toPtr, const void* fromPtr, size_t len)//将fromPtr所指的前len个byte复制到toPtr(区域可重叠)
memmove(void* toPtr, const void* fromPtr, size_t len)//将ptr所指的前len个byte赋值为字符c
memset(void* ptr, int c, size_t len)

 8、algorithm

(1)find
#include <algorithm>
#include <list>
#include <iostream>
using namespace std;int main()
{list<int> coll;// insert elements from 20 to 40for (int i=20; i<=40; ++i) {coll.push_back(i);}// find position of element with value 3// - there is none, so pos3 gets coll.end()auto pos3 = find (coll.begin(), coll.end(),    // range3);                          // value// reverse the order of elements between found element and the end// - because pos3 is coll.end() it reverses an empty rangereverse (pos3, coll.end());// find positions of values 25 and 35list<int>::iterator pos25, pos35;pos25 = find (coll.begin(), coll.end(),  // range25);                       // valuepos35 = find (coll.begin(), coll.end(),  // range35);                       // value// print the maximum of the corresponding range// - note: including pos25 but excluding pos35cout << "max: " << *max_element (pos25, pos35) << endl;// process the elements including the last positioncout << "max: " << *max_element (pos25, ++pos35) << endl;
}
(2)find_if

查找最先出现的25或者35

#include <algorithm>
#include <list>
#include <iostream>
using namespace std;int main()
{list<int> coll;// insert elements from 20 to 40for (int i=20; i<=40; ++i) {coll.push_back(i);}auto pos = find_if(coll.begin(), coll.end(),[](int i) {return i == 25 || i == 35;});if (pos == coll.end()) {std::cout << "not found" << std::endl;exit(1);}list<int>::const_iterator pos25, pos35;if (*pos == 25) {// 先找到25pos25 = pos;pos35 = find(++pos, coll.end(), 35);std::cout << *pos35 << std::endl;} else {pos35 = pos;pos25 = find(++pos, coll.end(), 25);std::cout << *pos25 << std::endl;}
}

9、insert iterator

#include <algorithm>
#include <list>
#include <vector>
#include <set>
#include <iterator>
#include <deque>
#include <iostream>
using namespace std;int main()
{list<int> coll1 = {1, 2, 3, 4, 5, 6, 7, 8};vector<int> coll2;copy(coll1.begin(), coll1.end(), back_inserter(coll2));deque<int> coll3;copy(coll1.begin(), coll1.end(), front_inserter(coll3));set<int> coll4;copy(coll1.begin(), coll1.end(), inserter(coll4, coll4.begin()));for (auto &ele : coll2) {std::cout << ele << " ";}std::cout << std::endl;for (auto &ele : coll3) {std::cout << ele << " ";}std::cout << std::endl;for(auto & ele : coll4) {std::cout << ele << " ";}
}
输出:
1 2 3 4 5 6 7 8 
8 7 6 5 4 3 2 1
1 2 3 4 5 6 7 8

inserter的作用是在“初始化时接受的第二个实参”所指的位置的前面插入元素,内部调用成员函数insert(),并以新值和新位置作为实参传入,所有的STL容器都提供insert()成员函数,这是唯一可以用于关联式容器身上的一种预定义inserter。

10、stream iterator 

 

#include <algorithm>
#include <vector>
#include <iterator>
#include <string>
#include <iostream>
using namespace std;int main()
{vector<string> coll;// 使用ctrl+z 回车进行终止copy(istream_iterator<string>(cin), istream_iterator<string>(),back_inserter(coll));sort(coll.begin(), coll.end());unique_copy(coll.cbegin(), coll.cend(), ostream_iterator<string>(cout, "\n"));
}

11、reverse iterator 

#include <algorithm>
#include <vector>
#include <iterator>
#include <string>
#include <iostream>
using namespace std;int main()
{vector<int> coll;for (int i = 1; i <= 9; i++) {coll.push_back(i);}copy(coll.crbegin(), coll.crend(), ostream_iterator<int>(cout, " "));
}
输出:
9 8 7 6 5 4 3 2 1 

 

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

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

相关文章

fijkplayer flutter 直播流播放

fijkplayer flutter 直播流播放 fijkplayer 是 ijkplayer 的 Flutter 封装&#xff0c; 是一款支持 android 和 iOS 的 Flutter 媒体播放器插件&#xff0c; 由 ijkplayer 底层驱动。 通过纹理&#xff08;Texture&#xff09;接入播放器视频渲染到 Flutter 中。 前言 目前使用…

PostgreSQL 技术内幕(十二) CloudberryDB 并行化查询之路

随着数据驱动的应用日益增多&#xff0c;数据查询和分析的量级和时效性要求也在不断提升&#xff0c;对数据库的查询性能提出了更高的要求。为了满足这一需求&#xff0c;数据库引擎不断经历创新&#xff0c;其中并行执行引擎是性能提升的重要手段之一&#xff0c;逐渐成为数据…

One-to-Few Label Assignment for End-to-End Dense Detection阅读笔记

One-to-Few Label Assignment for End-to-End Dense Detection阅读笔记 Abstract 一对一&#xff08;o2o&#xff09;标签分配对基于变换器的端到端检测起着关键作用&#xff0c;最近已经被引入到全卷积检测器中&#xff0c;用于端到端密集检测。然而&#xff0c;o2o可能因为…

elasticsearch 内网下如何以离线的方式上传任意的huggingFace上的NLP模型(国内避坑指南)

es自2020年的8.x版本以来&#xff0c;就提供了机器学习的能力。我们可以使用es官方提供的工具eland&#xff0c;将hugging face上的NLP模型&#xff0c;上传到es集群中。利用es的机器学习模块&#xff0c;来运维部署管理模型。配合es的管道处理&#xff0c;来更加便捷的处理数据…

吴恩达《机器学习》12-1:优化目标

在机器学习的旅程中&#xff0c;我们已经接触了多种学习算法。在监督学习中&#xff0c;选择使用算法 A 还是算法 B 的重要性逐渐减弱&#xff0c;而更关键的是如何在应用这些算法时优化目标。这包括设计特征、选择正则化参数等因素&#xff0c;这些在不同水平的实践者之间可能…

UG NX二次开发(C#)-求曲线在某一点处的法矢和切矢

提示:文章写完后,目录可以自动生成,如何生成可参考右边的帮助文档 文章目录 1、前言2、在UG NX中创建一个曲线3、直接放代码4、测试案例1、前言 最近确实有点忙了,好久没更新博客了。今天恰好有时间,就更新下,还请家人们见谅。 今天我们讲一下如何获取一条曲线上某一条曲…

注意力机制的快速学习

注意力机制的快速学习 注意力机制 将焦点聚焦在比较重要的事物上 我&#xff08;查询对象Q&#xff09;&#xff0c;这张图&#xff08;被查询对象V&#xff09; 我看一张图&#xff0c;第一眼&#xff0c;就会判断那些东西对我而言比较重要&#xff0c;那些对于我不重要&…

Pytorch从零开始实战12

Pytorch从零开始实战——DenseNet算法实战 本系列来源于365天深度学习训练营 原作者K同学 文章目录 Pytorch从零开始实战——DenseNet算法实战环境准备数据集模型选择开始训练可视化总结 环境准备 本文基于Jupyter notebook&#xff0c;使用Python3.8&#xff0c;Pytorch2.…

DevEco Studio 运行项目有时会自动出现.js和.map文件

运行的时候报错了&#xff0c;发现多了.js和.map&#xff0c;而且还不是一个&#xff0c;很多个。 通过查询&#xff0c;好像是之前已知问题了&#xff0c;给的建议是手动删除(一个一个删)&#xff0c;而且有的评论还说&#xff0c;一周出现了3次&#xff0c;太可怕了。 搜的过…

【网络编程】-- 02 端口、通信协议

网络编程 3 端口 端口表示计算机上的一个程序的进程 不同的进程有不同的端口号&#xff01;用来区分不同的软件进程 被规定总共0~65535 TCP,UDP&#xff1a;65535 * 2 在同一协议下&#xff0c;端口号不可以冲突占用 端口分类&#xff1a; 公有端口&#xff1a;0~1023 HT…

亚信安慧AntDB数据库中级培训ACP上线,中国移动总部首批客户认证通过

近日&#xff0c;亚信安慧AntDB数据库ACP&#xff08;AntDB Certified Professional&#xff09;中级培训课程于官网上线。在中国移动总部客户运维团队、现场项目部伙伴和AntDB数据库成员的协同组织下&#xff0c;首批中级认证学员顺利完成相关课程的培训&#xff0c;并获得Ant…

自然语言处理22-基于本地知识库的快速问答系统,利用大模型的中文训练集为知识库

大家好,我是微学AI,今天给大家介绍一下自然语言处理22-基于本地知识库的快速问答系统,利用大模型的中文训练集为知识库。我们的快速问答系统是基于本地知识库和大模型的最新技术,它利用了经过训练的中文大模型,该模型使用了包括alpaca_gpt4_data的开源数据集。 一、本地…

C //例10.3 从键盘读入若干个字符串,对它们按字母大小的顺序排序,然后把排好序的字符串送到磁盘文件中保存。

C程序设计 &#xff08;第四版&#xff09; 谭浩强 例10.3 例10.3 从键盘读入若干个字符串&#xff0c;对它们按字母大小的顺序排序&#xff0c;然后把排好序的字符串送到磁盘文件中保存。 IDE工具&#xff1a;VS2010 Note: 使用不同的IDE工具可能有部分差异。 代码块 方法…

2023_Spark_实验二十五:SparkStreaming读取Kafka数据源:使用Direct方式

SparkStreaming读取Kafka数据源&#xff1a;使用Direct方式 一、前提工作 安装了zookeeper 安装了Kafka 实验环境&#xff1a;kafka zookeeper spark 实验流程 二、实验内容 实验要求&#xff1a;实现的从kafka读取实现wordcount程序 启动zookeeper zk.sh start# zk.sh…

SNMP陷阱监控工具

SNMP&#xff08;简单网络管理协议&#xff09;是网络管理的一个重要方面&#xff0c;其中网络设备&#xff08;包括路由器、交换机和服务器&#xff09;在满足预定义条件时将SNMP陷阱作为异步通知发送到中央管理系统。简而言之&#xff0c;每当发生关键服务器不可用或硬件高温…

microblaze仿真

verdivcs (1) vlogan/vcs增加编译选项 -debug_accessall -kdb -lca (2) 在 simulation 选项中加入下面三个选项 -guiverdi UVM_VERDI_TRACE"UVM_AWARERALHIERCOMPWAVE" UVM_TR_RECORD 这里 -guiverdi是启动verdi 和vcs联合仿真。UVM_VERDI_TRACE 这里是记录 U…

linux高级篇基础理论七(Tomcat)

♥️作者&#xff1a;小刘在C站 ♥️个人主页&#xff1a; 小刘主页 ♥️不能因为人生的道路坎坷,就使自己的身躯变得弯曲;不能因为生活的历程漫长,就使求索的 脚步迟缓。 ♥️学习两年总结出的运维经验&#xff0c;以及思科模拟器全套网络实验教程。专栏&#xff1a;云计算技…

vue pc官网顶部导航栏组件

官网顶部导航分为一级导航和二级导航 导航的样子 文件的层级 router 文件层级 header 组件代码 <h1 class"logo-wrap"><router-link to"/"><img class"logo" :src"$config.company.logo" alt"" /><i…

直面双碳目标,优维科技携手奥意建筑打造绿色低碳建筑数智云平台

优维“双碳”战略合作建筑 为落实创新驱动发展战略&#xff0c;增强深圳工程建设领域科技创新能力&#xff0c;促进技术进步、科技成果转化和推广应用&#xff0c;根据《深圳市工程建设领域科技计划项目管理办法》《深圳市住房和建设局关于组织申报2022年深圳市工程建设领域科…