1. 运行截图

演示地址

2. 在文件夹wwwroot/lib,添加geolocation子文件夹,添加geolocation.js文件

本组件主要是调用浏览器两个API实现基于浏览器的定位功能,现代桌面和移动端都支持.包括MAUI Blazor

navigator.geolocation.getCurrentPosition
navigator.geolocation.watchPosition

2.1 获取定位

其中持续定位watchPosition方法会通过wrapper.invokeMethodAsync('UpdateWatchID', id)返回监听器ID到c#存起来,移除的监听器和注销时候用到.

js代码
export function getLocation(wrapper, getPosition = true) {
console.log('start ' + (getPosition ? 'getLocation' : 'watchPosition'));
var currentDistance = 0.0;
var totalDistance = 0.0;
var lastLat;
var lastLong;
var status; if (getPosition) getCurrentPosition(); else watchPosition(); Number.prototype.toRadians = function () {
return this * Math.PI / 180;
} function distance(latitude1, longitude1, latitude2, longitude2) {
// R is the radius of the earth in kilometers
var R = 6371; var deltaLatitude = (latitude2 - latitude1).toRadians();
var deltaLongitude = (longitude2 - longitude1).toRadians();
latitude1 = latitude1.toRadians(), latitude2 = latitude2.toRadians(); var a = Math.sin(deltaLatitude / 2) *
Math.sin(deltaLatitude / 2) +
Math.cos(latitude1) *
Math.cos(latitude2) *
Math.sin(deltaLongitude / 2) *
Math.sin(deltaLongitude / 2); var c = 2 * Math.atan2(Math.sqrt(a),
Math.sqrt(1 - a));
var d = R * c;
return d;
} function updateStatus(message) {
status = message;
wrapper.invokeMethodAsync('UpdateStatus', message);
} function watchPosition() {
if (navigator.geolocation) {
status = "HTML5 Geolocation is supported in your browser.";
updateStatus(status);
var id = navigator.geolocation.watchPosition(updateLocation,
handleLocationError,
{ maximumAge: 20000 });
wrapper.invokeMethodAsync('UpdateWatchID', id);
}
} function getCurrentPosition() {
if (navigator.geolocation) {
updateStatus("HTML5 Geolocation is supported in your browser.");
navigator.geolocation.getCurrentPosition(updateLocation,
handleLocationError);
}
} function updateLocation(position) {
var latitude = position.coords.latitude;
var longitude = position.coords.longitude;
var accuracy = position.coords.accuracy;
var timestamp = position.timestamp; // sanity test... don't calculate distance if accuracy
// value too large
if (accuracy >= 500) {
updateStatus("Need more accurate values to calculate distance.");
} // calculate distance
currentDistance = 0.0;
if ((lastLat != null) && (lastLong != null)) {
currentDistance = distance(latitude, longitude, lastLat, lastLong);
totalDistance += currentDistance;
} lastLat = latitude;
lastLong = longitude; updateStatus("Location successfully updated."); console.log("updateLocation end");
var geolocationitem = {
"Status": status,
"Latitude": latitude,
"Longitude": longitude,
"Accuracy": accuracy,
"Timestamp": timestamp,
"CurrentDistance": currentDistance,
"TotalDistance": totalDistance,
"LastLat": lastLat,
"LastLong": lastLong,
};
wrapper.invokeMethodAsync('GetResult', geolocationitem);
} function handleLocationError(error) {
switch (error.code) {
case 0:
updateStatus("There was an error while retrieving your location: " + error.message);
break;
case 1:
updateStatus("The user prevented this page from retrieving a location.");
break;
case 2:
updateStatus("The browser was unable to determine your location: " + error.message);
break;
case 3:
updateStatus("The browser timed out before retrieving the location.");
break;
}
} }

2.2 组件页面点击停止持续定位,把监听器ID传入移除的监听器.

export function clearWatchLocation(wrapper,id) {
//扩展阅读:移除的监听器
//id = navigator.geolocation.watchPosition(success, error, options);
console.log('clearWatch ' + id);
navigator.geolocation.clearWatch(id);
wrapper.invokeMethodAsync('UpdateStatus', 'clearWatch ok');
}

3. 打开Components文件夹 , 新建Geolocation文件夹,新建三个文件

3.1 GeolocationItem.cs 定位数据类

