首页 程序笔记 C#自动加载网页并截图成长图片

C#自动加载网页并截图成长图片

最近在做一个需求,需要对网页生成预览图。但是网页千千万,总不能一个个打开,截图吧?于是想着能不能使用代码来实现网页的截图。其实要实现这个功能,无非就是要么实现一个仿真浏览器,要么调用系统浏览器,再进行截图操作。

C#代码实现:

1、启用线程Thread

void startPrintScreen(ScreenShotParam requestParam)
 {
 Thread thread = new Thread(new ParameterizedThreadStart(do_PrintScreen));
 thread.SetApartmentState(ApartmentState.STA);
 thread.Start(requestParam);
 if (requestParam.Wait)
 {
 thread.Join();
 FileInfo result = new FileInfo(requestParam.SavePath);
 long minSize = 1 * 1024;// 太小可能是空白圖,重抓
 int maxRepeat = 2; 
 while ((!result.Exists || result.Length <= minSize) && maxRepeat > 0)
 {
 thread = new Thread(new ParameterizedThreadStart(do_PrintScreen));
 thread.SetApartmentState(ApartmentState.STA);
 thread.Start(requestParam);
 thread.Join();
 maxRepeat--;
 }
 }
 }

2、模拟浏览器WebBrowser

void do_PrintScreen(object param)
 {
 try
 {
 ScreenShotParam screenShotParam = (ScreenShotParam)param;
 string requestUrl = screenShotParam.Url;
 string savePath = screenShotParam.SavePath;
 WebBrowser wb = new WebBrowser();
 wb.ScrollBarsEnabled = false;
 wb.ScriptErrorsSuppressed = true;
 wb.Navigate(requestUrl);
 logger.Debug("wb.Navigate");
 DateTime startTime = DateTime.Now;
 TimeSpan waitTime = new TimeSpan(0, 0, 0, 10, 0);// 10 second
 while (wb.ReadyState != WebBrowserReadyState.Complete)
 {
 Application.DoEvents();
 if (DateTime.Now - startTime > waitTime)
 {
 wb.Dispose();
 logger.Debug("wb.Dispose() timeout");
 return;
 }
 }

 wb.Width = screenShotParam.Left + screenShotParam.Width + screenShotParam.Left; // wb.Document.Body.ScrollRectangle.Width (避掉左右側的邊線);
 wb.Height = screenShotParam.Top + screenShotParam.Height; // wb.Document.Body.ScrollRectangle.Height;
 wb.ScrollBarsEnabled = false;
 wb.Document.Body.Style = "overflow:hidden";//hide scroll bar
 var doc = (wb.Document.DomDocument) as mshtml.IHTMLDocument2;
 var style = doc.createStyleSheet("", 0);
 style.cssText = @"img { border-style: none; }";

 Bitmap bitmap = new Bitmap(wb.Width, wb.Height);
 wb.DrawToBitmap(bitmap, new Rectangle(0, 0, wb.Width, wb.Height));
 wb.Dispose();
 logger.Debug("wb.Dispose()");

 bitmap = CutImage(bitmap, new Rectangle(screenShotParam.Left, screenShotParam.Top, screenShotParam.Width, screenShotParam.Height));
 bool needResize = screenShotParam.Width > screenShotParam.ResizeMaxWidth || screenShotParam.Height > screenShotParam.ResizeMaxWidth;
 if (needResize)
 {
 double greaterLength = bitmap.Width > bitmap.Height ? bitmap.Width : bitmap.Height;
 double ratio = screenShotParam.ResizeMaxWidth / greaterLength;
 bitmap = Resize(bitmap, ratio);
 }

 bitmap.Save(savePath, System.Drawing.Imaging.ImageFormat.Gif);
 bitmap.Dispose();
 logger.Debug("bitmap.Dispose();");
 logger.Debug("finish");

 }
 catch (Exception ex)
 {
 logger.Info($"exception: {ex.Message}");
 }
 }

3、截图操作

private static Bitmap CutImage(Bitmap source, Rectangle section)
 {
 // An empty bitmap which will hold the cropped image
 Bitmap bmp = new Bitmap(section.Width, section.Height);
 //using (Bitmap bmp = new Bitmap(section.Width, section.Height))
 {
 Graphics g = Graphics.FromImage(bmp);

 // Draw the given area (section) of the source image
 // at location 0,0 on the empty bitmap (bmp)
 g.DrawImage(source, 0, 0, section, GraphicsUnit.Pixel);

 return bmp;
 }
 }

 private static Bitmap Resize(Bitmap originImage, Double times)
 {
 int width = Convert.ToInt32(originImage.Width * times);
 int height = Convert.ToInt32(originImage.Height * times);

 return ResizeProcess(originImage, originImage.Width, originImage.Height, width, height);
 }

4、完整代码

