Commit 37046691 authored by captainwong's avatar captainwong

use template refactor singleton pattern ok

parent ddbe329f
#ifndef ___SERVER_SERVICE_H_INCLUDED___
#define ___SERVER_SERVICE_H_INCLUDED___
//#include "INCLUDE/log.h"
#include "D:/global/log.h"
#include "threading.h"
#include "socket_server.h"
#include "iocp.h"
#include <vector>
using namespace std;
///////////////////////////////////////////////////////////////////////////////////////////////
//---------------------------- CLASS ----------------------------------------------------------
// A template class designed for verifying client sockets
// against time-out cases. Time-out case = if no I/O actions
// happen with a socket during a configured number of
// seconds. This implies that the attachment of the
// client socket must implement "GetTimeElapsed()" and "ResetTime(...)"
// methods.
template<class T>
class CTimeOutChecker: public IRunnable {
private:
unsigned int m_nTimeOutValue;
vector<ClientSocket<T> *> *m_arrSocketPool;
IOCPSimple<T> *m_hIocp;
protected:
// method checks sockets to detect time-out cases
virtual void run() {
ClientSocket<T>* pSocket = NULL;
unsigned int i = 0;
long lngTimeElapsed;
CLog::WriteLog( L"Time out checker service started.\n" );
vector<ClientSocket<T> *>::iterator itPos = m_arrSocketPool->begin();
while ( !CThread::currentThread().isInterrupted() ) {
if ( itPos >= m_arrSocketPool->end() ) {
itPos = m_arrSocketPool->begin();
i = 0;
}
pSocket = *itPos;
pSocket->Lock();
// check if client socket object is
// assigned a socket handler.
if ( pSocket->IsBusy() ) {
// call "GetTimeElapsed()" of the socket's
// attachment.
lngTimeElapsed = pSocket->GetAttachment()->GetTimeElapsed();
// check elapsed time, since last registered action,
// with the configured time-out.
if ( lngTimeElapsed > this->m_nTimeOutValue ) {
// clear the time and push the socket to
// the IOCP with status _CLOSE. Socket
// will be closed shortly.
pSocket->GetAttachment()->ResetTime( true );
m_hIocp->SetCloseMode( pSocket );
}
}
pSocket->UnLock();
// sleep 2 milliseconds after every 2 iterations
if ( ( i % 2 ) == 0 ) ::Sleep( 2 );
itPos++;
i++;
}
CLog::WriteLog( L"Time out checker service stopped.\n" );
};
public:
// Constructor of the template class. Requires:
// - a pointer to a collection of pointers to client sockets.
// This is the collection of sockets to be checked against
// time-out cases.
// - a pointer to the IO completion port object responsible
// for checking I/O events against passed collection of
// client sockets.
// - value of the time-out, in seconds.
CTimeOutChecker( vector<ClientSocket<T> *> *arrSocketPool,
IOCPSimple<T> *hIocp, unsigned int nTimeOutValue ) {
m_arrSocketPool = arrSocketPool;
m_hIocp = hIocp;
// If time-out is less than 5 seconds, drop it to 5 seconds.
// It is expected that configured time-out value to be >= 5!
if ( nTimeOutValue > 5 ) this->m_nTimeOutValue = nTimeOutValue;
else this->m_nTimeOutValue = 5;
};
// Nothing to destruct as inside the template class
// we keep/use just pointers obtained from external
// sources.
~CTimeOutChecker() {};
};
///////////////////////////////////////////////////////////////////////////////////////////////
//---------------------------- CLASS ----------------------------------------------------------
// A template interface showing how the client socket event
// handler should look like.
template<class T>
class ISockEvent {
public:
// Client socket ("pSocket") is about to be closed.
virtual void OnClose( ClientSocket<T> *pSocket,
MYOVERLAPPED *pOverlap,
ServerSocket<T> *pServerSocket,
IOCPSimple<T> *pHIocp
) = 0;
// Client socket ("pSocket") was just accepted by
// the server socket (new connection with a client
// is created).
virtual void OnAccept( ClientSocket<T> *pSocket,
MYOVERLAPPED *pOverlap,
ServerSocket<T> *pServerSocket,
IOCPSimple<T> *pHIocp
) = 0;
// Client socket ("pSocket") was returned from the IOCP
// queue with status _PENDING. For more details see
// "IOCPSimple<T>::SetPendingMode(...)". This method
// is invoked only if there was a call to
// "IOCPSimple<T>::SetPendingMode(...)", performed by a
// user code, internally "SetPendingMode(...)"
// is never called.
virtual void OnPending( ClientSocket<T> *pSocket,
MYOVERLAPPED *pOverlap,
ServerSocket<T> *pServerSocket,
IOCPSimple<T> *pHIocp
) = 0;
// Client socket ("pSocket") was returned from IOCP
// queue with status _READ. This means that overlapped
// reading operation, started previously with
// "ClientSocket<T>::ReadFromSocket(...)", was
// successfully finished.
// - "pOverlap->DataBuf" structure points to the data
// buffer and buffer's size that were passed to the
// "ClientSocket<T>::ReadFromSocket(...)".
// - "dwBytesTransferred" will indicate how many
// bytes were read.
virtual void OnReadFinalized( ClientSocket<T> *pSocket,
MYOVERLAPPED *pOverlap,
DWORD dwBytesTransferred,
ServerSocket<T> *pServerSocket,
IOCPSimple<T> *pHIocp
) = 0;
// Client socket ("pSocket") was returned from IOCP
// queue with status _WRITE. This means that overlapped
// writting operation, started previously with
// "ClientSocket<T>::WriteToSocket(...)", was
// successfully finished.
// - "pOverlap->DataBuf" structure points to the data
// buffer and buffer's size that were passed to the
// "ClientSocket<T>::WriteToSocket(...)".
// - "dwBytesTransferred" will indicate how many
// bytes were written.
virtual void OnWriteFinalized( ClientSocket<T> *pSocket,
MYOVERLAPPED *pOverlap,
DWORD dwBytesTransferred,
ServerSocket<T> *pServerSocket,
IOCPSimple<T> *pHIocp
) = 0;
};
///////////////////////////////////////////////////////////////////////////////////////////////
//---------------------------- CLASS ----------------------------------------------------------
// Class is used internally by "ServerService<T>" as a
// Task entity to be submitted to "ServerService<T>::m_ThPool".
template<class T>
class CSockEventTask: public IRunnable {
private:
MYOVERLAPPED *m_pOverlap;
ClientSocket<T> *m_pSocket;
ISockEvent<T> *m_pSEvent;
ServerSocket<T> *m_pServerSocket;
IOCPSimple<T> *m_pHIocp;
DWORD m_dwBytesTransferred;
QueuedBlocks<CSockEventTask<T> > *m_pSockEventTaskPool;
protected:
virtual void run() {
if ( m_pSEvent == NULL ) return;
m_pSocket->Lock();
// check if client socket object is assigned a socket
// handler and session assigned to operation is equal
// to the session of the socket.
if ( m_pSocket->IsBusy() && ( m_pOverlap->nSession == m_pSocket->GetSession() ) ) {
switch ( m_pOverlap->OperationType ) {
// invoke the relevant event handler
case _CLOSE:
{
struct sockaddr_in addr;
m_pSocket->GetAddrIn(addr);
CLog::WriteLogA( "CloseSocket request %d. IP:%s\n",
m_pSocket->GetSocket(), inet_ntoa(addr.sin_addr));
m_pSEvent->OnClose( m_pSocket, m_pOverlap, m_pServerSocket, m_pHIocp );
// Make sure (double check) the socket
// is closed.
m_pServerSocket->Release( m_pSocket );
break;
}
case _ACCEPT:
m_pSEvent->OnAccept( m_pSocket, m_pOverlap, m_pServerSocket, m_pHIocp );
break;
case _READ:
m_pSEvent->OnReadFinalized( m_pSocket, m_pOverlap, m_dwBytesTransferred,
m_pServerSocket, m_pHIocp );
break;
case _PENDING:
m_pSEvent->OnPending( m_pSocket, m_pOverlap, m_pServerSocket, m_pHIocp );
break;
case _WRITE:
m_pSEvent->OnWriteFinalized( m_pSocket, m_pOverlap, m_dwBytesTransferred,
m_pServerSocket, m_pHIocp );
break;
default:
CLog::WriteLog( L"Oops...\n" );
}
}
m_pSocket->UnLock();
// Place the structure back to the pool.
Overlapped::Release( m_pOverlap );
m_pSockEventTaskPool->Release( this );
};
public:
CSockEventTask() { Clear(); };
// Set everything required to the Task to be
// able to invoke the relevant event handler.
void Set( QueuedBlocks<CSockEventTask<T> > *pSockEventTaskPool,
ISockEvent<T> *pSEvent,
ClientSocket<T> *pSocket,
MYOVERLAPPED *pOverlap,
DWORD dwBytesTransferred,
ServerSocket<T> *pServerSocket,
IOCPSimple<T> *pHIocp
) {
m_pSockEventTaskPool = pSockEventTaskPool;
m_pSEvent = pSEvent;
m_pOverlap = pOverlap;
m_dwBytesTransferred = dwBytesTransferred;
m_pSocket = pSocket;
m_pServerSocket = pServerSocket;
m_pHIocp = pHIocp;
};
// Method is used by 'QueuedBlocks' from
// "mem_manager.h".
void Clear() {
m_dwBytesTransferred = 0;
m_pSockEventTaskPool = NULL;
m_pSEvent = NULL;
m_pOverlap = NULL;
m_pSocket = NULL;
m_pServerSocket = NULL;
m_pHIocp = NULL;
};
};
///////////////////////////////////////////////////////////////////////////////////////////////
//---------------------------- CLASS ----------------------------------------------------------
// Well, finally, here is the template class joining all
// the stuff together. Considering the Aspect Oriented paradigm,
// this template class may be seen as an Aspect. The "individualizations"
// of this aspect are "ISockEvent<T>" and "T" itself. "T" is nothing
// else but attachment of the client socket (see ClientSocket<T> template
// class for more details). Implementing "ISockEvent<T>" and "T" will
// define the individual behaviour of this aspect.
// It is a composition of the IOCP, server socket, time-out checker
// and thread pool. Class implements the business logic that makes all
// these entities working together.
template<class T>
class ServerService: public IRunnable {
private:
ServerSocket<T> m_ServerSocket;
IOCPSimple<T> m_hIocp;
ISockEvent<T> *m_pSEvent;
CTimeOutChecker<T> *m_TChecker;
// thread pool which will execute the tasks
CSimpleThreadPool *m_ThPool;
// a pool of the CSockEventTask<T> objects
QueuedBlocks<CSockEventTask<T> > m_SockEventTaskPool;
protected:
// This method will be executed by a thread
// of the task pool.
virtual void run() {
int nRet;
DWORD dwBytesTransferred;
MYOVERLAPPED *pOverlap = NULL;
ClientSocket<T> *pSocket = NULL;
CLog::WriteLog( L"Socket service thread started.\n" );
while ( !CThread::currentThread().isInterrupted() ) {
::Sleep( 10 );
// check for an incoming connection
pSocket = m_ServerSocket.Accept();
if ( pSocket != NULL ) {
struct sockaddr_in addr;
pSocket->GetAddrIn(addr);
wchar_t * tmp = AnsiToUtf16(inet_ntoa(addr.sin_addr));
CLog::WriteLog( L"Socket created at %d. IP:%s\n",
pSocket->GetSocket(), tmp);
delete tmp;
// associate socket with IOCP
m_hIocp.AssociateSocket( pSocket );
pSocket->GetAttachment()->ResetTime( false );
// push the socket to the IOCP queue with
// status _ACCEPT
if ( !( m_hIocp.SetAcceptMode( pSocket ) ) ) {
m_ServerSocket.Release( pSocket );
}
}
dwBytesTransferred = 0;
pSocket = NULL;
// check the IOCP queue for:
// - a completed I/O operation against a socket or
// - a queued socket with a fake status like _ACCEPT,
// _CLOSE or _PENDING
//
// When an overlapped I/O completes, an I/O completion packet
// arrives at the IOCP and GetQueuedCompletionStatus returns.
nRet = m_hIocp.GetQueuedCompletionStatus( &dwBytesTransferred,
&pSocket, &pOverlap );
// something is wrong
if ( nRet == 0 ) {
if ( ::GetLastError() == WAIT_TIMEOUT ) continue;
if ( pOverlap != NULL ) dwBytesTransferred = 0;
else continue;
}
if ( pSocket == NULL ) {
Overlapped::Release( pOverlap );
continue;
}
// not good if zero bytes were transferred
if ( dwBytesTransferred == 0 ) {
// clear the time and push the socket to
// the IOCP with status _CLOSE. Socket
// will be closed shortly.
if ( pSocket->IsBusy() && ( pOverlap->nSession == pSocket->GetSession() ) ) {
pSocket->GetAttachment()->ResetTime( true );
if ( !( m_hIocp.SetCloseMode( pSocket, pOverlap ) ) ) {
m_ServerSocket.Release( pSocket );
}
}
Overlapped::Release( pOverlap );
}
else {
// obtain a free instance of the event task
// which will be submitted to the threat pool
CSockEventTask<T> *pCSockEv = m_SockEventTaskPool.Get();
if ( pCSockEv != NULL ) {
pCSockEv->Set( &m_SockEventTaskPool, m_pSEvent,
pSocket, pOverlap, dwBytesTransferred,
&m_ServerSocket, &m_hIocp
);
// _CLOSE operation type will have a lower
// priority that other operation types.
int priority = ( pOverlap->OperationType == _CLOSE )?1:2;
// submit the task to the thread pool
m_ThPool->submit( pCSockEv, priority );
}
else {
// no free resources, so close the socket
m_ServerSocket.Release( pSocket );
Overlapped::Release( pOverlap );
}
}
}
CLog::WriteLog( L"Socket service thread stopped.\n" );
};
public:
// Constructor or the class.
// pSEvent - pointer to an instance implementing
// ISockEvent<T>. This instance will be used
// as a client socket event handler.
// nPort - port number to bind server socket to.
// nMaxClients - the maximum number of accepted (concurrent)
// client connections. To be passed to
// the server socket and also will be used
// as the initial size for the pool of the
// CSockEventTask<T> objects.
// nNoThreads - indicative (the real one is computed,
// see below) number of the threads
// to be created by the thread pool.
// timeout - the value of the time-out, in seconds.
// Will be passed to the time-out checker.
// If time-out is zero, time-out checker
// will not be created.
// blnBindLocal - see ServerSocket<T> for more details.
// If "true" then server socket is bind
// to localhost ("127.0.0.1").
// If "false" then server socket is bind
// to INADDR_ANY ("0.0.0.0").
ServerService( ISockEvent<T> *pSEvent, unsigned int nPort, unsigned int nMaxClients,
unsigned int nNoThreads, unsigned int timeout,
bool blnBindLocal = true ):
m_ServerSocket( nPort, nMaxClients, true, blnBindLocal ),
m_hIocp( 200 ), m_SockEventTaskPool( nMaxClients ) {
unsigned int i = 0;
SYSTEM_INFO si;
CLog::WriteLog( L"Creating \"socket_listener\" ... " );
if ( nMaxClients < 1 ) {
throw "illegal value for \"max_connections\" supplied (should be > 0).";
}
if ( nNoThreads < 1 ) {
throw "illegal value for \"working_threads\" supplied (should be > 0).";
}
if ( pSEvent == NULL ) {
throw "NULL pointer set for socket event handler.";
}
m_pSEvent = pSEvent;
// Query system info in order to check
// how many CPU's are there installed in
// the system.
::GetSystemInfo( &si );
// Compute the real number of the threads
// to be created by the thread pool.
i = nNoThreads + si.dwNumberOfProcessors;
// If configured time-out is zero, then don't
// create time-out checker object. Client sockets
// will not be checked against time-out cases.
if ( timeout > 0 ) {
m_TChecker = new CTimeOutChecker<T>( m_ServerSocket.GetPool(), &m_hIocp, timeout );
// Increase the number of the threads,
// +1 for the time-out checker.
i++;
} else m_TChecker = NULL;
// Create the thread pool which will handle
// the tasks. "nMaxClients" is used as the
// initial capacity of the priority queue
// of (associated with) the thread pool.
m_ThPool = new CSimpleThreadPool( i, 2 * nMaxClients );
// Submit this instance (as a task) to the
// thread pool, as many times as CPU's are installed
// in the system. The "run()" method will be executed
// by pool's threads.
for (i = 0; i < si.dwNumberOfProcessors; i++) m_ThPool->submit( this, 1 );
// If time-out checker was created, then
// submit it to the thread pool (as a task).
if ( m_TChecker != NULL ) m_ThPool->submit( m_TChecker );
CLog::WriteLog( L"DONE\n" );
};
virtual ~ServerService() {
// Stop all the pool's threads.
m_ThPool->shutdown();
// If time-out checker was created, then
// delete it.
if (m_TChecker != NULL) delete m_TChecker;
// Delete the thread pool.
delete m_ThPool;
CLog::WriteLog( L"Killing \"socket_listener\" ... DONE\n" );
};
// Start the threat pool (== all the
// threads in the pool).
void start() { m_ThPool->startAll(); };
};
#endif
#pragma once
#ifdef WIN32
#ifndef _CRT_SECURE_NO_WARNINGS
#define _CRT_SECURE_NO_WARNINGS
#endif
#include <Windows.h>
#endif
......@@ -43,6 +45,7 @@ class log : private boost::noncopyable
private:
bool log_to_file_ = false;
bool log_to_dbg_view_ = true;
bool log_to_console_ = true;
bool running_ = false;
std::ofstream log_file_;
std::string log_file_foler_ = "";
......@@ -56,6 +59,8 @@ public:
void set_line_prifix(const std::string& prefix) { line_prefix_ = prefix; }
void set_output_to_dbg_view(bool b = true) { log_to_dbg_view_ = b; }
void set_output_to_console(bool b = true) { log_to_console_ = b; }
void set_log_file_foler(const std::string& folder_path) { log_file_foler_ = folder_path.empty() ? "" : folder_path + "\\"; }
......@@ -102,7 +107,7 @@ public:
try {
log* instance = log::get_instance();
if (instance->log_to_file_ || instance->log_to_dbg_view_) {
if (instance->log_to_file_ || instance->log_to_dbg_view_ || instance->log_to_console_) {
size_t output_len = buff_len * 6 + 64;
std::unique_ptr<char[]> output = std::unique_ptr<char[]>(new char[output_len]);
output[0] = 0;
......@@ -129,7 +134,7 @@ public:
try {
log* instance = log::get_instance();
if (instance->log_to_file_ || instance->log_to_dbg_view_) {
if (instance->log_to_file_ || instance->log_to_dbg_view_ || instance->log_to_console_) {
size_t output_len = buff_len * 6 + 64;
std::unique_ptr<char[]> output = std::unique_ptr<char[]>(new char[output_len]);
output[0] = 0;
......@@ -156,7 +161,7 @@ public:
try {
log* instance = log::get_instance();
if (instance->log_to_file_ || instance->log_to_dbg_view_) {
if (instance->log_to_file_ || instance->log_to_dbg_view_ || instance->log_to_console_) {
wchar_t buf[max_output_size], *p;
p = buf;
va_list args;
......@@ -183,6 +188,10 @@ public:
std::printf(msg.c_str());
#endif
}
if (instance->log_to_console_) {
std::wprintf(L"%s", buf);
}
}
} catch (...) {
assert(0);
......@@ -194,7 +203,7 @@ public:
try {
log* instance = log::get_instance();
if (instance->log_to_file_ || instance->log_to_dbg_view_) {
if (instance->log_to_file_ || instance->log_to_dbg_view_ || instance->log_to_console_) {
char buf[max_output_size], *p;
p = buf;
va_list args;
......@@ -251,6 +260,10 @@ protected:
if (log_to_dbg_view_) {
output_to_dbg_view(msg);
}
if (log_to_console_) {
std::printf(msg.c_str());
}
}
void output_to_log_file(const std::string& msg) {
......@@ -269,13 +282,13 @@ protected:
if (log_file_.is_open()) {
log_file_.write(msg.c_str(), msg.size());
log_file_.flush();
}
}
void output_to_dbg_view(const std::string& msg) {
#ifdef WIN32
USES_CONVERSION;
OutputDebugStringW(A2W(msg.c_str()));
OutputDebugStringA(msg.c_str());
#else
std::printf(msg.c_str());
#endif
......@@ -286,22 +299,24 @@ protected:
};
class LogFunction {
class log_function {
private:
const char* func_name_;
std::chrono::steady_clock::time_point begin_;
public:
LogFunction(const char* func_name) : func_name_(func_name) {
log_function(const char* func_name) : func_name_(func_name) {
JLOGA("%s in\n", func_name_); begin_ = std::chrono::steady_clock::now();
}
~LogFunction() {
~log_function() {
auto diff = std::chrono::steady_clock::now() - begin_;
auto msec = std::chrono::duration_cast<std::chrono::milliseconds>(diff);
JLOGA("%s out, duration: %d(ms)\n", func_name_, msec.count());
}
};
#define LOG_FUNCTION(func_name) jlib::LogFunction __log_function_object__(func_name);
#define LOG_FUNCTION(func_name) jlib::log_function __log_function_object__(func_name);
#define AUTO_LOG_FUNCTION LOG_FUNCTION(__FUNCTION__);
class range_log
......
......@@ -22,6 +22,20 @@ inline std::string time_point_to_string(const std::chrono::system_clock::time_po
return ss.str();
}
inline std::wstring time_point_to_wstring(const std::chrono::system_clock::time_point& tp, bool with_milliseconds = false)
{
std::wstringstream ss;
auto t = std::chrono::system_clock::to_time_t(tp);
std::tm* tm = std::localtime(&t);
ss << std::put_time(tm, L"%Y-%m-%d %H:%M:%S");
if (with_milliseconds) {
auto ms = std::chrono::duration_cast<std::chrono::milliseconds>(tp.time_since_epoch());
auto millis = ms.count() % 1000;
ss << L'.' << std::setw(3) << std::setfill(L'0') << millis;
}
return ss.str();
}
inline std::chrono::system_clock::time_point string_to_time_point(const std::string& s)
{
std::tm tm = { 0 };
......@@ -30,11 +44,24 @@ inline std::chrono::system_clock::time_point string_to_time_point(const std::str
return std::chrono::system_clock::from_time_t(std::mktime(&tm));
}
inline std::chrono::system_clock::time_point wstring_to_time_point(const std::wstring& s)
{
std::tm tm = { 0 };
std::wistringstream ss(s);
ss >> std::get_time(&tm, L"%Y-%m-%d %H:%M:%S");
return std::chrono::system_clock::from_time_t(std::mktime(&tm));
}
inline std::string now_to_string(bool with_milliseconds = false)
{
return time_point_to_string(std::chrono::system_clock::now(), with_milliseconds);
}
inline std::wstring now_to_wstring(bool with_milliseconds = false)
{
return time_point_to_wstring(std::chrono::system_clock::now(), with_milliseconds);
}
......
......@@ -8,8 +8,10 @@
#include "chrono_wrapper.h"
#include "MyWSAError.h"
//#include "observer_macro.h"
#include "observer.h"
#include "micro_getter_setter.h"
#include "micro_singleton.h"
//#include "micro_singleton.h"
#include "singleton.h"
namespace jlib {
......@@ -22,6 +24,15 @@ inline std::wstring get_exe_path()
}
inline std::string get_exe_path_a()
{
char path[1024] = { 0 };
GetModuleFileNameA(nullptr, path, 1024);
std::string::size_type pos = std::string(path).find_last_of("\\/");
return std::string(path).substr(0, pos);
}
class auto_timer : public boost::noncopyable
{
private:
......
#pragma once
#define DECLARE_SINGLETON(class_name) \
private: \
class_name(); \
static class_name* m_pInstance; \
static std::mutex m_lock4Instance; \
public: \
static class_name* GetInstance() { \
std::lock_guard<std::mutex> lock(m_lock4Instance); \
if (m_pInstance == NULL){ \
m_pInstance = new class_name(); \
} \
return m_pInstance; \
} \
static void ReleaseObject() { \
if (m_pInstance) { delete m_pInstance; m_pInstance = NULL; } \
}
#define IMPLEMENT_SINGLETON(class_name) \
class_name* class_name::m_pInstance = NULL; \
std::mutex class_name::m_lock4Instance;
#pragma once
#include <memory>
#include <list>
#include <mutex>
#include <boost/noncopyable.hpp>
namespace dp {
template <typename target>
class observer : public std::enable_shared_from_this<observer<target>>
{
public:
virtual void on_update(const target&) = 0;
};
template <typename target>
class observable : public boost::noncopyable
{
public:
typedef observer<target> observer_type;
typedef std::weak_ptr<observer_type> observer_ptr;
typedef std::lock_guard<std::mutex> lock_guard_type;
protected:
mutable std::mutex _mutex;
std::list<observer_ptr> _observers;
public:
void register_observer(const observer_ptr& obj) {
lock_guard_type lock(_mutex);
_observers.push_back(obj);
}
void notify_observers(const target& target) {
lock_guard_type lock(_mutex);
auto iter = _observers.begin();
while (iter != _observers.end()) {
std::shared_ptr<observer_type> obj(iter->lock());
if (obj) {
obj->on_update(target);
++iter;
} else {
iter = _observers.erase(iter);
}
}
}
};
};
#pragma once
class CLocalLock
{
public:
CLocalLock(LPCRITICAL_SECTION lpCriticalSection)
:m_lpCriticalSection(lpCriticalSection)
{
EnterCriticalSection(m_lpCriticalSection);
}
~CLocalLock()
{
LeaveCriticalSection(m_lpCriticalSection);
}
private:
LPCRITICAL_SECTION m_lpCriticalSection;
};
class CLock
{
public:
/*CLock(PCRITICAL_SECTION cs) : m_cs(cs), bNullInit(FALSE)
{
if (m_cs == NULL) {
bNullInit = TRUE;
m_cs = new CRITICAL_SECTION();
}
InitializeCriticalSection(m_cs);
}*/
CLock()/* : m_cs(NULL), bNullInit(FALSE)*/
{
/*if (m_cs == NULL) {
m_cs = new CRITICAL_SECTION();
}*/
InitializeCriticalSection(&m_cs);
}
~CLock()
{
DeleteCriticalSection(&m_cs);
/*if (bNullInit) {
delete m_cs;
}*/
}
void Lock()
{
EnterCriticalSection(&m_cs);
}
void UnLock()
{
LeaveCriticalSection(&m_cs);
}
BOOL TryLock()
{
return ::TryEnterCriticalSection(&m_cs);
}
LPCRITICAL_SECTION GetLockObject() { return &m_cs; }
private:
CRITICAL_SECTION m_cs;
//BOOL bNullInit;
};
#pragma once
class CLocalLock
{
public:
CLocalLock(LPCRITICAL_SECTION lpCriticalSection)
:m_lpCriticalSection(lpCriticalSection)
{
EnterCriticalSection(m_lpCriticalSection);
}
~CLocalLock()
{
LeaveCriticalSection(m_lpCriticalSection);
}
private:
LPCRITICAL_SECTION m_lpCriticalSection;
};
class CLock
{
public:
/*CLock(PCRITICAL_SECTION cs) : m_cs(cs), bNullInit(FALSE)
{
if (m_cs == NULL) {
bNullInit = TRUE;
m_cs = new CRITICAL_SECTION();
}
InitializeCriticalSection(m_cs);
}*/
CLock()/* : m_cs(NULL), bNullInit(FALSE)*/
{
/*if (m_cs == NULL) {
m_cs = new CRITICAL_SECTION();
}*/
InitializeCriticalSection(&m_cs);
}
~CLock()
{
DeleteCriticalSection(&m_cs);
/*if (bNullInit) {
delete m_cs;
}*/
}
void Lock()
{
EnterCriticalSection(&m_cs);
}
void UnLock()
{
LeaveCriticalSection(&m_cs);
}
BOOL TryLock()
{
return ::TryEnterCriticalSection(&m_cs);
}
LPCRITICAL_SECTION GetLockObject() { return &m_cs; }
private:
CRITICAL_SECTION m_cs;
//BOOL bNullInit;
};
#pragma once
#define DECLARE_SINGLETON(class_name) \
private: \
class_name(); \
static class_name* instance_for_singleton_; \
static std::mutex mutex_for_singleton_; \
public: \
static class_name* get_instance() { \
std::lock_guard<std::mutex> lock(mutex_for_singleton_); \
if (instance_for_singleton_ == nullptr) { \
instance_for_singleton_ = new class_name(); \
} \
return instance_for_singleton_; \
} \
static void release_singleton_object()() { \
if (instance_for_singleton_) { delete instance_for_singleton_; instance_for_singleton_ = nullptr; } \
}
#define IMPLEMENT_SINGLETON(class_name) \
class_name* class_name::instance_for_singleton_ = nullptr; \
std::mutex class_name::mutex_for_singleton_;
#pragma once
namespace jlib {
// place this macro in your class's header file, in your class's definition
#define DECLARE_OBSERVER(callback, param_type) \
protected: \
typedef callback _callback_type; \
typedef const param_type _param_type; \
typedef struct callback##Info { \
DECLARE_UNCOPYABLE(callback##Info) \
public: \
callback##Info() : _udata(NULL), _on_result(NULL) {} \
callback##Info(void* udata, _callback_type on_result) : _udata(udata), _on_result(on_result) {} \
void* _udata; \
_callback_type _on_result; \
}_callbackInfo; \
std::list<_callbackInfo *> _observerList; \
CLock _lock4ObserverList; \
public: \
void RegisterObserver(void* udata, _callback_type cb); \
void UnRegisterObserver(void* udata); \
void NotifyObservers(_param_type param);
// place this macro in your class's cpp file
#define IMPLEMENT_OBSERVER(class_name) \
void class_name::RegisterObserver(void* udata, _callback_type cb) \
{ \
AUTO_LOG_FUNCTION; \
_lock4ObserverList.Lock(); \
_callbackInfo *observer = new _callbackInfo(udata, cb); \
_observerList.push_back(observer); \
_lock4ObserverList.UnLock(); \
} \
void class_name::UnRegisterObserver(void* udata) \
{ \
AUTO_LOG_FUNCTION; \
_lock4ObserverList.Lock(); \
std::list<_callbackInfo *>::iterator iter = _observerList.begin(); \
while (iter != _observerList.end()) { \
_callbackInfo* observer = *iter; \
if (observer->_udata == udata) { \
delete observer; \
_observerList.erase(iter); \
break; \
} \
iter++; \
} \
_lock4ObserverList.UnLock(); \
} \
void class_name::NotifyObservers(_param_type param) \
{ \
AUTO_LOG_FUNCTION; \
_lock4ObserverList.Lock(); \
std::list<_callbackInfo *>::iterator iter = _observerList.begin(); \
while (iter != _observerList.end()) { \
_callbackInfo * observer = *iter++; \
observer->_on_result(observer->_udata, param); \
} \
_lock4ObserverList.UnLock(); \
}
// place this macro in your class's destruct function.
#define DESTROY_OBSERVER \
{ \
std::list<_callbackInfo *>::iterator iter = _observerList.begin(); \
while (iter != _observerList.end()) { \
_callbackInfo * observer = *iter++; \
delete observer; \
} \
_observerList.clear(); \
}
};
#pragma once
namespace jlib {
// place this macro in your class's header file, in your class's definition
#define DECLARE_OBSERVER(callback, param_type) \
protected: \
typedef callback _callback_type; \
typedef const param_type _param_type; \
typedef struct callback##Info { \
DECLARE_UNCOPYABLE(callback##Info) \
public: \
callback##Info() : _udata(NULL), _on_result(NULL) {} \
callback##Info(void* udata, _callback_type on_result) : _udata(udata), _on_result(on_result) {} \
void* _udata; \
_callback_type _on_result; \
}_callbackInfo; \
std::list<_callbackInfo *> _observerList; \
CLock _lock4ObserverList; \
public: \
void RegisterObserver(void* udata, _callback_type cb); \
void UnRegisterObserver(void* udata); \
void NotifyObservers(_param_type param);
// place this macro in your class's cpp file
#define IMPLEMENT_OBSERVER(class_name) \
void class_name::RegisterObserver(void* udata, _callback_type cb) \
{ \
AUTO_LOG_FUNCTION; \
_lock4ObserverList.Lock(); \
_callbackInfo *observer = new _callbackInfo(udata, cb); \
_observerList.push_back(observer); \
_lock4ObserverList.UnLock(); \
} \
void class_name::UnRegisterObserver(void* udata) \
{ \
AUTO_LOG_FUNCTION; \
_lock4ObserverList.Lock(); \
std::list<_callbackInfo *>::iterator iter = _observerList.begin(); \
while (iter != _observerList.end()) { \
_callbackInfo* observer = *iter; \
if (observer->_udata == udata) { \
delete observer; \
_observerList.erase(iter); \
break; \
} \
iter++; \
} \
_lock4ObserverList.UnLock(); \
} \
void class_name::NotifyObservers(_param_type param) \
{ \
AUTO_LOG_FUNCTION; \
_lock4ObserverList.Lock(); \
std::list<_callbackInfo *>::iterator iter = _observerList.begin(); \
while (iter != _observerList.end()) { \
_callbackInfo * observer = *iter++; \
observer->_on_result(observer->_udata, param); \
} \
_lock4ObserverList.UnLock(); \
}
// place this macro in your class's destruct function.
#define DESTROY_OBSERVER \
{ \
std::list<_callbackInfo *>::iterator iter = _observerList.begin(); \
while (iter != _observerList.end()) { \
_callbackInfo * observer = *iter++; \
delete observer; \
} \
_observerList.clear(); \
}
};
\ No newline at end of file
#pragma once
#include <memory>
#include <mutex>
#include <boost/noncopyable.hpp>
namespace dp {
template <class T>
class singleton : public boost::noncopyable
{
protected:
static std::shared_ptr<T> instance_;
static std::mutex mutex_for_singleton_;
singleton() {}
class T_ctor : public T {
public:
T_ctor() : T() {}
};
public:
virtual ~singleton() {}
static std::shared_ptr<T> get_instance() {
std::lock_guard<std::mutex> lock(mutex_for_singleton_);
if (!instance_) {
instance_ = std::make_shared<T_ctor>();
}
return instance_;
}
static T& get_object() {
return *get_instance();
}
static void release_singleton() {
instance_ = nullptr;
}
};
template <class T>
std::mutex singleton<T>::mutex_for_singleton_;
template <class T>
std::shared_ptr<T> singleton<T>::instance_ = nullptr;
}
......@@ -45,6 +45,15 @@ namespace utf8 {
utf8::utf8to16(a.begin(), a.end(), std::back_inserter(w));
return w;
}
inline bool mbcs_to_u16(const char* mbcs, wchar_t* u16buffer, size_t u16size) {
size_t request_size = MultiByteToWideChar(CP_ACP, 0, mbcs, -1, NULL, 0);
if (1 < request_size && request_size < u16size) {
MultiByteToWideChar(CP_ACP, 0, mbcs, -1, u16buffer, request_size);
return true;
}
return false;
};
}
#endif // header guard
Markdown is supported
0% or
You are about to add 0 people to the discussion. Proceed with caution.
Finish editing this message first!
Please register or to comment