图片模块封装:Glide高级使用+使用设计模式图片框架封装+Bitmap尺寸压缩和质量压缩+Bitmap加载大图长图

news2025/1/17 3:03:45

图片模块封装:Glide高级使用+使用设计模式图片封装+Bitmap尺寸压缩和质量压缩+Bitmap加载大图长图

  • 一.如何更换图片框架
  • 二.Glide配置
    • 1.依赖:
    • 2.缓存配置:
    • 3.网络配置:glide默认使用httpUrlConnection完成网络请求,可以改成okhttp
  • 三.策略模式+构建者模式图片框架搭建
    • 1.ImageOptions图片参数设置
    • 2.IImageLoader接口以及实现子类
    • 3.图片加载策略
    • 4.ImageLoader
    • 5.ImageLoaderManager
    • 6.使用:
  • 四.Bitmap三级缓存二次采样
  • 五.长图大图处理

一.如何更换图片框架

框架设计过程中对于对于架构要求高内聚低耦合,图片加载框架中引
入三方框架提示开发效率,对于技术选型后的方案可能后面需求的变更原三方
sdk无法满足当前业务需求,故而需要更换原有sdk,为了将更改降到最低,所
有前面设计图片加载框架时要考虑当前这个风险点

使用设计模式来进一步解耦代码耦合度,来解决隔离风险点的目的,
即定义接口层业务依赖抽象即当前接口,具体实现有不同三方sdk完成。
因为业务依赖的是接口层对应后期代码维护更改量会控制在最小,对于原软件
稳定性影响也会极小达到更换图片加载框架的目的。

二.Glide配置

1.依赖:

config.gradle配置:

 //Glide
    // Glide集成OkHttp时需要使用的库,库已经将需要适配Okhhtp的大部分代码封装,注意如果之前已经使用了okhttp依赖注释掉
    libIntegration =  'com.github.bumptech.glide:okhttp3-integration:4.13.0'
    libGlide = 'com.github.bumptech.glide:glide:4.13.0'
    libGlideCompiler = 'com.github.bumptech.glide:compiler:4.13.0'//Glide注解处理器的依赖

library-base封装网络

   //glide图片框架
    api libGlide
    api libIntegration
    kapt libGlideCompiler

项目结构:
在这里插入图片描述

2.缓存配置:

/**
 * @Author : yaotianxue
 * @Time : On 2023/5/22 17:03
 * @Description : MyGlideModule 配置glide缓存
 */
@GlideModule
class CacheGlideModule:AppGlideModule() {
    override fun applyOptions(context: Context, builder: GlideBuilder) {
        //super.applyOptions(context, builder)
        //设置内存缓存大小:根据机器自动计算
//        var  memorySizeCalculator = MemorySizeCalculator.Builder(context).build()
//        builder.setMemoryCache(LruResourceCache(memorySizeCalculator.memoryCacheSize.toLong()))
        //设置内存缓存大小:10M
        builder.setMemoryCache(LruResourceCache(10*1024*1024))
        //设置磁盘缓存大小:500M 默认250M 设置磁盘缓存文件夹名称 "my_image" 默认 "image_manager_disk_cache"
        builder.setDiskCache(InternalCacheDiskCacheFactory(context,"my_image",500*1024*1024))//修改磁盘缓存的文件夹和磁盘大小
    }
}

3.网络配置:glide默认使用httpUrlConnection完成网络请求,可以改成okhttp

/**
 * @Author : yaotianxue
 * @Time : On 2023/5/22 17:07
 * @Description : OkhttpGlideModule:配置okhttp认证所有证书,可以认证自定义ca证书
 */
@GlideModule
class OkhttpGlideModule:LibraryGlideModule() {
    override fun registerComponents(context: Context, glide: Glide, registry: Registry) {
        //        super.registerComponents(context, glide, registry)
        var client = OkHttpClient.Builder()
            .sslSocketFactory(sSLSocketFactory,trustManager)
            .build()
        registry.replace(GlideUrl::class.java, InputStream::class.java, OkHttpUrlLoader.Factory(client))
    }