public static string ScreenShotAndSaveAmazonS3(string account, string locale, Guid rule_ID, Guid template_ID)
 {
 
 //新的Template
 var url = string.Format("https://xxxx/public/previewtemplate?showTemplateName=0&locale={0}&inputTemplateId={1}&inputThemeId=&Account={2}",
 locale,
 template_ID,
 account
 );
 

 var tempPath = Tools.GetAppSetting("TempPath");

 //路徑準備
 var userPath = AmazonS3.GetS3UploadDirectory(account, locale, AmazonS3.S3SubFolder.Template);
 var fileName = string.Format("{0}.gif", template_ID);
 var fullFilePath = Path.Combine(userPath.LocalDirectoryPath, fileName);
 logger.Debug("userPath: {0}, fileName: {1}, fullFilePath: {2}, url:{3}", userPath, fileName, fullFilePath, url);
 
 //開始截圖,並暫存在本機
 var screen = new Screen();
 screen.ScreenShot(url, fullFilePath);

 //將截圖,儲存到 Amazon S3
 //var previewImageUrl = AmazonS3.UploadFile(fullFilePath, userPath.RemotePath + fileName);

 return string.Empty;
 }


using System;
using System.Collections.Generic;
using System.Drawing;
using System.IO;
using System.Linq;
using System.Text;
using System.Threading;
using System.Threading.Tasks;
using System.Windows.Forms;

namespace PrintScreen.Common
{
 public class Screen
 {
 protected static NLog.Logger logger = NLog.LogManager.GetCurrentClassLogger();

 public void ScreenShot(string url, string path
 , int width = 400, int height = 300
 , int left = 50, int top = 50
 , int resizeMaxWidth = 200, int wait = 1)
 {
 if (!string.IsOrEmpty(url) && !string.IsOrEmpty(path))
 {
 ScreenShotParam requestParam = new ScreenShotParam
 {
 Url = url,
 SavePath = path,
 Width = width,
 Height = height,
 Left = left,
 Top = top,
 ResizeMaxWidth = resizeMaxWidth,
 Wait = wait != 0
 };
 startPrintScreen(requestParam);
 }
 }

 void startPrintScreen(ScreenShotParam requestParam)
 {
 Thread thread = new Thread(new ParameterizedThreadStart(do_PrintScreen));
 thread.SetApartmentState(ApartmentState.STA);
 thread.Start(requestParam);
 if (requestParam.Wait)
 {
 thread.Join();
 FileInfo result = new FileInfo(requestParam.SavePath);
 long minSize = 1 * 1024;// 太小可能是空白圖,重抓
 int maxRepeat = 2; 
 while ((!result.Exists || result.Length <= minSize) && maxRepeat > 0)
 {
 thread = new Thread(new ParameterizedThreadStart(do_PrintScreen));
 thread.SetApartmentState(ApartmentState.STA);
 thread.Start(requestParam);
 thread.Join();
 maxRepeat--;
 }
 }
 }

 void do_PrintScreen(object param)
 {
 try
 {
 ScreenShotParam screenShotParam = (ScreenShotParam)param;
 string requestUrl = screenShotParam.Url;
 string savePath = screenShotParam.SavePath;
 WebBrowser wb = new WebBrowser();
 wb.ScrollBarsEnabled = false;
 wb.ScriptErrorsSuppressed = true;
 wb.Navigate(requestUrl);
 logger.Debug("wb.Navigate");
 DateTime startTime = DateTime.Now;
 TimeSpan waitTime = new TimeSpan(0, 0, 0, 10, 0);// 10 second
 while (wb.ReadyState != WebBrowserReadyState.Complete)
 {
 Application.DoEvents();
 if (DateTime.Now - startTime > waitTime)
 {
 wb.Dispose();
 logger.Debug("wb.Dispose() timeout");
 return;
 }
 }

 wb.Width = screenShotParam.Left + screenShotParam.Width + screenShotParam.Left; // wb.Document.Body.ScrollRectangle.Width (避掉左右側的邊線);
 wb.Height = screenShotParam.Top + screenShotParam.Height; // wb.Document.Body.ScrollRectangle.Height;
 wb.ScrollBarsEnabled = false;
 wb.Document.Body.Style = "overflow:hidden";//hide scroll bar
 var doc = (wb.Document.DomDocument) as mshtml.IHTMLDocument2;
 var style = doc.createStyleSheet("", 0);
 style.cssText = @"img { border-style: none; }";

 Bitmap bitmap = new Bitmap(wb.Width, wb.Height);
 wb.DrawToBitmap(bitmap, new Rectangle(0, 0, wb.Width, wb.Height));
 wb.Dispose();
 logger.Debug("wb.Dispose()");

 bitmap = CutImage(bitmap, new Rectangle(screenShotParam.Left, screenShotParam.Top, screenShotParam.Width, screenShotParam.Height));
 bool needResize = screenShotParam.Width > screenShotParam.ResizeMaxWidth || screenShotParam.Height > screenShotParam.ResizeMaxWidth;
 if (needResize)
 {
 double greaterLength = bitmap.Width > bitmap.Height ? bitmap.Width : bitmap.Height;
 double ratio = screenShotParam.ResizeMaxWidth / greaterLength;
 bitmap = Resize(bitmap, ratio);
 }

 bitmap.Save(savePath, System.Drawing.Imaging.ImageFormat.Gif);
 bitmap.Dispose();
 logger.Debug("bitmap.Dispose();");
 logger.Debug("finish");

 }
 catch (Exception ex)
 {
 logger.Info($"exception: {ex.Message}");
 }
 }

