This is default featured slide 1 title

Go to Blogger edit html and find these sentences.Now replace these sentences with your own descriptions.

This is default featured slide 2 title

Go to Blogger edit html and find these sentences.Now replace these sentences with your own descriptions.

This is default featured slide 3 title

Go to Blogger edit html and find these sentences.Now replace these sentences with your own descriptions.

This is default featured slide 4 title

Go to Blogger edit html and find these sentences.Now replace these sentences with your own descriptions.

This is default featured slide 5 title

Go to Blogger edit html and find these sentences.Now replace these sentences with your own descriptions.

Tuesday, March 30, 2010

kesehatan dapat menjadi faktor pembatas

Masalah kesehatan dapat menjadi faktor pembatas dalam membantu satu mengejar karier atau berkembang secara profesional. Hal ini terutama berlaku bagi warga negara senior. Ambil contoh Laing, yang mengatakan, "Aku sudah banyak masalah medis dalam beberapa tahun terakhir, dan merasa sulit untuk mencari pekerjaan yang dapat mengakomodasi penyakit ini. Jadi, saya memutuskan untuk memulai bisnis sendiri dengan memiliki rumah menunjukkan dan menjual di pasar loak dan seterusnya. "

Berikut adalah beberapa ide-ide besar bagi warga senior yang ingin membuat beberapa tambahan pendapatan bagi diri mereka sendiri dan keluarga mereka.

Editorial Layanan - Copy menulis, copyediting, hantu menulis, penulisan buku, penulisan artikel majalah, menulis konten website adalah beberapa layanan editorial yang terbuka bagi orang-orang dari setiap kelompok umur. Pra-dasar yang diperlukan di sini adalah memiliki gaya tulisan yang hebat, mata untuk detail dan sangat baik kemampuan bahasa dan tata bahasa.


Online Pembelian dan Penjualan Expert - Ini adalah salah satu yang paling menguntungkan bisnis rumahan ide yang tersedia saat ini. Warga senior dapat mengkhususkan dalam menjual hanya satu jenis barang atau menjual berbagai item. Sebuah komputer dan koneksi internet sudah cukup dikombinasikan dengan mendaftarkan diri dengan salah satu dari situs likuidasi terkemuka seperti liquidation.com atau us.ebid.net atau, auctions.overstock.com.

Liang mengatakan 'Saya tidak percaya barang saya bisa mendapatkan harga yang begitu besar. Jadi saya memutuskan untuk menambahkannya ke bisnis yang ada. Penjualan yang besar. Aku dapat mengisi harga yang rendah dan masih membuat keuntungan yang sangat baik. Saya akan terus membeli dari Liquadation.com dan dapat melihat bisnis saya berkembang. Terima kasih Liquidation.com untuk berada di sana ketika saya memerlukan bantuan '.

Penggemar lain liquidation.com, Bill Rice mengutip, "Saya baru-baru ini menganggur setelah 15 tahun mengabdi, aku tidak tahu harus berbuat apa jadi aku melanjutkan Liquidation.com dan mulai mencari barang-barang saya bisa membeli untuk menambah pendapatan saya. Aku membeli cincin berlian yang indah yang bagus harga rendah, cincin muncul di rumahku dan aku begitu terkejut betapa menyenangkan itu. Aku meletakkan iklan di situs lelang online selama satu minggu dan membuat transaksi itu cukup off untuk menjaga rumah tangga kami berjalan selama dua minggu. Liquidation.com membantu saya keluar! "

Dengan peluang online berlimpah di Internet, itu tampaknya yakin tempat yang aman bagi warga senior untuk menginvestasikan waktu dan uang mereka di dalamnya.

Index Optimization tips

* Every index increases the time in takes to perform INSERTS, UPDATES and DELETES, so the number of indexes should not be very much. Try to use maximum 4-5 indexes on one table, not more. If you have read-only table, then the number of indexes may be increased.
* Keep your indexes as narrow as possible. This reduces the size of the index and reduces the number of reads required to read the index.
* Try to create indexes on columns that have integer values rather than character values.

* If you create a composite (multi-column) index, the order of the columns in the key are very important. Try to order the columns in the key as to enhance selectivity, with the most selective columns to the leftmost of the key.
* If you want to join several tables, try to create surrogate integer keys for this purpose and create indexes on their columns.
* Create surrogate integer primary key (identity for example) if your table will not have many insert operations.
* Clustered indexes are more preferable than nonclustered, if you need to select by a range of values or you need to sort results set with GROUP BY or ORDER BY.
* If your application will be performing the same query over and over on the same table, consider creating a covering index on the table.
* You can use the SQL Server Profiler Create Trace Wizard with "Identify Scans of Large Tables" trace to determine which tables in your database may need indexes. This trace will show which tables are being scanned by queries instead of using an index.
* You can use sp_MSforeachtable undocumented stored procedure to rebuild all indexes in your database. Try to schedule it to execute during CPU idle time and slow production periods.
sp_MSforeachtable @command1="print '?' DBCC DBREINDEX ('?')"


T-SQL Optimization Tips

* Use views and stored procedures instead of heavy-duty queries.
This can reduce network traffic, because your client will send to server only stored procedure or view name (perhaps with some parameters) instead of large heavy-duty queries text. This can be used to facilitate permission management also, because you can restrict user access to table columns they should not see.
* Try to use constraints instead of triggers, whenever possible.
Constraints are much more efficient than triggers and can boost performance. So, you should use constraints instead of triggers, whenever possible.

