Evgenii Legotckoi
28 декабря 2018 г. 20:09

Boost - выполнение периодических задач с использованием boost::thread

Предлагаю написать небольшую консольную программу, которая через равные промежутки времени будет выполнять одну задачу.

Например, программа запускается и делает 10 проб в течение 10 секунд, при этом программа будет выводить информацию о количестве обратного отсчета в консоль.

Программа будет работать следующим образом.

Выполнение периодический задачи в консольном приложении


Структура проекта

В проекте используется система сборки CMake, поэтому структура проекта будет следующей.

PeriodicTask project structure

CMakeLists.txt

Вот стандартная конфигурация CMake для сборки проекта.

  1. cmake_minimum_required (VERSION 3.8)
  2.  
  3. project(Periodic)
  4.  
  5. set(CMAKE_CXX_STANDARD 17)
  6. set(Boost_USE_STATIC_LIBS ON)
  7.  
  8. find_package(Boost 1.68 REQUIRED COMPONENTS thread)
  9.  
  10. set(SOURCE_FILES
  11. Periodic/main.cpp
  12. Periodic/PeriodicTask.cpp)
  13.  
  14. SET(HEADER_FILES
  15. Periodic/PeriodicTask.h)
  16.  
  17. if(Boost_FOUND)
  18. include_directories(${Boost_INCLUDE_DIRS})
  19. add_executable(Periodic ${SOURCE_FILES} ${HEADER_FILES})
  20. target_link_libraries(Periodic ${Boost_LIBRARIES})
  21. endif()

PeriodicTask.h

Заголовочный файл периодической задачи.

В простейшем случае для создания класса периодической задачи нам потребуется:

  • триггерный период
  • объект std::function для хранения задачи
  • переменная bool для остановки и запуска задачи. В данном примере мы не будем останавливать задачу, но если добавить методы run/stop, то реализовать это вполне возможно.
  • boost::thread — поток, без которого этот функционал не может быть реализован
  1. #pragma once
  2.  
  3. #include <boost/thread.hpp>
  4. #include <boost/chrono.hpp>
  5. #include <functional>
  6. #include <atomic>
  7.  
  8. class PeriodicTask
  9. {
  10. public:
  11. explicit PeriodicTask(const boost::chrono::milliseconds &period, const std::function<void()> &func);
  12.  
  13. virtual ~PeriodicTask();
  14.  
  15. private:
  16. boost::chrono::milliseconds m_period; // Task period
  17. std::function<void()> m_func; // The function that will perform the periodic task
  18. std::atomic<bool> m_running; // A variable that indicates that the task is running, with the help of it you can stop the task in the future
  19. boost::thread m_thread; // Task thread
  20. };

PeriodicTask.cpp

  1. #include "PeriodicTask.h"
  2.  
  3. PeriodicTask::PeriodicTask(const boost::chrono::milliseconds &period, const std::function<void()> &func) :
  4. m_period(period),
  5. m_func(func),
  6. m_running(true)
  7. {
  8. // Create a stream object to perform a periodic task.
  9. m_thread = boost::thread([this]
  10. {
  11. while (m_running)
  12. {
  13. // To perform a task with a specific period, immerse the stream in a dream after each task execution.
  14. boost::this_thread::sleep_for(m_period);
  15. if (m_running)
  16. {
  17. // perform the task
  18. m_func();
  19. }
  20. }
  21. });
  22. }
  23.  
  24. PeriodicTask::~PeriodicTask()
  25. {
  26. // When destroying an object with a periodic task
  27. m_running = false;
  28. // interrupt the flow, otherwise the program will not release system resources until the flow comes out of sleep
  29. // this is critical if the trigger period of the task is measured in tens of seconds and more
  30. m_thread.interrupt();
  31. m_thread.join();
  32. }

main.cpp

Файл с основной функцией. Когда мы создаем объект периодической задачи, мы помещаем в него лямбда-функцию как задачу, как самый простой способ указать, какую работу нужно выполнить.

  1. #include "PeriodicTask.h" // We connect the class header file to perform periodic tasks.
  2.  
  3. #include <iostream>
  4.  
  5. int main(int argc, const char* argv[])
  6. {
  7. std::cout << "Start program" << std::endl;
  8. int count = 0;
  9. // Create a periodic task with a period of 1 second
  10. PeriodicTask p(boost::chrono::seconds{ 1 }, [&count]() {
  11. // Display the counter and increment it by one.
  12. std::cout << count++ << std::endl;
  13. });
  14.  
  15. // Stop the main program flow for 10 seconds so that the periodic task can work 10 times.
  16. boost::this_thread::sleep_for(boost::chrono::seconds{ 10 });
  17. std::cout << "End program" << std::endl;
  18. return 0;
  19. }

Заключение

В заключение прилагаю архив с проектом.

Periodic.zip Periodic.zip

Рекомендуемые статьи по этой тематике

По статье задано0вопрос(ов)

1

Вам это нравится? Поделитесь в социальных сетях!

Комментарии

Только авторизованные пользователи могут публиковать комментарии.
Пожалуйста, авторизуйтесь или зарегистрируйтесь