应该不行~,使用数据库或注册表或INI文件

解决方案 »

  1.   

    Preface Lots of people using high-level languages, like Object Pascal, do not know much about what happens with their code when they click compile in Delphi. If you have a basic knowledge about assembler and about the exe file format, the comments in the source code should make everything pretty clear. For everyone else, I will try to explain what's done in the source code. 
    My own knowledge about assembler and the exe format is limited and I learned most of it while looking for information about piracy protection and how to implement self-modifying code myself. The reason why I did this article is that I found very little information about this issue, so I put everything I found together to share it. Further, english is not my native language, so excuse any spelling and grammatical mistakes. Self-modifying code with Delphi What is it? Normally, we modify our code at design time. This usually happens inside Delphi before the code is compiled. Well, we all know this. 
    Then, sometimes compiled code gets modified, e.g. a patch might be applied to a (non-running) exe file to do changes to the original exe. This is often used when applications are distributed widely and the users want to update to a newer version. To save download time and to prevent that the user has to reinstall the whole application again, only the differences between two versions of an exe file are distributed in a patch file an applied to the old version of the exe. Another example of patch files are "cracks"... little com or exe files that remove built-in limitations (evaluation time limits, etc.) from applications. 
    These two kinds of code modifications are obviously done before the exe is executed. When an exe file is executed the file gets loaded into memory. The only way to affect the behavior of the program after this point is to modify the memory where the exe now resides. 
    A program that modifies itself while it is running by doing changes to the memory uses "self-modifying code". 
    Why is it bad? 
    Self-modifying code makes debugging harder, since there is a difference in what is in the memory and what the debugger thinks is in the memory. 
    Self-modifying code also has a bad reputation, especially because the most prominent use for it are viruses, that do all kinds of hide and seek tricks with it. This also means that if you use self-modifying code it's always possible that a virus checker will complain about your application. Why is it good? 
    Self-modifying code makes debugging harder. While this is bad if you want to debug your code, it's good to prevent others from debugging your code or at least make it harder for them. This is the reason why self-modifying code can be an effective part of a piracy protection scheme. It won't prevent that an application can be cracked, however a wise use of this technique can make it very hard. 
    What functions are needed? In a Windows environment we can make use the following API calls: ReadProcessMemory(hProcess,lpBaseAddress,lpBuffer,nSize,lpNumberOfBytesRead);
    This function is used, well, to read the memory of a process. Since this article is about _self_-modifying code, we will always use this function  on our process only. 
    WriteProcessMemory(hProcess,lpBaseAddress,lpBuffer,nSize,lpNumberOfBytesWritten);
    Used for writing data to a process memory. 
    VirtualProtect(lpAddress,dwSize,flNewProtect,lpflOldProtect);
    Used to change the access protection of a region in memory. To learn more about these functions, refer to the Win32 help file that ships with Delphi and take a look how they are used in the sample code. 
    What does the example code do? The code that will be modified is inside the CallModifiedCode procedure: procedure TForm1.CallModifiedCode(Sender: TObject); 
    var 
      b:boolean; 
      c:TColor; 
    label 1; 
    begin 
      c := clgreen; 
      b := true;   if b then goto 1; 
      asm 
        nop 
        nop 
        nop 
        nop 
        nop 
        nop 
      end; 
      c := clred; 
      1: 
      form1.Color := c; 
    end;
      

  2.   


    After studying the code you might be puzzled about some things. Obviously, this code sets the color of Form1, but as it is, the color will always be green, since b is always true, so it will always jump to label 1 and c:=clred before never gets called. 
    However, there is another function in the program that will change the line if b then goto 1; to if NOT(b) then goto 1; while the program is running, so after this modification in memory is done and this function is called again the form will actually be changed to red. Note that we will not change the boolean value of b, but virtually insert a "NOT" into the if statement. 
    Surely you noticed the six "nop"'s. "nop" is an assembler instruction and means "no operation", so these 6 lines do just nothing. 6 nop's in a row are quite unusual in a compiled exe, so we will use these nops as a er for the position of the if statement above inside the compiled exe. 
    To understand how we will modify the code, we need to take a look at what the compiler will make from our pascal code. You can do this by running the project from Delphi, setting a breakpoint on the line with the if statement and (once you called the CallModifiedCode procedure by clicking the button and the debugger stopped the execution) opening the CPU window from Delphi's debug menu. You will see something like this: 807DFB00 cmp byte ptr [ebp-$05],$00 
    750D   jnz TForm1.CallModifiedCode + $2A 
    90   nop 
    90   nop 
    90   nop 
    90   nop 
    90   nop 
    90   nop
    Well, we can clearly see the 6 nops we placed in our code. The two lines above are the assembler code of the if statement. The first line compares a value (as we know from the pascal code this has to be the boolean value of b) with $00, the hexadecimal notation of 0, that in the case of a boolean variable means false. 
    The second line starts with jnz, what means "jump if not equal" (technically, "jump if not zero") and the address to jump to if the compared values from line one are not equal. So, the first two lines mean: "Compare the value of variable b with 0 (false) and if they are not equal jump away." 
    Note the hexadecimal values to the left of the asm code above. Each assembler instruction has a unique hexadecimal identifier. Obviously, $90 means "nop". $75 means "jnz", which is followed by the address (relative to the current address) to jump to ($0D in this case). $80 means "cmp" followed by some hexadecimal data specifying what and how it it compared. This hexadecimal representation of the assembler instructions is what makes the exe. If you have a hex editor, load the compiled exe and try to search for "909090909090". You will quickly find it and you will notice that the values before will be identical with the values above. 
    So, coming back to our task, if we want to insert "NOT" into our if statement, we will need to replace "jnz" with "jz". "jz" means "jump if zero" or "jump if equal". Replacing "jnz" with "jz" will reverse the condition in the original if statement, so once this modification is done the jump will not be done and the line c:=clRed; will be executed and the form will get red. As I said, "jnz" is represented by the hexadecimal value $75. The hexadecimal value for "jz" is $74. 
    Let's summarize what we have to do to change "if b then goto 1;" to "if NOT(b) then goto 1;": Locate $909090909090 in memory. From this position, go back two bytes and replace $75 with $74. If we want to go back to the original code, we do the same, but replace $74 with $75. 
    This is what is done in procedure TForm1.ModifyCode. I'll not go into further details here, but the source has lots of comments. You can download the sample code for this article by clicking here. After calling ModifyCode by clicking one of the two buttons on the right, click the "Execute code" button again and open the CPU view in Delphi to see that $75 was actually replaced with $74 or vice versa. 
    Epilog 
    There are easier ways to set the color of a form depending on which button was clicked ;-), but of course the purpose here is to demonstrate the concept of self-modifying code. Self-modifying code is a powerful technique and the example code might be very useful to implement a piracy protection scheme. 
    Finally, a small warning: You should take care when using a series of assembler nop's as a er in real world applications, as these kind of unused code sections can be a nest for some viruses, e.g. the 
      

  3.   

    e文我没太看懂,很高兴这么多编友关注,我很希望得到答案,也希望大家帮助
    把此贴子提前,谢谢了。
    ohsee
      

  4.   

    上面那篇文章和附带的例子只是在内存中改变了EXE的内容,但没有保存,实际上是改变了之后是否可以保存下来。好像没有什么实际意义,如果改变是永久的就好啦。
    unit Unit1;(*
    An example of self-modifying code.Tested with Delphi 4 on Windows 98 and NT 4.You may use this code freely, but make sure you
    know what you are doing.Global disclaimer: It's not my fault! ;-)Feb '99 - Marcus Moennig - [email protected]
    *)interfaceuses
      Windows, Messages, SysUtils, Classes, Graphics, Controls, Forms, Dialogs,
      StdCtrls;type
      TForm1 = class(TForm)
        Button1: TButton;
        Green: TButton;
        Red: TButton;
        procedure CallModifiedCode(Sender: TObject);
        procedure ModifyCode(Sender: TObject);
      private
        { Private declarations }
      public
        { Public declarations }
      end;var
      Form1: TForm1;implementation{$R *.DFM}{$O-} //make sure nop's don't get optimized out of the compiled exeprocedure TForm1.CallModifiedCode(Sender: TObject);
    var b: boolean;
      c: TColor;
    label 1;
    begin
      c := clgreen;
      b := true;
    // The next line will get modified in memory.
    // The comments show what the asm code and the hexadecimal
    // representation of the asm code in the compiled exe will look like.
    // You can set a breakpoint on the next line and open Delphi's CPU view
    // to see the change.  if b then goto 1; // "jnz SOME_ADDRESS"  "$75 SOME_ADDRESS"// We will modify the line above to:
    // "jz SOME_ADDRESS"  "$74 SOME_ADDRESS" what means:
    // if NOT(b) then goto 1;// The following asm code does nothing (nop=no operation).
    // It's simply used as a er to find the position
    // of the jump above in memory.
      asm
    nop                      // $90
    nop                      // $90
    nop                      // $90
    nop                      // $90
    nop                      // $90
    nop                      // $90
      end;
      c := clred;
      1:
      form1.Color := c;
    end;
    procedure TForm1.ModifyCode(Sender: TObject);const BUFFMAX = 65536;type TBytes6 = array[0..5] of byte;
      TMemblock = array[0..BUFFMAX - 1] of byte;  function ReadBufferFromMemory(ad, size: integer; var MB: TMemBlock): cardinal;
      var cnt: cardinal;
      begin
        ReadProcessMemory(Getcurrentprocess, pointer(ad), @MB[0], size, cnt);
      // return number of bytes read
        ReadBufferFromMemory := cnt;
      end;  procedure WriteByteToMemory(ad: cardinal; rt: byte);
      var cnt: cardinal;
        oldprotect: dword;
      begin
      //make sure we have write access to this address
        VirtualProtect(pointer(ad), sizeof(rt), PAGE_EXECUTE_READWRITE, @oldprotect);
        WriteProcessMemory(Getcurrentprocess, pointer(ad), @rt, sizeof(rt), cnt);
      //restore the previous access protection
        VirtualProtect(pointer(ad), sizeof(rt), oldprotect, @oldprotect);
      end;var st: TBytes6;
      rt: Byte;
      stcount: word;
      BytesRead: cardinal;
      sad, ead, ad: cardinal;
      x, y, z: cardinal;
      found: boolean;
      MemBlock: TMemBlock;
    begin
    //define the "search term"
      st[0] := $90; //in asm this means: nop
      st[1] := $90;
      st[2] := $90;
      st[3] := $90;
      st[4] := $90;
      st[5] := $90;
      stCount := 6;
    //replace term depending on which button was clicked
      if (sender = red) then rt := $74 // in asm: jz
      else rt := $75; // in asm: jnz
    //address range to be searched
      sad := ($00400000);
      ead := ($7FFFFFFF);
    //current address
      ad := sad;
      found := false;
      repeat
      //read one block of length BUFFMAX from the current address ad
        BytesRead := ReadBufferFromMemory(ad, BUFFMAX, MemBlock);
      //no bytes read; so get out
        if BytesRead = 0 then break;
      // make sure we don't miss the search term when it spans two blocks
        if BytesRead = BUFFMAX then BytesRead := BytesRead - stCount;
      // search this MemoryBlock
      // cycle through the MemoryBlock
        for x := 0 to BytesRead - 1 do
        begin
          found := true;
          // check for search term
          for y := 0 to stCount - 1 do
            if MemBlock[x + y] <> st[y] then
            begin
              found := false;
              break;
            end;
          if found then
          begin
             // the search term starts at ad+x+y-stcount
            z := ad + x + y - stcount;
             // the code we want to replace starts 2 bytes before
            WriteByteToMemory(z - 2, rt);
            break; // stop searching
          end;
        end;
        ad := ad + BytesRead;
      until (ad >= ead) or found;
    end;end.object Form1: TForm1
      Left = 330
      Top = 217
      Width = 292
      Height = 107
      Caption = 'Self-modifying code'
      Color = clBtnFace
      Font.Charset = DEFAULT_CHARSET
      Font.Color = clWindowText
      Font.Height = -11
      Font.Name = 'MS Sans Serif'
      Font.Style = []
      OldCreateOrder = False
      PixelsPerInch = 96
      TextHeight = 13
      object Button1: TButton
        Left = 16
        Top = 16
        Width = 81
        Height = 57
        Caption = 'Execute code'
        TabOrder = 0
        OnClick = CallModifiedCode
      end
      object Green: TButton
        Left = 104
        Top = 48
        Width = 161
        Height = 25
        Caption = 'Modify code (green)'
        TabOrder = 1
        OnClick = ModifyCode
      end
      object Red: TButton
        Left = 104
        Top = 16
        Width = 161
        Height = 25
        Caption = 'Modify code (red)'
        TabOrder = 2
        OnClick = ModifyCode
      end
    end
      

  5.   

    在unix中可以改自己,在windows中是不可以的,所有大家还是往外部文件中写吧。
    注册表、ini、自定义流文件、其它EXE或DLL的屁股后面都行。
      

  6.   

    小技巧
       写在自己的最后,下回往出读时麻烦一些.
    可以写两个可执行程序或dll,一个专门负责
    登陆,读取主程序的密码,另一个是主程序.
      

  7.   

    to s2s()
    这好象只是改变了内存中的程序,以这种方式能在程序中保存密码么?
    程序运行的时候,文件本身也能修改吗?
      

  8.   

    我实话告诉你,这个问题是可以的,不是别人所说的只能在UNIX下用,因为我亲眼看过别人的程序。自己现在想不起来了。不知哪个地址跳到哪个地址下了.
      

  9.   

    谁说很难
    这个很简单
    还是思路问题
    不过要用到wininit.ini
    你可以将自身EXE复制到随便一个文件
    然后将密码写入
    之后修改wininit.ini
    将文件下次替换掉就成
      

  10.   

    还可以用INT3的CIH方法跳到RING0
    实现
      

  11.   

    现在多数机器都安有防火墙,杀毒软件什么的,获得ring0的方法可以用,但恐怕也就被当病毒查出来了,要是商业软件,在客户那边就说不清了。用winini的方法太麻烦,我觉得要是小软件的话,
    1。外部文件+加密算法就可以了,
    2。写一个dll,用程序先调用,找不到就不行,然后注册信息写在dll后面或中间的空地里,运行读不到就退出
    对于大型软件,有数据库的最好写在server的数据库中
      

  12.   

    Windows2000中是可以更改正在执行的文件的。但Win98就不行
      

  13.   

    同意zygtp的说法。
    去那里看看不就知道了?
    不过可不是现成的,参考他的“EXE文件加密器”不就行了?
    用流(TFileStream,TMemoryStream)来处理。
      

  14.   

    up!类似killself,偶在DOS上可以
    差点变成病毒,就是不会传染  :-)
      

  15.   

    可执行文件在装载的时候是按照内存印象文件(MapFile)的方式进行的。一般的内存印象文件在关闭以后,对文件所作的修改会在关闭后反映到文件当中去。但是为什么可执行文件在执行过程中作的改变不会呢?
    另外一个值得思考:为什么在文件执行后,OpenFile就不能打开了呢?但是Explorer去仍然可以执行文件。