Add to Technorati Favorites

Make Your iPhone Disappear With This New Application From Apple

Email ‘N Walk is an application which makes your iPhone invisible. The reason? To stop moronic, distracted texters from walking into lamp posts.
Fire up the app on your iPhone (this doesn’t work with the iPod Touch) and it overlays a transparent email window over a live view coming in from the camera. Effectively, this lets you look at the screen and compose your masterpiece while simultaneously watching the road ahead.Should the summer ever arrive we'd prefer to think that walking is a time for taking in the air, looking around and generally appreciating the world, but if you can't do that without checking your email, then Email 'N Walk is probably a marginally safer way to do so.

 Of course, it won’t work. Anyone who would write e-mail while walking is obviously too self-absorbed to pay attention the world around them. Let them walk under a bus. :D
Email ‘N Walk is a genuine, non-spoof app and it is available now, free, from the App Store [ Product page ]
[Source: Wired Blog ]

Read more...

A Hot Blog : Hot Girls With iPhone. Now Skip That !

Now this iPhone fever is getting somewhere. Screw coffee, here's new blog tempting enough to catch every guys attention. A blog that was recently launched  Hot Girls with iPhone. Its quite self explanatory isnt it? :D 


Now this doesn't stop here, Ladies ! we also have a iPhone fetish site for you too. But be warned Due to its gratuitously graphic nature, it’s not suitable for work.


Here are some pictures from the website for you to enjoy  ;)



[Images credit: HotGirlsWithiPhone ]


Just  ooo la laa ...!!   :D

Read more...

Earn More From AdSense By Improving Performance of Link Units

Adsense is best revenue source out there for many bloggers but many don't know how to improve performance of  ads for increasing their revenue. Here are two tips to help improve the performance of AdSense Link Units on your site without changing any code.

1. Don’t Reuse Colors
When you create an Ad Link unit for your site, the background color of the Ad Link block should match with the color of other navigation elements on your web page.
For instance, on my home page, the AdSense Link Unit near the top navigation area has a dark grey background to match the horizontal navigation bar just above the Ad Link unit.
A problem with the above approach is that the landing page, which appears when a user clicks the ad link, will also have the same background color and that may not be very pleasing to the eyes of the visitor especially when you are using dark colors for Ad Links.
You can however override this default setting such that Google text ads on the target page are displayed using the default color palette (green URL and blue titles). For this, you need to edit your AdSense unit (AdSense Setup -> Manage Ads) and uncheck the setting "Reuse Colors".
2. Use Large Fonts
AdSense units with large font sizes tend to perform relatively better.
Therefore always consider using 4 links per unit (not 5) because with lesser number of links, AdSense will increase the font size and spacing (or line height) to fill the whole ad space and that may yield better results.
Google Ad Link units help you make the most out of limited space so don’t ignore them. And unlike the other text ads, Ad links can sometimes perform well in less visible locations also like the sidebar of your blog or even the footer. Keep experimenting.
Best of all, you can make all the above changes directly from the AdSense dashboard without having to edit your site template. Check these following links for more..

Read more...

Make Your Friends Faces Funny With New iPhone Face Fun Application


While Apple's Photo Booth and iPhoto '09 both have features that let you apply wacky effects to your friends' faces, they also both require that you be at your Mac. Wouldn't it be cool to be able to muck around with their mugs while you're waiting in line for coffee?




An Italian software developer, Ab2Labs, has just launched Face Fun, a new $3 iPhone app. Select a photo from your library; the app will detect the faces and then you can create various effects, including creating a puzzle or inserting that photo into other pictures.

Words are too cumbersome to describe all the various wacky options—just scope the YouTube vid below for the full effect.


Read more...

PHP and MySQL Programming Tutorial

This book provides an beginners introduction  to PHP and interacting with MySQL databases. It also includes some material related to developing desktop CLI applications and processing XML.
The book is a work in progress, and there may be incomplete or missing chapters.


Chapters include:
  • Introduction to PHP
  • Syntax Overview
  • File Handling
  • Database Connectivity
  • Session Handling
  • Command Line Programming
  • Form Handling
  • Introduction to MySQL
  • Creating a Database
  • Creating a Table
  • Basic Queries
  • Common Functions and Operators
  • XML and PHP
Read it here:
http://en.wikibooks.org/wiki/PHP_and_MySQL_Programming

Read more...

A Beginners Guide To Develop Web Applications in PHP

[Source: Woork ] Recently i started development in PHP and was searching for online guides to learn development process the proper way and i found several great sources. I have summarized all i learned here and hope will help newbies to quick-start. Better grab your coffee before you start on this!  ;) 


About the application
What kind of application we'll develop in this tutorial? I chose a simple to do list application to manage a list of tasks with these basic features:



- insert task
- mark a task as completed
- remove task
- search task
In this first part, I'll explain how to:



- define application structure
- create a new database for your application
- create database tables and relationships
- setup the application home page
Are you ready? Let's go!


1. Application structure
First question is: how to organize our application? We can start using this simple structure which will be modified in the next steps adding new elements (folders and files):





The main folder todo-list will contain all application files and folders; db folder will contains all files to create and manage application database. connection.phpenstablishes a database connection in all pages which require interaction with data stored into our database (see step 2.3).


