unity 加载BMP格式图片数据流

创建BMPLoader.cs

此方法是用来将数据流解析成texture,BMP数据流不同于其他图片数据,所以需要特殊处理

#region License and Information
/*****
*
* BMPLoader.cs
* 
* This is a simple implementation of a BMP file loader for Unity3D.
* Formats it should support are:
*  - 1 bit monochrome indexed
*  - 2-8 bit indexed
*  - 16 / 24 / 32 bit color (including "BI_BITFIELDS")
*  - RLE-4 and RLE-8 support has been added.
* 
* Unless the type is "BI_ALPHABITFIELDS" the loader does not interpret alpha
* values by default, however you can set the "ReadPaletteAlpha" setting to
* true to interpret the 4th (usually "00") value as alpha for indexed images.
* You can also set "ForceAlphaReadWhenPossible" to true so it will interpret
* the "left over" bits as alpha if there are any. It will also force to read
* alpha from a palette if it's an indexed image, just like "ReadPaletteAlpha".
* 
* It's not tested well to the bone, so there might be some errors somewhere.
* However I tested it with 4 different images created with MS Paint
* (1bit, 4bit, 8bit, 24bit) as those are the only formats supported.
* 
* 2017.02.05 - first version 
* 2017.03.06 - Added RLE4 / RLE8 support
* 2021.01.21 - Fixed RLE4 bug; Fixed wrongly reading bit masks for indexed images.
* 2021.01.22 - Addes support for negative heights (top-down images) The actual
*              flipping happens once at the Texture2D conversion.
* 
* Copyright (c) 2017 Markus Göbel (Bunny83)
* 
* Permission is hereby granted, free of charge, to any person obtaining a copy
* of this software and associated documentation files (the "Software"), to
* deal in the Software without restriction, including without limitation the
* rights to use, copy, modify, merge, publish, distribute, sublicense, and/or
* sell copies of the Software, and to permit persons to whom the Software is
* furnished to do so, subject to the following conditions:
* 
* The above copyright notice and this permission notice shall be included in
* all copies or substantial portions of the Software.
* 
* THE SOFTWARE IS PROVIDED "AS IS", WITHOUT WARRANTY OF ANY KIND, EXPRESS OR
* IMPLIED, INCLUDING BUT NOT LIMITED TO THE WARRANTIES OF MERCHANTABILITY,
* FITNESS FOR A PARTICULAR PURPOSE AND NONINFRINGEMENT. IN NO EVENT SHALL THE
* AUTHORS OR COPYRIGHT HOLDERS BE LIABLE FOR ANY CLAIM, DAMAGES OR OTHER
* LIABILITY, WHETHER IN AN ACTION OF CONTRACT, TORT OR OTHERWISE, ARISING
* FROM, OUT OF OR IN CONNECTION WITH THE SOFTWARE OR THE USE OR OTHER DEALINGS
* IN THE SOFTWARE.
* 
*****/
#endregion License and Information
using UnityEngine;
using System.Collections;
using System.Collections.Generic;
using System.IO;
using System;namespace B83.Image.BMP
{public enum BMPComressionMode : int{BI_RGB = 0x00,BI_RLE8 = 0x01,BI_RLE4 = 0x02,BI_BITFIELDS = 0x03,BI_JPEG = 0x04,BI_PNG = 0x05,BI_ALPHABITFIELDS = 0x06,BI_CMYK = 0x0B,BI_CMYKRLE8 = 0x0C,BI_CMYKRLE4 = 0x0D,}public struct BMPFileHeader{public ushort magic; // "BM"public uint filesize;public uint reserved;public uint offset;}public struct BitmapInfoHeader{public uint size;public int width;public int height;public ushort nColorPlanes; // always 1public ushort nBitsPerPixel; // [1,4,8,16,24,32]public BMPComressionMode compressionMethod;public uint rawImageSize; // can be "0"public int xPPM;public int yPPM;public uint nPaletteColors;public uint nImportantColors;public int absWidth { get { return Mathf.Abs(width); } }public int absHeight { get { return Mathf.Abs(height); } }}public class BMPImage{public BMPFileHeader header;public BitmapInfoHeader info;public uint rMask = 0x00FF0000;public uint gMask = 0x0000FF00;public uint bMask = 0x000000FF;public uint aMask = 0x00000000;public List<Color32> palette;public Color32[] imageData;public Texture2D ToTexture2D(){var tex = new Texture2D(info.absWidth, info.absHeight);if (info.height < 0)FlipImage();tex.SetPixels32(imageData);tex.Apply();return tex;}// flip image if height is negativeinternal void FlipImage(){if (info.height > 0)return;int w = info.absWidth;int h = info.absHeight;int h2 = h / 2;for (int y = 0; y < h2; y++){for (int x = 0, o1 = y * w, o2 = (h - y - 1) * w; x < w; x++, o1++, o2++){var tmp = imageData[o1];imageData[o1] = imageData[o2];imageData[o2] = tmp;}}info.height = h;}public void ReplaceColor(Color32 aColorToSearch, Color32 aReplacementColor){var s = aColorToSearch;for (int i = 0; i < imageData.Length; i++){var c = imageData[i];if (c.r == s.r && c.g == s.g && c.b == s.b && c.a == s.a)imageData[i] = aReplacementColor;}}public void ReplaceFirstPixelColor(Color32 aReplacementColor){ReplaceColor(imageData[0], aReplacementColor);}public void ReplaceFirstPixelColorWithTransparency(){ReplaceFirstPixelColor(new Color32(0, 0, 0, 0));}}public class BMPLoader{const ushort MAGIC = 0x4D42; // "BM" little endianpublic bool ReadPaletteAlpha = false;public bool ForceAlphaReadWhenPossible = false;public BMPImage LoadBMP(string aFileName){using (var file = File.OpenRead(aFileName))return LoadBMP(file);}public BMPImage LoadBMP(byte[] aData){using (var stream = new MemoryStream(aData))return LoadBMP(stream);}public BMPImage LoadBMP(Stream aData){using (var reader = new BinaryReader(aData))return LoadBMP(reader);}public BMPImage LoadBMP(BinaryReader aReader){BMPImage bmp = new BMPImage();if (!ReadFileHeader(aReader, ref bmp.header)){Debug.LogError("Not a BMP file");return null;}if (!ReadInfoHeader(aReader, ref bmp.info)){Debug.LogError("Unsupported header format");return null;}if (bmp.info.compressionMethod != BMPComressionMode.BI_RGB&& bmp.info.compressionMethod != BMPComressionMode.BI_BITFIELDS&& bmp.info.compressionMethod != BMPComressionMode.BI_ALPHABITFIELDS&& bmp.info.compressionMethod != BMPComressionMode.BI_RLE4&& bmp.info.compressionMethod != BMPComressionMode.BI_RLE8){Debug.LogError("Unsupported image format: " + bmp.info.compressionMethod);return null;}long offset = 14 + bmp.info.size;aReader.BaseStream.Seek(offset, SeekOrigin.Begin);if (bmp.info.nBitsPerPixel < 24){bmp.rMask = 0x00007C00;bmp.gMask = 0x000003E0;bmp.bMask = 0x0000001F;}if (bmp.info.nBitsPerPixel > 8 && (bmp.info.compressionMethod == BMPComressionMode.BI_BITFIELDS || bmp.info.compressionMethod == BMPComressionMode.BI_ALPHABITFIELDS)){bmp.rMask = aReader.ReadUInt32();bmp.gMask = aReader.ReadUInt32();bmp.bMask = aReader.ReadUInt32();}if (ForceAlphaReadWhenPossible)bmp.aMask = GetMask(bmp.info.nBitsPerPixel) ^ (bmp.rMask | bmp.gMask | bmp.bMask);if (bmp.info.compressionMethod == BMPComressionMode.BI_ALPHABITFIELDS)bmp.aMask = aReader.ReadUInt32();if (bmp.info.nPaletteColors > 0 || bmp.info.nBitsPerPixel <= 8)bmp.palette = ReadPalette(aReader, bmp, ReadPaletteAlpha || ForceAlphaReadWhenPossible);aReader.BaseStream.Seek(bmp.header.offset, SeekOrigin.Begin);bool uncompressed = bmp.info.compressionMethod == BMPComressionMode.BI_RGB ||bmp.info.compressionMethod == BMPComressionMode.BI_BITFIELDS ||bmp.info.compressionMethod == BMPComressionMode.BI_ALPHABITFIELDS;if (bmp.info.nBitsPerPixel == 32 && uncompressed)Read32BitImage(aReader, bmp);else if (bmp.info.nBitsPerPixel == 24 && uncompressed)Read24BitImage(aReader, bmp);else if (bmp.info.nBitsPerPixel == 16 && uncompressed)Read16BitImage(aReader, bmp);else if (bmp.info.compressionMethod == BMPComressionMode.BI_RLE4 && bmp.info.nBitsPerPixel == 4 && bmp.palette != null)ReadIndexedImageRLE4(aReader, bmp);else if (bmp.info.compressionMethod == BMPComressionMode.BI_RLE8 && bmp.info.nBitsPerPixel == 8 && bmp.palette != null)ReadIndexedImageRLE8(aReader, bmp);else if (uncompressed && bmp.info.nBitsPerPixel <= 8 && bmp.palette != null)ReadIndexedImage(aReader, bmp);else{Debug.LogError("Unsupported file format: " + bmp.info.compressionMethod + " BPP: " + bmp.info.nBitsPerPixel);return null;}return bmp;}private static void Read32BitImage(BinaryReader aReader, BMPImage bmp){int w = Mathf.Abs(bmp.info.width);int h = Mathf.Abs(bmp.info.height);Color32[] data = bmp.imageData = new Color32[w * h];if (aReader.BaseStream.Position + w * h * 4 > aReader.BaseStream.Length){Debug.LogError("Unexpected end of file.");return;}int shiftR = GetShiftCount(bmp.rMask);int shiftG = GetShiftCount(bmp.gMask);int shiftB = GetShiftCount(bmp.bMask);int shiftA = GetShiftCount(bmp.aMask);byte a = 255;for (int i = 0; i < data.Length; i++){uint v = aReader.ReadUInt32();byte r = (byte)((v & bmp.rMask) >> shiftR);byte g = (byte)((v & bmp.gMask) >> shiftG);byte b = (byte)((v & bmp.bMask) >> shiftB);if (bmp.bMask != 0)a = (byte)((v & bmp.aMask) >> shiftA);data[i] = new Color32(r, g, b, a);}}private static void Read24BitImage(BinaryReader aReader, BMPImage bmp){int w = Mathf.Abs(bmp.info.width);int h = Mathf.Abs(bmp.info.height);int rowLength = ((24 * w + 31) / 32) * 4;int count = rowLength * h;int pad = rowLength - w * 3;Color32[] data = bmp.imageData = new Color32[w * h];if (aReader.BaseStream.Position + count > aReader.BaseStream.Length){Debug.LogError("Unexpected end of file. (Have " + (aReader.BaseStream.Position + count) + " bytes, expected " + aReader.BaseStream.Length + " bytes)");return;}int shiftR = GetShiftCount(bmp.rMask);int shiftG = GetShiftCount(bmp.gMask);int shiftB = GetShiftCount(bmp.bMask);for (int y = 0; y < h; y++){for (int x = 0; x < w; x++){uint v = aReader.ReadByte() | ((uint)aReader.ReadByte() << 8) | ((uint)aReader.ReadByte() << 16);byte r = (byte)((v & bmp.rMask) >> shiftR);byte g = (byte)((v & bmp.gMask) >> shiftG);byte b = (byte)((v & bmp.bMask) >> shiftB);data[x + y * w] = new Color32(r, g, b, 255);}for (int i = 0; i < pad; i++)aReader.ReadByte();}}private static void Read16BitImage(BinaryReader aReader, BMPImage bmp){int w = Mathf.Abs(bmp.info.width);int h = Mathf.Abs(bmp.info.height);int rowLength = ((16 * w + 31) / 32) * 4;int count = rowLength * h;int pad = rowLength - w * 2;Color32[] data = bmp.imageData = new Color32[w * h];if (aReader.BaseStream.Position + count > aReader.BaseStream.Length){Debug.LogError("Unexpected end of file. (Have " + (aReader.BaseStream.Position + count) + " bytes, expected " + aReader.BaseStream.Length + " bytes)");return;}int shiftR = GetShiftCount(bmp.rMask);int shiftG = GetShiftCount(bmp.gMask);int shiftB = GetShiftCount(bmp.bMask);int shiftA = GetShiftCount(bmp.aMask);byte a = 255;for (int y = 0; y < h; y++){for (int x = 0; x < w; x++){uint v = aReader.ReadByte() | ((uint)aReader.ReadByte() << 8);byte r = (byte)((v & bmp.rMask) >> shiftR);byte g = (byte)((v & bmp.gMask) >> shiftG);byte b = (byte)((v & bmp.bMask) >> shiftB);if (bmp.aMask != 0)a = (byte)((v & bmp.aMask) >> shiftA);data[x + y * w] = new Color32(r, g, b, a);}for (int i = 0; i < pad; i++)aReader.ReadByte();}}private static void ReadIndexedImage(BinaryReader aReader, BMPImage bmp){int w = Mathf.Abs(bmp.info.width);int h = Mathf.Abs(bmp.info.height);int bitCount = bmp.info.nBitsPerPixel;int rowLength = ((bitCount * w + 31) / 32) * 4;int count = rowLength * h;int pad = rowLength - (w * bitCount + 7) / 8;Color32[] data = bmp.imageData = new Color32[w * h];if (aReader.BaseStream.Position + count > aReader.BaseStream.Length){Debug.LogError("Unexpected end of file. (Have " + (aReader.BaseStream.Position + count) + " bytes, expected " + aReader.BaseStream.Length + " bytes)");return;}BitStreamReader bitReader = new BitStreamReader(aReader);for (int y = 0; y < h; y++){for (int x = 0; x < w; x++){int v = (int)bitReader.ReadBits(bitCount);if (v >= bmp.palette.Count){Debug.LogError("Indexed bitmap has indices greater than it's color palette");return;}data[x + y * w] = bmp.palette[v];}bitReader.Flush();for (int i = 0; i < pad; i++)aReader.ReadByte();}}private static void ReadIndexedImageRLE4(BinaryReader aReader, BMPImage bmp){int w = Mathf.Abs(bmp.info.width);int h = Mathf.Abs(bmp.info.height);Color32[] data = bmp.imageData = new Color32[w * h];int x = 0;int y = 0;int yOffset = 0;while (aReader.BaseStream.Position < aReader.BaseStream.Length - 1){int count = (int)aReader.ReadByte();byte d = aReader.ReadByte();if (count > 0){for (int i = (count / 2); i > 0; i--){data[x++ + yOffset] = bmp.palette[(d >> 4) & 0x0F];data[x++ + yOffset] = bmp.palette[d & 0x0F];}if ((count & 0x01) > 0){data[x++ + yOffset] = bmp.palette[(d >> 4) & 0x0F];}}else{if (d == 0){x = 0;y += 1;yOffset = y * w;}else if (d == 1){break;}else if (d == 2){x += aReader.ReadByte();y += aReader.ReadByte();yOffset = y * w;}else{for (int i = (d / 2); i > 0; i--){byte d2 = aReader.ReadByte();data[x++ + yOffset] = bmp.palette[(d2 >> 4) & 0x0F];if (x + 1 < w)data[x++ + yOffset] = bmp.palette[d2 & 0x0F];}if ((d & 0x01) > 0){data[x++ + yOffset] = bmp.palette[(aReader.ReadByte() >> 4) & 0x0F];}if ((((d - 1) / 2) & 1) == 0){aReader.ReadByte(); // padding (word alignment)}}}}}private static void ReadIndexedImageRLE8(BinaryReader aReader, BMPImage bmp){int w = Mathf.Abs(bmp.info.width);int h = Mathf.Abs(bmp.info.height);Color32[] data = bmp.imageData = new Color32[w * h];int x = 0;int y = 0;int yOffset = 0;while (aReader.BaseStream.Position < aReader.BaseStream.Length - 1){int count = (int)aReader.ReadByte();byte d = aReader.ReadByte();if (count > 0){for (int i = count; i > 0; i--){data[x++ + yOffset] = bmp.palette[d];}}else{if (d == 0){x = 0;y += 1;yOffset = y * w;}else if (d == 1){break;}else if (d == 2){x += aReader.ReadByte();y += aReader.ReadByte();yOffset = y * w;}else{for (int i = d; i > 0; i--){data[x++ + yOffset] = bmp.palette[aReader.ReadByte()];}if ((d & 0x01) > 0){aReader.ReadByte(); // padding (word alignment)}}}}}private static int GetShiftCount(uint mask){for (int i = 0; i < 32; i++){if ((mask & 0x01) > 0)return i;mask >>= 1;}return -1;}private static uint GetMask(int bitCount){uint mask = 0;for (int i = 0; i < bitCount; i++){mask <<= 1;mask |= 0x01;}return mask;}private static bool ReadFileHeader(BinaryReader aReader, ref BMPFileHeader aFileHeader){aFileHeader.magic = aReader.ReadUInt16();if (aFileHeader.magic != MAGIC)return false;aFileHeader.filesize = aReader.ReadUInt32();aFileHeader.reserved = aReader.ReadUInt32();aFileHeader.offset = aReader.ReadUInt32();return true;}private static bool ReadInfoHeader(BinaryReader aReader, ref BitmapInfoHeader aHeader){aHeader.size = aReader.ReadUInt32();if (aHeader.size < 40)return false;aHeader.width = aReader.ReadInt32();aHeader.height = aReader.ReadInt32();aHeader.nColorPlanes = aReader.ReadUInt16();aHeader.nBitsPerPixel = aReader.ReadUInt16();aHeader.compressionMethod = (BMPComressionMode)aReader.ReadInt32();aHeader.rawImageSize = aReader.ReadUInt32();aHeader.xPPM = aReader.ReadInt32();aHeader.yPPM = aReader.ReadInt32();aHeader.nPaletteColors = aReader.ReadUInt32();aHeader.nImportantColors = aReader.ReadUInt32();int pad = (int)aHeader.size - 40;if (pad > 0)aReader.ReadBytes(pad);return true;}public static List<Color32> ReadPalette(BinaryReader aReader, BMPImage aBmp, bool aReadAlpha){uint count = aBmp.info.nPaletteColors;if (count == 0u)count = 1u << aBmp.info.nBitsPerPixel;var palette = new List<Color32>((int)count);for (int i = 0; i < count; i++){byte b = aReader.ReadByte();byte g = aReader.ReadByte();byte r = aReader.ReadByte();byte a = aReader.ReadByte();if (!aReadAlpha)a = 255;palette.Add(new Color32(r, g, b, a));}return palette;}}public class BitStreamReader{BinaryReader m_Reader;byte m_Data = 0;int m_Bits = 0;public BitStreamReader(BinaryReader aReader){m_Reader = aReader;}public BitStreamReader(Stream aStream) : this(new BinaryReader(aStream)) { }public byte ReadBit(){if (m_Bits <= 0){m_Data = m_Reader.ReadByte();m_Bits = 8;}return (byte)((m_Data >> --m_Bits) & 1);}public ulong ReadBits(int aCount){ulong val = 0UL;if (aCount <= 0 || aCount > 32)throw new System.ArgumentOutOfRangeException("aCount", "aCount must be between 1 and 32 inclusive");for (int i = aCount - 1; i >= 0; i--)val |= ((ulong)ReadBit() << i);return val;}public void Flush(){m_Data = 0;m_Bits = 0;}}
}

调用方法

BMPLoader bmpLoader = new BMPLoader();
//imagebytes为bmp数据流
BMPImage bmpimage = bmpLoader.LoadBMP(imagebytes);
Raw.texture = bmpimage.ToTexture2D();

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

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

相关文章

Go语言的流行框架 ,能够根据数据表直接生成程序、语言包和界面的并不多见,希望哪个大神,做一个

基于Go语言的框架中&#xff0c;能够根据数据表直接生成程序、语言包和界面的并不多见&#xff0c; 希望哪个大神&#xff0c;做一个 因为Go语言更侧重于性能和并发性&#xff0c;而这类自动生成的功能往往与具体的业务逻辑和界面需求紧密相关&#xff0c;这通常是前端框架或全…

Linux下QT界面小程序开发

背景&#xff1a;需要在linux不同环境下可以测试我们的读卡器设备 搭建本地linux开发环境&#xff08;本来想VS里开发然后通过SSH的方式在linux下编译&#xff0c;但是工具链一直没搞起来&#xff0c;所以我是在ubuntu里安装的QT Creator工具直接开发的&#xff09;&#xff1b…

ARMday6作业

1&#xff0c;串口字符串收发现象实现图 2.串口控制灯亮灭 main.c #include "uart4.h"//封装延时函数 void delay(int ms) {int i,j;for(i0;i<ms;i){for(j0;j<2000;j){}} }int strcmp(char *a1,char *a2) {int i0;while(a1[i]a2[i]){if(a1[i]\0){break;} i;}…

C# 主窗体中显示子窗体(MDI)

1.示例代码&#xff0c;假如主窗体为MainForm,有三个子窗体分别是&#xff1a;Form1&#xff0c;Form2&#xff0c;Form3 public partial class MainForm : Form {public MainForm(){InitializeComponent();}Form1 form1 new Form1(); //子窗体1Form2 form2 new Form2(); //…

【地图】腾讯地图 - InfoWindow 自定义信息窗口内容时,内容 html 嵌套混乱问题

目录 需求描述问题问题代码页面展示 解决原因解决办法解决代码页面展示 代码汇总注 需求描述 腾讯地图上画点位&#xff0c;点击点位展示弹框信息 问题 问题代码 // 打开弹框 openInfoWindow(position, content) {this.infoWindow new TMap.InfoWindow({map: this.map,posit…

windowsVMware虚拟机中扩展linux磁盘空间

1.虚拟磁盘扩容 VM中&#xff0c;关闭linux虚拟机&#xff0c;直接编辑虚拟机-硬盘-扩展磁盘容量 2.通过Gparted工具进行LINUX系统磁盘分区 未分区挂载前可以看到/挂载点下空间为20G&#xff1a; 通过虚拟机-快照-拍摄快照&#xff0c;操作前可拍摄快照&#xff08;便于恢复之前…

FPGA高速接口的学习途径,全套课程

​FPGA高速接口有哪些学习途径&#xff0c;这里不得不提下我们宸极教育FPGA课程&#xff0c; FPGA课程5.0 版&#xff1a;Xilinx体系高速接口项目实操&#xff0c;全新升级&#xff0c;课程完全根据企业招聘要求&#xff0c;项目实操设置&#xff0c;适应目前市场的求职招聘要…

FastJson序列化隐藏特性

针对训练模型控制台的web后端维护&#xff0c;新增了一个int类型的maxTokenLimit字段&#xff0c;表示调用GPT模型请求允许的TokenSize上限值。后端添加好之后&#xff0c;数据库里面这个字段项没有填充数值&#xff0c;默认是空&#xff0c;所以理论上当maxTokenLimit字段为空…

半加器___

1.原理 2.代码 2.1 half_adder.v module half_adder (input wire in_1 ,input wire in_2 ,output wire sum ,output wire count );assign {count,sum}in_1in_2;endmodule 2.2 tb_half_adder.v timescale 1ns/1nsmodule tb_half_adder();reg in_1; reg in_2;wire su…

ThreaTrace复现记录

1. 环境配置 服务器环境 需要10.2的cuda版本 conda环境 包的版本&#xff1a; python 3.6.13 pytorch 1.9.1 torch-cluster 1.5.9 torch-scatter 2.0.9 torch-sparse 0.6.12 torch-spline-conv 1.2.1 torch-geometric 1.4.3 环境bug 这里环境搭建好以后&#xff0c;就可以正…

使用Python和PIL将RGB转换为三通道灰度图

将彩色图像转换为多通道的灰度图意味着保持图像数据的形状不变&#xff0c;但将每个像素的彩色表示转换为灰度值。通常灰度图像是单通道的&#xff0c;但如果想保持原图的三通道结构&#xff0c;可以用相同的灰度值填充每个通道。 彩色图像通常以RGB&#xff08;红、绿、蓝&am…

MySql实战--深入浅出索引(下)

在开始这篇文章之前&#xff0c;我们先来看一下这个问题&#xff1a; 在下面这个表T中&#xff0c;如果我执行 select * from T where k between 3 and 5&#xff0c;需要执行几次树的搜索操作&#xff0c;会扫描多少行&#xff1f; 下面是这个表的初始化语句。 图1 InnoDB的索…

Ubuntu下搭建UEFI下PXE服务端(详细)总结

目录 一、简介二、HTTP服务端搭建三、DHCP服务端搭建四、TFTP服务端搭建五、重启所有服务、关闭防火墙六、其他相关链接1、Windows下EDK2快速搭建过程总结附软件包地址2、PXE安装Linux系统原理详解3、Ubuntu系统设置常见问题处理详细总结4、UEFI下命令参数详解快速掌握 一、简介…

【IEEE】Multimodal Machine Learning: A Survey and Taxonomy

不废话&#xff0c;先上思维导图&#xff0c;哈哈哈&#xff01; 论文题目Machine Learning: A Survey and Taxonomy作者Tadas Baltrusaitis , Chaitanya Ahuja , and Louis-Philippe Morency状态已读完会议或者期刊名称IEEE TRANSACTIONS ON PATTERN ANALYSIS AND MACHINE IN…

【创建进程】fork函数与写时拷贝

文章目录 fork函数fork如何返回两个值&#xff08;fork的工作原理&#xff09;如何解释父子进程相互输出printf 写时拷贝 fork函数 #include <unistd.h> pid_t fork(void); 返回值&#xff1a;自进程中返回0&#xff0c;父进程返回子进程id&#xff0c;出错返回-1 fork函…

Linux - 应用层HTTPS、传输层TCP/IP模型中典型协议解析

目录 应用层&#xff1a;自定制协议实例 HTTP协议首行头部空行正文http服务器的搭建 HTTPS协议 传输层UDP协议TCP协议 应用层&#xff1a; 应用层负责应用程序之间的沟通—程序员自己定义数据的组织格式 应用层协议&#xff1a;如何将多个数据对象组织成为一个二进制数据串进行…

ES集群部署指引

文章目录 引言I 清除last_run_metadata_path数据。II 配置IP2.1 CentOS系统的IP参数2.2 shell脚本-静态网络配置III 公司工作电脑的IP多号段配置3.1 Mac电脑3.2 windows系统see alsomac Rootlees 内核保护措施引言 申请两台Linux机器,存储1年的航迹数据,需要4T的存储空间。 E…

在Linux 中,如何配置网桥?如何配置虚拟网络

在Linux中配置网桥和虚拟网络主要涉及到编辑网络配置文件以及使用特定的命令。以下是一些详细的步骤讲解&#xff1a; 一、配置网桥 编辑网络配置文件 打开终端&#xff0c;使用文本编辑器&#xff08;如vi或nano&#xff09;编辑网络配置文件。对于eth0网络接口&#xff0c…

鸿蒙ArkTS语言快速入门-TS(五)

相关文章快速入口&#xff1a;鸿蒙ArkTS语言快速入门-TS&#xff08;四&#xff09; TS入门学习第五篇 TS入门学习第五篇模块导出模块 exports导入模块 imports 外部模块命名空间 TS入门学习第五篇 模块 模块在其自身的作用域里执行&#xff0c;而不是在全局作用域里&#x…

【算法刷题 | 二叉树 03】3.22 二叉树的层序遍历02(5题:在每个树行中找最大值,填充每个节点的下一个右侧节点指针,二叉树的最大深度,最小深度)

文章目录 5.6 515_在每个树行中找最大值5.6.1问题5.6.2解法&#xff1a;层序遍历 5.7 116_填充每个节点的下一个右侧节点指针5.7.1问题5.7.2解法&#xff1a;层序遍历 5.8 116_填充每个节点的下一个右侧节点指针||5.8.1问题5.8.2解法&#xff1a;层序遍历 5.9 104_二叉树的最大…