C#使用phantomjs 进行网页整页截屏

  1. hantomjs 是一个基于jswebkit内核无头浏览器 也就是没有显示界面的浏览器,这样访问网页就省去了浏览器的界面绘制所消耗的系统资源,比较适合用于网络测试等应用 。我只是调用了其中的一个截取网页的小功能,可以完美的解析网页的jscss 而且兼容html5,不过最新的1.5版本不支持flash,所以我采用了1.4的版本,能够得到完整的网页体验。
  2. 先看看执行的效率(4M电信,:30点测试):
  3.  
  4. phantomjs的目录结构
  5.  
  6. dll挺多的 都是必须的 codecs里面包含编码信息 qcncodecs4.dll 这个是中文支持 里面还有韩文 日文和台湾繁体中文 这玩意必须有 要不然会出现乱码的。
  7. imageformats目录里面是qgif4.dllqjpeg4.dll两个dll 是用于图片转换的 默认png格式。
  8.  
  9. rasterize.js 就是官方写好的截屏的js代码
  10. var page = require('webpage').create(),
  11.  
  12. address, output, size;
  13.  
  14. if (phantom.args.length < || phantom.args.length > ) {
  15.  
  16. console.log('Usage: rasterize.js URL filename [paperwidth*paperheight|paperformat]');
  17.  
  18. console.log(' paper (pdf output) examples: "5in*7.5in", "10cm*20cm", "A4", "Letter"');
  19.  
  20. phantom.exit();
  21.  
  22. } else {
  23.  
  24. address = phantom.args[];
  25.  
  26. output = phantom.args[];
  27.  
  28. page.viewportSize = { width: , height: };
  29.  
  30. if (phantom.args.length === && phantom.args[].substr(-) === ".pdf") {
  31.  
  32. size = phantom.args[].split('*');
  33.  
  34. page.paperSize = size.length === ? { width: size[], height: size[], border: '0px' }
  35.  
  36. : { format: phantom.args[], orientation: 'portrait', border: '1cm' };
  37.  
  38. }
  39.  
  40. page.open(address, function (status) {
  41.  
  42. if (status !== 'success') {
  43.  
  44. console.log('Unable to load the address!');
  45.  
  46. } else {
  47.  
  48. window.setTimeout(function () {
  49.  
  50. page.render(output);
  51.  
  52. phantom.exit();
  53.  
  54. }, );
  55.  
  56. }
  57.  
  58. });
  59.  
  60. }
  61. 看这个js的意思貌似可以将pdf文件转换为图片文件,我没有测试。我调用的时候只是传了两个参数。
  62. 下面的就算调用的核心js代码 直接输出图像文件。
  63. page.render(output);
  64. C#中调用这玩意的代码是:
  65. private void GetImage(string url) {
  66.  
  67. string links = url.IndexOf("http://") > - ? url : "http://" + url;
  68.  
  69. #region 启动进程
  70.  
  71. Process p = new Process();
  72.  
  73. p.StartInfo.FileName = Environment.CurrentDirectory+"//phantomjs.exe";
  74.  
  75. p.StartInfo.WorkingDirectory = Environment.CurrentDirectory+"//pic//";
  76.  
  77. p.StartInfo.Arguments = string.Format("--ignore-ssl-errors=yes --load-plugins=yes " + Environment.CurrentDirectory + "//rasterize.js " + links + " "+url+".png");
  78.  
  79. p.StartInfo.CreateNoWindow = true;
  80.  
  81. p.StartInfo.WindowStyle = ProcessWindowStyle.Hidden;
  82.  
  83. if (!p.Start())
  84.  
  85. throw new Exception("无法Headless浏览器.");
  86.  
  87. #endregion
  88.  
  89. }
  90. 关键是这里
  91. p.StartInfo.Arguments = string.Format("--ignore-ssl-errors=yes --load-plugins=yes " + Environment.CurrentDirectory + "//rasterize.js " + links + " "+url+".png");
  92. --ignore-ssl-errors=yes 忽视加密的ssl连接错误
  93. --load-plugins=yes 载入插件
  94. 上面的两参数可以不用 ,加上了是为了体验真实的网页体验效果,比如,不载入插件的话 flash就不会加载的。
  95. Environment.CurrentDirectory + "//rasterize.js " 这里就是调用写好的js驱动代码,下面带上的参数是作用于这个js的。
  96. links 访问的网址连接,最好加入http//。
  97. "+url+".png 输出的图片 默认是png格式 当包含了上面 imageformats里面的dll的话 就可以输出jpg格式和gif格式的图片。
  98.  
  99. 所有代码就这样子的,用起来很简单,就像在代码中调用cmd一样的。这样就很容易在不错的机子上进行多线程的批量截图而不影响任何操作,效率方面还很不错!

