【视觉高级篇】24 # 如何模拟光照让3D场景更逼真?(下)

news2025/10/26 2:09:39

说明

【跟月影学可视化】学习笔记。

什么是镜面反射?

如果若干平行光照射在表面光滑的物体上,反射出来的光依然平行,这种反射就是镜面反射。越光滑的材质,它的镜面反射效果也就越强,并且物体表面会有闪耀的光斑,也叫镜面高光

在这里插入图片描述

镜面反射的性质:入射光与法线的夹角等于反射光与法线的夹角

如何实现有向光的镜面反射?

实现镜面反射效果的步骤:

  1. 求出反射光线的方向向量
  2. 根据相机位置计算视线与反射光线夹角的余弦
  3. 使用系数和指数函数设置镜面反射强度
  4. 将漫反射和镜面反射结合起来,让距离光源近的物体上形成光斑

下面以点光源为例来实现光斑:

<!DOCTYPE html>
<html lang="en">
    <head>
        <meta charset="UTF-8" />
        <meta http-equiv="X-UA-Compatible" content="IE=edge" />
        <meta name="viewport" content="width=device-width, initial-scale=1.0" />
        <title>如何实现点光源的镜面反射</title>
        <style>
            canvas {
                border: 1px dashed #fa8072;
            }
        </style>
    </head>
    <body>
        <canvas width="512" height="512"></canvas>
        <script type="module">
            import { Renderer, Camera, Transform, Sphere, Box, Cylinder, Torus, Orbit, Program, Mesh, Color } from './common/lib/ogl/index.mjs';
            // JavaScript Controller Library
            import * as dat from './common/lib/dat.gui.js';
            console.log(dat)

            const canvas = document.querySelector('canvas');
            const renderer = new Renderer({
                canvas,
                width: 512,
                height: 512,
            });

            const gl = renderer.gl;
            gl.clearColor(1, 1, 1, 1);
            const camera = new Camera(gl, {fov: 35});
            camera.position.set(0, 0, 10);
            camera.lookAt([0, 0, 0]);

            const scene = new Transform();

            // 在顶点着色器中,将物体变换后的坐标传给片元着色器
            const vertex = `
                precision highp float;

                attribute vec3 position;
                attribute vec3 normal;
                uniform mat4 modelViewMatrix;
                uniform mat4 viewMatrix;
                uniform mat4 projectionMatrix;
                uniform mat3 normalMatrix;
                uniform vec3 cameraPosition;

                varying vec3 vNormal;
                varying vec3 vPos;
                varying vec3 vCameraPos;

                void main() {
                    vec4 pos = modelViewMatrix * vec4(position, 1.0);
                    vPos = pos.xyz;
                    // 求光源与点坐标的方向向量
                    vCameraPos = (viewMatrix * vec4(cameraPosition, 1.0)).xyz;
                    vNormal = normalize(normalMatrix * normal);
                    gl_Position = projectionMatrix * pos;
                }
            `;

            // 传入环境光 ambientLight 和材质反射率 materialReflection
            // 片元着色器中计算光线方向与法向量夹角的余弦
            const fragment = `
                precision highp float;

                uniform vec3 ambientLight;
                uniform vec3 materialReflection;
                uniform vec3 pointLightColor;
                uniform vec3 pointLightPosition;
                uniform mat4 viewMatrix;
                uniform vec3 pointLightDecayFactor;

                varying vec3 vNormal;
                varying vec3 vPos;
                varying vec3 vCameraPos;

                void main() {
                    // 光线到点坐标的方向
                    vec3 dir = (viewMatrix * vec4(pointLightPosition, 1.0)).xyz - vPos;

                    // 光线到点坐标的距离,用来计算衰减
                    float dis = length(dir);

                    // 归一化
                    dir = normalize(dir);

                    // 与法线夹角余弦
                    float cos = max(dot(normalize(dir), vNormal), 0.0);

                    // 反射光线:使用 GLSL 的内置函数 reflect,这个函数能够返回一个向量相对于某个法向量的反射向量
                    vec3 reflectionLight = reflect(-dir, vNormal);
                    vec3 eyeDirection = vCameraPos - vPos;
                    eyeDirection = normalize(eyeDirection);

                    // 与视线夹角余弦
                    float eyeCos = max(dot(eyeDirection, reflectionLight), 0.0);

                    // 镜面反射:指数取 20.0,系数取 3.0。
                    // 指数越大,镜面越聚焦,高光的光斑范围就越小。
                    // 系数能改变反射亮度,系数越大,反射的亮度就越高。
                    float specular = 3.0 *  pow(eyeCos, 20.0);

                    // 计算衰减
                    float decay = min(1.0, 1.0 /
                        (pointLightDecayFactor.x * pow(dis, 2.0) + pointLightDecayFactor.y * dis + pointLightDecayFactor.z));

                    // 计算漫反射
                    vec3 diffuse = decay * cos * pointLightColor;
                    
                    // 合成颜色
                    gl_FragColor.rgb = specular + (ambientLight + diffuse) * materialReflection;
                    gl_FragColor.a = 1.0;
                }
            `;

            // 创建四个不同的几何体,初始化它们的环境光 ambientLight 以及材质反射率 materialReflection
            const sphereGeometry = new Sphere(gl);
            const cubeGeometry = new Box(gl);
            const cylinderGeometry = new Cylinder(gl);
            const torusGeometry = new Torus(gl);

            // 添加一个水平向右的白色平行光
            const ambientLight = { value: [1, 1, 1] };

            const directional = {
                pointLightPosition: { value: [3, 3, 0] },
                pointLightColor: { value: [0.5, 0.5, 0.5] },
                pointLightDecayFactor: { value: [0, 0, 1] },
            };

            const program1 = new Program(gl, {
                vertex,
                fragment,
                uniforms: {
                    ambientLight,
                    materialReflection: {value: [250/255, 128/255, 114/255]},
                    ...directional
                },
            });
            const program2 = new Program(gl, {
                vertex,
                fragment,
                uniforms: {
                    ambientLight,
                    materialReflection: {value: [218/255, 165/255, 32/255]},
                    ...directional
                },
            });
            const program3 = new Program(gl, {
                vertex,
                fragment,
                uniforms: {
                    ambientLight,
                    materialReflection: {value: [46/255, 139/255, 87/255]},
                    ...directional
                },
            });
            const program4 = new Program(gl, {
                vertex,
                fragment,
                uniforms: {
                    ambientLight,
                    materialReflection: {value: [106/255, 90/255, 205/255]},
                    ...directional
                },
            });

            const torus = new Mesh(gl, {geometry: torusGeometry, program: program1});
            torus.position.set(0, 1.3, 0);
            torus.setParent(scene);

            const sphere = new Mesh(gl, {geometry: sphereGeometry, program: program2});
            sphere.position.set(1.3, 0, 0);
            sphere.setParent(scene);

            const cube = new Mesh(gl, {geometry: cubeGeometry, program: program3});
            cube.position.set(0, -1.3, 0);
            cube.setParent(scene);

            const cylinder = new Mesh(gl, {geometry: cylinderGeometry, program: program4});
            cylinder.position.set(-1.3, 0, 0);
            cylinder.setParent(scene);

            const controls = new Orbit(camera);

            // 添加动画
            requestAnimationFrame(update);
            function update() {
                requestAnimationFrame(update);
                controls.update();

                torus.rotation.y -= 0.02;
                sphere.rotation.y -= 0.03;
                cube.rotation.y -= 0.04;
                cylinder.rotation.y -= 0.02;

                renderer.render({scene, camera});
            }

            // 添加控制
            const gui = new dat.GUI();
            const palette = {
                light: '#FFFFFF',
                reflection1: '#fa8072', // salmon rgb(250, 128, 114) [250/255, 128/255, 114/255, 1]
                reflection2: '#daa520', // goldenrod rgb(218, 165, 32) [218/255, 165/255, 32/255, 1]
                reflection3: '#2e8b57', // seagreen rgb(46, 139, 87) [46/255, 139/255, 87/255, 1]
                reflection4: '#6a5acd', // slateblue rgb(106, 90, 205) [106/255, 90/255, 205/255, 1]
            };
            gui.addColor(palette, 'light').onChange((val) => {
                const color = new Color(val);
                program1.uniforms.ambientLight.value = color;
                program2.uniforms.ambientLight.value = color;
                program3.uniforms.ambientLight.value = color;
                program4.uniforms.ambientLight.value = color;
            });
            gui.addColor(palette, 'reflection1').onChange((val) => {
                program1.uniforms.materialReflection.value = new Color(val);
            });
            gui.addColor(palette, 'reflection2').onChange((val) => {
                program2.uniforms.materialReflection.value = new Color(val);
            });
            gui.addColor(palette, 'reflection3').onChange((val) => {
                program3.uniforms.materialReflection.value = new Color(val);
            });
            gui.addColor(palette, 'reflection4').onChange((val) => {
                program4.uniforms.materialReflection.value = new Color(val);
            });
        </script>
    </body>
