2023年3月30日 星期四

猴子補丁 delphi monkey patch

https://marc.durdin.net/category/delphi/
https://marc.durdin.net/category/delphi/
procedure MonkeyPatch(OldProc, NewProc: PBYTE);
var
  pBase, p: PBYTE;
  oldProtect: Cardinal;
begin
  p := OldProc;
  pBase := p;

  // Allow writes to this small bit of the code section
  VirtualProtect(pBase, 5, PAGE_EXECUTE_WRITECOPY, oldProtect);

  // First write the long jmp instruction.
  p := pBase;
  p^ := $E9;  // long jmp opcode
  Inc(p);
  PDWord(p)^ := DWORD(NewProc) - DWORD(p) - 4;  // address to jump to, relative to EIP

  // Finally, protect that memory again now that we are finished with it
  VirtualProtect(pBase, 5, oldProtect, oldProtect);
end;

function GetUStrCatAddr: Pointer; assembler;
asm
  lea  eax,
System.@UStrCat
end;

initialization
  MonkeyPatch(GetUStrCatAddr, @_UStrCatMonkey);
end.


 delphi memory virtualprotect Effective Address



Inline Assembler in Delphi (III) - Static Arrays



From: http://delphi.cjcsoft.net//viewthread.php?tid=48043

Title: Inline Assembler in Delphi (III) - Static Arrays

Question: How to work with static arrays in inline assembler

Answer:
Inline Assembler in Delphi (III)
Static Arrays
By Ernesto De Spirito edspirito@latiumsoftware.com


Passing static arrays as parameters

Static arrays parameters are passed as pointers to the first element of the array, independently of whether the parameter is passed by value or by reference (either as "var" or as "const").

Given the following declarations...

  const
    ARRAY_MAX = 5;

  type
    TArrayOfInt = packed array [0..ARRAY_MAX] of longint;

  var
    a, b: TArrayOfInt;

  procedure InitializeArray(var a: TArrayOfInt);
  var
    i: integer;
  begin
    for i := 0 to ARRAY_MAX do
      a[i] := i;
  end;

...the call to the procedure InitializeArray in assembler would be like this:

    // In Object Pascal:
    //   InitializeArray(a);
    // In Inline Assembler:
    asm
      mov eax, offset a        // EAX := @a;
      call InitializeArray     // InitializeArray;
    end;

OFFSET is an assembler unitary operator that returns the address of a symbol. OFFSET is not applicable to local symbols. You should use the LEA opcode (see below), which is more "universal".


Static arrays passed by value

If the array is passed by value, it is responsibility of the called function to preserve the array. When a function needs to change the values of one or more elements of an array passed by value, normally it creates a local copy and works on the copy. The compiler creates a copy for us in the "begin" of Pascal procedures and functions, but in full assembler procedures and functions we have to do it by ourselves. One way of doing it is like this:

  procedure OperateOnArrayPassedByValue(a: TArrayOfInt);
  var
    _a: TArrayOfInt;
  asm
    // Copy the elements of "a" (parameter) in "_a" (local copy)
    push esi                      // Saves ESI on the stack
    push edi                      // Saves EDI on the stack
    mov esi, eax                  // ESI := EAX; // @a
    lea edi, _a                   // EDI := @_a;
    mov eax, edi                  // EAX := EDI; // @_a
    mov ecx, type TArrayOfInt     // ECX := sizeof(TArrayOfInt);
    rep movsb                     // Move(ESI^, EDI^, ECX);
    pop edi                       // Restores EDI from the stack
    pop esi                       // Restores ESI from the stack

    // Here goes the rest of the function. We'll work on "_a" (the
    // local copy), whose first element is now pointed by EAX.
  end;

The new things here are the LEA and MOVSB opcodes, the REP prefix, and the TYPE operator, described below:


LEA  (Load Effective Address)

Moves to the first operand the address of the second. Here we compare LEA with MOV:

   Instruction           Translated as          Effect
  -------------------------------------------------------------------

   lea eax, localvar     lea eax, [ebp-$04]     EAX := @localvar;
                                                EAX := EBP - $04;

   mov eax, localvar     mov eax, [ebp-$04]     EAX := localvar;
                                                EAX := (EBP - $04)^;


