OpenGL摄像机

摄像机类是基于坐标系统实现的,有关坐标系统:坐标系统。

摄像机基类

.h


#ifndef QTOPENGL_CAMERA_H
#define QTOPENGL_CAMERA_H#include<QMatrix4x4>
#include <vector>
#include <QOpenGLShaderProgram>#define PI 3.141592653589793638
// 移动方向枚举量. 是一种抽象,以避开特定于窗口系统的输入方法
// 我们这里是WSAD
enum Camera_Movement {emFORWARD,emBACKWARD,emLEFT,emRIGHT,emUP,emDOWN
};// 默认值
const float YAW         = -90.0f;
const float PITCH       =  0.0f;
const float SPEED       =  2.5f;
const float SENSITIVITY =  0.5f;
const float ZOOM        =  45.0f;// 一个抽象的camera类,用于处理输入并计算相应的Euler角度、向量和矩阵,以便在OpenGL中使用
class Camera
{
public:// constructor with vectorsexplicit Camera(QVector3D position = QVector3D(0.0f, 0.0f, 3.0f), QVector3D up = QVector3D(0.0f, 1.0f, 0.0f), float yaw = YAW, float pitch = PITCH);// constructor with scalar valuesCamera(float posX, float posY, float posZ, float upX, float upY, float upZ, float yaw, float pitch);// returns the view matrix calculated using Euler Angles and the LookAt MatrixQMatrix4x4 getViewMatrix();// 处理从任何类似键盘的输入系统接收的输入。接受摄像机定义枚举形式的输入参数(从窗口系统中提取)void processKeyboard(Camera_Movement direction, float deltaTime);// 处理从鼠标输入系统接收的输入。需要x和y方向上的偏移值。void processMouseMovement(float xoffset, float yoffset, GLboolean constrainPitch = true);// 处理从鼠标滚轮事件接收的输入。仅需要在垂直车轮轴上输入void processMouseScroll(float yoffset);void setPosition(const QVector3D &position);QVector3D getPosition();void setFront(const QVector3D &front);QVector3D getFront();void setUp(const QVector3D &up);QVector3D getUp();void setRight(const QVector3D &right);QVector3D getRight();void setWorldUp(const QVector3D &worldUp);QVector3D getWorldUp();void setYaw(const float &yaw);float getYaw() const;void setPitch(const float &pitch);float getPitch() const;void setMovementSpeed(const float &movementSpeed);float getMovementSpeed() const;void setMouseSensitivity(const float &mouseSensitivity);float getMouseSensitivity() const;void setZoom(const float &zoom);float getZoom() const;
private:// 根据相机的(更新的)Euler角度计算前矢量void updateCameraVectors();
private:QVector3D m_position; // 摄像机位置QVector3D m_front;  // 前后移动值QVector3D m_up;  // 上下移动值QVector3D m_right;  // 左右移动值QVector3D m_worldUp;float m_yaw;    // euler Anglesfloat m_pitch;// camera optionsfloat m_movementSpeed;float m_mouseSensitivity;float m_zoom;};#endif //QTOPENGL_CAMERA_H

.cpp


#include "camera.h"Camera::Camera(QVector3D position, QVector3D up, float yaw, float pitch): m_front(QVector3D(0.0f, 0.0f, 0.0f)), m_movementSpeed(SPEED), m_mouseSensitivity(SENSITIVITY), m_zoom(ZOOM)
{m_position = position;m_worldUp = up;m_yaw = yaw;m_pitch = pitch;qDebug()<<m_worldUp; //QVector3D(0, 1, 0)//摄像机初始化时候调用此函数进行局部坐标的初始化updateCameraVectors();
}Camera::Camera(float posX, float posY, float posZ, float upX, float upY, float upZ, float yaw, float pitch): m_front(QVector3D(0.0f, 0.0f, 0.0f)), m_movementSpeed(SPEED), m_mouseSensitivity(SENSITIVITY), m_zoom(ZOOM)
{m_position = QVector3D(posX, posY, posZ);m_worldUp = QVector3D(upX, upY, upZ);m_yaw = yaw;m_pitch = pitch;updateCameraVectors();
}QMatrix4x4 Camera::getViewMatrix()
{QMatrix4x4 theMatrix;//m_position + m_front是指向这个方向向量,,而单独的m_front是指向那个点theMatrix.lookAt(m_position, m_position + m_front, m_up);  //保证摄像机始终注视前方return theMatrix;
}void Camera::processKeyboard(Camera_Movement direction, float deltaTime)
{float velocity = m_movementSpeed * deltaTime;if (direction == emFORWARD)m_position += m_front * velocity;if (direction == emBACKWARD)m_position -= m_front * velocity;if (direction == emLEFT)m_position -= m_right * velocity;if (direction == emRIGHT)m_position += m_right * velocity;if (direction == emUP)m_position -= m_up * velocity;if (direction == emDOWN)m_position += m_up * velocity;
}void Camera::processMouseMovement(float xoffset, float yoffset, GLboolean constrainPitch)
{xoffset *= m_mouseSensitivity;yoffset *= m_mouseSensitivity;m_yaw   += xoffset;m_pitch += yoffset;// 确保当投球超出边界时,屏幕不会翻转if (constrainPitch){if (m_pitch > 89.0f)m_pitch = 89.0f;if (m_pitch < -89.0f)m_pitch = -89.0f;}// 使用更新的Euler角度更新前、右和上矢量updateCameraVectors();
}void Camera::processMouseScroll(float yoffset)
{m_zoom -= (float)yoffset;if (m_zoom < 1.0f)m_zoom = 1.0f;if (m_zoom > 75.0f)m_zoom = 75.0f;
}#include<cmath>
void Camera::updateCameraVectors()
{// calculate the new Front vectorQVector3D front;front.setX(cos(m_yaw*PI/180.0) * cos(m_pitch*PI/180.0));front.setY( sin(m_pitch*PI/180.0));front.setZ(sin(m_yaw*PI/180.0) * cos(m_pitch*PI/180.0));front.normalize();m_front = front;// also re-calculate the Right and Up vectorm_right = QVector3D::crossProduct(m_front, m_worldUp);// 标准化向量,因为向上或向下看得越多,向量的长度就越接近0,这会导致移动速度变慢。m_right.normalize();m_up = QVector3D::crossProduct(m_right, m_front);m_up.normalize();
}QVector3D Camera::getPosition()
{return m_position;
}void Camera::setPosition(const QVector3D &position)
{m_position = position;
}void Camera::setFront(const QVector3D &front)
{m_front = front;
}QVector3D Camera::getFront()
{return m_front;
}void Camera::setUp(const QVector3D &up)
{m_up = up;
}QVector3D Camera::getUp()
{return m_up;
}void Camera::setRight(const QVector3D &right)
{m_right = right;
}QVector3D Camera::getRight()
{return m_right;
}void Camera::setWorldUp(const QVector3D &worldUp)
{m_worldUp = worldUp;
}QVector3D Camera::getWorldUp()
{return m_worldUp;
}void Camera::setYaw(const float &yaw)
{m_yaw = yaw;
}float Camera::getYaw() const
{return m_yaw;
}void Camera::setPitch(const float &pitch)
{m_pitch = pitch;
}float Camera::getPitch() const
{return m_pitch;
}void Camera::setMovementSpeed(const float &movementSpeed)
{m_movementSpeed = movementSpeed;
}float Camera::getMovementSpeed() const
{return m_movementSpeed;
}void Camera::setMouseSensitivity(const float &mouseSensitivity)
{m_mouseSensitivity = mouseSensitivity;
}float Camera::getMouseSensitivity() const
{return m_mouseSensitivity;
}void Camera::setZoom(const float &zoom)
{m_zoom = zoom;
}float Camera::getZoom() const
{return m_zoom;
}

自定义opengl窗口代码

.h

#ifndef MYOPENGL_H
#define MYOPENGL_H#include<QOpenGLWidget>
#include<QOpenGLFunctions_3_3_Core>
#include<QOpenGLShaderProgram>
#include<QOpenGLTexture>
#include<camera.h>
class MyOpenGL : public QOpenGLWidget,public QOpenGLFunctions_3_3_Core
{
public:explicit MyOpenGL(QWidget *parent = nullptr);~MyOpenGL();enum Shape{None,Rect,Circle,Triangle,RectWireframe};// QOpenGLWidget interface
protected:void initializeGL(); //初始化glvoid resizeGL(int w, int h);void paintGL();  //重绘//void mouseMoveEvent(QMouseEvent *event);void keyPressEvent(QKeyEvent *event);void mouseMoveEvent(QMouseEvent *event);
private:GLuint VAO = 0;GLuint VBO = 0;GLuint EBO = 0;Shape shape;QOpenGLShaderProgram *myshaderprogram = nullptr;QOpenGLTexture *texture1 = nullptr;QVector3D cameraPos; //相机位置QVector3D cameraLookAtDerection; //相机正方向QVector3D cameraRightDirection; //相机右方向/** projection矩阵中的fov角度*   fov(field of View) 定义了可以看到场景中多大的范围。当视野变小时,场景投影出来的空间就会减小,* 产生放大(Zoom In)的感觉*/float m_fov; //角度Camera camera;QVector3D  camera_position_;// QWidget interface
protected:void mousePressEvent(QMouseEvent *event);
//     void mouseReleaseEvent(QMouseEvent *event);
};#endif // MYOPENGL_H

.cpp

#include "myopengl.h"
#include <QKeyEvent>
#include<iostream>
#include<cmath>
MyOpenGL::MyOpenGL(QWidget *parent): QOpenGLWidget(parent)
{
//设置聚焦模式
setFocusPolicy(Qt::StrongFocus);}MyOpenGL::~MyOpenGL()
{if(!isValid()) return;        // 如果控件和OpenGL资源(如上下文)已成功初始化,则返回true。this->makeCurrent(); // 通过将相应的上下文设置为当前上下文并在该上下文中绑定帧缓冲区对象,为呈现此小部件的OpenGL内容做准备。this->doneCurrent();    // 释放上下文// 释放glDeleteBuffers(1, &VBO);glDeleteBuffers(1, &EBO);glDeleteVertexArrays(1, &VAO);myshaderprogram->release();texture1->release();myshaderprogram->removeAllShaders();}float vertices[] = {// positions          // colors-0.5f, -0.5f, -0.5f, 0.0f, 0.0f,0.5f, -0.5f, -0.5f, 1.0f, 0.0f,0.5f, 0.5f, -0.5f, 1.0f, 1.0f,0.5f, 0.5f, -0.5f, 1.0f, 1.0f,-0.5f, 0.5f, -0.5f, 0.0f, 1.0f,-0.5f, -0.5f, -0.5f, 0.0f, 0.0f,-0.5f, -0.5f, 0.5f, 0.0f, 0.0f,0.5f, -0.5f, 0.5f, 1.0f, 0.0f,0.5f, 0.5f, 0.5f, 1.0f, 1.0f,0.5f, 0.5f, 0.5f, 1.0f, 1.0f,-0.5f, 0.5f, 0.5f, 0.0f, 1.0f,-0.5f, -0.5f, 0.5f, 0.0f, 0.0f,-0.5f, 0.5f, 0.5f, 1.0f, 0.0f,-0.5f, 0.5f, -0.5f, 1.0f, 1.0f,-0.5f, -0.5f, -0.5f, 0.0f, 1.0f,-0.5f, -0.5f, -0.5f, 0.0f, 1.0f,-0.5f, -0.5f, 0.5f, 0.0f, 0.0f,-0.5f, 0.5f, 0.5f, 1.0f, 0.0f,0.5f, 0.5f, 0.5f, 1.0f, 0.0f,0.5f, 0.5f, -0.5f, 1.0f, 1.0f,0.5f, -0.5f, -0.5f, 0.0f, 1.0f,0.5f, -0.5f, -0.5f, 0.0f, 1.0f,0.5f, -0.5f, 0.5f, 0.0f, 0.0f,0.5f, 0.5f, 0.5f, 1.0f, 0.0f,-0.5f, -0.5f, -0.5f, 0.0f, 1.0f,0.5f, -0.5f, -0.5f, 1.0f, 1.0f,0.5f, -0.5f, 0.5f, 1.0f, 0.0f,0.5f, -0.5f, 0.5f, 1.0f, 0.0f,-0.5f, -0.5f, 0.5f, 0.0f, 0.0f,-0.5f, -0.5f, -0.5f, 0.0f, 1.0f,-0.5f, 0.5f, -0.5f, 0.0f, 1.0f,0.5f, 0.5f, -0.5f, 1.0f, 1.0f,0.5f, 0.5f, 0.5f, 1.0f, 0.0f,0.5f, 0.5f, 0.5f, 1.0f, 0.0f,-0.5f, 0.5f, 0.5f, 0.0f, 0.0f,-0.5f, 0.5f, -0.5f, 0.0f, 1.0f
};GLuint index[] = {0,1,3,1,2,3
};QVector<QVector3D> cubePositions = {QVector3D(0.0f, 0.0f, 0.0f),QVector3D(2.0f, 5.0f, -15.0f),QVector3D(-1.5f, -2.2f, -2.5f),QVector3D(-3.8f, -2.0f, -12.3f),QVector3D(2.4f, -0.4f, -3.5f),QVector3D(-1.7f, 3.0f, -7.5f),QVector3D(1.3f, -2.0f, -2.5f),QVector3D(1.5f, 2.0f, -2.5f),QVector3D(1.5f, 0.2f, -1.5f),QVector3D(-1.3f, 1.0f, -1.5f)
};
bool gamma = true;
bool gamma2 = false;
void MyOpenGL::initializeGL()
{initializeOpenGLFunctions(); //初始化方法GLint vertexAttributeCount;glGetIntegerv(GL_MAX_VERTEX_ATTRIBS, &vertexAttributeCount);qDebug() << "GL_MAX_VERTEX_ATTRIBS count = " << vertexAttributeCount;//加载shader脚本程序myshaderprogram = new QOpenGLShaderProgram(this);myshaderprogram->addShaderFromSourceFile(QOpenGLShader::Vertex,":/new/prefix1/vertex.vsh");myshaderprogram->addShaderFromSourceFile(QOpenGLShader::Fragment,":/new/prefix1/fragment.fsh");myshaderprogram->link();myshaderprogram->bind();//获取属性idGLuint posAttr = GLuint(myshaderprogram->attributeLocation("aPos"));GLuint texCord = GLuint(myshaderprogram->attributeLocation("aTexCord"));//vao,vbo,ebo初始化glGenVertexArrays(1,&VAO);glGenBuffers(1,&VBO);glGenBuffers(1,&EBO);//绑定vao和vbo对象,eboglBindVertexArray(VAO);glBindBuffer(GL_ARRAY_BUFFER,VBO);glBindBuffer(GL_ELEMENT_ARRAY_BUFFER,EBO);//为缓冲对象创建一个新的数据存储glBufferData(GL_ARRAY_BUFFER,sizeof(vertices),vertices,GL_STATIC_DRAW);glBufferData(GL_ELEMENT_ARRAY_BUFFER,sizeof(index),index,GL_STATIC_DRAW);//设置顶点属性glVertexAttribPointer(posAttr,3,GL_FLOAT,GL_FALSE,5*sizeof(float),(void*)0);// 开启VAO管理的第一个属性值glEnableVertexAttribArray(posAttr);//设置纹理属性glVertexAttribPointer(texCord,2,GL_FLOAT,GL_FALSE,5*sizeof(float),(void*)(3 * sizeof(float)));// 开启VAO管理的第一个属性值glEnableVertexAttribArray(texCord);//声明纹理texture1 = new QOpenGLTexture(QOpenGLTexture::Target2D);// 设置纹理格式texture1->setFormat(QOpenGLTexture::RGBA8_UNorm); // 注意:R8_UNorm 通常用于单通道灰度图像// 加载图像并设置到纹理中QImage image1(":/new/prefix1/D:/12929/Desktop/1.jpeg"); // 确保路径正确if (!image1.isNull() ) {qDebug() << " load images.";// 自动根据图像大小分配纹理存储并设置数据texture1->create(); // 这将自动根据 image1 的大小设置纹理大小texture1->setData(image1.mirrored());  //传入镜像,对y翻转} else {qDebug() << "Failed to load images.";// 处理图像加载失败的情况}//设置纹理单元的分配索引0和1,在patinGL中进行Bindmyshaderprogram->setUniformValue("texture1",0);}void MyOpenGL::resizeGL(int w, int h)
{}void MyOpenGL::paintGL()
{// 设置Clear的属性glClearColor(0.0f,0.0f,0.0f,0.0f);//启动深度测试glEnable(GL_DEPTH_TEST);// 使用glClear(GL_COLOR_BUFFER_BIT | GL_DEPTH_BUFFER_BIT);myshaderprogram->bind();texture1->bind(0);glBindVertexArray(VAO);//映射矩阵QMatrix4x4 projection;//设置映射属性值projection.perspective(75, float(width()) / float(height()), 0.1f, 100.0f);myshaderprogram->setUniformValue("projection", projection);//观察矩阵QMatrix4x4 view = camera.getViewMatrix();
//         QMatrix4x4 view ;
//         view.translate(0.0f, 0.0f, -3.0f);myshaderprogram->setUniformValue("view", view);//模型矩阵QMatrix4x4 model;for (unsigned int i = 0; i < 10; ++i){//将模型的变换矩阵重置为单位矩阵model.setToIdentity();//这行代码将模型沿着某个向量(cubePositions[i])进行平移变换。cubePositions[i]是一个包含三个元素的数组或向量,分别代表在X、Y、Z轴上的平移量。这意味着模型将被移动到新的位置,该位置由cubePositions[i]定义。model.translate(cubePositions[i]);float angle = 20.0f * i;model.rotate(angle, 1.0f, 0.3f, 0.5f);myshaderprogram->setUniformValue("model", model);glDrawArrays(GL_TRIANGLES, 0, 36);}//update();
}void MyOpenGL::keyPressEvent(QKeyEvent *event)
{qDebug()<<"keyPressEvent";switch (event->key()){case Qt::Key_W:camera.processKeyboard(Camera_Movement::emFORWARD, 0.05);break;case Qt::Key_A:camera.processKeyboard(Camera_Movement::emLEFT, 0.05);break;case Qt::Key_S:camera.processKeyboard(Camera_Movement::emBACKWARD, 0.05);break;case Qt::Key_D:camera.processKeyboard(Camera_Movement::emRIGHT, 0.05);break;case Qt::Key_Q:camera.processKeyboard(Camera_Movement::emUP, 0.05);break;case Qt::Key_E:camera.processKeyboard(Camera_Movement::emDOWN, 0.05);break;case Qt::Key_Space:camera.setPosition(camera_position_);break;case Qt::Key_T:gamma = !gamma;break;}update();
}QPoint lastPos;
void MyOpenGL::mouseMoveEvent(QMouseEvent *event)
{makeCurrent(); //确保opengl窗口为当前上下文qDebug()<<"mouseMoveEvent:";//获取位置auto currentPos = event->pos();QPoint deltaPos = currentPos -lastPos ;lastPos = currentPos;//更新位置camera.setYaw(camera.getYaw()+deltaPos.x());camera.setPitch(camera.getPitch()+deltaPos.y());if(event->buttons() & Qt::LeftButton){camera.processMouseMovement(deltaPos.x(),-deltaPos.y());}update();doneCurrent();}void MyOpenGL::mousePressEvent(QMouseEvent *event)
{if(event->button() == Qt::LeftButton){lastPos = event->pos();}
}

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

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

相关文章

Cesium基础-(Entity)-(Box)

** 里边包含Vue、React框架代码详细步骤、以及代码详细解释 ** 3、Box 盒子 以下是 BoxGeometry 类的属性、方法和静态方法,以表格形式展示: 属性 属性名类型默认值描述minimumCartesian3盒子的最小 x, y, 和 z 坐标。maximumCartesian3盒子的最大 x, y, 和 z 坐标。vertex…

UDS 0x3E service

0x3E service 1. 概念2. Request message 数据格式2.1 子服务3. Respone message 数据格式3.1 正响应格式3.2 negative respone codes(NRC)4. 示例4.1 正响应示例:4.2 NRC 示例1. 概念 UDS 0x3E服务,即TesterPresent服务,是一种在统一诊断服务(UDS)中使用的诊断会话保持机…

CRC 校验码

试题&#xff1a;若信息码字为111000110&#xff0c;生成多项式G(x)x5x3 x1&#xff0c;则计算出的CRC校验码为&#xff08; &#xff09;。 1、多项式 通过多项式和信息码来生成校验码 按照从最高次幂到最低次幂的顺序&#xff0c;将系数依次排列就可以得到二进制表达式 x5x3…

2024年下教师资格证面试报名详细流程❗

⏰ 重要时间节点&#xff1a; &#xff08;一&#xff09;下半年笔试成绩查询&#xff1a;11月8日10:00 &#xff08;二&#xff09;注册报名&#xff1a;11月8日10:00-11日18:00 &#xff08;三&#xff09;网上审核&#xff1a;11月8日10:00-11日18:00 &#xff08;四&#x…

Flume的安装配置

一、上传解压 tar -zxvf apache-flume-1.9.0-bin.tar.gz -C /usr/local/soft/#***在环境变量中增加如下命令&#xff0c;可以使用 soft 快速切换到 /usr/local/soft***alias softcd /usr/local/soft/ 二、配置环境变量 soft #重命名 mv apache-flume-1.9.0-bin/ flume-1.9.0…

React写关键字高亮的三个方案

1.js正则replaceAlldangerouslySetInnerHTML{{ __html: xxx }}危险属性 步骤最简单,但是是危险属性,不推荐使用,项目中实在没有头绪,可以使用它应急 通过useMemo计算得到新的状态值,赋值给dangerouslySetInnerHTML属性的__html 关键代码: const [state1, setState1] useSt…

ifftshift函数

ifftshift 原理 将频域数据移回时域的函数。它通常与 fftshift 配合使用&#xff0c;后者用于将时域数据移动到频域中心。 而ifftshift所作的事正好相反&#xff0c;将频谱恢复到能量集中在两端&#xff08;或四个角&#xff09;上&#xff0c;接着就可以做逆傅里叶变换了 具…

基于YOLOv11的动物类别实时检测系统(python+pyside6界面+系统源码+可训练的数据集+也完成的训练模型)

100多种【基于YOLOv8/v10/v11的目标检测系统】目录&#xff08;pythonpyside6界面系统源码可训练的数据集也完成的训练模型&#xff09; 摘要&#xff1a; 本文提出了一种基于YOLOv11算法的动物检测系统&#xff0c;利用7101张图片&#xff08;5521张训练集&#xff0c;1580张…

OutLook for Windows(New) 滚蛋吧

电脑OS:Windows 10 问题发生原因,不小心点击了应用商店里面的全部更新,电脑上的邮件 (UWP)应用直接给升级成最新的了,点击邮件直接闪切OutLook for Windows(New) 这个软件, 应用升级本来是一件好的事情,但是在Windows应用商店里面就是一件非常差劲的事情,有的软件升级之后更难…

力扣刷题(sql)--零散知识点(1)

通过一段时间的刷题&#xff0c;感觉自己的sql能力逐渐上去&#xff0c;所以不会像前三道题一样讲那么详细了&#xff0c;这里主要会讲到一些特殊的知识点和方法。另外&#xff0c;我的建议是做完一个题有好的想法赶紧记录下来&#xff0c;不要想着最后汇总&#xff0c;不然会懒…

文献阅读记录5-Recent Progress in the Discovery and Design of AntimicrobialPeptides

文章名字是Recent Progress in the Discovery and Design of Antimicrobial Peptides Using Traditional Machine Learning and Deep Learning&#xff0c;24年发表 摘要 由于传统抗生素的滥用和多重耐药微生物的增加&#xff0c;抗菌药物耐药性已成为一个全球性的重大健康问…

MySQL创建库,设计表

要求&#xff1a; 根据以下需求完成图书管理系统数据库及表设计&#xff0c;并建库建表&#xff0c;并截图创建表 的详细信息(desc 表名),不用添加数据 1. 用户表: 字段: 姓名&#xff0c;用户名&#xff0c;密码&#xff0c;电话&#xff0c;住址&#xff0c;专业及年级 2. 图…

Maven 项目管理工具

目录 Maven简介 Maven快速上手 Maven详细介绍 Maven工作机制 Maven安装及配置 使用IDEA创建Maven Web工程 Maven简介 Maven是 Apache 开源组织奉献的一个开源项目&#xff0c;可以翻译为“专家”或“内行”。 Maven 的本质是一个项目管理工具&#xff0c;将项目开发和管…

unity3d——Time

在Unity3D中&#xff0c;Time类是一个非常重要的工具类&#xff0c;它提供了一系列与时间相关的属性和方法&#xff0c;帮助开发者在游戏中实现各种时间相关的操作。以下是一些Time类常用的方法及其示例&#xff1a; 一、常用属性 Time.time 含义&#xff1a;表示从游戏开始到…

华为大咖说丨如何通过反馈机制来不断优化大模型应用?

本文分享自时习知 作者&#xff1a;袁泉&#xff08;华为AI数据工程专家&#xff09;全文约3015字&#xff0c;阅读约需8分钟 大模型应用正式投入使用后&#xff0c;存在一个较为普遍的情况&#xff1a;在利用“大模型提升业务运营效率”的过程中&#xff0c;业务部门和IT团队…

K8S如何基于Istio重新实现微服务

K8S如何基于Istio重新实现微服务 认识 Istio前言Istio 的理念Istio 的架构数据平面控制平面服务与 Istio 的关系 Istio 实践环境准备安装 Helm安装Istio 使用 Istio 代理运行应用情感分析应用的架构使用 Istio 代理运行应用Sidecar 注入Ingress 网关网关资源VirtualService 资源…

动态规划 —— 路径问题-不同路径

1. 不同路径 题目链接&#xff1a; 62. 不同路径 - 力扣&#xff08;LeetCode&#xff09;https://leetcode.cn/problems/unique-paths/description/ 2. 算法原理 1. 状态表示&#xff1a;以莫一个位置为结尾 dp[i]表示&#xff1a;以[i&#xff0c;j]位置为结尾时&#xff0…

本地Docker部署开源WAF雷池并实现异地远程登录管理界面

&#x1f49d;&#x1f49d;&#x1f49d;欢迎来到我的博客&#xff0c;很高兴能够在这里和您见面&#xff01;希望您在这里可以感受到一份轻松愉快的氛围&#xff0c;不仅可以获得有趣的内容和知识&#xff0c;也可以畅所欲言、分享您的想法和见解。 推荐:kwan 的首页,持续学…

[四轴飞行器] 航模常见术语

航模常见术语 1.X模式和模式 从结构形式上四轴飞行器可分为十字模式和X模式。十字模式如下图左所示&#xff0c;X模式如下图右所示。对于姿态测量和控制来说&#xff0c;两种结构差别不大。如果考虑安装航拍摄 像机&#xff0c;为了视线不被挡住&#xff0c;通常采用X模式。 …

mysql原理、部署mysql主从+读写分离、监控mysql主从脚本

mysql&#xff1a;工作原理 从库生成两个线程&#xff0c;一个I/O线程&#xff0c;一个SQL线程&#xff1b; i/o线程去请求主库 的binlog&#xff0c;并将得到的binlog日志写到relay log&#xff08;中继日志&#xff09; 文件中&#xff1b; 主库会生成一个 log dump 线程&…