    /** 获取一个SSLSocketFactory */
    val sSLSocketFactory: SSLSocketFactory
        get() = try {
            val sslContext = SSLContext.getInstance("SSL")
            sslContext.init(null, arrayOf(trustManager), SecureRandom())
            sslContext.socketFactory
        } catch (e: Exception) {
            throw RuntimeException(e)
        }

    /** 获取一个忽略证书的X509TrustManager */
    val trustManager: X509TrustManager
        get() = object : X509TrustManager {
            override fun checkClientTrusted(chain: Array<X509Certificate>, authType: String) { }
            override fun checkServerTrusted(chain: Array<X509Certificate>, authType: String) { }
            override fun getAcceptedIssuers(): Array<X509Certificate> { return arrayOf() }
        }
}

三.策略模式+构建者模式图片框架搭建

1.ImageOptions图片参数设置

/**
 * @Author : yaotianxue
 * @Time : On 2023/5/22 15:04
 * @Description : ImageOptions图片设置
 */
class ImageOptions( var placeImage:Int,//占位符
                    var errorImage:Int,//错误图
                    var isStaticImage:Boolean,//是否为静态图片
                    var isGif:Boolean,//是否为动图
                    var imageSize:Array<Int>,//图片大小
                    var skipMemoryCache:Boolean,//关闭内存缓存
                    var skipDiskCache:Boolean//关闭磁盘缓存
){
    constructor(builder: Builder):this(
        builder.placeImage,
        builder.errorImage,
        builder.isStaticImage,
        builder.isGif,
        builder.imageSize,
        builder.skipMemoryCache,
        builder.skipDiskCache
    )

    class Builder{
         var placeImage:Int = 0//占位符
         var errorImage:Int = 0 //错误图
         var isStaticImage:Boolean = true//是否为静态图片
         var isGif:Boolean = false//是否为动图
         var imageSize:Array<Int> = arrayOf(0,0)//图片大小
         var skipMemoryCache:Boolean = false//关闭内存缓存
         var skipDiskCache:Boolean = false//关闭磁盘缓存
        fun  setPlaceImage(placeImage:Int):Builder{
            this.placeImage = placeImage
            return this
        }
        fun  setErrorImage(errorImage:Int):Builder{
            this.errorImage = errorImage
            return this
        }
        fun build():ImageOptions{
            return ImageOptions(this)
        }
    }
   
}

2.IImageLoader接口以及实现子类

/**
 * @Author : yaotianxue
 * @Time : On 2023/5/22 15:03
 * @Description : IImageLoader
 */
interface IImageLoader {
    /**
     * 加载本地图片到指定图片控件
     */
    fun loadFileIntoImageView(context: Context,file: File,target: ImageView,config: ImageOptions)
    /**
     * 加载网络图片到指定图片控件
     */
    fun loadUrlIntoImageView(context: Context,url: String,target: ImageView,config: ImageOptions)
    /**
     * 加载资源图片到指定图片控件
     */
    fun loadResourceIntoImageView(context: Context,source: Int,target: ImageView,config: ImageOptions)
    /**
     * 加载Uri图片到指定图片控件
     */
    fun loadUriIntoImageView(context: Context, uri: Uri, target: ImageView, config: ImageOptions)
    /**
     * 加载二进制数组到指定图片控件
     */
    fun loadByteArrayIntoImageView(context: Context,bytes: Array<Byte>,target: ImageView,config: ImageOptions)
}

GlideImageLoader/FrscoImageLoader/PicassoImageLoader

/**
 * @Author : yaotianxue
 * @Time : On 2023/5/22 16:50
 * @Description : GlideImageLoader
 */
class GlideImageLoader:IImageLoader {
    override fun loadFileIntoImageView(
        context: Context,
        file: File,
        target: ImageView,
        config: ImageOptions,
    ) {
        loadImageView(context,file,target,config)
    }

    override fun loadUrlIntoImageView(
        context: Context,
        url: String,
        target: ImageView,
        config: ImageOptions,
    ) {
        loadImageView(context,url,target,config)
    }

