C++多线程同步总结

C++多线程同步总结

关于C++多线程同步

一、C++11规范下的线程库

1、C++11 线程库的基本用法:创建线程、分离线程

#include<iostream>
#include<thread>
#include<windows.h>
using namespace std;
void threadProc()
{
    cout<<"this is in threadProc\n";
    cout<<"thread1's id is "<<this_thread::get_id()<<endl; //获取所属线程的id
}
void threadProc2(int num)
{
    cout<<"thread num = "<<num<<endl;
}
void threadProc3()
{
    cout<<"this thread is detached\n";
}
void threadProc4()
{
    cout<<"this thread is detached and won't print in the same console.'\n";
}
int main()
{
    thread a;//创建线程1,定义线程,后面再分配任务
    a = thread(threadProc);
    thread b(threadProc2,5);//创建线程2 ,定义线程的时候分配任务,参数类似于printf一样,可以为多个
    a.join();
    b.join();//采用join,主线程会阻塞等待子线程执行完毕
    thread c(threadProc3);
    c.detach();//采用detach,主线程不会等,这个线程开启早,还能输出到主线程的控制台
    cout<<"main thread exit"<<endl;
    thread d(threadProc4);
    d.detach();//
}

运行结果:

2、基本的互斥锁

上述运行,输出语句显然没有顺序执行,为了达到一行一行输出的效果,可以使用最基本的互斥锁。

#include<iostream>
#include<thread>
#include<mutex>
using namespace std;
mutex mu;//互斥锁 
void test1()
{
    for(int i=0;i<5;i++)
    {
//        mu.lock();//锁住 
        cout<<"test1 i = "<<i<<endl;
//        mu.unlock();//释放 
    }
}
void test2()
{
    for(int j=0;j<5;j++)
    {
//        mu.lock();
        cout<<"test2 j = "<<j<<endl;
//        mu.unlock();
    }
}
int main()
{
    thread a(test1);
    thread b(test2);
    a.join();
    b.join();
    cout<<"main thread finish."<<endl;
} 

运行结果:

不加锁的话,输出就会混乱。

这里打开4行注释,重新运行。

运行结果:

可以简单理解为:test1获得锁以后,test2调用lock(),就会阻塞执行,直到test1()调用unlock()释放锁。

3、lock_guard

#include <iostream>
#include <thread>
#include <mutex>

mutex mu;//互斥锁 
/*
lock_guard<mutex> locka(mu);
作用范围为从这一行开始,到那一次循环结束,还不用自己手动解锁。 
*/
void test3()
{
    for(int i=0;i<5;i++)
    {
        std::lock_guard<std::mutex> locka(mu); 
        std::cout << "test3 i = "<< i << std::endl;
    }
}
void test4()
{
    for(int j=0;j<5;j++)
    {
        std::lock_guard<std::mutex> lock(mu);
        std::cout << "test4 j = " << j << std::endl;
    }
}
int main()
{
    std::thread a(test3);
    std::thread b(test4);
    a.join();
    b.join();
    std::cout<<"main thread finish."<<std::endl;
} 

运行结果:

4、unique_lock

#include<iostream>
#include<thread>
#include<mutex>
using namespace std;
mutex mu;//互斥锁 
void test5()
{
    for(int i=0;i<5;i++)
    {
        unique_lock<mutex> locka(mu,defer_lock); 
        cout<<"test5 i = "<<i<<endl;
        
        locka.lock();
        cout<<"this is lock1"<<endl;
    }
}
void test6()
{
    for(int j=0;j<5;j++)
    {
        unique_lock<mutex> locka(mu); 
        cout<<"test6 j = "<<j<<endl;
        locka.unlock();
        locka.lock();
        cout<<"this is lock2"<<endl;
    }
}
int main()
{
    thread a(test5);
    thread b(test6);
    a.join();
    b.join();
    cout<<"main thread finish."<<endl;
} 

运行结果:

 5、condition_variable

#include<iostream>
#include<thread>
#include<mutex>
#include<condition_variable>

using namespace std;

