利用FFmpeg编码器将JPG图片进行H.264编码原理

文章目录

  • 利用FFmpeg编码器将JPG图片进行H.264编码原理
    • 整体的编码流程
    • 将JPG或BMP编码为YUV
    • 利用FFmpeg将YUV格式的数据编码为H.264

整体的编码流程

将JPG或BMP编码为YUV

为了将JPG和BMP编码为YUV,可以利用FFmpeg库里的Libswscale库文件。具体的调用流程如下图:

该库文件主要有三个:
(1)sws_getContext():使用参数初始化SwsContext结构体。

/*** Allocate and return an SwsContext. You need it to perform* scaling/conversion operations using sws_scale().** @param srcW the width of the source image* @param srcH the height of the source image* @param srcFormat the source image format* @param dstW the width of the destination image* @param dstH the height of the destination image* @param dstFormat the destination image format* @param flags specify which algorithm and options to use for rescaling* @return a pointer to an allocated context, or NULL in case of error* @note this function is to be removed after a saner alternative is*       written*/
struct SwsContext *sws_getContext(int srcW, int srcH, enum AVPixelFormat srcFormat,int dstW, int dstH, enum AVPixelFormat dstFormat,int flags, SwsFilter *srcFilter,SwsFilter *dstFilter, const double *param);

