MFC 发起 HTTP Post 请求 发送MES消息

文章目录

  • 获取Token
    • 将获取的Token写入JSON文件
  • 将测试参数发送到http
    • 首先将测试参数写入到TestData.JSON文件
    • rapidjson 库需要将CString 进行类型转换才能使用,将CString 转换为const char*
  • 发送JSON 参数到http中,并且获取返回结果写入TestFinish.JSON文件
  • 读取TestFinish.JSON文件判断返回结果是否正确
    • Mes发送失败的错误日志
  • 类函数
  • 父类函数

获取Token

首先获取WebApi 的Token
在这里插入图片描述
执行请求Token函数
在这里插入图片描述

int CHttpClientJXJST::ExecuteRequest()
{
	//设置连接超时时间为20s
    m_pSession->SetOption(INTERNET_OPTION_CONNECT_TIMEOUT, 1000 * 20);
    m_pSession->SetOption(INTERNET_OPTION_CONNECT_BACKOFF, 1000); // 设置连接后退时间
    m_pSession->SetOption(INTERNET_OPTION_CONNECT_RETRIES, 3);    // 设置连接重试次数

    //通过网络会话对象创建一个 HTTP 连接对象,连接到 http://111.75.253.00 服务器,端口为8080
    //m_pConnection = m_pSession->GetHttpConnection(TEXT("111.75.253.00"), (INTERNET_PORT)8000);
	m_pConnection = m_pSession->GetHttpConnection(TEXT(theApp.m_oHardParaEx.m_sMesHttp), (INTERNET_PORT)8000);

    // 使用该连接对象创建一个 HTTP 文件对象,用于在服务器上打开一个请求,使用 HTTP POST 方法,指定请求的 URL 为 "/api/token/getToken"
	m_pFile = m_pConnection->OpenRequest(CHttpConnection::HTTP_VERB_POST, theApp.m_oHardParaEx.m_sMesURL,
                                          NULL, 1, NULL, TEXT("HTTP/1.1"), INTERNET_FLAG_RELOAD);

    // 设置需要提交的数据,包括请求头信息和 POST 数据
    //CString szHeaders = TEXT("Content-Type:application/json;charset=utf-8");
    //CString strFormData = TEXT("username=switchdevice&password=1234567");
	CString szHeaders = TEXT("Content-Type: application/x-www-form-urlencoded\r\n");
	m_pFile->AddRequestHeaders(szHeaders);

   // 设置表单数据
	//CString strFormData = TEXT("username=switchdevice&password=1234567");
	CString strFormData = TEXT("username=")+theApp.m_oHardParaEx.m_sMesUser+("&password=")+theApp.m_oHardParaEx.m_sMesPassWord;

	try 
	{
			// 发送请求
		m_pFile->SendRequest(NULL, 0, (LPVOID)(LPCTSTR)strFormData, strFormData.GetLength());

			 // 如果请求成功,继续执行其他操作
	} catch (CInternetException* pEx) {
		// 处理异常
		TCHAR szError[1024];
		pEx->GetErrorMessage(szError, 1024);
		// 在这里进行异常处理,例如输出错误信息或者进行其他适当的操作
		AfxMessageBox(szError);
		pEx->Delete(); // 删除异常对象
	}


		// 查询返回的状态码
    DWORD dwRet;
    m_pFile->QueryInfoStatusCode(dwRet);

	
	strFilePath = theApp.m_sRunPath + _T("\\sys\\response.JSON");
    if (dwRet != HTTP_STATUS_OK)
    {
		msg =_T("");
        CString errText;
        errText.Format(_T("POST出错,错误码:%d"), dwRet);
        AfxMessageBox(errText);
    }
    else
    {
		
        int len = m_pFile->GetLength();
		char buf[2000];
		int numread;
		
		CFile MesFile( strFilePath, CFile::modeCreate | CFile::modeWrite | CFile::typeBinary);

		// 初始化 strFile 为空字符串
		CString strFile;

		// 循环读取数据
		while ((numread = m_pFile->Read(buf, sizeof(buf) - 1)) > 0)
		{
			// 添加 '\0' 到 buf 数组中读取的最后一个字符的位置
			buf[numread] = '\0';

			// 追加数据到 strFile
			strFile += buf;

			// 写入数据到文件
			MesFile.Write(buf, numread);
		}
		MesFile.Close();
		//读取JSON文件
		GetMsg(strFilePath);
    }	

    return SUCCESS;
}

