[4]python+selenium - UI自动框架之封装基类BasePage页面

这部分内容是页面上的一些基本操作

from selenium.common.exceptions import TimeoutException, NoSuchElementException, WebDriverException, \StaleElementReferenceException
from selenium.webdriver.support.ui import WebDriverWait
from selenium.webdriver.support import expected_conditions as EC
from selenium.webdriver import ActionChains
from common.KeyActions import *
from common.errors import StopTestCaseException, KTEC_WebDriverException
from selenium.webdriver.support.select import Select
from common.elementFinder import ElementFinder
from selenium.webdriver.common.keys import Keys
from common.log import *
import os, win32gui, win32con, time
from common.publicFunc import *class BasePage(ElementFinder):"""Second encapsulation based on Selenium"""## def __init__(self, driver):#     self.driver = drivedef open(self, url):""" Open url, browser maximization"""self.driver.get(url)self.driver.maximize_window()def get_url(self):url = self.driver.current_urlreturn urldef open_tap(self, url):"""open a new browser tap"""old_handles = self.get_window_handles()simulateKey('ctrl', 't')time.sleep(5)for _ in range(5):if len(self.get_window_handles()) > len(old_handles):breakelse:time.sleep(2)self.switch_to_window(self.get_window_handles()[len(old_handles)])self.driver.get(url)def close_tap(self):"""close browser tap"""self.driver.close()def close_browser(self):"""close browser"""self.driver.quit()def go_back(self):"""go back"""self.driver.back()def refresh_(self):"""refresh browser"""self.driver.refresh()def click(self, locator, isUpdated=False):""" click element"""# element = self.find_element_clickable(locator)element = self.find_element_clickable(locator)if not element:log.warning('[BS]_436:element{ele} not exist'.format(ele=locator))returnfor _ in range(2):log.info('[BS]_006:step --> click {ele} time={num}'.format(ele=locator, num=_ + 1))try:self.click_element(element)# if Mode().getBrowserType() is None or (Mode().getBrowserType() is not None and (Mode().getBrowserType()).lower()=='ie'):#     self.driver.execute_script("$(arguments[0]).click()", element)# else:#     self.click_element(element)breakexcept KTEC_WebDriverException as e:log.warning('[BS]_434: click {ele} failed!,{info}'.format(ele=locator, info=e))time.sleep(1)element = self.find_element_clickable(locator)except Exception as e:log.warning('[BS]_444:click {ele},unknown error:{error}'.format(ele=locator, error=e))raise StopTestCaseExceptiondef right_click(self, driver, locator, isUpdated=False):""" click element"""time.sleep(1)# element = self.find_element_clickable(locator)element = self.find_element_clickable(locator)if not element:log.warning('[BS]_436:element{ele} not exist'.format(ele=locator))returnfor _ in range(2):log.info('[BS]_006:step --> click {ele} time={num}'.format(ele=locator, num=_ + 1))try:ActionChains(driver).context_click(element).perform()# if Mode().getBrowserType() is None or (Mode().getBrowserType() is not None and (Mode().getBrowserType()).lower()=='ie'):#     self.driver.execute_script("$(arguments[0]).click()", element)# else:#     self.click_element(element)breakexcept KTEC_WebDriverException as e:log.warning('[BS]_434: click {ele} failed!,{info}'.format(ele=locator, info=e))time.sleep(1)element = self.find_element_clickable(locator)except Exception as e:log.warning('[BS]_444:click {ele},unknown error:{error}'.format(ele=locator, error=e))raise StopTestCaseExceptiondef click_element(self, element):log.info('[BS]_00601:step --> click_element')try:element.click()time.sleep(1)except StaleElementReferenceException:raise KTEC_WebDriverException('[BS]_element is not attached to the page document')except WebDriverException as e:raise KTEC_WebDriverException('[BS]_element would not receive the click!{error}'.format(error=e))except Exception as e:log.warning('[BS]_434:unknown error! {info}'.format(info=e))def click_by_coordinate(self, locator, xoffset=None, yoffset=None):'''click element by coordinate'''if xoffset is None or yoffset is None:element = self.find_element(locator)location = element.locationxoffset = location['x']yoffset = location['y']ActionChains(self.driver).move_by_offset(xoffset, yoffset).click().perform()def input(self, locator, value, isClear=True):""" input text """if value is None: returnelement = self.find_element_clickable(locator, timeout=3)if not element: returnif isClear:element.clear()element.send_keys(value)def scroll_element_into_view(self, locator):"""Scrolls the element identified by ``locator`` into view."""element = self.find_element(locator)# Try/except can be removed when minimum required Selenium is 4.0 or greater.try:ActionChains(self.driver).move_to_element(element).perform()except AttributeError:log.warning('[BS]_Workaround for Selenium 3 bug.')element = element.wrapped_elementActionChains(self.driver).move_to_element(element).perform()def drag_and_drop(self, locator, target):"""Drags the element identified by ``locator`` into the ``target`` element.The ``locator`` argument is the locator of the dragged elementand the ``target`` is the locator of the target. See the`Locating elements` section for details about the locator syntax.Example:| `drag_and_drop(('css':'div#element'),('css':'div.target'))"""element = self.find_element(locator)target = self.find_element(target)action = ActionChains(self.driver)action.click_and_hold(element)action.drag_and_drop(element, target).perform()def drag_and_drop_offset(self, locator, xoffset, yoffset):"""Drags the element identified by ``locator`` into the ``target`` element.The ``locator`` argument is the locator of the dragged elementand the ``target`` is the locator of the target. See the`Locating elements` section for details about the locator syntax.Example:| `drag_and_drop(('css':'div#element'),('css':'div.target'))"""element = self.find_element(locator)action = ActionChains(self.driver)action.click_and_hold(element)action.drag_and_drop_by_offset(element, xoffset, yoffset).perform()def select_frame(self, locator):"""Sets frame identified by ``locator`` as the current frame.See the `Locating elements` section for details about the locatorsyntax.Works both with frames and iframes. Use `Unselect Frame` to cancelthe frame selection and return to the main frame."""log.info("[BS]_Selecting frame '%s'." % locator[1])element = self.find_element(locator)self.driver.switch_to.frame(element)def unselect_frame(self):"""Sets the main frame as the current frame.In practice cancels the previous `Select Frame` call."""self.driver.switch_to.default_content()@propertydef current_url(self):return self.driver.current_urldef wait_until_element_located_not_contains_text(self, locator, expectText, timeout=6, interval=0.5):"""Determine whether the text in the element is not equal to the expected text:param expectText: expected text:return: the actual text"""try:WebDriverWait(self.driver, timeout, interval) \.until_not(EC.text_to_be_present_in_element(locator, expectText))current_text = self.find_element_visible(locator).textreturn True, current_textexcept TimeoutException:return False, expectTextdef wait_until_element_located_contains_text(self, locator, expectText, timeout=6, interval=0.5):"""Determine whether the text in the element is equal to the expected text:param expectText: expected text:return : the actual text"""try:WebDriverWait(self.driver, timeout, interval) \.until(EC.text_to_be_present_in_element(locator, expectText))return True, expectTextexcept TimeoutException:try:current_text = self.find_element_visible(locator).textexcept TimeoutException:log.warning('[BS]_431:%s not find!' % str(locator))else:return False, current_textdef is_Element_Exist(self, locator, timeout=10, interval=0.5):try:WebDriverWait(self.driver, timeout, interval) \.until(EC.visibility_of_element_located(locator))return Trueexcept Exception:return Falsedef get_page_source(self):return self.driver.page_sourcedef get_cookies(self):""" get browser's cookies """return self.driver.get_cookies()def move_to_element(self, locator):""" Mouse over a visible element """element = self.find_element_visible(locator)ActionChains(self.driver).move_to_element(element).perform()def execute_script(self, js_command):"""execute javascript"""try:self.driver.execute_script(js_command)except Exception as e:log.warning('[BS] excute failed %s' % e)def switch_to_alert_and_confirm(self):"""switch to alert window"""self.driver.switch_to_alert().accept()def select_item_by_value(self, locator, value):log.info('[BS]_006:step --> select_item_by_value {ele},value={text}'.format(ele=locator, text=value))try:element = self.find_element_visible(locator)Select(element).select_by_value(value)except NoSuchElementException:log.warning('[BS]_433:%s not in select' % value)def select_item_by_index(self, locator, index):log.info('[BS]_006:step --> select_item_by_index {ele},index={text}'.format(ele=locator, text=index))try:element = self.find_element_visible(locator)Select(element).select_by_index(index)except NoSuchElementException as e:log.warning('[BS]_433:%s not in select' % index)def select_item_by_visible_text(self, locator, text):log.info('[BS]_006:step --> select_item_by_visible_text {ele},text={text}'.format(ele=locator, text=text))try:element = self.find_element_visible(locator)Select(element).select_by_visible_text(text)except NoSuchElementException:log.warning('[BS]_433:%s not in select' % text)def get_selected_item_text(self, locator):"""Return the currently selected item of select element"""log.info('[BS]_006:step --> get_selected_item_text {ele}'.format(ele=locator))element = self.find_element(locator)try:selected_option = Select(element).first_selected_optionreturn selected_option.textexcept TypeError:log.warning("[BS]_432:%s not find!" % str(locator))except NoSuchElementException:log.warning("[BS]_433:No options are selected in %s" % str(locator))def get_all_select_item(self, locator):"""Returns all options in the select element"""for _ in range(2):log.info('[BS]_006:step --> get_all_select_item {ele}, time={num}'.format(ele=locator, num=_ + 1))try:element = self.find_element(locator)selected_options = Select(element).optionsif not selected_options:breakelse:for i in range(len(selected_options)):selected_options[i] = selected_options[i].textexcept TypeError:log.warning("[BS]_432:%s not find!" % str(locator))breakexcept StaleElementReferenceException:log.info('[BS]_00601:step --> element{ele} is not attached to the page document'.format(ele=locator))continuereturn selected_optionsdef is_element_located_selected(self, locator):log.info('[BS]_006:step --> is_element_located_selected {ele}'.format(ele=locator))try:element = self.find_element_visible(locator)element.is_selected()return Trueexcept TimeoutException:log.warning('[BS]_431:%s not find!' % str(locator))return Falsedef get_elements_value(self, locator, timeout=6, interval=0.5):"""Returns the text value of multiple elements in the list variable"""for _ in range(2):log.info('[BS]_006:step --> get_elements_text {ele}, time={num}'.format(ele=locator, num=_ + 1))result = []try:elements = self.find_elements(locator, timeout, interval)if elements is not None:for ele in elements:result.append(ele.text)return resultexcept AttributeError:log.warning('[BS]_431:%s not find!' % str(locator))breakexcept StaleElementReferenceException:log.info('[BS]_00601:step --> elements{ele} is not attached to the page document'.format(ele=locator))time.sleep(1)continuedef get_element_text(self, locator, timeout=6, interval=0.5):""" Return the text value of the element"""for _ in range(2):log.info('[BS]_006:step --> get_element_text {ele}, time={num}'.format(ele=locator, num=_ + 1))try:element = self.find_element(locator, timeout, interval)return element.textexcept AttributeError:log.warning('[BS]_431:%s not find!' % str(locator))breakexcept StaleElementReferenceException:log.info('[BS]_00601:step --> element{ele} is not attached to the page document'.format(ele=locator))time.sleep(1)continuedef get_element_Attribute_value(self, locator, attribute, timeout=6, interval=0.5):"""Get an attribute value of an elementFor example:get_element_Attribute_value(locator=('id','xxx'),attribute='class')"""for _ in range(2):log.info('[BS]_006:step --> get_element_Attribute_value {ele}, time={num}'.format(ele=locator, num=_ + 1))try:element = self.find_element(locator, timeout, interval)try:attributeValue = element.get_attribute(attribute)return attributeValueexcept Exception as e:log.warning('431:can not get attribute [%s] value and error message is %s !' % (str(attribute), str(e)))breakexcept AttributeError:log.warning('[BS]_431:%s not find!' % str(locator))breakexcept StaleElementReferenceException:log.info('[BS]_00601:step --> element{ele} is not attached to the page document'.format(ele=locator))time.sleep(1)continuedef checkbox_is_selected(self, locator, timeout=3, interval=0.5):"""get whether checkbox is selected"""log.info('[BS]_006:step --> checkbox_is_selected {ele}'.format(ele=locator))try:WebDriverWait(self.driver, timeout, interval) \.until(EC.element_located_to_be_selected(locator))return Trueexcept TimeoutException:return Falsedef checkbox_is_not_selected(self, locator, timeout=3, interval=0.5):"""get whether checkbox is not selected"""log.info('[BS]_006:step --> checkbox_is_not_selected {ele}'.format(ele=locator))try:WebDriverWait(self.driver, timeout, interval) \.until_not(EC.element_located_to_be_selected(locator))return Trueexcept TimeoutException:return Falsedef is_visible(self, locator, timeout=1, interval=0.5):""" Judge whether the element is visible """log.info('[BS]_006:step --> is_visible {ele}'.format(ele=locator))try:WebDriverWait(self.driver, timeout, interval).until(EC.visibility_of_element_located(locator))isdisplay = Trueexcept TimeoutException:isdisplay = Falsereturn isdisplaydef is_clickable(self, locator, timeout=1, interval=0.5):""" Judge whether the element is visible """log.info('[BS]_006:step --> is_clickable {ele}'.format(ele=locator))try:WebDriverWait(self.driver, timeout, interval).until(EC.element_to_be_clickable(locator))isdisplay = Trueexcept TimeoutException:isdisplay = Falsereturn isdisplaydef is_enable(self, locator):log.info('[BS]_006:step --> is_enable {ele}'.format(ele=locator))try:result = self.find_element(locator).is_enabled()except TypeError:return Nonereturn resultdef dismiss_alert(self):"""dismiss alert"""self.driver.switch_to_alert().dismiss()def accept_alert(self):"""Accept alert"""self.driver.switch_to_alert().accept()def curr_window_handle(self):"""Get current window handle"""handle = self.driver.current_window_handlereturn handledef get_window_handles(self):"""Get handles of all currently open windows"""handles = self.driver.window_handlesreturn handlesdef switch_to_window(self, handle):"""switch to window"""self.driver.switch_to.window(handle)def sendSpace(self, locator):"""Enter SAPCE in the current element"""self.sendKeys(locator, Keys.SPACE)def sendEnter(self, locator):"""Enter ENTER in the current element"""self.sendKeys(locator, Keys.ENTER)def sendFile(self, locator, path):element = self.find_element(locator)element.send_keys(path)def take_screenshot(self, screen_dir, fileName=None):'''screenshotFor example:take_screenshot(screen_dir="C:\\forder",fileName="screenshot.png")'''rq = time.strftime('%Y%m%d%H%M%S', time.localtime(time.time()))if fileName is None:fileName = rqelse:fileName = fileName + "_" + rqfile_extension = fileName.rsplit(".", 1)if len(file_extension) == 2:if not file_extension[1].lower() in ['png', 'jpg', 'jpeg']:fileName = fileName + '.png'else:fileName = fileName + '.png'screen_name = os.path.join(screen_dir, fileName)try:self.driver.get_screenshot_as_file(screen_name)log.info("[BS]_Had take screenshot and saved!")except Exception as e:log.error("[BS]_Failed to take screenshot!", format(e))def upload_file(self, locator, filepath):self.click(locator)try:if filepath is not None:try:dialog = win32gui.FindWindow('#32770', 'Open')  # 对话框ComboBoxEx32 = win32gui.FindWindowEx(dialog, 0, "ComboBoxEx32", None)ComboBox = win32gui.FindWindowEx(ComboBoxEx32, 0, "ComboBox", None)edit = win32gui.FindWindowEx(ComboBox, 0, 'Edit', None)  # 上面三句依次寻找对象,直到找到输入框Edit对象的句柄button = win32gui.FindWindowEx(dialog, 0, 'Button', None)  # 确定按钮Buttonwin32gui.SendMessage(edit, win32con.WM_SETTEXT, None, filepath)  # 往输入框输入绝对地址win32gui.SendMessage(dialog, win32con.WM_COMMAND, 1, button)  # 按buttonexcept Exception as e:log.error("[BS]_Failed to upload fileFormat!", format(e))except Exception as e:log.error(("[BS]_filepath is empty!", format(e)))def reset_Attribute(self, locator, attribute, value):try:element = self.find_element(locator)self.driver.execute_script("arguments[0].setAttribute(arguments[1],arguments[2])", element, attribute,value)except Exception as e:log.error(("[BS]_attribute is not found!", format(e)))def wait_until_disappear(self, locator, waitTime=5):name = get_variable_name(locator)for _ in range(5):if self.is_visible(locator, waitTime):time.sleep(waitTime)log.info("waiting %s disappear" % name)else:log.info("waited %s disappear" % name)breakdef wait_element_visible(self, locator, waitTime=2):for _ in range(5):if self.is_visible(locator, waitTime):breakelse:time.sleep(waitTime)log.info("[BS]_wait element is visible")def get_AttributeValue(self, locator, attribute):try:element = self.find_element(locator)value = element.get_addribute(attribute)return valueexcept Exception as e:log.error(("[BS]_locator is not found!", format(e)))if __name__ == "__main__":'''self test'''