* Use table variables instead of temporary tables.
Table variables require less locking and logging resources than temporary tables, so table variables should be used whenever possible. The table variables are available in SQL Server 2000 only.
* Try to use UNION ALL statement instead of UNION, whenever possible.
The UNION ALL statement is much faster than UNION, because UNION ALL statement does not look for duplicate rows, and UNION statement does look for duplicate rows, whether or not they exist.
* Try to avoid using the DISTINCT clause, whenever possible.
Because using the DISTINCT clause will result in some performance degradation, you should use this clause only when it is necessary.
* Try to avoid using SQL Server cursors, whenever possible.
SQL Server cursors can result in some performance degradation in comparison with select statements. Try to use correlated sub-query or derived tables, if you need to perform row-by-row operations.
* Try to avoid the HAVING clause, whenever possible.
The HAVING clause is used to restrict the result set returned by the GROUP BY clause. When you use GROUP BY with the HAVING clause, the GROUP BY clause divides the rows into sets of grouped rows and aggregates their values, and then the HAVING clause eliminates undesired aggregated groups. In many cases, you can write your select statement so, that it will contain only WHERE and GROUP BY clauses without HAVING clause. This can improve the performance of your query.
* If you need to return the total table's row count, you can use alternative way instead of SELECT COUNT(*) statement.
Because SELECT COUNT(*) statement make a full table scan to return the total table's row count, it can take very many time for the large table. There is another way to determine the total row count in a table. You can use sysindexes system table, in this case. There is ROWS column in the sysindexes table. This column contains the total row count for each table in your database. So, you can use the following select statement instead of SELECT COUNT(*): SELECT rows FROM sysindexes WHERE id = OBJECT_ID('table_name') AND indid < 2 So, you can improve the speed of such queries in several times.
* Include SET NOCOUNT ON statement into your stored procedures to stop the message indicating the number of rows affected by a T-SQL statement.
This can reduce network traffic, because your client will not receive the message indicating the number of rows affected by a T-SQL statement.
* Try to restrict the queries result set by using the WHERE clause.
This can results in good performance benefits, because SQL Server will return to client only particular rows, not all rows from the table(s). This can reduce network traffic and boost the overall performance of the query.
* Use the select statements with TOP keyword or the SET ROWCOUNT statement, if you need to return only the first n rows.
This can improve performance of your queries, because the smaller result set will be returned. This can also reduce the traffic between the server and the clients.
* Try to restrict the queries result set by returning only the particular columns from the table, not all table's columns.
This can results in good performance benefits, because SQL Server will return to client only particular columns, not all table's columns. This can reduce network traffic and boost the overall performance of the query.

1.Indexes
2.avoid more number of triggers on the table
3.unnecessary complicated joins
4.correct use of Group by clause with the select list
5.in worst cases De normalization


Downloading Files From MySQL Database

When we upload a file to database we also save the file type and length. These were not needed for uploading the files but is needed for downloading the files from the database.

The download page list the file names stored in database. The names are printed as a url. The url would look like download.php?id=3. To see a working example click here. I saved several images in my database, you can try downloading them.

Example :



Download File From MySQL




include 'library/config.php';
include 'library/opendb.php';

$query = "SELECT id, name FROM upload";
$result = mysql_query($query) or die('Error, query failed');
if(mysql_num_rows($result) == 0)
{
echo "Database is empty
";
}
else
{
while(list($id, $name) = mysql_fetch_array($result))
{
?>


}
}
include 'library/closedb.php';
?>

"


When you click the download link, the $_GET['id'] will be set. We can use this id to identify which files to get from the database. Below is the code for downloading files from MySQL Database.

Example :

if(isset($_GET['id']))
{
// if id is set then get the file with the id from database

include 'library/config.php';
include 'library/opendb.php';

$id = $_GET['id'];
$query = "SELECT name, type, size, content " .
"FROM upload WHERE id = '$id'";

$result = mysql_query($query) or die('Error, query failed');
list($name, $type, $size, $content) = mysql_fetch_array($result);

header("Content-length: $size");
header("Content-type: $type");
header("Content-Disposition: attachment; filename=$name");
echo $content;

include 'library/closedb.php';
exit;
}

?>

Uploading a file to MySQL is a two step process.

First you need to upload the file to the server then read the file and insert it to MySQL.

For uploading a file we need a form for the user to enter the file name or browse their computer and select a file. The input type="file" is used for that purpose.

Example : upload.php
Source code : upload.phps















An upload form must have encytype="multipart/form-data" otherwise it won't work at all. Of course the form method also need to be set to method="post". Also remember to put a hidden input MAX_FILE_SIZE before the file input. It's to restrict the size of files.

After the form is submitted the we need to read the autoglobal $_FILES. In the example above the input name for the file is userfile so the content of $_FILES are like this :

$_FILES['userfile']['name']
The original name of the file on the client machine.

$_FILES['userfile']['type']
The mime type of the file, if the browser provided this information. An example would be "image/gif".

$_FILES['userfile']['size']
The size, in bytes, of the uploaded file.

$_FILES['userfile']['tmp_name']
The temporary filename of the file in which the uploaded file was stored on the server.

$_FILES['userfile']['error']
The error code associated with this file upload. ['error'] was added in PHP 4.2.0

Example : upload.php


