毕业季–DIY毕业照

本项目针对疫情期间毕业生无法拍摄毕业照的遗憾,提供DIY毕业照解决方案。通过AI换lian将个人人脸合成到样本图,再经毕业服装抠图与合成、人体抠图与学校背景合成,完成毕业照制作。使用paddlehub等工具实现,但存在服装学科颜色、帽子垂穗处理等需完善的瑕疵,最终祝福毕业生前程似锦。

☞☞☞AI 智能聊天, 问答助手, AI 智能搜索, 免费无限量使用 DeepSeek R1 模型☜☜☜

毕业季--diy毕业照 - 创想鸟

项目简介

由于疫情的影响,许多毕业生他们可能都没办法拥有一张属于自己的毕业照,这将成为许多人说遗憾。于是便做了这样一个DIY毕业照的项目,最后祝福各位毕业生前程似锦,万事如意。

效果展示

人脸照片:

毕业季--DIY毕业照 - 创想鸟        

合成毕业照:

学士服:

毕业季--DIY毕业照 - 创想鸟        

硕士服:

毕业季--DIY毕业照 - 创想鸟        

博士服:

毕业季--DIY毕业照 - 创想鸟        

(PS:示例图片均来源于互联网,如有侵权,请联系删除)

一、安装必要的包

In [1]

!pip install --upgrade paddlehub -i https://mirror.baidu.com/pypi/simple!hub install deeplabv3p_xception65_humanseg==1.1.2

   

二、AI换lian

把自己的脸合成到样本图上

只需修改im1,im2

im1:自己脸的图片

im2:样本图

In [ ]

import cv2import numpy as npimport paddlehub as hub

   In [ ]