将获取的Token写入JSON文件

CString CHttpClientJXJST::GetMsg(CString filePath)
{
	
	try {
        // 创建一个 CFile 对象
        CFile JsonFile;
        // 打开文件
        if (!JsonFile.Open(filePath, CFile::modeRead))
		{
            AfxMessageBox(_T("Failed to open JSON file."));
            return 0;
        }

        // 获取文件大小
        ULONGLONG fileSize = JsonFile.GetLength();
        // 创建一个缓冲区来存储文件内容
        char* buffer = new char[fileSize + 1];
        // 读取文件内容到缓冲区
        JsonFile.Read(buffer, (UINT)fileSize);
        // 添加字符串结尾标志
        buffer[fileSize] = '\0';
        // 关闭文件
        JsonFile.Close();

        // 使用 RapidJSON 解析 JSON 字符串
        rapidjson::Document document;
        document.Parse(buffer);

        // 检查解析是否成功
        if (document.HasParseError()) 
		{
            AfxMessageBox(_T("JSON parse error: ") + CString(rapidjson::GetParseError_En(document.GetParseError())));
            delete[] buffer;
            return 0;
        }

        // 检查是否存在 msg 和 timestamp 字段
        if (document.HasMember("msg") && document.HasMember("timestamp")) 
		{
            // 获取 msg 和 timestamp 值
            msg = CString(document["msg"].GetString());
            timestamp = document["timestamp"].GetUint64();


            // 释放缓冲区内存
            delete[] buffer;
        } 
		else 
		{
            AfxMessageBox(_T("JSON does not contain msg and timestamp fields."));
            delete[] buffer;
            return 0;
        }
    } catch (CFileException* pEx)
	{
        // 处理文件操作异常
        TCHAR szCause[255];
        pEx->GetErrorMessage(szCause, 255);
        AfxMessageBox(_T("File operation error: ") + CString(szCause));
        pEx->Delete();
		return 0;
        
    }
	return msg;

}

在这里插入图片描述

将测试参数发送到http

首先将测试参数写入到TestData.JSON文件