MOVSB (MOVe String Byte)

Copies the byte pointed by ESI to the location pointed by EDI, and increments ESI and EDI so they point to the next byte. The work of MOVSB can be described as follows:

  ESI^ := EDI^;    // Assume ESI and EDI are of type PChar
  Inc(ESI);
  Inc(EDI);

Notes:

MOVSW and MOVSD are the Word (16-bit) and DWord (32-bit) versionsrespectively (ESI and EDI are incremented by 2 and 4 respectively).
The registers are decremented if the Direction Flag is set.


REP
---

The REP prefix is used in string operations to repeat the operation decrementing ECX until ECX is zero. The work of REP could be described as follows:

  // rep string_instruction

  @@rep:
    string_instruction
    loop @@rep

Notes:

REP is not a shorthand for a code like the above. It works a lot faster.
The value of ECX is not checked at the beginning of the loop (if ECX is zero, the instruction would be repeated 2^32 times, but will generate an AV long before that, as soon as ESI or EDI point to an invalid memory location).


TYPE

The TYPE operator is a unary operator evaluated at compile time, and it
returns the size in bytes of the operand, which must be a data type. For
example, TYPE WORD will return 2 and TYPE INTEGER will return 4.


Accessing the elements of an array

To access an element a[i] we need the values "@a[0]" and "i" in registers (like EDX and ECX, for example), and then we can use memory addressing as follows:

  lea edx, a                      // EDX := @a;
  mov ecx, i                      // ECX := i;
  mov ax, [edx+ecx*type integer]  // AX := EDX[ECX];  // a[i];
       // PWord(EDX + ECX * SizeOf(integer))^

In the example, we assumed that the elements have 2 bytes (we moved the value of a[i] to AX, a 16-bit register), that the array is not a packed one (each element actually occupies 4 bytes, the size of an integer, so this value was used to compute the position of the element), and that the array is zero-based. For example:

    var a: array [0..N] of word = (1, 2, 3, 6, ...);

    +------ EDX = @a
    |
    v
  +---+---+---+---+---+---+---+---+---+---+---+---+---+---+---+---+--
  | 1 | 0 |   |   | 2 | 0 |   |   | 3 | 0 |   |   | 6 | 0 |   |   |
  +---+---+---+---+---+---+---+---+---+---+---+---+---+---+---+---+--
    a[0]             a[1]            a[2]            a[3]
    [edx]          [edx+04]        [edx+08]        [edx+12]

If the array is not zero-based, we have to adjust the value of the index to make it zero-based before addressing the element. Examples:

  // a[1..100]
  :
  mov ecx, i                      // ECX := i;
  dec ecx                         // Dec(ECX); // Adjust ECX
  :

  // a[-10..10]
  :
  mov ecx, i                      // ECX := i;
  add ecx, 10                     // Inc(ECX, 10); // Adjust ECX
  :

The procedure InitializeArray (introduced above) can be implemented in assembler like this:

  procedure InitializeArray(var a: TArrayOfInt);
  asm                                // EAX = PByte(@a[0]);
    xor ecx, ecx                     // ECX := 0;
  @@loop:
    mov [eax+ecx*type integer], ecx  // PInteger(EAX+ECX*4)^ := ECX;
                                     //  ...or  EAX[ECX] := ECX;
    inc ecx                          // ECX := ECX + 1;
    cmp ecx, ARRAY_MAX               // if ECX     jle @@loop                       //   goto @@loop;
  end;

Or like this:

  procedure InitializeArray(var a: TArrayOfInt);
  asm                      // EAX = @a[0];
    xor ecx, ecx           // ECX := 0;
  @@loop:
    mov [eax], ecx         // EAX^ := ECX;
    inc ecx                // Inc(ECX);
    add eax, type integer  // Inc(EAX); // Point to the next element
    cmp ecx, ARRAY_MAX     // if ECX     jle @@loop             //   goto @@loop;
  end;


Returning array values

