RSS
email
2

Free ring tones for iphone



Create iPhone ringtones from iTunes previews:

1. Create a new playlist. Drag unpurchased songs from the iTunes store into your playlist. The songs will retain their "Add Song" buttons and their price within the playlist.

2. Export your playlist. Select the playlist in the sources column. Control-click/Right-click the playlist name and choose Export Song List from the pop-up menu.

3. Save the playlist as plain text. Select Plain Text from the Format pop-up and save the playlist file to your desktop.

4. Open the playlist file. It is a tab-delimited file of columns, so you can open it up in Excel (my preference, make sure to option-drag the text file onto the Excel icon) or a text editor like TextEdit.



5. Locate the file URLs. Each file URL appears in the final Location column for each line. Copy the URL.

6. Download the files. In Safari 3.0, open the Downloads window (Windows->Downloads). Paste the URL into the Download window and allow the file to transfer. Your computer must be authorized to your iTunes account. You may want to try playing back the file in QuickTime Player just to be sure it downloaded correctly. If you're not a Safari 3.0 user, use your favorite alternate such as curl, wget, or so forth.

7. Rename. Give the file a more meaningful name than, for example, "mzi.rwgtaash.aac.p.m4p". Retain the .m4p extension.

8. Upload to the iPhone. Use your favorite method (iphoneinterface, sshfs, sftp, whatever) to copy the file to /Library/Ringtones on your iPhone.