cs代码
using System;
using System.ComponentModel; namespace Blazor100.Components
{ /// <summary>
/// 定位数据类
/// </summary>
public class Geolocationitem
{
/// <summary>
/// 状态
/// </summary>
/// <returns></returns>
[DisplayName("状态")]
public string? Status { get; set; } /// <summary>
/// 纬度
/// </summary>
/// <returns></returns>
[DisplayName("纬度")]
public decimal Latitude { get; set; } /// <summary>
/// 经度
/// </summary>
/// <returns></returns>
[DisplayName("经度")]
public decimal Longitude { get; set; } /// <summary>
/// 准确度(米)<para></para>
/// 将以m指定维度和经度值与实际位置的差距,置信度为95%.
/// </summary>
[DisplayName("准确度(米)")]
public decimal Accuracy { get; set; } /// <summary>
/// 时间戳
/// </summary>
[DisplayName("时间戳")]
public long Timestamp { get; set; } /// <summary>
/// 时间
/// </summary>
[DisplayName("时间")]
public DateTime LastUpdateTime { get => UnixTimeStampToDateTime(Timestamp); } /// <summary>
/// 移动距离
/// </summary>
[DisplayName("移动距离")]
public decimal CurrentDistance { get; set; } = 0.0M; /// <summary>
/// 总移动距离
/// </summary>
[DisplayName("总移动距离")]
public decimal TotalDistance { get; set; } = 0.0M; /// <summary>
/// 最后一次获取到的纬度
/// </summary>
[DisplayName("最后一次获取到的纬度")]
public decimal LastLat { get; set; } /// <summary>
/// 最后一次获取到的经度
/// </summary>
[DisplayName("最后一次获取到的经度")]
public decimal LastLong { get; set; } /// <summary>
///
/// </summary>
/// <param name="unixTimeStamp"></param>
/// <returns></returns>
public static DateTime UnixTimeStampToDateTime(long unixTimeStamp)
{
// Unix timestamp is seconds past epoch
System.DateTime dtDateTime = new DateTime(1970, 1, 1, 0, 0, 0, 0, System.DateTimeKind.Utc);
dtDateTime = dtDateTime.AddMilliseconds(unixTimeStamp).ToLocalTime();
return dtDateTime;
} }
}

3.1 Geolocation.razor 组件razor

@implements IAsyncDisposable
@namespace Blazor100.Components <div @ref="GeolocationElement">
@if (ShowButtons)
{
if (WatchID == null)
{
<button class="btn btn-primary" type="button" onclick="@GetLocation">@GetLocationButtonText</button>
<button class="btn btn-primary" type="button" onclick="@WatchPosition">@WatchPositionButtonText</button>
}
else
{
<button class="btn btn-primary" type="button" onclick="@ClearWatch">@ClearWatchPositionButtonText</button>}
}
</div>

3.2 Geolocation.razor.cs 组件代码