def get_image_size(image):    """    获取图片大小(高度,宽度)    :param image: image    :return: (高度,宽度)    """    image_size = (image.shape[0], image.shape[1])    return image_sizedef get_face_landmarks(image):    """    获取人脸标志,68个特征点    :param image: image    :param face_detector: dlib.get_frontal_face_detector    :param shape_predictor: dlib.shape_predictor    :return: np.array([[],[]]), 68个特征点    """    dets = face_landmark.keypoint_detection([image])    num_faces = len(dets[0]['data'][0])    if num_faces == 0:        print("Sorry, there were no faces found.")        return None    # shape = shape_predictor(image, dets[0])    face_landmarks = np.array([[p[0], p[1]] for p in dets[0]['data'][0]])    return face_landmarksdef get_face_mask(image_size, face_landmarks):    """    获取人脸掩模    :param image_size: 图片大小    :param face_landmarks: 68个特征点    :return: image_mask, 掩模图片    """    mask = np.zeros(image_size, dtype=np.int32)    points = np.concatenate([face_landmarks[0:16], face_landmarks[26:17:-1]])    points = np.array(points, dtype=np.int32)    cv2.fillPoly(img=mask, pts=[points], color=255)    # mask = np.zeros(image_size, dtype=np.uint8)    # points = cv2.convexHull(face_landmarks)  # 凸包    # cv2.fillConvexPoly(mask, points, color=255)    return mask.astype(np.uint8)def get_affine_image(image1, image2, face_landmarks1, face_landmarks2):    """    获取图片1仿射变换后的图片    :param image1: 图片1, 要进行仿射变换的图片    :param image2: 图片2, 只要用来获取图片大小,生成与之大小相同的仿射变换图片    :param face_landmarks1: 图片1的人脸特征点    :param face_landmarks2: 图片2的人脸特征点    :return: 仿射变换后的图片    """    three_points_index = [18, 8, 25]    M = cv2.getAffineTransform(face_landmarks1[three_points_index].astype(np.float32),                               face_landmarks2[three_points_index].astype(np.float32))    dsize = (image2.shape[1], image2.shape[0])    affine_image = cv2.warpAffine(image1, M, dsize)    return affine_image.astype(np.uint8)def get_mask_center_point(image_mask):    """    获取掩模的中心点坐标    :param image_mask: 掩模图片    :return: 掩模中心    """    image_mask_index = np.argwhere(image_mask > 0)    miny, minx = np.min(image_mask_index, axis=0)    maxy, maxx = np.max(image_mask_index, axis=0)    center_point = ((maxx + minx) // 2, (maxy + miny) // 2)    return center_pointdef get_mask_union(mask1, mask2):    """    获取两个掩模掩盖部分的并集    :param mask1: mask_image, 掩模1    :param mask2: mask_image, 掩模2    :return: 两个掩模掩盖部分的并集    """    mask = np.min([mask1, mask2], axis=0)  # 掩盖部分并集    mask = ((cv2.blur(mask, (5, 5)) == 255) * 255).astype(np.uint8)  # 缩小掩模大小    mask = cv2.blur(mask, (3, 3)).astype(np.uint8)  # 模糊掩模    return maskdef skin_color_adjustment(im1, im2, mask=None):    """    肤色调整    :param im1: 图片1    :param im2: 图片2    :param mask: 人脸 mask. 如果存在,使用人脸部分均值来求肤色变换系数;否则,使用高斯模糊来求肤色变换系数    :return: 根据图片2的颜色调整的图片1    """    if mask is None:        im1_ksize = 55        im2_ksize = 55        im1_factor = cv2.GaussianBlur(im1, (im1_ksize, im1_ksize), 0).astype(np.float)        im2_factor = cv2.GaussianBlur(im2, (im2_ksize, im2_ksize), 0).astype(np.float)    else:        im1_face_image = cv2.bitwise_and(im1, im1, mask=mask)        im2_face_image = cv2.bitwise_and(im2, im2, mask=mask)        im1_factor = np.mean(im1_face_image, axis=(0, 1))        im2_factor = np.mean(im2_face_image, axis=(0, 1))    im1 = np.clip((im1.astype(np.float) * im2_factor / np.clip(im1_factor, 1e-6, None)), 0, 255).astype(np.uint8)    return im1def main():    im1 = cv2.imread("face.png")  # face_image    im1 = cv2.resize(im1, (600, im1.shape[0] * 600 // im1.shape[1]))    landmarks1 = get_face_landmarks(im1)  # 68_face_landmarks    if landmarks1 is None:        print('{}:检测不到人脸'.format(image_face_path))        exit(1)    im1_size = get_image_size(im1)  # 脸图大小    im1_mask = get_face_mask(im1_size, landmarks1)  # 脸图人脸掩模    # ret_val, im2 = cam.read()  # camera_image    im2 = cv2.imread("di_zhao.png")    landmarks2 = get_face_landmarks(im2)  # 68_face_landmarks    if landmarks2 is not None:        im2_size = get_image_size(im2)  # 摄像头图片大小        im2_mask = get_face_mask(im2_size, landmarks2)  # 摄像头图片人脸掩模        affine_im1 = get_affine_image(im1, im2, landmarks1, landmarks2)  # im1(脸图)仿射变换后的图片        affine_im1_mask = get_affine_image(im1_mask, im2, landmarks1, landmarks2)  # im1(脸图)仿射变换后的图片的人脸掩模        union_mask = get_mask_union(im2_mask, affine_im1_mask)  # 掩模合并        # affine_im1_face_image = cv2.bitwise_and(affine_im1, affine_im1, mask=union_mask)  # im1(脸图)的脸        # im2_face_image = cv2.bitwise_and(im2, im2, mask=union_mask)  # im2(摄像头图片)的脸        # cv2.imshow('affine_im1_face_image', affine_im1_face_image)        # cv2.imshow('im2_face_image', im2_face_image)        affine_im1 = skin_color_adjustment(affine_im1, im2, mask=union_mask)  # 肤色调整        point = get_mask_center_point(affine_im1_mask)  # im1(脸图)仿射变换后的图片的人脸掩模的中心点        seamless_im = cv2.seamlessClone(affine_im1, im2, mask=union_mask, p=point, flags=cv2.NORMAL_CLONE)  # 进行泊松融合        # cv2.imshow('affine_im1', affine_im1)        # cv2.imshow('im2', im2)        # cv2.imshow('seamless_im', seamless_im)        cv2.imwrite('hecheng.jpg', seamless_im)        # plt.imshow(seamless_im)        # plt.show()    else:        cv2.imshow('seamless_im', im2)        # plt.imshow(im2)        # plt.show()if __name__ == '__main__':    face_landmark = hub.Module(name="face_landmark_localization")    main()

       

[2022-06-07 11:22:24,086] [ WARNING] - The _initialize method in HubModule will soon be deprecated, you can use the __init__() to handle the initialization of the object[2022-06-07 11:22:24,177] [ WARNING] - The _initialize method in HubModule will soon be deprecated, you can use the __init__() to handle the initialization of the object

       