mutex mu;
condition_variable cv;
bool print = false;
void test7()
{
    for(int i=0;i<5;i++)
    {
        unique_lock<mutex> l(mu);
        cout<<"test7 i = "<<i<<endl;
        cv.notify_one();
        print = true;
    }
}
void test8()
{
    for(int j=0;j<5;j++)
    {
        unique_lock<mutex> l(mu);
        if(!print)
        {
            cv.wait(l);
        }
        cout<<"test8 j = "<<j<<endl;
        print = false;
    }
}
int main()
{
    thread a(test7);
    thread b(test8);
    a.join();
    b.join();
}

运行结果:

二、Win32 API 实现线程同步

1、临界区

#include <iostream>
#include <thread>
#include <windows.h>

using namespace std;

CRITICAL_SECTION section;//临界区变量

void test01()
{
    for(int i=0;i<5;i++)
    {
        EnterCriticalSection(&section);//类似于 mutex.lock() 
        cout<<"this is test01 i = "<<i<<endl;
     Sleep(1);
        LeaveCriticalSection(&section);//类似于 mutex.unlock() 
    }
} 
void test02()
{
    for(int j=0;j<5;j++)
    {
        EnterCriticalSection(&section);
        cout<<"this is test02 j = "<<j<<endl;
     Sleep(1);
        LeaveCriticalSection(&section);
    }
}
int main()
{
    InitializeCriticalSection(&section);//初始化临界区对象
    
    thread a(test01);
    thread b(test02);
    a.join();
    b.join();
    DeleteCriticalSection(&section);//用完了,就删除临界区 
}

运行结果:

效果类似于mutex,只是都要在执行完循环进行解锁的操作。

2、互斥锁

#include<iostream>
#include<thread>
#include<windows.h>
using namespace std;
HANDLE hmutex;
void test03()
{
    for(int i=0;i<5;i++)
    {
        WaitForSingleObject(hmutex,INFINITE);//类似于mutex.lock() 阻塞等待多少时间 
        cout<<"test03 i = "<<i<<endl;
        ReleaseMutex(hmutex);//类似于mutex.unlock() 释放互斥锁 
    }
}
void test04()
{
    for(int j=0;j<5;j++)
    {
        WaitForSingleObject(hmutex,INFINITE);
        cout<<"test04 j = "<<j<<endl;
        ReleaseMutex(hmutex);
    }
}
int main()
{
    hmutex = CreateMutex(NULL,FALSE,"mutex");//创建一个互斥锁 
    
    thread a(test03);
    thread b(test04);
    a.join();
    b.join();
    
    CloseHandle(hmutex);//释放句柄 
}

运行结果:

3、事件

#include<iostream>
#include<thread>
#include<windows.h>

using namespace std;

HANDLE hevent;
void test05()
{
    for(int i=0;i<5;i++)
    {
        WaitForSingleObject(hevent,INFINITE);//类似于mutex.lock() 阻塞等待多少时间 
        cout<<"test05 i = "<<i<<endl;
        SetEvent(hevent);//类似于mutex.unlock() 释放互斥锁 
    }
}
void test06()
{
    for(int j=0;j<5;j++)
    {
        WaitForSingleObject(hevent,INFINITE);
        cout<<"test06 j = "<<j<<endl;
        SetEvent(hevent);
    }
}
int main()
{
    hevent = CreateEvent(NULL,FALSE,TRUE,"event");//创建一个事件 
    
    thread a(test05);
    thread b(test06);
    a.join();
    b.join();
    
    CloseHandle(hevent);//释放句柄 
}

运行结果:

4、信号量

#include <iostream>
#include <thread>
#include <windows.h>

using namespace std;

HANDLE sem;
void test07()
{
    for(int i=0;i<5;i++)
    {
        WaitForSingleObject(sem,INFINITE);//类似于mutex.lock() 阻塞等待多少时间 
        cout<<"test07 i = "<<i<<endl;
        ReleaseSemaphore(sem,1,NULL);//类似于mutex.unlock() 释放互斥锁 
    }
}
void test08()
{
    for(int j=0;j<5;j++)
    {
        WaitForSingleObject(sem,INFINITE);
        cout<<"test08 j = "<<j<<endl;
        ReleaseSemaphore(sem,1,NULL);
    }
}
int main()
{
    sem = CreateSemaphore(NULL,1,2,"semaphore");
    
    thread a(test07);
    thread b(test08);
    a.join();
    b.join();
    
    CloseHandle(sem);//释放句柄 
}

运行结果:

