吾爱破解 - LCG - LSG |安卓破解|病毒分析|www.52pojie.cn

 找回密码
 注册[Register]

QQ登录

只需一步,快速开始

查看: 2612|回复: 14
收起左侧

[Python 原创] 动态域名解析By腾讯云SDK

  [复制链接]
然并卵zh 发表于 2022-9-30 20:35
本帖最后由 然并卵zh 于 2022-10-1 12:17 编辑

动态域名解析
昨天逛B站看到:工信部强制要求运营商为家庭宽带设置公网IPv6,然后看了一下家里宽带,发现能够获取到IPv6,又根据其他知识得知这一分配的公网IP是动态的,于是写了python代码去动态解析域名到家庭公网上,

手动运行一次:
python dynamic_modify_dns.py -domain=xxx.top -sub_domain=ipv6 -is_ipv6 -check_ip_fmt
参数解释:
-is_ipv6选项可以选择ipv6模式,默认是ipv4模式
-domain参数即为你拥有的域名
-sub_domain是指定子域名,默认二级域名为ipv4
-check_ip_fmt参数可以不加


运行前准备工作:
1.到为你的域名提供解析服务的dnspod控制台获取secret,填入到代码中的
SECRET_ID和SECRET_KEY中,dnspod控制台网址:https://console.dnspod.cn/
2.安装一下依赖包
`pip install -i https://mirrors.tencent.com/pypi/simple/ --upgrade tencentcloud-sdk-python click IPy`
3.放到你的服务器上长久运行,推荐使用crontab(使用绝对路径更佳)
* * * * * python dynamic_modify_dns.py -domain=xxx.top -sub_domain=ipv6 -is_ipv6 -check_ip_fmt > /tmp/ddns.log


贴友们,免费的评分走一波!

[Python] 纯文本查看 复制代码
import json
import datetime
import time
import traceback

import click as click
from tencentcloud.common import credential
from tencentcloud.common.profile.http_profile import HttpProfile
from tencentcloud.common.profile.client_profile import ClientProfile
from tencentcloud.common.exception.tencent_cloud_sdk_exception import TencentCloudSDKException
from tencentcloud.dnspod.v20210323 import dnspod_client, models

SECRET_ID = ""
SECRET_KEY = ""


def try_catch_and_score_time(fn):
    def _wrapper(*args, **kwargs):
        start = datetime.datetime.now().strftime('%Y-%m-%d %H:%M:%S')
        print(f"{start} start ddns.")

        ret = None
        try:
            ret = fn(*args, **kwargs)
        except TencentCloudSDKException as e:
            print(f"{traceback.format_exc()} error: {e}")

        end = datetime.datetime.now().strftime('%Y-%m-%d %H:%M:%S')
        print(f"{end} program exit now.")
        return ret

    return _wrapper


class DDNS:

    def __init__(self, domain, sub_domain="", ipv6=True, check_ip_fmt=False):
        self._domain = domain
        self._sub_domain = sub_domain if len(sub_domain) > 0 else ("ipv6" if ipv6 else "ipv4")
        self._is_ipv6 = ipv6
        self._record_type = "AAAA" if self._is_ipv6 else "A"  # 待修改解析记录的解析类型,AAAA为解析到ipv6的记录类型
        self._client = self.get_tencentcloud_client()
        self._check_ip_format = check_ip_fmt

    @try_catch_and_score_time
    def dynamic_modify_dns(self):
        """
        默认DDNS到ipv6地址
        """
        if self._client is None:
            return

        # 1. 获取域名下的所有解析记录
        req = models.DescribeRecordRequest()
        params = {
            "Domain": self._domain
        }
        req.from_json_string(json.dumps(params))

        resp = self._client.DescribeRecordList(req)
        # with open("record_list.json", "w") as f:
        #     f.write(resp.to_json_string())

        record_list = resp.RecordList
        if len(record_list) <= 0:
            print(f"RecordList length is 0. service will exit.")
            return

        # 2. 过滤解析记录列表,拿到需要修改的记录
        record_need_to_modify: models.RecordListItem = None
        for record in record_list:
            name = record.Name
            record_type = record.Type
            if self._sub_domain != name or self._record_type != record_type:
                continue
            record_need_to_modify = record

        old_value = None
        if record_need_to_modify is None:
            print(f"{self._domain} doesn't have {self._sub_domain} {self._record_type} sub domain. "
                  f"to create {self._sub_domain}.{self._domain} {self._record_type} record.")
            mod_record_id = self.create_dns_record()
        else:
            mod_record_id = record_need_to_modify.RecordId
            old_value = record_need_to_modify.Value

        # 3. 修改解析记录到动态ip上
        dst_ip = self.get_dst_ip_for_dns_record(is_ipv6=self._is_ipv6, check=self._check_ip_format)
        if dst_ip is None:
            print(f"can't get new ip for ddns.")
            return

        if old_value == dst_ip:
            print(f"value doesn't need to update. value: {old_value}.")
            return

        req = models.ModifyDynamicDNSRequest()
        params = {
            "Domain": self._domain,
            "SubDomain": self._sub_domain,  # 如果不传,默认为 @
            "RecordId": mod_record_id,
            "RecordLine": "默认",
            "Value": dst_ip
        }
        print(params)
        req.from_json_string(json.dumps(params))

        resp = self._client.ModifyDynamicDNS(req)
        if str(mod_record_id) in resp.to_json_string():
            print("successfully update ddns record!")

    @staticmethod
    def get_tencentcloud_client():
        for cnt in range(3):
            try:
                cred = credential.Credential(SECRET_ID, SECRET_KEY)
                httpProfile = HttpProfile()
                httpProfile.endpoint = "dnspod.tencentcloudapi.com"

                clientProfile = ClientProfile()
                clientProfile.httpProfile = httpProfile
                client = dnspod_client.DnspodClient(cred, "", clientProfile)
                return client
            except TencentCloudSDKException as e:
                print(f"program get tencent cloud client error for {cnt}: {e}.")
                time.sleep(cnt + 1)
        return None

    def create_dns_record(self):
        req = models.CreateRecordRequest()
        params = {
            "Domain": self._domain,
            "SubDomain": self._sub_domain,
            "RecordType": self._record_type,
            "RecordLine": "默认",
            "Value": "::1" if self._is_ipv6 else "127.0.0.1"
        }
        req.from_json_string(json.dumps(params))

        resp = self._client.CreateRecord(req)
        return resp.RecordId

    def get_dst_ip_for_dns_record(self, is_ipv6, check=True):
        """
        获取解析到的ip
        :return:
        """
        # 1. 第一种方法,向免费公共方法获取目前的外网IP
        import requests
        url = f"https://api{6 if is_ipv6 else ''}.ipify.org?format=json"
        r = requests.get(url, timeout=5)
        ip = json.loads(r.text).get('ip', None)

        if check:
            ip = self.check_ip_and_format(ip)
        return ip

    def check_ip_and_format(self, ipv6: str):
        if ipv6 == None:
            return None
        try:
            import IPy
            v = 6 if self._is_ipv6 else 4
            IP = IPy.IP(ipv6)
            IP.iptype()
            # if IP.version == v and IP.iptype() in ['ALLOCATED APNIC']:
            if IP.version() == v:
                return str(IP)
        except Exception as e:
            print(e)
        return None