</html>

在这里插入图片描述

什么是 Phong 反射模型?

冯氏反射模型是由美国犹他大学(University of Utah)的 Bui Tuong Phong 于1975年在他的博士论文中提出的,都用其名字命名。

Phong 光照模型是真实图形学中提出的第一个有影响的光照明模型,该模型只考虑物体对直接光照的反射作用,认为环境光是常量,没有考虑物体之间相互的反射光,物体间的反射光只用环境光表示。Phong光照模型属于简单光照模型。

Phong 模型认为物体表面反射光线由三部分组成:

  • 环境光(Ambient):场景中的其他间接光照
  • 漫反射(Diffuse):散射部分(大但不光亮)
  • 高光反射(Specular):镜面反射部分(小而亮)

在这里插入图片描述
在上图中,光线是白色的,环境光和漫反射部分是蓝色的,高光部分是白色的。

高光部分反射的光区域比较小,但强度很大;漫反射部分的强度根据物体表面方向的不同而不同;而环境光部分是跟方向无关的。

Phong 反射模型的完整公式如下:

在这里插入图片描述

光源部分:

  • lights:所有光源的集合,对于每盏光,可分为高光和漫反射两部分
  • i s i_s is:光源高光部分的强度(可以理解为就是RGB)
  • i d i_d id:光源漫反射部分的强度(可以理解为就是RGB)
  • i a i_a ia:环境光部分的强度(可以理解为就是RGB)

场景中材质的参数:

  • k s k_s ks:对入射光的高光反射常数(镜面反射系数)
  • k d k_d kd:对入射光的漫反射常数
  • k a k_a ka​:对环境光的反射常数
  • α:是和物体材质有关的常量,决定了镜面高光的范围。光泽度 α 越大,则亮点越小。