#include <iostream>
#include <fstream>
#include <random>
#include <ctime>

#include <windows.h>
//#include <time.h>
#include <stdio.h>
#include <math.h>
#include <bitset>

#include <thread>
#include <mutex>
#include <condition_variable>


#define NAME_LINE   40
void* g_hMutex2 = NULL; //使用适当的初始化方式
//定义线程函数传入参数的结构体
typedef struct __TICKET
{
	int nCount;
	char strTicketName[NAME_LINE];

	__TICKET() : nCount(0)
	{
		memset(strTicketName, 0, NAME_LINE * sizeof(char));
	}
}TICKET;

typedef struct __THD_DATA
{
	TICKET* pTicket;
	char strThreadName[NAME_LINE];

	__THD_DATA() : pTicket(NULL)
	{
		memset(strThreadName, 0, NAME_LINE * sizeof(char));
	}
}THD_DATA;

//基本类型数据转换成字符串
template<class T>
std::string convertToString(const T val)
{
	std::string s;
	std::strstream ss;
	ss << val;
	ss >> s;
	return s;
}
//售票程序
DWORD WINAPI SaleTicket(LPVOID lpParameter);

//售票系统
void Test2();



// 一个mutex变量控制同一个资源,因此会先打印完*再打印$
// 两个mutex变量则可能出现交替打印,因为不是修改统一资源
std::mutex mtx;  // mutex for critical section
void print_block(int n, char c)
{
	mtx.lock();
	for (int i = 0; i<n; i++)
	{
		std::cout << c;
	}
	std::cout << '\n';
	mtx.unlock();
}
void thread_1()
{
	std::cout << "子线程1" << std::endl;
}
void thread_2(int x)
{
	std::cout << "x:" << x << std::endl;
	std::cout << "子线程2" << std::endl;
}
int f_multi_thread()
{
	std::thread first(thread_1); // 开启线程,调用:thread_1()
	std::thread second(thread_2, 100); // 开启线程,调用:thread_2(100)
	//std::thread third(thread_2,3);//开启第3个线程,共享thread_2函数。
	std::cout << "主线程\n";
	first.join(); //join()等待线程结束并清理资源(会阻塞)        
	second.join();
	std::cout << "子线程结束.\n";//必须join完成


	//std::thread th1(print_block, 50, '*');//线程1:打印*
	//std::thread th2(print_block, 50, '$');//线程2:打印$
	//th1.join();
	//th2.join();

	return 0;
}

void threadProc()
{
	std::cout << "this is in threadProc\n";
	std::cout << "thread1's id is " << std::this_thread::get_id() << std::endl; //获取所属线程的id
}
void threadProc2(int num)
{
	std::cout << "thread num = " << num << std::endl;
}
void threadProc3()
{
	std::cout << "this thread is detached\n";
}
void threadProc4()
{
	std::cout << "this thread is detached and won't print in the same console.'\n";
}
std::mutex mu;//互斥锁 
void test1()
{
	for (int i = 0; i < 5; i++)
	{
		mu.lock();//锁住 
		std::cout << "test1 i = " << i << std::endl;
	    mu.unlock();//释放 
	}
}
void test2()
{
	for (int j = 0; j < 5; j++)
	{
		mu.lock();
		std::cout << "test2 j = " << j << std::endl;
		mu.unlock();
	}
}
/*
lock_guard<mutex> locka(mu);
作用范围为从这一行开始,到那一次循环结束,还不用自己手动解锁。
*/
void test3()
{
	for (int i = 0; i < 5; i++)
	{
		std::lock_guard<std::mutex> locka(mu);
		std::cout << "test3 i = " << i << std::endl;
	}
}
void test4()
{
	for (int j = 0; j < 5; j++)
	{
		std::lock_guard<std::mutex> lock(mu);
		std::cout << "test4 j = " << j << std::endl;
	}
}
void test5()
{
	for (int i = 0; i < 5; i++)
	{
		std::unique_lock<std::mutex> locka(mu, std::defer_lock);
		std::cout << "test5 i = " << i << std::endl;

		locka.lock();
		std::cout << "this is lock1" << std::endl;
	}
}
void test6()
{
	for (int j = 0; j < 5; j++)
	{
		std::unique_lock<std::mutex> locka(mu);
		std::cout << "test6 j = " << j << std::endl;
		locka.unlock();
		locka.lock();
		std::cout << "this is lock2" << std::endl;
	}
}
std::condition_variable cv;
bool print = false;
void test7()
{
	for (int i = 0; i < 5; i++)
	{
		std::unique_lock<std::mutex> l(mu);
		std::cout << "test7 i = " << i << std::endl;
		cv.notify_one();
		print = true;
	}
}
void test8()
{
	for (int j = 0; j < 5; j++)
	{
		std::unique_lock<std::mutex> l(mu);
		if (!print)
		{
			cv.wait(l);
		}
		std::cout << "test8 j = " << j << std::endl;
		print = false;
	}
}