void CHttpClientJXJST::WirteJsonData(CString m_snCode,CString m_moBill,CString m_result,CXMLData* pData)
{
	strFilePath = theApp.m_sRunPath + _T("\\sys\\TestData.JSON");
    CFileException fileException;
    CFile JSONDataFile;

    // 尝试打开文件
    if (!JSONDataFile.Open(strFilePath, CFile::modeCreate | CFile::modeWrite | CFile::typeBinary, &fileException))
    {
        AfxMessageBox(_T("打开TestData.JSON文件失败"));
        return;
    }

	// 创建一个空的 JSON 文档
	Document document;
	document.SetObject();

	// 将 deviceCode 字段添加到文档中
	Value deviceCode(StringToConstChar(CStringToString(theApp.m_oHardParaEx.m_sMesDeviceCode)), document.GetAllocator());
	// 将 processCode 字段添加到文档中
	Value processCode(StringToConstChar(CStringToString(theApp.m_oHardParaEx.m_sMesGX)), document.GetAllocator());
	// 将 snCode 字段添加到文档中
	Value snCode(StringToConstChar(CStringToString(m_snCode)), document.GetAllocator());
	//将  jobNo 字段添加到文档中
	Value jobNo(StringToConstChar(CStringToString(theApp.m_oHardParaEx.m_sMesJobNo)), document.GetAllocator());

	// 获取当前时间
	CTime currentTime = CTime::GetCurrentTime();
	// 格式化日期时间为字符串
	CString m_sDateTime = currentTime.Format(_T("%Y-%m-%d %H:%M:%S"));
	//时间
	Value date(StringToConstChar(CStringToString(m_sDateTime)), document.GetAllocator());
	//姓名
	Value user(StringToConstChar(CStringToString(theApp.m_oHardParaEx.m_sMesTestName)), document.GetAllocator());
	//生产单号
	Value moBill(StringToConstChar(CStringToString(m_moBill)), document.GetAllocator());

	//返回结果
	Value result(StringToConstChar(CStringToString(m_result)), document.GetAllocator());

	// 设置 JSON 字段
	document.AddMember("deviceCode", deviceCode, document.GetAllocator());		// 设备编号
	document.AddMember("processCode", processCode, document.GetAllocator());	 // 工序编号
	document.AddMember("snCode", snCode, document.GetAllocator());				// 检测条码
    document.AddMember("jobNo", jobNo, document.GetAllocator());				// 员工工号
    document.AddMember("date", date, document.GetAllocator());					// 时间
    document.AddMember("user", user, document.GetAllocator());					// 检测人名称
    document.AddMember("moBill", moBill, document.GetAllocator());				// 生产订单号
    document.AddMember("result", result, document.GetAllocator());				// 返回结果


	 // 创建一个数组并添加到 JSON 文档中
	Value dataArray(kArrayType);
	
	int n = pData->m_oXMLItems.GetSize( );
	int i = 0;


	for(int i=0;i<n;i++)
	{
		
		Value test(kObjectType);
		// 获取测试项目的关键字和值
		
		if(pData->m_oXMLItems.GetAt(i)!=NULL)
		{

			CString skey = pData->m_oXMLItems[i]->sKey;			//检测项目编码
			CString stestName =pData->m_oXMLItems[i]->sTestName;//检测项目名称
			CString sminVal=pData->m_oXMLItems[i]->sMinVal;		//下限值
			CString smaxVal=pData->m_oXMLItems[i]->sMaxVal;		//上限值
			CString stestValue =pData->m_oXMLItems[i]->sTestVal;//检测项目值
			CString sresultInfo =pData->m_oXMLItems[i]->sResultInfo;//检测结果
			CString sbadCode =pData->m_oXMLItems[i]->sBadCode;

			//检测项目编码
			Value testCode(StringToConstChar(CStringToString(skey)), document.GetAllocator());
			Value testName(StringToConstChar(CStringToString(stestName)), document.GetAllocator());
			Value minVal(StringToConstChar(CStringToString(sminVal)), document.GetAllocator());
			Value maxVal(StringToConstChar(CStringToString(smaxVal)), document.GetAllocator());
			Value testValue(StringToConstChar(CStringToString(stestValue)), document.GetAllocator());
			Value resultInfo(StringToConstChar(CStringToString(sresultInfo)), document.GetAllocator());
			Value badCode(StringToConstChar(CStringToString(sbadCode)), document.GetAllocator());

			test.AddMember("testCode", testCode, document.GetAllocator());
			test.AddMember("testName",testName, document.GetAllocator());
			test.AddMember("minVal", minVal, document.GetAllocator());
			test.AddMember("maxVal", maxVal, document.GetAllocator());
			test.AddMember("testVal",testValue, document.GetAllocator());
			test.AddMember("resultInfo", resultInfo, document.GetAllocator());
			test.AddMember("badCode", badCode, document.GetAllocator());

			dataArray.PushBack(test, document.GetAllocator());
		}

		
	}
    document.AddMember("data", dataArray, document.GetAllocator());
    // 将 JSON 文档写入文件
    StringBuffer buffer;
    PrettyWriter<StringBuffer> writer(buffer);
    document.Accept(writer);
    CStringA jsonStr(buffer.GetString());
    // 将字符串写入文件
    try
    {
        JSONDataFile.Write(jsonStr, jsonStr.GetLength());
        JSONDataFile.Close();
    }
    catch (CFileException* e)
    {
        // 处理文件写入错误
        TCHAR szError[1024];
        e->GetErrorMessage(szError, 1024);
        TRACE(_T("Failed to write JSON file: %s\n"), szError);
        e->Delete();
    }
}

生成的JSON 数据大致如下
在这里插入图片描述

rapidjson 库需要将CString 进行类型转换才能使用,将CString 转换为const char*

std::string CHttpClientJXJST::CStringToString(const CString& cstr)
{
	  // 使用 CStringA 构造函数将 CString 转换为 ANSI 字符串
    CStringA strA(cstr);
    // 使用 ANSI 字符串构造 std::string
    return std::string(strA.GetString());
}


const char* CHttpClientJXJST::StringToConstChar(const std::string& str)
{
	 return str.c_str();
}

发送JSON 参数到http中,并且获取返回结果写入TestFinish.JSON文件

