Android拍照的方式:调用系统相机、自定义 Camera

一、调用系统相机:

  • 清单文件配置
  • 授权、打开相机
  • 获取照片
  • 注意事项

1、清单文件配置

A、配置使用相机权限

    <uses-featureandroid:name="android.hardware.camera"android:required="false" /><uses-permission android:name="android.permission.CAMERA" />

B、provider配置

<providerandroid:authorities="com.example.camera.fileprovider"android:name="androidx.core.content.FileProvider"android:exported="false"android:grantUriPermissions="true"><meta-dataandroid:name="android.support.FILE_PROVIDER_PATHS"android:resource="@xml/c"/>

C、meta-data标签:resource配置文件

<?xml version="1.0" encoding="utf-8"?>
<paths><external-pathname="my_images"path="."/>
</paths>

2、授权打开系统相机:

A、打开页面授权:通过重写onRequestPermissionsResult方法获取授权结果。

  if (ContextCompat.checkSelfPermission(requireContext(), Manifest.permission.CAMERA) !=PackageManager.PERMISSION_GRANTED) {ActivityCompat.requestPermissions(requireActivity(),arrayOf(Manifest.permission.CAMERA),100)} else {openCamera()}

B、打开系统相机:下图中的imageUri是一个全局变量,是拍照成功后的图片 uri,拍照成功后在

override fun onActivityResult(requestCode: Int, resultCode: Int, data: Intent?)

