C# 检测图片比例遇到长宽颠倒(C# 读取图片被旋转)

C#检测图片比例遇到长宽颠倒(C#读取图片被旋转)

原本使用如下代码检查图片比例

1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
26
public struct ImageSize
{
public int Width;
public int Height;

public ImageSize(int w, int h)
{
Width = w;
Height = h;
}
}

public static ImageSize GetImageSize(string img)
{
try
{
System.Drawing.Image image = System.Drawing.Image.FromFile(img);
ImageSize size = new ImageSize(image.Width, image.Height);
image.Dispose();
return size;
}
catch (Exception e)
{
return new ImageSize(0, 0);
}
}

但是存在如下问题:

  1. 无法正确处理 webp 格式。
  2. 部分格式的图片,载入后会呈现旋转 90 度的效果。

原因:System.Drawing.Image 过于古老,不支持 webp 格式,并且原生不会读取图片的 Exif 信息。

百度百科:可交换图像文件格式(英语:Exchangeable image file format,官方简称Exif),是专门为数码相机的照片设定的,可以记录数码照片的属性信息和拍摄数据。

解决方法

使用 ImageSharp 库可以更方便地处理图像和 EXIF 信息。ImageSharp 是一个强大的跨平台图像处理库,支持多种图像格式(包括 WebP)并自动处理 EXIF 旋转信息。

1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
using SixLabors.ImageSharp;
using SixLabors.ImageSharp.Metadata.Profiles.Exif;
using System;

public static ImageSize GetImageSize(string img)
{
try
{
// 使用 ImageSharp 加载图像
using (var image = Image.Load(img))
{
// ImageSharp 会自动处理 EXIF 旋转信息,因此直接获取宽度和高度即可
return new ImageSize(image.Width, image.Height);
}
}
catch (Exception e)
{
// 如果发生异常,返回默认值
return new ImageSize(0, 0);
}
}

Image.Load: ImageSharp 的 Image.Load 方法会自动加载图像并处理 EXIF 旋转信息,不需要手动处理旋转问题。

image.Widthimage.Height: 这些属性会返回图像的实际宽度和高度,已经考虑了 EXIF 旋转信息。

备选方案

如果 .net 版本过低,比如仍在使用 .NET Framework 系列,而不是新的 .NET 8 等,那么 ImageSharp 可能有 bug,比如 using SixLabors 会报错。

可以使用如下方法,让 System.Drawing.Image 处理图片的 Exif 信息。

1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
26
27
28
29
public static ImageSize GetImageSize(string img)
{
try
{
using (System.Drawing.Image image = System.Drawing.Image.FromFile(img))
{
// Check for EXIF orientation property
if (Array.Exists(image.PropertyIdList, id => id == 274)) // 274 is the EXIF orientation tag
{
var orientationProperty = image.GetPropertyItem(274);
int orientationValue = orientationProperty.Value[0];

// Adjust width and height based on orientation
if (orientationValue == 6 || orientationValue == 8)
{
// Swap width and height for 90 or 270 degree rotation
return new ImageSize(image.Height, image.Width);
}
}

// Default case, no rotation
return new ImageSize(image.Width, image.Height);
}
}
catch (Exception e)
{
return new ImageSize(0, 0);
}
}

Orientation Values:

  • 1:正常(无旋转)
  • 3:旋转180度
  • 6:旋转90度
  • 8:旋转270度

csharp-detect-image-ratio.md


C# 检测图片比例遇到长宽颠倒(C# 读取图片被旋转)
https://taylorandtony.github.io/2025/03/12/csharp-detect-image-ratio/
作者
TaylorAndTony
发布于
2025年3月12日
许可协议