几个向量(全部归一化):

  • L m ^ \hat{L_m} Lm^:物体表面某点指向光源m的位置的向量
  • N ^ \hat{N} N^:物体表面某点的法线
  • R m ^ \hat{R_m} Rm^:光源在物体表面某点发生镜面反射的方向
  • V ^ \hat{V} V^:物体表面某点指向摄像机位置的向量

如何实现完整的 Phong 反射模型?

Phong 反射模型的实现整个过程分为三步:定义光源模型、定义几何体材质和实现着色器。

1、定义光源模型

属性(作用) /光源点光源平行光聚光灯
direction 方向 (定义光照方向)
position 位置 (定义光源位置)
color 颜色 (定义光的颜色)
decay 衰减 (光强度随着距离而减小)
angle 角度 (光传播的角度范围)

实现定义一个 Phong 类:用于添加和删除光源,并把光源的属性通过 uniforms 访问器属性转换成对应的 uniform 变量。

class Phong {
  constructor(ambientLight = [0.5, 0.5, 0.5]) {
    this.ambientLight = ambientLight;
    this.directionalLights = new Set();
    this.pointLights = new Set();
    this.spotLights = new Set();
  }

  addLight(light) {
    const {position, direction, color, decay, angle} = light;
    if(!position && !direction) throw new TypeError('invalid light');
    light.color = color || [1, 1, 1];
    if(!position) this.directionalLights.add(light);
    else {
      light.decay = decay || [0, 0, 1];
      if(!angle) {
        this.pointLights.add(light);
      } else {
        this.spotLights.add(light);
      }
    }
  }

  removeLight(light) {
    if(this.directionalLights.has(light)) this.directionalLights.delete(light);
    else if(this.pointLights.has(light)) this.pointLights.delete(light);
    else if(this.spotLights.has(light)) this.spotLights.delete(light);
  }

  get uniforms() {
    const MAX_LIGHT_COUNT = 16; // 最多每种光源设置16个
    this._lightData = this._lightData || {};
    const lightData = this._lightData;

    lightData.directionalLightDirection = lightData.directionalLightDirection || {value: new Float32Array(MAX_LIGHT_COUNT * 3)};
    lightData.directionalLightColor = lightData.directionalLightColor || {value: new Float32Array(MAX_LIGHT_COUNT * 3)};

    lightData.pointLightPosition = lightData.pointLightPosition || {value: new Float32Array(MAX_LIGHT_COUNT * 3)};
    lightData.pointLightColor = lightData.pointLightColor || {value: new Float32Array(MAX_LIGHT_COUNT * 3)};
    lightData.pointLightDecay = lightData.pointLightDecay || {value: new Float32Array(MAX_LIGHT_COUNT * 3)};

    lightData.spotLightDirection = lightData.spotLightDirection || {value: new Float32Array(MAX_LIGHT_COUNT * 3)};
    lightData.spotLightPosition = lightData.spotLightPosition || {value: new Float32Array(MAX_LIGHT_COUNT * 3)};
    lightData.spotLightColor = lightData.spotLightColor || {value: new Float32Array(MAX_LIGHT_COUNT * 3)};
    lightData.spotLightDecay = lightData.spotLightDecay || {value: new Float32Array(MAX_LIGHT_COUNT * 3)};
    lightData.spotLightAngle = lightData.spotLightAngle || {value: new Float32Array(MAX_LIGHT_COUNT)};

    [...this.directionalLights].forEach((light, idx) => {
      lightData.directionalLightDirection.value.set(light.direction, idx * 3);
      lightData.directionalLightColor.value.set(light.color, idx * 3);
    });

    [...this.pointLights].forEach((light, idx) => {
      lightData.pointLightPosition.value.set(light.position, idx * 3);
      lightData.pointLightColor.value.set(light.color, idx * 3);
      lightData.pointLightDecay.value.set(light.decay, idx * 3);
    });

    [...this.spotLights].forEach((light, idx) => {
      lightData.spotLightPosition.value.set(light.position, idx * 3);
      lightData.spotLightColor.value.set(light.color, idx * 3);
      lightData.spotLightDecay.value.set(light.decay, idx * 3);
      lightData.spotLightDirection.value.set(light.direction, idx * 3);
      lightData.spotLightAngle.value[idx] = light.angle;
    });

    return {
      ambientLight: {value: this.ambientLight},
      ...lightData,
    };
  }
}

2、定义几何体材质

实现一个 Matrial 类,来定义物体的材质。通过 uniforms 访问器属性,获得它的 uniform 数据结构形式。

class Material {
  constructor(reflection, specularFactor = 0, shininess = 50) {
    this.reflection = reflection;
    this.specularFactor = specularFactor;
    this.shininess = shininess;
  }

  get uniforms() {
    return {
      materialReflection: {value: this.reflection},
      specularFactor: {value: this.specularFactor},
      shininess: {value: this.shininess},
    };
  }
}

3、实现着色器

下面看一下支持 phong 反射模型的片元着色器是怎么处理的。

首先声明了 vec3 和 float 数组,数组的大小为 16。

#define MAX_LIGHT_COUNT 16
uniform mat4 viewMatrix;

