Showing posts with label Computer Tips. Show all posts
Showing posts with label Computer Tips. Show all posts

Monday, October 7, 2013

Grep Command example in Unix/Linux

Here are some of the frequently used grep command in unix/Linux with examples:

1. Search a given string in a file

grep "search_string" file_name

2. Search a specific string in multiple files by providing the file name pattern

grep "search_string" file_name_pattern

e.g.: grep "name" class*.txt

3. Case insensitive search

grep -i "search_string" file_name

e.g.
Both commands would return same result

grep -i "name" class1.txt
grep -i "NAME" class1.txt

4. Invert match

grep -v "101" class1.txt

Above command would return all the rows that doesn't contain the string "101".

For latest technical interview questions, visit www.alldbest.com

Saturday, August 17, 2013

Useful HTML Codes that can be used while writing articles or blogs

I normally faced problem when writing mathematical operators, functions, symbols etc in my blogs/websites. Then I found that there are lot of HTML codes that can be used to write the symbols. Here is a list of symbols and their HTML Codes for your reference.


 Regular Characters that are special in HTML 
"  &quot; &#34; {quotation mark} &  &amp; &#38; {ampersand} <  &lt; &#60; {less than} >  &gt; &#62; {greater than}  &nbsp; &#160; {Non-breaking space}


Special Punctuation
  &lsquo; &#145; &#8216; {left single quote}   &rsquo; &#146; &#8217; {right single quote}   &hellip; &#133; &#8230; {ellipsis}
  &ldquo; &#147; &#8220; {left double quote}   &rdquo; &#148; &#8221; {right double quote}   &#8252; {double exclamation mark}
  &#8219; {single backwards right quote}   &bdquo; &#132; &#8222; {double comma} ¡  &iexcl; &#161; {upside-down exclamation mark}
¿  &iquest; &#191; {upside-down question mark}


Legal Marks
  &trade; &#153; &#8482; {trademark} ©  &copy; &#169; {copyright} ®  &reg; &#174; {registered}


Currency Symbols
¤  &curren; &#164; {currency}   &#x20B9; {Indian Rupee} ¢  &cent; &#162; {cent}   &euro; &#128; &#8364; {euro}
£  &pound; &#163; {English pound}   &#8356; ¥  &yen; &#165; {Japanese yen}   &#8359;{Spanish peseta}


Math Symbols
  &permil; &#137; &#8240; {per mille} ¬  &not; &#172; {not}   &#8976; degree °  &deg; &#176;
¹  &sup1; &#185; {exponent one} ²  &sup2; &#178; {exponent two} ³  &sup3; &#179; {exponent three}   &#8319; {exponent n}
º  &ordm; &#186; {exponent zero (or male ordinal)} ª  &ordf; &#170; {exponent a (or female ordinal)}   &#8735; ¯  &macr; &#175; {macron}
×  &times; &#215; {multiply} ÷  &divide; &#247; {divide}   &prime; &#8242; {prime}   &Prime; &#8243; {double prime}
  &frasl; &#8260; &#8725; {fraction slash}   &part; &#8706; {partial differential}   &prod; &#8710; {n-ary product}   &sum; &#8721; {n-ary summation}
  &#8494; {Euler's number or Napier's constant} Ω  &#8486; {ohm or Omega constant}   &#8710; {change} µ  &micro; &#181; {micro (one millionth)}
  &minus; &#8722; {minus}   &#8729; {dot product}   &radic; &#8730; {square root}   &infin; &#8734; {infinity}
  &cap; &#8745; {intersection}   &int; &#8747; {integral}   &#8992; {integral: upper half}   &#8993; {integral: lower half}
  &asymp; &#8776; {almost equal to}   &ne; &#8800; {not equal to}   &equiv; &#8801; {equivalent} ±  &plusmn; &#177; {plus or minus}
  &le; &#8804; {less-than or equal to}   &ge; &#8805; {greater-than or equal to}