该函数包含以下参数:
srcW:源图像的宽
srcH:源图像的高
srcFormat:源图像的像素格式
dstW:目标图像的宽
dstH:目标图像的高
dstFormat:目标图像的像素格式
flags:设定图像拉伸使用的算法
成功执行的话返回生成的SwsContext,否则返回NULL。 (2)sws_scale()`:转换一帧图像。

/*** Scale the image slice in srcSlice and put the resulting scaled* slice in the image in dst. A slice is a sequence of consecutive* rows in an image.** Slices have to be provided in sequential order, either in* top-bottom or bottom-top order. If slices are provided in* non-sequential order the behavior of the function is undefined.** @param c         the scaling context previously created with*                  sws_getContext()* @param srcSlice  the array containing the pointers to the planes of*                  the source slice* @param srcStride the array containing the strides for each plane of*                  the source image* @param srcSliceY the position in the source image of the slice to*                  process, that is the number (counted starting from*                  zero) in the image of the first row of the slice* @param srcSliceH the height of the source slice, that is the number*                  of rows in the slice* @param dst       the array containing the pointers to the planes of*                  the destination image* @param dstStride the array containing the strides for each plane of*                  the destination image* @return          the height of the output slice*/
int sws_scale(struct SwsContext *c, const uint8_t *const srcSlice[],const int srcStride[], int srcSliceY, int srcSliceH,uint8_t *const dst[], const int dstStride[]);

该函数包含以下参数:
csws_getContext函数生成的scaling context指针;
srcSlice[]:源图像信息每个通道数据指针
srcStride[]:源图像的每个通道行字节数
srcSliceY:源图像上处理区域的起始位置
srcSliceH:源图像上处理区域要处理的行数
如果srcSliceY=0,srcSliceH=height,表示一次性处理完整个图像。
dst[]:目标图像信息的每个通道数据指针
dstStride[]:目标图像信息每个通道行字节数
(3)sws_freeContext():释放SwsContext结构体。
做完转换之后,就可以释放这样的结构体了。

利用FFmpeg将YUV格式的数据编码为H.264

以下的编码格式均是将图像格式为YUV的格式编码为H.264的格式

  • 利用编码器的两个库编码的流程
    调用了FFmpeg中的libavformat和libavcodec两个库完成了视频编码工作,主要流程如下:

av_register_all():注册FFmpeg所有编解码器。

avformat_alloc_output_context2():初始化输出码流的AVFormatContext。

avio_open():打开输出文件。

av_new_stream():创建输出码流的AVStream。

avcodec_find_encoder():查找编码器。

avcodec_open2():打开编码器。

avformat_write_header():写文件头(对于某些没有文件头的封装格式,不需要此函数。比如说MPEG2TS)。

avcodec_encode_video2():编码一帧视频。即将AVFrame(存储YUV像素数据)编码为AVPacket(存储H.264等格式的码流数据)。

av_write_frame():将编码后的视频码流写入文件。

flush_encoder():输入的像素数据读取完成后调用此函数。用于输出编码器中剩余的AVPacket。

av_write_trailer():写文件尾(对于某些没有文件头的封装格式,不需要此函数。比如说MPEG2TS)。


#include <stdio.h>
#define __STDC_CONSTANT_MACROS
#ifdef _WIN32
//Windows
extern "C"{#include "libavutil/opt.h"#include "libavcodec/avcodec.h"#include "libavformat/avformat.h"};
#else
//Linux...#ifdef __cplusplusextern "C"{#endif#include <libavutil/opt.h>#include <libavcodec/avcodec.h>#include <libavformat/avformat.h>#ifdef __cplusplus};#endif
#endifint flush_encoder(AVFormatContext *fmt_ctx,unsigned int stream_index){int ret;int got_frame;AVPacket enc_pkt;if (!(fmt_ctx->streams[stream_index]->codec->codec->capabilities &AV_CODEC_CAP_DELAY))return 0;while (1) {enc_pkt.data = NULL;enc_pkt.size = 0;av_init_packet(&enc_pkt);ret = avcodec_encode_video2 (fmt_ctx->streams[stream_index]->codec, &enc_pkt,NULL, &got_frame);av_frame_free(NULL);if (ret < 0)break;if (!got_frame){ret=0;break;}printf("Flush Encoder: Succeed to encode 1 frame!\tsize:%5d\n",enc_pkt.size);/* mux encoded frame */ret = av_write_frame(fmt_ctx, &enc_pkt);if (ret < 0)break;}return ret;
}int main(int argc, char* argv[])
{AVFormatContext* pFormatCtx;AVOutputFormat* fmt;AVStream* video_st;AVCodecContext* pCodecCtx;AVCodec* pCodec;AVPacket pkt;uint8_t* picture_buf;AVFrame* pFrame;int picture_size;int y_size;int framecnt=0;//FILE *in_file = fopen("src01_480x272.yuv", "rb");    //Input raw YUV data FILE *in_file = fopen("ds_480x272.yuv", "rb");   //Input raw YUV dataint in_w=480,in_h=272;                              //Input data's width and heightint framenum=100;                                   //Frames to encode//const char* out_file = "src01.h264";              //Output Filepath //const char* out_file = "src01.ts";//const char* out_file = "src01.hevc";const char* out_file = "ds.h264";av_register_all();//Method1.pFormatCtx = avformat_alloc_context();//Guess Formatfmt = av_guess_format(NULL, out_file, NULL);pFormatCtx->oformat = fmt;//Method 2.//avformat_alloc_output_context2(&pFormatCtx, NULL, NULL, out_file);//fmt = pFormatCtx->oformat;//Open output URLif (avio_open(&pFormatCtx->pb,out_file, AVIO_FLAG_READ_WRITE) < 0){printf("Failed to open output file! \n");return -1;}video_st = avformat_new_stream(pFormatCtx, 0);video_st->time_base.num = 1; video_st->time_base.den = 25;  if (video_st==NULL){return -1;}//Param that must setpCodecCtx = video_st->codec;//pCodecCtx->codec_id =AV_CODEC_ID_HEVC;pCodecCtx->codec_id = fmt->video_codec;pCodecCtx->codec_type = AVMEDIA_TYPE_VIDEO;pCodecCtx->pix_fmt = AV_PIX_FMT_YUV420P;pCodecCtx->width = in_w;  pCodecCtx->height = in_h;pCodecCtx->time_base.num = 1;  pCodecCtx->time_base.den = 25;  pCodecCtx->bit_rate = 400000;  pCodecCtx->gop_size=250;//H264//pCodecCtx->me_range = 16;//pCodecCtx->max_qdiff = 4;//pCodecCtx->qcompress = 0.6;pCodecCtx->qmin = 10;pCodecCtx->qmax = 51;//Optional ParampCodecCtx->max_b_frames=3;// Set OptionAVDictionary *param = 0;//H.264if(pCodecCtx->codec_id == AV_CODEC_ID_H264) {av_dict_set(&param, "preset", "slow", 0);av_dict_set(&param, "tune", "zerolatency", 0);//av_dict_set(&param, "profile", "main", 0);}//H.265// if(pCodecCtx->codec_id == AV_CODEC_ID_H265){//    av_dict_set(&param, "preset", "ultrafast", 0);//    av_dict_set(&param, "tune", "zero-latency", 0);// }//Show some Informationav_dump_format(pFormatCtx, 0, out_file, 1);pCodec = avcodec_find_encoder(pCodecCtx->codec_id);if (!pCodec){printf("Can not find encoder! \n");return -1;}if (avcodec_open2(pCodecCtx, pCodec,&param) < 0){printf("Failed to open encoder! \n");return -1;}pFrame = av_frame_alloc();picture_size = avpicture_get_size(pCodecCtx->pix_fmt, pCodecCtx->width, pCodecCtx->height);picture_buf = (uint8_t *)av_malloc(picture_size);avpicture_fill((AVPicture *)pFrame, picture_buf, pCodecCtx->pix_fmt, pCodecCtx->width, pCodecCtx->height);//Write File Headeravformat_write_header(pFormatCtx,NULL);av_new_packet(&pkt,picture_size);y_size = pCodecCtx->width * pCodecCtx->height;//设置相关参数pFrame->format = pCodecCtx->pix_fmt;pFrame->width  = pCodecCtx->width;pFrame->height = pCodecCtx->height;for (int i=0; i<framenum; i++){//Read raw YUV dataif (fread(picture_buf, 1, y_size*3/2, in_file) <= 0){printf("Failed to read raw data! \n");return -1;}else if(feof(in_file)){break;}pFrame->data[0] = picture_buf;              // YpFrame->data[1] = picture_buf+ y_size;      // U pFrame->data[2] = picture_buf+ y_size*5/4;  // V//PTSpFrame->pts=i;int got_picture=0;//Encodeint ret = avcodec_encode_video2(pCodecCtx, &pkt,pFrame, &got_picture);if(ret < 0){printf("Failed to encode! \n");return -1;}if (got_picture==1){printf("Succeed to encode frame: %5d\tsize:%5d\n",framecnt,pkt.size);framecnt++;pkt.stream_index = video_st->index;ret = av_write_frame(pFormatCtx, &pkt);av_free_packet(&pkt);}}//Flush Encoderint ret = flush_encoder(pFormatCtx,0);if (ret < 0) {printf("Flushing encoder failed\n");return -1;}//Write file trailerav_write_trailer(pFormatCtx);//Cleanif (video_st){avcodec_close(video_st->codec);av_free(pFrame);av_free(picture_buf);}avio_close(pFormatCtx->pb);avformat_free_context(pFormatCtx);fclose(in_file);return 0;
}

  • 只利用libavcodec库编码的流程
    由于ffmpeg的两个库中libavformat完成封装格式处理,而libavcodec完成编码工作。一个“纯净”的编码器,理论上说只需要使用libavcodec就足够了,并不需要使用libavformat。

流程图中关键函数的作用如下所列:

avcodec_register_all():注册所有的编解码器。
avcodec_find_encoder():查找编码器。
avcodec_alloc_context3():为AVCodecContext分配内存。
avcodec_open2():打开编码器。
avcodec_encode_video2():编码一帧数据。

两个存储数据的结构体如下所列:
AVFrame:存储一帧未编码的像素数据。
AVPacket:存储一帧压缩编码数据。

#include <stdio.h>
#define __STDC_CONSTANT_MACROS
#ifdef _WIN32
//Windows
extern "C"
{#include "libavutil/opt.h"
#include "libavcodec/avcodec.h"
#include "libavutil/imgutils.h"
};
#else
//Linux...
#ifdef __cplusplus
extern "C"
{#endif
#include <libavutil/opt.h>
#include <libavcodec/avcodec.h>
#include <libavutil/imgutils.h>
#ifdef __cplusplus
};
#endif
#endif//test different codec
#define TEST_H264  1
#define TEST_HEVC  0
int main(int argc, char* argv[])
{AVCodec *pCodec;   //编码器AVCodecContext *pCodecCtx= NULL;//编码器上下文int i, ret, got_output;FILE *fp_in;FILE *fp_out;AVFrame *pFrame;//原始数据包AVPacket pkt;//压缩数据包int y_size;int framecnt=0;char filename_in[]="ds_480x272.yuv";// char filename_in[]="test_yuv422p.yuv";
#if TEST_HEVCAVCodecID codec_id=AV_CODEC_ID_HEVC;char filename_out[]="ds.hevc";
#elseAVCodecID codec_id=AV_CODEC_ID_H264;//编码器的编号char filename_out[]="test1.h264";
#endifint in_w=480,in_h=272;  // int in_w=640,in_h=480; int framenum=100;  avcodec_register_all();//注册所有编码器pCodec = avcodec_find_encoder(codec_id);//根据编码区ID找到编码器if (!pCodec) {printf("Codec not found\n");return -1;}pCodecCtx = avcodec_alloc_context3(pCodec);//为编码器分配内存,创建编码器上下文if (!pCodecCtx) {printf("Could not allocate video codec context\n");return -1;}///设置编码器的相关参数pCodecCtx->bit_rate = 400000;pCodecCtx->width = in_w;pCodecCtx->height = in_h;pCodecCtx->time_base.num=1;pCodecCtx->time_base.den=25;pCodecCtx->gop_size = 10;pCodecCtx->max_b_frames = 1;pCodecCtx->pix_fmt = AV_PIX_FMT_YUV420P;if (codec_id == AV_CODEC_ID_H264)av_opt_set(pCodecCtx->priv_data, "preset", "slow", 0);/打开编码器///if (avcodec_open2(pCodecCtx, pCodec, NULL) < 0) {printf("Could not open codec\n");return -1;}///初始化原始数据包//pFrame = av_frame_alloc();if (!pFrame) {printf("Could not allocate video frame\n");return -1;}//设置相关参数pFrame->format = pCodecCtx->pix_fmt;pFrame->width  = pCodecCtx->width;pFrame->height = pCodecCtx->height;//为图像分配缓冲区ret = av_image_alloc(pFrame->data, pFrame->linesize, pCodecCtx->width, pCodecCtx->height,pCodecCtx->pix_fmt, 16);if (ret < 0) {printf("Could not allocate raw picture buffer\n");return -1;}//输入数据//Input raw datafp_in = fopen(filename_in, "rb");if (!fp_in) {printf("Could not open %s\n", filename_in);return -1;}//Output bitstreamfp_out = fopen(filename_out, "wb");if (!fp_out) {printf("Could not open %s\n", filename_out);return -1;}y_size = pCodecCtx->width * pCodecCtx->height;//Encodefor (i = 0; i < framenum; i++) {av_init_packet(&pkt);pkt.data = NULL;    // packet data will be allocated by the encoderpkt.size = 0;//Read raw YUV dataif (fread(pFrame->data[0],1,y_size,fp_in)<= 0||     // Yfread(pFrame->data[1],1,y_size/4,fp_in)<= 0||    // Ufread(pFrame->data[2],1,y_size/4,fp_in)<= 0){    // Vreturn -1;}else if(feof(fp_in)){break;}pFrame->pts = i;//设置每帧的顺序标志位,知道每帧的顺序/* encode the image *///编码一帧视频。即将AVFrame(存储YUV像素数据)编码为AVPacket(存储H.264等格式的码流数据)ret = avcodec_encode_video2(pCodecCtx, &pkt, pFrame, &got_output);if (ret < 0) {printf("Error encoding frame\n");return -1;}if (got_output) {printf("Succeed to encode frame: %5d\tsize:%5d\n",framecnt,pkt.size);framecnt++;fwrite(pkt.data, 1, pkt.size, fp_out);//把编码好的数据写到文件里av_free_packet(&pkt);}}//Flush Encoderfor (got_output = 1; got_output; i++) {ret = avcodec_encode_video2(pCodecCtx, &pkt, NULL, &got_output);if (ret < 0) {printf("Error encoding frame\n");return -1;}if (got_output) {printf("Flush Encoder: Succeed to encode 1 frame!\tsize:%5d\n",pkt.size);fwrite(pkt.data, 1, pkt.size, fp_out);av_free_packet(&pkt);}}fclose(fp_out);avcodec_close(pCodecCtx);av_free(pCodecCtx);av_freep(&pFrame->data[0]);av_frame_free(&pFrame);    return 0;
}
  • 人工造数据
#include <stdio.h>
#include <stdlib.h>
#include <string.h>#include <libavcodec/avcodec.h>#include <libavutil/opt.h>
#include <libavutil/imgutils.h>// 对每一帧进行编码
static void encode(AVCodecContext *enc_ctx, AVFrame *frame, AVPacket *pkt,FILE *outfile)
{int ret;/* send the frame to the encoder */if (frame)printf("Send frame %3"PRId64"\n", frame->pts);ret = avcodec_send_frame(enc_ctx, frame);if (ret < 0) {fprintf(stderr, "Error sending a frame for encoding\n");exit(1);}while (ret >= 0) {ret = avcodec_receive_packet(enc_ctx, pkt);if (ret == AVERROR(EAGAIN) || ret == AVERROR_EOF)return;else if (ret < 0) {fprintf(stderr, "Error during encoding\n");exit(1);}printf("Write packet %3"PRId64" (size=%5d)\n", pkt->pts, pkt->size);fwrite(pkt->data, 1, pkt->size, outfile);av_packet_unref(pkt);}
}int encode_video(const char *filename, const char *codec_name)
{//编码器const AVCodec *codec;//编码器上下文AVCodecContext *c= NULL;//got_output 用于标记一帧是否压缩成功int i, ret, x, y, got_output;FILE *f;//存放解码后的原始帧(未压缩的数据)AVFrame *frame;AVPacket pkt;uint8_t endcode[] = { 0, 0, 1, 0xb7 };//将所有需要的编解码,多媒体格式,以及网络,都注册要程序里avcodec_register_all();/* find the mpeg1video encoder *///通过编解码名找到对应的编解码器codec = avcodec_find_encoder_by_name(codec_name);if (!codec) {fprintf(stderr, "Codec not found\n");exit(1);}// 根据编码器,创建相对应的编码器上下文c = avcodec_alloc_context3(codec);if (!c) {fprintf(stderr, "Could not allocate video codec context\n");exit(1);}//设置相关参数/* put sample parameters *///码率,400kbc->bit_rate = 400000;/* resolution must be a multiple of two */c->width = 352;c->height = 288;/* frames per second *///时间基,每一秒25帧,每一刻度25分之1(时间基根据帧率而变化)c->time_base = (AVRational){1, 25};//帧率c->framerate = (AVRational){25, 1};/* emit one intra frame every ten frames* check frame pict_type before passing frame* to encoder, if frame->pict_type is AV_PICTURE_TYPE_I* then gop_size is ignored and the output of encoder* will always be I frame irrespective to gop_size*///多少帧产生一组关键帧c->gop_size = 10;//b帧,参考帧c->max_b_frames = 1;//编码的原始数据的YUV格式c->pix_fmt = AV_PIX_FMT_YUV420P;//如果编码器id 是 h264if (codec->id == AV_CODEC_ID_H264)// preset表示采用一个预先设定好的h264参数集,级别是slow,slow表示压缩速度是慢的,慢的可以保证视频质量,用快的会降低视频质量av_opt_set(c->priv_data, "preset", "slow", 0);/* open it *///打开编码器if (avcodec_open2(c, codec, NULL) < 0) {fprintf(stderr, "Could not open codec\n");exit(1);}//打开输入文件f = fopen(filename, "wb");if (!f) {fprintf(stderr, "Could not open %s\n", filename);exit(1);}//初始化帧并设置帧的YUV格式和分辨率frame = av_frame_alloc();if (!frame) {fprintf(stderr, "Could not allocate video frame\n");exit(1);}frame->format = c->pix_fmt;frame->width  = c->width;frame->height = c->height;//为音频或视频数据分配新的缓冲区ret = av_frame_get_buffer(frame, 32);if (ret < 0) {fprintf(stderr, "Could not allocate the video frame data\n");exit(1);}/* encode 1 second of video */// 这里是人工添加数据模拟生成1秒钟(25帧)的视频(真实应用中是从摄像头获取的原始数据,摄像头拿到数据后会传给编码器,然后编码器进行编码形成一帧帧数据。)for (i = 0; i < 25; i++) {//初始化packetav_init_packet(&pkt);pkt.data = NULL;    // packet data will be allocated by the encoderpkt.size = 0;// 强制输出写入文件fflush(stdout);/* make sure the frame data is writable *///确保帧被写入ret = av_frame_make_writable(frame);if (ret < 0)exit(1);// 下面2个循环是人工往frame里面添的数据/* prepare a dummy image *//* Y */for (y = 0; y < c->height; y++) {for (x = 0; x < c->width; x++) {frame->data[0][y * frame->linesize[0] + x] = x + y + i * 3;}}/* Cb and Cr */for (y = 0; y < c->height/2; y++) {for (x = 0; x < c->width/2; x++) {frame->data[1][y * frame->linesize[1] + x] = 128 + y + i * 2;frame->data[2][y * frame->linesize[2] + x] = 64 + x + i * 5;}}frame->pts = i;/* encode the image *///开始编码//c : 编码器上下文//&pkt : 输出压缩后的数据//frame :输入未压缩数据//&got_output :判断是否压缩成功/* send the frame to the encoder */// 进行编码压缩encode(c,frame,&pkt,f);}// 进行编码压缩encode(c,frame,&pkt,f);/* add sequence end code to have a real MPEG file */fwrite(endcode, 1, sizeof(endcode), f);fclose(f);avcodec_free_context(&c);av_frame_free(&frame);return 0;
}

利用FFmpeg编码器将JPG图片进行H.264编码原理相关推荐

  1. FFmpeg将YUV420P格式数据编码成H.264

    一.编码流程 本文福利, 免费领取C++音视频学习资料包.技术视频,内容包括(音视频开发,面试题,FFmpeg ,webRTC ,rtmp ,hls ,rtsp ,ffplay ,编解码,推拉流,sr ...

  2. FFMPEG 将YUV420P格式数据编码成H.264

    FFMPEG学习 将YUV420P格式数据编码成H.264 前言 一.编码流程 二.代码实现 三.实现效果 四.总结 前言 在学习FFMPEG过程中,我们需要获取到H264码流,但是我们采集到的一般都 ...

  3. 使用FFmpeg的SDK库实现将H.264流封装进MP4文件时全局SPS、PPS与流中SPS、PPS冲突的问题

    一.问题 1. 使用FFmpeg的SDK库实现将H.264流封装进MP4文件的源码大致如下: char* filename = "./test.mp4" AVOutputForma ...

  4. H.264编码下直播视频添加水印的优化

    2016年被称为"中国网络直播元年",网络直播已成为网络文化领域重要的经营模式和文化市场的重要组成部分.而以"直播造人"事件为节点,直播行业进入了严格规范化的时 ...

  5. 【尖端干货】H.264编码下直播视频添加水印的优化

    2016年被称为"中国网络直播元年",网络直播已成为网络文化领域重要的经营模式和文化市场的重要组成部分.而以"直播造人"事件为节点,直播行业进入了严格规范化的时 ...

  6. 视频编码:H.264编码

    本文参考毕厚杰老师<新一代视频压缩编码标准-----H.264/AVC>一书以及雷霄骅博客<视音频编解码技术零基础学习方法>整理. 1.概念部分: H.264编码: 视频编解码 ...

  7. 流媒体解码及H.264编码推流

    简介 相关理论 程序流程 Opencv解析视频流 像素格式转换 FFmpeg进行H.264编码 FFmpeg进行格式封装和推流 这里我们使用了FFmpge的sdk和Opencv的sdk.为了方便测试, ...

  8. FFmpeg入门详解之20:视频编码原理简介

    视频为何需要压缩? 原因:未经压缩的数字视频的数据量巨大 ● 存储困难 ○ 一G只能存储几秒钟的未压缩数字视频. ● 传输困难 ○ 1兆的带宽传输一秒的数字电视视频需要大约4分钟. 主要压缩了什么东西 ...

  9. 开发那些事儿:在Flv.js前端播放器中解析并绘制H.264编码中的SEI信息

    流媒体中的SEI是指补充增强信息(Supplemental Enhancement Information),它提供了向视频码流中加入信息的办法,是H.264/H.265视频压缩标准的特性之一.SEI ...

最新文章

  1. 2021年大数据Flink(三十二):​​​​​​​Table与SQL案例准备 API
  2. 大厂需要这样的Java工程师
  3. T-Mobile旗下网站又曝安全漏洞 允许任何人查看他人账户信息
  4. Storm源码阅读之SpoutOutputCollector
  5. java定义全局变量_矮油,你知道什么是 Java变量的作用域 嘛?
  6. 为什么文件会自动恢复成旧文件? -- windows server 2003
  7. (OPC Client .NET 开发类库)网上很多网友都有提过,.NET开发OPC Client不外乎下面三种方法...
  8. BZOJ 3362 Navigation Nightmare 带权并查集
  9. kbengine 的 nginx反向代理https/wss 配置 支持kbe负载均衡
  10. 大数据分析引擎Apache Flink升级成为Apache顶级项目
  11. JTAG接口定义与其他简介
  12. ENVI实验教程(3)遥感图像预处理—几何校正
  13. ubuntu报错 E:无法定位软件包
  14. c语言 英文单词频率统计 哈希存储
  15. 用python画微笑脸表情_python画表情包
  16. android智能云电视,率先升级Android4.0 TCL3D智能云电视独领技术风潮
  17. Flutter 基于Dio封装网络层
  18. 软件测试之Charles
  19. 中国烷基多糖苷(APG)行业市场供需与战略研究报告
  20. 计算机加电自动开机后又关机,电脑一通电自动开机,随后自动关机

热门文章

  1. 编程浅谈-以一个初出茅庐的Java程序员视角
  2. UIswitch 的用法
  3. 解决方案之Android 国际化资源完美兼容6.0,7.0,8.0
  4. 怎么让电脑上的图片全屏显示呢
  5. 00后女记者的一场直播挑战,触动了多少城市年轻打工人的心
  6. 楠橘星后台管理系统 (第二版)
  7. Flash页面的在线编辑
  8. 小学五年级计算机教学论文,人教版小学五年级数学教学论文
  9. 切换shift和CTRL键位
  10. HTTP网页从请求到响应过程详解