if(isset($_POST['upload']) && $_FILES['userfile']['size'] > 0)
{
$fileName = $_FILES['userfile']['name'];
$tmpName = $_FILES['userfile']['tmp_name'];
$fileSize = $_FILES['userfile']['size'];
$fileType = $_FILES['userfile']['type'];

$fp = fopen($tmpName, 'r');
$content = fread($fp, filesize($tmpName));
$content = addslashes($content);
fclose($fp);

if(!get_magic_quotes_gpc())
{
$fileName = addslashes($fileName);
}
{xtypo_code}
include 'library/config.php';
include 'library/opendb.php';

$query = "INSERT INTO upload (name, size, type, content ) ".
"VALUES ('$fileName', '$fileSize', '$fileType', '$content')";

mysql_query($query) or die('Error, query failed');
include 'library/closedb.php';

echo "
File $fileName uploaded
";
}
?>

Before you do anything with the uploaded file. You should not assume that the file was uploaded successfully to the server. Always check to see if the file was successfully uploaded by looking at the file size. If it's larger than zero byte then we can assume that the file is uploaded successfully.

PHP saves the uploaded file with a temporary name and save the name in $_FILES['userfile']['tmp_name']. Our next job is to read the content of this file and insert the content to database. Always make sure that you use addslashes() to escape the content. Using addslashes() to the file name is also recommended because you never know what the file name would be.

That's it now you can upload your files to MySQL. Now it's time to write the script to download those files.

Using PHP to upload files into MySQL database

Using PHP to upload files into MySQL database sometimes needed by some web application. For instance for storing pdf documents or images to make som kind of online briefcase (like Yahoo briefcase).

For the first step, let's make the table for the upload files. The table will consist of.

1. id : Unique id for each file
2. name : File name
3. type : File content type
4. size : File size
5. content : The file itself

For column content we'll use BLOB data type. BLOB is a binary large object that can hold a variable amount of data. MySQL have four BLOB data types, they are :

* TINYBLOB
* BLOB
* MEDIUMBLOB
* LONGBLOB

Since BLOB is limited to store up to 64 kilobytes of data we will use MEDIUMBLOB so we can store larger files ( up to 16 megabytes ).

CREATE TABLE upload (
id INT NOT NULL AUTO_INCREMENT,
name VARCHAR(30) NOT NULL,
type VARCHAR(30) NOT NULL,
size INT NOT NULL,
content MEDIUMBLOB NOT NULL,
PRIMARY KEY(id)
);

SEO Friendly Website

Percikan kata kunci, judul dan sentuhan memotong dengan script membuat website yang ramah SEO lezat. Hindari bahan-bahan tertentu untuk membawa rasa lalu lintas di situs Web Anda ramah website.SEO mirip dengan memasak sesuatu yang lezat di tempat Anda. Perbedaannya terletak pada kenyataan bahwa hidangan Anda mempersiapkan punya selera tetapi situs SEO tidak ramah. Untuk mempersiapkan ramah SEO situs Anda butuhkan untuk mencampur dan mencocokkan banyak bahan teknis untuk mendapatkan hal yang sebenarnya anda bermimpi pergi.


* Hal ini tidak sulit untuk mendapatkan ramah mesin pencari situs web jika aspek-aspek tertentu yang disimpan ke dalam pertimbangan. Dengan cara yang sama beberapa hal yang harus dilarang sebagai mencampur bahan-bahan tersebut dapat membuat website tawar. Di sini penuh cita rasa serta bahan-bahan yang hambar akan ditentukan sehingga Anda bisa lebih berhati-hati selama optimalisasi situs untuk mesin pencari meningkatkan keramahan.
* Berbagai bahan-bahan penting yang harus disertakan dalam proses optimasi website untuk membuat hidangan SEO yang lebih baik dapat digambarkan sebagai berikut:
* Meneliti of Keywords: Salah satu hal penting adalah penelitian sebagai kata kunci, ini meningkatkan kriteria pencarian. Kata kunci adalah tongkat ajaib yang membantu website untuk mendapatkan web dicari oleh pemirsa. Jadi, pilihan kata kunci harus cukup tepat sehingga website Anda bisa mendapatkan peringkat di halaman hasil mesin pencari dan dengan demikian bisa mendapatkan akses lalu lintas yang besar.
* Sesuai Pemilihan Keywords: Setiap kata kunci tidak memiliki nilai yang sama. Perlu dipahami dengan baik pertama kali oleh ahli SEO yang kata kunci yang telah mendapat popularitas tertinggi di antara pengunjung web. Tergantung pada kata kunci yang harus dipilih dan menaburkan konten dalam tubuh. Ini hanya dapat dicapai dengan riset kata kunci yang baik.
* Melihat oleh Search Engine: Website harus dipandang secara menyeluruh oleh mesin pencari. Masing-masing dan setiap halaman harus dipandang oleh crawler mesin pencari saat menavigasi karena jika penjelajah tidak akan dapat mencari halaman maka tidak akan terlihat oleh pengunjung web.
* Script & Coding: Menulis di javascripts benar-benar tampak hebat, sayangnya tidak ke mesin pencari. Mesin pencari akan diblokir saat itu indra javascripts. Kode html akan sempurna untuk mempertahankan di peringkat teratas di halaman hasil pencarian. Scripting harus sedemikian rupa sehingga menunjukkan produk sempurna dan tidak melebih-lebihkan apa-apa. Setiap kata akan mencerminkan fitur produk yang pada gilirannya akan membantu untuk mendapatkan bisnis.
* Title Tag: Hal ini penting untuk menjelaskan apa yang sebenarnya mengandung situs. Masing-masing dan setiap situs harus memiliki teks judul yang berbeda untuk membedakan berbagai halaman dan juga untuk menggambarkan apa yang sebenarnya memegang halaman.



Bahan yang bisa membuat rasa pahit dengan menyesatkan orang-orang dapat didaftarkan sebagai:

Seseorang dapat Jaminan Anda Atas Peringkat di Search Engine: ini tidak akan pernah bisa mungkin sebagai, peringkat tergantung pada kata kunci pencarian. Hal ini dapat dimungkinkan bahwa orang umum penargetan kata kunci lain daripada yang Anda telah membuat pilihan begitu, peringkat situs anda akan turun daripada membesarkan tinggi. Jadi, tidak ada yang bisa menjamin peringkat teratas karena tergantung pada proses pemilihan kata kunci.

Menempatkan di Top adalah Tujuan Tertinggi di SEO: Apakah tujuan Anda datang di tempat paling atas di halaman hasil SEO? Tidak diragukan lagi mencapai peringkat Anda akan mendapatkan lalu lintas yang tinggi dalam situs web Anda tapi maaf saya! Tujuan Anda bukanlah untuk mendapatkan lalu lintas besar tetapi untuk mengkonversikan lalu lintas ke pembeli. Penjualan adalah apa yang Anda butuhkan. Jadi situs Web Anda harus diisi dengan semua hal-hal yang dapat membantu Anda untuk meningkatkan bisnis Anda.

Lunak bisa menjadi pengganti yang lebih baik untuk SEO Company: Ini akan menjadi besar jika perangkat lunak elektronik dapat melakukan pekerjaan dari para ahli SEO. Banyak waktu berharga dapat dialihkan ke arah jalan yang bermanfaat. Tapi hal itu tidak pernah terjadi hanya membayangkan mesin pencari Anda adalah memberi Anda beberapa hasil yang tidak perlu bukan yang anda minta. Apakah itu bekerja? Tentu saja tidak. Dengan cara yang sama, karya pakar SEO tidak pernah dapat dilakukan oleh orang lain.

Satu Kebutuhan N Jumlah Kata kunci untuk Mencapai Rank: Ini bukan kenyataan. Peringkat dari situs tentu saja tergantung pada pilihan yang benar kata kunci tetapi tidak N jumlah kata kunci yang diperlukan. Yang Anda butuhkan adalah pilihan yang benar dan tidak isian kata kunci.

Metatags adalah Penting: Judul yang lebih penting daripada metatags. Judul menggambarkan isi yang menjelaskan apa sebenarnya situs web berisi begitu dibandingkan dengan judul, metatags kurang penting.

Ketika website ini dirancang tetap mempertimbangkan semua bahan-bahan ini dinyatakan di atas, percaya atau tidak tapi makanan yang mengandung mesin pencari situs Web akan lezat dan akan berbuah sebagai SEO Services Provider. Anda akan menikmati itu.

SEO India.org

Meskipun ada banyak perusahaan SEO yang memikat layanan optimasi alam, prosedur ini tidak begitu mudah. Mencapai di puncak indeks pencarian halaman memerlukan upaya dan siasat yang hebat dan hanya yang terampil SEO India.org perusahaan seperti yang menyadari seluk-beluk optimasi SEO akan mampu untuk melakukan seperti prestasi. Dengan sejumlah perusahaan optimisasi mesin pencari di luar sana perusahaan bisa muncul sebagai perusahaan ahli yang memiliki keahlian yang diperlukan untuk membantu Anda mencapai target indeks pencarian - dan tahan lama reputasi keberhasilan yang sudah terbukti.

Fitur --
• Efektif pelaksanaan layanan SEO.
• Meningkatkan popularitas situs Anda dengan satu-cara pelayanan yang membangun link.
• Optimalkan situs dengan menyerahkan direktori.
• Press Release Submission layanan untuk menginformasikan kepada klien tentang kejadian yang baru diluncurkan.
• Layanan Riset kata kunci untuk mengarahkan cara yang tepat untuk sukses.
• Untuk mengatur peringkat situs yang didedikasikan mempekerjakan ahli SEO Layanan ini ditawarkan.
• Reputasi manajemen untuk berlatih situs dengan benar.

Advantage --
Dengan ahli terampil di perusahaan, perusahaan menyediakan beragam layanan SEO yang dirancang untuk memudahkan Anda mendapatkan situs Anda dapat ditiru target. Mereka menawari SEO berpengalaman profesional dan efektif bangunan link, reputasi manajemen, siaran pers distribusi, pengiriman artikel, direktori penyerahan dan layanan bookmark sosial; semua ini telah mengembangkan peringkat di search engine pada kata kunci berguna. Jika Anda sedang mencari untuk meningkatkan pengungkapan atau mencapai irisan besar dari kue tar, SEO India.org menyediakan peralatan untuk berhasil.

Pengalaman SEO India.org --
Hal ini mengkhususkan diri pada optimasi mesin pencari organik dan kampanye. Proses yang melibatkan mengevaluasi situs Anda kode mendasar, konten yang efektif, dan membangun link popularitas dan kampanye dipulihkan enrichments adalah situs Anda tepat dalam indeks pencarian yang relevan, yang berhubungan dengan algoritma mesin pencari. Cara yang efektif untuk memperbaiki yang andal strategi optimisasi mesin pencari adalah melakukan dengan SEO India.org, yang berpengetahuan optimasi mesin pencari perusahaan. Telah dipercayakan sebagai bagian atas terjangkau dan efektif SEO Firm selama bertahun-tahun.

SEO

(1888PressRelease) MedreamSEO.com, telah sejak pergantian tahun 2010, telah influxed oleh klien menginginkan website mereka untuk menentukan peringkat pada halaman 1 Google, Yahoo dan MSN Bing! Dengan demikian, berakhir dengan masa penjualan khusus dengan akhir Sale 85% Off Day.