Fractions
¼  &frac14; &#188; {one-quarter} ½  &frac12; &#189; {one-half} ¾  &frac34; &#190; {three-quarters}   &#8531; {one-third}
  &#8533; {one-fifth}   &#8534; {two-fifths}   &#8535; {three-fifths}   &#8536; {four-fifths}
  &#8537; {one-sixth}   &#8538; {five-sixths}   &#8532; {two-thirds}   &#8539; {one-eighth}
  &#8540; {three-eighths}   &#8541; {five-eighths}   &#8542; {seven-eighths}


Playing Card Suits
  &spades; &#9824; {spade card suit}   &clubs; &#9827; {club card suit}   &hearts; &#9829; {heart card suit}   &diams; &#9830; {diamond card suit}


For many more other html symbols, refer the useful site http://brucejohnson.ca/SpecialCharacters.html ♈♈

Wednesday, May 1, 2013

How to take Back up of the Registry in Windows

To make any changes to Regestry or take a back up of the Registry, you must login as Administrator. It is always safe and good practice to keep a back up(EXPORT) of the registry before doing any change to it. Later, if you want to revert the changes, you need to just IMPORT the back up registry file.

1. Open the Registry Editor
Click on Start button, then type regedit into the search box, and press Enter.‌  If you're prompted for an administrator password or confirmation, type the password or provide confirmation.
2.Locate and click the key or subkey that you want to back up. If you want a complete backup, click on Computer in registry editor.
3.Click the File menu, and then click Export.
4. Save the back up file
In the Save in box, select the location where you want to save the backup copy to, and then type a name for the backup file in the File name box. Click Save.



Wednesday, February 6, 2013

awk command in Unix

awk is a very useful and powerful command in Unix. It's used to work with columns in a text file.

Here is a simple awk command to list the data of 1st column in a text file.



awk '{print $1}'   file_name

We can specify the field-separator using -F option. Refer below example.
Here tab is the filed separator. Below command will print the content of Column 2 in text file.
awk -F'\t' '{print $2}' file_name

We can print the length of data in column 2 using below awk command.
awk -F'\t' '{print length($2)}' file_name

We can check conditions in awk command and print accordingly.
awk -F'\t' '{if(length($4) > 50 ) print $4} ' file_name

The above command will print all the data in Column 4 if length of data is greater than 50 characters.

For more Tips & Tricks in Unix, Click Here.






Group by and Count is Microsoft Excel

Sometimes, we may need to group data in a Column in Excel and take the distinct values and the count of their occurrence.

Refer below data.





















In the above data, if we need distinct values and the number of occurrences, follow the below steps:

1. First get the distinct values to another column. Refer detailed instructions here.
2. Then, use COUNTIF function to get the count of occurrence.


COUNTIF usage:

COUNTIF takes two parameters, 1st is a range where data is present multiple times, and 2nd is the value whose count needs to be found.

Syntax:

=COUNTIF(A1:A12, B1)

For more Tips & Tricks in Excel, Click Here.

How to get distinct records in Microsoft excel?


Follow the below steps to get distinct values from a column in excel sheet to a blank column.

1. Select Data-Filter-Advanced filter
2. Set your list range to the range containing data whose distinct to be retrieved
3. Check Copy to Another Location
4. Check Unique Records Only
5. Set Copy To range to an empty range on the same worksheet.




For more Tips & Tricks in Excel, Click Here.

How to alter a table in Oracle to modify multiple column definition


Oracle alter multiple columns
----------------

To alter a single column in Oracle, the syntax is as below:

alter table
   table_name
modify
   column_name  datatype;

If you want to modify multiple columns, use below syntax:

alter table
   table_name
modify
   (
   column1_name  column1_datatype,
   column2_name  column2_datatype,
   column3_name  column3_datatype,
   column4_name  column4_datatype
   );

The above command is really helpful and saves time while modifying multiple columns in Oracle.

For more tips and tricks on Oracle, click here.

Oracle sqlldr - how to load first few characters of a string to Database in sqlldr

Today I had a Unique challenge while loading Data from text files to Oracle Database using sqlldr.