# * * * * * python dynamic_modify_dns.py -domain=xxx.top -sub_domain=ipv6 -is_ipv6 -check_ip_fmt > /tmp/ddns.log
@click.command()
@click.option('-domain', required=True, default="", help="个人拥有的域名")
@click.option('-sub_domain', default="ipv6", help="设置的二级域名")
@click.option('-is_ipv6', is_flag=True, default=False, help="是否DDNS到ipv6上")
@click.option('-check_ip_fmt', is_flag=True, default=False, help="检查IP格式")
def cmd(domain, sub_domain, is_ipv6, check_ip_fmt):
    DDNS(domain=domain, sub_domain=sub_domain,
         ipv6=is_ipv6, check_ip_fmt=check_ip_fmt).dynamic_modify_dns()


if __name__ == '__main__':
    cmd()

免费评分

参与人数 3吾爱币 +9 热心值 +3 收起 理由
苏紫方璇 + 7 + 1 欢迎分析讨论交流,吾爱破解论坛有你更精彩!
Q1617 + 1 + 1 感谢发布原创作品,吾爱破解论坛因你更精彩!
xinyangtuina + 1 + 1 谢谢@Thanks!

查看全部评分

本帖被以下淘专辑推荐:

发帖前要善用论坛搜索功能,那里可能会有你要找的答案或者已经有人发布过相同内容了,请勿重复发帖。

 楼主| 然并卵zh 发表于 2022-10-1 12:16
xinyangtuina 发表于 2022-10-1 11:21
谢谢分享!只是不理解就算是解析成功了,后面会起什么作用呢。另外域名在阿里云,怎样获取这个secret。

解析成功之后就可以通过你拥有的域名访问到冗长不便于记忆的公网IP地址上了
阿里云的DDNS具体操作可以看这个:https://developer.aliyun.com/article/712164
获取secret的话应该在控制台的个人设置里
xinyangtuina 发表于 2022-10-1 11:21
谢谢分享!只是不理解就算是解析成功了,后面会起什么作用呢。另外域名在阿里云,怎样获取这个secret。
勇敢南山 发表于 2022-9-30 21:08
shuaier 发表于 2022-9-30 21:25
感谢分享!
MCxingX 发表于 2022-9-30 21:42
大佬牛逼!!!
lizy169 发表于 2022-10-1 00:58
为人民服务,感谢&#128591;
py学徒 发表于 2022-10-1 10:03
感谢分享,牛人!
xjdasitu 发表于 2022-10-1 22:45
很有启发性,感谢分享
13801402556 发表于 2022-10-3 09:55
这个可以哦
您需要登录后才可以回帖 登录 | 注册[Register]

本版积分规则 警告:本版块禁止灌水或回复与主题无关内容,违者重罚!

快速回复 收藏帖子 返回列表 搜索

RSS订阅|小黑屋|处罚记录|联系我们|吾爱破解 - LCG - LSG ( 京ICP备16042023号 | 京公网安备 11010502030087号 )

GMT+8, 2024-3-29 22:15

Powered by Discuz!

Copyright © 2001-2020, Tencent Cloud.

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