Functions returning arrays receive an additional last parameter which is the pointer to the memory location where they should place their return value (memory is allocated and freed if necessary by the caller). For example, let's consider the following function:

  function ReverseArray(const a: TArrayOfInt): TArrayOfInt;
  var
    i: integer;
  begin
    for i := 0 to ARRAY_MAX do
      Result[i] := a[ARRAY_MAX-i];
  end;

The function receives two parameters:

EAX = the address of the first element of the array "a"
EDX = the address of the first element of Result

The function can be rewritten in assembler as follows:

  function ReverseArray(const a: TArrayOfInt): TArrayOfInt;
  asm                                // EAX = @a[0]; EDX = @Result[0];
    push ebx                         // Save EBX
    mov ebx, eax                     // EBX := EAX;
    xor ecx, ecx                     // ECX := 0;
  @@loop:
    mov eax, ARRAY_MAX
    sub eax, ecx                     // EAX := ARRAY_MAX-ECX;
    mov eax, [ebx+eax*type integer]  // EAX := EBX[EAX];
    mov [edx+ecx*type integer], eax  // EDX[ECX] := EAX;
    inc ecx                          // ECX := ECX + 1;
    cmp ecx, ARRAY_MAX               // if ECX     jle @@loop                       //   goto @@loop;
    pop ebx                          // Restore EBX
  end;

Well, this is it for now. In the next issue we'll see how to work with records.



Previous: Inline Assembler in Delphi (II) - ANSI strings
Next: Inline Assembler in Delphi (IV) - Records


Monkey Patching delphi asm assembly lea load effective address


https://github.com/Purik/AIO
Call to MonkeyPatches module

Monkey patching methods (functions) in Delphi Win64

https://stackoverflow.com/questions/53511873/monkey-patching-methods-functions-in-delphi-win64

latex description algorithms pseudocode standard value variable

 illinois.edu
https://ctan.math.illinois.edu › latex › contrib
  This paper describes a LATEX environment named pseudocode that can be used for describing algorithms in pseudocode form. This is the 

LaTeX algorithmic for loop
LaTeX algorithm While
LaTeX algorithm For
LaTeX algorithm parameters
LaTeX algorithm Function
LaTeX Procedure

https://www.unf.edu/~broggio/cop3530/2220pseu.htm

https://en.wikibooks.org/wiki/LaTeX/Algorithms

 https://www.overleaf.com/learn/latex/Algorithms

 

https://users.csc.calpoly.edu/~jdalbey/SWE/pdl_std.html    

PSEUDOCODE STANDARD
Pseudocode is a kind of structured english for describing algorithms. It allows the designer to focus on the logic of the algorithm without being distracted by details of language syntax.  At the same time, the pseudocode needs to be complete.  It describe the entire logic of the algorithm so that implementation becomes a rote mechanical task of translating line by line into source code.

 https://www.indeed.com/career-advice/career-development/pseudocode

 How To Write Pseudocode (Definition, Components and Pros)
indeed.com https://www.indeed.com › career-advice
 Pseudocode primarily uses plain text to describe various coding actions and their correct sequence in the algorithm. You can also include ...

 

 

 

2023年3月28日 星期二

characters sprites textures models reverse game 3d model Game Archive assets sprites UnPacker

 https://www.kodeco.com/36285673-how-to-reverse-engineer-a-unity-game

http://www.gameburp.com/game-developer-resources/#2d_Graphics_tools_tilemaps

 https://www.gamedeveloper.com/audio/38-great-resources-for-game-developers

https://answers.unity.com/questions/211863/how-do-i-extract-assets-from-a-pre-compiled-unity.html

https://forum.playcanvas.com/t/assets-free-3d-models-sprites-icons-and-sounds-for-your-games/19199

2023年3月23日 星期四

SvcMgr ScktComp SConnect ScktCnst "tsocketdispatcherthread" scktsrvr dpr socket server

  proxy server gatekeeper socket server agent VisiBroker

利用 ScktSrvr 打造多功能 Socket 服務器 - Delphi - bestlong 怕失憶論壇 - Powered by Discuz!