Many records were getting discarded as bad records. After investigation, I found that, the data is getting rejected because of a specific column whose length is less compared to the length of data in text file. I was getting error as below:

Error on table tbl_test, column col2.
Field in data file exceeds maximum length

The size and datatype of column col2 is varchar2(100).

To load all the data to the Database without any bad records, there are two options.
1. Increase the column width to match the length of data
OR
2. Truncate the data to 100 chars before loading to DB

I preferred the second option for below reasons:
a) First 100 chars of the string is sufficient for my analytics
b) Less space consumption
c) I am not sure of the maximum length that can be for that column in text file.

Now I am decided to trim the data to first 100 chars before loading to DB.
Let's see how to load first few characters of a string to Database in sqlldr?

We have to modify the ctl file (control file) as below:

Old ctl file:

LOAD DATA
INFILE "INFILE_NAME"
BADFILE "BAD_FILE"
DISCARDFILE "DISCARD_FILE"
APPEND into table tbl_test
fields terminated by '\t'
trailing nullcols
(
col1,
col2,
col3,
col4 sysdate
)

Modified ctl file:

LOAD DATA
INFILE "INFILE_NAME"
BADFILE "BAD_FILE"
DISCARDFILE "DISCARD_FILE"
APPEND into table tbl_test
fields terminated by '\t'
trailing nullcols
(
col1,
col2 CHAR(1000) "substr(:col2,1,100)",
col3,
col4 sysdate
)

Change Details:

1. We are using substring function to load first 100 chars
2. If you don't specify length of the input character data, sqlldr uses default of 255 characters. Hence by explicitly mentioning CHAR(1000), we are instructing sqlldr to read all data where col2 length is less than or equal to 1000 chars. We have to increase this number if we see data having higher length.

For more Oracle Tips, Click here

Monday, February 4, 2013

Excel Lookup function - Search a name and show it's vaue

This article will explain what is Lookup function in Microsoft excel and how to use Lookup function with example.

LOOKUP function is a very useful function in Microsoft Excel which returns  a value from a range of values(a row or a column) or from an array.

There are two forms of the function.

1. Vector form
2. Array Form

1. Vector Form
-------------------

In this form, the function searches for the lookup_value in a range, i.e. a row or a column and when a match is found, it takes the corresponding result_value from another range specified (row or column).

Note: The data in lookup_range must be in sorted order. Otherwise Lookup function will give incorrect result.

Syntax:

=LOOKUP(lookup_value, lookup_range,[result_range])

result_range is optional.

Example:



Here are some more examples and the corresponding result:

=LOOKUP(104,A2:A5)              returns 104
=LOOKUP(103,A2:A5,B2:B5)     returns Binay

2. Array Form

The array form, the LOOKUP function searches for the value in the first row or column of the array and returns the corresponding value in the last row or column of the array.

Syntax:

=LOOKUP(lookup_value,array)

Example:

=LOOKUP("B", {"A","B","C","D";10,11,12,13})    returns 11 =LOOKUP("B", {"a","b","c","d";10,11,12,13})   returns 11
=LOOKUP("b", {"A","B","C","D";10,11,12,13})   returns 11
=LOOKUP("E", {"A","B","C","D";10,11,12,13})   returns 13
=LOOKUP("Back", {"A","B","C","D";10,11,12,13})   returns 11
=LOOKUP("0", {"A","B","C","D";10,11,12,13})   returns #N/A

For more Tips & Tricks in Excel, Click Here.

Sunday, November 4, 2012

Frequently Used Crontab Commands


Here are few commands used frequently in Crontab:

1. crontab -l
Lists all the entries in Crontab

2. crontab -l | grep script_name
Lists all crontab entries containing the Script_name

3. crontab -e
Opens VI Editor to edit cron entry

To understand Crontab Entry, click here.
More Unix Tips.


Understanding CRON Entry

What are the meanings of parameters on a Cron Entry?

When we schedule a job in the Unix Server, we insert an entry in the CronTab.
A typical Cron Entry will look like below:


* * * * * Command to execute