cs代码
using Microsoft.AspNetCore.Components;
using Microsoft.JSInterop;
using System.Diagnostics.CodeAnalysis; namespace Blazor100.Components; /// <summary>
/// Geolocation 组件基类
/// <para></para>
/// 扩展阅读:Chrome中模拟定位信息,清除定位信息<para></para>
/// https://blog.csdn.net/u010844189/article/details/81163438
/// </summary>
public partial class Geolocation
{
[Inject] IJSRuntime? JS { get; set; } /// <summary>
/// 获得/设置 定位
/// </summary>
[Parameter]
[NotNull]
public string? GeolocationInfo { get; set; } /// <summary>
/// 获得/设置 获取位置按钮文字 默认为 获取位置
/// </summary>
[Parameter]
[NotNull]
public string? GetLocationButtonText { get; set; } = "获取位置"; /// <summary>
/// 获得/设置 获取持续定位监听器ID
/// </summary>
[Parameter]
public long? WatchID { get; set; } /// <summary>
/// 获得/设置 获取移动距离追踪按钮文字 默认为 移动距离追踪
/// </summary>
[Parameter]
[NotNull]
public string? WatchPositionButtonText { get; set; } = "移动距离追踪"; /// <summary>
/// 获得/设置 获取停止追踪按钮文字 默认为 停止追踪
/// </summary>
[Parameter]
[NotNull]
public string? ClearWatchPositionButtonText { get; set; } = "停止追踪"; /// <summary>
/// 获得/设置 是否显示默认按钮界面
/// </summary>
[Parameter]
public bool ShowButtons { get; set; } = true; /// <summary>
///
/// </summary>
protected ElementReference GeolocationElement { get; set; } /// <summary>
/// 获得/设置 定位结果回调方法
/// </summary>
[Parameter]
public Func<Geolocationitem, Task>? OnResult { get; set; } /// <summary>
/// 获得/设置 状态更新回调方法
/// </summary>
[Parameter]
public Func<string, Task>? OnUpdateStatus { get; set; } private IJSObjectReference? module;
private DotNetObjectReference<Geolocation>? InstanceGeo { get; set; } protected override async Task OnAfterRenderAsync(bool firstRender)
{
try
{
if (firstRender)
{
module = await JS!.InvokeAsync<IJSObjectReference>("import", "./lib/geolocation/geolocation.js");
InstanceGeo = DotNetObjectReference.Create(this);
}
}
catch (Exception e)
{
if (OnError != null) await OnError.Invoke(e.Message);
}
} async ValueTask IAsyncDisposable.DisposeAsync()
{
if (module is not null)
{
//await module.InvokeVoidAsync("destroy");
InstanceGeo!.Dispose();
await module.DisposeAsync();
}
} /// <summary>
/// 获取定位
/// </summary>
public virtual async Task GetLocation()
{
try
{
await module!.InvokeVoidAsync("getLocation", InstanceGeo);
}
catch (Exception e)
{
if (OnError != null) await OnError.Invoke(e.Message);
}
} /// <summary>
/// 持续定位
/// </summary>
public virtual async Task WatchPosition()
{
try
{
await module!.InvokeVoidAsync("getLocation", InstanceGeo, false);
}
catch (Exception e)
{
if (OnError != null) await OnError.Invoke(e.Message);
}
} /// <summary>
/// 持续定位
/// </summary>
public virtual async Task ClearWatch()
{
await module!.InvokeVoidAsync("clearWatchLocation", InstanceGeo, WatchID);
WatchID = null;
} /// <summary>
/// 定位完成回调方法
/// </summary>
/// <param name="geolocations"></param>
/// <returns></returns>
[JSInvokable]
public async Task GetResult(Geolocationitem geolocations)
{
try
{
if (OnResult != null) await OnResult.Invoke(geolocations);
}
catch (Exception e)
{
if (OnError != null) await OnError.Invoke(e.Message);
}
} /// <summary>
/// 获得/设置 错误回调方法
/// </summary>
[Parameter]
public Func<string, Task>? OnError { get; set; } /// <summary>
/// 状态更新回调方法
/// </summary>
/// <param name="status"></param>
/// <returns></returns>
[JSInvokable]
public async Task UpdateStatus(string status)
{
if (OnUpdateStatus != null) await OnUpdateStatus.Invoke(status);
} /// <summary>
/// 监听器ID回调方法
/// </summary>
/// <param name="watchID"></param>
/// <returns></returns>
[JSInvokable]
public Task UpdateWatchID(long watchID)
{
this.WatchID = watchID;
return Task.CompletedTask;
} }

4. Pages文件夹添加GeolocationPage.razor文件,用于演示组件调用.

4.1 GeolocationPage.razor

razor代码
@page "/geolocations"

<h3>定位/持续定位 Geolocation</h3>

<p>@message</p>

<Blazor100.Components.Geolocation OnResult="@OnResult" OnUpdateStatus="@OnUpdateStatus" OnError="@OnError" />

<p>@status</p>

<div class="table-container">

    <div class="table-toolbar">