uniform vec3 ambientLight;
uniform vec3 directionalLightDirection[MAX_LIGHT_COUNT];
uniform vec3 directionalLightColor[MAX_LIGHT_COUNT];
uniform vec3 pointLightColor[MAX_LIGHT_COUNT];
uniform vec3 pointLightPosition[MAX_LIGHT_COUNT];
uniform vec3 pointLightDecay[MAX_LIGHT_COUNT];
uniform vec3 spotLightColor[MAX_LIGHT_COUNT];
uniform vec3 spotLightDirection[MAX_LIGHT_COUNT];
uniform vec3 spotLightPosition[MAX_LIGHT_COUNT];
uniform vec3 spotLightDecay[MAX_LIGHT_COUNT];
uniform float spotLightAngle[MAX_LIGHT_COUNT];

uniform vec3 materialReflection;
uniform float shininess;
uniform float specularFactor;

varying vec3 vNormal;
varying vec3 vPos;
varying vec3 vCameraPos;

然后实现计算 phong 反射模型的主体逻辑,循环处理每个光源,再计算入射光方向,然后计算漫反射以及镜面反射,最终将结果返回。

float getSpecular(vec3 dir, vec3 normal, vec3 eye) {
  vec3 reflectionLight = reflect(-dir, normal);
  float eyeCos = max(dot(eye, reflectionLight), 0.0);
  return specularFactor *  pow(eyeCos, shininess);
}
      
vec4 phongReflection(vec3 pos, vec3 normal, vec3 eye) {
  float specular = 0.0;
  vec3 diffuse = vec3(0);
  
  // 处理平行光
  for(int i = 0; i < MAX_LIGHT_COUNT; i++) {
    vec3 dir = directionalLightDirection[i];
    if(dir.x == 0.0 && dir.y == 0.0 && dir.z == 0.0) continue;
    vec4 d = viewMatrix * vec4(dir, 0.0);
    dir = normalize(-d.xyz);
    float cos = max(dot(dir, normal), 0.0);
    diffuse += cos * directionalLightColor[i];
    specular += getSpecular(dir, normal, eye);
  }

  // 处理点光源
  for(int i = 0; i < MAX_LIGHT_COUNT; i++) {
    vec3 decay = pointLightDecay[i];
    if(decay.x == 0.0 && decay.y == 0.0 && decay.z == 0.0) continue;
    vec3 dir = (viewMatrix * vec4(pointLightPosition[i], 1.0)).xyz - pos;
    float dis = length(dir);
    dir = normalize(dir);
    float cos = max(dot(dir, normal), 0.0);
    float d = min(1.0, 1.0 / (decay.x * pow(dis, 2.0) + decay.y * dis + decay.z));
    diffuse += d * cos * pointLightColor[i];
    specular += getSpecular(dir, normal, eye);
  }

  // 处理聚光灯
  for(int i = 0; i < MAX_LIGHT_COUNT; i++) {
    vec3 decay = spotLightDecay[i];
    if(decay.x == 0.0 && decay.y == 0.0 && decay.z == 0.0) continue;

    vec3 dir = (viewMatrix * vec4(spotLightPosition[i], 1.0)).xyz - pos;
    float dis = length(dir);
    dir = normalize(dir);

    // 聚光灯的朝向
    vec3 spotDir = (viewMatrix * vec4(spotLightDirection[i], 0.0)).xyz;
    // 通过余弦值判断夹角范围
    float ang = cos(spotLightAngle[i]);
    float r = step(ang, dot(dir, normalize(-spotDir)));

    float cos = max(dot(dir, normal), 0.0);
    float d = min(1.0, 1.0 / (decay.x * pow(dis, 2.0) + decay.y * dis + decay.z));
    diffuse += r * d * cos * spotLightColor[i];
    specular += r * getSpecular(dir, normal, eye);
  }

  return vec4(diffuse, specular);
}

最后,在 main 函数中,调用 phongReflection 函数来合成颜色。

void main() {
  vec3 eyeDirection = normalize(vCameraPos - vPos);
  vec4 phong = phongReflection(vPos, vNormal, eyeDirection);

  // 合成颜色
  gl_FragColor.rgb = phong.w + (phong.xyz + ambientLight) * materialReflection;
  gl_FragColor.a = 1.0;
}

下面实战尝试一下:

<!DOCTYPE html>
<html lang="en">
    <head>
        <meta charset="UTF-8" />
        <meta http-equiv="X-UA-Compatible" content="IE=edge" />
        <meta name="viewport" content="width=device-width, initial-scale=1.0" />
        <title>如何实现完整的 Phong 反射模型</title>
        <style>
            canvas {
                border: 1px dashed #fa8072;
            }
        </style>
    </head>
    <body>
        <canvas width="512" height="512"></canvas>
        <script type="module">
            import { Renderer, Camera, Transform, Sphere, Box, Cylinder, Torus, Orbit, Program, Mesh, Color } from './common/lib/ogl/index.mjs';
            // JavaScript Controller Library
            import * as dat from './common/lib/dat.gui.js';
            console.log(dat)
            // 用于添加和删除光源
            class Phong {
                constructor(ambientLight = [0.5, 0.5, 0.5]) {
                    this.ambientLight = ambientLight;
                    this.directionalLights = new Set();
                    this.pointLights = new Set();
                    this.spotLights = new Set();
                }

                addLight(light) {
                    const {position, direction, color, decay, angle} = light;
                    if(!position && !direction) throw new TypeError('invalid light');
                    light.color = color || [1, 1, 1];
                    if(!position) this.directionalLights.add(light);
                    else {
                        light.decay = decay || [0, 0, 1];
                        if(!angle) {
                            this.pointLights.add(light);
                        } else {
                            this.spotLights.add(light);
                        }
                    }
                }

                removeLight(light) {
                    if(this.directionalLights.has(light)) this.directionalLights.delete(light);
                    else if(this.pointLights.has(light)) this.pointLights.delete(light);
                    else if(this.spotLights.has(light)) this.spotLights.delete(light);
                }

                get uniforms() {
                    const MAX_LIGHT_COUNT = 16; // 最多每种光源设置16个
                    this._lightData = this._lightData || {};
                    const lightData = this._lightData;

                    lightData.directionalLightDirection = lightData.directionalLightDirection || {value: new Float32Array(MAX_LIGHT_COUNT * 3)};
                    lightData.directionalLightColor = lightData.directionalLightColor || {value: new Float32Array(MAX_LIGHT_COUNT * 3)};

                    lightData.pointLightPosition = lightData.pointLightPosition || {value: new Float32Array(MAX_LIGHT_COUNT * 3)};
                    lightData.pointLightColor = lightData.pointLightColor || {value: new Float32Array(MAX_LIGHT_COUNT * 3)};
                    lightData.pointLightDecay = lightData.pointLightDecay || {value: new Float32Array(MAX_LIGHT_COUNT * 3)};

                    lightData.spotLightDirection = lightData.spotLightDirection || {value: new Float32Array(MAX_LIGHT_COUNT * 3)};
                    lightData.spotLightPosition = lightData.spotLightPosition || {value: new Float32Array(MAX_LIGHT_COUNT * 3)};
                    lightData.spotLightColor = lightData.spotLightColor || {value: new Float32Array(MAX_LIGHT_COUNT * 3)};
                    lightData.spotLightDecay = lightData.spotLightDecay || {value: new Float32Array(MAX_LIGHT_COUNT * 3)};
                    lightData.spotLightAngle = lightData.spotLightAngle || {value: new Float32Array(MAX_LIGHT_COUNT)};

                    [...this.directionalLights].forEach((light, idx) => {
                        lightData.directionalLightDirection.value.set(light.direction, idx * 3);
                        lightData.directionalLightColor.value.set(light.color, idx * 3);
                    });

                    [...this.pointLights].forEach((light, idx) => {
                        lightData.pointLightPosition.value.set(light.position, idx * 3);
                        lightData.pointLightColor.value.set(light.color, idx * 3);
                        lightData.pointLightDecay.value.set(light.decay, idx * 3);
                    });

                    [...this.spotLights].forEach((light, idx) => {
                        lightData.spotLightPosition.value.set(light.position, idx * 3);
                        lightData.spotLightColor.value.set(light.color, idx * 3);
                        lightData.spotLightDecay.value.set(light.decay, idx * 3);
                        lightData.spotLightDirection.value.set(light.direction, idx * 3);
                        lightData.spotLightAngle.value[idx] = light.angle;
                    });

                    return {
                        ambientLight: {value: this.ambientLight},
                        ...lightData,
                    };
                }
            }

            // 用于定义物体的材质
            class Material {
                constructor(reflection, specularFactor = 0, shininess = 50) {
                    this.reflection = reflection;
                    this.specularFactor = specularFactor;
                    this.shininess = shininess;
                }

                get uniforms() {
                    return {
                        materialReflection: {value: this.reflection},
                        specularFactor: {value: this.specularFactor},
                        shininess: {value: this.shininess},
                    };
                }
            }

            const canvas = document.querySelector('canvas');
            const renderer = new Renderer({
                canvas,
                width: 512,
                height: 512,
            });

            const gl = renderer.gl;
            gl.clearColor(1, 1, 1, 1);
            const camera = new Camera(gl, {fov: 35});
            camera.position.set(0, 0, 10);
            camera.lookAt([0, 0, 0]);

            const scene = new Transform();

            // 在顶点着色器中,将物体变换后的坐标传给片元着色器
            const vertex = `
                precision highp float;

                attribute vec3 position;
                attribute vec3 normal;
                uniform mat4 modelViewMatrix;
                uniform mat4 viewMatrix;
                uniform mat4 projectionMatrix;
                uniform mat3 normalMatrix;
                uniform vec3 cameraPosition;

                varying vec3 vNormal;
                varying vec3 vPos;
                varying vec3 vCameraPos;

                void main() {
                    vec4 pos = modelViewMatrix * vec4(position, 1.0);
                    vPos = pos.xyz;
                    // 求光源与点坐标的方向向量
                    vCameraPos = (viewMatrix * vec4(cameraPosition, 1.0)).xyz;
                    vNormal = normalize(normalMatrix * normal);
                    gl_Position = projectionMatrix * pos;
                }
            `;

            // 传入环境光 ambientLight 和材质反射率 materialReflection
            // 片元着色器中计算光线方向与法向量夹角的余弦
            const fragment = `
                precision highp float;
                
                #define MAX_LIGHT_COUNT 16
                uniform mat4 viewMatrix;

                uniform vec3 ambientLight;
                uniform vec3 directionalLightDirection[MAX_LIGHT_COUNT];
                uniform vec3 directionalLightColor[MAX_LIGHT_COUNT];
                uniform vec3 pointLightColor[MAX_LIGHT_COUNT];
                uniform vec3 pointLightPosition[MAX_LIGHT_COUNT];
                uniform vec3 pointLightDecay[MAX_LIGHT_COUNT];
                uniform vec3 spotLightColor[MAX_LIGHT_COUNT];
                uniform vec3 spotLightDirection[MAX_LIGHT_COUNT];
                uniform vec3 spotLightPosition[MAX_LIGHT_COUNT];
                uniform vec3 spotLightDecay[MAX_LIGHT_COUNT];
                uniform float spotLightAngle[MAX_LIGHT_COUNT];

                uniform vec3 materialReflection;
                uniform float shininess;
                uniform float specularFactor;

                varying vec3 vNormal;
                varying vec3 vPos;
                varying vec3 vCameraPos;
                
                float getSpecular(vec3 dir, vec3 normal, vec3 eye) {
                    vec3 reflectionLight = reflect(-dir, normal);
                    float eyeCos = max(dot(eye, reflectionLight), 0.0);
                    return specularFactor *  pow(eyeCos, shininess);
                }
                    
                vec4 phongReflection(vec3 pos, vec3 normal, vec3 eye) {
                    float specular = 0.0;
                    vec3 diffuse = vec3(0);
                    
                    // 处理平行光
                    for(int i = 0; i < MAX_LIGHT_COUNT; i++) {
                        vec3 dir = directionalLightDirection[i];
                        if(dir.x == 0.0 && dir.y == 0.0 && dir.z == 0.0) continue;
                        vec4 d = viewMatrix * vec4(dir, 0.0);
                        dir = normalize(-d.xyz);
                        float cos = max(dot(dir, normal), 0.0);
                        diffuse += cos * directionalLightColor[i];
                        specular += getSpecular(dir, normal, eye);
                    }

                    // 处理点光源
                    for(int i = 0; i < MAX_LIGHT_COUNT; i++) {
                        vec3 decay = pointLightDecay[i];
                        if(decay.x == 0.0 && decay.y == 0.0 && decay.z == 0.0) continue;
                        vec3 dir = (viewMatrix * vec4(pointLightPosition[i], 1.0)).xyz - pos;
                        float dis = length(dir);
                        dir = normalize(dir);
                        float cos = max(dot(dir, normal), 0.0);
                        float d = min(1.0, 1.0 / (decay.x * pow(dis, 2.0) + decay.y * dis + decay.z));
                        diffuse += d * cos * pointLightColor[i];
                        specular += getSpecular(dir, normal, eye);
                    }

                    // 处理聚光灯
                    for(int i = 0; i < MAX_LIGHT_COUNT; i++) {
                        vec3 decay = spotLightDecay[i];
                        if(decay.x == 0.0 && decay.y == 0.0 && decay.z == 0.0) continue;

                        vec3 dir = (viewMatrix * vec4(spotLightPosition[i], 1.0)).xyz - pos;
                        float dis = length(dir);
                        dir = normalize(dir);

                        // 聚光灯的朝向
                        vec3 spotDir = (viewMatrix * vec4(spotLightDirection[i], 0.0)).xyz;
                        // 通过余弦值判断夹角范围
                        float ang = cos(spotLightAngle[i]);
                        float r = step(ang, dot(dir, normalize(-spotDir)));

                        float cos = max(dot(dir, normal), 0.0);
                        float d = min(1.0, 1.0 / (decay.x * pow(dis, 2.0) + decay.y * dis + decay.z));
                        diffuse += r * d * cos * spotLightColor[i];
                        specular += r * getSpecular(dir, normal, eye);
                    }

                    return vec4(diffuse, specular);
                }
                
                void main() {
                    vec3 eyeDirection = normalize(vCameraPos - vPos);
                    vec4 phong = phongReflection(vPos, vNormal, eyeDirection);

                    // 合成颜色
                    gl_FragColor.rgb = phong.w + (phong.xyz + ambientLight) * materialReflection;
                    gl_FragColor.a = 1.0;
                }
            `;

            // 创建四个不同的几何体,初始化它们的环境光 ambientLight 以及材质反射率 materialReflection
            const sphereGeometry = new Sphere(gl);
            const cubeGeometry = new Box(gl);
            const cylinderGeometry = new Cylinder(gl);
            const torusGeometry = new Torus(gl);

            
            const phong = new Phong();
            // 添加一个平行光
            phong.addLight({
                direction: [-1, 0, 0],
            });
            // 添加两个点光源
            phong.addLight({
                position: [-3, 3, 0],
                color: [0.5, 1, 1],
            });
            phong.addLight({
                position: [3, 3, 0],
                color: [1, 0.5, 1],
            });

            // 创建 4 个 matrial 对象,分别对应要显示的四个几何体的材质。
            const matrial1 = new Material(new Color('#fa8072'), 2.0);
            const matrial2 = new Material(new Color('#daa520'), 2.0);
            const matrial3 = new Material(new Color('#2e8b57'), 2.0);
            const matrial4 = new Material(new Color('#6a5acd'), 2.0);

            const program1 = new Program(gl, {
                vertex,
                fragment,
                uniforms: {
                    ...matrial1.uniforms,
                    ...phong.uniforms,
                },
            });
            const program2 = new Program(gl, {
                vertex,
                fragment,
                uniforms: {
                    ...matrial2.uniforms,
                    ...phong.uniforms,
                },
            });
            const program3 = new Program(gl, {
                vertex,
                fragment,
                uniforms: {
                    ...matrial3.uniforms,
                    ...phong.uniforms,
                },
            });
            const program4 = new Program(gl, {
                vertex,
                fragment,
                uniforms: {
                    ...matrial4.uniforms,
                    ...phong.uniforms,
                },
            });

            const torus = new Mesh(gl, {geometry: torusGeometry, program: program1});
            torus.position.set(0, 1.3, 0);
            torus.setParent(scene);

            const sphere = new Mesh(gl, {geometry: sphereGeometry, program: program2});
            sphere.position.set(1.3, 0, 0);
            sphere.setParent(scene);

            const cube = new Mesh(gl, {geometry: cubeGeometry, program: program3});
            cube.position.set(0, -1.3, 0);
            cube.setParent(scene);

            const cylinder = new Mesh(gl, {geometry: cylinderGeometry, program: program4});
            cylinder.position.set(-1.3, 0, 0);
            cylinder.setParent(scene);

            const controls = new Orbit(camera);

            // 添加动画
            requestAnimationFrame(update);
            function update() {
                requestAnimationFrame(update);
                controls.update();

                torus.rotation.y -= 0.02;
                sphere.rotation.y -= 0.03;
                cube.rotation.y -= 0.04;
                cylinder.rotation.y -= 0.02;

                renderer.render({scene, camera});
            }

            // 添加控制
            const gui = new dat.GUI();
            const palette = {
                light: '#FFFFFF',
                reflection1: '#fa8072', // salmon rgb(250, 128, 114) [250/255, 128/255, 114/255, 1]
                reflection2: '#daa520', // goldenrod rgb(218, 165, 32) [218/255, 165/255, 32/255, 1]
                reflection3: '#2e8b57', // seagreen rgb(46, 139, 87) [46/255, 139/255, 87/255, 1]
                reflection4: '#6a5acd', // slateblue rgb(106, 90, 205) [106/255, 90/255, 205/255, 1]
            };
            gui.addColor(palette, 'light').onChange((val) => {
                const color = new Color(val);
                program1.uniforms.ambientLight.value = color;
                program2.uniforms.ambientLight.value = color;
                program3.uniforms.ambientLight.value = color;
                program4.uniforms.ambientLight.value = color;
            });
            gui.addColor(palette, 'reflection1').onChange((val) => {
                program1.uniforms.materialReflection.value = new Color(val);
            });
            gui.addColor(palette, 'reflection2').onChange((val) => {
                program2.uniforms.materialReflection.value = new Color(val);
            });
            gui.addColor(palette, 'reflection3').onChange((val) => {
                program3.uniforms.materialReflection.value = new Color(val);
            });
            gui.addColor(palette, 'reflection4').onChange((val) => {
                program4.uniforms.materialReflection.value = new Color(val);
            });
        </script>
    </body>