http://www.bestlong.idv.tw/forum.php?mod=viewthread&tid=1236&page=1

 一個客戶端連接創建一個TSocketDispatcherThread類的服務線程為該客戶端服務,

"tsocketdispatcherthread" scktsrvr dpr A separate thread per client connection. The server scktsrvr.dpr comes with source code, see TSocketDispatcherThread in ScktMain.pas. – Ondrej ...


 http://www.delphigroups.info/2/17/182900.html

How to create a socketserver service? - delphi

unit    UntSocketMain;
    
        Windows,    Messages,    SysUtils,    Classes,    Graphics,    Controls,    SvcMgr,    Dialogs,
        ScktComp,    SConnect,    ActiveX,    MidConst,    Registry,    ScktCnst;

type
        TSocketDispatcherThread    =    class(TServerClientThread,    ISendDataBlock)
        private
        FRefCount:    Integer;
        FInterpreter:    TDataBlockInterpreter;
        FTransport:    ITransport;
        FInterceptGUID:    string;
        FLastActivity:    TDateTime;
        FTimeout:    TDateTime;
        FRegisteredOnly:    Boolean;
        FAllowXML:    Boolean;
        protected
                    CreateServerTransport:    ITransport;    virtual;
        {    IUnknown    }
                    QueryInterface(const    IID:    TGUID;    out    Obj):    HResult;    stdcall;
                    _AddRef:    Integer;    stdcall;
                    _Release:    Integer;    stdcall;
        {    ISendDataBlock    }
                    Send(const    Data:    IDataBlock;    WaitForResult:    Boolean):
IDataBlock;    stdcall;
        public
        constructor    Create(CreateSuspended:    Boolean;    ASocket:
TServerClientWinSocket;
                const    InterceptGUID:    string;    Timeout:    Integer;    RegisteredOnly,
AllowXML:    Boolean);
        procedure    ClientExecute;    override;
        property    LastActivity:    TDateTime    read    FLastActivity;
        

type
        TSocketDispatcher    =    class(TServerSocket)
        private
        FInterceptGUID:    string;
        FTimeout:    Integer;
        procedure    GetThread(Sender:    TObject;    ClientSocket:
TServerClientWinSocket;
                var    SocketThread:    TServerClientThread);
        public
        constructor    Create(AOwner:    TComponent);    override;
        property    InterceptGUID:    string    read    FInterceptGUID    write    FInterceptGUID;
        property    Timeout:    Integer    read    FTimeout    write    FTimeout;
        

        type
        TMyService    =    class(TService)
        procedure    ServiceStart(Sender:    TService;    var    Started:    Boolean);
        private
        {    Private    declarations    }
        SocketDispatcher:    TSocketDispatcher;
        protected
        procedure    ReadSettings;
        public
                    GetServiceController:    TServiceController;    override;
        {    Public    declarations    }
        

var
        CttsoftService:    TCttsoftService;

implementation

{$R    *.DFM}

{    TSocketDispatcherThread    }
constructor    TSocketDispatcherThread.Create(CreateSuspended:    Boolean;
        ASocket:    TServerClientWinSocket;    const    InterceptGUID:    string;    Timeout:
Integer;
        RegisteredOnly,    AllowXML:    Boolean);
        
        FInterceptGUID    :=    InterceptGUID;
        FTimeout    :=    EncodeTime(Timeout    div    60,    Timeout    mod    60,    0,    0);
        FLastActivity    :=    Now;
        FRegisteredOnly    :=    RegisteredOnly;
        FAllowXML    :=    AllowXML;
        inherited    Create(CreateSuspended,    ASocket);


            TSocketDispatcherThread.CreateServerTransport:    ITransport;
var
        SocketTransport:    TSocketTransport;
        
        SocketTransport    :=    TSocketTransport.Create;
        SocketTransport.Socket    :=    ClientSocket;
        SocketTransport.InterceptGUID    :=    FInterceptGUID;
        Result    :=    SocketTransport    as    ITransport;


{    TSocketDispatcherThread.IUnknown    }

            TSocketDispatcherThread.QueryInterface(const    IID:    TGUID;    out    Obj):