Boise City, ID - Menggunakan beberapa metode yang paling inovatif saat ini tersedia MedreamSEO.com telah memperluas dan memperpanjang sekarang, segera akan berakhir, 85% Off 'RAKASA' SEO Dijual mana perusahaan-perusahaan dan webmaster dari Amerika Serikat, Inggris, Australia dan memang di seluruh dunia bisa datang dan membeli apa yang harus menjadi yang paling terjangkau layanan SEO Halaman 1 sekarang tersedia di mana pun.



MedreamSEO.com, bekerja tanpa lelah untuk mencapai halaman 1 posisi bagi para klien di semua mesin pencari utama, telah kembali vamped baik yang wow! dan wow! PREMIER SEO fitur paket untuk hasil lebih banyak, lebih cepat, dan seluruh mesin pencari lebih daripada sebelumnya.

Dengan kenaikan besar dalam harga, 85% off ini memungkinkan penjualan usaha kecil dan webmaster dari seluruh Amerika Serikat dan di seluruh dunia bahkan untuk mengambil layanan mereka pada tingkat yang jauh berkurang, tetapi yang harus berakhir hari ini.

Sofia Lim, MedreamSEO.com spokeslady untuk berkomentar hari ini "Ya, kami untuk terus menerus dan penjualan diperpanjang selama 2 bulan pertama tahun ini telah dilakukan sangat baik dan manfaat emmensly klien kami, tapi dengan pengenalan paket layanan baru kami rentang, kami jual 85% off benar-benar harus berakhir dalam waktu 24 jam; dan jadi kami mengundang website manapun bisnis, di manapun Anda berada, dan dimanapun Anda ingin pelanggan baru untuk bergabung bersama kami di mega penjualan yang terakhir hari ".

MedreamSEO, sekarang hampir 2 tahun dalam bisnis telah datang dari hampir tidak ada tempat untuk menjadi salah satu penyedia terkemuka diskon layanan SEO di industri, dengan menit 180 baru SEO sama-menjamin dan jaminan hari kerja optimasi kliennya website, MedreamSEO terus untuk mengatur dirinya sendiri terlepas dari para pesaingnya.

Dengan 85% Off SEO 'Rakasa' Dijual karena akhirnya hari ini berakhir sofia Lim dengan mengatakan "kami halaman 1 hasil layanan yang tidak hanya menyediakan situs web apapun dengan halaman 1 dijamin peringkat, mesin pencari lengkap dan dijamin SEO paparan kode, tetapi juga termasuk peringkat dan visibilitas di Google, MSN, Yahoo, Altavista, ixQuick, AOL, Ask, ExactSeek, Hotbot, Entireweb, A9, Baidu, Alexa, Lycos, Gigablast, Bing!, Mamma, InfoSpace, Metacrawler, Webcrawler, AllWeb, Baidu & Excite, dengan 200 variasi regional dan internasional ini dan masih banyak lagi untuk mencapai peringkat dalam, tapi kami menargetkan pelanggan klien kami, di mana pun mereka berada. "

Untuk informasi lebih lanjut dan untuk mengambil 85% dari penjualan sementara Anda masih bisa, kunjungi www.medreamSEO.com

Saturday, March 27, 2010

Mediaraptor Free v4.1.2053.3300


Free web videos and music videos straight to your hard drive by using the Web tab!
The freeware lets you record all the videos you have viewed online on YouTube, Yahoo, Facebook, Myspace, Clipfish and MyVideo and automatically save those files to your hard drive in the desired file format.


The Web tab also hooks you up with the music from videos for free!
The freeware lets you automatically record the audio track from music videos on YouTube and then save the files as an MP3 song file. All free of charge!
Receiving 40 songs for free is part of the demo functions.
The freeware also gives you a preview of the functions included in the full version, which only are available in the demo for a limited time or a limited number of downloads. After reaching the set limit, you will still be able to use all of the freeware functions without restriction.
System requirements

* Windows 7 / Vista / XP ®, 32 bit and 64 bit
* 1 GHz CPU
* 1 GB RAM
* 100 MB+ hard drive space
* DSL / cable / 3G Internet
* minimum resolution: 1024x600 pixels

Version number: v4.1.2053.3300

Mobile Photo Enhancer 1.3


Now completely free! Mobile Photo Enhancer is a must-have for camera phone owners. It is especially designed to improve the quality of photos taken with mobile phone cameras.
Mobile phones with built-in digital cameras have become very popular today because of their easy portability. But the obvious downside is that the quality of camera phone photos is still very poor. The main drawbacks are: JPEG compression artifacts; vignetting (darkening of the corners around the image); poor color; poor contrast; poor sharpness; noise, etc.
Mobile Photo Enhancer is a handy and powerful tool capable of fixing these problems with just a few clicks. It provides a quick and easy way to improve the quality of your images: reduce artifacts and digital noise, correct poor contrast and color and fix the dark corners problem. With its powerful filtering, the program can convert an image with pronounced defects into a very usable photo.
Mobile Photo Enhancer is a two-in-one software package: it contains a tool for processing images one at a time as well as a tool for simultaneous processing of batches of images.
Mobile Photo Enhancer is a user-friendly program featuring an attractive and intuitive interface that enables users of all skill levels to quickly and easily repair camera phone photos with impressive results. The program also contains a plugin for creating thumbnails of your photos for web galleries.

Friday, March 26, 2010

wList - Create file list 2.1.0


