『瀚思彼岸』» 智能家居技术论坛

 找回密码
 立即注册
查看: 2889|回复: 25

[经验分享] 修改大佬xiao_miot,使儿童手表定位不在偏移

[复制链接]

7

主题

1072

帖子

3367

积分

论坛元老

Rank: 8Rank: 8

积分
3367
金钱
2295
HASS币
0
发表于 2023-3-26 08:53:52 | 显示全部楼层 |阅读模式
修改了device_tracter.py,添加了坐标系转换,使儿童手表不在偏移。小米儿童手表6X测试通过,代码如下:
"""Support for Xiaomi device tracker."""
import logging
import time,math
from datetime import timedelta

from homeassistant.const import *  # noqa: F401
from homeassistant.components.device_tracker import (
    DOMAIN as ENTITY_DOMAIN,
)
from homeassistant.components.device_tracker.const import SOURCE_TYPE_GPS
from homeassistant.components.device_tracker.config_entry import TrackerEntity

from . import (
    DOMAIN,
    CONF_MODEL,
    XIAOMI_CONFIG_SCHEMA as PLATFORM_SCHEMA,  # noqa: F401
    MiotEntity,
    async_setup_config_entry,
    bind_services_to_entries,
)
from .core.miot_spec import (
    MiotSpec,
    MiotService,
)

_LOGGER = logging.getLogger(__name__)
DATA_KEY = f'{ENTITY_DOMAIN}.{DOMAIN}'
SCAN_INTERVAL = timedelta(seconds=60)

SERVICE_TO_METHOD = {}
def GCJ2WGS(lon,lat):
    a = 6378245.0 # 克拉索夫斯基椭球参数长半轴a
    ee = 0.00669342162296594323 #克拉索夫斯基椭球参数第一偏心率平方
    PI = 3.14159265358979324 # 圆周率

    x = lon - 105.0
    y = lat - 35.0

    dLon = 300.0 + x + 2.0 * y + 0.1 * x * x + 0.1 * x * y + 0.1 * math.sqrt(abs(x));
    dLon += (20.0 * math.sin(6.0 * x * PI) + 20.0 * math.sin(2.0 * x * PI)) * 2.0 / 3.0;
    dLon += (20.0 * math.sin(x * PI) + 40.0 * math.sin(x / 3.0 * PI)) * 2.0 / 3.0;
    dLon += (150.0 * math.sin(x / 12.0 * PI) + 300.0 * math.sin(x / 30.0 * PI)) * 2.0 / 3.0;

    dLat = -100.0 + 2.0 * x + 3.0 * y + 0.2 * y * y + 0.1 * x * y + 0.2 * math.sqrt(abs(x));
    dLat += (20.0 * math.sin(6.0 * x * PI) + 20.0 * math.sin(2.0 * x * PI)) * 2.0 / 3.0;
    dLat += (20.0 * math.sin(y * PI) + 40.0 * math.sin(y / 3.0 * PI)) * 2.0 / 3.0;
    dLat += (160.0 * math.sin(y / 12.0 * PI) + 320 * math.sin(y * PI / 30.0)) * 2.0 / 3.0;
    radLat = lat / 180.0 * PI
    magic = math.sin(radLat)
    magic = 1 - ee * magic * magic
    sqrtMagic = math.sqrt(magic)
    dLat = (dLat * 180.0) / ((a * (1 - ee)) / (magic * sqrtMagic) * PI);
    dLon = (dLon * 180.0) / (a / sqrtMagic * math.cos(radLat) * PI);
    wgsLon = lon - dLon
    wgsLat = lat - dLat
    return [wgsLon,wgsLat]

async def async_setup_entry(hass, config_entry, async_add_entities):
    await async_setup_config_entry(hass, config_entry, async_setup_platform, async_add_entities, ENTITY_DOMAIN)


async def async_setup_platform(hass, config, async_add_entities, discovery_info=None):
    hass.data.setdefault(DATA_KEY, {})
    hass.data[DOMAIN]['add_entities'][ENTITY_DOMAIN] = async_add_entities
    config['hass'] = hass
    model = str(config.get(CONF_MODEL) or '')
    spec = hass.data[DOMAIN]['miot_specs'].get(model)
    entities = []
    if isinstance(spec, MiotSpec):
        for srv in spec.get_services('watch', 'rearview_mirror', 'head_up_display'):
            if 'xiaoxun.watch.' in model:
                entities.append(XiaoxunWatchTrackerEntity(config, srv))
            elif srv.get_property('latitude', 'longitude'):
                entities.append(MiotTrackerEntity(config, srv))
    if not entities and ('xiaoxun.watch.' in model or 'xiaoxun.tracker.' in model):
        # xiaoxun.watch.sw763
        # xiaoxun.tracker.v1
        entities.append(XiaoxunWatchTrackerEntity(config))
    for entity in entities:
        hass.data[DOMAIN]['entities'][entity.unique_id] = entity
    async_add_entities(entities, update_before_add=True)
    bind_services_to_entries(hass, SERVICE_TO_METHOD)