</html>

效果如下:

在这里插入图片描述

Phong 反射模型的局限性

Phong 反射模型没有考虑物体反射光对其他物体的影响,也没有考虑物体对光线遮挡产生的阴影。

参考资料

  • Phong光照模型
  • 百科:Phong光照模型
  • 百科:补色渲染

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

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

相关文章

Windows系统下HTTP(S)透明代理

本文为joshua317原创文章,转载请注明&#xff1a;转载自joshua317博客 Windows系统下HTTP(S)透明代理 - joshua317的博客 软件文档地址:goproxy/README_ZH.md at master snail007/goproxy GitHub 一、windows系统下进行下载及安装 分别有两个版本&#xff1a;proxy-admin …

Servlet学习笔记

1.在pom.xml中添加依赖 <dependencies><dependency><groupId>javax.servlet</groupId><artifactId>javax.servlet-api</artifactId><version>3.1.0</version><!-- 不会最终打包到服务器中去 --><scope>provided&…

SpringBoot内置tomcat启动过程及原理

作者&#xff1a;李岩科 1 背景 SpringBoot 是一个框架&#xff0c;一种全新的编程规范&#xff0c;他的产生简化了框架的使用&#xff0c;同时也提供了很多便捷的功能&#xff0c;比如内置 tomcat 就是其中一项&#xff0c;他让我们省去了搭建 tomcat 容器&#xff0c;生成 …