void CHttpClientJXJST::TestFinishRequest()
{
    // 使用该连接对象创建一个 HTTP 文件对象,用于在服务器上打开一个请求,使用 HTTP POST 方法,指定请求的 URL 为 "/api/mom/device/saveData"
	m_pFile = m_pConnection->OpenRequest(CHttpConnection::HTTP_VERB_POST, theApp.m_oHardParaEx.m_sMesURL2,
                                          NULL, 1, NULL, TEXT("HTTP/1.1"), INTERNET_FLAG_RELOAD);

	 // 设置请求头信息
	CString szHeaders = TEXT("Content-Type: application/json;charset=utf-8\r\n");
	szHeaders += TEXT("Authorization: ") + msg + TEXT("\r\n"); // 使用 msg 变量作为 Authorization 头的值
	m_pFile->AddRequestHeaders(szHeaders);
	

	//读取JSON文件            //单独创建一个JSON文件保存数据
	strFilePath = theApp.m_sRunPath + _T("\\sys\\TestData.JSON");


	CStringA strJsonData =ReadJSONFile(strFilePath);
	

	  // 设置请求体数据为 JSON 格式
    DWORD dwDataLen = strJsonData.GetLength();


	// 设置请求体数据为 JSON 格式
	//DWORD dwDataLen = strJsonData.GetLength() * sizeof(TCHAR);

	// 发送请求
	//m_pFile->SendRequest(NULL, 0, (LPVOID)(LPCTSTR)strJsonData, dwDataLen);

	try 
	{
		// 发送请求
		m_pFile->SendRequest(NULL, 0, (LPVOID)(LPSTR)strJsonData.GetBuffer(), dwDataLen);
		// 如果请求成功,继续执行其他操作
	} 
	catch (CInternetException* pEx) 
	{
		// 处理异常
		TCHAR szError[1024];
		pEx->GetErrorMessage(szError, 1024);
		// 在这里进行异常处理,例如输出错误信息或者进行其他适当的操作
		AfxMessageBox(szError);
		pEx->Delete(); // 删除异常对象
	}


	// 查询返回的状态码
	DWORD dwRet;
	m_pFile->QueryInfoStatusCode(dwRet);


	strFilePath = theApp.m_sRunPath + _T("\\sys\\TestFinish.JSON");
    if (dwRet != HTTP_STATUS_OK)
    {
        CString errText;
        errText.Format(_T("POST出错,错误码:%d"), dwRet);
        AfxMessageBox(errText);
    }
    else
    {
		
        int len = m_pFile->GetLength();
		char buf[2000];
		int numread;
		
		CFile MesFile( strFilePath, CFile::modeCreate | CFile::modeWrite | CFile::typeBinary);

		// 初始化 strFile 为空字符串
		CString strFile;

		// 循环读取数据
		while ((numread = m_pFile->Read(buf, sizeof(buf) - 1)) > 0)
		{
			// 添加 '\0' 到 buf 数组中读取的最后一个字符的位置
			buf[numread] = '\0';

			// 追加数据到 strFile
			strFile += buf;
			// 写入数据到文件
			MesFile.Write(buf, numread);
		}
		MesFile.Close();
    }
}

读取TestFinish.JSON文件判断返回结果是否正确