    override fun loadResourceIntoImageView(
        context: Context,
        source: Int,
        target: ImageView,
        config: ImageOptions,
    ) {
        loadImageView(context,source,target,config)
    }

    override fun loadUriIntoImageView(
        context: Context,
        uri: Uri,
        target: ImageView,
        config: ImageOptions,
    ) {
        loadImageView(context,uri,target,config)
    }

    override fun loadByteArrayIntoImageView(
        context: Context,
        bytes: Array<Byte>,
        target: ImageView,
        config: ImageOptions,
    ) {
        loadImageView(context,bytes,target,config)
    }


    /**
     * 加载
     */
    private fun loadImageView(
        context: Context,
        source: Any,
        target: ImageView,
        config: ImageOptions,
    ) {
        var builder = GlideApp.with(context).load(source)
        setBuilderOptions(builder,config)
        builder.into(target)

    }

    /**
     * 设置图片参数
     */
    private fun setBuilderOptions(builder: GlideRequest<Drawable>, config: ImageOptions) {
        config.let {
            var options = RequestOptions()
            if(config.placeImage != 0){
                options.placeholder(config.placeImage)
            }
            if(config.errorImage != 0){
                options.error(config.errorImage)
            }
            config.imageSize.let {
                if(config.imageSize.size != 2){
                    throw IllegalArgumentException("please set imageSize length size is 2")
                }
                options.override(config.imageSize[0],config.imageSize[1])
            }
            if(config.skipDiskCache)  options.diskCacheStrategy(DiskCacheStrategy.NONE)
            if(config.skipMemoryCache) options.skipMemoryCache(true)
            builder.apply(options)
        }
    }
}

3.图片加载策略

/**
 * @Author : yaotianxue
 * @Time : On 2023/5/22 18:51
 * @Description : ImageStrategy
 */
enum class ImageStrategy {
    Glide,Picasso,Fresco
}

4.ImageLoader

/**
 * @Author : yaotianxue
 * @Time : On 2023/5/22 18:49
 * @Description : ImageLoader
 */
class ImageLoaderManager(var imageStrategy: ImageStrategy):IImageLoader{
    private var imageLoader:IImageLoader = when(imageStrategy){
        ImageStrategy.Glide -> GlideImageLoader()
        ImageStrategy.Fresco -> FrescoImageLoader()
        ImageStrategy.Picasso -> PicassoImageLoader()
    }

    override fun loadFileIntoImageView(
        context: Context,
        file: File,
        target: ImageView,
        config: ImageOptions,
    ) {
        imageLoader.loadFileIntoImageView(context,file,target,config)
    }

    override fun loadUrlIntoImageView(
        context: Context,
        url: String,
        target: ImageView,
        config: ImageOptions,
    ) {
        imageLoader.loadUrlIntoImageView(context,url,target,config)
    }

    override fun loadResourceIntoImageView(
        context: Context,
        source: Int,
        target: ImageView,
        config: ImageOptions,
    ) {
        imageLoader.loadResourceIntoImageView(context,source,target,config)
    }
    
}

5.ImageLoaderManager

/**
 * @Author : yaotianxue
 * @Time : On 2023/5/22 18:49
 * @Description : ImageLoader
 */
class ImageLoaderManager(var imageStrategy: ImageStrategy):IImageLoader{
    private var imageLoader:IImageLoader = when(imageStrategy){
        ImageStrategy.Glide -> GlideImageLoader()
        ImageStrategy.Fresco -> FrescoImageLoader()
        ImageStrategy.Picasso -> PicassoImageLoader()
    }

    override fun loadFileIntoImageView(
        context: Context,
        file: File,
        target: ImageView,
        config: ImageOptions,
    ) {
        imageLoader.loadFileIntoImageView(context,file,target,config)
    }

    override fun loadUrlIntoImageView(
        context: Context,
        url: String,
        target: ImageView,
        config: ImageOptions,
    ) {
        imageLoader.loadUrlIntoImageView(context,url,target,config)
    }