和年薪30W的阿里测试员聊过后,才知道自己一直在打杂...

前几天和一个朋友聊面试&#xff0c;他说上个月同时拿到了腾讯和阿里的offer&#xff0c;最后选择了阿里。 阿里内部将员工一共分为了14个等级&#xff0c;P6是资深工程师&#xff0c;P7是技术专家。 其中P6和P7就是一个分水岭了&#xff0c;P6是最接近P7的不持股员工&#x…

JavaScript-DOM操作表格

DOM操作表格的用途 DOM操作表格会在项目做数据展示的时候用到&#xff0c;其余地方使用并不多。 表格内容 <table><thead><tr><th>编号</th><th>姓名</th><th>性别</th><th>年龄</th></tr></thead…

二叉树遍历非递归算法

二叉树遍历非递归算法 文章目录二叉树遍历非递归算法二叉树的遍历一、先序遍历非递归算法算法构思&#xff1a;从先序遍历的递归算法得出循环算法的思路:下面进行框架构建:代码实操:二、中序遍历(左-根-右)非递归算法中序遍历二叉树的过程构建思路:根据以上思路&#xff0c;构建…

vscode 安装clangd插件 替代 c++自带插件

目录 1. 背景 2. 安装clangd 安装前&#xff1a;禁用c插件 2.1 clangd插件名称 2.2 安装 2.3 配置 settings.json 2.4 语言服务器下载 2.5 安装 cmake tools 2.6 设置编译选项 3. 生成 compile_command.json 4. 查看使用效果 1. 背景 vscode c开大家一般用 vscode 自家…