CString CHttpClientJXJST::GetFinishResult(CString filePath)
{
	m_sResult=_T("");
	
	try {
        // 创建一个 CFile 对象
        CFile JsonFile;
        // 打开文件
        if (!JsonFile.Open(filePath, CFile::modeRead))
		{
            AfxMessageBox(_T("Failed to open JSON file."));
            return 0;
        }

        // 获取文件大小
        ULONGLONG fileSize = JsonFile.GetLength();
        // 创建一个缓冲区来存储文件内容
        char* buffer = new char[fileSize + 1];
        // 读取文件内容到缓冲区
        JsonFile.Read(buffer, (UINT)fileSize);
        // 添加字符串结尾标志
        buffer[fileSize] = '\0';
        // 关闭文件
        JsonFile.Close();

        // 使用 RapidJSON 解析 JSON 字符串
        rapidjson::Document document;
        document.Parse(buffer);

        // 检查解析是否成功
        if (document.HasParseError()) 
		{
            AfxMessageBox(_T("JSON parse error: ") + CString(rapidjson::GetParseError_En(document.GetParseError())));
            delete[] buffer;
            return 0;
        }
        // 检查是否存在 msg 
        if (document.HasMember("msg")) 
		{
			// 获取 msg 字段的值
			const rapidjson::Value& msgValue = document["msg"];
			m_sResult = CStringA(document["msg"].GetString());
			if (msgValue.IsString()) 
			{
			
				// 获取字符串的长度
				size_t length = msgValue.GetStringLength();
				 // 获取字符串的首指针
				const char* msgString = msgValue.GetString();
				 // 计算需要的缓冲区大小
				int bufferSize = MultiByteToWideChar(CP_UTF8, 0, msgString, -1, nullptr, 0);
				// 分配缓冲区
				wchar_t* utf16Buffer = new wchar_t[bufferSize];
				 // 进行编码转换
				MultiByteToWideChar(CP_UTF8, 0, msgString, -1, utf16Buffer, bufferSize);
				 // 将 wchar_t* 转换为 CString
				 m_sResult = CString(utf16Buffer);
				   // 释放内存
				delete[] utf16Buffer;
			
			}
			else 
			{
				// 如果值不是字符串类型,进行相应的错误处理
				AfxMessageBox(_T("Value of 'msg' is not a string."));
			}

		
            // 释放缓冲区内存
            delete[] buffer;
        } 
		else 
		{
            AfxMessageBox(_T("JSON does not contain msg and timestamp fields."));
            delete[] buffer;
            return 0;
        }
    } catch (CFileException* pEx)
	{
        // 处理文件操作异常
        TCHAR szCause[255];
        pEx->GetErrorMessage(szCause, 255);
        AfxMessageBox(_T("File operation error: ") + CString(szCause));
        pEx->Delete();
		return 0;
        
    }
	return m_sResult;

}

在这里插入图片描述在这里插入图片描述

Mes发送失败的错误日志

void CHttpClientJXJST::OutputLog(CString msg)
{
	try{
		strFilePath = theApp.m_sRunPath + _T("\\sys\\log.txt");
		//设置文件的打开参数
		CStdioFile outFile(strFilePath, CFile::modeNoTruncate | CFile::modeCreate | CFile::modeWrite | CFile::typeText);
		CString msLine;
		CTime CurTime = CTime::GetCurrentTime();
		msLine = CurTime.Format("[%Y-%B-%d %A, %H:%M:%S] ") + msg;
		msLine += "\n";
 
		//在文件末尾插入新纪录
		outFile.SeekToEnd();
		outFile.WriteString( msLine );
		outFile.Close();
	}
	catch(CFileException *fx)
	{
		fx->Delete();
	}
}

在这里插入图片描述

类函数

#pragma once
#include "HttpClient.h"
#include <afx.h>  // 包含 MFC 核心头文件
#include <afxwin.h> // 包含 MFC Windows 类的头文件
#include "rapidjson/document.h"
#include "rapidjson/error/en.h"
#include "rapidjson/stringbuffer.h"
#include "rapidjson/writer.h"
#include "rapidjson/istreamwrapper.h"
#include "rapidjson/prettywriter.h"
#include "rapidjson/filereadstream.h"

#include <iostream>

#include <atlstr.h> // 包含 CString 头文件
#include <string>
using namespace rapidjson;
using namespace std;



class CXMLData;
class CHttpClientJXJST :
	public CHttpClient
{
public:
	CHttpClientJXJST(void);
	~CHttpClientJXJST(void);

public:
	int ExecuteRequest(); //开启程序请求http 
	//测试完成请求http
	void TestFinishRequest();//测试完成请求http 返回结果
	CString GetFinishResult(CString filePath);//读取JOSN 文件 获取msg->token
	CString GetMsg(CString filePath);//读取JOSN 文件 获取msg->token
	//WirteJsonData 文件
	//1.检测条码 snCode
	//2.生产单号 moBill
	//3.总判定结果 result
	void WirteJsonData(CString m_snCode,CString m_moBill,CString m_result,CXMLData* pData);//写入JSON文件数据
	CStringA ReadJSONFile(const CString& filePath);
	std::string CStringToString(const CString& cstr);//CString 转换为std::string
	const char* StringToConstChar(const std::string& str);//std::string 转换为const char*
	void OutputLog(CString msg);//错误日志
public:
	CString msg;//Token
	ULONGLONG timestamp;//时间戳
	//获取文件路径
	CString strFilePath;//JSON文件路径
	CString m_sResult;//读取的返回结果
};