    override fun loadResourceIntoImageView(
        context: Context,
        source: Int,
        target: ImageView,
        config: ImageOptions,
    ) {
        imageLoader.loadResourceIntoImageView(context,source,target,config)
    }

    override fun loadUriIntoImageView(
        context: Context,
        uri: Uri,
        target: ImageView,
        config: ImageOptions,
    ) {
        imageLoader.loadUriIntoImageView(context,uri,target,config)
    }

    override fun loadByteArrayIntoImageView(
        context: Context,
        bytes: Array<Byte>,
        target: ImageView,
        config: ImageOptions,
    ) {
        imageLoader.loadByteArrayIntoImageView(context,bytes, target, config)
    }
}

6.使用:

   		val manager = ImageLoaderManager(ImageStrategy.Glide)
        val options: ImageOptions = ImageOptions.Builder()
            .setPlaceImage(R.mipmap.ic_launcher)
            .setErrorImage(R.mipmap.ic_launcher)
            .skipDiskCache(true)
            .skipDiskCache(true)
            .build()
        val imgUrl =
           "https://gimg2.baidu.com/image_search/src=http%3A%2F%2Fpic13.nipic.com%2F20110324%2F6999402_050849259122_2.jpg&refer=http%3A%2F%2Fpic13.nipic.com&app=2002&size=f9999,10000&q=a80&n=0&g=0n&fmt=jpeg?sec=1634607623&t=be4a718762c5f4aadb0e640961437e41"
        manager.loadUrlIntoImageView(this, imgUrl, imageView, options)

在使用的时候可以进一步封装

四.Bitmap三级缓存二次采样

传送门走你!!

五.长图大图处理

https://www.jianshu.com/p/5ec13b295dd0


import android.app.appsearch.GetByDocumentIdRequest;
import android.content.Context;
import android.graphics.Bitmap;
import android.graphics.BitmapFactory;
import android.graphics.BitmapRegionDecoder;
import android.graphics.BitmapShader;
import android.graphics.Canvas;
import android.graphics.Rect;
import android.util.AttributeSet;
import android.util.Log;
import android.view.GestureDetector;
import android.view.InputDevice;
import android.view.MotionEvent;
import android.view.View;
import android.view.ViewConfiguration;

import java.io.FileDescriptor;
import java.io.IOException;
import java.io.InputStream;

/**
 * @Author : yaotianxue
 * @Time : On 2023/5/22 19:47
 * @Description : LargeImageView
 */
public class LargeImageView extends View implements GestureDetector.OnGestureListener {
    private BitmapRegionDecoder mDecoder;
    //绘制的区域
    private volatile Rect mRect = new Rect();
    private int mScaledTouchSlop;
    //分别记录上次的滑动的坐标
    private int mLastX = 0;
    private int mLastY = 0;
    //图片的宽度和高度
    private int mImageWidth,mImageHeight;
    //手势控制器
    private GestureDetector mGestureDetector;
    //Bitmap工厂参数配置
    private BitmapFactory.Options mOptions;

    private String name;

    public void setName(String name) {
        this.name = name;
    }

    public LargeImageView(Context context) {
        super(context);
        init(context,null);
    }

    public LargeImageView(Context context, AttributeSet attrs) {
        super(context, attrs);
        init(context,attrs);
    }



    public LargeImageView(Context context, AttributeSet attrs, int defStyleAttr) {
        super(context, attrs, defStyleAttr);
        init(context,attrs);
    }

    public LargeImageView(Context context, AttributeSet attrs, int defStyleAttr, int defStyleRes) {
        super(context, attrs, defStyleAttr, defStyleRes);
        init(context,attrs);
    }