CRITICAL_SECTION section;//临界区变量
void test01()
{
	for (int i = 0; i < 5; i++)
	{
		EnterCriticalSection(&section);//类似于 mutex.lock() 
		std::cout << "this is test01 i = " << i << std::endl;
		Sleep(1);
		LeaveCriticalSection(&section);//类似于 mutex.unlock() 
	}
}
void test02()
{
	for (int j = 0; j < 5; j++)
	{
		EnterCriticalSection(&section);
		std::cout << "this is test02 j = " << j << std::endl;
		Sleep(1);
		LeaveCriticalSection(&section);
	}
}
HANDLE hmutex;
void test03()
{
	for (int i = 0; i < 5; i++)
	{
		WaitForSingleObject(hmutex, INFINITE);//类似于mutex.lock() 阻塞等待多少时间 
		std::cout << "test03 i = " << i << std::endl;
		ReleaseMutex(hmutex);//类似于mutex.unlock() 释放互斥锁 
	}
}
void test04()
{
	for (int j = 0; j < 5; j++)
	{
		WaitForSingleObject(hmutex, INFINITE);
		std::cout << "test04 j = " << j << std::endl;
		ReleaseMutex(hmutex);
	}
}
HANDLE hevent;
void test05()
{
	for (int i = 0; i < 5; i++)
	{
		WaitForSingleObject(hevent, INFINITE);//类似于mutex.lock() 阻塞等待多少时间 
		std::cout << "test05 i = " << i << std::endl;
		SetEvent(hevent);//类似于mutex.unlock() 释放互斥锁 
	}
}
void test06()
{
	for (int j = 0; j < 5; j++)
	{
		WaitForSingleObject(hevent, INFINITE);
		std::cout << "test06 j = " << j << std::endl;
		SetEvent(hevent);
	}
}
HANDLE sem;
void test07()
{
	for (int i = 0; i < 5; i++)
	{
		WaitForSingleObject(sem, INFINITE);//类似于mutex.lock() 阻塞等待多少时间 
		std::cout << "test07 i = " << i << std::endl;
		ReleaseSemaphore(sem, 1, NULL);//类似于mutex.unlock() 释放互斥锁 
	}
}
void test08()
{
	for (int j = 0; j < 5; j++)
	{
		WaitForSingleObject(sem, INFINITE);
		std::cout << "test08 j = " << j << std::endl;
		ReleaseSemaphore(sem, 1, NULL);
	}
}