三、毕业服装抠图与合成

In [ ]

#调用一些相关的包import matplotlibimport matplotlib.pyplot as plt import matplotlib.image as mpimg import cv2from PIL import Imageimport numpy as npimport paddlehub as hub

   In [ ]

# S1  衣服图片抠图 ---------------------------------------------------------------------module = hub.Module(name="deeplabv3p_xception65_humanseg")res = module.segmentation(paths = ["bo.png"], visualization=True, output_dir='pic_output')res_img_path = './pic_output/bo.png'img = mpimg.imread(res_img_path)plt.figure(figsize=(10, 10))plt.imshow(img)plt.axis('off')plt.show()

       

[2022-06-07 16:11:24,181] [ WARNING] - The _initialize method in HubModule will soon be deprecated, you can use the __init__() to handle the initialization of the object

       

               In [ ]

# S2  显示原始图片 ---------------------------------------------------------------------# 原始图片test_img_path = ["hecheng.jpg"]#import numpy as np #wpb addimg = mpimg.imread(test_img_path[0]) # 展示 原始图片plt.figure(figsize=(10,10))plt.imshow(img) #wpb comment#plt.imshow(img.astype(np.uint8))#wpb addplt.axis('off') plt.show()

       

               In [ ]

# S3  获取关键点图像 ---------------------------------------------------------------------module = hub.Module(name="human_pose_estimation_resnet50_mpii")res = module.keypoint_detection(paths = ["hecheng.jpg"], visualization=True, output_dir='pic_output')res_img_path = './pic_output/hecheng.jpg'img = mpimg.imread(res_img_path)plt.figure(figsize=(10, 10))plt.imshow(img)plt.axis('off')plt.show()print(res)

       

[2022-06-07 16:12:03,050] [ WARNING] - The _initialize method in HubModule will soon be deprecated, you can use the __init__() to handle the initialization of the object

       

image saved in pic_output/hechengtime=1654589524.jpg

       

               

[{'path': 'hecheng.jpg', 'data': OrderedDict([('left_ankle', [205, 698]), ('left_knee', [200, 698]), ('left_hip', [211, 490]), ('right_hip', [269, 482]), ('right_knee', [274, 705]), ('right_ankle', [264, 297]), ('pelvis', [227, 490]), ('thorax', [242, 319]), ('upper_neck', [242, 267]), ('head_top', [242, 133]), ('right_wrist', [190, 467]), ('right_elbow', [110, 423]), ('right_shoulder', [153, 319]), ('left_shoulder', [332, 319]), ('left_elbow', [369, 430]), ('left_wrist', [279, 467])])}]

       


       In [ ]

# S4  换衣服 ---------------------------------------------------------------------#获取衣服位置left_posx=res[0]["data"]["right_shoulder"][0]left_posy=res[0]["data"]["right_shoulder"][1]right_posx=res[0]["data"]["left_ankle"][0]right_posy=res[0]["data"]["left_ankle"][1]print(left_posx, left_posy)print(right_posx, right_posy)#读取图片Image1 = Image.open('hecheng.jpg') Image1copy = Image1.copy() Image2 = Image.open('pic_output/bo.png') Image2copy = Image2.copy() #resize clothes       可以对抠出的服装图片进行放大缩小width,height=Image1copy.sizenewsize=(int(width*1.0),int(height*0.9))Image2copy = Image2.resize(newsize)#制定要粘贴左上角坐标       可以抠出的服装图片进行移动position=(int(left_posx*-0.07),int(left_posy*0.55) ) # ,right_posx, right_posyprint(position)# 换衣服 , 应该还有更好的方法进行照片合成Image1copy.paste(Image2copy,position,Image2copy) # 将翻转后图像region  粘贴到  原图im 中的 box位置  # 存为新文件  #Image1copy.save('./pic_output/newclothes.png') Image1copy.save('./pic_output/newclothes_bo.jpg') # 显示穿着新衣的照片img = mpimg.imread('./pic_output/newclothes_bo.jpg') plt.figure(figsize=(10,10))plt.imshow(img) plt.axis('off') plt.show()

       

153 319205 698(-10, 175)

       

               

四、合成学校背景图片

In [2]