    private void init(Context context, AttributeSet attrs) {
        //设置图片参数,如果对图片要求高采用ARGB_8888
        mOptions = new BitmapFactory.Options();
        mOptions.inPreferredConfig = Bitmap.Config.RGB_565;

        mScaledTouchSlop = ViewConfiguration.get(getContext()).getScaledTouchSlop();
        Log.d("ytx", "init: "+mScaledTouchSlop);
        //初始化手势控制器
        mGestureDetector = new GestureDetector(context,this);
        InputStream inputStream = null;
        try {
            inputStream = context.getResources().getAssets().open("demo.jpg");
            //初始化BitmapRegionDecoder,并用他显示图片
            mDecoder = BitmapRegionDecoder.newInstance(inputStream,false);
            //设置为true只采取图片的宽度和高度,不加载进内存
            BitmapFactory.Options options = new BitmapFactory.Options();
            options.inJustDecodeBounds = true;
            BitmapFactory.decodeStream(inputStream,null,options);
            mImageHeight = options.outHeight;
            mImageWidth = options.outWidth;

        } catch (IOException e) {
            e.printStackTrace();
        }finally {
            if(inputStream != null){
                try {
                    inputStream.close();
                } catch (IOException e) {
                    e.printStackTrace();
                }
            }
        }

    }
    //把触摸事件交给手势控制器处理
    @Override
    public boolean onTouchEvent(MotionEvent event) {
        return mGestureDetector.onTouchEvent(event);
    }

    @Override
    public boolean onDown(MotionEvent e) {
        mLastX = (int) e.getRawX();
        mLastY = (int) e.getRawY();
        return true;
    }

    @Override
    public void onShowPress(MotionEvent e) {

    }

    @Override
    public boolean onSingleTapUp(MotionEvent e) {
        return false;
    }

    @Override
    public boolean onScroll(MotionEvent e1, MotionEvent e2, float distanceX, float distanceY) {
        int x = (int) e2.getRawX();
        int y = (int) e2.getY();
        move(x,y);
        return true;
    }
    //移动的时候更新图片的显示的区域
    private void move(int x, int y) {
        int deltaX = x - mLastX;
        int deltaY = y - mLastY;
        if(mImageWidth > getWidth()){
            mRect.offset(-deltaX,0);
            if(mRect.right < mImageWidth){
                mRect.right = mImageWidth;
                mRect.left = mImageWidth - getWidth();
            }
            if(mRect.left < 0){
                mRect.left = 0;
                mRect.right = getRight();
            }
            invalidate();
        }

        if(mImageHeight > getHeight()){
            mRect.offset(0,-deltaY);
            if(mRect.bottom > mImageHeight){
                mRect.bottom = mImageHeight;
                mRect.top = mImageHeight - getHeight();
            }
            if(mRect.top < 0){
                mRect.top = 0;
                mRect.bottom = getHeight();
            }
            invalidate();
        }
        mLastX = x;
        mLastY = y;

    }

    @Override
    public void onLongPress(MotionEvent e) {
        mLastX = (int) e.getRawX();
        mLastY = (int) e.getRawY();
    }

    @Override
    public boolean onFling(MotionEvent e1, MotionEvent e2, float velocityX, float velocityY) {
        int x = (int)e2.getRawX();
        int y = (int) e2.getRawY();
        move(x,y);
        return true;
    }

    @Override
    protected void onDraw(Canvas canvas) {
        Bitmap bitmap = mDecoder.decodeRegion(mRect,mOptions);
        canvas.drawBitmap(bitmap,0,0,null);
    }

    @Override
    protected void onMeasure(int widthMeasureSpec, int heightMeasureSpec) {
        super.onMeasure(widthMeasureSpec, heightMeasureSpec);
        int width = getMeasuredWidth();
        int height = getMeasuredHeight();
        int imageWidth = mImageWidth;
        int imageHeight = mImageHeight;
        mRect.left = imageWidth/2 - width/2;
        mRect.top = imageHeight/2 - height/2;
        mRect.right = mRect.left +width;
        mRect.bottom = mRect.top + height;

    }
}
  

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

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

相关文章

Python学习笔记——《吴恩达Machine Learning》逻辑回归例程