9. Select the ringtone. On the iPhone, navigate to Settings -> Sound > Ringtone and select the new file. The ringtone will play back as you select it. Please note that some newer releases (including Nicole Scherzinger's Whatever U Like--thanks Drunk Dwarf) do not work as ringtones. I'm not sure why.

Congratulations, not only have you added a new 30-second custom ringtone to your iPhone, but iTunes usually picks the best 30 seconds of any song for its preview. Enjoy.


Article source:http://www.tuaw.com/2007/07/27/create-iphone-ringtones-from-itunes-previews/
Read more
0

Places to See in Chennai



Sri Kapaleeswarar Temple : Not far from Triplicane, in Mylapore, there is yet another 8th century Pallava temple. The temple 'Gopuram'(tower) is characteristic of Dravidian style architecture .Dedicated to Lord Shiva,this temple has some beautiful sculptures,among which the bronze idols of 63 Saivite Saints(Nayanmars) which adorn the outer coutyard are rare specimens.

Guindy National Park : Once this was all part of Governor's Estate. Now it is fragmented and the major part is a thickly forested game sanctuary where the spotted deer and the black buck roam about and a wealth of smaller fauna thrive. This is the country's only Wild Life Sanctuary within a city's limits.



Fort ST. George : Fort St. George occupies a place of pride and prominence in Chennai. It was built in 1640 AD, by the British East India Company under the direct supervision of Francis Day and Andrew Cogon. This bastion achieved name from St. George, the patron saint of England. The fort houses St. Mary's Church and fort museum.

Government Museum Complex : Once British Society in Chennai used to meet in the Pantheon. Its 18th century buildings and grounds have over the years since then been developed into the Connemara Library, one of the country's three National Libraries, the national Art Gallery, a beautiful building of Jaipur- Mughal architecture.

Valluvar Kottam : The memorial to the poet-saint Tiruvalluvar is shaped like a temple chariot and is, in fact, the replica of the temple chariot in Thiruvarur. A life-size statue of the saint has been installed in the chariot which is 33m. tall. The 133 chapters of his famous work Thirukkural have been depicted in bas-relief in the front hall corridors of the chariot.



Birla Planetarium : The Birla Planetarium at Kotturpuram, between Adyar and Guindy, is the most modern planetarium in the country. Adjoining the planetarium is a Periyar Science and Technology Museum which will be of interest to students and other science scholars.

The Marina : Stretching two miles, from the Coovum River's mouth, south of the Fort, till the northern boundaries of the 16th century Portuguese town of San Thome, is this magnificent beach drive and promenade. At the southern end of the Marina is the San Thome basilica, built in 1896.
Read more
1

Storing values from external XML file into Array using flash:



Step1: Create new flash document

Step2: Right-click first frame and select actions

Step3: Paste the below code in first frame

var xm:XML = new XML();//creating XML object
var name_arr:Array=new Array()//array objects to hold name data from xml
var age_arr:Array=new Array()//array objects to hold age data from xml
xm.ignoreWhite = true;//white spaces will be discarded


xm.onLoad = function() {//function will be call when xml file data loaded into xml object
var full_arr:Array=this.firstChild.childNodes//here we have array of child nodes
var len:Number=full_arr.length-1//getting the no of child nodes
for(var i:Number=0;i<=len;i++)//looping trough the values
{
name_arr[i]=full_arr[i].childNodes[0].firstChild//storing name values in array
age_arr[i]=full_arr[i].childNodes[1].firstChild //storing age details in array
trace([name_arr[i],age_arr[i],newline]);

}

};


xm.load("sample.xml");//loading the xml file data into xml object


Step4: save the file as example.fla

Step5: Create xml file (may be notepad and change extension from .txt to .xml)

Step6: Paste the below data in XML

<?xml version="1.0"?>
<root>
<student><name>sara</name><age>23</age></student>
<student><name>manju</name><age>25</age></student>
<student><name>sind</name><age>23</age></student>
</root>

Step7: Save under the same path where flash file is (file name: sample.xml)

Note: name of the xml file and path is more important
Read more
0

Getting values from external XML file into flash:



Step1: Create new flash document

Step2: Right-click first frame and select actions

Step3: Paste the below code in first frame

var xm:XML = new XML();//creating XML object
xm.ignoreWhite = true;//white spaces will be discarded
xm.onLoad = function() {//function will be call when xml file data loaded into xml object
trace(this.firstChild)//indicates node and child nodes of it
trace("----------------------------------------------------------");
trace(this.firstChild.childNodes[0])//displays the child nodes of the first child alone(under node)
trace("----------------------------------------------------------");
trace(this.firstChild.childNodes[0].childNodes[0])//displays the child nodes of the alone
trace("----------------------------------------------------------");
trace(this.firstChild.childNodes[0].childNodes[0].firstChild)//displays the nodevalue of the alone

};
xm.load("sample.xml");//loading the xml file data into xml object

Step4: save the file as example.fla

Step5: Create xml file (may be notepad and change extension from .txt to .xml)

Step6: Paste the below data in XML

<?xml version="1.0"?>
<root>
<student><name>sara</name><age>23</age></student>
<student><name>manju</name><age>25</age></student>
<student><name>sind</name><age>23</age></student>
</root>

Step7: Save under the same path where flash file is (file name: sample.xml)

Note: name of the xml file and path is more important
Read more
1

Loading external XML file into flash:



Step1: Create new flash document

Step2: Right-click first frame and select actions

Step3: Paste the below code in first frame

var xm:XML = new XML();//creating XML object
xm.ignoreWhite = true;//white spaces will be discarded
xm.onLoad = function() {//function will be call when xml file data loaded into xml object
trace(this)
};
xm.load("sample.xml");//loading the xml file data into xml object

Step4: save the file as example.fla

Step5: Create xml file (may be notepad and change extension from .txt to .xml)

Step6: Paste the below data in XML

<?xml version="1.0"?>
<root>
<student><name>sara</name><age>23</age></student>
<student><name>manju</name><age>25</age></student>
<student><name>sind</name><age>23</age></student>
</root>

Step7: Save under the same path where flash file is (file name: sample.xml)

Note: name of the xml file and path is more important
Read more
8

Delay Animation in Flash using AS:



step1: Animate a ball in stage for 30 frames

step2: Paste the below code and place it in first frame

function timer_fun(delayy:Number) {
this.stop();
var timer:Number = getTimer();
var inter:Number = setInterval(function () {

if (getTimer()-timer>delayy) {
trace("here");
clearInterval(inter);
play();
}
}, 10);
}

step3: Paste the below code in Frame where you want to pause for some sec's

timer_fun(1000);//call the function in frame where you want to pause
//1000--1sec
Read more
0

Actionscript Buttons



Step1: draw a rectangle using rectangle tool

step2: convert to button (select the rectangle and press F8) or Modify-->Convert to symbol

step3: Register point in center (optional)

step4: duplicate to five or more buttons by copy and paste

step5: name the buttons as num_mc1,num_mc2...num_mc4,num_mc5

step6: paste the code below in first frame


import mx.transitions.Tween;
import mx.transitions.easing.*;
var current_val:Number;
var old_val:Number;
for (i=1; i<=5; i++) {//change the number(5)--> to max buttons in stage
_root["num_mc"+i].num = i;
}
for (k=1; k<=5; k++) {//change the number(5)--> to max buttons in stage
_root["num_mc"+k].onRollOver = function() {
current_val = this.num;
if (current_val != old_val) {
var text_tween:Tween = new Tween(this, "_xscale", Normal.easeOut, 100, 150, .1, true);
var text_tween:Tween = new Tween(this, "_yscale", Normal.easeOut, 100, 150, .1, true);
}
};
_root["num_mc"+k].onRollOut = function() {
if (current_val != old_val) {
var text_tween:Tween = new Tween(this, "_xscale", Normal.easeOut, 150, 100, .1, true);
var text_tween:Tween = new Tween(this, "_yscale", Normal.easeOut, 150, 100, .1, true);
}
};
_root["num_mc"+k].onPress = function() {
_root.current_val = Number(this.num);
if (_root.current_val != _root.old_val) {
trace("you have selected button--"+_root.current_val);
var text_tween:Tween = new Tween(_root["num_mc"+old_val], "_xscale", Normal.easeOut, 150, 100, .1, true);
var text_tween2:Tween = new Tween(_root["num_mc"+old_val], "_yscale", Normal.easeOut, 150, 100, .1, true);
var scale_val:Number = _root["num_mc"+current_val]._xscale;
var text_tween3:Tween = new Tween(_root["num_mc"+current_val], "_xscale", Normal.easeOut, scale_val, 150, .1, true);
var text_tween4:Tween = new Tween(_root["num_mc"+current_val], "_yscale", Normal.easeOut, scale_val, 150, .1, true);
}
_root.old_val = Number(this.num);
};
//end on press
}


step7: press ctrl+enter
Read more
0

Passing XML to Flash from Html



step1: open new flash document

step2: paste the below code in first frame and dont run ..

var xm:XML = new XML();
xm.ignoreWhite = true;
xm.parseXML(str1);
_root.createEmptyMovieClip("text_holder", _root.getNextHighestDepth());
_root.text_holder._x = 100;
_root.text_holder._y = 100;
_root.text_holder.createTextField("txt1", _root.text_holder.getNextHighestDepth(), 0, 0, 0, 0);
_root.text_holder.txt1.autoSize = "left";
_root.text_holder.txt1.text = xm.firstChild.childNodes[0].childNodes[0].firstChild;

step3: save the flash movie (usingswf.fla)

step4: publish the flash movie (shift + F12) or (File->publish )

step5: html comment the object tag ()

step6: download the swfdeconcept ..here

step7: copy and paste the javascript file(swfobject.js) to the folder where html page is places

step8: paste below code next to commented object tag
<div id="flashcontent">
This text is replaced by the Flash movie.
</div>

<script type="text/javascript">
var str="<root>\n"+
"<author>\n"+
"<name>\n"+
"sara</name>\n"+
"</author>\n"+
"</root>";

var so = new SWFObject("usingswf.swf", "mymovie", "550", "400", "8", "#336699");
so.addVariable("variable1", str);

so.write("flashcontent");
</script>

step9: open the html document.....


my code

+++++++++html++++++++


<html xmlns="http://www.w3.org/1999/xhtml" xml:lang="en" lang="en">
<head>
<meta http-equiv="Content-Type" content="text/html; charset=iso-8859-1" />
<title>usingswf</title>
<script type="text/javascript" src="swfobject.js"></script>
</head>
<body bgcolor="#ffffff">
<!--url's used in the movie-->
<!--text used in the movie-->
<!-- saved from url=(0013)about:internet -->
<!--object classid="clsid:d27cdb6e-ae6d-11cf-96b8-444553540000" codebase="http://fpdownload.macromedia.com/pub/shockwave/cabs/flash/swflash.cab#version=8,0,0,0" width="550" height="400" id="usingswf" align="middle">
<param name="allowScriptAccess" value="sameDomain" />
<param name="movie" value="usingswf.swf" /><param name="quality" value="high" /><param name="bgcolor" value="#ffffff" /><embed src="usingswf.swf" quality="high" bgcolor="#ffffff" width="550" height="400" name="usingswf" align="middle" allowScriptAccess="sameDomain" type="application/x-shockwave-flash" pluginspage="http://www.macromedia.com/go/getflashplayer" />
</object-->


<div id="flashcontent">
This text is replaced by the Flash movie.
</div>

<script type="text/javascript">
var str="<root>\n"+
"<author>\n"+
"<name>\n"+
"sara</name>\n"+
"</author>\n"+
"</root>";

var so = new SWFObject("usingswf.swf", "mymovie", "550", "400", "8", "#336699");
so.addVariable("variable1", str);

so.write("flashcontent");
</script>
</body>
</html>


+++++++++Flash++++++++


var str1:String = unescape(_root.variable1);
var xm:XML = new XML();
xm.ignoreWhite = true;
xm.parseXML(str1);
_root.createEmptyMovieClip("text_holder", _root.getNextHighestDepth());
_root.text_holder._x = 100;
_root.text_holder._y = 100;
_root.text_holder.createTextField("txt1", _root.text_holder.getNextHighestDepth(), 0, 0, 0, 0);
_root.text_holder.txt1.autoSize = "left";
_root.text_holder.txt1.text = xm.firstChild.childNodes[0].childNodes[0].firstChild;




thanks to SWFDECONCEPT
Read more
0

Passing Value to Flash from Html:



step1: open new flash document

step2: paste the below code in first frame and dont run ..

trace("please run the html page");
getURL("javascript:alert("+_root.variable1+")");

step3: save the flash movie (usingswf.fla)

step4: publish the flash movie (shift + F12) or (File->publish )

step5: html comment the object tag ()

step6: download the swfdeconcept ..here

step7: copy and paste the javascript file(swfobject.js) to the folder where html page is places

step8: paste below code next to commented object tag

<script type="text/javascript" src="swfobject.js"></script>
<div id="flashcontent">
This text is replaced by the Flash movie.
</div>

<script type="text/javascript">
var str="hello";
var so = new SWFObject("usingswf.swf", "mymovie", "400", "200", "8", "#336699");
so.addVariable("variable1", "str");

so.write("flashcontent");
</script>

step9: open the html document.....alert message with hello


Note : if no alert ...please change the Version settings to flashplayer 7 and uncheck html in format tab

----------------------------------------------------
my code

+++++++++html++++++++


<head>
<meta http-equiv="Content-Type" content="text/html; charset=iso-8859-1" />
<title>usingswf</title>
<script type="text/javascript" src="swfobject.js"></script>
</head>
<body bgcolor="#ffffff">
<!--url's used in the movie-->
<!--text used in the movie-->
<!-- saved from url=(0013)about:internet -->
<!--object classid="clsid:d27cdb6e-ae6d-11cf-96b8-444553540000"

codebase="http://fpdownload.macromedia.com/pub/shockwave/cabs/flash/swflash.cab#version=8,0,0,0"

width="550" height="400" id="usingswf" align="middle">
<param name="allowScriptAccess" value="sameDomain" />
<param name="movie" value="usingswf.swf" /><param name="quality" value="high" /><param name="bgcolor"

value="#ffffff" /><embed src="usingswf.swf" quality="high" bgcolor="#ffffff" width="550" height="400"

name="usingswf" align="middle" allowScriptAccess="sameDomain" type="application/x-shockwave-flash"

pluginspage="http://www.macromedia.com/go/getflashplayer" />
</object-->


<div id="flashcontent">
This text is replaced by the Flash movie.
</div>

<script type="text/javascript">
var str="hello";
var so = new SWFObject("usingswf.swf", "mymovie", "400", "200", "8", "#336699");
so.addVariable("variable1", "str");

so.write("flashcontent");
</script>
</body>
</head>



+++++++++Flash++++++++

trace("please run the html page");
getURL("javascript:alert("+_root.variable1+")");



thanks to SWFDECONCEPT
Read more
5

Rain Effect in flash



Steps for rain effect in flash

1) create rain drop movieclip

