Update function-math-fma.md

Use Luau instead of C
This commit is contained in:
Wunder Wulfe 2025-02-23 04:15:28 -03:00 committed by GitHub
parent 3f5aa5f40a
commit 4fd0d8508e
Signed by: DevComp
GPG key ID: B5690EEEBB952194

View file

@ -16,18 +16,10 @@ The *two* advantages of this operation are as follows:
The example below is a dot product between two 4-dimensional vectors:
```cpp
double dot(
double ax, double ay, double az, double aw,
double bx, double by, double bz, double bw
)
{
return
(ax * bx)
+ (ay * by)
+ (az * bz)
+ (aw * bw);
}
```luau
function Vector4.Dot( Vector4 a, Vector4 b ): number
return a.X * b.X + a.Y * b.Y + a.Z * b.Z + a.W * b.W;
end
```
This computation results in a total of `7` math instructions
@ -42,21 +34,10 @@ The *two* advantages of this operation are as follows:
ADDSD xmm0, xmm3 ; + (aw * bw)
```
Algorithm simplified with `fma`:
```cpp
double dot(
double ax, double ay, double az, double aw,
double bx, double by, double bz, double bw
)
{
return fma(
ax, bx, fma(
ay, by, fma(
az, bz,
aw * bw
)
)
);
}
```luau
function Vector4.Dot( Vector4 a, Vector4 b ): number
return math.fma( a.X, b.X, math.fma( a.Y, b.Y, math.fma( a.Z, b.Z, a.W * b.W ) ) );
end
```
The optimization will reduce to `4` math instructions:
```asm