文章目录 逻辑回归和线性回归的区别&#xff1f;正则化逻辑回归逻辑回归中的梯度下降&#xff1a; 模型预测案例解决二分类问题&#xff1a;不同的 λ \lambda λ会产生不同的分类结果: 逻辑回归和线性回归的区别&#xff1f; 逻辑回归可以理解为线性回归的一个plus版&#xf…

架构-软件工程模块-3

系统测试 #mermaid-svg-cpVF4noxB0estLWd {font-family:"trebuchet ms",verdana,arial,sans-serif;font-size:16px;fill:#333;}#mermaid-svg-cpVF4noxB0estLWd .error-icon{fill:#552222;}#mermaid-svg-cpVF4noxB0estLWd .error-text{fill:#552222;stroke:#552222;}#…

【Python】判断语句 ③ ( if elif else 语句 | 语法简介 | 代码示例 )

文章目录 一、 if elif else 语句语法二、 代码示例 一、 if elif else 语句语法 在开发场景中 , 经常用到 多条件判定 , 初次判定 , 先进行 条件 1 判定 , 如果 条件 1 满足 则执行 条件 1 对应动作 , 如果 条件 1 不满足 , 则 判定 条件 2 是否满足 , 如果 条件 2 满足 则 …

linux操作系统【进阶完整版】

文章目录 基础命令tailvimsystemctl 用户和组/权限su/sudo创建删除ls -lchmodchown 实用操作快捷键软件安装软链接时区与时间date修改时区 ip、主机名网络传输请求端口 进程管理主机状态监控系统资源占用磁盘信息监控网络状态监控 环境变量上传和下载压缩和解压tarzip/unzip 安…

一、尚医通上传医院接口

文章目录 一、上传医院接口1、集成mongodb1.1添加依赖1.2添加配置 2、添加医院基础类2.1 添加model2.2 添加Repository2.3 添加service接口及实现类2.4 添加controller 3、上传医院3.1 接口数据分析3.2 添加service接口3.3 添加repository接口3.4 添加controller接口3.5 添加帮…

chatgpt赋能Python-python_errno2

Python errno2: 深入了解错误代码并解决问题 当你在使用 Python 进行编程时&#xff0c;不可避免地会遇到一些错误。这些错误通常会被分配一个错误代码&#xff0c;也称为errno。errno2是Python中的一个特定错误代码类型。在本文中&#xff0c;我们将深入了解errno2及其在Pyth…

chatgpt赋能Python-python_errno

Python errno: 什么是errno和它在Python中的应用 在Python编程中&#xff0c;errno是一个非常重要的概念&#xff0c;用于表示系统调用或库函数调用返回的错误代码。在本文中&#xff0c;我们将深入探讨errno是什么&#xff0c;如何在Python中使用它&#xff0c;以及一些常见的…

第3章 TensorFlow进阶

文章目录 第3章 TensorFlow进阶3.1 TensorFlow 的计算模型3.1.1 计算图的工作原理3.1.2 在不同计算图上定义和使用张量进行计算3.2.1 在 GPU 上执行简单的算术运算 3.2 TensorFlow 的嵌入层3.3 TensorFlow 的多层3.4 TensorFlow 实现损失函数3.4.1 softmax 损失函数3.4.1 稀疏矩…

Linux【工具 02】OpenStreetMap数据处理工具OSMCTools下载安装使用举例(osmconvert命令说明)如何获取区域边界说明

OSMCTools安装使用实例 1.Tools2.官网安装步骤3.实际安装步骤3.1 环境3.2 步骤 4.工具使用实例 OpenStreetMap的下载地址&#xff1a;Geofabrik Download Server。 OSMCTools的GitHub地址&#xff1a;https://github.com/ramunasd/osmctools Windows操作系统&#xff0c;可以…

chatgpt赋能Python-python_erf

Python Erf函数 什么是Erf函数&#xff1f; Erf函数也被称为误差函数&#xff0c;是统计学中的一种概率函数&#xff0c;它表示一个随机变量在平均值附近的偏差程度。Erf函数在解决科学问题中非常有用&#xff0c;尤其是在概率论、统计学、物理学等领域。 在Python中如何使用…