2) Add linkage name by right_click symbol in library select linkage

3) In Linkage properties Dialog box select Export for actionscript check box and rename identifier: drop



4)slect first frame and press F9 Paste the below code in Action panel

var rain_speed:Number = 8;
var rain_direction:Number = 4;//negative values accepted
var rain_density:Number = 100;
_root.createEmptyMovieClip("rain_mc", _root.getNextHighestDepth());
for (i=0; i<=rain_density; i++) {
_root.rain_mc.attachMovie("drop", "drop"+i, _root.rain_mc.getNextHighestDepth(), {_x:Math.random()*Stage.width, _y:Math.random()*Stage.height, _rotation:-50});
}
var inter = setInterval(function () {
for (i=0; i<=rain_density; i++) {
_root.rain_mc["drop"+i]._y += rain_speed;
_root.rain_mc["drop"+i]._x += 5;
if (_root.rain_mc["drop"+i]._y>Stage.height) {
_root.rain_mc["drop"+i]._y = 0;
} else if (_root.rain_mc["drop"+i]._x>Stage.width) {
_root.rain_mc["drop"+i]._x = 0;
} else if (_root.rain_mc["drop"+i]._x<0) {
_root.rain_mc["drop"+i]._x = Stage.width;
}
}
}, 20)
Read more
0