本文来自互联网用户投稿,该文观点仅代表作者本人,不代表本站立场。本站仅提供信息存储空间服务,不拥有所有权,不承担相关法律责任。如若转载,请注明出处:http://www.mzph.cn/bicheng/38819.shtml

如若内容造成侵权/违法违规/事实不符,请联系多彩编程网进行投诉反馈email:809451989@qq.com,一经查实,立即删除!

相关文章

某安全公司DDoS攻击防御2024年6月报告

引言: 在2024年6月,网络空间的安全挑战汹涌澎湃。分布式拒绝服务(DDoS)攻击频发,针对云服务、金融科技及在线教育平台的精密打击凸显出当前网络威胁环境的严峻性。 某安全公司作为网络安全防护的中坚力量&#xff0c…

mybatis之动态标签

有些时候,sql语句where条件中,需要一些安全判断,例如按性别检索,如果传入的参数是空的,此时查询出的结果很可能是空的,也许我们需要参数为空时,是查出全部的信息。这是我们可以使用动态sql&…

代码随想录算法训练营Day55|42.接雨水、84.柱状图中最大的矩形

接雨水 42. 接雨水 - 力扣(LeetCode) 暴力解法 对计算接到的雨水,有两种方式,一是按照行来计算。 另一种是按列计算 按列计算容易不乱。基本思路如下: 对每列i进行循环,在循环中,找到该列左…