import paddlehub as hubimport matplotlib.pyplot as plt import matplotlib.image as mpimg import cv2from PIL import Imageimport numpy as npimport math

   In [7]

import paddlehub as hubimport numpy as npimport matplotlib.pyplot as plt import matplotlib.image as mpimg #加载预训练模型"deeplabv3p_xception65_humanseghumanseg = hub.Module(name="deeplabv3p_xception65_humanseg")#可以添加多张图片img_path = ["hecheng.jpg"]results = humanseg.segmentation(data={"image":img_path},visualization=True, output_dir='humanseg_output')#遍历图片抠图结果for i in range(len(img_path)):    #呈现原图    img1 = mpimg.imread(img_path[i])    plt.figure(figsize=(10,10))     plt.imshow(img1)          plt.axis('off')         plt.show()    result=results[i]    print(result)    #打印 抠图结果的数字列表    # print(result["data"].shape)        #以图形方式呈现结果    prediction = result["data"]        plt.imshow(prediction)        plt.show()    #运用线性代数实现:使用抠图数据剪切原图    newimg = np.zeros(img1.shape)     newimg[:,:,0] = img1[:,:,0] * (prediction>0)       newimg[:,:,1] = img1[:,:,1] * (prediction>0)      newimg[:,:,2] = img1[:,:,2] * (prediction>0)        newimg = newimg.astype(np.uint8)         # 抠图结果展示        plt.figure(figsize=(10,10))          plt.imshow(newimg)         plt.axis('off')         plt.show()

       

[2022-06-07 16:48:59,533] [ WARNING] - The _initialize method in HubModule will soon be deprecated, you can use the __init__() to handle the initialization of the object

       

               

{'save_path': 'humanseg_output/hecheng.png', 'data': array([[0., 0., 0., ..., 0., 0., 0.],       [0., 0., 0., ..., 0., 0., 0.],       [0., 0., 0., ..., 0., 0., 0.],       ...,       [0., 0., 0., ..., 0., 0., 0.],       [0., 0., 0., ..., 0., 0., 0.],       [0., 0., 0., ..., 0., 0., 0.]], dtype=float32)}

       


       

               

               In [8]

base_image = Image.open(f'xuexiao.jpeg').convert('RGB')fore_image = Image.open(f'humanseg_output/hecheng.png').resize(base_image.size)# 图片加权合成scope_map = np.array(fore_image)[:,:,-1] / 255scope_map = scope_map[:,:,np.newaxis]scope_map = np.repeat(scope_map, repeats=3, axis=2)res_image = np.multiply(scope_map, np.array(fore_image)[:,:,:3]) + np.multiply((1-scope_map), np.array(base_image))#保存图片res_image = Image.fromarray(np.uint8(res_image))res_image.save(f"humanseg_output/hecheng_xue.jpg")print('照片合成完毕')plt.figure(figsize=(10,10))plt.imshow(res_image) plt.axis('off') plt.show()

       

照片合成完毕

       

               

总结

本次项目主要使用了脸部抠图+合成、衣服抠图+合成、人体抠图+背景合成,这三大块的功能来完成。但是仍然存在瑕疵。例如服装上学科代表的颜色和帽子垂穗颜色不能更换、以及最后合成后的帽子垂穗会消失,这都是后面需要完善的地方。

以上就是毕业季–DIY毕业照的详细内容,更多请关注创想鸟其它相关文章!

版权声明:本文内容由互联网用户自发贡献,该文观点仅代表作者本人。本站仅提供信息存储空间服务,不拥有所有权,不承担相关法律责任。
如发现本站有涉嫌抄袭侵权/违法违规的内容, 请发送邮件至 chuangxiangniao@163.com 举报,一经查实,本站将立刻删除。
发布者:程序猿,转转请注明出处:https://www.chuangxiangniao.com/p/49305.html

(0)
打赏 微信扫一扫 微信扫一扫 支付宝扫一扫 支付宝扫一扫
上一篇 2025年11月8日 11:12:38
下一篇 2025年11月8日 11:17:47