wList adalah alat yang memungkinkan Anda untuk membuat daftar file dan subfolder dari suatu folder (direktori).
Dengan satu klik, Anda dapat membuat daftar isi dari setiap CD / DVD / USB flash drive, atau hard disk. nlist semua file musik (MP3, WAV), gambar (GIF, JPG, PNG) atau video (AVI, MP4, MPEG).
nApplications: mencari, percetakan, dokumentasi, pengarsipan. wList meliputi fungsi DOS dan Unix dir perintah ls. Mendukung Unicode.

Wondershare Data Recovery


Wondershare Data Recovery adalah mudah menggunakan perangkat lunak pemulihan data yang dirancang untuk memulihkan hilangnya data. Ini dapat membantu Anda mengembalikan hard disk yang diformat, menyelamatkan data dari infeksi virus, memulihkan data yang hilang dari kekuasaan kegagalan, mengambil data setelah sistem jendela instalasi ulang atau mendapatkan kembali data yang hilang karena alasan-alasan lain yang tidak diketahui.

IFrame Injection Attack

IFrame Injection Attack dianggap salah satu yang paling umum dan paling mendasar situs cross scripting (XSS) serangan. Jika Anda baru saja mendapat serangan iframe ke situs web Anda, jangan langsung panik. Berikut adalah beberapa hal yang dapat Anda lakukan segera setelah Anda menemukan bahwa website Anda telah menjadi korban serangan injeksi iframe.

1. Ambil website Anda down untuk jangka waktu tertentu
Dianjurkan untuk mengambil situs web turun karena Anda tidak ingin mendistribusikan malware atau virus dari situs web Anda dengan pengunjung Anda. Website harus offline saat Anda memulihkan situs.

2. Mengubah semua password
Meskipun hal ini mungkin tampak seperti sebuah langkah sederhana, banyak orang, termasuk saya sendiri, sering kali gagal untuk mengubah semua password segera setelah serangan telah ditemukan. Anda perlu untuk mengubah semua password yang berhubungan dengan website; yang meliputi password ftp, ssh password, account password, database password, admin password dan sebagainya.

3. Ambil salinan situs yang terkena bencana untuk analisa lebih lanjut
Anda mungkin ingin melakukan analisis lebih lanjut mengenai serangan dan mungkin perlu merujuk ke kode sumber injeksi tepat di masa depan. Ambil salinan situs web yang terkena dalam format terkompresi, misalnya: zip atau gzip dan menyimpannya di suatu daerah karantina untuk kemudian referensi. Perhatikan bahwa tidak dianjurkan untuk menyimpan file yang terkena dampak pada server.

4. Ganti seluruh situs dengan salinan yang bersih
Jangan bergantung pada penyedia hosting Anda untuk salinan cadangan dari situs Anda. Banyak penyedia hosting mengatakan bahwa mereka melakukan backup otomatis setiap malam, bagaimanapun, adalah lebih dapat dipercaya jika anda memiliki solusi backup untuk website Anda.

5. Ujilah website dan membuka kembali
Ini adalah untuk memastikan bahwa website ini kembali ke bersih, versi aslinya. Setelah Anda puas dengan hasilnya, Anda dapat membuka kembali situs web untuk publik.

6. Menganalisis bagaimana serangan itu berasal
Dalam rangka untuk memastikan bahwa serangan yang sama tidak terjadi lagi, Anda akan perlu untuk melakukan analisis lengkap dari serangan dan bagaimana hal itu berasal. Apakah itu karena lubang keamanan di aplikasi Anda? Apakah itu disebabkan oleh file yang lemah izin? Atau server anda terpengaruh dengan beberapa virus yang menyuntikkan kode ini ke website Anda pada interval reguler? Anda perlu memahami bagaimana hal itu terjadi dalam rangka untuk mencegah hal itu di masa mendatang. Dan bila perlu, memperoleh nasihat seorang ahli.

7. Lakukan langkah-langkah keamanan yang tepat berdasarkan analisis
Walaupun Anda mungkin telah pulih situs web Anda, itu tidak berarti website anda tidak akan diserang lagi. Jika lubang keamanan yang sama masih ada, itu mungkin sangat mungkin bahwa website ini akan menyerang lagi dalam waktu dekat. Oleh karena itu, dianjurkan agar Anda melakukan langkah-langkah keamanan yang diperlukan, baik itu pengerasan server web Anda, upgrade aplikasi, atau memperkenalkan pembatasan keamanan baru.

Nasihat

Saya jumpai dan menemukan beberapa situs yang telah diserang oleh iframe jahat mengeksploitasi pada beberapa tahun terakhir. Dan tampaknya penyebab umum adalah sebagai berikut:

* Website ini di-host pada web hosting murah
* Website ini menggunakan versi lama dari aplikasi open source (misalnya: Wordpress 1,0) yang memiliki masalah keamanan yang diketahui
* File permission pada server tidak diatur sesuai (misalnya: setiap file dan folder pada server diatur ke 777 - read-write-execute)
* Kelemahan dalam kode aplikasi. Sebagai contoh, tidak ada cukup input validasi.
* FTP daripada SFTP digunakan
* Tidak ada pembatasan IP untuk SSH dan FTP account


Ada beberapa hal sederhana yang dapat dilakukan untuk mengurangi risiko website Anda diserang.

* Ubah password Anda secara periodik (misalnya, setidaknya sekali dalam sebulan)
* Jaga aplikasi anda up-to-date. Selalu meng-upgrade segera kapan versi baru tersedia.
* Bersihkan file dan direktori di server web. Pastikan tidak ada file tua. Bak atau. Txt ekstensi tergeletak di sekitar
* Pastikan bahwa file yang sesuai hak akses yang digunakan untuk setiap file dan direktori di web server
* Konsultasikan dengan ahli keamanan untuk mendapatkan saran terbaik