C#使用GDI+制作背景颜色淡入淡出效果的按钮

  1. 用过QQ2009的网友都知道QQ主面板的界面非常炫丽,特别好看,鼠标移上去还有淡入淡出的效果。那这样效果是怎么做出来的呢?其实不难,只要自定义一个用户控件的外怪就可以了,用到GDI+技术和时钟控件来操作…
  2. 首先我们在VS2008里面新建一个Windows窗体控件库的项目,系统会自动生成一个用户控件UserControl1.cs出来,我们就用默认的名字吧~~
  3. 本例子下载地址:http://files.cnblogs.com/mengxin523/自定义按钮控件.rar
  4. 程序所有代码如下:
  5.  
  6. using System;
  7.  
  8. using System.Data;
  9.  
  10. using System.Drawing;
  11.  
  12. using System.Collections;
  13.  
  14. using System.Windows.Forms;
  15.  
  16. using System.ComponentModel;
  17.  
  18. using System.Drawing.Drawing2D;
  19.  
  20. namespace MyButton
  21.  
  22. {
  23.  
  24. public partial class UserControl1 : UserControl
  25.  
  26. {
  27.  
  28. private bool calledbykey = false;
  29.  
  30. private State mButtonState = State.None; //按钮的状态
  31.  
  32. private Timer mFadeIn = new Timer(); //淡入的时钟
  33.  
  34. private Timer mFadeOut = new Timer(); //淡出的时钟
  35.  
  36. private int mGlowAlpha = ; //透明度
  37.  
  38. private System.ComponentModel.Container components = null;
  39.  
  40. public UserControl1()
  41.  
  42. {
  43.  
  44. InitializeComponent();
  45.  
  46. //一下几个语句是对控件进行设置和对GDI+进行优化
  47.  
  48. this.SetStyle(ControlStyles.AllPaintingInWmPaint, true);
  49.  
  50. this.SetStyle(ControlStyles.DoubleBuffer, true);
  51.  
  52. this.SetStyle(ControlStyles.OptimizedDoubleBuffer, true);
  53.  
  54. this.SetStyle(ControlStyles.ResizeRedraw, true);
  55.  
  56. this.SetStyle(ControlStyles.Selectable, true);
  57.  
  58. this.SetStyle(ControlStyles.SupportsTransparentBackColor, true);
  59.  
  60. this.SetStyle(ControlStyles.UserPaint, true);
  61.  
  62. this.UpdateStyles();
  63.  
  64. this.BackColor = Color.Transparent; //设置控件背景色透明
  65.  
  66. mFadeIn.Interval = ; //淡入速度
  67.  
  68. mFadeOut.Interval = ; //淡出速度
  69.  
  70. }
  71.  
  72. protected override void Dispose(bool disposing)
  73.  
  74. {
  75.  
  76. if (disposing)
  77.  
  78. {
  79.  
  80. if (components != null)
  81.  
  82. {
  83.  
  84. components.Dispose();
  85.  
  86. }
  87.  
  88. }
  89.  
  90. base.Dispose(disposing);
  91.  
  92. }
  93.  
  94. private void InitializeComponent()
  95.  
  96. {
  97.  
  98. this.Name = "MySystemButton";
  99.  
  100. this.Size = new System.Drawing.Size(, );
  101.  
  102. this.Paint += new System.Windows.Forms.PaintEventHandler(this.VistaButton_Paint);
  103.  
  104. this.KeyUp += new System.Windows.Forms.KeyEventHandler(this.VistaButton_KeyUp);
  105.  
  106. this.KeyDown += new System.Windows.Forms.KeyEventHandler(this.VistaButton_KeyDown);
  107.  
  108. this.MouseEnter += new System.EventHandler(this.VistaButton_MouseEnter);
  109.  
  110. this.MouseLeave += new System.EventHandler(this.VistaButton_MouseLeave);
  111.  
  112. this.MouseUp += new MouseEventHandler(VistaButton_MouseUp);
  113.  
  114. this.MouseDown += new System.Windows.Forms.MouseEventHandler(this.VistaButton_MouseDown);
  115.  
  116. this.GotFocus += new EventHandler(VistaButton_MouseEnter);
  117.  
  118. this.LostFocus += new EventHandler(VistaButton_MouseLeave);
  119.  
  120. this.mFadeIn.Tick += new EventHandler(mFadeIn_Tick);
  121.  
  122. this.mFadeOut.Tick += new EventHandler(mFadeOut_Tick);
  123.  
  124. this.Resize += new EventHandler(VistaButton_Resize);
  125.  
  126. }
  127.  
  128. enum State { None, Hover, Pressed };
  129.  
  130. /// <summary>
  131.  
  132. /// 按钮的样式
  133.  
  134. /// </summary>
  135.  
  136. public enum Style
  137.  
  138. {
  139.  
  140. /// <summary>
  141.  
  142. /// Draw the button as normal
  143.  
  144. /// </summary>
  145.  
  146. Default,
  147.  
  148. /// <summary>
  149.  
  150. /// Only draw the background on mouse over.
  151.  
  152. /// </summary>
  153.  
  154. Flat
  155.  
  156. };
  157.  
  158. /// <summary>
  159.  
  160. /// 用于设置按钮的用处
  161.  
  162. /// </summary>
  163.  
  164. public enum UseTo
  165.  
  166. {
  167.  
  168. Min, Close
  169.  
  170. };
  171.  
  172. UseTo Ut = UseTo.Close; //默认作为关闭按钮
  173.  
  174. [Category("UseTo"),
  175.  
  176. DefaultValue(UseTo.Close),
  177.  
  178. Browsable(true),
  179.  
  180. Description("设置按钮的用处")]
  181.  
  182. public UseTo UT
  183.  
  184. {
  185.  
  186. get
  187.  
  188. {
  189.  
  190. return Ut;
  191.  
  192. }
  193.  
  194. set
  195.  
  196. {
  197.  
  198. Ut = value;
  199.  
  200. this.Invalidate();
  201.  
  202. }
  203.  
  204. }
  205.  
  206. private string mText;
  207.  
  208. /// <summary>
  209.  
  210. /// 按钮上显示的文本
  211.  
  212. /// </summary>
  213.  
  214. [Category("Text"),
  215.  
  216. Description("按钮上显示的文本.")]
  217.  
  218. public string ButtonText
  219.  
  220. {
  221.  
  222. get { return mText; }
  223.  
  224. set { mText = value; this.Invalidate(); }
  225.  
  226. }
  227.  
  228. private Color mForeColor = Color.White;
  229.  
  230. /// <summary>
  231.  
  232. /// 文本颜色
  233.  
  234. /// </summary>
  235.  
  236. [Category("Text"),
  237.  
  238. Browsable(true),
  239.  
  240. DefaultValue(typeof(Color), "White"),
  241.  
  242. Description("文本颜色.")]
  243.  
  244. public override Color ForeColor
  245.  
  246. {
  247.  
  248. get { return mForeColor; }
  249.  
  250. set { mForeColor = value; this.Invalidate(); }
  251.  
  252. }
  253.  
  254. private ContentAlignment mTextAlign = ContentAlignment.MiddleCenter;
  255.  
  256. /// <summary>
  257.  
  258. /// 文本对齐方式
  259.  
  260. /// </summary>
  261.  
  262. [Category("Text"),
  263.  
  264. DefaultValue(typeof(ContentAlignment), "MiddleCenter")]
  265.  
  266. public ContentAlignment TextAlign
  267.  
  268. {
  269.  
  270. get { return mTextAlign; }
  271.  
  272. set { mTextAlign = value; this.Invalidate(); }
  273.  
  274. }
  275.  
  276. private Image mImage;
  277.  
  278. /// <summary>
  279.  
  280. 按钮上的图片
  281.  
  282. /// </summary>
  283.  
  284. [Category("Image"),
  285.  
  286. DefaultValue(null)]
  287.  
  288. public Image Image
  289.  
  290. {
  291.  
  292. get { return mImage; }
  293.  
  294. set { mImage = value; this.Invalidate(); }
  295.  
  296. }
  297.  
  298. private ContentAlignment mImageAlign = ContentAlignment.MiddleLeft;
  299.  
  300. /// <summary>
  301.  
  302. 按钮对齐方式
  303.  
  304. /// </summary>
  305.  
  306. [Category("Image"),
  307.  
  308. DefaultValue(typeof(ContentAlignment), "MiddleLeft")]
  309.  
  310. public ContentAlignment ImageAlign

C#使用API屏蔽系统热键和任务管理器

  1. 最近做的一个winform类型的项目中需要屏蔽系统热键,在网上搜索了一下,基本上都是调用api来进行hook操作,下面的代码就可以完成功能
  2.  
  3. using System;
  4.  
  5. using System.IO;
  6.  
  7. using System.Reflection;
  8.  
  9. using System.Runtime.InteropServices;
  10.  
  11. using System.Windows.Forms;
  12.  
  13. namespace WAT.PMS
  14.  
  15. {
  16.  
  17. /// <summary>
  18.  
  19. /// Description: Hook Helper类,可以屏蔽一些热键并屏蔽任务管理器
  20.  
  21. /// Author: ZhangRongHua
  22.  
  23. /// Create DateTime: 2009-6-19 20:21
  24.  
  25. /// UpdateHistory:
  26.  
  27. /// </summary>
  28.  
  29. public class HookHelper
  30.  
  31. {
  32.  
  33. #region Delegates
  34.  
  35. public delegate int HookProc(int nCode, Int32 wParam, IntPtr lParam);
  36.  
  37. #endregion
  38.  
  39. #region 变量声明
  40.  
  41. private HookProc KeyboardHookProcedure;
  42.  
  43. private FileStream MyFs; // 用流来屏蔽ctrl alt delete
  44.  
  45. private const byte LLKHF_ALTDOWN = 0x20;
  46.  
  47. private const byte VK_CAPITAL = 0x14;
  48.  
  49. private const byte VK_ESCAPE = 0x1B;
  50.  
  51. private const byte VK_F4 = 0x73;
  52.  
  53. private const byte VK_LCONTROL = 0xA2;
  54.  
  55. private const byte VK_NUMLOCK = 0x90;
  56.  
  57. private const byte VK_RCONTROL = 0xA3;
  58.  
  59. private const byte VK_SHIFT = 0x10;
  60.  
  61. private const byte VK_TAB = 0x09;
  62.  
  63. public const int WH_KEYBOARD = ;
  64.  
  65. private const int WH_KEYBOARD_LL = ;
  66.  
  67. private const int WH_MOUSE = ;
  68.  
  69. private const int WH_MOUSE_LL = ;
  70.  
  71. private const int WM_KEYDOWN = 0x100;
  72.  
  73. private const int WM_KEYUP = 0x101;
  74.  
  75. private const int WM_LBUTTONDBLCLK = 0x203;
  76.  
  77. private const int WM_LBUTTONDOWN = 0x201;
  78.  
  79. private const int WM_LBUTTONUP = 0x202;
  80.  
  81. private const int WM_MBUTTONDBLCLK = 0x209;
  82.  
  83. private const int WM_MBUTTONDOWN = 0x207;
  84.  
  85. private const int WM_MBUTTONUP = 0x208;
  86.  
  87. private const int WM_MOUSEMOVE = 0x200;
  88.  
  89. private const int WM_MOUSEWHEEL = 0x020A;
  90.  
  91. private const int WM_RBUTTONDBLCLK = 0x206;
  92.  
  93. private const int WM_RBUTTONDOWN = 0x204;
  94.  
  95. private const int WM_RBUTTONUP = 0x205;
  96.  
  97. private const int WM_SYSKEYDOWN = 0x104;
  98.  
  99. private const int WM_SYSKEYUP = 0x105;
  100.  
  101. private static int hKeyboardHook = ;
  102.  
  103. #endregion
  104.  
  105. #region 函数转换
  106.  
  107. [DllImport("user32.dll", CharSet = CharSet.Auto, CallingConvention = CallingConvention.StdCall)]
  108.  
  109. public static extern int SetWindowsHookEx(int idHook, HookProc lpfn, IntPtr hInstance, int threadId);
  110.  
  111. // 卸载钩子
  112.  
  113. [DllImport("user32.dll", CharSet = CharSet.Auto, CallingConvention = CallingConvention.StdCall)]
  114.  
  115. public static extern bool UnhookWindowsHookEx(int idHook);
  116.  
  117. // 继续下一个钩子
  118.  
  119. [DllImport("user32.dll", CharSet = CharSet.Auto, CallingConvention = CallingConvention.StdCall)]
  120.  
  121. public static extern int CallNextHookEx(int idHook, int nCode, Int32 wParam, IntPtr lParam);
  122.  
  123. // 取得当前线程编号
  124.  
  125. [DllImport("kernel32.dll")]
  126.  
  127. private static extern int GetCurrentThreadId();
  128.  
  129. [DllImport("user32.dll", CharSet = CharSet.Auto, CallingConvention = CallingConvention.StdCall)]
  130.  
  131. private static extern short GetKeyState(int vKey);
  132.  
  133. #endregion
  134.  
  135. #region 方法
  136.  
  137. /// <summary>
  138.  
  139. /// 钩子回调函数,在这里屏蔽热键。
  140.  
  141. /// <remark>
  142.  
  143. /// Author:ZhangRongHua
  144.  
  145. /// Create DateTime: 2009-6-19 20:19
  146.  
  147. /// Update History:
  148.  
  149. /// </remark>
  150.  
  151. /// </summary>
  152.  
  153. /// <param name="nCode">The n code.</param>
  154.  
  155. /// <param name="wParam">The w param.</param>
  156.  
  157. /// <param name="lParam">The l param.</param>
  158.  
  159. /// <returns></returns>
  160.  
  161. private int KeyboardHookProc(int nCode, Int32 wParam, IntPtr lParam)
  162.  
  163. {
  164.  
  165. KeyMSG m = (KeyMSG) Marshal.PtrToStructure(lParam, typeof (KeyMSG));
  166.  
  167. if (((Keys) m.vkCode == Keys.LWin) || ((Keys) m.vkCode == Keys.RWin) ||
  168.  
  169. ((m.vkCode == VK_TAB) && ((m.flags & LLKHF_ALTDOWN) != )) ||
  170.  
  171. ((m.vkCode == VK_ESCAPE) && ((m.flags & LLKHF_ALTDOWN) != )) ||
  172.  
  173. ((m.vkCode == VK_F4) && ((m.flags & LLKHF_ALTDOWN) != )) ||
  174.  
  175. (m.vkCode == VK_ESCAPE) && ((GetKeyState(VK_LCONTROL) & 0x8000) != ) ||
  176.  
  177. (m.vkCode == VK_ESCAPE) && ((GetKeyState(VK_RCONTROL) & 0x8000) != )
  178.  
  179. )
  180.  
  181. {
  182.  
  183. return ;
  184.  
  185. }
  186.  
  187. return CallNextHookEx(hKeyboardHook, nCode, wParam, lParam);
  188.  
  189. }
  190.  
  191. /// <summary>
  192.  
  193. /// 启动Hook,并用流屏蔽任务管理器
  194.  
  195. /// <remark>
  196.  
  197. /// Author:ZhangRongHua
  198.  
  199. /// Create DateTime: 2009-6-19 20:20
  200.  
  201. /// Update History:
  202.  
  203. /// </remark>
  204.  
  205. /// </summary>
  206.  
  207. public void HookStart()
  208.  
  209. {
  210.  
  211. if (hKeyboardHook == )
  212.  
  213. {
  214.  
  215. // 创建HookProc实例
  216.  
  217. KeyboardHookProcedure = new HookProc(KeyboardHookProc);
  218.  
  219. hKeyboardHook = SetWindowsHookEx(WH_KEYBOARD,
  220.  
  221. KeyboardHookProcedure,
  222.  
  223. Marshal.GetHINSTANCE(Assembly.GetExecutingAssembly().GetModules()[]),
  224.  
  225. );
  226.  
  227. // 如果设置钩子失败
  228.  
  229. if (hKeyboardHook == )
  230.  
  231. {
  232.  
  233. HookStop();
  234.  
  235. //throw new Exception("SetWindowsHookEx failedeeeeeeee.");
  236.  
  237. }
  238.  
  239. //用二进制流的方法打开任务管理器。而且不关闭流.这样任务管理器就打开不了
  240.  
  241. MyFs = new FileStream(Environment.ExpandEnvironmentVariables("%windir%\\system32\\taskmgr.exe"),
  242.  
  243. FileMode.Open);
  244.  
  245. byte[] MyByte = new byte[(int) MyFs.Length];
  246.  
  247. MyFs.Write(MyByte, , (int) MyFs.Length);
  248.  
  249. }
  250.  
  251. }
  252.  
  253. /// <summary>
  254.  
  255. /// 卸载hook,并关闭流,取消屏蔽任务管理器。
  256.  
  257. /// <remark>
  258.  
  259. /// Author:ZhangRongHua
  260.  
  261. /// Create DateTime: 2009-6-19 20:21
  262.  
  263. /// Update History:
  264.  
  265. /// </remark>
  266.  
  267. /// </summary>
  268.  
  269. public void HookStop()
  270.  
  271. {
  272.  
  273. bool retKeyboard = true;
  274.  
  275. if (hKeyboardHook != )
  276.  
  277. {
  278.  
  279. retKeyboard = UnhookWindowsHookEx(hKeyboardHook);
  280.  
  281. hKeyboardHook = ;
  282.  
  283. }
  284.  
  285. if (null != MyFs)
  286.  
  287. {
  288.  
  289. MyFs.Close();
  290.  
  291. }
  292.  
  293. if (!(retKeyboard))
  294.  
  295. {
  296.  
  297. throw new Exception("UnhookWindowsHookEx failedsssss.");
  298.  
  299. }
  300.  
  301. }
  302.  
  303. #endregion
  304.  
  305. #region Nested type: KeyMSG
  306.  
  307. public struct KeyMSG
  308.  
  309. {
  310.  
  311. public int dwExtraInfo;
  312.  
  313. public int flags;
  314.  
  315. public int scanCode;
  316.  
  317. public int time;
  318.  
  319. public int vkCode;
  320.  
  321. }
  322.  
  323. #endregion
  324.  
  325. }
  326.  
  327. }
  328.  
  329. PS:也可以通过将[HKEY_CURRENT_USER\Software\Microsoft\Windows\CurrentVersion\Policies\System] 下的DisableTaskmgr项的值设为"1”来屏蔽任务管理器。

C#操作Win32 API函数

  1. 摘要:这里介绍C#操作Win32 API函数,C#使用的类库是.Net框架为所有.Net程序开发提供的一个共有的类库——.Net FrameWork SDK。
  2.  
  3. C#语言有很多值得学习的地方,这里我们主要介绍C#操作Win32 API函数,包括介绍section:INI文件中的段落名称等方面。
  4.  
  5. C#操作Win32 API函数
  6.  
  7. C#并不像C++,拥有属于自己的类库。C#使用的类库是.Net框架为所有.Net程序开发提供的一个共有的类库——.Net FrameWork SDK。虽然.Net FrameWork SDK内容十分庞大,功能也非常强大,但还不能面面俱到,至少它并没有提供直接操作INI文件所需要的相关的类。在本文中,C#操作Win32 API函数——WritePrivateProfileString()和GetPrivateProfileString()函数。这二个函数都位于“kernel32.dll”文件中。
  8.  
  9. 我们知道在C#中使用的类库都是托管代码(Managed Code)文件,而Win32的API函数所处的文件,都是非托管代码(Unmanaged Code)文件。这就导致了在C#中不可能直接使用这些非托管代码文件中的函数。好在.Net框架为了保持对下的兼容,也为了充分利用以前的资源,提出了互操作,通过互操作可以实现对Win32的API函数的调用。互操作不仅适用于Win32的API函数,还可以用来访问托管的COM对象。C#中对 Win32的API函数的互操作是通过命名空间“System.Runtime.InteropServices”中的“DllImport”特征类来实现的。它的主要作用是指示此属性化方法是作为非托管DLL的输出实现的。下面代码就是在C#利用命名空间 “System.Runtime.InteropServices”中的“DllImport”特征类申明上面二个Win32的API函数:
  10.  
  11. C#操作Win32 API函数:
  12.  
  13. [ DllImport ( "kernel32" ) ]
  14. private static extern long WritePrivateProfileString ( string
  15. section ,
  16. string key , string val , string filePath ) ;
  17. 参数说明:sectionINI文件中的段落;keyINI文件中的关键字;valINI文件中关键字的数值;filePathINI文件的完整的路径和名称。
  18.  
  19. C#申明INI文件的读操作函数GetPrivateProfileString():
  20.  
  21. [ DllImport ( "kernel32" ) ]
  22. private static extern int GetPrivateProfileString ( string section ,
  23. string key , string def , StringBuilder retVal ,
  24. int size , string filePath ) ;
  25. 参数说明:sectionINI文件中的段落名称;keyINI文件中的关键字;def:无法读取时候时候的缺省数值;retVal:读取数值;size:数值的大小;filePathINI文件的完整路径和名称。
  26.  
  27. 下面是一个读写INI文件的类
  28.  
  29. public class INIClass
  30. {
  31. public string inipath;
  32. [DllImport("kernel32")]
  33. private static extern long WritePrivateProfileString
  34. (string section,string key,string val,string filePath);
  35. [DllImport("kernel32")]
  36. private static extern int GetPrivateProfileString
  37. (string section,string key,string def,StringBuilder retVal,int size,string filePath);
  38. ///
  39. /// 构造方法
  40. ///
  41. /// 文件路径
  42. public INIClass(string INIPath)
  43. {
  44. inipath = INIPath;
  45. }
  46. ///
  47. /// 写入INI文件
  48. ///
  49. /// 项目名称(如 [TypeName] )
  50. /// 键
  51. /// 值
  52. public void IniWriteValue(string Section,string Key,string Value)
  53. {
  54. WritePrivateProfileString(Section,Key,Value,this.inipath);
  55. }
  56. ///
  57. /// 读出INI文件
  58. ///
  59. /// 项目名称(如 [TypeName] )
  60. /// 键
  61. public string IniReadValue(string Section,string Key)
  62. {
  63. StringBuilder temp = new StringBuilder();
  64. int i = GetPrivateProfileString(Section,Key,"",temp,,this.inipath);
  65. return temp.ToString();
  66. }
  67. ///
  68. /// 验证文件是否存在
  69. ///
  70. /// 布尔值
  71. public bool ExistINIFile()
  72. {
  73. return File.Exists(inipath);
  74. }
  75. }

C#使用phantomjs 进行网页整页截屏的更多相关文章

  1. 用phantomjs 进行网页整页截屏

    写截取整个网页程序是一个做前台的哥们所托,要做一些漂亮的界面原形,参考一些不错的网站设计就帮他弄了个截屏的程序. phantomjs   是一个基于js的webkit内核无头浏览器 也就是没有显示界面 ...

  2. js利用clipboardData在网页中实现截屏粘贴的功能

    目前仅有高版本的 Chrome 浏览器支持这样直接粘贴,其他浏览器目前为止还无法粘贴,不过火狐和ie11浏览器在可编辑的div中能够粘贴截图的图片也是base64位和Chrome利用clipboard ...

  3. 利用 clipboardData 在网页中实现截屏粘贴的功能

    <!DOCTYPE HTML> <html lang="en-US"> <head> <meta charset="UTF-8& ...

  4. 利用Chrome开发者工具功能进行网页整页截图的方法

    第一步:打开chrome开发者工具. 打开你想截图的网页,然后按下 F12(macOS 是 option + command + i)调出开发者工具,接着按「Ctrl + Shift + P」(mac ...

  5. chrome开发者工具实现整站截屏

    我们经常要遇到将整个网站作为图片保存下来的情况,而windows系统自带的PrintScreen键只能保存当前屏幕的截图 在chrome浏览器中可以安装第三方的截图插件实现整站截图 今天我们要介绍的方 ...

  6. chrome实现网页高清截屏(F12、shift+ctrl+p、capture)

    打开需要载屏的网页,在键盘上按下F12,出现以下界面 上图圈出的部分有可能会出现在浏览器下方,这并没有关系.此时按下 Ctrl + Shift + P(Mac 为 ⌘Command +⇧Shift + ...

  7. Snipaste强大离线/在线截屏软件的下载、安装和使用

    步骤一: https://zh.snipaste.com/  ,去此官网下载. 步骤二:由于此是个绿色软件,直接解压即可. 步骤三:使用,见官网.ttps://zh.snipaste.com  按F1 ...

  8. php结合phantomjs实现网页截屏、抓取js渲染的页面

    首先PhantomJS快速入门 PhantomJS是一个基于 WebKit 的服务器端 JavaScript API.它全面支持web而不需浏览器支持,其快速,原生支持各种Web标准: DOM 处理, ...

  9. 利用PhantomJS进行网页截屏,完美解决截取高度的问题

    关于PhantomJS PhantomJS 是一个基于WebKit的服务器端 JavaScript API.它全面支持web而不需浏览器支持,其快速,原生支持各种Web标准: DOM 处理, CSS ...

随机推荐

  1. python2.7+appium第一个脚本(使用夜神模拟器)

    搭建好环境后,可以开始准备脚本的编写工作 目录 1.安装夜神模拟器 2.使用uiautomatorviewer定位 3.运行第一个脚本 1.安装夜神模拟器 第一步:官网下载夜神模拟器,完成安装 双击下 ...

  2. 使用fiddler,提示系统找不到相应的文件FSE2.exe文件

    使用fiddler时候遇到了如下问题: Rules中customize rules 时,提示系统找不到相应的文件FSE2.exe文件. 这个文件的位置可以在Tools->opinions-> ...

  3. 【ABAP系列】SAP ABAP诠释BDC的OK CODE含义

    公众号:SAP Technical 本文作者:matinal 原文出处:http://www.cnblogs.com/SAPmatinal/ 原文链接:[ABAP系列]SAP ABAP诠释BDC的OK ...

  4. 【洛谷p1314】聪明的质监员

    聪明的质监员[题目链接] 有关算法: 二分答案: 但是你只二分答案是不够的,因为你check会炸,所以还要考虑前缀和: 首先假装我们的check已经写好了,main函数: int main() { n ...

  5. 实现简单的计算器(设计UI)

    要点说明: 1.一个textedit控件,其余全部是button控件,button布局方式:栅格布局(Grid layout) 2.对窗体的Title进行修改(默认是工程名) 3.在ui文件中设计的U ...

  6. vue+element Form键盘回车事件页面刷新解决

    问题描述:如下代码所示,使用element-ui 中的el-form组件对table进行条件查询,当查询条件仅有一项时,使用@keyup.enter.native事件绑定回车事件,出现点击回车后,浏览 ...

  7. c知识点总结2

    函数 int func(int x){ //x:形式参数 .... } int main(){ .... int res=func(z); //z:实际参数 } 实参与形参具有不同的存储单元, 实参与 ...

  8. bootstrap复习

    菜单 <div class="row">下拉菜单/分裂菜单</div> <div class="dropdown btn-group&quo ...

  9. 关于webpack高版本向低版本切换 如何切换?

    卸载:npm uninstall webpack -g 重新安装:npm install webpack@3.7.1 -g 直接安装指定版本就行了,如安装 2.4.1 版:cnpm install w ...

  10. UNIX网络编程总结一

    客户与服务器通信使用TCP在同一网络通信时,大致按下面的方式通信:client→TCP→IP→以太网驱动程序→以太网→以太网驱动程序→IP→TCP→server.若不在同一网络则需要路由器连接. 客户 ...