父类函数

在这里插入图片描述

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

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

相关文章

vue3 使用css实现一个弧形选中角标样式

文章目录 1. 实现效果2. 实现demo 在前端开发中&#xff0c;ui同学经常会设计这样的样式&#xff0c;用于区分选中的状态 下面抽空简单些了一下&#xff0c;记录下&#xff0c;后面直接复制用 1. 实现效果 实现一个菜单切换&#xff0c;右下角有个角标的样式 2. 实现demo 主要…

【Qt QML】Dialog组件

带有标准按钮和标题的弹出对话框&#xff0c;用于与用户进行短期交互。 这个描述指的是一个常见的用户界面元素&#xff0c;即一个临时弹出的窗口&#xff08;或对话框&#xff09;&#xff0c;它包含一个标题&#xff0c;显示对话框的用途或内容描述&#xff0c;以及一系列标…

学习笔记——动态路由协议——OSPF(OSPF区域)

四、OSPF区域 OSPF路由器在同一个区域(Area)内网络中泛红LSA(链路状态通告)。为了确保每台路由器都拥有对网络拓扑的一致认知&#xff0c;LSDB需要在区域内进行同步。如果OSPF域仅有一个区域&#xff0c;随着网络规模越来越大&#xff0c;LSDB越来越庞大&#xff0c;OSPF路由器…

走进智慧仓储:3D可视化工厂园区革新物流新纪元

在快节奏的现代生活中&#xff0c;物流仓储行业扮演着至关重要的角色。随着科技的飞速发展&#xff0c;传统仓储模式正面临一场前所未有的变革。今天&#xff0c;就让我们一起看看3D可视化技术如何为物流行业带来前所未有的便利与效率。 什么是3D可视化工厂园区&#xff1f; 3…

flowable6springboot2 工作流从入门到精通

相关文档 https://tkjohn.github.io/flowable-userguide/ 文档手册 https://github.com/flowable/flowable-engine/releases/tag/flowable-6.8.0 flowable-ui下载地址 https://dlcdn.apache.org/tomcat/tomcat-8/v8.5.100/bin/apache-tomcat-8.5.100.zip tomcat下载 百度网盘…

效率工作:一键为多种资产添加统一材质(小插件)

1.需求分析&#xff1a; 当导入一批资产&#xff0c;或者有同一批结构体需要添加相同材质时&#xff0c;单独为每个模型都添加材质费时费力&#xff0c;有没有什么办法&#xff0c;能同时为多个资产添加材质。 2.操作实现 1.在网上找到了一款插件&#xff0c;经过验证&#xf…

SQL2017附加从其他电脑复制过来的mdf数据后出现【只读】无法写入数据

1. 尝试给它所在的文件夹的属性中的“只读”去勾&#xff0c;无果。 2. 其他文章提示是文件的问题。 该错误为文件权限错误&#xff0c;找到该数据库的 数据库文件 和 日志文件&#xff0c;在安全中添加 Authenticated Users 用户的权限&#xff0c;并设置 “完全控制”

Idea工具的使用技巧与常见问题解决方案

一、使用技巧 1、启动微服务配置 如上图&#xff0c;在编辑配置选项&#xff0c;将对应的启动入口类加进去&#xff0c; 增加jvm启动参数&#xff0c; 比如&#xff1a; -Denvuat 或者 -Denvuat -Dfile.encodingUTF-8 启动配置可能不是-Denvuat&#xff0c;这个自己看代…

04 FreeRTOS 队列(queue)

1、队列的特性 队列可以理解为一个传送带&#xff0c;一个流水线。 队列可以包含若干个数据&#xff1a;队列中有若干项&#xff0c;这被称为"长度"(length) 每个数据大小固定 创建队列时就要指定长度、数据大小 数据的操作采用先进先出的方法(FIFO&#xff0c;First…

【Spring-01】BeanFactory和ApplicationContext

【Spring-01】BeanFactory和ApplicationContext 1. 容器接口1.1 什么是 BeanFactory1.2 BeanFactory 能做什么&#xff1f; 1. 容器接口 以 SpringBoot 的启动类为例&#xff1a; /*** BeanFactory 与 ApplicationContext的区别*/ SpringBootApplication public class Spring…

