Saturday, November 29, 2008

Synchronous Counter Code for Xilinx FPGA

Verilog Code

module countersync(reset, Q, clock);
input reset;
input clock;
output [3:0]Q;
reg[3:0]Q;

always @ (posedge clock)
if(!rst)Q<=0; else Q<=Q+1; endmodule


Testbench Code

module testbench;
reg reset,clock;
wire [7:0]Q;
parameter STEP=60;


// Instantiate the module
countersync instance_name (
.reset(reset),
.Q(Q),
.clock(clock)
);

always#(STEP/2)clk=~clk;
initial begin
clock=1;reset=0;#(STEP-10);
reset=1;#(STEP*20);
$stop;
end
endmodule

Run Commands

We can run any program by typing code in Run window. To go to Run window Start > Run or (Ctrl+R) then type your code for desired program.

Accessibility controls - access.cpl
Accessibility wizard - accwiz
Add Hardware wizard - hdwwiz.cpl
Add/Remove programs - appwiz.cpl
Administrative Tools - control admintools
Automatic Update - wuaucpl.cpl
BlueTooth File Transfer wizard - fsquirt
Calculator - calc
Certificate - certmgr.msc
Character Map - charmap
Check Disk - chkdsk
Clipboard Viewer - clipbrd
Command Promt - cmd
Componant Service - dcomcnfg
Computer Management - compmgmt.msc
Control Panel - control
User Accounts - control userpasswords2
Date and Times - timedate.cpl
D.D.E shares - ddeshare
Device Manager - devmgmt.msc
DirectX - dxdiag
Disk Clean up - cleanmgr
Disk Defragment - dfrg.msc
Disk Management - diskmgmt.msc
Disk Partition Manager - diskpart
Display Properties - control desktop
Display propertied - desk.cpl
Dr. Wattson for Windows - drwtsn32
Driver Verification Manager - verifier
Event Viewer - eventvwr.msc
File and Settings transfer tool - migwiz
File signeture verification tool - sigverif
Find fast - findfast.cpl
Folder properties - control folders
Fonts - control fonts
Fonts - fonts
Game controlls - joy.cpl
Group Policy - gpedit.msc
Help and Support - helpctr
HyperTerminal - hypertrm
I.Express wizard - iexpress
Indexing Service - ciadv.msc
Internet Connection wizard - icwconn1
Internet Explorer - iexplorer
Internet Property - inetcpl.cpl
keyboard - controls keyboard
Local security settings - secpol.msc
Local Users And group - lusrmgr.msc
Logoff - logoff
Microsoft chat - winchart
Microsoft Movie maker - moviemk
Paint - mspaint
Microsoft Sincronization tool - mobsync

(will be finish soon)

FSM Code for Xilinx FPGA

Verilog Code (for sequence 0010)

module sequence(x, clock, reset, y, Q);
input x;
input clock;
input reset;
output y;
reg y;
output [2:0]Q;

parameter start=3'b000;
parameter got0=3'b001, got00=3'b010, got001=3'b011, got0010=3'b101;
reg[2:0]Q; //state variable
reg[2:0]D;

//next state logic
always @(x or Q)
begin
case (Q)
start: D=x ? start:got0;
got0: D=x ? start:got00;
got00: D=x ? got001:got0;
got001: D=x ? start:got0010;
got0010: D=x ? start:got00;
default: D=3'bxxx;
endcase
end

always @ (posedge clock)
begin
if(reset)
Q=D;
else
Q=0;
end

//output logic
always @ (Q)
y=Q[2];
endmodule


Testbench Code

module testbench;
reg x;
reg clock;
reg reset;
wire y;
wire [2:0]Q;

// Instantiate the module
sequence instance_name (
.x(x),
.clock(clock),
.reset(reset),
.y(y),
.Q(Q)
);

always #100
clock=~clock;