int main(int argc, char const* argv[])
{
	int i = 0; 
	int rtn = 0;
	int ret = 0;
    char buff[100];


	char *tmp = int2hex(82);
	//read_csv2();//ok

	//float num = 0.3;
	//int result = ceil(num);
	//printf("向上取整后的结果是:%d\n", result);


	--------------多线程-----START------------------------
	//f_multi_thread();

	//f_multiThread();//【Demo1】:创建一个最简单的线程
	
	//f_multiThread2();//【Demo2】:在线程函数中传入参数
	
	//f_multiThread3();//【Demo3】:线程同步
	//售票系统 //
	//Test2();//【Demo4】:模拟火车售票系统


	====== C++11 线程库 ==== START ==========
	//std::thread a;//创建线程1,定义线程,后面再分配任务
	//a = std::thread(threadProc);
	//std::thread b(threadProc2, 5);//创建线程2 ,定义线程的时候分配任务,参数类似于printf一样,可以为多个
	//a.join();
	//b.join();//采用join,主线程会阻塞等待子线程执行完毕
	//std::thread c(threadProc3);
	//c.detach();//采用detach,主线程不会等,这个线程开启早,还能输出到主线程的控制台
	//std::cout << "main thread exit" << std::endl;
	//std::thread d(threadProc4);
	//d.detach();//

	//std::thread a(test1);
	//std::thread b(test2);
	//a.join();
	//b.join();
	//std::cout << "main thread finish." << std::endl;

	//std::thread a(test3);
	//std::thread b(test4);
	//a.join();
	//b.join();
	//std::cout << "main thread finish." << std::endl;

	//std::thread a(test5);
	//std::thread b(test6);
	//a.join();
	//b.join();

	//std::thread a(test7);
	//std::thread b(test8);
	//a.join();
	//b.join();
	====== C++11 线程库 ==== END ============

	====== W32API实现线程同步 ==== START ==========
	//InitializeCriticalSection(&section);//初始化临界区对象
	//std::thread a(test01);
	//std::thread b(test02);
	//a.join();
	//b.join();
	//DeleteCriticalSection(&section);//用完了,就删除临界区 

	//hmutex = CreateMutex(NULL, FALSE, "mutex");//创建一个互斥锁 
	//std::thread a(test03);
	//std::thread b(test04);
	//a.join();
	//b.join();
	//CloseHandle(hmutex);//释放句柄 

	//hevent = CreateEvent(NULL, FALSE, TRUE, "event");//创建一个事件 
	//std::thread a(test05);
	//std::thread b(test06);
	//a.join();
	//b.join();
	//CloseHandle(hevent);//释放句柄 

	sem = CreateSemaphore(NULL, 1, 2, "semaphore");
	std::thread a(test07);
	std::thread b(test08);
	a.join();
	b.join();
	CloseHandle(sem);//释放句柄 


	====== W32API实现线程同步 ==== END ============

	--------------多线程-----END--------------------------


	VS 与 Matlab 混合编程
	//rtn = f_VS_Matlab();


	system("pause");
    return 0;
}


//售票程序
DWORD WINAPI SaleTicket(LPVOID lpParameter)
{
	THD_DATA* pThreadData = (THD_DATA*)lpParameter;
	TICKET* pSaleData = pThreadData->pTicket;
	while (pSaleData->nCount > 0)
	{
		//请求获得一个互斥量锁
		WaitForSingleObject(g_hMutex2, INFINITE);
		if (pSaleData->nCount > 0)
		{
			std::cout << pThreadData->strThreadName << "出售第" << pSaleData->nCount-- << "的票,";
			if (pSaleData->nCount >= 0) 
			{
				std::cout << "出票成功!剩余" << pSaleData->nCount << "张票." << std::endl;
			}
			else 
			{
				std::cout << "出票失败!该票已售完。" << std::endl;
			}
		}
		Sleep(10);
		//释放互斥量锁
		ReleaseMutex(g_hMutex2);
	}

	return 0L;
}
//售票系统
void Test2()
{
	//创建一个互斥量
	g_hMutex2 = CreateMutex(NULL, FALSE, NULL);

	//初始化火车票
	TICKET ticket;
	ticket.nCount = 100;
	strcpy(ticket.strTicketName, "北京-->赣州");

	const int THREAD_NUMM = 2;//8;//
	THD_DATA threadSale[THREAD_NUMM];
	HANDLE hThread[THREAD_NUMM];
	for (int i = 0; i < THREAD_NUMM; ++i)
	{
		threadSale[i].pTicket = &ticket;
		std::string strThreadName = convertToString(i);

		strThreadName = "窗口" + strThreadName;

		strcpy(threadSale[i].strThreadName, strThreadName.c_str());

		//创建线程
		hThread[i] = CreateThread(NULL, NULL, SaleTicket, &threadSale[i], 0, NULL);

		//请求获得一个互斥量锁
		WaitForSingleObject(g_hMutex2, INFINITE);
		std::cout << threadSale[i].strThreadName << "开始出售 " << threadSale[i].pTicket->strTicketName << " 的票..." << std::endl;
		//释放互斥量锁
		ReleaseMutex(g_hMutex2);

		//关闭线程
		CloseHandle(hThread[i]);
	}

	system("pause");
}

参考:

【Linux】多线程同步的四种方式 - 西*风 - 博客园 (cnblogs.com)

