WindowsService调用API
本文着重于WindowsServic如何调用API以及出现部分问题的解决方案
本文Windows Service 创建摘自JasperXu的博客 链接:http://www.cnblogs.com/sorex/archive/2012/05/16/2502001.html
C#创建Windows Service(Windows 服务)基础教程
Windows Service这一块并不复杂,但是注意事项太多了,网上资料也很凌乱,偶尔自己写也会丢三落四的。所以本文也就产生了,本文不会写复杂的东西,完全以基础应用的需求来写,所以不会对Windows Service写很深入。
本文介绍了如何用C#创建、安装、启动、监控、卸载简单的Windows Service 的内容步骤和注意事项。
一、创建一个Windows Service
1)创建Windows Service项目
2)对Service重命名
将Service1重命名为你服务名称,这里我们命名为ServiceTest。
二、创建服务安装程序
1)添加安装程序
之后我们可以看到上图,自动为我们创建了ProjectInstaller.cs以及2个安装的组件。
2)修改安装服务名
右键serviceInsraller1,选择属性,将ServiceName的值改为ServiceTest。
3)修改安装权限
右键serviceProcessInsraller1,选择属性,将Account的值改为LocalSystem。
三、写入服务代码
1)打开ServiceTest代码
右键ServiceTest,选择查看代码。
2)写入Service逻辑
添加如下代码:
using System.Collections.Generic;
using System.ComponentModel;
using System.Data;
using System.Diagnostics;
using System.Linq;
using System.ServiceProcess;
using System.Text;
using System.Threading.Tasks;
namespace WindowsServiceTest { public partial class ServiceTest : ServiceBase {
//计时器必须要是全局
System.Timers.Timer timer1; public ServiceTest() { InitializeComponent(); }
/// <summary>
///服务开始
///此处需要根据实际情况来决定,如果想让服务调用接口(使用System.Timers.Timer计时器)
/// </summary>
/// <param name="args"></param>
protected override void OnStart(string[] args) {
timer1 = new System.Timers.Timer();
timer1.Interval = 1200000; //设置计时器事件间隔执行时间20分钟执行一次
timer1.Elapsed += new System.Timers.ElapsedEventHandler(StartIntegrate);
timer1.Enabled = true;
}
/// <summary>
/// 服务结束
/// </summary>
protected override void OnStop() {
}
/// <summary>
/// 这里是要写入调用接口的方法了
/// </summary>
/// <param name="sender"></param>
/// <param name="e"></param>
public static void StartIntegrateTest(object sender, System.Timers.ElapsedEventArgs e) {
int hour = DateTime.Now.Hour;//当前时间 小时
int minu = DateTime.Now.Minute;//当前时间 分
//判断时间是否为0点整
if (hour == 2 && minu <= 59)
{
string ContractorCode = "10010021";
string year = DateTime.Now.Year.ToString();
string edate = DateTime.Now.ToString("yyyy-MM-dd");//结束时间为当前时间
string sdate = DateTime.Now.AddDays(-1).ToString("yyyy-MM-dd");//开始当前时间-24H
//以下方法为接口的方法
DAL.Integrate.IntegrateContractorInfo(ContractorCode);
DAL.Integrate.IntegrateContractorTrainInfoByTime(ContractorCode, sdate, edate);//
DAL.Integrate.IntegrateContractorQualifiedInfo(ContractorCode, year);
DAL.Integrate.IntegrateEnterpriseTrainRecord(ContractorCode, year);
DAL.Integrate.IntegrateEnterpriseTrainRecordUser(ContractorCode, sdate, edate);
DAL.Integrate.IntegrateEnterpriseTrainCertificate(ContractorCode, sdate, edate); }
}
} }
四、创建安装脚本
在项目中添加2个文件如下(必须是ANSI或者UTF-8无BOM格式):
1)安装脚本Install.bat
Net Start ServiceTest
sc config ServiceTest start= auto
::pause
::pause
第二行为启动服务。
第三行为设置服务为自动运行。
这2行视服务形式自行选择。
4)脚本调试
如果需要查看脚本运行状况,在脚本最后一行加入pause
五、在C#中对服务进行控制
0)配置目录结构
简历一个新WPF项目,叫WindowsServiceTestUI,添加对System.ServiceProcess的引用。
在WindowsServiceTestUI的bin\Debug目录下建立Service目录。
将WindowsServiceTest的生成目录设置为上面创建的Service目录。
生成后目录结构如下图
1)安装
安装时会产生目录问题,所以安装代码如下:
/// <summary>
/// 安装
/// </summary>
/// <param name="sender"></param>
/// <param name="e"></param>
private void btnInstall_Click(object sender, RoutedEventArgs e)
{
string CurrentDirectory = System.Environment.CurrentDirectory;
System.Environment.CurrentDirectory = CurrentDirectory + "\\Service";
Process process = new Process();
process.StartInfo.UseShellExecute = false;
process.StartInfo.FileName = "Install.bat";
process.StartInfo.CreateNoWindow = true;
process.Start();
lblLog.Text = "安装成功";
System.Environment.CurrentDirectory = CurrentDirectory;
}
卸载时也会产生目录问题,所以卸载代码如下:
/// 卸载
/// </summary>
/// <param name="sender"></param>
/// <param name="e"></param>
private void btnUninstall_Click(object sender, RoutedEventArgs e)
{
string CurrentDirectory = System.Environment.CurrentDirectory;
System.Environment.CurrentDirectory = CurrentDirectory + "\\Service";
Process process = new Process();
process.StartInfo.UseShellExecute = false;
process.StartInfo.FileName = "Uninstall.bat";
process.StartInfo.CreateNoWindow = true;
process.Start();
lblLog.Text = "卸载成功";
System.Environment.CurrentDirectory = CurrentDirectory;
}
代码如下:
/// 启动服务
/// </summary>
/// <param name="sender"></param>
/// <param name="e"></param>
private void btnStart_Click(object sender, RoutedEventArgs e)
{
ServiceController serviceController = new ServiceController("ServiceTest");
serviceController.Start();
lblStatus.Text = "服务已启动";
}
/// 停止服务
/// </summary>
/// <param name="sender"></param>
/// <param name="e"></param>
private void btnStop_Click(object sender, RoutedEventArgs e)
{
ServiceController serviceController = new ServiceController("ServiceTest");
if (serviceController.CanStop)
{
serviceController.Stop();
lblStatus.Text = "服务已停止";
}
else
lblStatus.Text = "服务不能停止";
}
5)暂停/继续
/// 暂停/继续服务
/// </summary>
/// <param name="sender"></param>
/// <param name="e"></param>
private void btnPauseContinue_Click(object sender, RoutedEventArgs e)
{
ServiceController serviceController = new ServiceController("ServiceTest");
if (serviceController.CanPauseAndContinue)
{
if (serviceController.Status == ServiceControllerStatus.Running)
{
serviceController.Pause();
lblStatus.Text = "服务已暂停";
}
else if (serviceController.Status == ServiceControllerStatus.Paused)
{
serviceController.Continue();
lblStatus.Text = "服务已继续";
}
else
{
lblStatus.Text = "服务未处于暂停和启动状态";
}
}
else
lblStatus.Text = "服务不能暂停";
}
6)检查状态
/// 服务状态监测
/// </summary>
/// <param name="sender"></param>
/// <param name="e"></param>
private void btnCheckStatus_Click(object sender, RoutedEventArgs e)
{
ServiceController serviceController = new ServiceController("ServiceTest");
lblCheckStatus.Text = serviceController.Status.ToString();
}
六、需要在ServiceTest的APP.Config下配置如下信息
<?xml version="1.0" encoding="utf-8"?>
<configuration>
<configSections>
<!-- For more information on Entity Framework configuration, visit http://go.microsoft.com/fwlink/?LinkID=237468 -->
<section name="entityFramework" type="System.Data.Entity.Internal.ConfigFile.EntityFrameworkSection, EntityFramework, Version=6.0.0.0, Culture=neutral, PublicKeyToken=b77a5c561934e089" requirePermission="false" />
</configSections>
<startup>
<supportedRuntime version="v4.0" sku=".NETFramework,Version=v4.5" />
</startup>
<connectionStrings>
<add name="" connectionString="" providerName="System.Data.EntityClient" />//写入地址等相关信息
</connectionStrings>
<entityFramework>
<defaultConnectionFactory type="System.Data.Entity.Infrastructure.LocalDbConnectionFactory, EntityFramework">
<parameters>
<parameter value="v12.0" />
</parameters>
</defaultConnectionFactory>
<providers>
<provider invariantName="System.Data.SqlClient" type="System.Data.Entity.SqlServer.SqlProviderServices, EntityFramework.SqlServer" />
</providers>
</entityFramework>
</configuration>
七、总结
在发布编译文件,并运行时,有时候会出现Stopping导致服务一直无法关闭,运行会直接报错,此时需要你在进程中关掉服务之后,以管理员身份运行该运用程序
WindowsService调用API的更多相关文章
- C#中调用API
介绍 API( Application Programming Interface ),我想大家不会陌生,它是我们Windows编程的常客,虽然基于.Net平台的C#有了强大的类库,但是,我们还是不能 ...
- [转]c#调用API截图
转自http://blog.csdn.net/hailiannanhai/article/details/6281471 要想完成这个功能,首先要了解一下在C#中如何调用API(应用程序接口)函数.虽 ...
- 一个 C# 获取高精度时间类(调用API QueryP*)
如果你觉得用 DotNet 自带的 DateTime 获取的时间精度不够,解决的方法是通过调用 QueryPerformanceFrequency 和 QueryPerformanceCounter这 ...
- ABP手机端调用API时的CORS
这个问题其实很早就考虑了,当时因为也没有特别着急去解决这个问题,就一直拖着.... 好吧,拖延症是不好的,所有不懒得做的,终将会逼着你去再很短的时间内去解决问题...实现项目 改写一个已有的webfo ...
- 调用API函数,在窗口非客户区绘图(通过GetWindowDC获得整个窗口的DC,就可以随意作画了)
http://hi.baidu.com/3582077/item/77d3c1ff60f9fa5ec9f33754 调用API函数,在窗口非客户区绘图 GDI+的Graphics类里有个FromHdc ...
- C#调用API函数EnumWindows枚举窗口的方法
原文 http://blog.csdn.net/dengta_snowwhite/article/details/6067928 与C++不同,C#调用API函数需要引入.dll文件,步骤如下: 1. ...
- 在C#中调用API获取网络信息和流量
原文 在C#中调用API获取网络信息和流量 最近一项目中要求显示网络流量,而且必须使用C#. 事实上,调用 IpHlpApi.dll 的 GetIfTable API 可以轻易获得网络信息和网络流量. ...
- C#区域截图——调用API截图
原文:C#区域截图——调用API截图 前言:截图对于一个C++开发者来说无非是小菜一碟,也有朋友使用C#的 Graphics.CopyFromScreen 方法屏幕操作,作为一名整天想着用 C++ 开 ...
- HttpClient调用api
/// <summary> /// 模拟调用API /// </summary> /// <param requestUrl="">请求地址&l ...
随机推荐
- Web项目中手机注册短信验证码实现的全流程及代码
最近在做只能净化器的后台用户管理系统,需要使用手机号进行注册,找了许久才大致了解了手机验证码实现流程,今天在此和大家分享一下. 我们使用的是榛子云短信平台, 官网地址:http://smsow.zhe ...
- 切换controller 后面的最好不要用id参数,不然会根据路由规则改变
//切换actionResult return RedirectToAction("Edit", "EngineeringCase", ...
- 洛谷P3835 【模板】可持久化平衡树
题目背景 本题为题目 普通平衡树 的可持久化加强版. 数据已经经过强化 感谢@Kelin 提供的一组hack数据 题目描述 您需要写一种数据结构(可参考题目标题),来维护一些数,其中需要提供以下操作( ...
- 【Python基础】lpthw - Exercise 43 基本的面向对象分析和设计
1. A game from sys import exit from random import randint from textwrap import dedent # 使可以使用三引号型的字符 ...
- MySQL执行计划复习
MySQL执行计划分析 Ⅰ.认识执行计划的每个字段 (root@localhost) [(none)]> desc select 1; +----+-------------+-------+- ...
- mysql中find_in_set的使用
首先举个例子来说: 有个文章表里面有个type字段,它存储的是文章类型,有 1头条.2推荐.3热点.4图文等等 .现在有篇文章他既是头条,又是热点,还是图文,type中以 1,3,4 的格式存储.那我 ...
- SpringMVC中映射路径的用法之请求限制、命名空间
SpringMVC中映射路径的请求限制 什么是SpringMVC请求限制? 在SpringMVC中,支持对请求的设置.如果不满足限制条件的话,就不让请求访问执行方法,这样可以大大提高执行方法 的安全性 ...
- Hello greenDAO(SQLite)
一.配置Gradle Scripts: 1.1.build.gradle(Project:*****) buildscript { repositories { google() jcenter() ...
- python基础之 装饰器,内置函数
1.闭包回顾 在学习装饰器之前,可以先复习一下什么是闭包? 在嵌套函数内部的函数可以使用外部变量(非全局变量)叫做闭包! def wrapper(): money =10 def inner(num) ...
- df=df.reset_index(drop=True)
df=df.reset_index(drop=True) ============ df = pd.read_csv('./train_file/train.csv').dropna()df_test ...