Below image defines the meaning of each parameter.


 There are several special predefined values which can be used to substitute the CRON expression.

Here are some examples to understand usage of the parameters in Cron entry:

1. Cron script1.ksh to run at 02:10 AM everyday
10 02 * * * script1.ksh

2. Cron script2.ksh to run every hour at the 30th minute
30 * * * * script2.ksh

3. Cron script3.ksh to run twice daily, once at 01:10 and second at 13:10
10 01,13 * * * script3.ksh

4. Cron script4.ksh to run at 0th, 1st, 2nd, 3rd, 4th, 5th minute of each hour
00,01,02,03,04,05 * * * * script4.ksh

5. Cron script5.ksh to run at 4th minute of every 2 hours eg 00:04, 02:04, 04:04, 06:04 etc
04 */2 * * * script5.ksh

The below reference template can be added at the top of a crontab for easy reference.

# .---------------- minute (0 - 59)
# |   .------------- hour (0 - 23)
# |   |   .---------- day of month (1 - 31)
# |   |   |   .------- month (1 - 12) OR jan,feb,mar,apr ...
# |   |   |   |  .----- day of week (0 - 7) (Sunday=0 or 7)  
# |   |   |   |  |       OR sun,mon,tue,wed,thu,fri,sat
# *   *   *   *  *  command to be executed

For more Unix Tips, Click here.



How to compare two strings in excel?

Excel string compare:


There is an inbuilt function called EXACT in excel to compare two strings.
It returns TRUE if both the strings are same, else FALSE.

Usage:
=EXACT(Cell1,Cell2)

Example:

For more Tips & Tricks in Excel, Click Here.

Wednesday, March 28, 2012

Comment in .ini files

Do standard windows .ini files allow comments?
YES

You can put comments in a .ini file using a Semi-colon(;). See example below:

1. Commenting a portion of a line
Name="ABC" ; Comment
2. Commenting a full line
; This is a line comment

Sunday, January 29, 2012

Disk Partition management using Partition Wizard from MiniTool

Problem Faced while extending C Drive:

My hard disk was initially divided into two Partitions, one is C Drive that contains OS and the other one is D Drive for data. As the usage became more, more and more programs got installed making C Drive out of space.

I had enough free space in D Drive. I wanted to reduce the size of D Drive and increase the size of C Drive.

The OS in my machine is Windows 7. It has in built partitioning functions in Computer -> Manage -> Storage -> Disk Management. I used options like Shrink Volume and Extend Volume by right clicking on the different drives.

But, I could not extend C Drive by using the space released from D drive.

I thought this might be a common problem faced by many others. That's why I am sharing how I extended C Drive using Partition Wizard from MiniTool.

Problem fixed using Partition Wizard from MiniTool:

After a google search and reading many posts from search results, trying few free softwares, i couldn't find a proper solution for my specific problem. Then I found Partition Wizard from MiniTool. It solved my problem. Thanks to MiniTool team.

Steps to use Partition Wizard from MiniTool:



The second video "2. I can not resize my partitions, Why?" helped me in fixing my problem.

Post your questions/comments. Thank you.

Thursday, December 15, 2011

Ultra Low cost tablet AAKASH is now available online for purchase

The much awaited Ultra Low cost tablet AAKASH is now available online for purchase in India. It will be very much useful for students. It will help to access internet and work with documents like word, excel, power point,   pdf files etc. Also, it will support multimedia files like Images, audio files and Video files. Students will be able to watch Youtube videos in the device and learn from video tutorials.

It will cost Rs 2,500. To get your AAKASH Tablet, Order Online at http://www.aakashtablet.com/
You will get the delivery in one week time and you have to pay the cash on delivery.

So, why delay? Book as soon as possible.

Sunday, May 29, 2011

How to Link to different sections in an html page

If you want to link to different sections in your HTML webpage, or point to different headers in a HTML document, here is how you can do it.

How to add a link to a section in an HTML page:

<a name="OldPapers">Old Papers Section</a>

We can access the section directly by using below URL:
http://www.websitename.com#OldPapers