</div> <div class="table-wrapper">
<table class="table is-single table-demo">
<colgroup>
<col>
<col>
<col>
</colgroup>
<thead>
<tr>
<th><div class="table-cell"><span class="table-text">纬度</span></div></th>
<th><div class="table-cell"><span class="table-text">经度</span></div></th>
<th><div class="table-cell"><span class="table-text">准确度(米)</span></div></th>
<th><div class="table-cell"><span class="table-text">时间戳</span></div></th>
<th><div class="table-cell"><span class="table-text">时间</span></div></th>
</tr>
</thead>
<tbody>
<tr>
<td><div class="table-cell">@geolocations?.Latitude</div></td>
<td><div class="table-cell">@geolocations?.Longitude</div></td>
<td><div class="table-cell">@geolocations?.Accuracy</div></td>
<td><div class="table-cell">@geolocations?.Timestamp</div></td>
<td><div class="table-cell">@geolocations?.LastUpdateTime</div></td>
</tr>
</tbody>
<thead>
<tr>
<th><div class="table-cell"><span class="table-text">移动距离</span></div></th>
<th><div class="table-cell"><span class="table-text">总移动距离</span></div></th>
<th><div class="table-cell"><span class="table-text">最后一次获取到的纬度</span></div></th>
<th><div class="table-cell"><span class="table-text">最后一次获取到的经度</span></div></th>
<th><div class="table-cell"><span class="table-text">状态</span></div></th>
</tr>
</thead>
<tbody>
<tr>
<td><div class="table-cell">@geolocations?.CurrentDistance</div></td>
<td><div class="table-cell">@geolocations?.TotalDistance</div></td>
<td><div class="table-cell">@geolocations?.LastLat</div></td>
<td><div class="table-cell">@geolocations?.LastLong</div></td>
<td><div class="table-cell">@geolocations?.Status</div></td>
</tr>
</tbody>
</table>
</div>
</div>

4.2 GeolocationPage.razor.cs

扩展阅读:Chrome中模拟定位信息,清除定位信息

using Blazor100.Components;

namespace Blazor100.Pages;

/// <summary>
/// Geolocation 地理定位/移动距离追踪
/// <para></para>
/// 扩展阅读:Chrome中模拟定位信息,清除定位信息<para></para>
/// https://blog.csdn.net/u010844189/article/details/81163438
/// </summary>
public sealed partial class GeolocationPage
{ private string? status { get; set; }
private Geolocationitem? geolocations { get; set; }
private string message; private Task OnResult(Geolocationitem geolocations)
{
this.geolocations = geolocations;
StateHasChanged();
return Task.CompletedTask;
} private Task OnUpdateStatus(string status)
{
this.status = status;
StateHasChanged();
return Task.CompletedTask;
} private Task OnError(string message)
{
this.message = message;
StateHasChanged();
return Task.CompletedTask;
}
}

5. _Imports.razor加入一行引用组件的命名空间.

@using Blazor100.Components

6. 首页引用组件演示页 <GeolocationPage /> 或者 Shared/NavMenu.razor 添加导航

<div class="nav-item px-3">
<NavLink class="nav-link" href="geolocations">
定位
</NavLink>
</div>

7. F5运行程序

至此,使用JS隔离制作定位/持续定位组件大功告成! Happy coding!

Blazor组件自做系列

Blazor组件自做一 : 使用JS隔离封装viewerjs库

Blazor组件自做二 : 使用JS隔离制作手写签名组件

Blazor组件自做三 : 使用JS隔离封装ZXing扫码

Blazor组件自做四: 使用JS隔离封装signature_pad签名组件

Blazor组件自做五: 使用JS隔离封装Google地图

Blazor组件自做六: 使用JS隔离封装Baidu地图

Blazor组件自做七: 使用JS隔离制作定位/持续定位组件

Blazor组件自做八: 使用JS隔离封装屏幕键盘kioskboard.js组件<03-27>

项目源码 Github | Gitee

