【go/方法记录】局部坐标与世界坐标间的相互转换(位置/方向)

文章目录

  • 说在前面
  • 计算旋转矩阵
  • 计算变换矩阵
  • Inverse Quaternion
  • Euler To Quaternion
  • World to Local
    • Position
    • Rotation
  • Local to World
    • Position
    • Rotation
  • 参考

说在前面

  • golang版本: go1.20.5 windows/386
  • gonum版本:gonum.org/v1/gonum v0.14.0

计算旋转矩阵

  • 四元数→旋转矩阵

    import ("gonum.org/v1/gonum/mat""gonum.org/v1/gonum/num/quat"
    )
    func QuaternionToMatrix(qua *quat.Number) *mat.Dense {x, y, z, w := qua.Imag, qua.Jmag, qua.Kmag, qua.Realreturn mat.NewDense(3, 3, []float64{1 - 2*y*y - 2*z*z, 2*x*y - 2*z*w, 2*x*z + 2*y*w,2*x*y + 2*z*w, 1 - 2*x*x - 2*z*z, 2*y*z - 2*x*w,2*x*z - 2*y*w, 2*y*z + 2*x*w, 1 - 2*x*x - 2*y*y,})
    }
    

    详见:Maths - Conversion Quaternion to Matrix

  • 旋转矩阵→四元数

    import ("gonum.org/v1/gonum/mat""gonum.org/v1/gonum/num/quat"
    )
    func MatrixToQuaternion(m *mat.Dense) *quat.Number {var m00, m01, m02,m10, m11, m12,m20, m21, m22 = m.At(0, 0), m.At(0, 1), m.At(0, 2),m.At(1, 0), m.At(1, 1), m.At(1, 2),m.At(2, 0), m.At(2, 1), m.At(2, 2)tr := m00 + m11 + m22var x, y, z, w float64if tr > 0 {S := math.Sqrt(tr+1.0) * 2 // S=4*qww = 0.25 * Sx = (m21 - m12) / Sy = (m02 - m20) / Sz = (m10 - m01) / S} else if (m00 > m11) && (m00 > m22) {S := math.Sqrt(1.0+m00-m11-m22) * 2 // S=4*qxw = (m21 - m12) / Sx = 0.25 * Sy = (m01 + m10) / Sz = (m02 + m20) / S} else if m11 > m22 {S := math.Sqrt(1.0+m11-m00-m22) * 2 // S=4*qyw = (m02 - m20) / Sx = (m01 + m10) / Sy = 0.25 * Sz = (m12 + m21) / S} else {S := math.Sqrt(1.0+m22-m00-m11) * 2 // S=4*qzw = (m10 - m01) / Sx = (m02 + m20) / Sy = (m12 + m21) / Sz = 0.25 * S}return &quat.Number{Real: w, Imag: x, Jmag: y, Kmag: z}
    }
    

计算变换矩阵

  • 变换矩阵的基本形式为:
    T = [ R t 0 1 ] T = \begin{bmatrix} R & t \\ 0 & 1 \end{bmatrix} T=[R0t1]
    其中 R R R为上文计算的旋转矩阵,而 t t t为3row x 1col的位移变换(其值为物体的三维坐标)
  • 如果知道了World Space中某个物体的位置以及朝向(欧拉角或四元数),就能计算出它(相对于世界坐标系)的变换矩阵。

Inverse Quaternion

  • 对于一个单位四元数,直接取共轭(conjugate),gonum库有提供接口:
    // Conj returns the quaternion conjugate of q.
    func Conj(q Number) Number {return Number{Real: q.Real, Imag: -q.Imag, Jmag: -q.Jmag, Kmag: -q.Kmag}
    }
    
  • 否则,需要归一,gonum库也提供了接口:
    // Inv returns the quaternion inverse of q.
    func Inv(q Number) Number {if IsInf(q) {return zero}a := Abs(q)return Scale(1/(a*a), Conj(q))
    }
    

Euler To Quaternion

  • 欧拉角转四元数时,不同的旋转顺序对应的结果不一样,需要先确定旋顺序,Unity默认的顺序为ZXY
  • 参考Three.js实现
    setFromEuler( euler, update ) {const x = euler._x, y = euler._y, z = euler._z, order = euler._order;// http://www.mathworks.com/matlabcentral/fileexchange/// 	20696-function-to-convert-between-dcm-euler-angles-quaternions-and-euler-vectors///	content/SpinCalc.mconst cos = Math.cos;const sin = Math.sin;const c1 = cos( x / 2 );const c2 = cos( y / 2 );const c3 = cos( z / 2 );const s1 = sin( x / 2 );const s2 = sin( y / 2 );const s3 = sin( z / 2 );switch ( order ) {case 'XYZ':this._x = s1 * c2 * c3 + c1 * s2 * s3;this._y = c1 * s2 * c3 - s1 * c2 * s3;this._z = c1 * c2 * s3 + s1 * s2 * c3;this._w = c1 * c2 * c3 - s1 * s2 * s3;break;case 'YXZ':this._x = s1 * c2 * c3 + c1 * s2 * s3;this._y = c1 * s2 * c3 - s1 * c2 * s3;this._z = c1 * c2 * s3 - s1 * s2 * c3;this._w = c1 * c2 * c3 + s1 * s2 * s3;break;case 'ZXY':this._x = s1 * c2 * c3 - c1 * s2 * s3;this._y = c1 * s2 * c3 + s1 * c2 * s3;this._z = c1 * c2 * s3 + s1 * s2 * c3;this._w = c1 * c2 * c3 - s1 * s2 * s3;break;case 'ZYX':this._x = s1 * c2 * c3 - c1 * s2 * s3;this._y = c1 * s2 * c3 + s1 * c2 * s3;this._z = c1 * c2 * s3 - s1 * s2 * c3;this._w = c1 * c2 * c3 + s1 * s2 * s3;break;case 'YZX':this._x = s1 * c2 * c3 + c1 * s2 * s3;this._y = c1 * s2 * c3 + s1 * c2 * s3;this._z = c1 * c2 * s3 - s1 * s2 * c3;this._w = c1 * c2 * c3 - s1 * s2 * s3;break;case 'XZY':this._x = s1 * c2 * c3 - c1 * s2 * s3;this._y = c1 * s2 * c3 - s1 * c2 * s3;this._z = c1 * c2 * s3 + s1 * s2 * c3;this._w = c1 * c2 * c3 + s1 * s2 * s3;break;default:console.warn( 'THREE.Quaternion: .setFromEuler() encountered an unknown order: ' + order );}if ( update !== false ) this._onChangeCallback();return this;
    }
    

World to Local

Position

  • 对于某个父对象下的某个子对象,如果知道了父、子对象的世界坐标、朝向,就可以计算出子对象相对于父对象的局部坐标。通过父对象的变换矩阵 T T T进行计算:
    P l o c a l = T p a r e n t ′ P w o r l d P_{local}=T_{parent}'P_{world} Plocal=TparentPworld
    其中 T p a r e n t ′ T_{parent}' Tparent为父对象的变换矩阵的逆,
    P w o r l d P_{world} Pworld为世界坐标,其形式为:
    P w o r l d = [ x y z 1 ] P_{world}=\begin{bmatrix} x \\ y \\ z \\ 1 \end{bmatrix} Pworld= xyz1
  • 代码
    func WorldToLocal(x, y, z float64) {pWorld := mat.NewDense(4, 1, []float64{x, y, z, 1})T := mat.NewDense(4, 4, []float64{// ... 旋转矩阵+位置的组合 4X4矩阵})T.Inverse(T)pLocal := mat.NewDense(4, 1, nil)pLocal.Mul(T, pWorld)
    }
    

Rotation

  • 目前这里记录的是四元数的转换,并且由于网上找不到啥资料,两个转换是unity以及chat gpt提供的
  • unity,参考这里
    Q w o r l d = Q p a r e n t Q l o c a l Q_{world}=Q_{parent}Q_{local} Qworld=QparentQlocal
    那么:
    Q p a r e n t ′ Q w o r l d = Q l o c a l Q_{parent}'Q_{world}=Q_{local} QparentQworld=Qlocal
    其中 Q p a r e n t ′ Q_{parent}' Qparent为父对象的rotation的逆
  • chat gpt4提供的方式是:

    Prompt:
    how to convert quaternion from world to space
    GPT:
    Converting a quaternion from world space to local space (also referred to as “object space” or “model space”) typically involves using the inverse of the transformation quaternion that represents the orientation of the object in world space. This process is used in 3D graphics and physics simulations to understand the orientation of an object relative to its own coordinate system rather than the global coordinate system.
    Here’s a general step-by-step guide:

    1. Understand Quaternion Representation: Quaternions are a way to represent rotations. They have four components: ( x, y, z ) (the imaginary components) and ( w ) (the real component).
    2. Determine the World Space Quaternion: This is the quaternion that represents the rotation of your object in world space.
    3. Compute the Inverse of the World Space Quaternion: To convert a quaternion from world space to local space, you need the inverse of the world space quaternion. The inverse of a quaternion ( q = (x, y, z, w) ) is given by ( q^{-1} = (-x, -y, -z, w) ), assuming the quaternion is normalized (i.e., its length is 1).
    4. Apply the Inverse Quaternion to the Point or Quaternion of Interest: If you have a point or another quaternion that you want to convert from world space to local space, you multiply it by the inverse quaternion you computed in step 3. This operation is typically a quaternion multiplication.
    5. Normalize the Result (if needed): After the multiplication, it might be necessary to normalize the resulting quaternion to ensure that its length is 1.
    # Here is an example in Python pseudocode:
    # Assuming you have a quaternion class with necessary operations
    class Quaternion:def __init__(self, x, y, z, w):self.x = xself.y = yself.z = zself.w = wdef normalize(self):# Normalize the quaternionpassdef inverse(self):# Compute and return the inverse of the quaternionreturn Quaternion(-self.x, -self.y, -self.z, self.w)def __mul__(self, other):# Define quaternion multiplicationpass# Your world space quaternion
    world_space_quaternion = Quaternion(x, y, z, w)
    world_space_quaternion.normalize()# Compute the inverse
    inverse_quaternion = world_space_quaternion.inverse()# Multiply with the point/quaternion you want to convert
    # For example, converting another quaternion from world to local space
    local_space_quaternion = inverse_quaternion * other_quaternion
    
    和unity基本一致(但是我问3.5又是另一种结果)

Local to World

Position

  • 基本上反着来就行:
    P w o r l d = T p a r e n t P l o c a l P_{world}=T_{parent}P_{local} Pworld=TparentPlocal
    代码就不贴了,基本一致

Rotation

  • 基本上反着来就行
  • unity
    Q w o r l d = Q p a r e n t Q l o c a l Q_{world}=Q_{parent}Q_{local} Qworld=QparentQlocal
  • chat gpt
    公式和上面一致

参考

  • 3D Rotation Converter
  • Maths - Quaternion Functions
  • how to convert world space transform to object space transform?
  • 3.5的结果
    Converting a quaternion from world space to another space (e.g., local space or object space) involves a transformation that depends on the orientation of the reference spaces. Here’s a general approach:
    Let’s say you have a quaternion Q_world representing an orientation in world space, and you want to convert it to a quaternion Q_local in local space. Also, assume that you have the rotation matrix R_world_to_local that transforms vectors from world space to local space.
    The conversion can be done using the following formula:
    Q local = R world_to_local × Q world × R world_to_local T Q_{\text{local}} = R_{\text{world\_to\_local}} \times Q_{\text{world}} \times R_{\text{world\_to\_local}}^T Qlocal=Rworld_to_local×Qworld×Rworld_to_localT
    Here, R world_to_local T R_{\text{world\_to\_local}}^T Rworld_to_localT is the transpose of the rotation matrix. If the rotation matrix is a pure rotation matrix (i.e., it doesn’t include translation or scaling), then the transpose is the same as the inverse.
    If you have the rotation matrix in terms of a 3x3 matrix, you can convert it to a quaternion using a conversion function. The quaternion multiplication is typically implemented as Hamilton product.
    Here’s some pseudocode in Python:
    import numpy as np
    from scipy.spatial.transform import Rotation# Assuming Q_world is your quaternion in world space
    # Assuming R_world_to_local is your rotation matrix from world to local space# Convert rotation matrix to quaternion
    r_world_to_local = Rotation.from_matrix(R_world_to_local)
    q_world_to_local = r_world_to_local.as_quat()# Convert quaternion from world to local space
    q_world = np.quaternion(Q_world[0], Q_world[1], Q_world[2], Q_world[3])
    q_local = q_world_to_local * q_world * q_world_to_local.conj()# Extract the components of the resulting quaternion
    Q_local = np.array([q_local.real, q_local.imag[0], q_local.imag[1], q_local.imag[2]])
    

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

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

相关文章

hutool SM2(秘钥对、签名、验签、加密、解密)

//生成公钥对KeyPair pair SecureUtil.generateKeyPair("SM2");//私钥String privateKeyStr Base64.getEncoder().encodeToString(pair.getPrivate().getEncoded());//公钥String publicKeyStr Base64.getEncoder().encodeToString(pair.getPublic().getEncoded())…

F.binary_cross_entropy、nn.BCELoss、nn.BCEWithLogitsLoss与F.kl_div函数详细解读

提示:有关loss损失函数详细解读,并附源码!!! 文章目录 前言一、F.binary_cross_entropy()函数解读1.函数表达2.函数运用 二、nn.BCELoss()函数解读1.函数表达2.函数运用 三、nn.BCEWithLogitsLoss()函数解读1.函数表达…

Vue dev-tools的安装

安装 Vue 开发者工具,装插件调试Vue应用 1.通过谷歌应用商店来进行安装(国外网站) 2.极简插件: 搜索 Vue -> 下载解压 -> 浏览器扩展模式打开,开发者模式 -> 将解压的CRX文件拖拽安装 -> 插件详情 &…

vscode Prettier配置

常用配置项: .prettierrc.json 是 Prettier 格式化工具的配置文件 {"printWidth": 200, // 指定行的最大长度"tabWidth": 2, // 指定缩进的空格数"useTabs": false, // 是否使用制表符进行缩进,默认为 false"singl…

华为Matebook X Pro 2022款 i7 集显(MRG-W76)原装出厂Windows11预装系统21H2

下载链接:https://pan.baidu.com/s/12ru9lUeQ7mWd5u1KLCM0Pg?pwdc7pi 提取码:c7pi 原厂系统自带指纹、面部识别、声卡、网卡、显卡等所有驱动、出厂主题壁纸、Office办公软件、华为电脑管家等预装程序,如图 由于时间关系,绝大部分资料没…

照亮夜晚的台灯:户外空间的闪亮之选

户外台灯是家庭和社交空间的重要元素,它们不仅提供照明,还可以为您的户外区域增添美感,以及创造一个温馨的社交氛围。以下是一些关于户外台灯的信息,以帮助您更好地了解它们的多功能性和用途。 1、照明的重要性:户外台…

工作中积累的对K8s的就绪和存活探针的一些认识

首先,我的项目是基于 Spring Boot 2.3.5 的,并依赖 spring-boot-starter-actuator 提供的 endpoints 来实现就绪和存活探针,POM 文件如下图: 下面,再让我们来看下与该项目对应的Deployment的YAML文件,如下…

ES的索引概念

1. 概念:Elasticsearch(ES)是一个开源的全文搜索引擎,可以快速地存储、搜索和分析大量的结构化和非结构化数据。 2. 索引的作用:ES索引是将数据存储在Elasticsearch中的基本方式。它用于存储、搜索、分析和查询数据。…

Mac代码文本编辑器Sublime Text 4

Sublime Text 4 for Mac拥有快速响应的功能,可以快速加载文件和执行命令,并提供多种语言支持,包括C 、Java、Python、HTML、CSS等。此外,该编辑器还支持LaTeX、Markdown、JSON、XML等技术领域。 Sublime Text 4 for Mac的插件丰富…

【纯干货】医疗视觉大模型2023年进展简述|Medical Vision-language Models (VLM)

写在前面——本篇为原创内容,如转载/引用请务必注明出处!!(最后更新于2023年11月16日) 如有错误,欢迎评论区指出!!不胜感激!! 点赞三连谢谢!!! 如有 Medical…

【SA8295P 源码分析 (三)】125 - MAX96712 解串器 start_stream、stop_stream 寄存器配置 过程详细解析

【SA8295P 源码分析】125 - MAX96712 解串器 start_stream、stop_stream 寄存器配置 过程详细解析 一、sensor_detect_device():MAX96712 检测解串器芯片是否存在,获取chip_id、device_revision二、sensor_detect_device_channels() :MAX96712 解串器 寄存器初始化 及 detec…

K8s Pod 创建埋点处理(Mutating Admission Webhook)

写在前面 工作中涉及到相关的知识在实际的生产中,我们可以有需求对 创建的资源做一些类似 埋点 相关的操作,比如添加一些 Pod 创建时的自定义验证逻辑,类似表单提交验证那样,或者希望对创建的资源对象进行加工,在比如给…

一个怪异的笔记本重启死机问题分析

疫情期间买了个国产的海鲅笔记本,八代i5处理器8269u,显卡是集显里面比较牛的一款,iris 655。 当时买这个笔记本的主要原因是当小主机用的,平时接显示器,用来看网页,写代码,偶尔也能移动&#x…

如何分析伦敦金的价格走势预测?

伦敦金作为国际黄金市场的重要指标,其价格走势一直备受投资者关注。但是,黄金市场的价格变化受到多种因素的影响,因此要准确预测伦敦金的价格走势并非易事。在本文中,将介绍一些常用的方法和工具,帮助您分析伦敦金的价…

金融帝国实验室(Capitalism Lab)V10版本即将推出全新公司徽标(2023-11-13)

>〔在即将推出的V10版本中,我们将告别旧的公司徽标,采用全新光鲜亮丽、富有现代气息的设计,与金融帝国实验室(Capitalism Lab)的沉浸式体验完美互补!〕 ————————————— >〔《公司详细信…

ubuntu20源码编译搭建SRS流媒体服务器

第一、下载源码 下载源码,推荐用Ubuntu20: git clone -b develop https://gitee.com/ossrs/srs.git第二、编译 2.1、切换到srs/trunk目录: cd srs/trunk2.2、执行configure脚本 ./configure2.3、执行make命令 make2.4、修改conf/rtmp.c…

【打卡】牛客网:BM54 三数之和

资料&#xff1a; 1. 排序&#xff1a;Sort函数 升序&#xff1a;默认。 降序&#xff1a;加入第三个参数&#xff0c;可以greater<type>()&#xff0c;也可以自己定义 本题中发现&#xff0c;sort居然也可以对vector<vector<int>>排序。 C Sort函数详解_…

Axure9 基本操作(二)

1. 文本框、文本域 文本框&#xff1a;快速实现提示文字与不同类型文字显示的效果。 2. 下拉列表、列表框 下拉列表&#xff1a;快速实现下拉框及默认显示项的效果。 3. 复选框、单选按钮 4.

Mysql JSON 类型 索引查询 操作

JSON 类型操作 String 类型的 JSON 数组建立索引&查询语句 --索引添加 ALTER TABLE table_name ADD INDEX idx_json_cloumn ((cast(json_cloumn->"$[*]" AS CHAR(255) ARRAY))); --查询 explain select * from table_name tcai where JSON_CONTAINS(json_cl…

Linux 本地zabbix结合内网穿透工具实现安全远程访问浏览器

前言 Zabbix是一个基于WEB界面的提供分布式系统监视以及网络监视功能的企业级的开源解决方案。能监视各种网络参数&#xff0c;保证服务器系统的安全运营&#xff1b;并提供灵活的通知机制以让系统管理员快速定位/解决存在的各种问题。 本地zabbix web管理界面限制在只能局域…