//input data bit
initial begin
clock=1; x=0; reset=0; #200
x=0; reset=0; #200
x=0; reset=0; #200
x=1; reset=0; #200
x=0; #200
x=0; #200
x=1; #200
x=0; #200
x=0; #200
x=1; #200
x=0; #200
$stop;
end
endmodule

8-bit Shift Register Code for Xilinx FPGA

Verilog Code

module shiftres(w, clock, Q);

input w;
input clock;
output [1:8]Q;
reg [1:8]Q;

always @(posedge clock) //Shift Resistor logic start
begin
Q[8]<=w; // Value of w count as Q[8]
Q[7]<=Q[8]; //Value shifted from Q[8] to Q[7]
Q[6]<=Q[7]; //Value shifted from Q[7] to Q[6]
Q[5]<=Q[6]; //Value shifted from Q[6] to Q[5]
Q[4]<=Q[5]; //Value shifted from Q[5] to Q[4]
Q[3]<=Q[4]; //Value shifted from Q[4] to Q[3]
Q[2]<=Q[3]; //Value shifted from Q[3] to Q[2]
Q[1]<=Q[2]; //Value shifted from Q[2] to Q[1]
end
endmodule


Testbench Code


module testbench;
reg w, clock;
wire [1:8]Q;

// Instantiate the module
shiftres instance_name (
.w(w),
.clock(clock),
.Q(Q)
);

always#100
clock=~clock;
initial begin
clock=1; w=1; #200
w=0; #200
w=1; #200
w=0; #200
w=0; #200
w=1; #200
w=1; #200
w=0; #200
$stop;
end
endmodule

4-bit Parallel Full Adder Code for Xilinx FPGA

Verilog code

module fulladder(x0, x1, x2, x3,cin,c, y0, y1, y2, y3, s0, s1, s2, s3);
input x0, x1, x2, x3; //Four bit input X
input y0, y1, y2, y3; //Four bit input Y
input cin; //Carry input
output c; //Carry output
output s0,s1,s2,s3; //Sum output

wire s10,s20,s30,s40,c10,c11,c0,c20,c21,c1,c30,c31,c2,c40,c41; //Intermediate nodes

xor V1(s10,x0,y0); // x0 xor y0 = s10
xor V2(s0,s10,cin); // s10 xor cin = s0
and V3(c10,x0,y0); // x0 and y0 = c10
and V4(c11,s10,cin); // s10 and cin = c11
or V5(c0,c10,c11); // c10 or c11 = c0

xor V6(s20,x1,y1);
xor V7(s1,s20,c0);
and V8(c20,x1,y1);
and V9(c21,s20,c0);
or V10(c1,c20,c21);

xor V11(s30,x2,y2);
xor V12(s2,s30,c1);
and V13(c30,x2,y2);
and V14(c31,s30,c1);
or V15(c2,c30,c31);

xor V16(s40,x3,y3);
xor V17(s3,s40,c2);
and V18(c40,x3,y3);
and V19(c41,s40,c2);
or V20(c,c40,c41);

endmodule


Testbench code

