Ir para conteúdo

Líderes

Conteúdo Popular

Exibindo conteúdo com a maior reputação em 01/29/11 em todas áreas

  1. 1 ponto
    Aew galera... vi que a maioria aqui programa com TibiaAPI e VB... entao, resolvi criar uns tutoriais pra ver se a galera se motiva a programar em Delphi, SEM usar a API. Vo dar um exemplo SIMPLES de como ler um valor numeral (life do char por exemplo)... e como converter ele pra uma string ( converter é uma função muito simples do proprio delphi ;/ ). Para seguir esse tutorial, é necessário ter noção básica de delphi, e obviamente, ter o delphi... não darei muitas explicações sobre "onde por o codigo" e sim "onde podemos usá-lo"... Antes de postar algo, por favor, leia o tópico todo (mesmo se nao entender algo...) para uma melhor avaliação x.X.. No final do tuto teremos o codigo completo (caso haja duvidas)... Vamos lá: ReadProcessMemory É uma função capaz de ler memoria (ahh váa), vo explicar os parametros dela (não muito explicado... kkkk, só o bastante pra entenderem como usar), e dar um exemplo. Entãao... hora de programar \o/ Crie um novo projeto no delphi... nele adicione uma label (aba standard) e um timer (aba system)... Antes de começar a editar os componentes e suas ações, vamos inserir essas variaveis globais: PH : THandle; PID, ThID: DWORD; H : THandle; Vamos mudar a propriedade Name da label para Vida, e deixaremos o enabled do Timer em True e o Interval em 10 (não "muito rápido", mas, o essencial para o programa de exemplo funcionar...) Agora, abaixo do Implementation... colocaremos esta função, pra ser mais pratico de se ler... function LerInt(Address: Integer): Integer; var value:integer; ler :dword; begin H := FindWindow(nil, 'Tibia'); ThID := GetWindowThreadProcessId(H, @PID); PH := OpenProcess(PROCESS_ALL_ACCESS,FALSE,PID); ReadProcessMemory(PH, Ptr(Address), @Value, 4, Ler); Result:=value; end; Dê dois clickes no timer, para ir ao evento do OnTimer dele... e insira o seguinte código: vida.caption := 'Vida: '+IntToStr(Lerint($0063FD5C)); Execute (apertando F9), com o tibia aberto... (ou abra o tibia depois...sei lá), e veja a leitura acontecendo \o/ Agora sim vo explicar x.X Declaramos variaveis globais para 'preencher' os parametros da leitura de memoria.... No código da função, começamos com a linha : H := FindWindow(nil, 'Tibia'); A ideia é achar a janela do tibia, e dar esse 'valor' pra uma variavel Handle... que é para o primeiro paremetro da função de readprocessmemory. Podemos achar a janela pela classe ou pelo titulo (caption, ou texto da janela... se preferirem), por exemplo: se eu usar: H := FindWindow('Tibiaclient', nil); // classe da janela do tibia nesse caso, é a mesma coisa de usar: H := FindWindow(nil, 'Tibia'); //nome da janela do tibia Nessa parte do códigos, definimos que temos acesso total ao programa ( o tibia )... PH := OpenProcess(PROCESS_ALL_ACCESS,FALSE,PID); E finalizando, temos a leitura... Usando o PH que é uma handle com acesso aos address do tibia, o address a ser lido, o retorno do valor, usando 4 bytes, e lendo com uma variavel dword... ( se não entendeu... siga a minha escrita e as cores, e vc entende... ) ReadProcessMemory(PH, Ptr(Address), @Value, 4, Ler); E temos o resultado: Result:=value; Analisando a função minha, temos isso: function LerInt(Address: Integer): Integer; Ou seja, LerInt(Address) retornando valor integer... Assim nosso timer atualiza o valor, com o seguinte código: vida.caption := 'Vida: '+IntToStr(Lerint($0063FD5C)); // address de vida do tibia 8.7 (se meu address não estiver errado ;P) Ou seja, nossa label chamada vida, tem sua propriedade caption alterada para o valor lido... mas, o valor é Integer, e a caption aceita String, então convertemos usando a função IntToStr ... ( integer Para String ;/ ).... Bom, é isso galera, acredito que muitos conhecem o ReadProcessMemory, só tentei explicar um pouco o que sei sobre a função =] Se alguém teve duvida de aonde colocar cada code...No final, teremos um código mais ou menos assim: unit Unit1; interface uses Windows, Messages, SysUtils, Variants, Classes, Graphics, Controls, Forms, Dialogs, ExtCtrls, StdCtrls; type TForm1 = class(TForm) vida: TLabel; Timer1: TTimer; procedure Timer1Timer(Sender: TObject); private { Private declarations } public { Public declarations } end; var Form1: TForm1; PH : THandle; PID, ThID: DWORD; H : THandle; implementation function LerInt(Address: Integer): Integer; var value:integer; ler :dword; begin H := FindWindow(nil, 'Tibia'); ThID := GetWindowThreadProcessId(H, @PID); PH := OpenProcess(PROCESS_ALL_ACCESS,FALSE,PID); ReadProcessMemory(PH, Ptr(Address), @Value, 4, Ler); Result:=value; end; {$R *.dfm} procedure TForm1.Timer1Timer(Sender: TObject); begin vida.caption := 'Vida: '+IntToStr(Lerint($0063FD5C)); end; end. OBS: o code é baseado naquele classico código da internet (tem em todos foruns quase X.X )... de ler e editar pontos no pinball do windows (mas, somente a parte de leitura)..., porém fiz algumas modifcações e transformei ele em uma função... flw, abraços.... Qualquer duvida, sugestão ou correção... podem falar =]
  2. Função Say para o Tibia (Sem TibiaAPI)

    rahim901 reagiu a DragonBoss por uma resposta no tópico

    1 ponto
    Falaaa galera x.x Tentando dar uma continuidade à programação para tibia sem uso de tibiaapi, vo postar uma função aqui (meio que 'gambiarra', mas, funciona)... No outro tutorial eu expliquei um pouco sobre leitura de memoria.. esse aqui não tem muito a ver, mas, complementa aquele pra quem quer fazer bot sem TibiaAPI x.X Primeira observação: As funções são declaradas abaixo do implementation, e ae podem ser usadas somente completando os argumentos delas... como de costume, minhas funções usam argumentos simples. Segunda observação: Essa função vai digitar letra por letra da mensagem e depois dar um enter. Função Say: function say(mensagem: string):string; var h: HWND; letra: Integer; B: Byte; begin h := FindWindow(nil, 'tibia'); for letra := 1 to Length(mensagem) do begin B := Byte(mensagem[letra]); SendMessage(h, WM_CHAR, B, 0); end; SendMessage(h, WM_CHAR, 13, 0); end; Analisando a função: H = janela do tibia. Mensagem = mensagem que a função vai digitar no tibia. as variáveis Letra e B trabalharam assim: a letra vai de 1 até a quantia de caracteres da mensagem, e o B se torna o byte da letra a ser enviada... e ele envia com a API SendMessage (é uma API do windows, e NÃO tem nada a ver com TibiaAPI ). No fim temos: SendMessage(h, WM_CHAR, 13, 0); Isso será responsável por apertar um Enter após ele terminar de digitar a mensagem ( 13 = VK_return = Enter ). Olhando a primeira linha, vemos como podemos usa-la: function say(mensagem: string):string; Ou seja, é só usar assim: Say('mensagem aqui'); ou com um edit: Say(edit1.text); Pode usar de diversas formas, desde que ele trabalhe com uma string =] Segue em Anexo a source de um projeto somente com a função, e um exemplo de usa-la, com um edit e um botão (você digita a mensagem no edit, e clica no botão.. e ele envia pro tibia \o/ ).... Flw galera, abraços... Sei que tá bem simples, mas, espero que ajude vocês. _____________________________________________________________ Usando Função Say.rar
  3. AlienBot - BETA [8.5 ~ 8.62]

    Fimorais reagiu a Renato por uma resposta no tópico

    1 ponto
    AlienBot - Versão 1.0.0.2 (BETA) Copyright © TibiaBots.NET - Todos os direitos reservados. 90% Indetectável - Não envia pacotes ao servidor do Tibia. VERSÕES EM INGLÊS E PORTUGUÊS! [RECOMENDO INGLÊS] Bot oficial do TibiaBots.NET QUALQUER BUG POSTE AQUI! BOT EM FASE BETA! Ferramentas: Basic Functions: Level Spy Light Hack Outfits and Addons Show Invisible Monsters Healing: Heal - Spell, Potion, Rune Mana Restore - Potion, per ID Auto Cure Paralyse Auto Cure Poison AFK Tools: Mana Caster (Train ML) Rune Maker Auto Eat Food Anti-Kick (you choose minutes to rotate) Com erros em Level Spy e Show Invisible Monsters. Rune Maker não testado. Clientes: 8.50 8.52 8.53 8.54 8.55 8.56 8.57 8.60 8.61 8.62 Criador: Renato Ajudante: Puncker Agradecimentos: Matheus Sesso Guilherme Henrique M. Todos do TibiaBots.NET DarkstaR klusbert Screenshots: Downloads: Primeira Opção [iNGLÊS] [RECOMENDADO]: AlienBot 1.0.0.2 - BETA.rar Segunda Opção [iNGLÊS] [RECOMENDADO]: AlienBot 1.0.0.2 - BETA.rar Primeira Opção [PORTUGUÊS]: AlienBot 1.0.0.3 - BETA.rar Segunda Opção [PORTUGUÊS]: AlienBot 1.0.0.3 - BETA.rar Scan: 0/43 (0.0%)
  4. Falaaaa galeraa... Dando continuidade aos meus tutoriais de programação SEM TIBIAAPI, vou postar agora mais uma função que pode ser util a vocês x.x Ela trabalha de uma forma simples, só ve qual o texto que foi inserido na função, e trabalha a partir disso (se digitei F1 ele vai usar F1 na janela do tibia)... Um exemplo de utilização é pra healer... por exemplo (em pseucodes ): se player.vida <= vida.paraHealar então Hotkey('F1'); Vamos la: A função é a seguinte: function hotkey(x :string): string; var h: HWND; i : integer; begin if x ='F1' then i := 112; if x ='F2' then i := 113; if x ='F3' then i := 114; if x ='F4' then i := 115; if x ='F5' then i := 116; if x ='F6' then i := 117; if x ='F7' then i := 118; if x ='F8' then i := 119; if x ='F9' then i := 120; if x ='F10' then i := 121; if x ='F11' then i := 122; if x ='F12' then i := 123; h := FindWindow(nil, 'Tibia'); // acha a janela do tibia SendMessage(h, WM_KEYdown, i, 0); //pressiona a tecla SendMessage(h, WM_KEYUP, i, 0); //solta tecla end; Obs: coloque a função abaixo do Implementation, e você pode usa-la no decorrer do programa. Analisando a função ( como sempre x.X ): Ou seja, vamos usar ela assim: Lembrando que o code é bem simples, e só funciona com hotkeys do F1 ao F12 (é só ver o code...mas é fácil adaptar para usar ctrl + F's ) Você pode usar também a função com um edit ou outra coisa do tipo (que seja string)... ou seja: Se no edit1.text tiver escrito F1, ele pressiona essa hotkey no tibia. =] Um code simples, mas, espero que seja util, e que dê ideias de como vocês podem fazer outros sistemas "indetectáveis" pro tibia. flw, abraços galera #Edit Seguindo a sugestão do Flamer para um menor consumo de processamento, fiz uma versão com else if... a função não altera muito (acredito que só seu consumo de processador), ou seja, a utilização fica da mesma forma, se alguém quiser testar a nova função para ver se há mudanças... é a seguinte (só troque a função por essa) : function hotkey(x :string): string; var h: HWND; i : integer; begin if x ='F1' then i := 112 else if x ='F2' then i := 113 else if x ='F3' then i := 114 else if x ='F4' then i := 115 else if x ='F5' then i := 116 else if x ='F6' then i := 117 else if x ='F7' then i := 118 else if x ='F8' then i := 119 else if x ='F9' then i := 120 else if x ='F10' then i := 121 else if x ='F11' then i := 122 else if x ='F12' then i := 123; h := FindWindow(nil, 'Tibia'); // acha a janela do tibia SendMessage(h, WM_KEYdown, i, 0); //pressiona a tecla SendMessage(h, WM_KEYUP, i, 0); //solta tecla end; Flw², Abraços²
  5. Tibia MCV 2.8.8 [8.71]

    Guilherme. reagiu a Renan por uma resposta no tópico

    1 ponto
    Tibia MCV 2.8.8 [8.71] O Tibia MCV é um bot para Tibia completamente em português e gratuito. Ele automatiza ações repetitivas e entediante e também tem uma segurança garantida, sem nenhum tipo de hacking, ele é um ótimo bot substituto, pois contém quase todas as funções do TibiaBot NG! TibiaMCV288-871-TibiaBots.net.rar Link Mirror Scan: http://www.virustotal.com/file-scan/report.html?id=2beed20ba242f3de7831e7c345d68723871996d18daa14124d90c016b2655c50-1296318513
  6. Dúvidas sobre pagamento

    Desthemydus reagiu a Puncker por uma resposta no tópico

    1 ponto
    Na hora que você vai no DAOpay ele já converte tudo pra Reais e você recebe o premium na hora após completar as etapas. E você pode baixar a última versão que funciona em 8.5 ~ 8.71. Você pode transferir o tempo premium pra outra conta e ativar quando quizer. Ela vem desativada tem que clicar em Active onde aparece o tempo que você comprou.
  7. Taxa de UpLoad.

    Dioudiou reagiu a EdsonJunior por uma resposta no tópico

    1 ponto
    Cara, olha minha taxa de Upload :@ Aumenta aê, ou se não vou ter que deletar meu life thread pra postar os waypoints and scripts ;\\
  8. Taxa de UpLoad.

    Dioudiou reagiu a EdsonJunior por uma resposta no tópico

    1 ponto
    Tudo OK flor... podefechar! :*
  9. Taxa de UpLoad.

    Dioudiou reagiu a Renato por uma resposta no tópico

    1 ponto
    @UP Eu ia falar isso... Atendimento Concluído. Edson, mais alguma coisa ou já posso fechar o Tópico?
  10. Taxa de UpLoad.

    Dioudiou reagiu a Guilherme. por uma resposta no tópico

    1 ponto
    mano faz o seguinte, posta as ss no imageshack, pra sobrar espaço pros waypoints x_x
  11. Taxa de UpLoad.

    Dioudiou reagiu a EdsonJunior por uma resposta no tópico

    1 ponto
    ae, valeu, te amo amor! (L) Agora tenho 9MB! *_*' Vou parar de salvar as SS em pNG, cada uma eh 1mb EWHQIHEQIUW (A)
  12. [Lista] Componentes e suas Abas

    Grippe reagiu a EdsonJunior por uma resposta no tópico

    1 ponto
    Lembrando, são apenas os componentes padrões do delphi, aqueles que você baixa, não estão incluídos no tópico. Se quiser procurar um componente, aperte Ctrl+F e digite seu nome. Aba Standard: Frames - Standard MainMenu - Standard PopupMenu - Standard Label - Standard Edit - Standard Memo - Standard Button - Standard CheckBox - Standard RadioButton - Standard ListBox - Standard ComboBox - Standard ScrollBar - Standard GroupBox - Standard RadioGroup - Standard Panel - Standard ActionList - Standard Aba Additional: BitBtn - Additional SpeedButton - Additional MaskEdit - Additional StringGrid - Additional DrawGrid - Additional Image - Additional Shape - Additional Bevel - Additional ScrollBox - Additional CheckListBox - Additional Splitter - Additional StaticText - Additional ControlBar - Additional ApplicationEvents - Additional ValueListEditor - Additional LabeledEdit - Additional ColorBox - Additional Chart - Additional ActionManager - Additional ActionMainMenuBar - Additional ActionTollBar - Additional XPColorMap - Additional StandardColorMap - Additional TwilightColorMap - Additional CustomizeDlg - Additional Aba Win32: TabControl - Win32 PageControl - Win32 ImageList - Win32 RichEdit - Win32 TrackBar - Win32 ProgressBar - Win32 UpDown - Win32 HotKey - Win32 Animate - Win32 DateTimePicker - Win32 MonthCalendar - Win32 TreeView - Win32 ListView - Win32 HeaderControl - Win32 SatusBar - Win32 ToolBar - Win32 CoolBar - Win32 PageScroller - Win32 ComboBoxEx - Win32 XPManifest - Win32 Aba Sytem: Timer - System PaintBox - System MediaPlayer - System OleContainer - System DdeClientConv - System DdeClientItem - System DdeServerConv - System DdeServerItem - System Aba Data Acess: Data Source - Data Acess ClientDataSet - Data Acess DataSetProvider - Data Acess XMLTransform - Data Acess XMLTransformProvider - Data Acess XMLTransformClient - Data Acess Aba Data Controls: DbGrid - Data Controls DbNavigator - Data Controls DbText - Data Controls DbEdit - Data Controls DbMemo - Data Controls DbImage - Data Controls DbListBox - Data Controls DbComboBox - Data Controls DbCheckBox - Data Controls DbRadioGroup - Data Controls DbLookupListBox - Data Controls DbLookupComboBox - Data Controls DbRichEdit - Data Controls DbCtrlGrid - Data Controls DbChart - Data Controls Aba dbExpress: SQLConnection - dbExpress SQLDataSet - dbExpress SQLQuery - dbExpress SQLStoredProc - dbExpress SQLTable - dbExpress SQLMonitor - dbExpress SimpleDataSet - dbExpress Aba DataSnap: DCOMConnection - DataSnap SocketConnection - DataSnap SimpleObjectBroker - DataSnap WebConnection - DataSnap ConnectionBroker - DataSnap SharedConnection - DataSnap LocalConnection - DataSnap Aba BDE: Table - BDE Query - BDE StoredProc - BDE Database - BDE Session - BDE BatchMove - BDE UpdateSQL - BDE NestedTable - BDE Aba ADO: ADOConnection - ADO ADOCommand - ADO ADODataSet - ADO ADOTable - ADO ADOQuery - ADO ADOStoredProc - ADO RDSConnection - ADO Aba InterBase: IBTable - InterBase IBQuery - InterBase IBStoredProc - InterBase IBDatabase - InterBase IBTransaction - InterBase IBUpdateSQL - InterBase IBDataSet - InterBase IBSQL - InterBase IBDatabaseInfo - InterBase IBSQLMonitor - InterBase IBEvents - InterBase IBExtract - InterBase IBClientDataSet - InterBase Aba WebServices: HTTPRIO - WebServices HTTPReqResp - WebServices OPToSoapDomConvert - WebServices SoapConnection - WebServices HTTPSoapDispatcher - WebServices WSDLHTMLPublish - WebServices HTTPSoapPascalInvoker - WebServices Aba InternetExpress: XMLBroker - InternetExpress InetXPageProducer - InternetExpress Aba Internet: WebDispatcher - Internet PageProducer - Internet DataSetTableProducer - Internet DataSetPageProducer - Internet QueryTableProducer - Internet SQLQueryTableProducer - Internet TcpClient - Internet TcpServer - Internet UdpSocket - Internet XMLDocument - Internet WebBrowser - Internet Aba WebSnap: Adapter - WebSnap PagedAdapter - WebSnap DataSetAdapter - WebSnap LoginFormAdapter - WebSnap StringsValuesList - WebSnap DataSetValuesList - WebSnap WebAppComponents - WebSnap ApplicationAdapter - WebSnap EndUserAdapter - WebSnap EndUserSessionAdapter - WebSnap PageDispatcher - WebSnap AdapterDispatcher - WebSnap LocateFileService - WebSnap SessionsService - WebSnap WebUserList - WebSnap XSLPageProducer - WebSnap AdapterPageProducer - WebSnap Aba Decision Cube: DecisionCube - Decision Cube DecisionQuery - Decision Cube DecisionSource - Decision Cube DecisionPivot - Decision Cube DecisionGrid - Decision Cube DecisionGraph - Decision Cube Aba Dialogs: OpenDialog - Dialogs SaveDialog - Dialogs OpenPictureDialog - Dialogs SavePictureDialog - Dialogs FontDialog - Dialogs ColorDialog - Dialogs PrintDialog - Dialogs PrinterSetupDialog - Dialogs FindDialog - Dialogs ReplaceDialog - Dialogs PageSetupDialog - Dialogs Aba Win 3.1: DBLookupList - Win 3.1 DBLookupCombo - Win 3.1 TabSet - Win 3.1 OutLine - Win 3.1 TabbedNotebook - Win 3.1 Notebook - Win 3.1 Header - Win 3.1 FileListBox - Win 3.1 DirectoryListBox - Win 3.1 DriveComboBox - Win 3.1 FilterComboBox - Win 3.1 Aba Samples: Gauge - Samples ColorGrid - Samples SpinButton - Samples SpinEdit - Samples DirectoryOutLine - Samples Calendar - Samples IBEventAlerter - Samples ShellTreeView - Samples ShellComboBox - Samples ShellListView - Samples ShellChangeNotifier - Samples Scroller - Samples Aba ActiveX: Chartfx - ActiveX VSSpell - ActiveX F1Book - ActiveX VtChart - ActiveX Aba Rave: RvProject - Rave RvSystem - Rave RvNDRWriter - Rave RvCustomConnection - Rave RvDataSetConnection - Rave RvTableConnection - Rave RvQueryConnection - Rave RvRenderPreview - Rave RvRenderPrinter - Rave RvRenderPDF - Rave RvRenderHTML - Rave RvRenderRTF - Rave RvRenderText - Rave Aba Indy Clients: IdTCPClient - Indy CLients IdUDPClient - Indy CLients IdDayTime - Indy CLients IdDayTimeUDP - Indy CLients IdDNSResolver - Indy CLients IdEcho - Indy CLients IdEchoUDP - Indy CLients IdFinger - Indy CLients IdFTP - Indy CLients IdGopher - Indy CLients IdHTTP - Indy CLients IdIcmpClient - Indy CLients IdIdent - Indy CLients IdIMAP4 - Indy CLients IdIPMCastClient - Indy CLients IdIRC - Indy CLients IdLPR - Indy CLients IdNNTP - Indy CLients IdPOP3 - Indy CLients IdQOTD - Indy CLients IdQOTDUDP - Indy CLients IdRexec - Indy CLients IdRSH - Indy CLients IdSMTP - Indy CLients IdSNMP - Indy CLients IdSNPP - Indy CLients IdSNTP - Indy CLients IdSysLog - Indy CLients IdTelnet - Indy CLients IdTime - Indy CLients IdTimeUDP - Indy CLients IdTrivialFTP - Indy CLients IdWhois - Indy CLients Aba Indy Servers: IdTCPServer - Indy Servers IdUDPServer - Indy Servers IdChargenServer - Indy Servers IdChargenUDPServer - Indy Servers IdDayTimeServer - Indy Servers IdDayTimeUDPServer - Indy Servers IdDICTServer - Indy Servers IdDISCARDServer - Indy Servers IdDiscardUDPServer - Indy Servers IdEchoServer - Indy Servers IdEchoUDPServer - Indy Servers IdFingerServer - Indy Servers IdFTPServer - Indy Servers IdGopherServer - Indy Servers IdHTTPServer - Indy Servers IdIdentServer - Indy Servers IdMAP4Server - Indy Servers IdIPMCastServer - Indy Servers IdIRCServer - Indy Servers IdMappedFTP - Indy Servers IdMappedPOP3 - Indy Servers IdMappedPortTCP - Indy Servers IdMappedPortUDP - Indy Servers IdMappedTelnet - Indy Servers IdNNTPServer - Indy Servers IdPOP3Server - Indy Servers IdQOTDServer - Indy Servers IdQotdUDPServer - Indy Servers IdRexecServer - Indy Servers IdRSHServer - Indy Servers IdSimpleServer - Indy Servers IdSMTPServer - Indy Servers IdSyslogServer - Indy Servers IdTelnetServer - Indy Servers IdTimeServer - Indy Servers IdTimeUDPServer - Indy Servers IdTrivialFTPServer - Indy Servers IdTunnelMaster - Indy Servers IdTunnelSlave - Indy Servers IdWhoIsServer - Indy Servers Aba Indy Intercepts: IdBlockChiperIntercept - Indy Intercepts IdConnectionIntercept - Indy Intercepts IdCompressionIntercept - Indy Intercepts IdLogDebug - Indy Intercepts IdLogEvent - Indy Intercepts IdLogFile - Indy Intercepts IdLogStream - Indy Intercepts Aba Indy I/O Handlers: IdIOHandlerSocket - Indy I/O Handlers IdIOHandlerStream - Indy I/O Handlers IdIOHandlerThrottle - Indy I/O Handlers IdServerIOHandlerSocket - Indy I/O Handlers IdServerIOHandlerSSL - Indy I/O Handlers IdSSLIOHandlerSocket - Indy I/O Handlers Aba Indy Misc: IdSocksInfo - Indy Misc IdAntiFreeze - Indy Misc IdCookieManager - Indy Misc IdEncoderMIME - Indy Misc IdEncoderUUE - Indy Misc IdEncoderXXE - Indy Misc IdEncoderQuotePrintable - Indy Misc IdDateTimeStamp - Indy Misc IdDecoderMIME - Indy Misc IdDecoderUUE - Indy Misc IdDecoderXXE - Indy Misc IdDecoderQuotePrintable - Indy Misc IdIPWatch - Indy Misc IdHL7 - Indy Misc IdMailBox - Indy Misc IdMessage - Indy Misc IdMessageDecoderMIME - Indy Misc IdNetworkCalculator - Indy Misc IdSysLogMessage - Indy Misc IdThreadComponente - Indy Misc IdThreadMgrDefault - Indy Misc IdThreadMgrPool - Indy Misc IdUserManager - Indy Misc IdVCard - Indy Misc Aba COM+: COMAdminCatalog - COM+ Aba IW Standard: IWApplet - IW Standard IWButton - IW Standard IWCheckBox - IW Standard IWComboBox - IW Standard IWEdit - IW Standard IWFile - IW Standard IWFlash - IW Standard IWRule - IW Standard IWImage - IW Standard IWImageFile - IW Standard IWList - IW Standard IWLabel - IW Standard IWListBox - IW Standard IWLink - IW Standard IWMemo - IW Standard IWMenu - IW Standard IWRadioGroup - IW Standard IWRectangle - IW Standard IWRegion - IW Standard IWText - IW Standard IWTimer - IW Standard IWGrid - IW Standard IWTreeView - IW Standard IWURL - IW Standard Aba IW Data: IWDBCheckBox - IW Data IWDBComboBox - IW Data IWDBEdit - IW Data IWDBGrid - IW Data IWDBImage - IW Data IWDBLabel - IW Data IWDBListBox - IW Data IWDBLookupListBox - IW Data IWDBLookupComboBox - IW Data IWDBFile - IW Data IWDBMemo - IW Data IWDBNavigator - IW Data IWDBText - IW Data Aba IW Client Side: IWCSLabel - IW Client Side IWCSNavigator - IW Client Side IWDynamicChart - IW Client Side IWDynamicChartLegend - IW Client Side IWDynGrid - IW Client Side Aba IW Controls: IWTemplateProcessorHTML - IW Controls IWLayoutMgrForm - IW Controls IWPageProducer - IW Controls IWModuleController - IW Controls IWClientSideDataset - IW Controls IWClientSideDatasetDBLink - IW Controls IWStandoAloneServer - IW Controls IWLayoutMgrHTML - IW Controls Aba Servers: WordDocument - Servers WordApplication - Servers WordFont - Servers WordLetterContent - Servers WordParagraphFormat - Servers ExcelQueryTable - Servers ExcelApplication - Servers ExcelChart - Servers ExcelWorksheet - Servers ExcelWorkbook - Servers ExcelOLEObject - Servers PowerPointApplication - Servers PowerPointSlide - Servers PowerPointPresentation - Servers Master - Servers SyncObject - Servers OutlookApplication - Servers ContactItem - Servers DistListItem - Servers DocumentItem - Servers Explorers - Servers Inspectors - Servers Folders - Servers Items - Servers JournalItem - Servers NameSpace - Servers OutlookBarGroups - Servers OutlookBarPane - Servers OutlookBarShortcuts - Servers PostItem - Servers RemoteItem - Servers ReportItem - Servers TaskRequestAcceptItem - Servers TaskRequestDeclineItem - Servers TaskRequestItem - Servers TaskRequestUpdateItem - Servers AcessApplication - Servers AcessForm - Servers AcessReport - Servers AcessReferences - Servers Class_ - Servers Por: Nibz xD
Líderes está configurado para São Paulo/GMT-03:00

Informação Importante

Confirmação de Termo