PERHATIAN

Password semua file download:
"softbimantoro"

Minggu, 26 Februari 2012

BlogJet 2.6.1

Posted by b_agoy 12.54, under | No comments


Saya yakin diantara sobat pasti ada yang memerlukan BlogJet  ini untuk keperluan update blog secara offline ataupun online. Kita bisa membuat beberapa postingan dengan media ini secara offline jika tidak punya banyak waktu ketempat Online tertentu, karena tool ini akan menyimpan konsep tulisan kita yang nantinya akan dipublikasikan secara otomatis atau manual jika menemukan jaringan internet yang diperlukan.

Sudah mendukung  beberapa layanan blog seperti Wordpress, TypePad, Movable Type, Blogger, MSN Live Spaces, Blogware, BlogHarbor, Squarespace, Drupal, Komunitas Server dan lain-lain. Jika Sobat belum memiliki account disalah satu layanan blog, program ini juga akan membantu untuk membuat dan mendapatkannya.


DOWNLOAD BLOGJET 2.6.1

Sabtu, 25 Februari 2012

Avanquest Powerdesk 8 Professional

Posted by b_agoy 05.23, under | No comments


PowerDesk 8 Pro adalah sebuah perangkat lunak manajemen file yang menyediakan fitur lebih banyak pengguna dan kontrol dari windows explorer. Program ini dilengkapi dengan satu set lengkap alat-alat yang dibutuhkan untuk mengelola file dan folder. Menggunakan program ini pengguna dapat mengatur, sinkronisasi file dan folder, mencari file, edit playlist, mengubah gambar, mengubah nama batch, menghapus, menyalin, memindahkan, mengurutkan, zip, label, file preview dan juga men-download atau meng-upload file melalui ftp.

FEATURES:
  • Advanced File Finder
  • Multi-Pane File Viewer
  • Mudah FTP Utility & support
  • New Hard Drive Indexing
  • New Search dan Lampiran Email
  • New Kode Warna File & Folder
  • Kompatibel dengan Windows 7, Vista & XP



DOWNLOAD AVANQUEST POWERDESK 8 PROFESSIONAL

Jumat, 24 Februari 2012

[VB 6.0] Fungsi String

Posted by b_agoy 06.37, under | No comments


Fungsi-fungsi VB 6 di bawah ini digunakan untuk mengolah data string:

Left : mengambil n karakter di sebelah kiri suatu string
karakter = Left(“abcdef”,2) ‘karakter = “ab”

Right : mengambil n karakter di sebelah kanan suatu string
karakter = Right(“abcdef”,2) ‘karakter = “ef”

Trim : menghilangkan spasi kosong di awal dan akhir suatu string
karakter = Trim(“ abc def ”) ‘karakter = “abc def”

Ltrim : menghilangkan spasi kosong di awal suatu string
MyStr = Ltrim(AnyString)

Rtrim : menghilangkan spasi kosong di akhir suatu string
MyStr = Rtrim(AnyString)

Ucase : mengubah suatu string menjadi huruf besar semua
MyStr = UCase(AnyString)

Lcase : mengubah suatu string menjadi huruf kecil semua
MyStr = LCase(AnyString)

Mid : mengambil n karakter dari suatu posisi yang ditetapkan
MyStr = Mid(“abcdefghij”, 3, 4) ‘hasil “cdef”

Len : menghitung jumlah karakter yang membentuk suatu string
MyStr = Len(“abcdef”) ‘hasil=6

LSet : menempatkan string di dalam string yang lain, di sebelah kiri
MyStr = “0123456789”
Lset MyStr = “<-Left” ‘hasil “<-Left “ RSet : menempatkan string di dalam string yang lain, di sebelah kanan
MyStr = “0123456789”
Rset MyStr = “>-Right” ‘hasil “ >-Right“