Even we can add link to sections by providing ID attribute with a tag.
<h3 id="HeadingSection">Heading Section</h3>
We can access the section directly by using below URL:
http://www.websitename.com#HeadingSection

Here is an example. All bank Exam Blog
All bank Exam Blog Old Papers Section

The Code for second one is <a href="http://allbankexam.blogspot.com/#OldPapers">All bank Exam Blog Old Papers Section</a>

Read more at http://www.w3.org/TR/html401/struct/links.html

Tuesday, February 22, 2011

How to find the Version of Internet Explorer?

 To find version of your Internet Explorer, go to Help > About Internet Explorer.





Show Desktop icon missing. How to create Show Desktop Icon?

If Show Desktop Icon is missing in your computer, just follow the below steps to create it again.

1. Click Start, click Run, type notepad in the Open box, and then click OK.
2. Copy and then paste the following text into the Notepad window:
Code for Show Desktop Icon:
[Shell]
Command=2
IconFile=explorer.exe,3
[Taskbar]
Command=ToggleDesktop
3. On the File menu, click Save As, and then save the file to your desktop as "Show desktop.scf". The Show desktop icon is created on your desktop and it should look like below image.

4.Click and then drag the Show desktop icon to your Quick Launch toolbar.

Also Read: Show Desktop icon missing in Windows 7

Show Desktop icon missing in Windows 7

When I used Windows 7 initially, I felt that the "Show Desktop" Icon was missing. I was looking for an icon like below which was there in Windows XP or Windows Vista.

Then I realized that Windows 7 also has the Show Desktop icon. But, it is at a different location and in a different shape. Refer below screen shot. Show Desktop Icon at the Extreme Right and Bottom corner of your screen.


Also read:
 Show Desktop icon missing. How to create Show Desktop Icon?

Wednesday, February 9, 2011

What is PING command in Command Prompt?


Using PING command, we can determine if we can reach a host computer in Internet or not. And also, we can determine how long it takes for a roundtrip (i.e. From Source computer to Destination computer and back to source.)

Definition: PING Command is a very useful Utility to test the reachability of a host on an Internet Protocol (IP) network and to measure the round-trip time for messages sent from the originating host to a destination computer.

PING stands for "Packet Inter-Network Groper".

How to Run PING Command?

1. Go to Start -> Run and then type cmd
2. Type ping followed by computer name or IP Address, for example type ping google.com
or type ping 209.85.231.104

If you get result like below image, then the destination computer is up and running and you are able to connect to that .

If you get  result like below image, then the destination computer is either down or not connected to internet or you are not able to connect to that.


Related Posts with Thumbnails

Labels