class MiotTrackerEntity(MiotEntity, TrackerEntity):
    _attr_latitude = None
    _attr_longitude = None
    _attr_location_name = None
    _attr_location_accuracy = 0
    _disable_location_name = False

    def __init__(self, config, miot_service: MiotService = None):
        super().__init__(miot_service, config=config, logger=_LOGGER)

    async def async_added_to_hass(self):
        await super().async_added_to_hass()
        self._disable_location_name = self.custom_config_bool('disable_location_name')

    async def async_update(self):
        await super().async_update()
        if not self._available or not self._miot_service:
            return

        if prop := self._miot_service.get_property('latitude'):
            self._attr_latitude = prop.from_dict(self._state_attrs)
        if prop := self._miot_service.get_property('longitude'):
            self._attr_longitude = prop.from_dict(self._state_attrs)
        if prop := self._miot_service.get_property('current_address'):
            self._attr_location_name = prop.from_dict(self._state_attrs)

        for p in self._miot_service.get_properties('driving_status'):
            self._update_sub_entities(p, None, 'binary_sensor')

    @property
    def should_poll(self):
        """No polling for entities that have location pushed."""
        return True

    @property
    def source_type(self):
        """Return the source type, eg gps or router, of the device."""
        return SOURCE_TYPE_GPS

    @property
    def latitude(self):
        """Return latitude value of the device."""
        return self._attr_latitude

    @property
    def longitude(self):
        """Return longitude value of the device."""
        return self._attr_longitude

    @property
    def location_name(self):
        """Return a location name for the current location of the device."""
        if self._disable_location_name:
            return None
        return self._attr_location_name

    @property
    def location_accuracy(self):
        """Return the location accuracy of the device.
        Value in meters.
        """
        return self._attr_location_accuracy

    @property
    def battery_level(self):
        """Return the battery level of the device."""
        if not self._miot_service:
            return None
        sls = [self._miot_service, *self._miot_service.spec.get_services('battery')]
        for srv in sls:
            prop = srv.get_property('battery_level')
            if prop:
                return prop.from_dict(self._state_attrs)
        return None


class XiaoxunWatchTrackerEntity(MiotTrackerEntity):
    def __init__(self, config, miot_service: MiotService = None, miot_spec: MiotSpec = None):
        self._miot_spec = miot_spec
        super().__init__(config=config, miot_service=miot_service)

    @property
    def device_eid(self):
        did = f'{self.miot_did}'
        return did.replace('xiaoxun.', '')

    async def async_update(self):
        await super().async_update()
        await self.update_location()

    async def update_location(self):
        did = f'{self.miot_did}'
        mic = self.xiaomi_cloud
        if not did or not mic:
            return
        pms = {
            'app_id': '10025',
            'dids': [did],
            'params': {
                'CID': 50031,
                'model': self._model,
                'SN': int(time.time() / 1000),
                'PL': {
                    'Size': 1,
                    'Key': '78999898989898998',
                    'EID': self.device_eid,
                },
            },
        }
        rdt = await mic.async_request_api('third/api', pms) or {}
        loc = {}
        for v in (rdt.get('result') or {}).get('PL', {}).get('List', {}).values():
            loc = v.get('result', {})
            break
        if not loc:
            self.logger.warning('%s: Got xiaoxun watch location faild: %s', self.name_model, rdt)
            return
        self.logger.debug('%s: Got xiaoxun watch location: %s', self.name_model, rdt)
        gps = f"{loc.get('location', '')},".split(',')
        gps=GCJ2WGS(float(gps[0]),float(gps[1]))  #修改为wgs84坐标
        self._attr_latitude = float(gps[1])
        self._attr_longitude = float(gps[0])
        self._attr_location_name = loc.get('desc')
        self._attr_location_accuracy = int(loc.get('radius') or 0)
        tim = loc.get('timestamp', '')
        self.update_attrs({
            'timestamp': f'{tim[0:4]}-{tim[4:6]}-{tim[6:8]} {tim[8:10]}:{tim[10:12]}:{tim[12:14]}',
        })