 private static Bitmap CutImage(Bitmap source, Rectangle section)
 {
 // An empty bitmap which will hold the cropped image
 Bitmap bmp = new Bitmap(section.Width, section.Height);
 //using (Bitmap bmp = new Bitmap(section.Width, section.Height))
 {
 Graphics g = Graphics.FromImage(bmp);

 // Draw the given area (section) of the source image
 // at location 0,0 on the empty bitmap (bmp)
 g.DrawImage(source, 0, 0, section, GraphicsUnit.Pixel);

 return bmp;
 }
 }

 private static Bitmap Resize(Bitmap originImage, Double times)
 {
 int width = Convert.ToInt32(originImage.Width * times);
 int height = Convert.ToInt32(originImage.Height * times);

 return ResizeProcess(originImage, originImage.Width, originImage.Height, width, height);
 }

 private static Bitmap ResizeProcess(Bitmap originImage, int oriwidth, int oriheight, int width, int height)
 {
 Bitmap resizedbitmap = new Bitmap(width, height);
 //using (Bitmap resizedbitmap = new Bitmap(width, height))
 {
 Graphics g = Graphics.FromImage(resizedbitmap);
 g.InterpolationMode = System.Drawing.Drawing2D.InterpolationMode.High;
 g.SmoothingMode = System.Drawing.Drawing2D.SmoothingMode.HighQuality;
 g.Clear(Color.Transparent);
 g.DrawImage(originImage, new Rectangle(0, 0, width, height), new Rectangle(0, 0, oriwidth, oriheight), GraphicsUnit.Pixel);
 return resizedbitmap;
 }
 }

 }

 class ScreenShotParam
 {
 public string Url { get; set; }
 public string SavePath { get; set; }
 public int Width { get; set; }
 public int Height { get; set; }
 public int Left { get; set; }
 public int Top { get; set; }
 /// <summary>
 /// 長邊縮到指定長度
 /// </summary>
 public int ResizeMaxWidth { get; set; }
 public bool Wait { get; set; }
 }

}

5、实现效果

站心网

最近在做一个需求,需要对网页生成预览图。但是网页千千万,总不能一个个打开,截图吧?于是想着能不能使用..

为您推荐

使用 html2canvas 实现截图功能

html2canvas 是一个开源的 JavaScript 库,用于将网页上的 HTML 元素渲染成图像。它通过遍历页面的 DOM 树和计算样式,然后将其绘制到 <canvas> 元素上,最终生成图片。该库不依赖服务器端,而是通过浏览器端的 Java..

基于Dapper的开源Lambda扩展,且支持分库分表自动生成实体之基础

LnskyDB是基于Dapper的Lambda扩展,支持按时间分库分表,也可以自定义分库分表方法.而且可以T4生成实体类免去手写实体类的烦恼.文档地址:https://liningit.github.io/LnskyDB/开源地址:https://github.com/liningit/Ln..

5个高性能 .NET Core 图片处理库推荐

在使用 .NET Core 开发中,图片处理是一个常见需求,如图像缩放、裁剪、格式转换和添加水印等。以下是一些推荐的 .NET Core 图片处理库,它们功能强大且支持多种图像处理功能:1. ImageSharp简介:ImageSharp 是一个..

.NET C# 读取编辑.AVIF图片文件

在 .NET 中读取和编辑 .AVIF 图片文件需要特定的库支持,因为 System.Drawing 等内置功能不直接支持 AVIF 格式。目前可以通过以下方式在 .NET 中实现对 AVIF 文件的读取和编辑:方法一:使用 ImageMagick 的 .NET 封..

.NET C# SkiaSharp读取.AVIF图片文件报错

SkiaSharp 目前对 .AVIF 格式的支持可能依赖于具体的版本和底层库的配置。如果在使用 SkiaSharp 时尝试读取 .AVIF 文件报错,以下是一些可能的原因和解决方案:1. 检查 SkiaSharp 的版本SkiaSharp 的支持功能取决于..

无法加载文件或程序集 'XXXXX' 或其依赖项。访问被拒绝