2012 (3) 2012-13 (1) Aakash tablet (1) Abhinav Bindra (1) Abhishek Bachhan (1) About Google Wave (1) account hacked (1) Actor (1) addthis (1) ads (2) Adsense (4) adsense and money making (4) Adsense check (1) adsense really pays (1) Adsense revenue sharing (1) Adsense revenue sharing sites (1) AIDS Awareness (1) AIDS Cure (1) AIDS Prevention (1) Airtel (1) Airtel Digital TV (1) Aishwarya Rai (1) al-qaeda (1) Allahabad Bank (1) alter command (2) alter table (2) american ascent (1) anchor tag in html (1) Another Google Innovation (1) anti-biotics (1) Anti-Virus (1) Arts (2) Atlanta Olympics (1) auto commit (1) awk command (1) Back up registry key (1) bacteria (1) Baithe Jeeto jackpot Question (23) Bajaj Allianz (1) Bajaj Allianz Home Insurance (1) Bank Clerical Exam (1) Bank PO Online Test (1) Banking jobs (1) BCECE (1) BCECE 2011 result (1) Beez 20 (1) best moments (1) Best Performing Ads (1) Bharti Airtel (1) Bhulekh (1) Bhulekh.ori.nic.in (1) big bazaar (1) Big Boss 5 (2) Big Boss 5 Contestants (2) Big Boss 5 House Inmates (2) Big Boss 5 Videos (1) Birth Day (1) blank space above table in blog (1) block a sender (3) Blog (1) Blog's Stats (1) Blogger Tips (17) Bluedart courier (1) BMI (1) Body Mass Index (1) Bollywood (2) bookmarks (1) Books (1) bronze (1) Browser (2) Bruce Jenner (1) BSE (1) bse odisha 2013 result (1) bseodisha.nic.in (1) BSNL (1) bulk (1) Cable Operator (1) call center (1) Campus interview (1) Causes and Prevention of Infant Diarrhea (1) cctv (1) celebration (1) celebrity (1) change mouse sensitivity (1) Chat messengers (1) Check Number for DND (1) cheque book (1) Cheque Fraud (1) Child Immunization chedule (1) Children Projects (1) chip tablet (1) Clear Browsing History (1) comment (1) Company Deposits (1) Compare auto insurance (1) Compare Strings (1) Computer Tips (45) Confident English (2) Crafts (2) create a batch file to delete files (1) create PDF (1) Credit Card (3) Credit Card issuers (1) credit card types (1) Credit Card usage (1) credit history (1) Cricket (4) Cricket Live score (2) criminals (1) Cron (2) Crowd (1) Currency conversion (1) custom domain (1) DC Avanti (2) DC Design (1) death (1) decathlon (1) Delhi Auto Expo 2012 (2) department of Telecom (1) disk partition (1) Distinct in Excel (2) DLL Definition (1) DLL File (1) dll or application file through gmail (1) DND (2) domain name (1) Domain names (2) domain redirection (1) Doodle (1) Door Chain (1) DOS Command (1) DoT India (1) dotnet interview questions (1) Download (1) Download movies online (1) download NCERT e-Books (1) download youtube videos (1) drop (1) drop multiple column (1) DropBox (2) DTH Service India (1) duplicate file (1) earn 100 dollars a day (1) earn 1000 dollars a day (1) Earn Money Online (4) earn online by creating rich content (1) earn through google adsense (3) Electricity Bill Payment online in Odisha (1) email (1) Email Extractor (1) email scavenger (1) email whitelist (1) EMS (1) engineering (1) English Grammar (1) eodissa (2) EPF India (1) EPF Online (1) Event (1) Excel 2007 (3) Excel Tips (4) expert answer (2) expert answer blog (2) expertanswer blog (9) expiry date of a LPG Gas cylinder (1) Express Parcle (1) facebook (4) Facts about AIDS (1) Family Budgeting (2) fathers day (1) fear and greed (1) File Sharing (2) filter (1) finance (19) Financial Decision (1) Financial Goal (1) financial planner (2) Find IP Address (1) Find IP of your computer (1) Fixed deposit (1) Flixya Alternatives (1) FloJo (1) Florence Griffith (1) Fluent English (1) Font Size (1) fontself (1) foreign clients (1) Fred Willard (1) Free Dotnet Projects (1) fresher (1) full snap shot (1) Gagan Narang (1) GAS Cylinder safety (1) gastroenteritis (1) gbjj (26) GBJJ Answer (25) GBJJ Question 2013 (25) GBJJ Question KBC 7 (2) get more from google search (1) get out of debt (1) get rich (1) Get Richer (1) Ghar Baithe Jeeto Jackpot (50) Ghar Baithe Jeeto jackpot Question (2) GIF Image (1) gmail (5) godaddy (3) Gold (1) Google (18) Google Adsense (3) Google Calculator (1) Google Chrome browser (1) Google Help Forum (1) google labs (1) google listing (1) google page rank (2) Google Search (2) google search tips (1) google tool (1) google transliteration (1) Google Wave (1) Govt Jobs (1) Govt of India (1) Gregorian calender (1) grep example (1) grep in linux (1) grep in unix (1) Gsm phone emergency call (1) Gymnastics (2) Hacking (1) Happy New Year 2016 (1) Happy teachers day (1) HDFC Standard Life (1) health insurance (1) Health Tips (5) Hit Counter (2) Hollywood (1) Home insurance in India (1) Home Safety Tips (1) HostGator (3) hosting (3) hotmail (1) How much we can earn through Google Adsense (1) how to (1) How to make an emergency call from mobile phone (1) how to send exe file with gmail (1) how to show odia text in bhulekh (1) href (1) HSBC (1) HSBC Home Insurance (1) HTML (2) HTML Symbols (1) IANA (1) ibnlive (1) ICC World Cup 2011 final match (1) ICC World cup final (1) ICC World cup final pics (2) ICC World cup semifinal schedule (1) ICICI Lombard (2) IE8 (2) IIS (1) images (1) images not displaying in gmail (1) imint (1) immunizational chart (1) income tax slab (1) Increase google rank (1) Increase Traffic to Blog (1) Increase your website popularity (1) India (8) India Immunization Chart (1) India Spells 2009 Champion (1) Indian Premier League (1) Indian States (1) Indian Super car (2) Information (1) Infosys (1) ini file (1) insurance (1) Internet (13) internet calculator (1) Internet Explorer (1) Internet Explorer provided by (1) Internet Explorer provided by Dell (1) Internet Protocol (1) Internet Speed (1) Investment (10) investment option (1) investor (1) IP of your machine (1) IP of your PC (1) IPL (4) IPL Teams (1) ixwebhosting (1) Jackpot question today (32) Job Portals (1) Job seekers (1) Job Sites (1) joomla (1) joomla 2.5 (1) Joomla hosting (4) June 19 (1) Karnam Malleswari (1) KBC 5 (22) KBC 6 (28) KBC GBJJ Winner (25) KBC Online (25) KBC Sony (19) keepvid (1) killed (1) know your bandwidth (1) kontera (1) large whitespace in my blog (1) Leap Year (1) learn (2) Learn proper pronunciation of english words (1) Learning (1) licence key (1) linkwithin (1) lipikar (1) Login (1) London Olympics (6) London Olympics logo (1) Long term investor (2) long URL (1) lower (1) Mail signature (2) make emergency phone call (1) Mary Lou Retton (1) MCA (1) Medal Count (1) mediclaim policy (1) Mental Accounting (1) menu item (1) merriam webster dictionary (1) Merry Christma (1) mGinger (1) Michael Johnson (1) Microsoft (3) Microsoft name.dll (1) Microsoft Virtual PC (4) mobile Bill (1) mobile emergency response support (1) mobile number (1) Mobile number change to 11 digits in India (1) mobile phone emergency number (1) money management (1) Money Mistake (1) most viewed (1) mouse pointer (1) mouse sensitivity (1) mouse speed (1) Mozilla (1) msi.dll (1) MSN Messenger (1) mutual fund (2) Mutual fund ELSS (1) Mutual Funds (2) Nadia Comaneci (1) national anthem of India (1) National immunization schedule (1) ncert website (1) NDM-1 (1) New York (1) Newly weds (1) NSE (1) Nylon Rose (1) obama speech (1) Obese (1) Odia Calender 2010 (1) odia font not displaying (1) odia literature (1) odia magazine (1) Odia Panji (1) Odia panjika (1) odisha board 10th result (1) Olympics (8) Olympics 2012 (3) online frauds (1) Online Security (1) Online Test (2) Opera Browser (1) Operating System (5) optimize google search (1) Oracle (8) Origami (2) Orissa Online (1) Oriya calender (1) oriya magazine (1) oriya poems (1) oriya stories (1) Orphan file (1) Orphaned file finder (1) ORS (1) Osama bin Laden (2) Over weight (1) own handwriting (1) Page Title (1) Page view (1) Paraskevi Papachristou (1) Partition magic (1) partition wizard (1) payback (1) Payment (1) PeepHole (1) Pentagon (1) Personal Finance (17) PF transfer (1) PF Withdrawal (1) Phishing Scams (1) photo (1) PhotoBucket (1) phpbb (1) PIN Code (1) PING (1) post a comment problem in blogger (1) Postal Index Number (1) pound in indian rupees (1) Pound in rupees (1) pound to rupee (1) pound to rupee conversion (1) prefix 9 with all mobile numbers (1) President Obama speech (1) primary key (4) Prince William and Kate Middleton Wedding (2) print as PDF (1) print screen (1) productivity tool (1) Puzzles (1) question 4 kbc blogspot (19) quick install (1) QuickInstall (1) Quilling (1) Rabindranath Tagore (1) Rajesh Khanna (1) read ncert books online (1) Read SMS (1) Real Estate (1) Really Tough Movie Quiz (1) Received 100$ from google adsense (1) Received my first google adsense cheque (1) recover gmail account (1) related posts in blog (1) Reliance Big TV (1) Reliance India (1) remove mother tongue influence (1) remove SQM files from computer (1) remove white space in blogspot (1) Retire Early (2) retire sooner (1) retirement (2) Retirement Planning (1) Return to Buckingham Palace (1) reward points (1) RIP (1) RockMelt (1) Ronjan Sodhi (1) Royal Couple (1) Royal Wedding (2) Royal Wedding Kiss Video (1) Royal Wedding Pictures (1) Rupee Symbol (1) safe banking (1) safe online (1) safety (1) sarvapalli radhakrishnan (1) save money (2) Save password (1) savevid (1) Schedule (1) Screen capture software (1) scrolling web page (1) Search engine spider (1) Security (1) See through Hole (1) sell mutual fund (1) Send SMS to KBC (20) Senior Citizens (1) Seo (9) Service Pack (1) set nameserver (1) share file publicly (1) Shooting (1) Show Desktop (2) Show Line Numbers (1) simulator (1) SIP (1) Site Statstics (1) Slow Internet Connection (1) SMS Tracking (1) Social networking sites (1) Software Product (1) sony kbc (19) sp (1) spam (1) speak influential english (1) Speed Post (1) Spell Bee Contest (1) spend smartly (3) spend wisely (2) Spoken English (1) Spouse (1) sql developer (1) SQL Server (3) sqlldr example (1) States in India (1) stay out of debt (1) Stock market (6) Stock Tips (3) subdomain (1) Submit to google (1) Submit to msn (1) Submit to yahoo (1) Submit your website or blog to major search engines (1) Submit your website to Google (1) substring (1) Sun Direct (1) Super Bug (1) Survey (1) Synchronizing (1) Tata Sky (1) Tax Planning (1) technology (2) Telecom (2) Telecom service (1) telecom service in India (1) terrorist (2) text advertisements (1) Thanksgiving (1) The Balcony Kiss Video (2) THE GOLDEN SHOES (1) The New India Assurance (1) time zone (1) TNSPING command (1) Todays GBJJ Question Of KBC 7 (25) top 10 tips (1) Top DTH Services in India (1) Top ten (2) Top ten Telecom service providers (1) Track Online (1) track your Speed Post (1) tracking (1) Trading (1) traffic to blog website (1) TRAI (1) twitter (2) under weight (1) UNICEF (1) Union Territories (1) United India Insurance (1) unix commands (1) Unix Tips (3) upper (1) URL Shortener (1) Urszula Radwanska (1) Use forums (1) use google search effectively (1) Vaccination schedule in India (1) Vedic maths (1) vedic science (1) Verbs (1) Version Control Tools (1) Videocon D2H (1) Visual Studio (1) watch movies online (1) Water Polo (1) wealth management (1) Web site page rank (1) Web technology (4) website (3) Wedding Pics (1) What are .SQM files (1) What is Google Adsense (1) when to use Google Wave (1) why google adsense (1) Why my site not coming in google (1) Will and Kate (1) Windows 7 (2) Windows Live (1) Windows Live Messenger (1) windows OS (2) Women (1) wordpress (1) World AIDS Day 2009 (1) World Trade Centre (1) WPA_KILL (1) write in Odia (1) write in web (1) Yahoo (3) Yahoo answers (1) yahoo mail (1) yahoo rank (1) youtube video (2) youtube video download (1)

  © Blogger templates Palm by Ourblogtemplates.com 2008

Back to TOP