评分

参与人数 4金钱 +30 收起 理由
咸味土豆 + 12 论坛有你更精彩!
Xi11 + 8 论坛有你更精彩!
anlong + 5 论坛有你更精彩!
ysst4 + 5 大神666!

查看全部评分

回复

使用道具 举报

0

主题

122

帖子

906

积分

高级会员

Rank: 4

积分
906
金钱
784
HASS币
0
发表于 2023-3-26 09:02:00 | 显示全部楼层
试试看,谢谢分享
回复

使用道具 举报

3

主题

119

帖子

1175

积分

金牌会员

Rank: 6Rank: 6

积分
1175
金钱
1056
HASS币
0
发表于 2023-3-26 16:56:42 | 显示全部楼层
小米5C 不知道可以用吗?
回复

使用道具 举报

7

主题

1072

帖子

3367

积分

论坛元老

Rank: 8Rank: 8

积分
3367
金钱
2295
HASS币
0
 楼主| 发表于 2023-3-26 22:06:38 | 显示全部楼层
hackyjso 发表于 2023-3-26 16:56
小米5C 不知道可以用吗?

试试看,如果可用,回复下。
回复

使用道具 举报

11

主题

357

帖子

1899

积分

金牌会员

Rank: 6Rank: 6

积分
1899
金钱
1542
HASS币
0
发表于 2023-3-27 09:11:06 | 显示全部楼层
6C,正常,感谢
回复

使用道具 举报

2

主题

93

帖子

946

积分

高级会员

Rank: 4

积分
946
金钱
853
HASS币
0
发表于 2023-3-27 10:56:31 | 显示全部楼层
本帖最后由 ysst4 于 2023-3-27 10:58 编辑
隔壁的王叔叔 发表于 2023-3-26 22:06
试试看,如果可用,回复下。

大神,编码苦手,我这手表是米兔5C,我把你的直接复制到我的configuration里,发出以下报错。
是需要改什么KEY吗?
Error loading /config/configuration.yaml: while scanning a simple key
in "/config/configuration.yaml", line 16, column 1
could not find expected ':'
in "/config/configuration.yaml", line 17, column 1
对应的configuration如下:
16行 """Support for Xiaomi device tracker."""
17行  import logging
回复

使用道具 举报

7

主题

1072

帖子

3367

积分

论坛元老

Rank: 8Rank: 8

积分
3367
金钱
2295
HASS币
0
 楼主| 发表于 2023-3-27 17:22:46 | 显示全部楼层
ysst4 发表于 2023-3-27 10:56
大神,编码苦手,我这手表是米兔5C,我把你的直接复制到我的configuration里,发出以下报错。
是需要改什 ...

你放错地方了,放到大佬原来的目录中,把文件替换,不是放到configuration里。custom_components-----xiao_miot-------device tracker替换掉
回复

使用道具 举报

11

主题

266

帖子

2574

积分

金牌会员

Rank: 6Rank: 6

积分
2574
金钱
2298
HASS币
50
发表于 2023-3-27 23:17:26 来自手机 | 显示全部楼层
我在QQ群里发给了插件作者,希望能合并进原插件,这样就不用每次更新都重复修改一次了
回复

使用道具 举报

7

主题

1072

帖子

3367

积分

论坛元老

Rank: 8Rank: 8

积分
3367
金钱
2295
HASS币
0
 楼主| 发表于 2023-3-28 09:09:57 | 显示全部楼层
秋雨轩 发表于 2023-3-27 23:17
我在QQ群里发给了插件作者,希望能合并进原插件,这样就不用每次更新都重复修改一次了 ...

棒棒的,我在作者大佬的微信群里,消息太多,插不上嘴,github也不会提交。
回复

使用道具 举报

2

主题

93

帖子

946

积分

高级会员

Rank: 4

积分
946
金钱
853
HASS币
0
发表于 2023-3-28 09:40:43 | 显示全部楼层
隔壁的王叔叔 发表于 2023-3-27 17:22
你放错地方了,放到大佬原来的目录中,把文件替换,不是放到configuration里。custom_components-----xia ...

原来如此,替换后,重启HA,米兔5C的地址终于的改回来啦。
回复

使用道具 举报

您需要登录后才可以回帖 登录 | 立即注册

本版积分规则

Archiver|手机版|小黑屋|Hassbian

GMT+8, 2024-4-25 11:55 , Processed in 0.099966 second(s), 32 queries .

Powered by Discuz! X3.4

Copyright © 2001-2021, Tencent Cloud.

快速回复 返回顶部 返回列表