相关推荐

  • Uniapp 中如何不拉伸不裁剪地展示图片?

    灵活展示图片:如何不拉伸不裁剪 在界面设计中,常常需要以原尺寸展示用户上传的图片。本文将介绍一种在 uniapp 框架中实现该功能的简单方法。 对于不同尺寸的图片,可以采用以下处理方式: 极端宽高比:撑满屏幕宽度或高度,再等比缩放居中。非极端宽高比:居中显示,若能撑满则撑满。 然而,如果需要不拉伸不…

    2025年12月24日
    400
  • 如何让小说网站控制台显示乱码,同时网页内容正常显示?

    如何在不影响用户界面的情况下实现控制台乱码? 当在小说网站上下载小说时,大家可能会遇到一个问题:网站上的文本在网页内正常显示,但是在控制台中却是乱码。如何实现此类操作,从而在不影响用户界面(UI)的情况下保持控制台乱码呢? 答案在于使用自定义字体。网站可以通过在服务器端配置自定义字体,并通过在客户端…

    2025年12月24日
    800
  • 如何在地图上轻松创建气泡信息框?

    地图上气泡信息框的巧妙生成 地图上气泡信息框是一种常用的交互功能,它简便易用,能够为用户提供额外信息。本文将探讨如何借助地图库的功能轻松创建这一功能。 利用地图库的原生功能 大多数地图库,如高德地图,都提供了现成的信息窗体和右键菜单功能。这些功能可以通过以下途径实现: 高德地图 JS API 参考文…

    2025年12月24日
    400
  • 如何使用 scroll-behavior 属性实现元素scrollLeft变化时的平滑动画?

    如何实现元素scrollleft变化时的平滑动画效果? 在许多网页应用中,滚动容器的水平滚动条(scrollleft)需要频繁使用。为了让滚动动作更加自然,你希望给scrollleft的变化添加动画效果。 解决方案:scroll-behavior 属性 要实现scrollleft变化时的平滑动画效果…

    2025年12月24日
    000
  • 如何为滚动元素添加平滑过渡,使滚动条滑动时更自然流畅?

    给滚动元素平滑过渡 如何在滚动条属性(scrollleft)发生改变时为元素添加平滑的过渡效果? 解决方案:scroll-behavior 属性 为滚动容器设置 scroll-behavior 属性可以实现平滑滚动。 html 代码: click the button to slide right!…

    2025年12月24日
    500
  • 如何选择元素个数不固定的指定类名子元素?

    灵活选择元素个数不固定的指定类名子元素 在网页布局中,有时需要选择特定类名的子元素,但这些元素的数量并不固定。例如,下面这段 html 代码中,activebar 和 item 元素的数量均不固定: *n *n 如果需要选择第一个 item元素,可以使用 css 选择器 :nth-child()。该…

    2025年12月24日
    200
  • 使用 SVG 如何实现自定义宽度、间距和半径的虚线边框?

    使用 svg 实现自定义虚线边框 如何实现一个具有自定义宽度、间距和半径的虚线边框是一个常见的前端开发问题。传统的解决方案通常涉及使用 border-image 引入切片图片,但是这种方法存在引入外部资源、性能低下的缺点。 为了避免上述问题,可以使用 svg(可缩放矢量图形)来创建纯代码实现。一种方…

    2025年12月24日
    100
  • 如何让“元素跟随文本高度,而不是撑高父容器?

    如何让 元素跟随文本高度,而不是撑高父容器 在页面布局中,经常遇到父容器高度被子元素撑开的问题。在图例所示的案例中,父容器被较高的图片撑开,而文本的高度没有被考虑。本问答将提供纯css解决方案,让图片跟随文本高度,确保父容器的高度不会被图片影响。 解决方法 为了解决这个问题,需要将图片从文档流中脱离…

    2025年12月24日
    000
  • 为什么 CSS mask 属性未请求指定图片?

    解决 css mask 属性未请求图片的问题 在使用 css mask 属性时,指定了图片地址,但网络面板显示未请求获取该图片,这可能是由于浏览器兼容性问题造成的。 问题 如下代码所示: 立即学习“前端免费学习笔记(深入)”; icon [data-icon=”cloud”] { –icon-cl…

    2025年12月24日
    200
  • 如何利用 CSS 选中激活标签并影响相邻元素的样式?

    如何利用 css 选中激活标签并影响相邻元素? 为了实现激活标签影响相邻元素的样式需求,可以通过 :has 选择器来实现。以下是如何具体操作: 对于激活标签相邻后的元素,可以在 css 中使用以下代码进行设置: li:has(+li.active) { border-radius: 0 0 10px…

    2025年12月24日
    100
  • 如何模拟Windows 10 设置界面中的鼠标悬浮放大效果?

    win10设置界面的鼠标移动显示周边的样式(探照灯效果)的实现方式 在windows设置界面的鼠标悬浮效果中,光标周围会显示一个放大区域。在前端开发中,可以通过多种方式实现类似的效果。 使用css 使用css的transform和box-shadow属性。通过将transform: scale(1.…

    2025年12月24日
    200
  • 为什么我的 Safari 自定义样式表在百度页面上失效了?

    为什么在 Safari 中自定义样式表未能正常工作? 在 Safari 的偏好设置中设置自定义样式表后,您对其进行测试却发现效果不同。在您自己的网页中,样式有效,而在百度页面中却失效。 造成这种情况的原因是,第一个访问的项目使用了文件协议,可以访问本地目录中的图片文件。而第二个访问的百度使用了 ht…

    2025年12月24日
    000
  • 如何用前端实现 Windows 10 设置界面的鼠标移动探照灯效果?

    如何在前端实现 Windows 10 设置界面中的鼠标移动探照灯效果 想要在前端开发中实现 Windows 10 设置界面中类似的鼠标移动探照灯效果,可以通过以下途径: CSS 解决方案 DEMO 1: Windows 10 网格悬停效果:https://codepen.io/tr4553r7/pe…

    2025年12月24日
    000
  • 使用CSS mask属性指定图片URL时,为什么浏览器无法加载图片?

    css mask属性未能加载图片的解决方法 使用css mask属性指定图片url时,如示例中所示: mask: url(“https://api.iconify.design/mdi:apple-icloud.svg”) center / contain no-repeat; 但是,在网络面板中却…

    2025年12月24日
    000
  • 如何用CSS Paint API为网页元素添加时尚的斑马线边框?

    为元素添加时尚的斑马线边框 在网页设计中,有时我们需要添加时尚的边框来提升元素的视觉效果。其中,斑马线边框是一种既醒目又别致的设计元素。 实现斜向斑马线边框 要实现斜向斑马线间隔圆环,我们可以使用css paint api。该api提供了强大的功能,可以让我们在元素上绘制复杂的图形。 立即学习“前端…

    2025年12月24日
    000
  • 图片如何不撑高父容器?

    如何让图片不撑高父容器? 当父容器包含不同高度的子元素时,父容器的高度通常会被最高元素撑开。如果你希望父容器的高度由文本内容撑开,避免图片对其产生影响,可以通过以下 css 解决方法: 绝对定位元素: .child-image { position: absolute; top: 0; left: …

    2025年12月24日
    000
  • CSS 帮助

    我正在尝试将文本附加到棕色框的左侧。我不能。我不知道代码有什么问题。请帮助我。 css .hero { position: relative; bottom: 80px; display: flex; justify-content: left; align-items: start; color:…

    2025年12月24日 好文分享
    200
  • 前端代码辅助工具:如何选择最可靠的AI工具?

    前端代码辅助工具:可靠性探讨 对于前端工程师来说,在HTML、CSS和JavaScript开发中借助AI工具是司空见惯的事情。然而,并非所有工具都能提供同等的可靠性。 个性化需求 关于哪个AI工具最可靠,这个问题没有一刀切的答案。每个人的使用习惯和项目需求各不相同。以下是一些影响选择的重要因素: 立…

    2025年12月24日
    000
  • 如何用 CSS Paint API 实现倾斜的斑马线间隔圆环?

    实现斑马线边框样式:探究 css paint api 本文将探究如何使用 css paint api 实现倾斜的斑马线间隔圆环。 问题: 给定一个有多个圆圈组成的斑马线图案,如何使用 css 实现倾斜的斑马线间隔圆环? 答案: 立即学习“前端免费学习笔记(深入)”; 使用 css paint api…

    2025年12月24日
    000
  • 如何使用CSS Paint API实现倾斜斑马线间隔圆环边框?

    css实现斑马线边框样式 想定制一个带有倾斜斑马线间隔圆环的边框?现在使用css paint api,定制任何样式都轻而易举。 css paint api 这是一个新的css特性,允许开发人员创建自定义形状和图案,其中包括斑马线样式。 立即学习“前端免费学习笔记(深入)”; 实现倾斜斑马线间隔圆环 …

    2025年12月24日
    100

发表回复

登录后才能评论
关注微信