2.1 - Database: create a new DB
Second step:create a new database for our application to store tasks information. We can use 
phpMyAdmin to create a new DB:




You have to add a name (in this case todo-list) in the input field and click on createbutton. Your new database will appear on the left panel: the number (0) indicates your database is empty (no tables).

2.2 - Database: define DB tables
At this point, we have to define database tables. In our simple to do list application we have only a table 
TASK with these attributes:




Now we have to create this table into our new database. In general, you can create database tables and relationship directly using phpMyAdmin interface or writing SQL code in a separated PHP file ( tables_structure.php). I prefer to use the second option because it's simpler to manage. So, open tables_structure.php and copy and past this code:




php
//Database Connection
include('connection.php');

// Create table TASK
$sql
="CREATE TABLE TASK (
task_id_pk INT NOT NULL AUTO_INCREMENT, 
task_name VARCHAR(250),
 
task_description LONGTEXT,
 
task_completed INT,
 PRIMARY KEY (task_id_pk) 
) TYPE=INNODB"
;
mysql_query($sql);

// Close DB Connection
mysql_close($db_con);
?>

In the first row I included the following line:




//Database Connection
include('connection.php');

...which enstablishes a database connection (see next step). So I added a PHP var 
$sqlwhich contains SQL code to create a new table "Task". This code:




mysql_query($sql);

...executes a query with SQL code declared into 
$sql var.

2.3 - Database: connection.php
Enstablishing a database connection using PHP is very simple. You can use the following code only changing connection parameters values (
$db_host$db_name,$username$password):





// Connection Parameters
$db_host
="localhost";
$db_name
="todo-list";
$username
="root";
$password
="root";
$db_con
=mysql_connect($db_host,$username,$password);
$connection_string
=mysql_select_db($db_name);

// Connection
mysql_connect($db_host,$username,$password);
mysql_select_db($db_name);
?>

In general 
$db_host$username$password don't require changes. This var:




$db_name="todo-list";

...contains the name of database we created at step 2.1.

Note: you have to include connection.php in each page which uses interaction with database.


2.4 - Database: create tables
Ok, now you can publish 
tables_structure.php and connection.php on your testing server and load tables_structure.php with your browser to create tables and relationships (in this case tables_structure.php will create only the table TASK ):




If code it's ok, using phpMyAdmin, you can find the new table "TASK" into our todo-list database:




3.1 - Index.php: include connection.php
Open 
index.php and add this line of code at the beginning of the page to enstablish a database connection:




php include('db/connection.php'); ?>

Remember, you have to include this file in each page which interacts with database:




Read full post here 

Read more...

Guide To Make Incompatible FireFox Addons Compatible With Latest Release

Firefox gains 22.48% of the recorded usage share of web browsers as of April 2009 Worldwide. After Internet Explorer Firefox is the most popular browser.Firefox features include tabbed browsing, a spellchecker, incremental find, live bookmarking, a download manager, and an integrated search system that uses the user’s desired search engine like other browsers but one feature that make’s Firefoxto take advantage of other browsers is it’s native support of add-ons, created by third-party developers.



 Mozilla Add-ons, informally known as AMO is the official Mozilla Foundation website to act as a repository for add-ons for Mozilla software. These add-ons include extensions, themes, dictionaries, search bar “search engines,” and plugins. Some times you may faced a situation when your favorite plugin is not Compatible with the Latest build due to developer was unable to update and you are unale to install that plugin. Here is the solution to fool Firefox and make the versioncompatible with the Latest Release. You have to edit the firefox version in install.rdf just follow the 3 steps guide given below.
Step 1 – Download the incompatible add-on 
Locate the add-on you want to install. If it’s on the official Firefox add-on page you’ll have to click “See All version”  to be allowed access to the .xpi. Now Right click on the now clickable “Add to Firefox” button and choose save target file as. A download window will appear and a .xpi file will starts to download.

Step 2 – Extracting the add-on with WinRar. 
You can open the .xpi file with your favorite compression utility, i like WinRar. Move the .xpi to desktop now open WinRar from start menu. In file menu select Open Archive and browse the .xpi you moved to desktop. Now you can see a file Install.rdf double click on this file and open with notepad.

Step 3 – Modify and Save install.rdf 
Once you have the document opened do not get intimidated by the amount of text that you see. I find it’s easiest to just do an edit / find and look for the word max. That should take you directly too
“< em : max Version > 3.0 ”.
All you have to do is edit what is between the > <. In this case it says 3.0. Change the number to the current installed version of Firefox. You can check your current firefox version in Help >>> About Mozila FirefoxVersion. Now note down your version and replace with between > < Once you have that change made, save and exit the Notepad.
That’s it. Now just open Firefox and drag the xpi file you just created into Firefox and choose install. Once you reboot Firefox your add-on should now function properly.

Also check these links for more

Read more...

Copyrights | 2009 Tempting Magazine

Disclaimer: Please use CONTACT US form to report of any thing offensive and it will be removed immediately. ThankYou :) - Powered by :NtireMedia

More than 300 have subcribed in readers, have you? (Tempting Magazine)