方法中进行处理。

    fun openCamera() {val intent = Intent()// 指定开启系统相机的Actionintent.setAction(MediaStore.ACTION_IMAGE_CAPTURE)intent.addCategory(Intent.CATEGORY_DEFAULT)// 根据文件地址创建文件val file: File? = createImageFile()if (file?.exists() == true) {file?.delete()}// 把文件地址转换成Uri格式if (Build.VERSION.SDK_INT >= Build.VERSION_CODES.N) {/*7.0以上要通过FileProvider将File转化为Uri*/imageUri = file?.let {FileProvider.getUriForFile(requireContext(), "com.example.camera.fileprovider",it)};} else {/*7.0以下则直接使用Uri的fromFile方法将File转化为Uri*/imageUri = Uri.fromFile(file);}// 设置系统相机拍摄照片完成后图片文件的存放地址// 设置系统相机拍摄照片完成后图片文件的存放地址intent.putExtra(MediaStore.EXTRA_OUTPUT, imageUri)startActivityForResult(intent, 100)}

注意:startActivityForResult() 是如果实在 Fragment中就不要使用 activity启动。

 

二、调用系统相机:

  • 清单文件配置
  • Camera自定义视图、工具
  • 使用

1、清单文件中只需要添加相应权限

<uses-featureandroid:name="android.hardware.camera"android:required="false" />
<uses-permission android:name="android.permission.CAMERA" />

2、自定义SurfaceView相机预览

class CameraSurfaceView  extends SurfaceView implements SurfaceHolder.Callback {private static final String TAG = CameraSurfaceView.class.getSimpleName();private SurfaceHolder mSurfaceHolder;public CameraSurfaceView(Context context) {super(context);init();}public CameraSurfaceView(Context context, AttributeSet attrs) {super(context, attrs);init();}public CameraSurfaceView(Context context, AttributeSet attrs, int defStyleAttr) {super(context, attrs, defStyleAttr);init();}private void init() {mSurfaceHolder = getHolder();mSurfaceHolder.addCallback(this);}@Overridepublic void surfaceCreated(SurfaceHolder holder) {CameraUtils.openFrontalCamera(CameraUtils.DESIRED_PREVIEW_FPS);}@Overridepublic void surfaceChanged(SurfaceHolder holder, int format, int width, int height) {CameraUtils.startPreviewDisplay(holder);}@Overridepublic void surfaceDestroyed(SurfaceHolder holder) {CameraUtils.releaseCamera();}
}

3、Camera工具,用来控制相机、获取照片

public class CameraUtils {// 相机默认宽高,相机的宽度和高度跟屏幕坐标不一样,手机屏幕的宽度和高度是反过来的。public static final int DEFAULT_WIDTH = 1280;public static final int DEFAULT_HEIGHT = 720;public static final int DESIRED_PREVIEW_FPS = 270;private static int mCameraID = Camera.CameraInfo.CAMERA_FACING_FRONT;private static Camera mCamera;private static int mCameraPreviewFps;private static int mOrientation = 0;/*** 打开相机,默认打开后置相机* @param expectFps*/public static void openFrontalCamera(int expectFps) {if (mCamera != null) {throw new RuntimeException("camera already initialized!");}Camera.CameraInfo info = new Camera.CameraInfo();int numCameras = Camera.getNumberOfCameras();
//        for (int i = 0; i < numCameras; i++) {
//            Camera.getCameraInfo(i, info);
//            if (info.facing == Camera.CameraInfo.CAMERA_FACING_FRONT) {
//                mCamera = Camera.open(0);
//                mCameraID = info.facing;
//                break;
//            }
//        }// 如果没有前置摄像头,则打开默认的后置摄像头if (mCamera == null) {mCamera = Camera.open();mCameraID = Camera.CameraInfo.CAMERA_FACING_BACK;}// 没有摄像头时,抛出异常if (mCamera == null) {throw new RuntimeException("Unable to open camera");}Camera.Parameters parameters = mCamera.getParameters();mCameraPreviewFps = CameraUtils.chooseFixedPreviewFps(parameters, expectFps * 1000);parameters.setRecordingHint(true);mCamera.setParameters(parameters);setPreviewSize(mCamera, 480, 960);
//        setPictureSize(mCamera, CameraUtils.DEFAULT_WIDTH, CameraUtils.DEFAULT_HEIGHT);mCamera.setDisplayOrientation(mOrientation);}/*** 根据ID打开相机* @param cameraID* @param expectFps*/public static void openCamera(int cameraID, int expectFps) {if (mCamera != null) {throw new RuntimeException("camera already initialized!");}mCamera = Camera.open(cameraID);if (mCamera == null) {throw new RuntimeException("Unable to open camera");}mCameraID = cameraID;Camera.Parameters parameters = mCamera.getParameters();mCameraPreviewFps = CameraUtils.chooseFixedPreviewFps(parameters, expectFps * 1000);parameters.setRecordingHint(true);mCamera.setParameters(parameters);setPreviewSize(mCamera, CameraUtils.DEFAULT_WIDTH, CameraUtils.DEFAULT_HEIGHT);setPictureSize(mCamera, CameraUtils.DEFAULT_WIDTH, CameraUtils.DEFAULT_HEIGHT);mCamera.setDisplayOrientation(mOrientation);}/*** 开始预览* @param holder*/public static void startPreviewDisplay(SurfaceHolder holder) {if (mCamera == null) {throw new IllegalStateException("Camera must be set when start preview");}try {mCamera.setPreviewDisplay(holder);mCamera.startPreview();} catch (IOException e) {e.printStackTrace();}}/*** 切换相机* @param cameraID*/public static void switchCamera(int cameraID, SurfaceHolder holder) {if (mCameraID == cameraID) {return;}mCameraID = cameraID;// 释放原来的相机releaseCamera();// 打开相机openCamera(cameraID, CameraUtils.DESIRED_PREVIEW_FPS);// 打开预览startPreviewDisplay(holder);}/*** 释放相机*/public static void releaseCamera() {if (mCamera != null) {mCamera.stopPreview();mCamera.release();mCamera = null;}}/*** 开始预览*/public static void startPreview() {if (mCamera != null) {mCamera.startPreview();}}/*** 停止预览*/public static void stopPreview() {if (mCamera != null) {mCamera.stopPreview();}}/*** 拍照*/public static void takePicture(Camera.ShutterCallback shutterCallback,Camera.PictureCallback rawCallback,Camera.PictureCallback pictureCallback) {if (mCamera != null) {try{mCamera.takePicture(shutterCallback, rawCallback, pictureCallback);}catch (RuntimeException exception){//takePicture failed}}}/*** 设置预览大小* @param camera* @param expectWidth* @param expectHeight*/public static void setPreviewSize(Camera camera, int expectWidth, int expectHeight) {Camera.Parameters parameters = camera.getParameters();Camera.Size size = calculatePerfectSize(parameters.getSupportedPreviewSizes(),expectWidth, expectHeight);parameters.setPreviewSize(size.width, size.height);camera.setParameters(parameters);}/*** 获取预览大小* @return*/public static Camera.Size getPreviewSize() {if (mCamera != null) {return mCamera.getParameters().getPreviewSize();}return null;}/*** 设置拍摄的照片大小* @param camera* @param expectWidth* @param expectHeight*/public static void setPictureSize(Camera camera, int expectWidth, int expectHeight) {Camera.Parameters parameters = camera.getParameters();Camera.Size size = calculatePerfectSize(parameters.getSupportedPictureSizes(),expectWidth, expectHeight);parameters.setPictureSize(size.width, size.height);camera.setParameters(parameters);}/*** 获取照片大小* @return*/public static Camera.Size getPictureSize() {if (mCamera != null) {return mCamera.getParameters().getPictureSize();}return null;}/*** 计算最完美的Size* @param sizes* @param expectWidth* @param expectHeight* @return*/public static Camera.Size calculatePerfectSize(List<Camera.Size> sizes, int expectWidth,int expectHeight) {sortList(sizes); // 根据宽度进行排序Camera.Size result = sizes.get(0);boolean widthOrHeight = false; // 判断存在宽或高相等的Size// 辗转计算宽高最接近的值for (Camera.Size size: sizes) {// 如果宽高相等,则直接返回if (size.width == expectWidth && size.height == expectHeight) {result = size;break;}// 仅仅是宽度相等,计算高度最接近的sizeif (size.width == expectWidth) {widthOrHeight = true;if (Math.abs(result.height - expectHeight)> Math.abs(size.height - expectHeight)) {result = size;}}// 高度相等,则计算宽度最接近的Sizeelse if (size.height == expectHeight) {widthOrHeight = true;if (Math.abs(result.width - expectWidth)> Math.abs(size.width - expectWidth)) {result = size;}}// 如果之前的查找不存在宽或高相等的情况,则计算宽度和高度都最接近的期望值的Sizeelse if (!widthOrHeight) {if (Math.abs(result.width - expectWidth)> Math.abs(size.width - expectWidth)&& Math.abs(result.height - expectHeight)> Math.abs(size.height - expectHeight)) {result = size;}}}return result;}private static void sortList(List<Camera.Size> list) {Collections.sort(list, new Comparator<Camera.Size>() {@Overridepublic int compare(Camera.Size pre, Camera.Size after) {if (pre.width > after.width) {return 1;} else if (pre.width < after.width) {return -1;}return 0;}});}/*** 选择合适的FPS* @param parameters* @param expectedThoudandFps 期望的FPS* @return*/public static int chooseFixedPreviewFps(Camera.Parameters parameters, int expectedThoudandFps) {List<int[]> supportedFps = parameters.getSupportedPreviewFpsRange();for (int[] entry : supportedFps) {if (entry[0] == entry[1] && entry[0] == expectedThoudandFps) {parameters.setPreviewFpsRange(entry[0], entry[1]);return entry[0];}}int[] temp = new int[2];int guess;parameters.getPreviewFpsRange(temp);if (temp[0] == temp[1]) {guess = temp[0];} else {guess = temp[1] / 2;}return guess;}public static int calculateCameraPreviewOrientation(Activity activity) {Camera.CameraInfo info = new Camera.CameraInfo();Camera.getCameraInfo(mCameraID, info);int rotation = activity.getWindowManager().getDefaultDisplay().getRotation();int degrees = 0;switch (rotation) {case Surface.ROTATION_0:degrees = 0;break;case Surface.ROTATION_90:degrees = 90;break;case Surface.ROTATION_180:degrees = 180;break;case Surface.ROTATION_270:degrees = 270;break;}int result;if (info.facing == Camera.CameraInfo.CAMERA_FACING_FRONT) {result = (info.orientation + degrees) % 360;result = (360 - result) % 360;} else {result = (info.orientation - degrees + 360) % 360;}mOrientation = result;return result;}/*** 获取当前的Camera ID* @return*/public static int getCameraID() {return mCameraID;}/*** 获取当前预览的角度* @return*/public static int getPreviewOrientation() {return mOrientation;}/*** 获取FPS(千秒值)* @return*/public static int getCameraPreviewThousandFps() {return mCameraPreviewFps;}
}

4、自定义相机使用

  • 在 onResume中调用启动预览
    CameraUtils.startPreview()
  • onPause或 onDestroy中停止预览
    CameraUtils.stopPreview()
  • 检测获取权限、给自定义 SurfaceView添加系统预览
    override fun onRequestPermissionsResult(requestCode: Int,permissions: Array<out String>,grantResults: IntArray) {super.onRequestPermissionsResult(requestCode, permissions, grantResults)if (requestCode == 11) {mCameraSurfaceView = CameraSurfaceView(requireContext())binding!!.surfaceView!!.addView(mCameraSurfaceView)mOrientation = CameraUtils.calculateCameraPreviewOrientation(requireActivity())}}private fun checkCameraHardware() {if (ContextCompat.checkSelfPermission(requireContext(),Manifest.permission.CAMERA) == PackageManager.PERMISSION_DENIED) {requestPermissions(arrayOf(Manifest.permission.CAMERA), 11)}if (requireContext().packageManager.hasSystemFeature(PackageManager.FEATURE_CAMERA_ANY)) {try {mCameraSurfaceView = CameraSurfaceView(requireContext())binding!!.surfaceView!!.addView(mCameraSurfaceView)mOrientation = CameraUtils.calculateCameraPreviewOrientation(requireActivity())} catch (e: Exception) {}}}
    

    5、onActivityResult(...)获取结果

        override fun onActivityResult(requestCode: Int, resultCode: Int, data: Intent?) {super.onActivityResult(requestCode, resultCode, data)val options = BitmapFactory.Options()options.inJustDecodeBounds = falseif (resultCode == -1 && data != null) {val uri = data.datatry {val inputStream = requireContext().contentResolver.openInputStream(uri!!)BitmapFactory.decodeStream(inputStream, null, options)inputStream!!.close()val height = options.outHeightval width = options.outWidthvar sampleSize = 1val max = Math.max(height, width)val MAX_SIZE = 769if (max > MAX_SIZE) {val nw = width / 2val nh = height / 2while (nw / sampleSize > MAX_SIZE || nh / sampleSize > MAX_SIZE) {sampleSize *= 2}}options.inSampleSize = sampleSizeoptions.inJustDecodeBounds = falsebitmap = BitmapFactory.decodeStream(requireContext().contentResolver.openInputStream(uri), null, options)if (bitmap != null) {binding.surfaceView.visibility = View.GONEbinding.surfaceViewImage.visibility = View.VISIBLEbinding.surfaceViewImage.setImageBitmap(bitmap)}} catch (ioe: IOException) {}} else {Toast.makeText(requireContext(),"Please select a photo before editing it.",Toast.LENGTH_SHORT).show()//            selectNegative();}}

    三、Fragmeng源码其中还有调用系统相册的启动方法。

    import android.Manifest
    import android.app.ProgressDialog
    import android.content.Intent
    import android.content.pm.PackageManager
    import android.graphics.Bitmap
    import android.graphics.BitmapFactory
    import android.os.Build
    import android.os.Bundle
    import android.util.Base64
    import android.view.LayoutInflater
    import android.view.View
    import android.view.View.OnClickListener
    import android.view.ViewGroup
    import android.widget.Toast
    import androidx.annotation.RequiresApi
    import androidx.core.content.ContextCompat
    import androidx.lifecycle.ViewModelProvider
    import androidx.navigation.fragment.NavHostFragment
    import com.camalo.ganmer.omeman.BaseFragment
    import com.camalo.ganmer.omeman.R
    import com.camalo.ganmer.omeman.databinding.FragmentHomeBinding
    import com.camalo.ganmer.omeman.ui.ViewModel
    import com.camalo.ganmer.omeman.ui.a.CameraGVAdapter
    import com.camalo.ganmer.omeman.ui.vvx.CameraInfo
    import com.camalo.ganmer.omeman.ui.vvx.CameraSurfaceView
    import com.camalo.ganmer.omeman.ui.vvx.CameraUtils
    import com.camalo.ganmer.omeman.ui.vvx.ImageUtils
    import com.camalo.ganmer.omeman.ui.vvx.Sp
    import java.io.ByteArrayOutputStream
    import java.io.IOExceptionclass HomeFragment : BaseFragment(), OnClickListener, CameraGVAdapter.OnItemClickListener {private var _binding: FragmentHomeBinding? = nullprivate val binding get() = _binding!!private var homeViewModel: ViewModel? = nullprivate var myGVAdapter: CameraGVAdapter? = nullprivate var selectCamera: Int = 0private var selectCameraInfo: CameraInfo? = nullprivate var bitmap: Bitmap? = nullprivate var mOrientation = 0private var index = 0private var mCameraSurfaceView: CameraSurfaceView? = nulloverride fun onCreateView(inflater: LayoutInflater,container: ViewGroup?,savedInstanceState: Bundle?): View {homeViewModel =ViewModelProvider(this)[ViewModel::class.java]_binding = FragmentHomeBinding.inflate(inflater, container, false)return binding.root}override fun onResume() {super.onResume()init()CameraUtils.startPreview()}override fun onPause() {super.onPause()CameraUtils.stopPreview()}private fun init() {checkCameraHardware()selectCameraInfo = homeViewModel?.cameras?.get(0)binding.ivToTakePricture.setOnClickListener(this)binding.ivCameraBagBack.setOnClickListener(this)binding.tvSelectPhotograph.setOnClickListener(this)binding.ivPhotoBack.setOnClickListener(this)binding.tvPictureRecord.setOnClickListener(this)binding.tvSetting.setOnClickListener(this)binding.ivPhoto.setOnClickListener(this)binding.ivPhotoPicture.setOnClickListener(this)binding.tvCameraInfo.setOnClickListener {if (bitmap != null) {val bundle = Bundle()//                bundle.putParcelable("info", selectCameraInfo)bundle.putInt("info_type", selectCamera)val baos = ByteArrayOutputStream()bitmap!!.compress(Bitmap.CompressFormat.JPEG, 100, baos)val data = baos.toByteArray()val imageString = String(Base64.encode(data, Base64.DEFAULT))Sp.getInstance().setValue("bitmap",imageString)
    //                bundle.putByteArray("bitmap", data)NavHostFragment.findNavController(this).navigate(R.id.action_navigation_home_to_EFragment, bundle)}}}@RequiresApi(Build.VERSION_CODES.O)override fun onClick(v: View?) {when (v?.id) {R.id.tv_setting -> {NavHostFragment.findNavController(this@HomeFragment).navigate(R.id.action_navigation_home_to_navigation_setting)}R.id.tv_picture_record -> {NavHostFragment.findNavController(this@HomeFragment).navigate(R.id.action_navigation_home_to_record)}R.id.iv_to_take_pricture -> {index = 2binding.clCameraBag.visibility = View.GONEbinding.clPhoto.visibility = View.VISIBLEbinding.tvCameraInfo.text = selectCameraInfo?.namebinding.surfaceView.visibility = View.VISIBLE}R.id.iv_photo -> {takePicture()}R.id.iv_camera_bag_back -> {binding.clCameraBag.visibility = View.GONE}R.id.tv_select_photograph -> {index = 1binding.clPhoto.visibility = View.GONEbinding.clCameraBag.visibility = View.VISIBLEmyGVAdapter = homeViewModel?.cameras?.let {CameraGVAdapter(0, requireContext(),it, R.layout.gv_camera_item)}myGVAdapter?.setCurrentPosition(0, true)myGVAdapter?.setOnItemClickListener(this)binding.gvCameraBag.adapter = myGVAdapter}R.id.iv_photo_back -> {binding.clPhoto.visibility = View.GONEbinding.surfaceView.visibility = View.VISIBLEbinding.surfaceViewImage.visibility = View.GONEbitmap=null}R.id.iv_photo_picture -> {selectNegative(-1)}}}override fun onDestroyView() {super.onDestroyView()_binding = null}private fun takePicture() {CameraUtils.takePicture({ }, null) { data, camera ->CameraUtils.startPreview()bitmap = BitmapFactory.decodeByteArray(data, 0, data.size)binding.surfaceViewImage.visibility = View.VISIBLEif (bitmap != null) {bitmap = ImageUtils.getRotatedBitmap(bitmap, mOrientation);binding.surfaceViewImage.setImageBitmap(bitmap)}}}private fun selectNegative(requestCode: Int) {val intent = Intent()intent.type = "image/*"intent.action = Intent.ACTION_GET_CONTENTstartActivityForResult(Intent.createChooser(intent, ""), requestCode)}override fun onRequestPermissionsResult(requestCode: Int,permissions: Array<out String>,grantResults: IntArray) {super.onRequestPermissionsResult(requestCode, permissions, grantResults)if (requestCode == 11) {mCameraSurfaceView = CameraSurfaceView(requireContext())binding!!.surfaceView!!.addView(mCameraSurfaceView)mOrientation = CameraUtils.calculateCameraPreviewOrientation(requireActivity())}}private fun checkCameraHardware() {if (ContextCompat.checkSelfPermission(requireContext(),Manifest.permission.CAMERA) == PackageManager.PERMISSION_DENIED) {requestPermissions(arrayOf(Manifest.permission.CAMERA), 11)}if (requireContext().packageManager.hasSystemFeature(PackageManager.FEATURE_CAMERA_ANY)) {try {mCameraSurfaceView = CameraSurfaceView(requireContext())binding!!.surfaceView!!.addView(mCameraSurfaceView)mOrientation = CameraUtils.calculateCameraPreviewOrientation(requireActivity())} catch (e: Exception) {}}}override fun onActivityResult(requestCode: Int, resultCode: Int, data: Intent?) {super.onActivityResult(requestCode, resultCode, data)val options = BitmapFactory.Options()options.inJustDecodeBounds = falseif (resultCode == -1 && data != null) {val uri = data.datatry {val inputStream = requireContext().contentResolver.openInputStream(uri!!)BitmapFactory.decodeStream(inputStream, null, options)inputStream!!.close()val height = options.outHeightval width = options.outWidthvar sampleSize = 1val max = Math.max(height, width)val MAX_SIZE = 769if (max > MAX_SIZE) {val nw = width / 2val nh = height / 2while (nw / sampleSize > MAX_SIZE || nh / sampleSize > MAX_SIZE) {sampleSize *= 2}}options.inSampleSize = sampleSizeoptions.inJustDecodeBounds = falsebitmap = BitmapFactory.decodeStream(requireContext().contentResolver.openInputStream(uri), null, options)if (bitmap != null) {binding.surfaceView.visibility = View.GONEbinding.surfaceViewImage.visibility = View.VISIBLEbinding.surfaceViewImage.setImageBitmap(bitmap)}} catch (ioe: IOException) {}} else {Toast.makeText(requireContext(),"Please select a photo before editing it.",Toast.LENGTH_SHORT).show()//            selectNegative();}}override fun onCameraItemClick(type: Int,position: Int,bitmap: Bitmap?,cameraInfo: CameraInfo) {myGVAdapter?.setCurrentPosition(position, true)selectCamera = positionselectCameraInfo = cameraInfobinding.clCameraBag.visibility = View.GONEbinding.clPhoto.visibility = View.VISIBLEbinding.tvCameraInfo.text = selectCameraInfo?.namebinding.surfaceView.visibility = View.VISIBLE}
    }

    谢谢阅读,呈请关注。如对鸿蒙开发有兴趣课试读我的专栏:http://t.csdnimg.cn/trIyc

 

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

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

相关文章

自动驾驶代客泊车AVP泊车规划模块详细设计

目录 1. 背景... 3 2. 泊车模块架构图... 4 3. 泊车规划模块信号... 5 3.1 输入信号... 5 3.2 输出信号... 5 4. 模块预处理... 6 4.1 坐标系转换... 6 4.2 车库及轨迹处理策略... 7 5. 泊车规划模块算法设计... 8 5.1 泊入规划模块... 8 5.1.1 泊入…

幻兽帕鲁一键开私服?超简单小白教程一看就会!

如何自建幻兽帕鲁服务器&#xff1f;基于阿里云服务器搭建幻兽帕鲁palworld服务器教程来了&#xff0c;一看就懂系列。本文是利用OOS中幻兽帕鲁扩展程序来一键部署幻兽帕鲁服务器&#xff0c;阿里云服务器网aliyunfuwuqi.com分享官方基于阿里云服务器快速创建幻兽帕鲁服务器教程…

Python学习之路-Django基础:PythonWeb

Python学习之路-Django基础:PythonWeb Python Web 框架要点 处理流程 图片来源于未来的小牛的CSDN博客 意义 用于搭建Web应用程序&#xff0c;免去不同Web应用相同代码部分的重复编写&#xff0c;只需关心Web应用核心的业务逻辑实现 Web应用程序的本质 接收并解析HTTP请求…

HCIA学习作业三

要求&#xff1a; 拓扑图&#xff1a; <AR1>ping 5.5.5.1 <AR1>display ip interface brief <AR1>display ip routing-table <AR1>display ip routing-table protocol static <AR2>ping 5.5.5.1 <AR2>display ip interface brief <…

Linux实现:从倒计时到进度条

文章目录 1.回车与换行2.缓冲区的概念3.倒计时4.进度条(第一版无应用场景)5.进度条(第二版有应用场景) 1.回车与换行 2.缓冲区的概念 强制刷新可以使用冲刷函数fflush #include <stdio.h> #include <unistd.h> int main() {printf("I am a \nhandsome man!&q…

排序(1)——直接插入排序、希尔排序

目录 一、直接插入排序 1.简介 2.思路与代码 3.复杂度与稳定性分析 &#xff08;1&#xff09;时间复杂度 &#xff08;2&#xff09;空间复杂度 &#xff08;3&#xff09;稳定性 二、希尔排序 1.简介 2.思路与代码 &#xff08;1&#xff09;分组排序 &#xff08…

系统架构设计师教程(十七)通信系统架构设计理论与实践

通信系统架构设计理论与实践 17.1 通信系统概述17.2 通信系统网络架构17.2.1局域网网络架构17.2.2 广域网网络架构17.2.3 移动通信网网络架构17.2.4存储网络架构17.2.5 软件定义网络架构17.3 网络构建关键技术17.3.1 网络高可用设计17.3.2 IPv4与IPv6融合组网技术17.3.3 SDN技术…

09. Springboot集成sse服务端推流

目录 1、前言 2、什么是SSE 2.1、技术原理 2.2、SSE和WebSocket 2.2.1、SSE (Server-Sent Events) 2.2.2、WebSocket 2.2.3、选择 SSE 还是 WebSocket&#xff1f; 3、Springboot快速集成 3.1、添加依赖 3.2、创建SSE控制器 3.2.1、SSEmitter创建实例 3.2.2、SSEmi…

macOS跨进程通信: Unix Domain Socket 创建实例

macOS跨进程通信: Unix Domain Socket 创建实例 一&#xff1a; 简介 Socket 是 网络传输的抽象概念。 一般我们常用的有Tcp Socket和 UDP Scoket&#xff0c; 和类Unix 系统&#xff08;包括Mac&#xff09;独有的 Unix Domain Socket&#xff08;UDX&#xff09;。 Tcp So…

Scratch:启蒙少儿编程的图形化魔法

在当今这个数字化时代&#xff0c;编程已经成为了一项重要的基础技能。就像学习阅读和写作一样&#xff0c;掌握编程能够打开通往未来世界的大门。对于孩子们来说&#xff0c;Scratch作为一种图形化编程语言&#xff0c;不仅简单有趣&#xff0c;而且非常适合作为编程学习的入门…

科技助力“双碳”:墨水屏电子桌牌在绿色办公中的作用

随着科技的发展&#xff0c;人们对绿色环境可持续发展也越来越重视&#xff0c;所以&#xff0c;我国在几年前&#xff0c;就提出了“双碳”政策&#xff08;即碳达峰与碳中和的简称。2020年9月中国明确提出2030年“碳达峰”与2060年“碳中和”目标&#xff09;&#xff0c;而作…

单调栈第二天(还没写完)

503.下一个更大元素II 力扣题目链接(opens new window) 给定一个循环数组&#xff08;最后一个元素的下一个元素是数组的第一个元素&#xff09;&#xff0c;输出每个元素的下一个更大元素。数字 x 的下一个更大的元素是按数组遍历顺序&#xff0c;这个数字之后的第一个比它更…

卸载软件Geek Uninstaller,MySQl安装不成功

最近刷最右的时候&#xff0c;看到两个帖子都是MySQl安装过程总是出现问题。大概两年前我也遇到了这个问题&#xff0c;推荐一款软件。 是因为在安装的过程之中&#xff0c;出现了问题。然后你再进行安装的时候&#xff0c;没有完全将原来安装的软件卸载掉&#xff0c;导致有注…

垃圾填埋气体监测与告警一体化环保监测5G云网关

数字化时代数据采集和传输我认为变得非常重要。为了满足这一需求&#xff0c;我们推出了一款具备多种功能的数据采集器。这款产品不仅集成了8DI干湿节点、4DO继电器、6AI电流/电压型传感器&#xff0c;还支持与多个云平台进行上行对接。通过这些功能&#xff0c;用户可以轻松实…

深入浅出理解目标检测的非极大值抑制(NMS)

一、参考资料 物体检测中常用的几个概念迁移学习、IOU、NMS理解 目标定位和检测系列&#xff08;3&#xff09;&#xff1a;交并比&#xff08;IOU&#xff09;和非极大值抑制&#xff08;NMS&#xff09;的python实现 Pytorch&#xff1a;目标检测网络-非极大值抑制(NMS) …

机器学习整理

绪论 什么是机器学习&#xff1f; 机器学习研究能够从经验中自动提升自身性能的计算机算法。 机器学习经历了哪几个阶段&#xff1f; 推理期&#xff1a;赋予机器逻辑推理能力 知识期&#xff1a;使机器拥有知识 学习期&#xff1a;让机器自己学习 什么是有监督学习和无监…

CubeMX生成工程文件夹解释

使用CubeMXKeil的工程&#xff0c;物理文件夹结构如下&#xff1a; 文件夹、文件&#xff0c;众多&#xff0c;但我们平时使用到的&#xff0c;主要是两个入口文件&#xff0c;即以下的&#xff1a;1和2. 1、***.uvprojx 位置&#xff1a;工程目录\MDK-ART文件夹下。 Keil的工…

【C++】STL和vector容器

STL和vector容器 基本概念六大组件容器算法迭代器容器算法迭代器 vector容器基本概念vector构造函数赋值vector的容量和大小vector插入与删除vector存取数据函数原型 vector互换容器vector预留空间vector容器嵌套容器 基本概念 长久以来&#xff0c;软件届一直希望建立一种可重…

基于 java+springboot+mybatis电影售票网站管理系统前台+后台设计和实现

基于 javaspringbootmybatis电影售票网站管理系统前台后台设计和实现 &#x1f345; 作者主页 央顺技术团队 &#x1f345; 欢迎点赞 &#x1f44d; 收藏 ⭐留言 &#x1f4dd; &#x1f345; 文末获取源码联系方式 &#x1f4dd; &#x1f345; 查看下方微信号获取联系方式 承…

国内首个!亚信安全获得CCRC数据分类分级产品认证证书

亚信安全信数数据分类分级系统AISDC V1.0&#xff0c;荣获中国网络安全审查认证和市场监管大数据中心颁发的首个数据分类分级产品IT产品信息安全认证证书&#xff01;标志着亚信安全在大数据安全领域的强大技术实力以及专业研究&#xff0c;正式获得国内数据分类分级产品评定的…