SwapDepths in flash8



Steps to bring Movieclips to front:

1) have two moviclips named mc1, mc2


2)Paste the following code in the firstframe

mc1.onRollOver = function() {
this.swapDepths(_root.getNextHighestDepth());
};
mc2.onRollOver = function() {
this.swapDepths(_root.getNextHighestDepth());
};
Read more
0

Drawing Smooth curve from Flash



I got the sample from here and
http://www.strille.net/works/misc/followScriptedPath/followPath.html

and Modified to as type....

thanks fot the author.....

Smooth_path.as




class Smooth_path {
public var pathDetail:Number = .05;
public var drawPath:Boolean = true;
public function Smooth_path(myPath:MovieClip, line_data_arr:Array) {
trace("sdghafasjdgf"+[myPath, line_data_arr]);
// how smooth the path is, should not be much lower than 0.05, and must be > 0
//var myPath:MovieClip = _root.createEmptyMovieClip("myPath", _root.getNextHighestDepth());
Path(myPath);
// create a new path
for (var i:Number = 0; i<=line_data_arr.length-1; i++) { trace([line_data_arr[i].x, line_data_arr[i].y]); addPoint(myPath, line_data_arr[i].x, line_data_arr[i].y); } calcPath(myPath, pathDetail, drawPath); } private function Path(myPath:MovieClip) { myPath.x = []; myPath.y = []; myPath.numOfPoints = 0; myPath.subPointDis = null; myPath.subPointX = null; myPath.subPointY = null; myPath.subPointXl = null; myPath.subPointYl = null; myPath.totalDistance = 0; } private function addPoint(myPath:MovieClip, x, y) { myPath.x.push(x); myPath.y.push(y); myPath.numOfPoints++; } private function createContainers(myPath:MovieClip) { if (myPath.pathContainer == undefined) { if (_root["pathMC"] == undefined) { _root.createEmptyMovieClip("pathMC", _root.getNextHighestDepth()); } _root["pathMC"].createEmptyMovieClip("lineMC", _root.pathMC.getNextHighestDepth()); _root["pathMC"].createEmptyMovieClip("anchorMC", _root.pathMC.getNextHighestDepth()); myPath.pathContainer = _root["pathMC"].lineMC; myPath.anchorContainer = _root["pathMC"].anchorMC; } } private function calcPath(myPath:MovieClip, pathStepSize, drPath) { if (drPath) { trace(typeof (myPath)); createContainers(myPath); myPath.pathContainer.clear(); myPath.pathContainer.lineStyle(0, 0xcccccc, 100); //myPath.pathContainer.moveTo(myPath.x[0], myPath.y[0]); myPath.pathContainer._x = myPath.x[0]; myPath.pathContainer._y = myPath.y[0]; } else if (myPath.pathContainer) { myPath.pathContainer.removeMovieClip(); myPath.anchorContainer.removeMovieClip(); delete myPath.pathContainer; } myPath.subPointDis = [0]; myPath.subPointX = [myPath.x[0]]; myPath.subPointY = [myPath.y[0]]; myPath.subPointDisl = []; myPath.subPointXl = []; myPath.subPointYl = []; for (var t = -1.0; t<=myPath.numOfPoints-3; i++) { for (var t = pathStepSize; t<1.0+pathstepsize/2; b1 =" -t*(t-1)*(t-2)/6;" b2 =" (t+1)*(t-1)*(t-2)/2;" b3 =" -(t+1)*t*(t-2)/2;" b4 =" (t+1)*t*(t-1)/6;" x =" myPath.x[i-1]*b1+myPath.x[i]*b2+myPath.x[i+1]*b3+myPath.x[i+2]*b4;" y =" myPath.y[i-1]*b1+myPath.y[i]*b2+myPath.y[i+1]*b3+myPath.y[i+2]*b4;" dx =" x-myPath.subPointX[myPath.subPointDis.length-1];" dy =" y-myPath.subPointY[myPath.subPointDis.length-1];" d =" Math.sqrt(dx*dx+dy*dy);" t =" 1.0+pathStepSize;" b1 =" -t*(t-1)*(t-2)/6;" b2 =" (t+1)*(t-1)*(t-2)/2;" b3 =" -(t+1)*t*(t-2)/2;" b4 =" (t+1)*t*(t-1)/6;" x =" myPath.x[myPath.numOfPoints-4]*b1+myPath.x[myPath.numOfPoints-3]*b2+myPath.x[myPath.numOfPoints-2]*b3+myPath.x[myPath.numOfPoints-1]*b4;" y =" myPath.y[myPath.numOfPoints-4]*b1+myPath.y[myPath.numOfPoints-3]*b2+myPath.y[myPath.numOfPoints-2]*b3+myPath.y[myPath.numOfPoints-1]*b4;" dx =" x-myPath.subPointX[myPath.subPointDis.length-1];" dy =" y-myPath.subPointY[myPath.subPointDis.length-1];" d =" Math.sqrt(dx*dx+dy*dy);" totaldistance =" myPath.subPointDis[myPath.subPointDis.length-1];" style="color: rgb(255, 0, 0);">testsmooth.fla


type the following in first frame...


var line_data_arr:Array = new Array();
line_data_arr.push({x:54.1666666666667, y:500});
line_data_arr.push({x:108.333333333333, y:0});
line_data_arr.push({x:162.5, y:307.055555555556});
line_data_arr.push({x:216.666666666667, y:483.333333333333});
line_data_arr.push({x:270.833333333333, y:487});
line_data_arr.push({x:325, y:431.444444444444});
line_data_arr.push({x:379.166666666667, y:472.222222222222});
var myPath:MovieClip = _root.createEmptyMovieClip("myPath", _root.getNextHighestDepth());
var pp:Smooth_path = new Smooth_path(myPath, line_data_arr);



---------------------------

test flash ..........


Source Files





Read more
0

Windows XP Shortcuts



ALT+- (ALT+hyphen) Displays the Multiple Document Interface (MDI) child window's System menu
ALT+ENTER View properties for the selected item
ALT+ESC Cycle through items in the order they were opened
ALT+F4 Close the active item, or quit the active program
ALT+SPACEBAR Display the System menu for the active window
ALT+TAB Switch between open items
ALT+Underlined letter Display the corresponding menu
BACKSPACE View the folder one level up in My Computer or Windows Explorer
CTRL+A Select all
CTRL+B Bold
CTRL+C Copy
CTRL+I Italics
CTRL+O Open an item
CTRL+U Underline
CTRL+V Paste
CTRL+X Cut
CTRL+Z Undo
CTRL+F4 Close the active document
CTRL while dragging Copy selected item
CTRL+SHIFT while dragging Create shortcut to selected iteM
CTRL+RIGHT ARROW Move the insertion point to the beginning of the next word
CTRL+LEFT ARROW Move the insertion point to the beginning of the previous word
CTRL+DOWN ARROW Move the insertion point to the beginning of the next paragraph
CTRL+UP ARROW Move the insertion point to the beginning of the previous paragraph
SHIFT+DELETE Delete selected item permanently without placing the item in the Recycle Bin
ESC Cancel the current task
F1 Displays Help
F2 Rename selected item
F3 Search for a file or folder
F4 Display the Address bar list in My Computer or Windows Explorer
F5 Refresh the active window
F6 Cycle through screen elements in a window or on the desktop
F10 Activate the menu bar in the active program
SHIFT+F10 Display the shortcut menu for the selected item
CTRL+ESC Display the Start menu
SHIFT+CTRL+ESC Launches Task Manager




SHIFT when you insert a CD Prevent the CD from automatically playing
WIN Display or hide the Start menu
WIN+BREAK Display the System Properties dialog box
WIN+D Minimizes all Windows and shows the Desktop
WIN+E Open Windows Explorer
WIN+F Search for a file or folder
WIN+F+CTRL Search for computers
WIN+L Locks the desktop
WIN+M Minimize or restore all windows
WIN+R Open the Run dialog box
WIN+TAB Switch between open items
Read more
0

Updating and restoring iPhone software



You can use iTunes to update or restore iPhone software. You should always update iPhone to use the latest software. You can also restore the software, which puts iPhone back to its factory condition.

If you choose to update, the iPhone software is updated but your settings and media are not affected.

If you choose to restore, all data is erased from iPhone, including songs, videos, contacts, photos, calendar information, and any other data. All iPhone settings are restored to their factory condition.

To update or restore iPhone :

Make sure you have an Internet connection and have installed iTunes 7.3 or later from www.apple.com/itunes. Apple recommends using the latest version of iTunes.
Connect iPhone to your computer.
In iTunes, select iPhone in the Source pane and click the Summary tab.
Click "Check for Update." iTunes tells you if there’s a newer version of the iPhone software available.
Click Update to install the latest version of the software. Or click Restore to restore iPhone to its original settings (this erases all data on iPhone). Follow the onscreen instructions to complete the restore process.
Restoring or transferring your iPhone settings
When you connect your iPhone to your computer, settings and other information on your iPhone are automatically backed up to your computer, including mail settings, text messages, notes, call history, contact favorites, sound settings, and widget settings. You can restore this information if you need to (if you get a new iPhone, for example, and want to transfer your previous settings to it).



To restore previous iPhone settings:

Connect the iPhone to the computer you normally sync with.
In iTunes, select the Summary tab and click Restore (this erases all data on iPhone). When prompted, select the option to restore your settings.
Notes:
Some information you can sync (photos, videos, songs) are not backed up and will need to be resynced.
Passwords are not backed up and will need to be entered again.
If you restored to a different iPhone, you will need to reactivate Visual Voicemail.
Deleting backups
If you need to delete a backup from a computer, follow these steps:

Open iTunes Preferences:


Windows: From the Edit menu, choose Preferences.
Mac: From the iTunes menu, choose Preferences.
Click iPhone (iPhone does not need to be connected).
Select the backup you want to remove and click Remove Backup.


Note: If you don't want iPhone to automatically sync, select the "Disable automatic syncing for all iPhones" checkbox. For more information, see Help in iTunes.


Article source:http://docs.info.apple.com/article.html?artnum=305744

Read more
0

Transfer Video to iPhone



iPhone isn’t even a week old yet, and already it’s apparent that accessory manufacturers and software developers have been busy for months gearing up for the release of Apple’s cell phone. One example is software company Innovative Solutions, which today announced a software package that helps users transport movies from DVDs to the iPhone.

The software, DVD to iPhone, makes it possible to “put full length DVDs, downloaded movies and other video on the iPhone.”

DVD to iPhone is a Windows program, for XP/Vista. According to Innovative Solutions, it can handle any DVD source including pre-recorded and recordable DVDs. Also transportable: video file formats including AVI and MPEG.


Innovative Solutions also said that the software enables very speedy transfers, “with a 90 minute DVD being transferred in an average 30 minutes.”

The software lets users select from a variety of settings for aspect ration, video and sound quality, and language/subtitle options. Output is compressed to 480hx320w, “optimised for the iPhone and ready to be watched.”


If you’re among those who snatched up one of the first iPhones, you can try out the software free, www.dvdtoiphone.com. Full version is $34.95 (EUR 29.95) excluding tax.

Article source: http://www.discoverion.com/archive/wireless-TransferVideotoiPhonewithInnovativeSolutionsSoftware1183481002.shtml
Read more
1

Use blocked sites



Here some of the proxy sites to access blocked sites in scool or colleges -most of them will work.....

kproxy.com
surfatschool.net
schoolsurf.org
alphaprox.com
slimtrust.com
proxydragon.com
proxify.com
proxypimp.com
virtual-browser.com
sureproxy.com
getfreeproxy.com
ptunnel.com
ntunnel.com
w3privacy.com
voodoo-proxy.com
wahsystems.com
xs2myspace.com
majorproxy.com
otunnel.com
proxybear.com
private-proxy.net
surfingagain.com
proxyscope.net
proxe.info
anonr.com
a-bug.com
proxygenius.com
proxylock.net
invisiblesurfing.com
proxy.org.in
proxify.co.uk
proxoid.com
bypassgenie.com
250.eu
urlencoded.com
zoot-proxy.com
vtunnel.com
londonproxy.com
proxysurfing.net
justavoid.com
amelin.org
hidesafe.com
ktunnel.com
wtunnel.com
microproxy.net
ipproxy.net
freeocean.info
freakproxy.com
jtunnel.com
enableprivacy.com
proxyjoe.com
proxyworm.com
hideme.info
oproxy.info
workinter.net
hideurip.com
geektunnel.com
proxyfirst.com
proxy-hound.com
anonymouscamp.org
browser9.com
gtunnel.com
yesproxy.com
gecko-proxy.com
ltunnel.com
daveproxy.co.uk
dtunnel.com
proxyden.com
safe-surf.org
myspacewaiter.com
proxyanalyzer.com
proxify.net
ztunnel.com
hujiko.com
yourproxy.eu
safeforwork.net
internetcloak.com
vpntunnel.net
polysolve.com
thefreeproxy.net
proxytower.com
mypersonalproxy.com
browse.ms
myspaceprox.com
webviaproxy.com
btunnel.com
proxynest.com
foxprox.net
yourproxies.net
proxies.gr
rtunnel.com
browseprox.com
proxy-101.com
filtersneak.com
proxypad.net
proxycube.net
proxyview.net
hide9.com
pr0xies.info
shadow-click.com
pruxys.com
fatslag.net
ctunnel.com
Read more
0

Run Commands-windows



Run Commands--------------------------------------------------------------------------------

compmgmt.msc - Computer management
devmgmt.msc - Device manager
diskmgmt.msc - Disk management
dfrg.msc - Disk defrag
eventvwr.msc - Event viewer
fsmgmt.msc - Shared folders
gpedit.msc - Group policies
lusrmgr.msc - Local users and groups
perfmon.msc - Performance monitor
rsop.msc - Resultant set of policies
secpol.msc - Local security settings
services.msc - Various Services
msconfig - System Configuration Utility
regedit - Registry Editor
msinfo32 _ System Information
sysedit _ System Edit
win.ini _ windows loading information(also system.ini)winver _ Shows current version of windows
mailto: _ Opens default email client
command _ Opens command prompt

Run Commands to access the control panel-----------------------------------------------------

Add/Remove Programs control appwiz.cpl
Date/Time Properties control timedate.cpl
Display Properties control desk.cpl
FindFast control findfast.cpl
Fonts Folder control fonts
Internet Properties control inetcpl.cpl
Keyboard Properties control main.cpl keyboard
Mouse Properties control main.cpl
Multimedia Properties control mmsys.cpl
Network Properties control netcpl.cpl
Password Properties control password.cpl
Printers Folder control printers
Sound Properties control mmsys.cpl sounds
System Properties control sysdm.cpl
Read more
0

Enable/Disable JavaScript



To enable:

Microsoft Internet Explorer 7.x, 6.x, and 5.x

  • Open Internet Explorer.

  • Select Internet Options from the Tools menu.

  • In Internet Options dialog box select the Security tab.

  • Click Custom level button at bottom right. The Security settings dialog box will pop up.

  • Under Scripting category check Active Scripting, Allow paste options via script and Scripting of Java applets

  • Check radio boxes.

  • Click OK twice to close out.

and vise versa for disabling

Read more
0

Search Rapidshare Files using Google



Just go to Google.com and punch “site:rapidshare.de” followed by:

“inurl:pdf” for Ebooks in PDF Format
“inurl:aviwmvmpgnva” for Movies
“inurl:mp3oggwma” for Audio Files
“inurl:exe” for executable application
“inurl:ziprar7ziptar” for RAR, ZIP, 7ZIP or TAR compressed archieve


Examples:

If your searching for Google Earth in ZIP format, then you must search for “site:rapidshare.de inurl:zip google earth” (obviously without the quotes)

Similarly if your searching for XYZ video, then it should be something like “site:rapidshare.de nurl:aviwmvmpgnva XYZ

Article source: http://tech-buzz.net/2006/08/06/how-to-search-rapidshare-files-using-google/
Read more
0

Firefox 3 Alpha 6 now available



Download links of Firefox3:


Microsoft Windows 2000 or later

MacOS X 10.3.9 or later

Linux


Mozilla has released the sixth alpha of Gran Paradiso, Firefox 3 development name. This release comes with a very short delay to the original schedule which is an important achievement considering Alpha 5 was delayed for about a week.

Some minor but nice updates have been added like a cleverer close dialog. In Firefox 2 when you have several tabs opened and have set it to ask for confirmation when closing multiple tabs, it doesn’t make much sense when Firefox asks for confirmation if you have set it to start with the windows and tabs from last time (in Options/General). Now, since it will start with your tabs and windows anyways it just closes. But if you haven’t set it this way it will ask if you want to save the current tabs and windows and have them available the next time it starts. A very nice improvement.



Another enhancement is the addition of a permanent Restart button to the Add-ons manager. Since almost every action in the Add-ons manager requires a restart (like installing, uninstalling, disabling, updating and changing the current theme) I find it a helpful addition.



Another improvement I am not so enthusiast about is the ability to define a keyword for search engines. As you may know, keywords are small words associated to a search engine you can use in the location bar followed by the search terms to perform a search. In the past, there was no obvious way to define new keywords and the process involved bookmarking a search results web page and manually editing the web address. Now it’s just a matter of selecting the search engine you want to add a keyword to in the Search Engine manager and press Edit Keyword…

Since you need the search bar on sight to access the Search Engine Manager and add the keywords I am not sure of how useful it will really be.



Other improvements include the addition of support for site specific preferences as previously reported and the ability to remember a web page text zoom as an example of what this new feature allows.

In the background, SQLite, the database engine that now powers the download manager and Places has been updated to the latest version. The download manager now shows download speeds in MB/s or GB/s as needed instead of KB/s only which could render hard to read numbers.

Other improvements include previously reported XPCOM Cycle Collector that will help reduce Firefox memory consumption and the ability to edit web page contents on the fly.

Current nightlies are being labeled prea7 which would suggest a seventh alpha is expected. This would push Beta 1, originally scheduled for late July, to August’s end. I don’t like delays but if a new alpha is on schedule it is more likely that not many features will be trimmed from the final Firefox 3. I’m still holding to a December Firefox 3 release estimate.

Article source:http://mozillalinks.org/wp/2007/07/firefox-3-alpha-6-now-available/

Read more
0

New Firefox 3 Features




In today’s Firefox 3 (code name Gran Paradiso) meeting, developers released a preliminary list of requirements for Firefox 3. The new target release date is sometime in the third quarter this year.

Among the list of mandatory requirements, read, what is the most likely to be included in Firefox 3 we have:

Improved interaction with Add-ons: clearer, more coherent language; less steps to install; more visible way to configure add-ons, probably to be moved back to the general Options window, which I hope deeply; more noticeable alerts when updates are available; a permanent restart Firefox button.
Support for remote bookmarks, bookmarks and history annotation.
Files could be handled by web services. If I am reading this correctly, this could mean you would be able to click on an attached document and open it with something like Writely or Google Documents. And perhaps, as I asked Santa, the ability to redirect mailto: links to web email services.
A much needed print support to prevent cut paragraphs and true WYSIWYG.
The much requested MSI installer which will be a much welcomed improvement for IT administrators as it will ease deployment and updating of Firefox across a company.
In the security front: support for Microsoft CardSpace and OpenID (check tomorrow’s article for more coverage on this). Smarter credentials handling.
Airbag, the Google backed open source crash reporting tool will replace currently licensed TalkBack.
Among the highly desirable requirements:

A private web browsing mode. I guess this would mean no cache, history, password or entered form information storage.
Save web pages as PDF files, integrated with history. That would be just awesome.
Support pause/resume downloads across sessions.
Make Firefox help accessible only while online. Not sure how good and idea this is.
Microformats support.
Nice to have:

Unified bookmarks/history. Does this mean no Places?
Support for Windows Vista parental controls. I really hope this one goes up in the priority list. This would be the first concrete downer for Firefox when confronted with Internet Explorer 7.
Tab grouping and expose. This sounds like Internet Explorer 7 Quick Tabs or the foxPose extension.
Windows Group Policy. Another blessing for IT administrators.
Allow add-ons to be installed without rebooting Firefox.
Simplified interface to manage downloads. Can it be simpler? Maybe exposing commands currently placed in the context menu.


Article source:http://mozillalinks.org/wp/2007/01/planned-features-for-firefox-3/
Read more
1

New 7 wonders



The Taj Mahal in Agra, India.




The Taj Mahal is a mausoleum located in Agra, India. The Mughal Emperor Shah Jahan commissioned it as a mausoleum for his favorite wife, Mumtaz Mahal. Construction began in 1632 and was completed in approximately 1648. Some dispute surrounds the question of who designed the Taj Mahal; it is clear a team of designers and craftsmen were responsible for the design, with Ustad Ahmad Lahauri considered the most likely candidate as the principal designer.

The Taj Mahal (sometimes called "the Taj") is generally considered the finest example of Mughal architecture, a style that combines elements of Persian, Turkish, Indian, and Islamic architectural styles. While the white domed marble mausoleum is the most familiar part of the monument, the Taj Mahal is actually an integrated complex of structures. In 1983 the Taj became a UNESCO World Heritage Site and was cited as "the jewel of Muslim art in India and one of the universally admired masterpieces of the world's heritage."


------------ --------- o-O-o---- --------- ------

The Great Wall of China.





The Great Wall of China (literally "Long wall") is a series of stone and earthen fortifications in China, built, rebuilt, and maintained between the 5th century BC and the 16th century to protect the northern borders of the Chinese Empire during the rule of successive dynasties. Several walls, referred to as the Great Wall of China, were built since the 5th century BC, the most famous being the one built between 220 BC and 200 BC by the first Emperor of China, Qin Shi Huang. That wall was much further north than the current wall, built during the Ming Dynasty, and little of it remains.

The Great Wall is the world's longest human-made structure, stretching over approximately 6,400 km (4,000 miles) from Shanhai Pass in the east to Lop Nur in the west, along an arc that roughly delineates the southern edge of Inner Mongolia. It is also the largest human-made structure ever built in terms of surface area and mass.

------------ --------- o-O-o---- --------- ------


The Petra in Jordan



'''Petra''' (from "petra", rock in Greek; is an archaeological site in Jordan, lying in a basin among the mountains which form the eastern flank of Arabah (Wadi Araba), the large valley running from the Dead Sea to the Gulf of Aqaba. It is famous for having many stone structures carved into the rock. The long-hidden site was revealed to the Western world by the Swiss explorer Johann Ludwig Burckhardt in 1812. It was famously described as "a rose-red city half as old as time" in a Newdigate prize-winning sonnet by John William Burgon. Burgon had not actually visited Petra; which remained accessible only to Europeans accompanied by local guides with armed escorts, until after World War I. The site was inscripted as a United Nations Educational, Scientific and Cultural Organization World Heritage Site in 1985 when it was described as "one of the most precious cultural properties of man's cultural heritage.

------------ --------- o-O-o---- --------- ------


Christ the Redeemer in Rio de Janeiro, Brazil.




Christ the Redeemer (Portuguese: Cristo Redentor), is a statue of Jesus Christ in Rio de Janeiro, Brazil. The statue stands 38 m (105 feet) tall, weighs 700 tons and is located at the peak of the 700-m (2296-foot) Corcovado mountain in the Tijuca Forest National Park at 22°57'5?S, 43°12'39?W, overlooking the city.

As well as being a potent symbol of the Roman Catholic Church, the statue has become an icon of Rio and Brazil.


------------ --------- o-O-o---- --------- ------


The Machu Picchu in Cuzco, Peru.




Machu Picchu (IPA pronunciation: (Quechua: Machu Pikchu Old Peak; sometimes called the "Lost City") is a pre-Columbian city created by the Inca Empire. It is located at 2,430 m (7,970 ft)[2] on a mountain ridge. Machu Picchu is located above the Urubamba Valley in Peru, about 70 km (44 mi) northwest of Cusco. Forgotten for centuries by the outside world, although not by locals, it was brought back to international attention by archaeologist Hiram Bingham in 1911, who made the first scientific confirmation of the site and wrote a best-selling work about it. Peru is pursuing legal efforts to retrieve thousands of artifacts that Bingham removed from the site.

------------ --------- o-O-o---- --------- ------


The Kukulkan Pyramid of Chichen Itza in Mexico.



Chichen Itza (from Yucatec Maya chich'en itza', "At the mouth of the well of the Itza") is a large pre-Columbian archaeological site built by the Maya civilization located in the northern center of the Yucatán Peninsula, present-day Mexico.

Chichen Itza was a major regional center in the northern Maya lowlands from the Late Classic through the Terminal Classic and into the early portion of the Early Postclassic period. The site exhibits a multitude of architectural styles, from what is called “Mexicanized” and reminiscent of styles seen in central Mexico to the Puuc style found among the Puuc Maya of the northern lowlands. The presence of central Mexican styles was once thought to have been representative of direct migration or even conquest from central Mexico, but most contemporary interpretations view the presence of these non-Maya styles more as the result of cultural diffusion.

Archaeological data, such as evidence of burning at a number of important structures and architectural complexes, suggest that Chichen Itza's collapse was violent. Following the decline of Chichen Itza's hegemony, regional power in the Yucatán shifted to a new center at Mayapan.

According to the American Anthropological Association, the actual ruins of Chich'en Itza are federal property, and the site’s stewardship is maintained by Mexico’s National Institute of Anthropology and History (Instituto Nacional de Antropología e Historia, INAH). The land under the monuments, however, is privately-owned by the Barbachano family.


------------ --------- o-O-o---- --------- ------

Colosseum in Rome, Italy.




The Colosseum or Coliseum, originally the Flavian Amphitheatre (Latin: Amphitheatrum Flavium, Italian Anfiteatro Flavio or Colosseo), is a giant amphitheatre in the centre of the city of Rome, Italy. Originally capable of seating around 50,000 spectators, it was used for gladiatorial contests and public spectacles. It was built on a site just east of the Roman Forum, with construction starting between 70 and 72 AD under the emperor Vespasian. The amphitheatre, the largest ever built in the Roman Empire, was completed in 80 AD under Titus, with further modifications being made during Domitian's reign.

The Colosseum remained in use for nearly 500 years with the last recorded games being held there as late as the 6th century — well after the traditional date of the fall of Rome in 476. As well as the traditional gladiatorial games, many other public spectacles were held there, such as mock sea battles, animal hunts, executions, re-enactments of famous battles, and dramas based on Classical mythology. The building eventually ceased to be used for entertainment in the early medieval era. It was later reused for such varied purposes as housing, workshops, quarters for a religious order, a fortress, a quarry and a Christian shrine.

Although it is now in a severely ruined condition due to damage caused by earthquakes and stone-robbers, the Colosseum has long been seen as an iconic symbol of Imperial Rome and is one of the finest surviving examples of Roman architecture. It is one of modern Rome's most popular tourist attractions and still has close connections with the Roman Catholic Church and the Pope leads a torchlit "Way of the Cross" procession to the amphitheatre each Good Friday.
Read more
0

free php scripts



Read more
0

High Paying Adsense Keywords Top Paying Keywords - High Paying AdSenseKeyWords / CPC



mesothelioma $84.08
mesothelioma attorneys $80.93
mesothelioma lawyers $69.04
malignant pleural mesothelioma $55.95
Asbestos Cancer $54.17
mesothelioma symptoms $53.66
peritoneal mesothelioma $52.27
trans union $51.91
lung cancer $43.12
search engine optimization $30.19
mesothelioma diagnosis $28.70
home equity loans $20.06
Baines and Ernst $18.47
consolidate loans $17.74
Lexington law $17.68
Lexington law firm $16.81
debt problems $16.28
register domain $15.74
home equity line of credit $15.61
affiliate programs $14.33
refinance $14.21
video conferencing $13.63
payday loans $13.21
credit counseling $13.02
asbestos $12.79
debt solutions $12.64
cash loans $12.13
refinancing $12.09
broadband phone $12.08
debt management $11.86
fast loans $11.81
credit card processing $11.75
credit reports $11.59
making money on the internet $11.58
merchant account $11.46
line of credit $11.42
money magazine $11.27
Adsense $11.13
credit counselors $11.02
identity theft $11.00
make money at home $10.84
free credit $10.76
cash advance $10.64
consumer credit counseling $10.63
freecreditreport $10.61
make money from home $10.35
free credit reports $10.26
make extra money $10.21
domain registration $10.19
adwords $10.08citifinancial $10.06
my fico score $10.01

Article source:http://seoblogadsense.blogspot.com/
Read more
 

Recent Posts

Recent Visitors

Donate Me

About Me

My photo
Chennai, Tamil nadu, India
Nothing more to say about me.. Just a Action Script programmer / Flex developer having 4.5 years of experience.