遇到 “无法加载文件或程序集 'XXXXX' 或其依赖项。访问被拒绝” 错误时,通常是由于权限问题或文件夹、程序集引用配置不当所引起。下面是一些常见的原因及解决方法:1. 文件或程序集权限问题如果服务器或..

常用的javascript网页数字滚动插件

在网页开发中,数字滚动效果广泛用于展示统计数据、计数器、动画化的数字效果等。以下是几款常用的 JavaScript 数字滚动插件:1. CountUp.js简介: CountUp.js 是一个轻量级的数字滚动插件,提供平滑的数字滚动动画效..

ideogram.ai 人工智能AI图片生成工具网站

Ideogram是一个由前Google Brain员工创立的AI绘画工具,它能够根据文本生成各种风格的图像,尤其擅长准确生成文本内容和抽象图标。Ideogram官网地址:https://ideogram.ai/loginIdeogram是由前Google Brain员工在202..

DrissionPage 基于Python的网页自动化工具

在数字化时代,网页自动化工具成为开发人员和数据分析师的得力助手。今天,我们将深入探索一款名为 DrissionPage 的全能网页自动化工具,它以其强大的功能和优雅的语法,成为 Python 程序员的新宠。什么是 DrissionP..

宝塔里mysql停止了自动启用脚本

mysql突然停止的原因有多种,这里不列举,可以排查具体原因。如果停止后,还可以手工正常启用mysql,那可以考虑把shell脚本添加到宝塔的计划任务里,定时每隔几分钟检测一次,让mysql自动检测停止后立马启用。ps=`ps..

判断 nginx 服务是否启动,未启动自动重启 shell脚本

我的是宝塔面板直接上代码nginx_procnum=`ps -ef|grep "nginx"|grep -v grep|wc -l`if [ $nginx_procnum -eq 0 ]then echo "start nginx..." /etc/init.d/nginx startelse echo "no cmd" fi然后添加定时任务;每分钟..

宝塔里redis停止了自动启用脚本

redis突然停止的原因有多种:1、内存不足,如果Redis使用的内存超过了服务器可用内存,操作系统会自动杀死Redis进程。2、服务器的资源限制(ulimit)比较低,Redis可能会因为无法打开足够的文件描述符而停止。3、其..

c# 输出base64图片格式

项目中要输出二维码图片,打算在接口中输出base64字符串。Base64编码在Web方面有很多应用,.Net Framework也提供了现成的功能类(System.Convert)用于将二进制数据转换为Base64字符串。先使用ThoughtWorks.QRCode生成..

使用htmlagilitypack+xpath抓取网页内容示例

本文使用htmlagilitypack+xpath抓取网页内容示例,用简单的例子展示如何使用htmlagilitypack抓取网页,可以用来做数据采集等功能。用htmlagilitypack+xpath抓取网页内容示例源码下载首先在nuget中获取htmlagilitypac..

c#无损压缩图片代码,可设置压缩质量

之前写过一篇文章《使用htmlagilitypack+xpath抓取网页内容示例》,提到使用htmlagilitypack抓取网页信息。想做一个网络爬虫,但是想把网页上的图片也下载到本地,于是写了下载图片的功能。但是第三方网站上的图片大..

.NET Core c#使用SkiaSharp压缩裁切图片去除水印

在.NET 6中,微软官方建议使用SkiaSharp库进行图片操作。本文主要介绍使用SkiaSharp库压缩裁切图片去除水印。做图片压缩和去除水印,主要是为了在网站中使用图片。比如抓取某网站的文章和图片发布到自己的网站中。但..

.Net Core HttpClient读取GB2312网页乱码

.NET Core使用HttpClinet抓取网页,使用Encoding.UTF8.GetString(arr)方法获取网页内容时中文会变成乱码。但是如果改为Encoding.GetEncoding("gb2312").GetString()方法的话会报错:'gb2312' is not a supported enc..

.NET Core c#使用SkiaSharp压缩图片

在.NET 6中,微软不建议使用System.Drawing.Common。因为System.Drawing.Common被设计为Window 技术的精简包装器,因此其跨平台实现欠佳。官方建议使用SkiaSharp库进行图片操作。.NET 6 c#使用SkiaSharp压缩图片是比..

c# HttpClient下载图片

c# .NET Core中使用WebClient下载图片会提示已经弃用,推荐使用HttpClient。那么.NET core中如何使用HttpClient下载图片呢?在C#中使用HttpClient下载图片,下面是代码示例:usingSystem;usingSystem.Net.Http;using..

使用C#为图片去除水印

在C#中,你可以使用图像处理库来为图片去除水印。以下是一个基本的示例代码,使用AForge.NET图像处理库来去除图片中的水印:首先,确保你已经安装了AForge.NET库。你可以在Visual Studio的NuGet包管理器中搜索并安装..

发表回复

返回顶部