HarmonyOS Next开发学习手册——视频播放 (Video)

Video组件用于播放视频文件并控制其播放状态,常用于为短视频和应用内部视频的列表页面。当视频完整出现时会自动播放,用户点击视频区域则会暂停播放,同时显示播放进度条,通过拖动播放进度条指定视频播放到具体位置。具体用法请参考…

【JVM-02】垃圾收集(回收)算法

【JVM-02】垃圾收集/回收算法 1. 分代收集算法2. 标记-清除算法3. 标记-复制算法4. 标记-整理算法 1. 分代收集算法 分代收集(回收)算法根据对象存活周期的不同将内存分为几块。一般将java堆分为新生代和老年代,这样我们就可以根据各个年代的特点选择合适的垃圾收集…

Kotlin中object关键字的作用

1、对象声明,通过这种方式创建一个单例对象。 object MySingleton{ fun function{ //方法代码块 } } 调用方式:MySingleton.function(),类似像Java的静态方法 2、在类内部声明伴生对象 class OutClass { companion object{ val value 1 fun method(…

【算法题】爬楼梯 (经典递归)

题 爬楼梯: 假设你正在爬楼梯。需要 n 阶你才能到达楼顶。 每次你可以爬 1 或 2 个台阶。你有多少种不同的方法可以爬到楼顶呢? 输入: n 2 输出: 2 解释: 有两种方法可以爬到楼顶。 1 阶 1 阶 2 阶 示例 2&#x…

寒武纪实现高维向量的softmax进阶优化和库函数对比

关于寒武纪编程可以参考本人之前的文章添加链接描述,添加链接描述,添加链接描述 实验证明,axis=0和axis=-1的时候,手写softmax速度可以和库函数媲美,甚至于更甚一筹。 src/softmax.mlu #include <bang.h> #include

Nik Collection by DxO:摄影师的创意利器与调色宝典

在数码摄影的世界里&#xff0c;后期处理是摄影师们展现创意、调整细节、提升作品质量的重要步骤。而Nik Collection by DxO作为一款由DxO公司开发的强大照片编辑插件套件&#xff0c;为摄影师们提供了一套全面的、功能丰富的工具集&#xff0c;让他们的创意得以充分发挥。 Ni…

遇到多语言跨境电商系统源码问题?这里有解决方案!

从手机到电脑&#xff0c;从线下到线上&#xff0c;如今&#xff0c;跨境电商正在打破地域界限&#xff0c;成为全球贸易的新引擎。在这个全球化的背景下&#xff0c;跨境电商平台的运营也面临着一系列的挑战&#xff0c;其中之一就是多语言问题。如果你遇到了多语言跨境电商系…

2065. 最大化一张图中的路径价值 Hard

给你一张 无向 图&#xff0c;图中有 n 个节点&#xff0c;节点编号从 0 到 n - 1 &#xff08;都包括&#xff09;。同时给你一个下标从 0 开始的整数数组 values &#xff0c;其中 values[i] 是第 i 个节点的 价值 。同时给你一个下标从 0 开始的二维整数数组 edges &#xf…

小抄 20240629

1 很多人当下焦虑的原因&#xff0c;是短期内无法实现别人长期才能做到的目标&#xff0c;总想几天就能追赶别人几年的努力&#xff0c;只看到了别人的结果&#xff0c;没有思考过别人的过程。 2 把时间线拉长看&#xff0c;人和人都只是阶段性在一起&#xff0c;只要人还在成…

vivado FIFO IP核 中的rd_valid信号

在Vivado中使用FIFO IP核时&#xff0c;valid信号&#xff08;通常称为rd_valid或dout_valid&#xff09;是一个重要的控制信号。让我详细解释它的作用和使用场景。 valid信号的作用&#xff1a; 功能&#xff1a; valid信号是一个输出信号&#xff0c;用于指示FIFO输出数据的…

7基于SpringBoot的SSMP整合案例-表现层开发

目录 1.基于Restfu1进行表现层接口开发 1.1创建功能类 1.2基于Restful制作表现层接口 2.接收参数 2使用Apifox测试表现层接口功能 保存接口&#xff1a; 分页接口&#xff1a; 3.表现层一致性处理 3.1先创建一个工具类&#xff0c;用作后端返回格式统一类&#xff1a;…

springboot校园购物网站APP-计算机毕业设计源码041037

摘 要 21世纪的今天&#xff0c;随着社会的不断发展与进步&#xff0c;人们对于信息科学化的认识&#xff0c;已由低层次向高层次发展&#xff0c;由原来的感性认识向理性认识提高&#xff0c;管理工作的重要性已逐渐被人们所认识&#xff0c;科学化的管理&#xff0c;使信息存…

笔记-Python文件: .py、.ipynb、.pyi、.pyc、​.pyd

.py 最常见的Python代码文件后缀名&#xff0c;官方称Python源代码文件。 不用过多解释了~ .ipynb 这个还是比较常见的&#xff0c;.ipynb是Jupyter Notebook文件的扩展名&#xff0c;它代表"IPython Notebook"。 学过数据分析&#xff0c;机器学习&#xff0c;深度…

内卷情况下,工程师也应该了解的项目管理

简介&#xff1a;大家好&#xff0c;我是程序员枫哥&#xff0c;&#x1f31f;一线互联网的IT民工、&#x1f4dd;资深面试官、&#x1f339;Java跳槽网创始人。拥有多年一线研发经验&#xff0c;曾就职过科大讯飞、美团网、平安等公司。在上海有自己小伙伴组建的副业团队&…

算法笔记:模拟过程(螺旋遍历矩阵)

1 模拟过程 “模拟过程题”通常指的是那些要求编程者通过编写代码来“模拟”或重现某个过程、系统或规则的题目。这类题目往往不涉及复杂的数据结构或高级算法&#xff0c;而是侧重于对给定规则的精确执行和逻辑的清晰表达。 其中螺旋遍历矩阵的题目就是一类典型的模拟过程题…

如何在开发过程中减少 Bug?

爱因斯坦曾说过&#xff1a;“如果我有一个小时来解决一个关系到我生死的问题&#xff0c;我会花55分钟弄清楚问题是什么。一旦我知道了问题是什么&#xff0c;我可以在五分钟内解决它。” 虽然我们的软件开发过程并不涉及生死抉择&#xff0c;但它直接影响用户体验&#xff0c…

明日周刊-第14期

不好意思又拖更了哈哈哈。不过赶在7月的第一天&#xff0c;打算更新一下。建党节&#xff0c;值得纪念的一天。 文章目录 一周热点资源分享言论歌曲推荐 一周热点 国内科技新闻 深中通道建成通车 时间&#xff1a;2024年6月30日 内容&#xff1a;深圳至中山跨江通道正式建成开…