HResult;
        
        if    GetInterface(IID,    Obj)    then    Result    :=    0    else    Result    :=    E_NOINTERFACE;


            TSocketDispatcherThread._AddRef:    Integer;
        
        Inc(FRefCount);
        Result    :=    FRefCount;


            TSocketDispatcherThread._Release:    Integer;
        
        Dec(FRefCount);
        Result    :=    FRefCount;


{    TSocketDispatcherThread.ISendDataBlock    }

            TSocketDispatcherThread.Send(const    Data:    IDataBlock;    WaitForResult:
Boolean):    IDataBlock;
        
        FTransport.Send(Data);
        if    WaitForResult    then
        while    True    do
                
                Result    :=    FTransport.Receive(True,    0);
                if    Result    =    nil    then    break;
                if    (Result.Signature    and    ResultSig)    =    ResultSig    then
                break    else
                FInterpreter.InterpretData(Result);
        


procedure    TSocketDispatcherThread.ClientExecute;
var
        Data:    IDataBlock;
        msg:    TMsg;
        Obj:    ISendDataBlock;
        Event:    THandle;
        WaitTime:    DWord;
        
        CoInitialize(nil);
        try
        FTransport    :=    CreateServerTransport;
        try
                Event    :=    FTransport.GetWaitEvent;
                PeekMessage(msg,    0,    WM_USER,    WM_USER,    PM_NOREMOVE);
                GetInterface(ISendDataBlock,    Obj);
                if    FRegisteredOnly    then
                FInterpreter    :=    TDataBlockInterpreter.Create(Obj,    SSockets)    else
                FInterpreter    :=    TDataBlockInterpreter.Create(Obj,    '');
                try
                Obj    :=    nil;
                if    FTimeout    =    0    then
                        WaitTime    :=    INFINITE    else
                        WaitTime    :=    60000;
                while    not    Terminated    and    FTransport.Connected    do
                try
                        case    MsgWaitForMultipleObjects(1,    Event,    False,    WaitTime,
QS_ALLEVENTS)    of
                        WAIT_OBJECT_0:
                                
                                WSAResetEvent(Event);
                                Data    :=    FTransport.Receive(False,    0);
                                if    Assigned(Data)    then
                                        
                                FLastActivity    :=    Now;
                                FInterpreter.InterpretData(Data);
                                Data    :=    nil;
                                FLastActivity    :=    Now;
                                
                        
                        WAIT_OBJECT_0    +    1:
                                while    PeekMessage(msg,    0,    0,    0,    PM_REMOVE)    do
                                DispatchMessage(msg);
                        WAIT_TIMEOUT:
                                if    (FTimeout    >    0)    and    ((Now    -    FLastActivity)    >    FTimeout)    then
                                FTransport.Connected    :=    False;
                        
                except
                        FTransport.Connected    :=    False;
                
                finally
                FInterpreter.Free;
                FInterpreter    :=    nil;
                
        finally
                FTransport    :=    nil;
        
        finally
        CoUninitialize;
        


{    TSocketDispatcher    }
constructor    TSocketDispatcher.Create(AOwner:    TComponent);
        
        inherited    Create(AOwner);
        ServerType    :=    stThreadBlocking;
        OnGetThread    :=    GetThread;


procedure    TSocketDispatcher.GetThread(Sender:    TObject;
        ClientSocket:    TServerClientWinSocket;
        var    SocketThread:    TServerClientThread);
        
{        SocketThread    :=    TSocketDispatcherThread.Create(False,    ClientSocket,
        InterceptGUID,    Timeout,    SocketForm.RegisteredAction.Checked,
SocketForm.AllowXML.Checked);
Quote

        }

        SocketThread    :=    TSocketDispatcherThread.Create(False,    ClientSocket,
        InterceptGUID,    Timeout,    False,    True);


procedure    ServiceController(CtrlCode:    DWord);    stdcall;
        
        CttsoftService.Controller(CtrlCode);


            TCttsoftService.GetServiceController:    TServiceController;
        
        Result    :=    ServiceController;


