videocapture_gphoto2_autofocus自动聚焦opencv例程
创始人
2024-11-30 07:33:49
0
/*  * Copyright (c) 2015, Piotr Dobrowolski dobrypd[at]gmail[dot]com  * All rights reserved.  *  * Redistribution and use in source and binary forms, with or without modification,  * are permitted provided that the following conditions are met:  *  * 1. Redistributions of source code must retain the above copyright notice,  *    this list of conditions and the following disclaimer.  *  * 2. Redistributions in binary form must reproduce the above copyright notice,  *    this list of conditions and the following disclaimer in the documentation  *    and/or other materials provided with the distribution.  *  * THIS SOFTWARE IS PROVIDED BY THE COPYRIGHT HOLDERS AND CONTRIBUTORS "AS IS" AND  * ANY EXPRESS OR IMPLIED WARRANTIES, INCLUDING, BUT NOT LIMITED TO, THE IMPLIED  * WARRANTIES OF MERCHANTABILITY AND FITNESS FOR A PARTICULAR PURPOSE ARE DISCLAIMED.  * IN NO EVENT SHALL THE COPYRIGHT HOLDER OR CONTRIBUTORS BE LIABLE FOR ANY DIRECT,  * INDIRECT, INCIDENTAL, SPECIAL, EXEMPLARY, OR CONSEQUENTIAL DAMAGES  * (INCLUDING, BUT NOT LIMITED TO, PROCUREMENT OF SUBSTITUTE GOODS OR SERVICES;  * LOSS OF USE, DATA, OR PROFITS; OR BUSINESS INTERRUPTION) HOWEVER CAUSED  * AND ON ANY THEORY OF LIABILITY, WHETHER IN CONTRACT, STRICT LIABILITY,  * OR TORT (INCLUDING NEGLIGENCE OR OTHERWISE) ARISING IN ANY WAY OUT OF  * THE USE OF THIS SOFTWARE, EVEN IF ADVISED OF THE POSSIBILITY OF SUCH DAMAGE.  *  */ #include  #include  #include  #include  #include  #include  #include   using namespace std; using namespace cv;  const char * windowOriginal = "Captured preview"; const int FOCUS_STEP = 1024;           // 初始聚焦步长 const int MAX_FOCUS_STEP = 32767;      // 最大聚焦步长(设备支持的最大值) const int FOCUS_DIRECTION_INFTY = 1;   // 聚焦方向常量,1表示向远处,-1表示向近处 const int DEFAULT_BREAK_LIMIT = 5;     // 默认的聚焦失败次数限制 const int DEFAULT_OUTPUT_FPS = 20;     // 默认输出视频的帧率 const double epsylon = 0.0005;         // 用于判断评分变化的浮点数阈值   struct Args_t {     string deviceName;  // 设备名称     string output;      // 输出文件     int fps;            // 帧率     int minimumFocusStep;  // 最小聚焦步长     int breakLimit;     // 聚焦失败的限制次数     bool measure;       // 是否测量     bool verbose;       // 是否输出详细信息 } GlobalArgs;   struct FocusState {     int step;              // 当前聚焦步长     int direction;         // 当前聚焦方向     int minFocusStep;      // 最小聚焦步长     int lastDirectionChange;  // 上次改变方向以来的步数     int stepToLastMax;     // 距离上次最大评分的步长差     double rate;           // 当前图像的清晰度评分     double rateMax;        // 目前为止最高的清晰度评分 };   static ostream & operator<<(ostream & os, FocusState & state) {     return os << "RATE=" << state.rate << "\tSTEP="             << state.step * state.direction << "\tLast change="             << state.lastDirectionChange << "\tstepToLastMax="             << state.stepToLastMax; }  static FocusState createInitialState() {     FocusState state;     state.step = FOCUS_STEP;     state.direction = FOCUS_DIRECTION_INFTY;     state.minFocusStep = 0;     state.lastDirectionChange = 0;     state.stepToLastMax = 0;     state.rate = 0;     state.rateMax = 0;     return state; }  // 将焦距设置到极限(最大或最小),用于确定焦距调整范围 static void focusDriveEnd(VideoCapture & cap, int direction) {     while (cap.set(CAP_PROP_ZOOM, (double) MAX_FOCUS_STEP * direction))         ; }   /**  * 寻找最小的聚焦步长,以确保每次调整的焦距具有足够的精度。  * 这是通过二分法逐步逼近最小可调节的步长来实现的。  */  /**  * Minimal focus step depends on lens  * and I don't want to make any assumptions about it.  */ static int findMinFocusStep(VideoCapture & cap, unsigned int startWith,         int direction) {     int lStep, rStep;     lStep = 0;     rStep = startWith;      focusDriveEnd(cap, direction * FOCUS_DIRECTION_INFTY);     while (lStep < rStep)     {         int mStep = (lStep + rStep) / 2;         cap.set(CAP_PROP_ZOOM, direction * FOCUS_DIRECTION_INFTY * FOCUS_STEP);         if (cap.set(CAP_PROP_ZOOM, -direction * mStep))         {             rStep = mStep;         }         else         {             lStep = mStep + 1;         }     }     cap.set(CAP_PROP_ZOOM, direction * FOCUS_DIRECTION_INFTY * MAX_FOCUS_STEP);     if (GlobalArgs.verbose)     {         cout << "Found minimal focus step = " << lStep << endl;     }     return lStep; }  /**  * 评分帧的清晰度,从0(模糊)到1(清晰)。  * 通过计算图像中的边缘数量来评估图像的清晰度。  */  /**  * Rate frame from 0/blury/ to 1/sharp/.  */ static double rateFrame(Mat & frame) {     unsigned long int sum = 0;     unsigned long int size = frame.cols * frame.rows;     Mat edges;     cvtColor(frame, edges, COLOR_BGR2GRAY);     GaussianBlur(edges, edges, Size(7, 7), 1.5, 1.5);     Canny(edges, edges, 0, 30, 3);      MatIterator_ it, end;     for (it = edges.begin(), end = edges.end(); it != end; ++it)     {         sum += *it != 0;     }      return (double) sum / (double) size; }   /**  * 调整聚焦以优化图像清晰度。  * @param lastSucceeded: 上一次聚焦调整是否成功  * @param state: 当前的聚焦状态  * @param rate: 当前图像的清晰度评分  * @return: 返回调整的步长  */ static int correctFocus(bool lastSucceeded, FocusState & state, double rate) {     if (GlobalArgs.verbose)     {         cout << "RATE=" << rate << endl;     }     state.lastDirectionChange++;     double rateDelta = rate - state.rate; // 当前评分与上次评分的差异      // 如果当前评分高于之前的最大评分,更新最大评分并重置一些状态     if (rate >= state.rateMax + epsylon)     {         // Update Max         state.stepToLastMax = 0;         state.rateMax = rate;         // My local minimum is now on the other direction, that's why:         state.lastDirectionChange = 0;     }      // 如果上次调整失败,反转方向并减小步长     if (!lastSucceeded)     {         // Focus at limit or other problem, change the direction.         state.direction *= -1;         state.lastDirectionChange = 0;         state.step /= 2;     }     else     {     	// 如果评分变化很小,可能表示无法分辨,重置步长         if (rate < epsylon)         { // It's hard to say anything             state.step = FOCUS_STEP;         } 		// 如果评分下降,反转方向并减小步长         else if (rateDelta < -epsylon)         { // Wrong direction ?             state.direction *= -1;             state.step = static_cast(static_cast(state.step) * 0.75);             state.lastDirectionChange = 0;         } 		// 如果评分没有改善,并且条件满足,返回到最佳评分位置         else if ((rate + epsylon < state.rateMax)                 && ((state.lastDirectionChange > 3)                         || ((state.step < (state.minFocusStep * 1.5))                                 && state.stepToLastMax > state.step)))         { // I've done 3 steps (or I'm finishing) without improvement, go back to max.             state.direction = state.stepToLastMax >= 0 ? 1 : -1;             state.step = static_cast(static_cast(state.step) * 0.75);             int stepToMax = abs(state.stepToLastMax);             state.stepToLastMax = 0;             state.lastDirectionChange = 0; // Like reset.             state.rate = rate;             return stepToMax;         }     }     // Update state.     state.rate = rate;     state.stepToLastMax -= state.direction * state.step;     return state.step; }  static void showHelp(const char * pName, bool welcomeMsg) {     cout << "This program demonstrates usage of gPhoto2 VideoCapture.\n\n"             "With OpenCV build without gPhoto2 library support it will "             "do nothing special, just capture.\n\n"             "Simple implementation of autofocus is based on edges detection.\n"             "It was tested (this example) only with Nikon DSLR (Nikon D90).\n"             "But shall work on all Nikon DSLRs, and with little effort with other devices.\n"             "Visit http://www.gphoto.org/proj/libgphoto2/support.php\n"             "to find supported devices (need Image Capture at least).\n"             "Before run, set your camera autofocus ON.\n\n";      if (!welcomeMsg)     {         cout << "usage " << pName << ": [OPTIONS] DEVICE_NAME\n\n"                 "OPTIONS:\n"                 "\t-h\t\treturns this help message,\n"                 "\t-o=\tsave output video in file (MJPEG only),\n"                 "\t-f=FPS\t\tframes per second in output video,\n"                 "\t-m\t\tmeasure exposition\n"                 "\t\t\t(returns rates from closest focus to INTY\n"                 "\t\t\tfor every minimum step),\n"                 "\t-d=\t\tset minimum focus step,\n"                 "\t-v\t\tverbose mode.\n\n\n"                 "DEVICE_NAME\t\tis your digital camera model substring.\n\n\n"                 "On runtime you can use keys to control:\n";     }     else     {         cout << "Actions:\n";     }      cout << "\tk:\t- focus out,\n"             "\tj:\t- focus in,\n"             "\t,:\t- focus to the closest point,\n"             "\t.:\t- focus to infinity,\n"             "\tr:\t- reset autofocus state,\n"             "\tf:\t- switch autofocus on/off,\n"             "\tq:\t- quit.\n"; }  static bool parseArguments(int argc, char ** argv) {     cv::CommandLineParser parser(argc, argv, "{h help ||}{o||}{f||}{m||}{d|0|}{v||}{@device|Nikon|}");     if (parser.has("help"))         return false;     GlobalArgs.breakLimit = DEFAULT_BREAK_LIMIT;     if (parser.has("o"))         GlobalArgs.output = parser.get("o");     else         GlobalArgs.output = "";     if (parser.has("f"))         GlobalArgs.fps = parser.get("f");     else         GlobalArgs.fps = DEFAULT_OUTPUT_FPS;     GlobalArgs.measure = parser.has("m");     GlobalArgs.verbose = parser.has("v");     GlobalArgs.minimumFocusStep = parser.get("d");     GlobalArgs.deviceName = parser.get("@device");     if (!parser.check())     {         parser.printErrors();         return false;     }     if (GlobalArgs.fps < 0)     {         cerr << "Invalid fps argument." << endl;         return false;     }     if (GlobalArgs.minimumFocusStep < 0)     {         cerr << "Invalid minimum focus step argument." << endl;         return false;     }     return true; }  int main(int argc, char ** argv) {     if (!parseArguments(argc, argv))     {         showHelp(argv[0], false);         return -1;     }     VideoCapture cap(GlobalArgs.deviceName);     if (!cap.isOpened())     {         cout << "Cannot find device " << GlobalArgs.deviceName << endl;         showHelp(argv[0], false);         return -1;     }      VideoWriter videoWriter;     Mat frame;     FocusState state = createInitialState();     bool focus = true;     bool lastSucceeded = true;     namedWindow(windowOriginal, 1);      // Get settings:     if (GlobalArgs.verbose)     {         if ((cap.get(CAP_PROP_GPHOTO2_WIDGET_ENUMERATE) == 0)                 || (cap.get(CAP_PROP_GPHOTO2_WIDGET_ENUMERATE) == -1))         {             // Some VideoCapture implementations can return -1, 0.             cout << "This is not GPHOTO2 device." << endl;             return -2;         }         cout << "List of camera settings: " << endl                 << (const char *) (intptr_t) cap.get(CAP_PROP_GPHOTO2_WIDGET_ENUMERATE)                 << endl;         cap.set(CAP_PROP_GPHOTO2_COLLECT_MSGS, true);     }      cap.set(CAP_PROP_GPHOTO2_PREVIEW, true);     cap.set(CAP_PROP_VIEWFINDER, true);  	     cap >> frame; // To check PREVIEW output Size.     if (!GlobalArgs.output.empty())     {         Size S = Size((int) cap.get(CAP_PROP_FRAME_WIDTH), (int) cap.get(CAP_PROP_FRAME_HEIGHT));         int fourCC = VideoWriter::fourcc('M', 'J', 'P', 'G');         videoWriter.open(GlobalArgs.output, fourCC, GlobalArgs.fps, S, true);         if (!videoWriter.isOpened())         {             cerr << "Cannot open output file " << GlobalArgs.output << endl;             showHelp(argv[0], false);             return -1;         }     }     showHelp(argv[0], true); // welcome msg      if (GlobalArgs.minimumFocusStep == 0)     {         state.minFocusStep = findMinFocusStep(cap, FOCUS_STEP / 16, -FOCUS_DIRECTION_INFTY);     }     else     {         state.minFocusStep = GlobalArgs.minimumFocusStep;     }     focusDriveEnd(cap, -FOCUS_DIRECTION_INFTY); // Start with closest      char key = 0;     while (key != 'q' && key != 27 /*ESC*/)     {         cap >> frame;         if (frame.empty())         {             break;         }         if (!GlobalArgs.output.empty())         {             videoWriter << frame;         }  		// 在自动对焦模式下(非测量模式)         if (focus && !GlobalArgs.measure)         {                      int stepToCorrect = correctFocus(lastSucceeded, state, rateFrame(frame));             lastSucceeded = cap.set(CAP_PROP_ZOOM,                     max(stepToCorrect, state.minFocusStep) * state.direction);             if ((!lastSucceeded) || (stepToCorrect < state.minFocusStep))             {                 if (--GlobalArgs.breakLimit <= 0)                 {                     focus = false;                     state.step = state.minFocusStep * 4;                     cout << "In focus, you can press 'f' to improve with small step, "                             "or 'r' to reset." << endl;                 }             }             else             {                 GlobalArgs.breakLimit = DEFAULT_BREAK_LIMIT;             }         } 		//测量模式 		else if (GlobalArgs.measure)         {             double rate = rateFrame(frame);             if (!cap.set(CAP_PROP_ZOOM, state.minFocusStep))             {                 if (--GlobalArgs.breakLimit <= 0)                 {                     break;                 }             }             else             {                 cout << rate << endl;             }         }          if ((focus || GlobalArgs.measure) && GlobalArgs.verbose)         {             cout << "STATE\t" << state << endl;             cout << "Output from camera: " << endl                     << (const char *) (intptr_t) cap.get(CAP_PROP_GPHOTO2_FLUSH_MSGS) << endl;         }          imshow(windowOriginal, frame);         switch (key = static_cast(waitKey(30)))         {             case 'k': // focus out                 cap.set(CAP_PROP_ZOOM, 100);                 break;             case 'j': // focus in                 cap.set(CAP_PROP_ZOOM, -100);                 break;             case ',': // Drive to closest                 focusDriveEnd(cap, -FOCUS_DIRECTION_INFTY);                 break;             case '.': // Drive to infinity                 focusDriveEnd(cap, FOCUS_DIRECTION_INFTY);                 break;             case 'r': // reset focus state                 focus = true;                 state = createInitialState();                 break;             case 'f': // focus switch on/off                 focus ^= true;                 break;         }     }      if (GlobalArgs.verbose)     {         cout << "Captured " << (int) cap.get(CAP_PROP_FRAME_COUNT) << " frames"                 << endl << "in " << (int) (cap.get(CAP_PROP_POS_MSEC) / 1e2)                 << " seconds," << endl << "at avg speed "                 << (cap.get(CAP_PROP_FPS)) << " fps." << endl;     }      return 0; }  