Blazor组件自做七 : 使用JS隔离制作定位/持续定位组件的更多相关文章

  1. Blazor组件自做二 : 使用JS隔离制作手写签名组件

    Blazor组件自做二 : 使用JS隔离制作手写签名组件 本文相关参考链接 JavaScript 模块中的 JavaScript 隔离 Viewer.js工程 Blazor组件自做一 : 使用JS隔离 ...

  2. Blazor组件自做八 : 使用JS隔离封装屏幕键盘kioskboard.js组件

    1. 运行截图 演示地址 2. 在文件夹wwwroot/lib,添加kioskboard子文件夹,添加kioskboards.js文件 2.1 常规操作,懒加载js库, export function ...

  3. Blazor组件自做一 : 使用JS隔离封装viewerjs库

    Viewer.js库是一个实用的js库,用于图片浏览,放大缩小翻转幻灯片播放等实用操作 本文相关参考链接 JavaScript 模块中的 JavaScript 隔离 Viewer.js工程 Blazo ...

  4. Blazor组件自做三 : 使用JS隔离封装ZXing扫码

    Blazor组件自做三 : 使用JS隔离封装ZXing扫码 本文基础步骤参考前两篇文章 Blazor组件自做一 : 使用JS隔离封装viewerjs库 Blazor组件自做二 : 使用JS隔离制作手写 ...

  5. Blazor组件自做四 : 使用JS隔离封装signature_pad签名组件

    运行截图 演示地址 响应式演示 感谢szimek写的棒棒的signature_pad.js项目, 来源: https://github.com/szimek/signature_pad 正式开始 1. ...

  6. Blazor组件自做五 : 使用JS隔离封装Google地图

    Blazor组件自做五: 使用JS隔离封装Google地图 运行截图 演示地址 正式开始 1. 谷歌地图API 谷歌开发文档 开始学习 Maps JavaScript API 的最简单方法是查看一个简 ...

  7. Blazor组件自做六 : 使用JS隔离封装Baidu地图

    1. 运行截图 演示地址 2. 在文件夹wwwroot/lib,添加baidu子文件夹,添加baidumap.js文件 2.1 跟上一篇类似,用代码方式异步加载API,脚本生成新的 body > ...

  8. 一步一步教你用 Vue.js + Vuex 制作专门收藏微信公众号的 app

    一步一步教你用 Vue.js + Vuex 制作专门收藏微信公众号的 app 转载 作者:jrainlau 链接:https://segmentfault.com/a/1190000005844155 ...

  9. (day67)组件、组件化、组件传参、JS补充(命名转换、for in 、数据转换)、css取消选中和模拟小手

    目录 一.初识组件 (一)概念 (二)特点 二.组件的分类 (一)根组件 (二)局部组件 (三)全局组件 二.数据组件化 三.组件的传参 (一)父传子 (二)子传父 四.JS补充 (一)与html命名 ...

随机推荐

  1. LGP3813题解

    这道题是我去年11月份的时候看到的,当时写了一个假的做法没过样例,然后就没管了. 结果今天在模拟赛的时候放到了 T1( 我也不知道他为什么是对的,可是他就是过了样例和大样例.jpg 容易发现 \(n\ ...

  2. mysql 聚集索引和非聚集索引

    聚集索引:聚集索引表示表中存储的数据按照索引的顺序存储,检索效率比非聚集索引高,但对数据更新影响较大: 非聚集索引:非聚集索引表示数据存储在一个地方,索引存储在另一个地方,索引带有指针指向数据的存储位 ...

  3. 5月11日 python学习总结 子查询、pymysql模块增删改查、防止sql注入问题

    一.子查询 子查询:把一个查询语句用括号括起来,当做另外一条查询语句的条件去用,称为子查询 select emp.name from emp inner join dep on emp.dep_id ...

  4. OpenCV使用级联分类器实现人脸检测

    一.概述 案例:使用opencv级联分类器CascadeClassifier+其提供的特征数据实现人脸检测,检测到人脸后使用红框画出来. API介绍:detectMultiScale( InputAr ...

  5. google hacker语法

    intext:关键字 搜索网页正文中含有这些关键字的网页. intitle:关键字 搜索网页标题中含有这些关键字的网页. cache:关键字 搜索含有关键字内容的cache. define:关键字 搜 ...

  6. struts-032利用工具 PythonGUI

    # -*- coding: utf-8 -*- import requests from Tkinter import * class App: def __init__(self, master): ...

  7. python -sorted 学习

    跟C++ STL中的sort的用法类似,sorted用来对列表进行排序 比如: list = [3,4,82,66,22,11] 用sorted(list),就会对对list这个表进行排序 如果,so ...

  8. 比Tensorflow还强?

    大家好,我是章北海 Python是机器学习和深度学习的首选编程语言,但绝不是唯一.训练机器学习/深度学习模型并部署对外提供服务(尤其是通过浏览器)JavaScript 是一个不错的选择,市面上也出现了 ...

  9. nginx反向代理失败,又是 fastdfs 的锅

    fdfs问题记录 [root@hostcad logs]# systemctl status fdfs_trackerd.service ● fdfs_trackerd.service - LSB: ...

  10. 什么是 FutureTask?使用 ExecutorService 启动任务?

    在 Java 并发程序中 FutureTask 表示一个可以取消的异步运算.它有启动和取消 运算.查询运算是否完成和取回运算结果等方法.只有当运算完成的时候结果才 能取回,如果运算尚未完成 get 方 ...