procedure    TMyService.ReadSettings;
        
        SocketDispatcher    :=    TSocketDispatcher.Create(nil);
        SocketDispatcher.Port    :=    211;
        SocketDispatcher.ThreadCacheSize    :=    10;
        SocketDispatcher.FInterceptGUID    :=    '';
        SocketDispatcher.FTimeout    :=    0;
        try
        SocketDispatcher.Open;
        except
        on    E:    Exception    do
                raise    Exception.CreateResFmt(@SOpenError,    [SocketDispatcher.Port,
E.Message]);
 
procedure    TMyService.ServiceStart(Sender:    TService;
        var    Started:    Boolean);
        
        if    not    LoadWinSock2    then
        raise    Exception.CreateRes(@SNoWinSock2);

        ReadSettings;
        Started    :=    True;
 

2023年3月18日 星期六

TRANSISTORS

 NEC 8P4SMA 8A MOLD ISOLATED SCR

SMG16C60F Thyristor SCR 

SD103A Schottky Diodes

DTC123EL DIGITAL TRANSISTORS

TOSHIBA-TB6643K Brushed DC Motor Driver ICs

2023年3月14日 星期二

wiki billiard balls material pf polyester resin Phenolic Cotton Phenol formaldehyde resin - Wikipedia

 https://en.wikipedia.org/wiki/Phenol_formaldehyde_resin

 

https://zh.wikipedia.org/wiki/%E9%85%9A%E9%86%9B%E6%A0%91%E8%84%82

Anti-Debug: Debug Flags execution sandbox debug tools ret jmp ntglobalflag

 https://www.google.com/search?q=execution+sandbox+debug+tools+ret+jmp+ntglobalflag&client=firefox-b-d&sxsrf=AJOqlzXnPaMUdTk-A-vN0FtPYW784yLI0A%3A1678790200781&ei=OE4QZIqfL5Xi2roPvLOIgAI&oq=execution+sandbox+&gs_lcp=Cgxnd3Mtd2l6LXNlcnAQARgAMgQIIxAnMgQIIxAnMgQIIxAnMgQIABAeMgYIABAIEB4yBggAEAgQHjIICAAQCBAeEA86BAgAEEdKBAhBGABQyQRYyQRg4xtoAHACeACAAUqIAUqSAQExmAEAoAEByAEKwAEB&sclient=gws-wiz-serp

https://www.apriorit.com/dev-blog/367-anti-reverse-engineering-protection-techniques-to-use-before-releasing-software
https://www.codeproject.com/Articles/1090943/Anti-Debug-Protection-Techniques-Implementation-an
https://anti-debug.checkpoint.com/techniques/debug-flags.html
https://blog.csdn.net/fengyunzhongwei/article/details/39160565
https://www.scribd.com/document/413964852/Anti-Debugging-Protection-Techniques-With-Examples-pdf

https://www.google.com/search?q=execution+sandbox+debug+tools+ret+jmp+ntglobalflag&client=firefox-b-d&sxsrf=AJOqlzXnPaMUdTk-A-vN0FtPYW784yLI0A%3A1678790200781&ei=OE4QZIqfL5Xi2roPvLOIgAI&oq=execution+sandbox+&gs_lcp=Cgxnd3Mtd2l6LXNlcnAQARgAMgQIIxAnMgQIIxAnMgQIIxAnMgQIABAeMgYIABAIEB4yBggAEAgQHjIICAAQCBAeEA86BAgAEEdKBAhBGABQyQRYyQRg4xtoAHACeACAAUqIAUqSAQExmAEAoAEByAEKwAEB&sclient=gws-wiz-serp

https://www.google.com/search?q=execution+sandbox+debug+tools+ret+jmp+ntglobalflag+apriorit+&client=firefox-b-d&sxsrf=AJOqlzUyvWu-d6_fkR8cjH7fpbD8LJorGA%3A1678790228836&ei=VE4QZNfQMp2n2roP0fi_4AU&ved=0ahUKEwjXyvf5nNv9AhWdk1YBHVH8D1wQ4dUDCA4&oq=execution+sandbox+debug+tools+ret+jmp+ntglobalflag+apriorit+&gs_lcp=Cgxnd3Mtd2l6LXNlcnAQDDoKCAAQRxDWBBCwAzoICAAQgAQQywE6BAgAEB46BggAEB4QD0oECEEYAFDyAViiHWD8ImgBcAF4AIABiAGIAe8CkgEDMi4ymAEAoAEBoAECyAEKwAEB&sclient=gws-wiz-serp