27快28了,想转行JAVA或者大数据,还来得及吗?

转行到JAVA或者大数据领域&#xff0c;27岁快28岁的年龄完全来得及。我这里有一套编程入门教程&#xff0c;不仅包含了详细的视频讲解&#xff0c;项目实战。如果你渴望学习编程&#xff0c;不妨点个关注&#xff0c;给个评论222&#xff0c;私信22&#xff0c;我在后台发给你。…

通义千问图像识别功能的23个实用案例

●给出穿搭建议 这位女士佩戴的是一款精致的长款耳坠&#xff0c;设计上融合了复古和现代元素。为了更好地搭配这款耳环&#xff0c;以下是一些建议&#xff1a; 服装风格&#xff1a;由于耳环本身具有一定的华丽感&#xff0c;建议选择简约而优雅的服装来平衡整体造型。可以选…

二叉树习题精讲-单值二叉树

单值二叉树 965. 单值二叉树 - 力扣&#xff08;LeetCode&#xff09;https://leetcode.cn/problems/univalued-binary-tree/description/ 判断这里面的所有数值是不是一样 方案1&#xff1a;遍历 方案2&#xff1a;拆分子问题 /*** Definition for a binary tree node.* struc…

意外发现openGauss兼容Oracle的几个条件表达式

意外发现openGauss兼容Oracle的几个条件表达式 最近工作中发现openGauss在兼容oracle模式下&#xff0c;可以兼容常用的两个表达式&#xff0c;因此就随手测试了一下。 查看数据库版本 [ommopenGauss ~]$ gsql -r gsql ((openGauss 6.0.0-RC1 build ed7f8e37) compiled at 2…

嵌入式进阶——RTC时钟

&#x1f3ac; 秋野酱&#xff1a;《个人主页》 &#x1f525; 个人专栏:《Java专栏》《Python专栏》 ⛺️心若有所向往,何惧道阻且长 文章目录 RTC时钟原理图PCF8563寄存器控制与状态寄存器 设备地址I2C环境初始化RTC寄存器数据读取RTC寄存器数据写入RTC闹钟设置RTC定时器设置…

HNU-人工智能-作业3

人工智能-作业3 计科210X 甘晴void 202108010XXX 1.贝叶斯网络 根据图所给出的贝叶斯网络&#xff0c;其中&#xff1a;P(A)0.5&#xff0c;P(B|A)1&#xff0c; P(B|A)0.5&#xff0c; P(C|A)1&#xff0c; P(C|A)0.5&#xff0c;P(D|BC)1&#xff0c;P(D|B, C)0.5&#xff…

基于51单片机的直流电机调速设计

一.硬件方案 本系统采用STC89C51控制输出数据&#xff0c;由单片机IO口产生PWM信号&#xff0c;送到直流电机&#xff0c;直流电机通过测速电路将实时转速送回单片机&#xff0c;进行转速显示&#xff0c;从而实现对电机速度和转向的控制&#xff0c;达到直流电机调速的目的。…

C 基础环境配置(vscode || vs)

目录 一.发展 二. 环境设置 1.vs2022 2.vscode (1.)首先下载VsCode (2)安装vsCode插件 (3)下载MinGW-W64 (4)配置文件 (5)注意把里面配置的:mingw64路径改为自己的路径 (6)示例代码 三.总结 一.发展 编程语言的发展 机器语言(打孔纸带编程),汇编语言,高级语言,一步步…

超详细的前后端实战项目(Spring系列加上vue3)前端篇+后端篇(三)(一步步实现+源码)

好了&#xff0c;兄弟们&#xff0c;继昨天的项目之后&#xff0c;开始继续敲前端代码&#xff0c;完成前端部分&#xff08;今天应该能把前端大概完成开启后端部分了&#xff09; 昨天补充了一下登录界面加上了文章管理界面和用户个人中心界面 完善用户个人中心界面 修改一…

【对算法期中卷子的解析和反思】

一、程序阅读并回答问题&#xff08;共30分&#xff09; #include<cstdio>#include<cstring>#include<iostream>using namespace std;char chess[10][10];int sign[10];int n, k, ans;void dfs(int x, int k) { if (k 0){ans;return; } if (xk-1 >…