在C/S這種模式中,自動(dòng)更新程序就顯得尤為重要,它不像B/S模式,直接發(fā)布到服務(wù)器上,瀏覽器點(diǎn)個(gè)刷新就可以了。由于涉及到客戶端文件,所以必然需要把相應(yīng)的文件下載下來。這個(gè)其實(shí)比較常見,我們常用的微信、QQ等,也都是這個(gè)操作。
自動(dòng)更新程序也分為客戶端和服務(wù)端兩部分,客戶端就是用來下載的一個(gè)小程序,服務(wù)端就是供客戶端調(diào)用下載接口等操作。
這里第一步先將服務(wù)端代碼寫出來,邏輯比較簡(jiǎn)單,使用xml文件分別存儲(chǔ)各個(gè)文件的名稱以及版本號(hào)(每次需要更新的時(shí)候,將需要更新的文件上傳到服務(wù)器后,同步增加一下xml文件中對(duì)應(yīng)的版本號(hào))。然后比對(duì)客戶端傳進(jìn)來的文件版本,若服務(wù)端版本比較高,則加入到下載列表中??蛻舳嗽傺h(huán)調(diào)用下載列表中的文件進(jìn)行下載更新。
開發(fā)環(huán)境:.NET Core 3.1
開發(fā)工具: Visual Studio 2019
實(shí)現(xiàn)代碼:
//xml文件
<?xml version="1.0" encoding="utf-8" ?>
<updateList>
<url>http://localhost:5000/api/update/</url>
<files>
<file name="1.dll" version="1.0"></file>
<file name="1.dll" version="1.1"></file>
<file name="Autoupdate.Test.exe" version="1.1"></file>
</files>
</updateList>
public class updateModel {
public string name { get; set; }
public string version { get; set; }
}
public class updateModel_Out {
public string url { get; set; }
public List<updateModel> updateList { get; set; }
}
namespace Autoupdate.WebApi.Controllers {
[Route("api/[controller]/[Action]")]
[ApiController]
public class updateController : ControllerBase {
[HttpGet]
public JsonResult Index() {
return new JsonResult(new { code = 10, msg = "success" });
}
[HttpPost]
public JsonResult GetupdateFiles([fromBody] List<updateModel> input) {
string xmlPath = AppContext.BaseDirectory + "updateList.xml";
XDocument xdoc = XDocument.Load(xmlPath);
var files = from f in xdoc.Root.Element("files").Elements() select new { name = f.Attribute("name").Value, version = f.Attribute("version").Value };
var url = xdoc.Root.Element("url").Value;
List<updateModel> updateList = new List<updateModel>();
foreach(var file in files) {
updateModel model = input.Find(s => s.name == file.name);
if(model == null || file.version.CompareTo(model.version) > 0) {
updateList.Add(new updateModel {
name = file.name,
version = file.version
});
}
}
updateModel_Out output = new updateModel_Out {
url = url,
updateList = updateList
};
return new JsonResult(output);
}
[HttpPost]
public FileStreamResult DownloadFile([fromBody] updateModel input) {
string path = AppContext.BaseDirectory + "files\\" + input.name;
FileStream fileStream = new FileStream(path, FileMode.Open);
return new FileStreamResult(fileStream, "application/octet-stream");
}
}
}
實(shí)現(xiàn)效果:
只有服務(wù)端其實(shí)沒什么演示的,這里先看一下更新的效果吧。
代碼解析:就只介紹下控制器中的三個(gè)方法吧,Index其實(shí)沒什么用,就是用來做個(gè)測(cè)試,證明服務(wù)是通的;GetupdateFiles用來比對(duì)版本號(hào),獲取需要更新的文件(這里用到了Linq To Xml 來解析xml文件,之前文章沒寫過這個(gè)方式,后面再補(bǔ)下);DownloadFile就是用來下載文件的了。
該文章在 2023/2/27 10:14:03 編輯過