https://www.google.com/search?client=firefox-b-d&q=executtion+sandbox

 

 

sDebuggerPresent
PEB (Process Environment Block)
How to neutralize the IsDebuggerPresent check
TLS Callback
NtGlobalFlag
How to neutralize the NtGlobalFlag check
NtGlobalFlag and IMAGE_LOAD_CONFIG_DIRECTORY
Heap Flags and ForceFlags
How to neutralize the Heap Flags and ForceFlags checks
Trap Flag Check
How to neutralize the TF check
CheckRemoteDebuggerPresent and NtQueryInformationProcess
How to neutralize CheckRemoteDebuggerPresent and NtQueryInformationProcess
Other techniques of anti-debug protection based on NtQueryInformationProcess
How to neutralize the NtQueryInformationProcess checks
Breakpoints: Software and Hardware ones
SEH (Structured Exception Handling)
How to neutralize SEH checks
VEH (Vectored Exception Handler)
How to neutralize hardware breakpoint check and VEH
NtSetInformationThread – hiding thread from debugger
How to neutralize thread hiding from debugger
NtCreateThreadEx
How to neutralize NtCreateThreadEx
Handle Tracing
Stack Segment Manipulation 

HyperDbg: Reinventing Hardware-Assisted Debugging
misc0110.net
https://misc0110.net › files › hyperdbg_ccs22
  We describe how the pro- posed debugger enables transparent debugging of I/O devices, analy- ses performance of software, and provides means for code coverage.
 

Windows Anti-Debug Reference

http://www.symantec.com/connect/articles/windows-anti-debug-reference


2023年3月10日 星期五

Sensors | Free Full-Text | A Novel Deep Neural Network Method for HAR-Based Team Training Using Body-Worn Inertial Sensors neural network AI Deployment Workflow Train Optimize distribution

 https://www.mdpi.com/1424-8220/22/21/8507

 

  Sensors | Free Full-Text | A Novel Deep Neural Network Method for HAR-Based Team Training Using Body-Worn Inertial Sensors 

 PyTorch Recipes  A Problem-Solution Approach to Build, Train and Deploy Neural Network Models

neural network AI Deployment Workflow Train Optimize distribution

https://neptune.ai/blog/knowledge-distillation 

Knowledge Distillation: Principles, Algorithms, Applications - neptune.ai

DIANNE: a modular framework for designing, training and deploying deep neural networks on heterogeneous distributed infrastructure - ScienceDirect

Sensors | Free Full-Text | Quantization and Deployment of Deep Neural Networks on Microcontrollers

2023年3月8日 星期三

10Mbps BPSK ZIF transceivers for 1.2GHz, 2.3GHz and 3.4GHz

 max2870 23.5mhz-6ghz pll core board + control board for signal generator frequency source

 

 10Mbps BPSK ZIF transceivers for 1.2GHz, 2.3GHz and 3.4GHz

 https://s53mv.s56g.net/3zif/frontend.html

http://lea.hamradio.si/~s53mv/3zif/design.html

Low Cost Microwave Radar Modules For 3, 10, and 24 GHz Categories 3D Spherical Patterns, ALL Antennas, EIRP Radiation, Microwave, PCB 24GHz Doppler Radar Motion Sensor

 https://antennatestlab.com/antenna-examples/radar-antenna-pattern-rcwl-0516-hb100-cdm324

 low cost microwave radar modules cdm324 rcwl0516 hb100 hfscd06 lv002

MH-100X HB100  RCWL 0516 HB100 CDM324 LD112 IR24FDA
 
SEN0395 SEN0192 BGT60TR13C MW2401TR11 

ologymart 5.8ghz Ologymart DC 12V-24V 5.8GHz Microwave Radar Motion ...