一文搞定c++多线程同步机制_c++多线程同步等待-CSDN博客

C++多线程同步总结 - 念秋 - 博客园 (cnblogs.com)

Linux 下多线程(C语言) | 大眼睛男孩儿 (zhangxiaoya.github.io)

读写锁 - 张飘扬 - 博客园 (cnblogs.com)

Linux C++多线程同步的四种方式(非常详细)-CSDN博客

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

如若内容造成侵权/违法违规/事实不符,请联系我们进行投诉反馈qq邮箱809451989@qq.com,一经查实,立即删除!

相关文章

Oracle EBS AP发票验证-计税期间出现意外错误解决方法

系统版本 RDBMS : 12.1.0.2.0 Oracle Applications : 12.2.6 问题症状: **打开发票题头或发票行“税详细信息”**错误提示如下: 由于以下原因而无法针对"税"窗口中所做的修改更新 Oraclee Payables信息: 尚未为税率或帐户来源税率设置可退回税/应纳税额帐户。请…

用 Notepad++ 写 Java 程序

安装包 百度网盘 提取码&#xff1a;6666 安装步骤 双击安装包开始安装。 安装完成&#xff1a; 配置编码 用 NotePad 写 Java 程序时&#xff0c;需要设置编码。 在 设置&#xff0c;首选项&#xff0c;新建 中进行设置&#xff0c;可以对每一个新建的文件起作用。 Note…

29网课交单平台 epay.php SQL注入漏洞复现

0x01 产品简介 29网课交单平台是一个专注于在线教育和知识付费领域的交单平台。该平台基于PHP开发,通过全开源修复和优化,为用户提供了高效、稳定、安全的在线学习和交易环境。作为知识付费系统的重要组成部分,充分利用了互联网的优势,为用户提供了便捷的支付方式、高效的…

CAD二次开发(8)-探索实现不重启CAD进行热部署代码

最近在研究CAD二次开发过程中&#xff0c;调试代码的过程中&#xff0c;需要频繁地重启CAD&#xff0c;非常浪费我们的开发时间&#xff0c;所以我就一直在想&#xff0c;怎么可以实现在不每次重启代码和CAD的情况下&#xff0c;实现代码的热部署效果。 我找到的方式&#xff…

【Linux】进程2——管理概念,进程概念

1.什么是管理&#xff1f; 那在还没有学习进程之前&#xff0c;就问大家&#xff0c;操作系统是怎么管理进行进程管理的呢&#xff1f; 很简单&#xff0c;先把进程描述起来&#xff0c;再把进程组织起来&#xff01; 我们拿大学为例子 最典型的管理者——校长最典型的被管理…

java线程变量共享

在Java中&#xff0c;线程变量共享可以通过几种方式实现&#xff1a; 1.实例变量&#xff1a;如果一个实例变量被多个线程共享&#xff0c;你需要确保适当的同步&#xff0c;以避免竞态条件。你可以使用synchronized关键字或者Lock接口来保护共享变量。 2.静态变量&#xff1a;…

【vuex小试牛刀】

了解vuex核心概念请移步 https://vuex.vuejs.org/zh/ # 一、初始vuex # 1.1 vuex是什么 就是把需要共享的变量全部存储在一个对象里面&#xff0c;然后将这个对象放在顶层组件中供其他组件使用 父子组件通信时&#xff0c;我们通常会采用 props emit 这种方式。但当通信双方不…

高考志愿填报有哪些技巧和方法

一年一度高考季&#xff0c;又高考志愿填报的时侯了。高考志愿填报的时侯&#xff0c;需要考虑的因素比较多&#xff0c;有的同学觉是离家越远越好&#xff0c;要放飞自我&#xff0c;家长再也管不了我了。有的同学觉得专业比学校牌子重要&#xff0c;只要报个好专业&#xff0…

ros2笔记

Ros2 hello world ccreate packagehelloworld.cpp hello world pythonhelloworld.py file explainros2 cmdcreatebuildfindruninstall interfacesmsg filesrv fileaction file Topic hello world c mkdir -p {your workspace name}/src cd {your workspace name} #进入工作空间…

linux 服务器上离线安装 node nvm