Sunday, March 21, 2010

What Is a Blog

Blog is a personal website that contains the articles which regularly updated by the author in order to convey something kepda readers. Contents can be a diary writer, important events, information about products and services and others. Blog is almost the same as a diary of notes or the thinking of the author. One thing that distinguishes between the diary blog is a blog created to be read by all people while diary no.

Blog is a medium of communication of the most popular today. Millions of webmasters using blogs to communicate and share information every day. So the blog is more than an information website. To have a blog, too easy. You do not need to learn HTML or web design headaches. And the important thing is to make it a free blog

Eternal power

Priestly life journey Abu Hamid al-isfirayini (d. 406H), al-Subky mentioned that at one time there was a problem with one of the Abbasi Caliph dynasty, then the priest priests Abu Hamid al-isfirayini wrote a letter to the caliph as follows,
"Know that you are not able to remove myself from office has been given by Allah SWT. To me, and instead I was able to remove you from office only by writing the Caliphate on a paper he had two or three sentences and then I sent to Khorasan "
Other words does not indicate a keilmuaan, dignity and self-esteem is very great. Because science is a gift of Almighty god., Men of knowledge has been embedded and stored in the chest, and faith is a crown placed on his head.
different leaders last decade, which is to be a leader who has a lot of money or who have no knowledge for the many more in the first. is reasonable when a country will experience a decline in the various segments of the nation because of the leaders has only quantity bukannnya quality.

Success and the Ants

Pelajan biggest lesson that can be seen in the world of animal life success is (ants). Why kok ants? Because ants, will always try to repeatedly and persistently, until he managed to achieve the expected goals. He crawled to a tree, then she fell up again and tried to crawl back up into the tree, and fell again as happened repeatedly, but he still kept trying until he finally made it to the desired tree and get what they are looking without feeling tired and bored.
If the road in its path blocked, he will try to pass from the right and left, yet also remains difficult to walk forward, then he will stop for a while, then come back with a force far stronger than the first. He did not rule out going away from the first path is difficult because there are some obstacles, but he'll keep coming back to walk towards the same direction by finding a different way, so that until the goal.

Wisdom of difficulties

Universal human experience is the loss of someone or something near and dear to us of course he also loves us like we love him. Great trials and tribulations common to all people regardless of economic status, ethnicity, beliefs Bergama, or gender.
Various difficulties, grief and calamities that befall a person in essence has a lot of positive value in only by people who know dilapangkan and illuminated hearts by Almighty god. Among these positive values are open hearing, eyes, and hearts are covered by the "cloud" of pleasure, which in tidurkan by pleasure and prosperity as well as in covered by negligence.
So did many difficulties and hardship that could befall someone will remind the many favors that have been received, making these favors that have a value and memorable in the soul. With the advent of difficulty and hardship someone can feel great happiness after the difficulties and hardship tersbut missing, making a person can reap the profound pleasure after the departure of misery and pain.

Saturday, March 20, 2010

Do not live in the nightmare of the past

Lover hurt, lied to friends, or associates duped, is a bad experience hard to forget. If successful forgotten, that does not mean we can forgive those who hurt us.

When was overwhelmed by feelings of sadness, anger, and disappointment, we will respond with the most natural way. Trying to forget the bad events, so no need to feel the negative emotions generated. According to Stephen Hayes, a psychologist University of Nevada, it is a reasonable action.

Because humans tend to not want to face the problem directly. Not believe? It turned out the problem to make our lives comfortable disrupted. So we choose the most secure way.

But avoid the negative emotions do not guarantee our next life to be happy. Because when we re reminded of the event, all the negative emotions will come back. And if this happens, then we are not willing to actually have experienced the bad events.

Should we accept the events of the past with a big heart. Everything has happened and we can not change it. Think of it as a process that had to go through to become a better person. "Accepting the situation does not mean surrender. The decisions we make and actions we do, based on the understanding that we have now, "Jon Kabat-Zinn, professor and researcher from the University of Massachusetts Medical School, explains. Try to forgive the people who have acted badly towards us. No point in storing negative emotions inside.

provision door opener wedding

The survey, involving 9,000 people showed lower divorce
wealth and 77 percent. "Divorce causes decrease in wealth
much greater than average wealth divide Gono Look, "said Jay
Zagorsky of Ohio State University.

This research was conducted in the period 1985 to 2000. In
1985, the average age of couples surveyed between 21 to 28 years.

On the other hand, marriage itself makes a person richer than
just combine the two couples wealth. Every person who was married,
average gain of wealth doubled.

Only the factor of marriage, without involving the other factors in
calculations, a person increases his wealth around 4 percent each year.
The findings are described in the Journal of Sociology.

"If you really want to increase wealth, marry and
maintain, "said Zagorsky. On the other hand, he continued, avoid divorce
because it will reduce the wealth.

After divorce, men have an average wealth of 2.5 times greater
than women. The difference between the average developed into
about 5100 U.S. dollars only.

In people who got divorced, his wealth continued to decline during the four
years before their divorce and reached the lowest point in years
divorce. Wealth back up slowly after a divorce, but
not too large. "Even ten years after the divorce,
average wealth under 10 thousand U.S. dollars, "said Zagorsky.

According to him, this research is not a justification, but at least
There is no reason that can explain. Other research shows that
living with a partner is more efficient and cheaper expenses
when living in the same house.

why are women afraid to get married?