`timescale 1ns/1ns
module testbench;
reg x0, x1, x2, x3, x0, x1, x2, x3, cin; // Inputs
wire c,s0,s1,s2,s3; // Outputs


// Instantiate the module
fulladder instance_name (
.x0(x0),
.x1(x1),
.x2(x2),
.x3(x3),
.y0(y0),
.y1(y1),
.y2(y2),
.y3(y3),
.cin(cin),
.c(c),
.s0(s0),
.s1(s1),
.s2(s2),
.s3(s3)
);

initial begin

x0=0; x1=0; x2=1; x3=1; y0=1; y1=1; y2=0; y3=0; cin=0; #250;
x0=1; x1=0; x2=0; x3=0; y0=0; y1=0; y2=1; y3=0; cin=1; #250;
x0=1; x1=1; x2=1; x3=1; y0=1; y1=0; y2=1; y3=1; cin=1; #250;
x0=1; x1=0; x2=0; x3=1; y0=0; y1=1; y2=0; y3=0; cin=1; #250;
$stop;
end
endmodule

Monday, November 17, 2008

Samsung Code


  1. *2767*JAVA# Java Reset and (Deletes all Java Midlets) For example : *2767*JAVA# would be keyed in as *2767*5282#
  2. *2767*MEDIA# Reset Media (Deletes All Sounds and Pics)
  3. *2767*WAP# Wap Reset
  4. *2767*CUST# Reset Custom EEPR0M
  5. *2767*FULL# Reset Full EEPR0M (Caution)
  6. *#06# IMEI code
  7. *#9998*4357# Help Menu
  8. *#9998*5282# Java menu (GRPS/CSD settings for JAVA server)
  9. *#9999#0# Monitor Mode
  10. *#9999# or *#9998*9999# Software Version
  11. *#8888# or *#9998*8888# Hardware Version
  12. *#9998*746# or *#9998*0746# or *#0746# Sim Infos
  13. *#9998*523# or *#9998*0523# or *#0523# Display Contrast
  14. *#9998*842# or *#9998*0842# or *#0842# Vibration On (until you push OK)
  15. *#9998*289# or *#9998*0289# or *#0289# Buzzer On (until you push OK)
  16. *#9998*288# or *#9998*0288# or *#0288# Battery & Field Infos
  17. *#9998*377# or *#9998*0377# Error log
  18. *#9998*778# or *#9998*0778# or *#0778# Sim Service table
  19. *#9998*782# show date and alarm clock
  20. *#8999*638# show network information
  21. *#9998*5646# change operator logo at startup
  22. *#9998*76# production number
  23. *#9998*968# view melody for alarm
  24. *#9998*585# Non-Volatile Memory (NVM)
  25. *#3243948# Digital Audio Interference Off
  26. *#32436837# Digital Audio Interference On

Unlock Your Memory Card (Nokia s60)

If you have forgotten your password of your memory card of Nokia s60 hand set and you have important data in that memory card then just follow the instruction to unlock the memory card:
You can unlock your memory card using two diffent ways--

For Nokia s60 1st and 2nd edition phones:
-> First Install FExplorer in your phone memory.
-> Go to drive C:\system on your phone
-> You will find a file called mmcstore
-> Copy that file (mmcstore) to your PC
-> Rename it as mmcstore.txt
-> Open it in notepad
-> At the end of the file you will find your password.

For Nokia S60 3rd Phones, Nokia N-Series and Nokia E-Series:
There is almost no way yet to hack the memory card password in case of these types of phone but there is a way to do it some of the s60 3rd edition phones and almost all the E-series phones.
The remote lock option in E-Series phone allws you to unlock your phone by sending a sms. The only thing you have to do is to activate this feature by going to Tools > Settings > Security > Phone and SIM > Allow remote lock menu. The password of your memory card will be your remote lock message.
So you have to just send a sms containing your remote lock message that will automatically change your memory card passsword.

Sunday, November 16, 2008

Nokia Codes (For Symbian OS) - 1

1. *# 06 # IMEI indicates
2. *# 0000 # SW version announcement
3. *# 2820 # Bluetooth device address indicate.
4. xx # Directory quick access (xx=storagestorage location and afterwards lozenge e.g. 24 #)
5. A/from key Short pressing for menu for switching between profiles
6. Menu key Long pressing for "task manager" - switching between active programs (with "C" key programs can be terminated.)
7. Menu quick access Over in the menu e.g. to point 3.1 arrive simply 31 enter (if the third symbol a file is opened is for these and then in it started the first Programm/Icon).
8. Autostart go around When switching on of the Handys on to the pin inquiry the key "ABC" (pin) comes the whole time keeps pressed - this is to ignore (allegedly) the autoinitialization programs.
9. # Do not switch between different lines (AS)... goes e.g. with Austrian ONE Handys (see nose cunning).
10. 12345 ... is according to standard set the Nokia nokia-Sicherheitscode.
11. 0000 ... is according to standard those (with Vodafone windshield frame section) set 2te pin and that standard net code/passwordWith D1 the standard net code is the last 4 numbers of the card number without HLR e.g. 99999234-5/55 - > 2345
12. 0 - for a long time press If one the "0" in the main menue for a long time presses those homepage of the standard WAP connection is called.

Enable or Disable CD/DVD autorun

If you want to disable or enable autorun option of CD/DVD in your windows operating system then follow the instructions:

1. Editing Registry Editor:
Click Start > Run then type regedit and press enter. Now go to HKEY_LOCAL_MACHINE\SYSTEM\CurrentControlSet\Services\Cdrom from the regestry editor. Then double click to Autorun from the right window. Change its value. Put 0 to disable autorun and 1 to enable autorun. Click Ok and restart computer.

2. Making Registry Entry File:
To Disable autorun of CD/DVD open notepad and write the following code:
Windows Registry Editor Version 5.00
[HKEY_LOCAL_MACHINE\SYSTEM\CurrentControlSet\Services\Cdrom]
"AutoRun"=dword:00000000

Then save it as DisableAutorun.reg. Now close the file and double click on it and click Yes and then Ok from the dialogue box. Now restart the computer.

To enable autorun of CD open notepad and write the following code:
Windows Registry Editor Version 5.00
[HKEY_LOCAL_MACHINE\SYSTEM\CurrentControlSet\Services\Cdrom]
"AutoRun"=dword:00000001
Save it as EnableAutorun.reg and close notepad. Now double click on it and click Yes > Ok from the dialogue box. Now restart the computer.

Hide your Folder

Right click to the folder that you want to hide and select Properties. From the Customize tab Click Change Icon. Select 51 number Icon that will find at 12th column of %SystemRoot%\system32\SHELL32.dll. Then select Ok > Ok. Rename the folder and type Alt+0160 and press enter. You will see that your folder is vanished. Change the views as List. To open press Ctrl+A, a little highlighted shadow will appear over the hiden forder. Double click to open.

Saturday, November 15, 2008

10 Health Tips

  1. Move More: Make it a daily challenge to find ways to move your body. Climb stairs if given a choice between that and escalators or elevators. Walk your dog; chase your kids; toss balls with friends, mow the lawn. Anything that moves your limbs is not only a fitness tool, it's a stress buster. Think 'move' in small increments of time. It doesn't have to be an hour in the gym or a 45-minute aerobic dance class or tai chi or kickboxing. But that's great when you're up to it. Meanwhile, move more. Thought for the day: Cha, Cha, Cha…. Then do it!
  2. Cut Fat: Avoid the obvious such as fried foods, burgers and other fatty meats (i.e. pork, bacon, ham, salami, ribs and sausage). Dairy products such as cheese, cottage cheese, milk and cream should be eaten in low fat versions. Nuts and sandwich meats, mayonnaise, margarine, butter and sauces should be eaten in limited amounts. Most are available in lower fat versions such as substitute butter, fat free cheeses and mayonnaise. Thought for the day: Lean, mean, fat-burning machine…. Then be one!
  3. Quit Smoking: The jury is definitely in on this verdict. Ever since 1960 when the Surgeon General announced that smoking was harmful to your health, Americans have been reducing their use of tobacco products that kill. Just recently, we've seen a surge in smoking in adolescents and teens. Could it be the Hollywood influence? It seems the stars in every movie of late smoke cigarettes. Beware. Warn your children of the false romance or 'tough guy' stance of Hollywood smokers. Thought for the day: Give up just one cigarette…. the next one.
  4. Reduce Stress: Easier said than done, stress busters come in many forms. Some techniques recommended by experts are to think positive thoughts. Spend 30 minutes a day doing something you like. (i.e.,Soak in a hot tub; walk on the beach or in a park; read a good book; visit a friend; play with your dog; listen to soothing music; watch a funny movie. Get a massage, a facial or a haircut. Meditate. Count to ten before losing your temper or getting aggravated. Avoid difficult people when possible. Thought for the day: When seeing red, think pink clouds….then float on them.
  5. Protect Yourself from Pollution: If you can't live in a smog-free environment, at least avoid smoke-filled rooms, high traffic areas, breathing in highway fumes and exercising near busy thoroughfares. Exercise outside when the smog rating is low. Exercise indoors in air conditioning when air quality is good. Plant lots of shrubbery in your yard. It's a good pollution and dirt from the street deterrent. Thought for the day: 'Smoke gets in your eyes'…and your mouth, and your nose and your lungs as do pollutants….hum the tune daily.
  6. Wear Your Seat Belt: Statistics show that seat belts add to longevity and help alleviate potential injuries in car crashes. Thought for the day: Buckle down and buckle up.
  7. Floss Your Teeth: Recent studies make a direct connection between longevity and teeth flossing. Nobody knows exactly why. Perhaps it's because people who floss tend to be more health conscious than people who don't? Thought for the day: Floss and be your body's boss.
  8. Avoid Excessive Drinking: While recent studies show a glass of wine or one drink a day (two for men) can help protect against heart disease, more than that can cause other health problems such as liver and kidney disease and cancer. Thought for the day: A jug of wine should last a long time.
  9. Keep a Positive Mental Outlook: There's a definitive connection between living well and healthfully and having a cheerful outlook on life. Thought for the day: You can't be unhappy when you're smiling or singing.
  10. Choose Your Parents Well: The link between genetics and health is a powerful one. But just because one or both of your parents died young in ill health doesn't mean you cannot counteract the genetic pool handed you. Thought for the day: Follow these basic tips for healthy living and you can better control your own destiny

Spyware and Protection

Spyware is computer software that is installed surreptitiously on a personal computer to intercept or take partial control over the user's interaction with the computer, without the user's informed consent.

While the term spyware suggests software that secretly monitors the user's behavior, the functions of spyware extend well beyond simple monitoring. Spyware programs can collect various types of personal information, such as Internet surfing habit, sites that have been visited, but can also interfere with user control of the computer in other ways, such as installing additional software, redirecting Web browser activity, accessing websites blindly that will cause more harmful viruses, or diverting advertising revenue to a third party. Spyware can even change computer settings, resulting in slow connection speeds, different home pages, and loss of Internet or other programs. In an attempt to increase the understanding of spyware, a more formal classification of its included software types is captured under the term privacy-invasive software.
In response to the emergence of spyware, a small industry has sprung up dealing in anti-spyware software.
To know about more spyware visit: Wikipedia
Using a anti-spyware you can protect your computer from spyware. One of the best spyware is Spyware Terminator. You can protect your computer not only from spyware but also from page hijacker, adware, malware, worm etc with Spyware Terminator.

Mobile Handset as Modem

Use your mobile device as modem to use internet (Dial-up Internet) in your computer or laptop.
Requirements:
1. An EDGE/GPRS enabled mobile device.
2. Driver software (e.g. PC Suit for Nokia, Mobile Phone Manager for Siemens etc.).
3. Connecting way (e.g. Data Cable or InfraRed* Device or BlueTooth* Device).
Install the driver software in your computer. If installation process is completed successfully then connect your mobile device via Data cable or InfraRed or BlueTooth. Then Found New Hardware wizard window will appear. Click Next > Continue Anyway > Finish.
Now go to Control Panel > Phone and Modem Option > Newly installed modem > Properties > Advanced tab. Type AT+CGDCONT-,,"gpinternet". Then click OK.
Go to Control Panel > Network Connections > Create a new connection > Next > Next > Set up my connection manually > Next > Next > give a name GrameenPhone as ISP > set the phone no *99***1# > Anyone's use > Next. No need to set User name and Password. Then Next > Finish.
Now again go to Control Panel > Network Connections > GrameenPhone (Double Click) > Click to Dial. After a while your computer will connect to internet.
You can use different software also. Siemens user can use Siemens GPRS Assistance. MobTime cell Phone Manager can also be used to connect your mobile through dial-up network. But you have to set APN (Acess Point Name) as gpinternet.
*If your device supports the InfraRed or BlueTooth.

Activate GPRS on your Mobile (For Bangladesh)

To use internet in your mobile device you have to activate GPRS on your mobile.

Requirements:
1. A GPRS/EDGE supported mobile/PDA
2. A SIM (Subscriber Identity Module) card of an mobile operator e.g. Grameen Phone, Aktel, Banglalink, Teletalk or Warid Telecom.
3. Minimum amount :)

Activation:

GrameenPhone:
GrameenPhone provides four (4) packages now.

Package 1 (P1) is a pay-as-you-go offer. It is available for both Prepaid and Postpaid subscribers. For every Kilobyte (KB) of data browsed subscribers are charged Tk. 0.02 (excluding VAT).

Package 2 (P2) is for both Prepaid and Postpaid subscribers. For unlimited browsing, monthly charge is BDT 1000 (excluding VAT).

Package 3 (P3) is for Postpaid subscribers. Subscribers can enjoy the service from 12:00AM-8:00AM and monthly charge is BDT 300 (excluding VAT). From 8:01AM-11:59PM, subscriber can enjoy pay-as-you-go (P1).

Package 4 (P4) is for Prepaid subscribers. Subscribers can enjoy the service from 12:00AM - 11:59PM with 150MB data usage limit in a day and daily charge is BDT 60 (excluding VAT). After 12:00 AM pay-as-you-go (P1) charges applicable.

To subscribe:
Package 1 (P1), type P1 and send SMS to 5000
Package 2 (P2), type P2 and send SMS to 5000
Package 3 (P3), type P3 and send SMS to 5000
Package 4 (P4), type P4 and send SMS to 5000

WAP Settings: SMS WAP Handset_Name Model_Number to 8080.

MMS Settings: SMS MMS Handset_Name Model_Number to 8080.

Internet Settings: SMS Internet Handset_Name Model_Number to 8080.
For example: WAP Nokia N70

Save the all reply SMS with PIN 1234.
Some handsets do not support SMS-based settings which need to be configured through manual settings.

Manual WAP Settings:
Profile/Settings Name = GP-WAP
APN (Access Point Name) = gpwap
WAP Gateway (Proxy) IP = 10.128.1.2
WAP Gateway (Proxy) Port = 8080
WAP Homepage = http://wap.gpworld.com/
Data Bearer = GPRS

Manual MMS Settings:
Profile/Settings Name = GP-MMS
APN (Access Point Name) = gpmms
Gateway (Proxy) IP = 10.128.1.2
Gateway (Proxy) Port = 8080
Relay Server URL = http://mms.gpsurf.net/servlets/mms
Data Bearer = GPRS

Manual Internet Settings:
Profile/Settings Name = GP-INTERNET
APN (Access Point Name) = gpinternet

Aktel:
Aktel GPRS service is known as Spice.
There are two methods to activate your GPRS (also MMS and Internet service).

1. Dail *140*7# or visit http://gprs.aktel.com/ and the follow the instructions.

or,

2. Type "*#06#" to see the IMMI number of your handset.
For example, let your IMMI no is 350143304709722. Write the first 8 digit down of your IMMI number e.g. 35014330.

Now go to your Message menu and write a sms as follows:
-> For WAP settings: wap 35014330
-> For MMS settings: mms 35014330
-> For Internet settings: web 35014330
and send* it to 8738

Charges:
+ TK. 0.015 + VAT 15% per Kb for browsing
+ Download charges as applicable
+ Standard SMS charge for settings
+ AKTEL to AKTEL MMS: TK 5 + VAT 15%
+ AKTEL to Email: TK. 7 + VAT 15%

Warid Telecom:
If you insert the Warid SIM into your mobile device for the first time it automatically initiates a handset configuration request. If you accept it then a Flash SMS will arrive within a few minutes. Just open and save the settings in your mobile. Then your handset will be automatically configured for GPRS/EDGE. Now browse the internet world. :)

If the automative sms does not arrive then,
-> Go to Warid Menu
-> Select Self Service
-> Select Multimedia Settings
-> Select Reset Settings
Then you are requested to send a sms. Select YES or Send.
You will soon receive a flash message with the handset settings and this must be saved in your handset by clicking on “YES”.
Banglalink:
You have to manually configure your mobile for banglalink GPRS. Just call to 121 and contact with an agent of customer care service.
Manually Internet Settings:
Profile Name: blweb
APN: blweb
Protocol: http
Wap:
Profile Name: blwap
APN: blwap
Proxy/Gateway Address: 10.10.55.34 or 010.010.055.034
Port: 8799
Protocol: http
TeleTalk:
To activate GPRS service. Write 'reg' or unl [for unlimited use] and send SMS to 111. It’ll be activated within 72 hours and you will be notified. Charge applicable, only TK. 25.00 + Vat 15%.
Then configure your mobile handset for using GPRS:
APN: wap (for regular) or gprsunl (for unlimited)
IP: 192.168.145.101
Port: 9201

Charge: Taka 0.02/Kb (for regular) and Taka 800/month (for unlimited). VAT 15% will be add.

Nokia Secret Codes 2

*3370# This Nokia code activates Enhanced Full Rate Codec (EFR) - Your Nokia cell phone uses the best sound quality but talk time is reduced my approx. 5%
#3370# Deactivate Enhanced Full Rate Codec (EFR) .
*#4720# Activate Half Rate Codec - Your phone uses a lower quality sound but you should gain approx 30% more Talk Time.
*#4720# With this Nokia code you can deactivate the Half Rate Codec.
*#0000# Displays your phones software version, 1st Line : Software Version, 2nd Line : Software Release Date, 3rd Line : Compression Type .
*#9999# Phones software version if *#0000# does not work.
*#06# For checking the International Mobile Equipment Identity (IMEI Number) .
#pw+1234567890+1# Provider Lock Status. (use the "*" button to obtain the "p,w" and "+" symbols).
#pw+1234567890+2# Network Lock Status. (use the "*" button to obtain the "p,w" and "+" symbols) .
#pw+1234567890+3# Country Lock Status. (use the "*" button to obtain the "p,w" and "+" symbols).
#pw+1234567890+4# SIM Card Lock Status. (use the "*" button to obtain the "p,w" and "+" symbols) .
*#147# This lets you know who called you last (Only vodofone).
*#1471# Last call (Only vodofone) .
*#21# This phone code allows you to check the number that "All Calls" are diverted to.
*#2640# Displays phone security code in use .
*#30# Lets you see the private number.
*#43# Allows you to check the "Call Waiting" status of your cell phone.
*#61# Allows you to check the number that "On No Reply" calls are diverted to .
*#62# Allows you to check the number that "Divert If Unreachable (no service)" calls are diverted to .
*#67# Allows you to check the number that "On Busy Calls" are diverted to
*#67705646# Phone code that removes operator logo on 3310 & 3330
*#73# Reset phone timers and game scores.
*#746025625# Displays the SIM Clock status, if your phone supports this power saving feature "SIM Clock Stop Allowed", it means you will get the best standby time possible .
*#7760# Manufactures code.
*#7780# Restore factory settings.
*#8110# Software version for the nokia 8110.
*#92702689# Displays - 1. Serial Number, 2. Date Made, 3. Purchase Date, 4. Date of last repair (0000 for no repairs), 5. Transfer User Data. To exit this mode you need to switch your phone off then on again.
*#94870345123456789# Deactivate the PWM-Mem.
**21*number# Turn on "All Calls" diverting to the phone number entered.
**61*number# Turn on "No Reply" diverting to the phone number entered .
**67*number# Turn on "On Busy" diverting to the phone number entered .
12345 This is the default security code .
press and hold # Lets you switch between lines.

Nokia Secret Codes

On the main screen type in:
1) *#06# for checking the IMEI (International Mobile Equipment Identity).
2) *#7780# reset to factory settings.
3) *#67705646# This will clear the LCD display(operator logo).
4) *#0000# To view software version.
5) *#2820# Bluetooth device address.
6) *#746025625# Sim clock allowed status.
7) #pw+1234567890+1# Shows if sim have restrictions.
8) *#92702689# - takes you to a secret menu where you may find some of the information below:
1. Displays Serial Number.
2. Displays the Month and Year of Manufacture
3. Displays (if there) the date where the phone was purchased (MMYY)
4. Displays the date of the last repair - if found (0000)
5. Shows life timer of phone (time passes since last start)
9) *#3370# - Enhanced Full Rate Codec (EFR) activation. Increase signal strength, better signal reception. It also help if u want to use GPRS and the service is not responding or too slow. Phone battery will drain faster though.
10) *#3370* - (EFR) deactivation. Phone will automatically restart. Increase battery life by 30% because phone receives less signal from network.
11) *#4720# - Half Rate Codec activation.
12) *#4720* - Half Rate Codec deactivation. The phone will automatically restart
13) If you forgot wallet code for Nokia S60 phone, use this code reset: *#7370925538#
Note, your data in the wallet will be erased. Phone will ask you the lock code. Default lock code is: 12345
14) Press *#3925538# to delete the contents and code of wallet.
15) Unlock service provider: Insert sim, turn phone on and press vol up(arrow keys) for 3 seconds, should say pin code. Press C,then press * message should flash, press * again and 04*pin*pin*pin# \
16) *#7328748263373738# resets security code. Default security code is 12345
17) Change closed caller group (settings >security settings>user groups) to 00000 and your phone will sound the message tone when you are near a radar speed trap. Setting it to 500 will cause your phone to set off security alarms at shop exits, great for practical jokes! (works with some of the Nokia phones.)
18) Press and hold "0" on the main screen to open wap browser.
Reference: http://gleez.com

Friday, November 14, 2008

To See Bengali Font in your Browser

Have problem to see bengali font in your browser? Or is the fonts too small to see? Follow the instructions to see bengali fonts-

Firstly, download the font "AdorshoLipi_20-07-2007.ttf". To download "AdorshoLipi_20-07-2007.ttf" font "Click here".

Now Follow the instruction as your browser-

Internet Explorer:
-> Goto Tools menu
-> Click Internet Options...
-> In General tab click on Fonts... just below the window.
-> Select Bengali from Language script
-> Select "AdorshoLipi" from both Web page font and Plain text font.
-> Click Ok
-> Click Ok.

Opera:
-> Go to Tools menu
-> Then click Preferences
-> Click Advance Tab
-> Click on Fonts option on the left list
-> Then click to "International Fonts..." just below to the window
-> Select Bengali in Writing system
-> Then select "AdorshoLipi" both in Normal font and Monosace font.
-> Click Ok
-> Again click Ok.

Mozilla Firefox:
-> Go to Tools menu
-> Click Options...
-> Select Content Tab
-> On "Fonts & Colors" options click "Adanced..." just right to size
-> Select Bengali from list of "Fonts for:"
-> Select "AsorshoLipi" from Serif, Sans-serif and Monospace pop menu.
-> Click OK
-> Click OK

If you still have any problem to see bengali, please send me message on shout box.

Formatting Hard Disk or Removable Disk

There are two ways of formatting your hard disk or removable disk- i) Normal or Default Formatting and ii) Quick Formatting.

Default Formatting:This process of formatting is slow and low level formatting but your system remove all data from the partition with scanning the bad sectors. Your system can fix bad sector also.

Quick Formatting:This process of formatting is more speedy then default formatting that you can save time. Your system only remove the data but it does not scan the disk for bad sector and cannot fix them.

It is recommanded that you should choose the default formatting for your disk health. If you sure about the health of your hard disk or removable disk you may select quick formatting to save time. Otherwise, default formatting should be chosen.