Commit ba14ba35 authored by captainwong's avatar captainwong

base

parent 90bfd631
#pragma once
namespace jlib
{
// Taken from google-protobuf stubs/common.h
//
// Protocol Buffers - Google's data interchange format
// Copyright 2008 Google Inc. All rights reserved.
// http://code.google.com/p/protobuf/
//
// Redistribution and use in source and binary forms, with or without
// modification, are permitted provided that the following conditions are
// met:
//
// * Redistributions of source code must retain the above copyright
// notice, this list of conditions and the following disclaimer.
// * 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.
// * Neither the name of Google Inc. nor the names of its
// contributors may be used to endorse or promote products derived from
// this software without specific prior written permission.
//
// 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
// OWNER 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.
// Author: kenton@google.com (Kenton Varda) and others
//
// Contains basic types and utilities used by the rest of the library.
//
// Use implicit_cast as a safe version of static_cast or const_cast
// for upcasting in the type hierarchy (i.e. casting a pointer to Foo
// to a pointer to SuperclassOfFoo or casting a pointer to Foo to
// a const pointer to Foo).
// When you use implicit_cast, the compiler checks that the cast is safe.
// Such explicit implicit_casts are necessary in surprisingly many
// situations where C++ demands an exact type match instead of an
// argument type convertable to a target type.
//
// The From type can be inferred, so the preferred syntax for using
// implicit_cast is the same as for static_cast etc.:
//
// implicit_cast<ToType>(expr)
//
// implicit_cast would have been part of the C++ standard library,
// but the proposal was submitted too late. It will probably make
// its way into the language in the future.
template<typename To, typename From>
inline To implicit_cast(From const &f)
{
return f;
}
// When you upcast (that is, cast a pointer from type Foo to type
// SuperclassOfFoo), it's fine to use implicit_cast<>, since upcasts
// always succeed. When you downcast (that is, cast a pointer from
// type Foo to type SubclassOfFoo), static_cast<> isn't safe, because
// how do you know the pointer is really of type SubclassOfFoo? It
// could be a bare Foo, or of type DifferentSubclassOfFoo. Thus,
// when you downcast, you should use this macro. In debug mode, we
// use dynamic_cast<> to double-check the downcast is legal (we die
// if it's not). In normal mode, we do the efficient static_cast<>
// instead. Thus, it's important to test in debug mode to make sure
// the cast is legal!
// This is the only place in the code we should use dynamic_cast<>.
// In particular, you SHOULDN'T be using dynamic_cast<> in order to
// do RTTI (eg code like this:
// if (dynamic_cast<Subclass1>(foo)) HandleASubclass1Object(foo);
// if (dynamic_cast<Subclass2>(foo)) HandleASubclass2Object(foo);
// You should design the code some other way not to need this.
template<typename To, typename From> // use like this: down_cast<T*>(foo);
inline To down_cast(From* f) // so we only accept pointers
{
// Ensures that To is a sub-type of From *. This test is here only
// for compile-time type checking, and has no overhead in an
// optimized build at run-time, as it will be optimized away
// completely.
if (false) {
implicit_cast<From*, To>(0);
}
#if !defined(NDEBUG) && !defined(GOOGLE_PROTOBUF_NO_RTTI)
assert(f == nullptr || dynamic_cast<To>(f) != nullptr); // RTTI: debug mode only!
#endif
return static_cast<To>(f);
}
} // namespace jlib
#pragma once
#ifdef __GNUG__
#define JLIB_LINUX
#elif defined(WIN32) || defined(_WIN32) || defined(__WIN32)
#define JLIB_WINDOWS
#else
#error "jlib only support linux and windows"
#endif
#pragma once
#include "config.h"
#include <inttypes.h>
#include <stdio.h>
#ifdef JLIB_LINUX
#include <sys/syscall.h>
#elif defined(JLIB_WINDOWS)
#include <Windows.h>
#endif
namespace jlib
{
namespace CurrentThread
{
namespace detail
{
inline uint64_t gettid() {
#ifdef JLIB_LINUX
return static_cast<uint64_t>(::syscall(SYS_gettid));
#elif defined(JLIB_WINDOWS)
return static_cast<uint64_t>(GetCurrentThreadId());
#endif
}
} // namespace detail
thread_local uint64_t t_cachedTid = 0;
thread_local char t_tidString[32] = {0};
thread_local int t_tidStringLength = 6;
thread_local const char* t_threadName = "unknown";
inline void cacheTid() {
if (t_cachedTid == 0) {
t_cachedTid = detail::gettid();
t_tidStringLength = snprintf(t_tidString, sizeof(t_tidString), "%lld ", t_cachedTid);
}
}
inline uint64_t tid() {
#ifdef JLIB_LINUX
if (__builtin_expect(cachedTid == 0, 0)) {
cachedTid();
}
#else
if (t_cachedTid != 0) {
return t_cachedTid;
} else {
cacheTid();
}
#endif
return t_cachedTid;
}
inline const char* tidString() {
return t_tidString;
}
inline int tidStringLength() {
return t_tidStringLength;
}
inline const char* name() {
return t_threadName;
}
} // namespace CurrentThread
} // namespace jlib
#pragma once
#include "logstream.h"
#include "timestamp.h"
namespace jlib
{
class TimeZone;
class Logger
{
public:
enum class LogLevel {
LOGLEVEL_TRACE,
LOGLEVEL_DEBUG,
LOGLEVEL_INFO,
LOGLEVEL_WARN,
LOGLEVEL_ERROR,
LOGLEVEL_FATAL,
LOGLEVEL_COUNT,
};
// compile time calculation of basename of source file
struct SourceFile
{
template <int N>
SourceFile(const char (&arr)[N]) : data_(arr) , size_(N - 1) {
const char* slash = strrchr(data_, '/');
if (slash) { data_ = slash + 1; }
size_ -= static_cast<int>(data_ - arr);
}
explicit SourceFile(const char* filename) : data_(filename) {
const char* slash = strrchr(filename, '/');
if (slash) { data_ = slash + 1; }
size_ = static_cast<int>(strlen(data_));
}
const char* data_;
int size_;
};
Logger(SourceFile file, int line);
Logger(SourceFile file, int line, LogLevel level);
Logger(SourceFile file, int line, LogLevel level, const char *func);
Logger(SourceFile file, int line, bool toAbort);
~Logger();
LogStream &stream() { return impl_.stream_; }
static LogLevel logLevel();
static void setLogLevel(LogLevel level);
typedef void (*OutputFunc)(const char *msg, int len);
typedef void (*FlushFunc)();
static void setOutput(OutputFunc);
static void setFlush(FlushFunc);
static void setTimeZone(const TimeZone &tz);
private:
class Impl
{
public:
};
}
} // namespace jlib
This diff is collapsed.
#pragma once
#include "noncopyable.h"
#include <mutex>
#include <stdlib.h>
#include <assert.h>
namespace jlib
{
namespace detail
{
// This doesn't detect inherited member functions!
// http://stackoverflow.com/questions/1966362/sfinae-to-check-for-inherited-member-functions
template <typename T>
struct has_no_destroy
{
template <typename C> static char test(decltype(&C::no_destroy));
template <typename C> static long test(...);
static const bool value = sizeof(test<T>(nullptr)) == sizeof(char);
};
} // namespace detail
template <typename T>
class singleton : noncopyable
{
public:
singleton() = delete;
~singleton() = delete;
static T& instance() {
std::call_once(once_, &singleton::init);
assert(instance_ != nullptr);
return *instance_;
}
private:
static void init() {
instance_ = new T();
if (!detail::has_no_destroy<T>::value) {
::atexit(destroy);
}
}
static void destroy() {
typedef char T_must_be_complete_type[sizeof(T) == 0 ? -1 : 1];
T_must_be_complete_type dummy; (void) dummy;
delete instance_;
instance_ = nullptr;
}
private:
static std::once_flag once_;
static T* instance_;
};
template <typename T>
std::once_flag singleton<T>::once_ = {};
template <typename T>
T* singleton<T>::instance_ = nullptr;
} // namespace jlib
// Taken from PCRE pcre_stringpiece.h
//
// Copyright (c) 2005, Google Inc.
// All rights reserved.
//
// Redistribution and use in source and binary forms, with or without
// modification, are permitted provided that the following conditions are
// met:
//
// * Redistributions of source code must retain the above copyright
// notice, this list of conditions and the following disclaimer.
// * 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.
// * Neither the name of Google Inc. nor the names of its
// contributors may be used to endorse or promote products derived from
// this software without specific prior written permission.
//
// 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
// OWNER 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.
//
// Author: Sanjay Ghemawat
//
// A string like object that points into another piece of memory.
// Useful for providing an interface that allows clients to easily
// pass in either a "const char*" or a "string".
//
// Arghh! I wish C++ literals were automatically of type "string".
#include <string>
#include <string.h>
namespace jlib
{
// For passing C-style string argument to a function.
class StringArg // copyable
{
public:
StringArg(const char *str)
: str_(str)
{}
StringArg(const std::string &str)
: str_(str.c_str())
{}
const char *c_str() const { return str_; }
private:
const char *str_;
};
class StringPiece
{
private:
const char *ptr_;
int length_;
public:
// We provide non-explicit singleton constructors so users can pass
// in a "const char*" or a "string" wherever a "StringPiece" is
// expected.
StringPiece()
: ptr_(nullptr), length_(0)
{}
StringPiece(const char *str)
: ptr_(str), length_(static_cast<int>(strlen(ptr_)))
{}
StringPiece(const unsigned char *str)
: ptr_(reinterpret_cast<const char *>(str)),
length_(static_cast<int>(strlen(ptr_)))
{}
StringPiece(const std::string &str)
: ptr_(str.data()), length_(static_cast<int>(str.size()))
{}
StringPiece(const char *offset, int len)
: ptr_(offset), length_(len)
{}
// data() may return a pointer to a buffer with embedded NULs, and the
// returned buffer may or may not be null terminated. Therefore it is
// typically a mistake to pass data() to a routine that expects a NUL
// terminated string. Use "as_string().c_str()" if you really need to do
// this. Or better yet, change your routine so it does not rely on NUL
// termination.
const char *data() const { return ptr_; }
int size() const { return length_; }
bool empty() const { return length_ == 0; }
const char *begin() const { return ptr_; }
const char *end() const { return ptr_ + length_; }
void clear() {
ptr_ = NULL;
length_ = 0;
}
void set(const char *buffer, int len) {
ptr_ = buffer;
length_ = len;
}
void set(const char *str) {
ptr_ = str;
length_ = static_cast<int>(strlen(str));
}
void set(const void *buffer, int len) {
ptr_ = reinterpret_cast<const char *>(buffer);
length_ = len;
}
char operator[](int i) const { return ptr_[i]; }
void remove_prefix(int n) {
ptr_ += n;
length_ -= n;
}
void remove_suffix(int n) {
length_ -= n;
}
bool operator==(const StringPiece &x) const {
return ((length_ == x.length_) &&
(memcmp(ptr_, x.ptr_, length_) == 0));
}
bool operator!=(const StringPiece &x) const {
return !(*this == x);
}
#define STRINGPIECE_BINARY_PREDICATE(cmp, auxcmp) \
bool operator cmp(const StringPiece &x) const \
{ \
int r = memcmp(ptr_, x.ptr_, length_ < x.length_ ? length_ : x.length_); \
return ((r auxcmp 0) || ((r == 0) && (length_ cmp x.length_))); \
}
STRINGPIECE_BINARY_PREDICATE(<, <);
STRINGPIECE_BINARY_PREDICATE(<=, <);
STRINGPIECE_BINARY_PREDICATE(>=, >);
STRINGPIECE_BINARY_PREDICATE(>, >);
#undef STRINGPIECE_BINARY_PREDICATE
int compare(const StringPiece &x) const {
int r = memcmp(ptr_, x.ptr_, length_ < x.length_ ? length_ : x.length_);
if (r == 0) {
if (length_ < x.length_)
r = -1;
else if (length_ > x.length_)
r = +1;
}
return r;
}
std::string as_string() const {
return std::string(data(), size());
}
void CopyToString(std::string *target) const {
target->assign(ptr_, length_);
}
// Does "this" start with "x"
bool starts_with(const StringPiece &x) const {
return ((length_ >= x.length_) && (memcmp(ptr_, x.ptr_, x.length_) == 0));
}
};
} // namespace jlib
#pragma once #pragma once
#include "config.h"
#include "copyable.h" #include "copyable.h"
#include <boost/operators.hpp> #include <boost/operators.hpp>
#include <stdint.h> // int64_t #include <stdint.h> // int64_t
...@@ -10,20 +11,19 @@ ...@@ -10,20 +11,19 @@
//#define _WIN32_WINNT _WIN32_WINNT_WIN7 //#define _WIN32_WINNT _WIN32_WINNT_WIN7
#if defined(WIN32) || defined(_WIN32) || defined(__WIN32) #ifdef JLIB_WINDOWS
# include <windows.h>
static inline struct tm* gmtime_r(const time_t* timep, struct tm* result) static inline struct tm* gmtime_r(const time_t* timep, struct tm* result)
{ {
gmtime_s(result, timep); gmtime_s(result, timep);
return result; return result;
} }
# include <windows.h>
// https://blogs.msdn.microsoft.com/vcblog/2016/03/30/optimizing-the-layout-of-empty-base-classes-in-vs2015-update-2-3/ // https://blogs.msdn.microsoft.com/vcblog/2016/03/30/optimizing-the-layout-of-empty-base-classes-in-vs2015-update-2-3/
# define ENABLE_EBO __declspec(empty_bases) # define ENABLE_EBO __declspec(empty_bases)
#else #elif defined(JLIB_LINUX)
#include <sys/time.h> // gettimeofday # include <sys/time.h> // gettimeofday
# define ENABLE_EBO # define ENABLE_EBO
#endif #endif
...@@ -84,7 +84,7 @@ public: ...@@ -84,7 +84,7 @@ public:
static Timestamp now() { static Timestamp now() {
#if defined(WIN32) || defined(_WIN32) || defined(__WIN32) #ifdef JLIB_WINDOWS
/* FILETIME of Jan 1 1970 00:00:00. */ /* FILETIME of Jan 1 1970 00:00:00. */
static constexpr unsigned __int64 EPOCH = 116444736000000000UL; static constexpr unsigned __int64 EPOCH = 116444736000000000UL;
...@@ -103,7 +103,7 @@ public: ...@@ -103,7 +103,7 @@ public:
ularge.HighPart = ft.dwHighDateTime; ularge.HighPart = ft.dwHighDateTime;
return Timestamp((ularge.QuadPart - EPOCH) / 10L); return Timestamp((ularge.QuadPart - EPOCH) / 10L);
#else #elif defined(JLIB_LINUX)
struct timeval tv; struct timeval tv;
gettimeofday(&tv, nullptr); gettimeofday(&tv, nullptr);
int64_t seconds = tv.tv_sec; int64_t seconds = tv.tv_sec;
......
// FileOper.h: interface for the CFileOper class. // FileOper.h: interface for the CFileOper class.
// //
////////////////////////////////////////////////////////////////////// //////////////////////////////////////////////////////////////////////
...@@ -18,10 +18,10 @@ static int CALLBACK BrowseCallbackProc(HWND hwnd,UINT uMsg,LPARAM lParam,LPARAM ...@@ -18,10 +18,10 @@ static int CALLBACK BrowseCallbackProc(HWND hwnd,UINT uMsg,LPARAM lParam,LPARAM
{ {
switch(uMsg) switch(uMsg)
{ {
case BFFM_INITIALIZED: //初始化消息 case BFFM_INITIALIZED: //初始化消息
::SendMessage(hwnd,BFFM_SETSELECTION,TRUE,lpData); ::SendMessage(hwnd,BFFM_SETSELECTION,TRUE,lpData);
break; break;
case BFFM_SELCHANGED: //选择路径变化, case BFFM_SELCHANGED: //选择路径变化,
{ {
TCHAR curr[MAX_PATH]; TCHAR curr[MAX_PATH];
SHGetPathFromIDList((LPCITEMIDLIST)lParam,curr); SHGetPathFromIDList((LPCITEMIDLIST)lParam,curr);
...@@ -37,7 +37,7 @@ static int CALLBACK BrowseCallbackProc(HWND hwnd,UINT uMsg,LPARAM lParam,LPARAM ...@@ -37,7 +37,7 @@ static int CALLBACK BrowseCallbackProc(HWND hwnd,UINT uMsg,LPARAM lParam,LPARAM
class CFileOper class CFileOper
{ {
public: public:
// 弹出文件夹选择对话框,并返回选定的文件夹路径 // 弹出文件夹选择对话框,并返回选定的文件夹路径
static BOOL BrowseGetPath(CString &path, HWND hWnd){ static BOOL BrowseGetPath(CString &path, HWND hWnd){
TCHAR szPath[MAX_PATH] = {0}; TCHAR szPath[MAX_PATH] = {0};
BROWSEINFO bi; BROWSEINFO bi;
...@@ -58,7 +58,7 @@ public: ...@@ -58,7 +58,7 @@ public:
return TRUE; return TRUE;
} }
// 删除该路径下所有文件与文件夹 // 删除该路径下所有文件与文件夹
static BOOL DeleteFolderAndAllSubFolder_Files(LPCTSTR folderPath){ static BOOL DeleteFolderAndAllSubFolder_Files(LPCTSTR folderPath){
system("echo delete old folder and sub files...\n"); system("echo delete old folder and sub files...\n");
//CString cmd = _T(""); //CString cmd = _T("");
...@@ -77,7 +77,7 @@ public: ...@@ -77,7 +77,7 @@ public:
return ret; return ret;
} }
// 获取文件大小 // 获取文件大小
static long GetFileSize(const CString& path){ static long GetFileSize(const CString& path){
FILE *p = NULL; FILE *p = NULL;
#if defined(_UNICODE) || defined(UNICODE) #if defined(_UNICODE) || defined(UNICODE)
...@@ -100,7 +100,7 @@ public: ...@@ -100,7 +100,7 @@ public:
return len; return len;
} }
// 获取路径中最右的文件夹名称,如D:\A\B,返回B // 获取路径中最右的文件夹名称,如D:\A\B,返回B
static CString GetCurFolderFromFullPath(const CString& strpath) static CString GetCurFolderFromFullPath(const CString& strpath)
{ {
int pos = -1; int pos = -1;
...@@ -110,7 +110,7 @@ public: ...@@ -110,7 +110,7 @@ public:
return _T(""); return _T("");
} }
// 获取文件路径中的文件夹路径,如D:/A/B.TXT, 返回D:/A // 获取文件路径中的文件夹路径,如D:/A/B.TXT, 返回D:/A
static CString GetFolderPathFromFilePath(const CString& strpath) static CString GetFolderPathFromFilePath(const CString& strpath)
{ {
int pos = -1; int pos = -1;
...@@ -120,7 +120,7 @@ public: ...@@ -120,7 +120,7 @@ public:
return _T(""); return _T("");
} }
// 复制文件夹到目的,并弹出文件夹复制对话框 // 复制文件夹到目的,并弹出文件夹复制对话框
static BOOL CopyFolder(const CString& dstFolder, const CString& srcFolder, HWND hWnd) static BOOL CopyFolder(const CString& dstFolder, const CString& srcFolder, HWND hWnd)
{ {
TCHAR szDst[MAX_PATH], szSrc[MAX_PATH]; TCHAR szDst[MAX_PATH], szSrc[MAX_PATH];
...@@ -143,17 +143,17 @@ public: ...@@ -143,17 +143,17 @@ public:
return ret == 0 && lpFile.fAnyOperationsAborted == FALSE; return ret == 0 && lpFile.fAnyOperationsAborted == FALSE;
} }
// 判断指定路径是否存在(文件夹) // 判断指定路径是否存在(文件夹)
static BOOL IsFolderExists(LPCTSTR lpszFolderPath){ static BOOL IsFolderExists(LPCTSTR lpszFolderPath){
return FindFirstFileExists(lpszFolderPath, FILE_ATTRIBUTE_DIRECTORY); return FindFirstFileExists(lpszFolderPath, FILE_ATTRIBUTE_DIRECTORY);
} }
// 判断指定路径是否存在(文件或文件夹) // 判断指定路径是否存在(文件或文件夹)
static BOOL PathExists(LPCTSTR lpszPath){ static BOOL PathExists(LPCTSTR lpszPath){
return FindFirstFileExists(lpszPath, FALSE); return FindFirstFileExists(lpszPath, FALSE);
} }
// 更改文件名后缀名 // 更改文件名后缀名
static CString ChangeFileExt(const CString& srcFilePath, const CString& dstExt){ static CString ChangeFileExt(const CString& srcFilePath, const CString& dstExt){
CString dstFilePath = srcFilePath; CString dstFilePath = srcFilePath;
int pos = srcFilePath.ReverseFind(_T('.')); int pos = srcFilePath.ReverseFind(_T('.'));
...@@ -164,7 +164,7 @@ public: ...@@ -164,7 +164,7 @@ public:
return dstFilePath; return dstFilePath;
} }
// 从文件路径中获取文件标题,如D:\AAA.TXT或者AAA.TXT,返回AAA // 从文件路径中获取文件标题,如D:\AAA.TXT或者AAA.TXT,返回AAA
static CString GetFileTitle(const CString& fileName){ static CString GetFileTitle(const CString& fileName){
CString title = _T(""); CString title = _T("");
int pos = -1; int pos = -1;
...@@ -178,7 +178,7 @@ public: ...@@ -178,7 +178,7 @@ public:
return title; return title;
} }
// 从文件路径中获取文件后缀名,如D:\AAA.TXT,返回TXT // 从文件路径中获取文件后缀名,如D:\AAA.TXT,返回TXT
static CString GetFileExt(const CString& filePath){ static CString GetFileExt(const CString& filePath){
CString ext = _T(""); CString ext = _T("");
int pos = filePath.ReverseFind(_T('.')); int pos = filePath.ReverseFind(_T('.'));
...@@ -189,7 +189,7 @@ public: ...@@ -189,7 +189,7 @@ public:
return ext; return ext;
} }
// 从文件路径中获取文件名,如D:\AAA.TXT,返回AAA.TXT // 从文件路径中获取文件名,如D:\AAA.TXT,返回AAA.TXT
static CString GetFileNameFromPathName(const CString& filePathName){ static CString GetFileNameFromPathName(const CString& filePathName){
CString fileName = _T(""); CString fileName = _T("");
int pos = filePathName.ReverseFind(_T('\\')); int pos = filePathName.ReverseFind(_T('\\'));
...@@ -199,7 +199,7 @@ public: ...@@ -199,7 +199,7 @@ public:
return fileName; return fileName;
} }
// 寻找目录(该路径不能以 \ 结尾)下所有指定后缀名(不支持*.*)的文件,并将结果保存在CStringList中, // 寻找目录(该路径不能以 \ 结尾)下所有指定后缀名(不支持*.*)的文件,并将结果保存在CStringList中,
static int FindFilesInFolder(LPCTSTR lpszFolder, LPCTSTR lpszFilter, CStringList &dstList){ static int FindFilesInFolder(LPCTSTR lpszFolder, LPCTSTR lpszFilter, CStringList &dstList){
if(lstrlen(lpszFolder) == 0) if(lstrlen(lpszFolder) == 0)
return 0; return 0;
...@@ -222,7 +222,7 @@ public: ...@@ -222,7 +222,7 @@ public:
return nNums; return nNums;
} }
// 将目录下符合 *n.* 的文件(n代表数字)重命名为 *00n.*的形式,将n格式化为3位数 // 将目录下符合 *n.* 的文件(n代表数字)重命名为 *00n.*的形式,将n格式化为3位数
static BOOL RenameFile03d(LPCTSTR lpszFilePath){ static BOOL RenameFile03d(LPCTSTR lpszFilePath){
CString fileName = lpszFilePath; CString fileName = lpszFilePath;
CString tittle, num, ext, newFileName; CString tittle, num, ext, newFileName;
...@@ -263,7 +263,7 @@ public: ...@@ -263,7 +263,7 @@ public:
return TRUE; return TRUE;
} }
// 删除所有该目录路径下指定后缀名的文件 // 删除所有该目录路径下指定后缀名的文件
static DWORD DeleteFilesInFolder(LPCTSTR lpszFolder, LPCTSTR lpszFilter){ static DWORD DeleteFilesInFolder(LPCTSTR lpszFolder, LPCTSTR lpszFilter){
DWORD dwDeletedFileNums = 0; DWORD dwDeletedFileNums = 0;
CFileFind find; CFileFind find;
......
...@@ -17,6 +17,41 @@ Project("{8BC9CEB8-8B4A-11D0-8D11-00A0C91BC942}") = "test_json", "test_json\test ...@@ -17,6 +17,41 @@ Project("{8BC9CEB8-8B4A-11D0-8D11-00A0C91BC942}") = "test_json", "test_json\test
EndProject EndProject
Project("{8BC9CEB8-8B4A-11D0-8D11-00A0C91BC942}") = "test_timestamp", "test_timestamp\test_timestamp.vcxproj", "{372670F2-83A5-4058-B93C-BB0DCC1521ED}" Project("{8BC9CEB8-8B4A-11D0-8D11-00A0C91BC942}") = "test_timestamp", "test_timestamp\test_timestamp.vcxproj", "{372670F2-83A5-4058-B93C-BB0DCC1521ED}"
EndProject EndProject
Project("{2150E333-8FDC-42A3-9474-1A3956D46DE8}") = "jlib", "jlib", "{42703978-A988-403D-9723-E35527FA8A07}"
ProjectSection(SolutionItems) = preProject
..\jlib\chrono_wrapper.h = ..\jlib\chrono_wrapper.h
..\jlib\dp.h = ..\jlib\dp.h
..\jlib\log.h = ..\jlib\log.h
..\jlib\log2.h = ..\jlib\log2.h
..\jlib\mem_tool.h = ..\jlib\mem_tool.h
..\jlib\micro_getter_setter.h = ..\jlib\micro_getter_setter.h
..\jlib\net.h = ..\jlib\net.h
..\jlib\space.h = ..\jlib\space.h
..\jlib\std_util.h = ..\jlib\std_util.h
..\jlib\utf8.h = ..\jlib\utf8.h
..\jlib\version_no.h = ..\jlib\version_no.h
..\jlib\vs_ver.h = ..\jlib\vs_ver.h
..\jlib\win32.h = ..\jlib\win32.h
EndProjectSection
EndProject
Project("{2150E333-8FDC-42A3-9474-1A3956D46DE8}") = "thirdparty", "thirdparty", "{5A2CA1BE-5A4B-41B0-B74A-F86AB433F4A5}"
EndProject
Project("{2150E333-8FDC-42A3-9474-1A3956D46DE8}") = "base", "base", "{608A105E-40DB-44FD-8FC2-A66AB921688D}"
ProjectSection(SolutionItems) = preProject
..\jlib\base\cast.h = ..\jlib\base\cast.h
..\jlib\base\config.h = ..\jlib\base\config.h
..\jlib\base\copyable.h = ..\jlib\base\copyable.h
..\jlib\base\currentthread.h = ..\jlib\base\currentthread.h
..\jlib\base\logging.h = ..\jlib\base\logging.h
..\jlib\base\logstream.h = ..\jlib\base\logstream.h
..\jlib\base\noncopyable.h = ..\jlib\base\noncopyable.h
..\jlib\base\singleton.h = ..\jlib\base\singleton.h
..\jlib\base\stringpiece.h = ..\jlib\base\stringpiece.h
..\jlib\base\timestamp.h = ..\jlib\base\timestamp.h
EndProjectSection
EndProject
Project("{8BC9CEB8-8B4A-11D0-8D11-00A0C91BC942}") = "test_singleton", "test_singleton\test_singleton.vcxproj", "{B4B8F20B-1B3E-42CD-8B37-A734EF3CA279}"
EndProject
Global Global
GlobalSection(SolutionConfigurationPlatforms) = preSolution GlobalSection(SolutionConfigurationPlatforms) = preSolution
Debug|x64 = Debug|x64 Debug|x64 = Debug|x64
...@@ -79,10 +114,22 @@ Global ...@@ -79,10 +114,22 @@ Global
{372670F2-83A5-4058-B93C-BB0DCC1521ED}.Release|x64.Build.0 = Release|x64 {372670F2-83A5-4058-B93C-BB0DCC1521ED}.Release|x64.Build.0 = Release|x64
{372670F2-83A5-4058-B93C-BB0DCC1521ED}.Release|x86.ActiveCfg = Release|Win32 {372670F2-83A5-4058-B93C-BB0DCC1521ED}.Release|x86.ActiveCfg = Release|Win32
{372670F2-83A5-4058-B93C-BB0DCC1521ED}.Release|x86.Build.0 = Release|Win32 {372670F2-83A5-4058-B93C-BB0DCC1521ED}.Release|x86.Build.0 = Release|Win32
{B4B8F20B-1B3E-42CD-8B37-A734EF3CA279}.Debug|x64.ActiveCfg = Debug|x64
{B4B8F20B-1B3E-42CD-8B37-A734EF3CA279}.Debug|x64.Build.0 = Debug|x64
{B4B8F20B-1B3E-42CD-8B37-A734EF3CA279}.Debug|x86.ActiveCfg = Debug|Win32
{B4B8F20B-1B3E-42CD-8B37-A734EF3CA279}.Debug|x86.Build.0 = Debug|Win32
{B4B8F20B-1B3E-42CD-8B37-A734EF3CA279}.Release|x64.ActiveCfg = Release|x64
{B4B8F20B-1B3E-42CD-8B37-A734EF3CA279}.Release|x64.Build.0 = Release|x64
{B4B8F20B-1B3E-42CD-8B37-A734EF3CA279}.Release|x86.ActiveCfg = Release|Win32
{B4B8F20B-1B3E-42CD-8B37-A734EF3CA279}.Release|x86.Build.0 = Release|Win32
EndGlobalSection EndGlobalSection
GlobalSection(SolutionProperties) = preSolution GlobalSection(SolutionProperties) = preSolution
HideSolutionNode = FALSE HideSolutionNode = FALSE
EndGlobalSection EndGlobalSection
GlobalSection(NestedProjects) = preSolution
{5A2CA1BE-5A4B-41B0-B74A-F86AB433F4A5} = {42703978-A988-403D-9723-E35527FA8A07}
{608A105E-40DB-44FD-8FC2-A66AB921688D} = {42703978-A988-403D-9723-E35527FA8A07}
EndGlobalSection
GlobalSection(ExtensibilityGlobals) = postSolution GlobalSection(ExtensibilityGlobals) = postSolution
SolutionGuid = {A8EBEA58-739C-4DED-99C0-239779F57D5D} SolutionGuid = {A8EBEA58-739C-4DED-99C0-239779F57D5D}
EndGlobalSection EndGlobalSection
......
...@@ -14,6 +14,7 @@ ...@@ -14,6 +14,7 @@
#include "jlib/vs_ver.h" #include "jlib/vs_ver.h"
#include "jlib/win32.h" #include "jlib/win32.h"
#include <jlib/3rdparty/win32/Registry.hpp> #include <jlib/3rdparty/win32/Registry.hpp>
#include <jlib/win32/mfc/FileOper.h>
int main() int main()
......
...@@ -106,6 +106,7 @@ ...@@ -106,6 +106,7 @@
<Optimization>Disabled</Optimization> <Optimization>Disabled</Optimization>
<PreprocessorDefinitions>_DEBUG;_CONSOLE;%(PreprocessorDefinitions)</PreprocessorDefinitions> <PreprocessorDefinitions>_DEBUG;_CONSOLE;%(PreprocessorDefinitions)</PreprocessorDefinitions>
<SDLCheck>true</SDLCheck> <SDLCheck>true</SDLCheck>
<AdditionalIncludeDirectories>$(BOOST);$(DEVLIBS)\jlib;%(AdditionalIncludeDirectories)</AdditionalIncludeDirectories>
</ClCompile> </ClCompile>
<Link> <Link>
<SubSystem>Console</SubSystem> <SubSystem>Console</SubSystem>
......
...@@ -102,6 +102,7 @@ ...@@ -102,6 +102,7 @@
<Optimization>Disabled</Optimization> <Optimization>Disabled</Optimization>
<SDLCheck>true</SDLCheck> <SDLCheck>true</SDLCheck>
<ConformanceMode>true</ConformanceMode> <ConformanceMode>true</ConformanceMode>
<AdditionalIncludeDirectories>$(BOOST);$(DEVLIBS)\jlib;%(AdditionalIncludeDirectories)</AdditionalIncludeDirectories>
</ClCompile> </ClCompile>
</ItemDefinitionGroup> </ItemDefinitionGroup>
<ItemDefinitionGroup Condition="'$(Configuration)|$(Platform)'=='Release|x64'"> <ItemDefinitionGroup Condition="'$(Configuration)|$(Platform)'=='Release|x64'">
......
...@@ -102,6 +102,7 @@ ...@@ -102,6 +102,7 @@
<Optimization>Disabled</Optimization> <Optimization>Disabled</Optimization>
<SDLCheck>true</SDLCheck> <SDLCheck>true</SDLCheck>
<ConformanceMode>true</ConformanceMode> <ConformanceMode>true</ConformanceMode>
<AdditionalIncludeDirectories>$(BOOST);$(DEVLIBS)\jlib;%(AdditionalIncludeDirectories)</AdditionalIncludeDirectories>
</ClCompile> </ClCompile>
</ItemDefinitionGroup> </ItemDefinitionGroup>
<ItemDefinitionGroup Condition="'$(Configuration)|$(Platform)'=='Release|x64'"> <ItemDefinitionGroup Condition="'$(Configuration)|$(Platform)'=='Release|x64'">
......
#include "../../jlib/base/singleton.h"
#include "../../jlib/base/currentthread.h"
#include <stdio.h>
#include <thread>
#include <string>
class Test
{
public:
Test() {
printf("tid=%lld, constructing %p\n", jlib::CurrentThread::tid(), this);
}
~Test() {
printf("tid=%lld, destructing %p %s\n", jlib::CurrentThread::tid(), this, name_.c_str());
}
const std::string& name() const { return name_; }
void setName(const std::string& n) { name_ = n; }
private:
std::string name_ = {};
};
class TestNoDestroy
{
public:
void no_destroy();
TestNoDestroy() {
printf("tid=%lld, constructing TestNoDestroy %p\n", jlib::CurrentThread::tid(), this);
}
~TestNoDestroy() {
printf("tid=%lld, destructing TestNoDestroy %p\n", jlib::CurrentThread::tid(), this);
}
};
void func()
{
printf("tid=%lld, %p name=%s\n",
jlib::CurrentThread::tid(),
&jlib::singleton<Test>::instance(),
jlib::singleton<Test>::instance().name().c_str());
jlib::singleton<Test>::instance().setName("only once, changed");
}
int main()
{
printf("pid=%ld\n", GetCurrentProcessId());
printf("tid=%lld\n", jlib::CurrentThread::tid());
jlib::singleton<Test>::instance().setName("only once");
std::thread thread(func);
thread.join();
printf("tid=%lld, %p name=%s\n",
jlib::CurrentThread::tid(),
&jlib::singleton<Test>::instance(),
jlib::singleton<Test>::instance().name().c_str());
jlib::singleton<TestNoDestroy>::instance();
printf("with valgrind, you should see %zd-byte memory leak.\n", sizeof(TestNoDestroy));
//system("pause");
}
\ No newline at end of file
<?xml version="1.0" encoding="utf-8"?>
<Project DefaultTargets="Build" xmlns="http://schemas.microsoft.com/developer/msbuild/2003">
<ItemGroup Label="ProjectConfigurations">
<ProjectConfiguration Include="Debug|Win32">
<Configuration>Debug</Configuration>
<Platform>Win32</Platform>
</ProjectConfiguration>
<ProjectConfiguration Include="Release|Win32">
<Configuration>Release</Configuration>
<Platform>Win32</Platform>
</ProjectConfiguration>
<ProjectConfiguration Include="Debug|x64">
<Configuration>Debug</Configuration>
<Platform>x64</Platform>
</ProjectConfiguration>
<ProjectConfiguration Include="Release|x64">
<Configuration>Release</Configuration>
<Platform>x64</Platform>
</ProjectConfiguration>
</ItemGroup>
<PropertyGroup Label="Globals">
<VCProjectVersion>16.0</VCProjectVersion>
<ProjectGuid>{B4B8F20B-1B3E-42CD-8B37-A734EF3CA279}</ProjectGuid>
<RootNamespace>testsingleton</RootNamespace>
<WindowsTargetPlatformVersion>10.0</WindowsTargetPlatformVersion>
</PropertyGroup>
<Import Project="$(VCTargetsPath)\Microsoft.Cpp.Default.props" />
<PropertyGroup Condition="'$(Configuration)|$(Platform)'=='Debug|Win32'" Label="Configuration">
<ConfigurationType>Application</ConfigurationType>
<UseDebugLibraries>true</UseDebugLibraries>
<PlatformToolset>v142</PlatformToolset>
<CharacterSet>MultiByte</CharacterSet>
</PropertyGroup>
<PropertyGroup Condition="'$(Configuration)|$(Platform)'=='Release|Win32'" Label="Configuration">
<ConfigurationType>Application</ConfigurationType>
<UseDebugLibraries>false</UseDebugLibraries>
<PlatformToolset>v142</PlatformToolset>
<WholeProgramOptimization>true</WholeProgramOptimization>
<CharacterSet>MultiByte</CharacterSet>
</PropertyGroup>
<PropertyGroup Condition="'$(Configuration)|$(Platform)'=='Debug|x64'" Label="Configuration">
<ConfigurationType>Application</ConfigurationType>
<UseDebugLibraries>true</UseDebugLibraries>
<PlatformToolset>v142</PlatformToolset>
<CharacterSet>MultiByte</CharacterSet>
</PropertyGroup>
<PropertyGroup Condition="'$(Configuration)|$(Platform)'=='Release|x64'" Label="Configuration">
<ConfigurationType>Application</ConfigurationType>
<UseDebugLibraries>false</UseDebugLibraries>
<PlatformToolset>v142</PlatformToolset>
<WholeProgramOptimization>true</WholeProgramOptimization>
<CharacterSet>MultiByte</CharacterSet>
</PropertyGroup>
<Import Project="$(VCTargetsPath)\Microsoft.Cpp.props" />
<ImportGroup Label="ExtensionSettings">
</ImportGroup>
<ImportGroup Label="Shared">
</ImportGroup>
<ImportGroup Label="PropertySheets" Condition="'$(Configuration)|$(Platform)'=='Debug|Win32'">
<Import Project="$(UserRootDir)\Microsoft.Cpp.$(Platform).user.props" Condition="exists('$(UserRootDir)\Microsoft.Cpp.$(Platform).user.props')" Label="LocalAppDataPlatform" />
</ImportGroup>
<ImportGroup Label="PropertySheets" Condition="'$(Configuration)|$(Platform)'=='Release|Win32'">
<Import Project="$(UserRootDir)\Microsoft.Cpp.$(Platform).user.props" Condition="exists('$(UserRootDir)\Microsoft.Cpp.$(Platform).user.props')" Label="LocalAppDataPlatform" />
</ImportGroup>
<ImportGroup Label="PropertySheets" Condition="'$(Configuration)|$(Platform)'=='Debug|x64'">
<Import Project="$(UserRootDir)\Microsoft.Cpp.$(Platform).user.props" Condition="exists('$(UserRootDir)\Microsoft.Cpp.$(Platform).user.props')" Label="LocalAppDataPlatform" />
</ImportGroup>
<ImportGroup Label="PropertySheets" Condition="'$(Configuration)|$(Platform)'=='Release|x64'">
<Import Project="$(UserRootDir)\Microsoft.Cpp.$(Platform).user.props" Condition="exists('$(UserRootDir)\Microsoft.Cpp.$(Platform).user.props')" Label="LocalAppDataPlatform" />
</ImportGroup>
<PropertyGroup Label="UserMacros" />
<PropertyGroup />
<ItemDefinitionGroup Condition="'$(Configuration)|$(Platform)'=='Debug|x64'">
<ClCompile>
<WarningLevel>Level3</WarningLevel>
<Optimization>Disabled</Optimization>
<SDLCheck>true</SDLCheck>
<ConformanceMode>true</ConformanceMode>
</ClCompile>
<Link>
<SubSystem>Console</SubSystem>
</Link>
</ItemDefinitionGroup>
<ItemDefinitionGroup Condition="'$(Configuration)|$(Platform)'=='Debug|Win32'">
<ClCompile>
<WarningLevel>Level3</WarningLevel>
<Optimization>Disabled</Optimization>
<SDLCheck>true</SDLCheck>
<ConformanceMode>true</ConformanceMode>
</ClCompile>
<Link>
<SubSystem>Console</SubSystem>
</Link>
</ItemDefinitionGroup>
<ItemDefinitionGroup Condition="'$(Configuration)|$(Platform)'=='Release|Win32'">
<ClCompile>
<WarningLevel>Level3</WarningLevel>
<Optimization>MaxSpeed</Optimization>
<FunctionLevelLinking>true</FunctionLevelLinking>
<IntrinsicFunctions>true</IntrinsicFunctions>
<SDLCheck>true</SDLCheck>
<ConformanceMode>true</ConformanceMode>
</ClCompile>
<Link>
<SubSystem>Console</SubSystem>
<EnableCOMDATFolding>true</EnableCOMDATFolding>
<OptimizeReferences>true</OptimizeReferences>
</Link>
</ItemDefinitionGroup>
<ItemDefinitionGroup Condition="'$(Configuration)|$(Platform)'=='Release|x64'">
<ClCompile>
<WarningLevel>Level3</WarningLevel>
<Optimization>MaxSpeed</Optimization>
<FunctionLevelLinking>true</FunctionLevelLinking>
<IntrinsicFunctions>true</IntrinsicFunctions>
<SDLCheck>true</SDLCheck>
<ConformanceMode>true</ConformanceMode>
</ClCompile>
<Link>
<SubSystem>Console</SubSystem>
<EnableCOMDATFolding>true</EnableCOMDATFolding>
<OptimizeReferences>true</OptimizeReferences>
</Link>
</ItemDefinitionGroup>
<ItemGroup>
<ClCompile Include="test_singleton.cpp" />
</ItemGroup>
<Import Project="$(VCTargetsPath)\Microsoft.Cpp.targets" />
<ImportGroup Label="ExtensionTargets">
</ImportGroup>
</Project>
\ No newline at end of file
<?xml version="1.0" encoding="utf-8"?>
<Project ToolsVersion="4.0" xmlns="http://schemas.microsoft.com/developer/msbuild/2003">
<ItemGroup>
<Filter Include="Source Files">
<UniqueIdentifier>{4FC737F1-C7A5-4376-A066-2A32D752A2FF}</UniqueIdentifier>
<Extensions>cpp;c;cc;cxx;def;odl;idl;hpj;bat;asm;asmx</Extensions>
</Filter>
<Filter Include="Header Files">
<UniqueIdentifier>{93995380-89BD-4b04-88EB-625FBE52EBFB}</UniqueIdentifier>
<Extensions>h;hh;hpp;hxx;hm;inl;inc;ipp;xsd</Extensions>
</Filter>
<Filter Include="Resource Files">
<UniqueIdentifier>{67DA6AB6-F800-4c08-8B7A-83BB121AAD01}</UniqueIdentifier>
<Extensions>rc;ico;cur;bmp;dlg;rc2;rct;bin;rgs;gif;jpg;jpeg;jpe;resx;tiff;tif;png;wav;mfcribbon-ms</Extensions>
</Filter>
</ItemGroup>
<ItemGroup>
<ClCompile Include="test_singleton.cpp">
<Filter>Source Files</Filter>
</ClCompile>
</ItemGroup>
</Project>
\ No newline at end of file
<?xml version="1.0" encoding="utf-8"?>
<Project ToolsVersion="Current" xmlns="http://schemas.microsoft.com/developer/msbuild/2003">
<PropertyGroup />
</Project>
\ No newline at end of file
...@@ -129,6 +129,7 @@ ...@@ -129,6 +129,7 @@
<PreprocessorDefinitions>_DEBUG;_CONSOLE;%(PreprocessorDefinitions)</PreprocessorDefinitions> <PreprocessorDefinitions>_DEBUG;_CONSOLE;%(PreprocessorDefinitions)</PreprocessorDefinitions>
<ConformanceMode>true</ConformanceMode> <ConformanceMode>true</ConformanceMode>
<PrecompiledHeaderFile>pch.h</PrecompiledHeaderFile> <PrecompiledHeaderFile>pch.h</PrecompiledHeaderFile>
<AdditionalIncludeDirectories>$(BOOST);$(DEVLIBS)\jlib;%(AdditionalIncludeDirectories)</AdditionalIncludeDirectories>
</ClCompile> </ClCompile>
<Link> <Link>
<SubSystem>Console</SubSystem> <SubSystem>Console</SubSystem>
......
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