Background fear or trauma of woman to marry is because these days a lot of divorce and that's what makes her scared and traumatized to commit in marriage.

The fear, if he one day will become bored with her partner and it tends to happen because of one man's nature is likely to get bored easily. As an example of the man tends to approach the woman often eager to get her attention, but when it got and married men tend to tire of their partners, and often only concerned with their partners is reduced.

Therefore, it is important if women are always concerned appearance, cleanliness, fitness, beauty and always fragrant and fresh. Though already married and already had children.

Because basically he was concerned the appearance of women. Even before and after marriage, held a change so that men see the changes towards goodness. For example, before marriage may be less attention to appearance, after marrying the woman really looked at her appearance, though to be cooking, cleaning, tidying the house, caring for children and many other activities.

Often ignored by the appearance of women's bodies, women think that their husbands do not mempermasahkannya. And it is wrong, because any man who does not like to see a beautiful wife, clean, fresh, healthy, fragrant and well behaved.

Older woman looking at the changes and usually women tend to age rapidly. For that she must have time in care, because pretty is not necessarily expensive. Start with diligent bath, scrub 2 times a week, brush teeth, wash your hair, wear deodorant, body lotion to use is not easy to dry skin and wrinkles. Also notice that the diet is not easy elastic body and wearing clean clothes and interesting. What we often neglect is the lack of drinking enough water, so the face does not look fresh.

Other things that make women the trauma is often a good man to do violence intentionally or unintentionally. Regarding men often become the backbone in making a living and have high levels of stress or pressure. Both the family and the environment, jobs, too, the social environment, yet plus he has full responsibility in all things. Those things that makes the emotion does not become uncontrolled and often acted against the wife, either intentionally or unintentionally.

Yet women are often traumatized in the case of sexual abuse either before marriage or after marriage. This is recorded in her memory and be forgotten, so that women are often shut down and having an extension of the trauma.

But basically she's very easy to trauma and trauma that makes women less likely to do it and experience it again. But women also have an emotional memory and the invisible latent, but these things will affect the emotional level, and decisions will be taken by women.

Therefore do not be traumatized, but the experience is happening for us women to be a valuable lesson. So what is bad does not happen again, and it becomes a valuable evaluation.

beauty icon world

Every decade has an icon or symbol of a successful beauty world an inspiration in looking at the time. symbols that have a strong character that shows the clothes and makeup are different from each era.

At age 40 until the 50's, Evita Peron's name appears as a figure of a woman leader of the firm and active, but still graceful and elegant in appearance. The hair is pulled back and simple bun style characteristic of the classic and classy.

Towards the decade 50 to 60's, emerged as an icon Audrey Hepburn beauty of the world. Hollywood actress is known for its high bun hairdo is simple, natural makeup and identical with the thick eyeliner.

Era of the early to late 90's, Kylie Minogue to be trendsetters in the world of beauty, with pale white skin, but sexy little body. White skin contrasting with the makeup seems like a bold red, pink and silver.

While the decade of the 2000s, emerged the figure of Beyonce Knowles and Pink Lady who appeared more expressive, sexy and daring. Beyonce represents glamorous, sexy style with a touch of bling-bling. While Gaga appear as an icon who dare to express, not afraid to be different and experimental.
Five icons across generations and cultures are then inspire LT Pro, a local professional cosmetics brand to launch Make Up Trends and Good Hair Summer 2010. The renowned makeup expert Indonesia was invited to represent the icons of the world's beauty in a hair and make-up show themed 'Personal Iconic'.

Greenish tinge of purple and gray on the eyes, and an emphasis on eye lines and bright red lipstick Andiyanto choice to 'bring' back the figure of Evita Peron in cosmetology theme 'Viva Evita'.

While the figures show Arimuko Novi beautiful Audrey Hepburn is timeless with natural makeup and simple, and the protrusion at the top of the eye with eyeliner.

Through the theme 'Amazing Cool Shine', highlighting the Jonki Pitoy Beyonce Knowlesshimmer brilliance of gold and silver. "I have a lot of use in dark but bright, no light shimmer (shimmer) of cool colors like bright purple and pink," explained Jonki.

Gust baby pink matte lipstick selected to create a simple point of the line but still shines bright. in shades of dark colors (purple) with the effect.
from the data available so berperannya icons in the eyes of the community which will make the style of daily life while not in accordance with the customs prevailing in a region.

Time Management For Tomorrow

the current dynamics of the life force anyone to look at the world became so exciting. Multipurpose easy and luxurious. A situation where the value of sweat flow displaced by pressing the finger skills. In other words, the world became so melenakan.

Not surprisingly, urban lifestyles lead people to be spoiled. Nice to relax and lazy work. In an atmosphere that's all easy, time becomes so cheap. Seconds, minutes, hours, until the day, could go away in a luxury lifestyle gumulan.

For instance, if someone offers us money amounting to Rp. 1440 dollars every day. And if not exhausted, the money should be returned; sure we will use that money for something of value investing. Because may be, we do not have anything when it stopped the flow of rations. And very stupid if squandered without the benefit needs.

That time. Each day God provides us with no less than 1440 minutes. If it changes, also passed yesterday without any time to take the remaining time. And the new day, again the Lord provided the same amount of time. And so on. Until, there is no allotted time given.

Unfortunately, not a few who likes to spend time just for petty. And regret appears when the allotted time be revoked. Without notice, without warning.

Word of God in surah Al 'Asr (The) 1 - 3:
1. By the time,
2. real people in losses,
3. Except those who believe and work righteous deeds, and another with the truth and intestate intestate each other with patience.