磨金石教育摄影技能干货分享|乡愁摄影作品欣赏

乡愁是是什么&#xff1f; 我们走在异乡的街道上&#xff0c;人声嘈杂的一瞬间&#xff0c; 或许是某个角落&#xff0c;或许是某个人的声音&#xff0c; 让你感到无比的熟悉&#xff0c;在你的记忆深处掀起了一阵阵浪花。 这个熟悉的感觉就是乡愁 它可以是家乡的一棵树 …

JUC(5) : ForkJoinPool | 线程的极致管理

一、前言 前文介绍了线程的异步编排工具类 CompletableFuture 的使用&#xff0c;使用它能够很好的完成线程任务的编排工作&#xff0c;但同时&#xff0c;我们也注意到&#xff0c;其使用的默认线程池是 ForkJoinPool.commonPool() 的方法。则这个线程池是共用的&#xff0c;…

一个普通前端的2022年终总结:多病的一年

多病 用一个词总结我的2022 &#xff0c;毫无疑问是【多病】。 翻看挂号记录&#xff0c;今年累计跑了19次医院&#xff0c;除去定期的脱发复查、尿常规复查外&#xff0c;其他还得了皮肤病、急性咽炎、筋膜炎、结膜炎、肾结石、慢性胃炎、胸闷&#xff0c;体验过了无法忍受的…

基于java+springmvc+mybatis+jsp+mysql的网络作者与美工交流平台

项目介绍 本次设计任务是要设计一个网络作者与美工交流平台&#xff0c;通过这个系统能够满足网络作者与美工交流信息的管理及版主的网络作者与美工交流信息管理功能。系统的主要功能包括&#xff1a;主页&#xff0c;个人中心&#xff0c;用户管理&#xff0c;版主管理&#…

text文本属性

text文本属性 源代码 color color属性用于定义文本的颜色&#xff0c;有预定义的颜色值(red, blue, yellow)、十六进制(#FF0000, #FF6600,#29D794)、RBG代码(rgb(255,0,0)或rgb(100%,0%,0%)) text-align text-align属性用于设置元素内文本的水平对…

R语言对BRFSS数据探索回归数据分析

执行摘要 最近我们被客户要求撰写关于BRFSS的研究报告&#xff0c;包括一些图形和统计输出。该项目包括探索一个现实世界的数据集-CDC的2013年 行为风险因素监视系统 -并针对三个 选择的研究问题创建报告。 选择的研究问题及其各自的结果是&#xff1a; 被访者对其健康状况…

Redis框架(一):Redis入门和Jedis连接池

Redis入门和Jedis连接池&#xff1a;基本介绍实例Demo源码分析SpringCloud章节复习已经过去&#xff0c;新的章节Redis开始了&#xff0c;这个章节中将会回顾Redis 主要依照以下几个原则 基础实战的Demo和Coding上传到我的代码仓库在原有基础上加入一些设计模式&#xff0c;st…

c#扩展方法

1、前言: 通常,我们想要向一个类型中添加方法,可以通过以下两种方式: 修改源代码。 在派生类中定义新的方法。 但是以上方法并不是万能的,我们并不能保证拥有一个类型的源码,也并不能保证这个类型可以让我们继承(如结构,枚举,String等等)。但是C#提供了一个办法,…

教你如何写一个符合自己需求的小程序日历组件

1|0 前言 很多时候&#xff0c;我们生活中会有各种打卡的情况&#xff0c;比如 keep 的运动打卡、单词的学习打卡和各种签到打卡或者酒店的入住时间选择&#xff0c;这时候就需要我们书写一个日历组件来处理我们这种需求。 但是更多时候&#xff0c;我们都是网上找一个插件直…

【HBase】【一】windows搭建源码开发环境

目录环境配置1. Windows安装Cygwin2. 安装ProtocolBuffers3. 启动zookeeper4. 搭建Hadoop环境5. 编译Hbase源码6. 启动HRegionServer7. 启动HMaster8. 启动HShell客户端环境配置 系统&#xff1a;windows10 IDE: Eclipse hadoop: 3.3.4 hbase: 2.4.15 java: 17 1. Window…

pytest学习——pytest插件的7种用法

1.pytest-repeat 重复跑 安装包 pip install pytest-repeat第一种用法&#xff1a; 装饰器 pytest.mark.repeat(次数) 示例代码 import pytest pytest.mark.repeat(5) def test_001(): assert 12 if __name__ __main__: pytest.main([-sv,__file__])第二种用法&#xff1a…

[附源码]Python计算机毕业设计SSM基于数据挖掘的毕业生离校信息系统(程序+LW)

项目运行 环境配置&#xff1a; Jdk1.8 Tomcat7.0 Mysql HBuilderX&#xff08;Webstorm也行&#xff09; Eclispe&#xff08;IntelliJ IDEA,Eclispe,MyEclispe,Sts都支持&#xff09;。 项目技术&#xff1a; SSM mybatis Maven Vue 等等组成&#xff0c;B/S模式 Ma…

基于牛顿方法在直流微电网潮流研究(Matlab代码实现)

&#x1f4a5;&#x1f4a5;&#x1f4a5;&#x1f49e;&#x1f49e;&#x1f49e;欢迎来到本博客❤️❤️❤️&#x1f4a5;&#x1f4a5;&#x1f4a5; &#x1f389;作者研究&#xff1a;&#x1f3c5;&#x1f3c5;&#x1f3c5;本科计算机专业&#xff0c;研究生电气学硕…