【自然语言处理】 - 作业1: Word2Vec及TransE实现

课程链接: 清华大学驭风计划 代码仓库&#xff1a;Victor94-king/MachineLearning: MachineLearning basic introduction (github.com) 驭风计划是由清华大学老师教授的&#xff0c;其分为四门课&#xff0c;包括: 机器学习(张敏教授) &#xff0c; 深度学习(胡晓林教授), 计算…

Java中的equals和hashCode

目录 equals hashCode equals和hashCode之间的关系 总结 equals equals方法是Object类中用于检测两个对象是否相同的方法&#xff0c;Object类中实现的是两个对象引用是否相同的方法&#xff0c;看以下Object类中代码&#xff1a; public boolean equals(Object obj) {ret…

LInux线程

Linux线程介绍 1、进程与线程&#xff1a; 典型的UNIX/Linux进程可以看成只有一个控制线程&#xff1a;一个进程在同一时刻只做一件事情。有了多个控制线程后&#xff0c;在程序设计时可以把进程设计成在同一时刻做不止一件事&#xff0c;每个线程各自处理独立的任务。 进程是…

【自然语言处理】 - 作业2: seq2seq模型机器翻译

课程链接: 清华大学驭风计划 代码仓库&#xff1a;Victor94-king/MachineLearning: MachineLearning basic introduction (github.com) 驭风计划是由清华大学老师教授的&#xff0c;其分为四门课&#xff0c;包括: 机器学习(张敏教授) &#xff0c; 深度学习(胡晓林教授), 计算…

Python地理空间分析快速入门

地理空间数据描述了地球表面上的任何物体或特征。 常见的例子包括&#xff1a; 品牌应该在哪里开设下一家门店&#xff1f;天气如何影响区域销售&#xff1f;乘车的最佳路线是什么&#xff1f;哪个地区受飓风影响最严重&#xff1f;冰盖融化与碳排放有何关系&#xff1f;哪些地…

chatgpt赋能Python-python_dog

Python Dog: 一个好玩的机器人狗 Python Dog是一个由Python编程语言编写的机器人狗。它是一个有趣且有用的工具&#xff0c;可以帮助您学习Python编程&#xff0c;并了解如何通过Python编写和控制机器人。在本文中&#xff0c;我们将介绍Python Dog的功能&#xff0c;并讨论为…

Leetcode每日一题——“用栈实现队列”

各位CSDN的uu们你们好呀&#xff0c;今天&#xff0c;小雅兰的内容是用栈实现队列&#xff0c;这和小雅兰的上一篇博客“用队列实现栈”好像有点点关系噢&#xff0c;事实上&#xff0c;也确实是这样的&#xff0c;下面&#xff0c;让我们进入Leetcode的世界吧&#xff01;&…

RK3399平台开发系列讲解(网络篇)Linux 发送网络包流程

🚀返回专栏总目录 文章目录 一、发送网络包流程图二、发送网络包步骤沉淀、分享、成长,让自己和他人都能有所收获!😄 📢本篇将详细介绍Linux网络包发包流程。 一、发送网络包流程图 二、发送网络包步骤 VFS 层:write 系统调用找到 struct file,根据里面的 file_oper…

chatgpt赋能Python-python_end___t_

Python中的end\t’介绍 Python是一种非常流行的编程语言&#xff0c;它在各种领域中得到广泛应用。与许多其他编程语言不同的是&#xff0c;Python中提供了一种方便的 way来创建格式化字符串。一个常见的方法是使用end‘\t’。 在本文中&#xff0c;我将介绍Python中的end‘\…

常见 Web 安全攻防总结

Web 安全地对于 Web 从业人员来说是一个非常重要的课题&#xff0c;所以在这里总结一下 Web 相关的安全攻防知识&#xff0c;希望以后不要再踩雷&#xff0c;也希望对看到这篇文章的同学有所帮助。今天这边文章主要的内容就是分析几种常见的攻击的类型以及防御的方法。 也许你对…