因为是离线环境 如果你是可以访问外网的 下面内容仅供参考 也可以继续按步骤来 node 安装路径 Node.js — Download Node.js nvm 安装路径 Tags nvm-sh/nvm GitHub 后来发现 nvm安装后 nvm use 版本号 报错 让我去nvm install 版本 我是内网环境 install不了 下面 你要 把安…

Java——面向对象进阶(一)

前言 面向对象进阶(一)&#xff1a;static&#xff0c;继承&#xff0c;this和super关键字 文章目录 一、static1.1 静态变量1.2 静态方法1.3 静态变量和静态方法在内存中 二、继承2.1 概念2.2 继承的特点和能继承什么2.3 继承中的重写2.4 this和super关键字 一、static 在 Jav…

Isaac Lab CartPole实验(摄像头版本)

Isaac Lab安装可以看这个教程&#xff1a;http://t.csdnimg.cn/SN7duhttp://t.csdnimg.cn/SN7du 1. 问题定义与建模 问题描述&#xff1a;CartPole问题是一个经典的强化学习问题&#xff0c;cartpole 由 cart和pole构成&#xff0c;其中一个小车&#xff08;Cart&#xff09;上…

上市公司绿色并购数据+do文件(1996-2024.4)

数据简介&#xff1a;手工搜集重污染上市公司的并购公告&#xff0c;采用内容分析法&#xff0c;对每次并购的背景和目的&#xff0c;主并企业和标的企业经营范围以及该次并购对主并企业带来的影响进行综合分析&#xff0c;逐一判断该项并购事件是否为绿色并购 时间跨度&#…

幽门螺杆菌感染关联和有哪些自然战斗者

谷禾健康 幽门螺杆菌(helicobacterpylori&#xff0c;H.pylori)是革兰氏阴性&#xff0c;螺旋形&#xff0c;微需氧细菌&#xff0c;是一种独特的&#xff0c;能持续定植于人类胃粘膜并能引起胃感染的细菌。 世界上有超过一半的人感染了幽门螺杆菌&#xff0c;但很多没有临床症…

问题:新零售是以消费者体验为中心的数据驱动的泛零售形态,是基于大数据的“人货场“重构 #其他#知识分享

问题&#xff1a;新零售是以消费者体验为中心的数据驱动的泛零售形态,是基于大数据的"人货场"重构 参考答案如图所示

stdlib.h: No such file or directory

Qt报错: error: stdlib.h: No such file or directory #include_next &#xff1c;stdl 报错&#xff0c; 其他博主的解决方法&#xff1a; Qt报错: error: stdlib.h: No such file or directory #include_next &#xff1c;stdl_qt5.15 无法打开包括文件“stdlib.h” no suc…

临床应用的深度学习在视网膜疾病的诊断和转诊中的应用| 文献速递-视觉通用模型与疾病诊断

Title 题目 Clinically applicable deep learning for diagnosis and referral in retinal disease 临床应用的深度学习在视网膜疾病的诊断和转诊中的应用 01 文献速递介绍 诊断成像的数量和复杂性正在以比人类专家可用性更快的速度增加。人工智能在分类一些常见疾病的二…

【数据结构】图论入门

引入 数据的逻辑结构&#xff1a; 集合&#xff1a;数据元素间除“同属于一个集合”外&#xff0c;无其他关系线性结构&#xff1a;一个对多个&#xff0c;例如&#xff1a;线性表、栈、队列树形结构&#xff1a;一个对多个&#xff0c;例如&#xff1a;树图形结构&#xff1…

C++基础编程100题-005 OpenJudge-1.3-03 计算(a+b)/c的值

更多资源请关注纽扣编程微信公众号 http://noi.openjudge.cn/ch0103/03/ 描述 给定3个整数a、b、c&#xff0c;计算表达式(ab)/c的值&#xff0c;/是整除运算。 输入 输入仅一行&#xff0c;包括三个整数a、b、c, 数与数之间以一个空格分开。(&#xff0d;10,000 < a,…

创新指南 | 5个行之有效的初创企业增长策略

本文探讨了五种初创企业实现快速增长的有效策略&#xff1a;利用网络效应通过激励和资本化用户增长&#xff1b;通过持续提供高质量内容建立信任和权威的内容营销&#xff1b;利用简单有效的推荐计划扩展用户群&#xff1b;采用敏捷开发方法快速适应市场变化和客户反馈&#xf…