相关内容

热门资讯

wepoke辅助德之星!wep... wepoke辅助德之星!wepoker都是真的有挂(透视)果真真的有挂(2020已更新)(哔哩哔哩)...
德州ai!wepoke有规律(... 德州ai!wepoke有规律(透明黑科技)苹果版教程-果然真的有挂(百度贴吧)1、下载好德州ai辅助...
七分钟揭秘!impoker德州... 七分钟揭秘!impoker德州外挂,(德州ai)一般真的有挂,辅助教程(有挂精通)1、下载好impo...
一分钟秒懂!wopoker有外... 一分钟秒懂!wopoker有外挂(透明黑科技)wepowerai辅助工具-果真真的有挂(知乎)所有人...
微扑克wpk透视辅助!impo... 微扑克wpk透视辅助!impoker都是真的有挂(透视)一直真的有挂(2023已更新)(哔哩哔哩);...
菠萝德州!wepoke挂透视(... 菠萝德州!wepoke挂透视(黑科技)插件挂教程-果然真的有挂(头条);1、进入游戏-大厅左侧-新手...
玩家必看科普!微扑克辅助安卓版... 玩家必看科普!微扑克辅助安卓版本(软件透明挂)wepOKE挂被实锤-果真真的有挂(微博热搜)进入游戏...
五分钟科研!aapoker德州... 五分钟科研!aapoker德州俱乐部,(德州ai)好像真的有挂,2025新版技巧(有挂晓得)aapo...
wpk有辅助挂!we-poke... wpk有辅助挂!we-poker原来真的有挂(软件透明挂)好像真的有挂(2025已更新)(哔哩哔哩)...
we辅助poker!wepok... we辅助poker!wepoke苹果版挂(辅助挂)最新版教程-果真真的有挂(今日头条)1、金币登录送...