Format : mengatur string sehingga terformat sesuai yang ditentukan
A$ = Format (5455.4, “##,##0.00”) ‘A$ = “5,459.40”
A$ = Format (334.9, “####.##”) ‘A$ = “334.9”
A$ = Format (5, “0.00%”) ‘A$ = “500.00%”
A$ = Format (“HELLO”, “<”) ‘A$ = “hello” A$ = Format (“This is”, “>”) ‘A$ = “THIS IS”

String: membuat string yang berisi sejumlah karakter yang digandakan
A$ = String (5, “*”) ‘A$ = “*****”

Chr: menghasilkan karakter yang terwakili oleh suatu angka tertentu
A$ = Chr (65) ‘A$ = A
A$ = Chr (97) ‘A$ = a
A$ = Chr (62) ‘A$ = >

Asc: menghasilkan angka ASCII dari suatu karakter tunggal
MyNumber = Asc(‘A’) ‘’hasilnya 65
MyNumber = Asc(‘a’) ‘’hasilnya 97
MyNumber = Asc(‘Apple’) ‘’hasilnya 65

Space: menghasilkan ruang kosong sebanyak n karakter
MyStr = Space(10) ‘buat string 10 spasi
MyStr = “Hello” & Space(10) & “World” ‘menyisipkan 10 spasi diantara kata Hello World

InStr: menentukan apakah string tertentu berada pada string lain
Dim CariString, CariChar, MyPos
CariString = ‘XXpXXpXXPXXP” ‘String yang dianalis
CariChar = “P” ‘String yang dicari “P”
‘mencari mulai dari kolom ke-4, hasilnya 6
MyPos = InStr(4, CariString, CariChar, 1)
‘mencari mulai dari kolom ke-1, hasilnya 9
MyPos = InStr(1, CariString, CariChar, 0)
MyPos = InStr(CariString, CariChar) ‘hasilnya 9
MyPos = InStr(1, SearchString, “W”) ‘hasilnya 0

InStrRev: cari posisi string dalam string yang lain, mulai dari akhir
i = InStrRev(StringCheck, StringMatch[, start[, compare]])

StrComp: membandingkan dua variabel string
StrComp(string1, string2 [, compare] )
Keterangan:
- Jika String1 < String2 maka hasilnya -1
- Jika String1 = String2 maka hasilnya 0
- Jika String1 > String2 maka hasilnya 1
- Jika String1 atau String2 = Null maka hasilnya Null

Dim MyStr1, MyStr2, MyComp
MyStr1 = “ABCD” : MyStr2 = “abcd” ‘nilai awal
A = StrComp(MyStr1, MyStr2, 1) ‘A = 0
A = StrComp(MyStr1, MyStr2, 0) ‘A = -1
A = StrComp(MyStr2, MyStr1) ‘A = 1

StrConv: mengubah huruf besar atau kecil suatu karakter string
A$ = StrConv(“Semua Besar”, 1) ‘A$ = “SEMUA BESAR”
A$ = StrConv(“Semua Kecil”, 2) ‘A$ = “semua kecil”
A$ = StrConv(“pertama BESAR”, 3) ‘A$ = “Pertama Besar”

StrReverse: mengubah urutan karakter suatu string
A$ = StrReverse(“12345678”) ‘A$ = “87654321”
A$ = StrReverse(“abcdefg”) ‘A$ = “gfedcba”

Replace: menggantikan string dari kelompok string
Replace(expression, find, replace[, start[, count[, compare]]])

FormatCurrency: string memakai format currency yang ditetapkan
A$ = FormatCurrency(12000, 1) ‘A$ = “$12,000.0”
A$ = FormatCurrency(12000, 2) ‘A$ = “$12,000.00”
Catatan, untuk mengubah mata uang, gunakan Regional Settings Currency dari sistem operasi Windows

FormatDateTime: menghasilkan ekspresi tanggal dan waktu
A$ = FormatDateTime(Now) ‘hasilnya “10/8/02 11:15:46 AM”
A$ = FormatDateTime(Now, vbLongDate) ‘hasilnya “Tuesday, March 02, 2008”
A$ = FormatDateTime(“3/2/99”, vbShortDate) ‘hasilnya “3/2/99”
A$ = FormatDateTime(“3/2/99”, vbLongDate) ‘hasilnya “12:00:00 AM”

FormatNumber: membuat format bilangan sesuai option yang diberikan
FormatNumber(var1, 2)

FormatPerCent: membuat format bilangan dalam prosentase
A$ = FormatPerCent(0.1255, 2) ‘A$ = 12.55%
A$ = FormatPerCent(0.12555) ‘A$ = 12.56%
A$ = FormatPerCent(12.55, 2) ‘A$ = 1,255.00%
A$ = FormatPerCent(12.55) ‘A$ = 1,255.00%


Sumber: www.kuliahit.com

Kamis, 23 Februari 2012

Ashampoo WinOptimizer 9.1.1

Posted by b_agoy 15.06, under | No comments


Ashampoo WinOptimizer 9.1.1 sesuai namanya, software ini adalah alat yang dapat memberikan kenyamanan dalam menggunakan komputer dengan melakukan perawatan berkala pada komputer anda sehingga kinerja komputer terasa lebih cepat dan mencapai kecepatan maksimum dan tetap menyediakan pemeliharaan otomatis.

NEW FEATURES
Registry Defrag:
Optimizes and defragments the Windows® registry.

HDD Inspector:
Analyzes and evaluates the health status of your hard drives.

User interface:
The improved interface provides a more direct access to all important functions and features.

Different Views:
Easier selection with new views.


REQUIREMENTS
Operating System:
Windows® XP, Windows Vista® (32bit/64bit) and Windows® 7 (32bit/64bit).

Computer:
Any computer that runs one of the above operating systems at a reasonable speed.

Main Memory (RAM):
The size of the main storage is insignificant for the employment of the program. We refer to the recommendations of the operating system in use from Microsoft.

Hard Drive Space:
90 MB for the program files plus some additional space for backup files.

Other:
Full administrative rights are required to use the program.



DOWNLOAD ASHAMPOO WINOPTIMIZER 9.1.1

Alcohol 120% 7

Posted by b_agoy 07.03, under | No comments


Alcohol 120% adalah salah satu software utilities yang berguna untuk membuat backup-an atau mem-burning suatu data-data penting kedalam media berupa disk (CD / DVD). Selain itu software ini juga dapat berfungsi sebagai virtual drive, dimana dengan virtual drive ini, kita dapat membuat suatu duplikat backup kedalam komputer. Dan biasanya digunakan untuk menjalankan instalan dari Game, Software, DVD Film, dan sebagainya. Dan tentunya software ini dapat membuat sekitar 31 virtual drive. Sehingga untuk menjalankan suatu instalan, akan lebih cepat 200x daripada menggunakan suatu jenis drive/DVD.

Alcohol 120% juga support file-file image CD/DVD seperti .mds, .iso, .bwt, .b5t, .b6t, .ccd, .isz, .cue, .cdi, .pdi and .nrg.

Requirements:
  • Intel/AMD based PC
  • Windows 95 or Windows NT users, please pay attention as follows:
  • Must install Internet Explorer 5.0 or later version
  • Window NT 4.0 must update to Service Pack 5 or later version
  • Windows 95 must be OSR2 or later version
  • 32MB (or more) of RAM
  • 10GB (or more) hard disk (a 74 minute CD image requires 650-700MB)
  • One or more bus-mastering SCSI and/or ATAPI buses
  • One or more CD-ROM/DVD-ROM drives. You can use a CD/DVD recorder as a reader with sufficient hard disk space.
  • One or more CD recorders (if you install more than 2 CD recorders, 700MHz CPU and 128MB RAM is recommended).
  • One or more DVD recorders (if you want to burn DVD format)



DOWNLOAD ALCOHOL 120% 7

Senin, 20 Februari 2012

Online Armor Premium 5.5 [Firewall]

Posted by b_agoy 06.42, under | No comments


Firewall adalah sebuah sistem atau perangkat yang mengizinkan lalu lintas jaringan yang dianggap aman untuk melaluinya dan mencegah lalu lintas jaringan yang tidak aman. Umumnya, sebuah firewall diimplementasikan dalam sebuah mesin terdedikasi, yang berjalan pada gateway antara jaringan lokal dan jaringan lainnya. Firewall umumnya juga digunakan untuk mengontrol akses terhadap siapa saja yang memiliki akses terhadap jaringan pribadi dari pihak luar. Saat ini, istilah firewall menjadi istilah generik yang merujuk pada sistem yang mengatur komunikasi antar dua jaringan yang berbeda. Mengingat saat ini banyak perusahaan yang memiliki akses ke Internet dan juga tentu saja jaringan korporat di dalamnya, maka perlindungan terhadap aset digital perusahaan tersebut dari serangan para hacker, pelaku spionase, ataupun pencuri data lainnya, menjadi esensial."

Online Armor Premium 5.5 adalah salah satu software yang berfungsi sebagai firewall. Apa saja keunggulan dan fitur-fiturnya?? Silahkan simak dibawah ini:

OVERVIEW
  • Easy to use
  • Light on Pop-ups
  • Doesn't slow down your PC
  • Personal Firewall
  • Online Banking Protection
  • Identity Theft Protection
  • Safe Browsing
  • Prevent Spyware
  • Remove Spyware
  • DNS Checker
  • Hosts Checker
  • Autoruns Management
  • Tamper Protection
  • Keylogger Detection
  • Web Shield

SYSTEM REQUIREMENTS
  • Windows XP & Windows Vista & Windows 7
  • 512 MB RAM
  • 50 MB hard disk space


DOWNLOAD ONLINE ARMOR PREMIUM 5.5

Sabtu, 18 Februari 2012

Power ISO 5.0

Posted by b_agoy 07.02, under | No comments


PowerISO 5.0 adalah alat pengolah file image untuk CD / DVD / BD, yang memungkinkan anda untuk membuka, mengekstrak, membakar, membuat, mengedit, kompres, mengenkripsi, perpecahan dan mengkonversi file-file ISO, dan ISO mount file dengan virtual drive internal. Hal ini dapat memproses hampir semua file gambar CD / DVD / BD termasuk ISO dan BIN file. PowerISO menyediakan solusi all-in-one. Anda dapat melakukan setiap hal dengan file ISO dan file gambar disk.

Power ISO ini merupakan salah satu software yang andalkan untuk urusan file image dan virtual drive. Power ISO ini ukurannya sangat kecil namun kemampuannya powerfull banget.


Features:
  1. Support almost all CD / DVD / BD-ROM image file formats (ISO, BIN, NRG, CDI, DAA and so on).
  2. What is DAA file? DAA file (Direct-Access-Archive) is an advanced format for image file, which supports some advanced features, such as compression, password protection, and splitting to multiple volumes.
  3. Open and extract ISO file. You can extract ISO file with a single click.
  4. Burn ISO file to CD, DVD, or Blu-Ray disc. PowerISO is a professional burning software. With this tool, you can create Audio CD, Data CD, Data DVD, Video DVD or VCD. PowerISO also supports Blu-Ray burning.
  5. Burn Audio CD from MP3, FLAC, APE, WMA, or BIN files.
  6. Rip Audio CD to MP3, FLAC, APE, WMA, or BIN files.
  7. Create ISO file or BIN file from hard disk files or CD / DVD / BD discs.
  8. Edit ISO image file directly.
  9. Mount ISO file with internal virtual drive. PowerISO can mount all popular disc image files to built-in virtual drive.
  10. Convert image files between ISO / BIN and other formats. PowerISO can not only convert BIN to ISO, but also convert almost all image file formats to standard ISO image file.
  11. Create bootable USB drive. PowerISO allows you to setup Windows through USB drive.
  12. Make bootable ISO file and create bootable CD, DVD disc.
  13. Support both 32-bit and 64-bit Windows.
  14. Can be used easily. PowerISO supports shell integration, context menu, drag and drop, clipboard copy paste.

Changelog Power ISO 5.0:
- Improve Blu-ray disc burning.
- Some minor bug fixes and enhancements.



DOWNLOAD POWER ISO 5.0 + KEYGEN

Internet Download Manager 6.09 Build 2

Posted by b_agoy 06.55, under | No comments


IDM merupakan salah satu software downloader yang cukup handal. Ini merupakan salah satu software wajib untuk saya. Tingkat kecepatan IDM diklaim hingga mencapai 500% dan selain itu masih banyak fitur-fitur lain yang cukup bagus menurut saya.

Seperti biasanya, IDM mengeluarkan update versi terbarunya yaitu IDM 6.09 Build 2. Apa saja changelog di versi terbaru ini?? Silahkan baca dibawah ini:
  • Added support for Firefox 11 and Firefox 12
  • Fixed a number of serious problems when downloading from youtube and other video streaming sites
  • Improved Advanced Browser Integration



DOWNLOAD IDM 6.09 Build 2 + BLOCK HOST

Jumat, 17 Februari 2012

Eura Antivirus 2.5.0.0

Posted by b_agoy 00.10, under | No comments


Eura AV adalah salah satu AV hasil karya anak bangsa yang patut diperhitungkan juga. AV ini saya kenal pada tahun 2009 di Forum Smadav. Antivirus yang cukup impresif dan dapat mendeteksi 2271 virus. Eura dibuat mampu melakukan update secara otomatis, perlindungan real-time, file log, pengiriman sample virus yang dicurigai secara otomatis dan tool tambahan untuk memeriksa Windows startup secara otomatis.

Dengan external database, mampu mengenali lebih banyak virus, worm, trojan, spyware, backdoor,Hacktool, dll tanpa perlu mengganti komponen utama dengan yang baru. dengan eksternal database anda tidak perlu lagi berkali-kali mendownload file paketan secara penuh, yang perlu anda download adalah file database dan file pendukungnya saja. file ini diberi nama dengan "euradat.zip" yang nantinya bisa ekstrak dan anda letakkan di tempat anda memasang atau meletakkan. Setelah itu anda sudah tidak perlu mendownload paketan secara penuh lagi dan yang perlu anda lakukan adalah mendownload file database dan file pendukung tersebut.


FEATURES

Real Time Protection
Protection that will block virus from being executed. Using locking function when found. It is user-friendly and you can do an act to that program

Computer Tweaker
Tweak up your computer by repairing registry manually, or optimizing your PC to the maximum optimization.

Disinfect Many Virus
Can disinfect many types of virus. Your infected file can be repaired.

Eura Folder Lock
Lock Autorun.inf.

On-Screen Keyboard
On Screen Keyboard is a virtual keyboard to provide an alternative input mechanism for users with disabilities who cannot use a physical keyboard.

Smart Detection
Can detect many viruses, wheter it is from Indonesia, or even international Virus until the super virus.

Auto Update
By activating this Auto Update fixture, Eura AntiVirus can update components of Eura AntiVirus automatically by connecting with internet surely. Update that doing automatically and consistent, can maximalized detecting of various of viruses that more which sophisticated.

Auto Send Sample
By activating this fixture Auto Send, Eura AntiVirus can send undetecting file automatically by connecting in internet that is useful for more analyzing also can help Team Enmicron in updating Eura AntiVirus fastly toward various of new viruses which sophisticated and excitement.

Eura Antivirus Information:
Versi : 2.5.0.0
Versi Engine : 2.0.0.3
Versi Database : 2607

Change Logs:
- On-Sceen Keyboard Add
- Eura autorun.Inf Lock Add
- Fixed Update Engine
- Fixed False Alarm File Windows

System Requirements:
Operating Systems Supported :
* Windows XP, Microsoft Windows 2000, Windows 7 ,Windows Vista

Minimum Hardware Requirements :
* Pentium 3 Processor
* 128 MB RAM
* 200 MB of free hard disk space


DOWNLOAD EURA AV 2.5.0.0

Rabu, 15 Februari 2012

Kumpulan File .ocx

Posted by b_agoy 19.37, under , | 3 comments


Kali ini saya akan share salah satu jenis komponen VB yang cukup penting juga yaitu kumpulan file-file .ocx yang saya dapat. Tentunya tidak asing lagi ya bagi para programmer. Ya udah daripada lama-lama langsung saja sedot file-filenya. Semoga bermanfaat.
Thanks to: Uus Rusmawan


DOWNLOAD KUMPULAN FILE .OCX

Senin, 13 Februari 2012

Tera Copy Pro 2.27

Posted by b_agoy 02.35, under | No comments


Tera Copy Pro 2.27 adalah software yang berfungsi untuk mempercepat proses copy dan memindahkan (cut) file yang kita inginkan. Kelebihan dari Tera Copy Pro v 2.27 diantaranya adalah :
  • Salin file dengan kecepatan maksimum. Tera Copy Pro v 2.27 menggunakan buffer yang disesuaikan secara dinamis untuk mengurangi mencari kali. mempercepat transfer file antara dua hard drive dalam komputer.
  • Apabila anda ingin menunda proses copy pada menyalin atau memindahkan file. Anda dapat pause dan melanjutkan transfer file.
  • Interaktif dalam daftar file. Tera Copy Pro v 2.27 menunjukkan gagal transfer file dan memungkinkan anda memperbaiki masalah dan hanya masalah recopy file.
  • Shell integrasi. Tera Copy Pro v 2.27 sepenuhnya menggantikan Explorer dalam Windows. menyalin dan memindahkan fungsinya yang memungkinkan Anda menyalin dan memindahkan file dengan file seperti biasa.
  • Tera Copy Pro v 2.27 mendapat dukungan Unicode penuh.
  • Mendukung Progam Windows 7 x64.



DOWNLOAD TERA COPY PRO 2.27

Sabtu, 11 Februari 2012

Norton Utilities 15

Posted by b_agoy 05.32, under | No comments


Biasanya kalo kita mendengar kata Norton, umumnya yang terpikir oleh kita adalah antivirus. Namun jangan salah, ini adalah Norton Utilities yaitu software utilities semacam Tune Up, ASC, System Mechanic, dll. Tentunya juga sangat ampuh kemampuannya.

Key Technologies:
  • Speed Disk™
  • Disk Doctor
  • Norton UnErase™
  • Disk Cleaner
  • Registry Cleaner
  • Registry Defragmenter
  • Registry Monitor
  • Registry Restore
  • Startup Manager
  • Service Manager
  • Smart Updates

Operating Systems Supported:
  • Microsoft® Windows® XP (32-bit) with Service Pack 2 or later Home/Professional/Media Center
  • Microsoft® Windows Vista® (32-bit and 64-bit) Starter/Home Basic/Home Premium/Business/Ultimate
  • Microsoft® Windows 7 (32-bit and 64-bit) Starter/Home Basic/Home Premium/Professional/Ultimate

Minimum Hardware Requirements:
  • 300 MHz or faster processor
  • 256 MB of RAM
  • 200 MB of available hard disk space
  • CD-ROM or DVD drive (if not installing via electronic download)



DOWNLOAD NORTON UTILITIES 15

Jumat, 10 Februari 2012

Trend Micro Titanium Internet Security 2012

Posted by b_agoy 04.15, under | No comments


Trend Micro Titanium Internet Security 2012 menyediakan perlindungan canggih dengan menggunakan teknologi cloud untuk secara proaktif untuk menghentikan virus dan spyware sebelum mereka mencapai komputer kita. Titanium Internet Security dilengkapi dengan perlindungan data privasi seperti email, nomor kartu kredit, password, dan dan data yang sensitif lainnya. Fitur System Tuner dapat membantu kita memperoleh kembali ruang disk, membuat Windows lebih cepat, dan mengoptimalkan kinerja komputer. Selain itu kita juga bisa mengganti skin Titanium Internet Security dengan photo atau gambar yang kita sukai.

Yang paling saya suka dari AV ini adalah User Interfacenya yang bisa kita ganti-ganti backgroundnya dengan gambar yang kita suka. Keren banget deh.

FEATURES:
  • Strong Antivirus Protection Made Simple
  • Easy-to-Understand Security Reports
  • Friendly, Adjustable Parental Controls
  • Data Theft Prevention
  • Securely Erase Documents
  • Maximize Performance
  • Backup and Sync
  • Easy UI Skinning

SYSTEM REQUIREMENTS
Windows® 7 Family (32 to 64-bit):
CPU : 800MHz (1Ghz recommended)
RAM : 1GB

Windows® Vista Family (32 to 64-bit)
Service Pack 1 or higher:
CPU : 800MHz (1Ghz recommended)
RAM : 512MB (1GB recommended)

Windows® XP Family (32-bit only)
Service Pack 3 or higher:
CPU : 350MHz (800Ghz recommended)
RAM : 256MB (512MB recommended)


DOWNLOAD TREND MICRO TITANIUM IS 2012
DOWNLOAD KEY (4TAHUN)

Kamis, 09 Februari 2012

Advanced JPEG Compressor 2012

Posted by b_agoy 20.33, under | No comments


Advanced JPEG Compressor adalah salah satu software yang berfungsi untuk melakukan kompresi file image, khusunya untuk format jpeg. Dengan menggunakan Advanced JPEG Compressor, anda dapat melakukan kompresi file jpeg tanpa mengurangi kualitas dari gambar aslinya. Tentunya software ini sangat bermanfaat dan sering saya gunakan juga.
Silahkan dicoba sendiri ya...



DOWNLOAD ADVANCED JPEG COMPRESSOR 2012

PC Tools Registry Mechanic 11

Posted by b_agoy 20.23, under | No comments


PC Tools Registry Mechanic 11 merupakan software untuk membersihkan, mengoreksi kesalahan, memeriksa integritas, dan pemulihan pada register. Bagi sobat yang doyan bongkar pasang software, saya rasa software ini salah satu yang wajib dimiliki. Terkadang dalam proses uninstall suatu program bisa menyisakan file sampah yang tidak berguna yang bisa menyebabkan komputer menjadi lamban, bahkan crash.

Selain membersihkan, mengoreksi kesalahan, memeriksa integritas, dan pemulihan pada register, software ini dapat juga digunakan untuk membersihkan histori windows, internet, dan aplikasi, serta dapat menghapus secara permanent file-file yang dianggap tidak perlu.

PC Tools Registry Mechanic Features:
Clean and Compact Registry. Speed up your PC by cleaning and repairing errors.
Optimize Windows®. Speed up Windows with PC Tools’ preset optimizations.
Clear Cookies and Browser History. Erases Internet activities from your browsers.
Clear Browser Passwords and Form Data. Erases saved passwords and form information.
Clear Temporary and Deleted Files. Free up hard drive space by clearing unused files.
Clear Recent File History. Erases your recently opened files lists.
Shred Files. Permanently shreds files and folders from your computer.
Bleach Disks. Permanently wipes your deleted files, making them unrecoverable.



DOWNLOAD PCTOOLS REGISTRY MECHANIC 11

Svchost Process Analyzer

Posted by b_agoy 19.48, under | No comments


Svchost.exe adalah proses yang paling misterius di Windows. Svchost.exe merupakan proses host generik yang dijalankan dari dynamic link libraries (DLL). File svchost.exe otentik terletak di C: \ Windows \ System32, tetapi banyak virus dan trojan menggunakan file yang sama dan nama proses untuk menyembunyikan aktivitas mereka.

Svchost Process Analyzer berisi daftar semua contoh svchost dan memeriksa apa yang dikandungnya. Hal ini memudahkan kita untuk menemukan cacing Svchost seperti Conficker worm terkenal.

Svchost Process Analyzer adalah sebuah program freeware 100% dari www.neuber.com. Sama sekali tidak ada diperlukan instalasi. Cukup download dan menjalankan perangkat lunak.


Features:
  • 100% freeware.
  • Doesn't require runtimes.
  • Doesn't require installation.
  • Doesn't write to the registry.
  • Doesn't modify files outside of its own directories.
  • Isn't adware.

System Requirements:
  • Windows 7, Vista, XP, 2000, 2003, 2008 (64 Bit too)
  • 400 KB free disk space



DOWNLOAD SVCHOST PROCESS ANALYZER

TrustPort Total Protection 2012

Posted by b_agoy 11.38, under | No comments


TrustPort Total Protection 2012 adalah anti-virus dengan tingkat keamanan terbaik dari TrustPort. TrustPort Total Protection 2012 memberikan keamanan secara total pada komputer Anda dari berbagai ancaman yang dapat membahayakan komputer Anda, TrustPort Total Security 2012 melindungi komputer Anda dari serangan situs/ web dan email berbahaya, virus, trojan, malware, worm, hacker dan konten dan file yang dapat mengambil data akun Anda dan merusak sistem komputer Anda. Dengan TrustPort Total Protection 2012 semua masalah akan dilumpuhkan dengan cepat.

FEATURES:
  • Antivirus and Antispyware. The program uses traditional scanning and heuristic analysis in order to disable any malware which might enter the computer from the internet or add on media. Two top quality motors ensure the detection of harmful code almost to the magic figure of 100%.
  • Personal Firewall. The firewall serves to distinguish between legitimate and illegitimate connections between the computer and the Internet. The program automatically allows Internet communication for commonly used applications. In the case of unknown or suspicious programs the user is always asked whether connection should be permitted or disabled.
  • Family Protection. The program protects children and young people from web content which might be harmful to them. It enables pre selection of website categories which should be blocked such as pornography or gambling sites for example. Various profiles can be created with a variety of settings.
  • Encryption and Shredding of Data. Two methods of file encryption are available. For the secure backing up of data it is advantageous to store it in an encrypted archive, for everyday security it can be kept on an encrypted disk. In addition the program enables the permanent shredding of sensitive data which is no longer in use.
  • Portable Antivirus. With the help of this program you can generate a transferable version of the Antivirus on your USB disk which at the same time enables the antivirus scanning of any given computer on which you may be working.
  • System Back Up Disk. In the case of serious virus damage the program enables the creation of a system back up disk with an antivirus module. After downloading the operating system from the back up disk it is possible to eliminate malware not possible to remove by other means.

RECOMMENDED SYSTEM REQUIREMENTS:
  • Operating system: Windows 2000 (32 bit), Windows XP (32 bit, 64 bit), Windows Vista (32 bit, 64 bit), Windows 7 (32 bit, 64 bit).
  • Intel® Pentium IV processor or compatible
  • 512 MB RAM
  • 500 MB free disc space



DOWNLOAD TRUSTPORT TOTAL PROTECTION 2012
DOWNLOAD KEYGEN

TrustPort Internet Security 2012

Posted by b_agoy 11.28, under | No comments


TrustPort Internet Security 2012 adalah Anti-virus yang memberikan keamanan pada komputer Anda dari serangan virus, trojan, worm, malware, spyware, mail dan web berbahaya, dan hacker yang dapat mencuri data pribadi Anda sangat cocok digunakan saat offline maupun online.

Features:
  • Protection of Local Files. The resident protection continuously monitors files being opened and does not allow malware to be launched. At planned intervals the program carries out a preventative check of the entire disk. As a result of the use of two top quality scanning motors the abilities of the program to detect harmful code are among the best in the world.
  • Web Protection. Web pages are the most common source of virus infections therefore the program scans files while they are being downloaded from the internet. It is possible to automatically identify data streams such as audio or video transmissions which it is not necessary to scan. Typical phishing sites are identified and blocked.
  • Mail Protection. Electronic mail is checked for the presence of malware and spam. Full integration into Microsoft Outlook, Mozilla Thunderbird, Outlook Express and Windows Mail is offered. It is also possible to scan all incoming post from any selected client.
  • Personal Firewall. All Internet contacts between the computer and the outside world are monitored. The majority of legitimate applications are automatically recognized and communication with the Internet is permitted. Unknown or suspicious applications are blocked or in some cases you will be asked whether you would like to permit or block them. The program enables a wide range of firewall settings to be used.
  • Family Protection. The program distinguishes 13 categories of unwanted web sites for example pornographic or gambling sites which it is possible to block using the family lock feature. Individual users are able to create their own profile regarding the blocking of selected categories.
  • Portable Antivirus. The special properties which this program offers are created in a transferable version of the Antivirus program for your USB flash disk. Your data is protected when transferred to your key ring and at the same time you have the opportunity to carry out antivirus checks on any computer with USB capability.

What is new in TrustPort Internet Security 2012:
  • Added new User Interface of Expert Settings.
  • Added new User Interface of On-Demand Scanner.
  • Application Inspector – sophisticated test of application at the level of sandboxing for monitoring application’s behavior and protection against unauthorized access and modification of the protected parts of the OS.
  • Device Security – intuitive system of managing access to all removable devices.
  • Volume Security – setting of protection against unauthorized access to selected user directories and discs.
  • Autorun Protection – option to disable automatic launching of removable devices.
  • Implemented option to generate Windows PE image with TrustPort Antivirus plugin.
  • Added support for Bayesian dictionaries to e-mail clients, support for The Bat! e-mail client.
  • Performance optimization for Internet Scanner.
  • Added option to manually apply update packages (Offline Update).

Recommended System Requirements:
  • Operating system: Windows 2000 (32 bit), Windows XP (32 bit, 64 bit), Windows Vista (32 bit, 64 bit), Windows 7 (32 bit, 64 bit).
  • Intel® Pentium IV processor or compatible
  • 512 MB RAM
  • 500 MB free disc space



DOWNLOAD TRUSTPORT INTERNET SECURITY 2012
DOWNLOAD KEYGEN

TrustPort Antivirus 2012

Posted by b_agoy 11.18, under | No comments


TrustPort Antivirus 2012 adalah anti-virus basic/ personal yang memberikan perlindungan secara nyata dari berbagai ancaman yang akan menyerang komputer Anda seperti virus, trojan, worm, dan malware yang terus datang dengan beragam varian baru.

FEATURES:
  • On-access protection. Every program started and every file opened undergoes an antivirus check. The resident protection reliably blocks attempts to run malware. Depending on the repair settings the defective file is renamed, moved to quarantine or permanently deleted.
  • On-demand scanner. It is possible to carry out regular or one-off checks of the entire disk, selected contents or files.
  • Scanning can be planned on regular weekly, daily or hourly cycles but of course it can also be carried out manually according to current needs.
  • High level of virus and spyware detection. Thanks to the use of two top of the range scanner motors the antivirus is able to achieve one of the highest detection rates in the world. It is able to detect and stop practically all existing viruses, worms and trojans.
  • Automatic updates. The antivirus is regularly automatically updated. Depending on the settings example viruses are downloaded at regular intervals, also new versions of the software are offered for downloading and installation. In this way the computer is always totally protected.
  • Resistance against attacks. The antivirus files of the system are themselves protected against any attempts to change them by unauthorized applications. In this way malware has no chance of putting the antivirus out of action and evading detection.
  • Application inspector – NEW! This protection layer runs continuously in the background, and checks all suspicious activities within the file system and system registry. Anytime an application tries to access an unusual location, like a system file or a critical registry item, the antivirus will ask the user to allow or block the action.

RECOMMENDED SYSTEM REQUIREMENTS:
  • OS: Windows 2000 (32 bit), Windows XP (32 bit, 64 bit), Windows Vista (32 bit, 64 bit), Windows 7 (32 bit, 64 bit).
  • Intel® Pentium IV processor or compatible
  • 512 MB RAM
  • 500 MB free disc space



DOWNLOAD TRUSTPORT ANTIVIRUS 2012
DOWNLOAD KEYGEN

Rabu, 08 Februari 2012

Touch Freeze 1.0.2

Posted by b_agoy 18.36, under | No comments


Pernahkah sobat mengalami masalah saat mengetik di laptop. Enak-enaknya ngetik fokus ke buku yang dibaca sambil ngetik nggak taunya ketikan kita sudah tidak karuan di layar gara-gara touchpad kita tersentuh. Itulah yang sering saya alami kalo lagi bikin laporan. Jengkel banget rasanya udah serius banget eh ketikannya jadi nggak karuan.

Nah, untuk menghindari itu semua sekarang saya akan share software yang bisa mengatasi masalah tersebut yaitu Touch Freeze. TouchFreeze adalah software yang bisa anda gunakan untuk mematikan dan menghidupkan fungsi touchpad kapanpun anda mau. TouchFreeze sangat bermanfaat saat anda mengetik agar anda tidak terganggu dengan berpindahnya kursor secara tiba – tiba akibat touchpad yang tidak sengaja tersentuh.

TouchFreeze adalah aplikasi simple yang dibuat untuk digunakan di windows NT/200/XP. Namun banyak juga user yang melaporkan bahwa TouchFreeze bekerja dengan baik di windows vista serta windows 7. Dengan TouchFreeze anda bisa mengetik tanpa terganggu lagi. Silahkan dicoba keampuhannya.



DOWNLOAD TOUCH FREEZE 1.0.2

Selasa, 07 Februari 2012

SPSS 13

Posted by b_agoy 20.22, under | No comments


Mungkin udah banyak yang tahu SPSS adalah software untuk apa. Biasanya mahasiswa yang bikin TA analisa statistiknya menggunakan SPSS. Walaupun sekarang SPSS terbaru adalah versi 20, namun saya akan share SPSS 13 ini. Ini dikarenakan SPSS 13 cocok bagi yang komputernya masih mempunyai spec yang rendah karena SPSS yang terbaru lumayan berat di komputer.


System Requirements:
- Operating System: Windows XP, Vista, 7, 2000 or Me is preferred. Windows 98 is also supported.
- Pentium-class Processor.
- 128MB RAM, Minimum.
- 220MB Hard Disk Space.
- SVGA Monitor.



DOWNLOAD SPSS 13

Senin, 06 Februari 2012

Cara Cek Nomor HP

Posted by b_agoy 00.58, under | No comments


Banyak dari kita termasuk saya sendiri kalo punya SIM Card cadangan sering lupa nomornya. Kadang kalo tempat dari SIM Card yg tertulis nomornya juga hilang, pas gak ada pulsanya pula sedangkan kita ingin ngisi pulsanya atau dipake buat nerima telepon jadi susah. Mau gak mau harus beli SIM Card baru.

Nah, kali ini sobat semua tidak usah panik lagi kalo semua itu terjadi. Kemarin sempet iseng googling ketemu triknya. Bagi yang kelupaan nomor SIM Cardnya langsung aja ikutin cara dibawah ini:

Operator Telkomsel
=> Ketik *808*123*22*1*1*# lalu tekan Ok/Yes

Operator XL
=> Ketik *123*22*1*1*# lalu tekan Ok/Yes

Operator Indosat
=> Ketik *777*8# lalu tekan Ok/Yes

Operator Axis
=> Ketik *2# lalu tekan Ok/Yes

Operator Three
=> Ketik *998# lalu tekan Ok/Yes

Untuk perdana FLEXI, ESIA, StarOne, SMART dan FREN
Pasang SIM Card di ponsel Nokia, lalu ketik : *3001#kode pengaman#
Contoh : *3001#12345# Lalu tunggu sampai keluar Menu,
pilih NAM1 kemudian geser kebawah pilih “Own number (MDN)“

Semoga bermanfaat...

Minggu, 05 Februari 2012

Setting Alternatif Smart

Posted by b_agoy 08.38, under | No comments


Apakah sobat sekalian termasuk pengguna Smart seperti saya??
ISP Smart ini tergolong bagus bila user berada di wilayah coverage sinyal EVDO. Namun apa jadinya bila di wilayah tersebut tergolong crowded atau pengguna Smart banyak banget. Umumnya kita akan susah sekali untuk mengkonekkan internet kita. Nah, ini ada settingan alternatif untuk Smart supaya kita tidak mengalami masalah di atas karena kita akan mengubah settingannya supaya beda dengan user lainnya.

Untuk default settingannya adalah sebagai berikut:
Dial Number : #777
Username : smart
Password : smart


Coba sekarang pakai salah satu dari settingan dibawah ini:
Dial Number : *98#
Username : wap
Password : wap

Dial Number : #777
Username : m8
Password : m8

Dial Number : *3111111#
Username : wap
Password : wap

Dial Number : *3111111#
Username : cdma
Password : cdma

Dial Number : *3111111#
Username : smart
Password : smart

Dial Number : #777
Username : wap
Password : wap

Dial Number : #777
Username : cdma
Password : cdma


Nah, rasakan perbedaannya...
Kita sebagai user harus smart hehehe...

Jumat, 03 Februari 2012

Picture Collage Maker Pro 3.2.4

Posted by b_agoy 02.39, under | No comments


Picture Collage Maker Pro merupakan salah satu aplikasi yang berfungsi memudahkan kita dalam mengedit photo agar terlihat lebih menawan. Dengan Picture Collage Maker Pro 3.2.4 kita juga bisa membuat kalender dengan mudah karena sudah di sertai berbagai macam template yang siap digunakan.

Key features of Picture Collage Maker Pro 3.2.4 :
- Extremely easy to use
- Create Collages
- Photo Collage Wizard
- Real-Time Editing
- Support JPG, BMP, TIFF, GIF, WMF, TGA, PNG etc
- Use either preset templates or create your own page layouts
- Frames and Boarders - Included
- Backgrounds - Included
- Clip Art - Included
- Photo Masks - Included
- Layers
- On Screen Text Entry
- Editable Text
- Move,Rotate, Resize, Flip Images
- Photo Cropping
- Move Frames
- Delete Frames
- Stretch Frame to Fit Page
- Page Orientation - Landscape
- Page Orientation - Portrait
- Filters and Photo Effects
- Light & Color Management
- Multiple Undos
- Send Photo via Email
- Print images
- Save Collage as Single Picture
- Set as Wallpaper


DOWNLOAD PICTURE COLLAGE MAKER PRO 3.2.4
SERIAL NUMBER PICTURE COLLAGE MAKER PRO 3.2.4

Kamis, 02 Februari 2012

Smadav 2012 Rev. 8.9

Posted by b_agoy 05.06, under | No comments


Smadav dibuat dengan tujuan untuk membersihkan dan melindungi komputer Anda dari virus-virus lokal yang banyak menyebar di Indonesia.. Kalau Anda sering berinternet atau sering meng-install program-program baru, Anda tetap sangat disarankan untuk menggabungkan Smadav dengan Antivirus Impor (misalnya yang gratis adalah Avira, AVG, atau Avast, dan yang berbayar adalah Kasperksy, Norton, atau NOD32). Smadav bisa bekerjasama dengan hampir semua antivirus impor sehingga komputer Anda benar-benar terlindungi dari infeksi virus lokal maupun virus asing (global). Saat ini Smadav 2011 sudah mengenali sebagian besar virus lokal yang menyebarluas di Indonesia. Inilah alasan-alasan kenapa menggunakan Smadav :
- Teknologi SmaRTP, SmaRT-Protection
- Teknologi Smad-Behavior
- Teknologi Smad-Lock
- Scanner pintar (Intelligence)
- Cleaner Dokumen Terinfeksi
- Pembersihan & perbaikan (1500 value) Registry
- Update terbaru di setiap Revisi
- Senjata Manual sangat mudah digunakan
- Gratis
- Portable dan support OS Windows 2000/XP/Vista/7

Changelog SmadAV 8.9:
- Penambahan database 650 virus baru
- Penyempurnaan struktur database dan engine Smadav
- Penyempurnaan teknik heuristic pendeteksian autorun.inf
- Penyempurnaan teknik heuristic pada auto-scan flashdisk
- Penyempurnaan engine untuk mengurangi kesalahan deteksi (false alarm)
- Perbaikan bug smadav yang gagal menemukan database (Smadav.loov)
- Start-up RTP yang lebih cepat



DOWNLOAD SMADAV 8.9