Subscribe Now: freedictionary

Add to The Free Dictionary

Thursday, 23 February 2012

JavaScript How To Writing to The HTML Document


The example below writes a <p> element with current date information to the HTML document:

Example

<html>
<body>

<h1>My First Web Page</h1>

<script type="text/javascript">
document.write("<p>" + Date() + "</p>");
</script>


</body>
</html>

Try it yourself »
Note: Try to avoid using document.write() in real life JavaScript code. The entire HTML page will be overwritten if document.write() is used inside a function, or after the page is loaded. However, document.write() is an easy way to demonstrate JavaScript output in a tutorial.

Changing HTML Elements

The example below writes the current date into an existing <p> element:

Example

<html>
<body>

<h1>My First Web Page</h1>

<p id="demo"></p>

<script type="text/javascript">
document.getElementById("demo").innerHTML=Date();
</script>


</body>
</html>

Try it yourself »
Note: To manipulate HTML elements JavaScript uses the DOM method getElementById(). This method accesses the element with the specified id.

Examples Explained

To insert a JavaScript into an HTML page, use the <script> tag.
Inside the <script> tag use the type attribute to define the scripting language.
The <script> and </script> tells where the JavaScript starts and ends:
<html>
<body>
<h1>My First Web Page</h1>

<p id="demo">This is a paragraph.</p>

<script type="text/javascript">
... some JavaScript code ...
</script>

</body>
</html>
The lines between the <script> and </script> contain the JavaScript and are executed by the browser.
In this case the browser will replace the content of the HTML element with id="demo", with the current date:
<html>
<body>
<h1>My First Web Page</h1>

<p id="demo">This is a paragraph.</p>

<script type="text/javascript">
document.getElementById("demo").innerHTML=Date();
</script>

</body>
</html>
Without the <script> tag(s), the browser will treat "document.getElementById("demo").innerHTML=Date();" as pure text and just write it to the page: Try it yourself

Some Browsers do Not Support JavaScript

Browsers that do not support JavaScript, will display JavaScript as page content.
To prevent them from doing this, and as a part of the JavaScript standard, the HTML comment tag should be used to "hide" the JavaScript.
Just add an HTML comment tag <!-- before the first JavaScript statement, and a --> (end of comment) after the last JavaScript statement, like this:
<html>
<body>
<script type="text/javascript">
<!--
document.getElementById("demo").innerHTML=Date();
//-->
</script>
</body>
</html>
The two forward slashes at the end of comment line (//) is the JavaScript comment symbol. This prevents JavaScript from executing the --> tag.

JavaScript How To Writing to The HTML Document



The example below writes a <p> element with current date information to the HTML document:

Example

<html>
<body>

<h1>My First Web Page</h1>

<script type="text/javascript">
document.write("<p>" + Date() + "</p>");
</script>


</body>
</html>

Try it yourself »
Note: Try to avoid using document.write() in real life JavaScript code. The entire HTML page will be overwritten if document.write() is used inside a function, or after the page is loaded. However, document.write() is an easy way to demonstrate JavaScript output in a tutorial.

Changing HTML Elements

The example below writes the current date into an existing <p> element:

Example

<html>
<body>

<h1>My First Web Page</h1>

<p id="demo"></p>

<script type="text/javascript">
document.getElementById("demo").innerHTML=Date();
</script>


</body>
</html>

Try it yourself »
Note: To manipulate HTML elements JavaScript uses the DOM method getElementById(). This method accesses the element with the specified id.

Examples Explained

To insert a JavaScript into an HTML page, use the <script> tag.
Inside the <script> tag use the type attribute to define the scripting language.
The <script> and </script> tells where the JavaScript starts and ends:
<html>
<body>
<h1>My First Web Page</h1>

<p id="demo">This is a paragraph.</p>

<script type="text/javascript">
... some JavaScript code ...
</script>

</body>
</html>
The lines between the <script> and </script> contain the JavaScript and are executed by the browser.
In this case the browser will replace the content of the HTML element with id="demo", with the current date:
<html>
<body>
<h1>My First Web Page</h1>

<p id="demo">This is a paragraph.</p>

<script type="text/javascript">
document.getElementById("demo").innerHTML=Date();
</script>

</body>
</html>
Without the <script> tag(s), the browser will treat "document.getElementById("demo").innerHTML=Date();" as pure text and just write it to the page: Try it yourself

Some Browsers do Not Support JavaScript

Browsers that do not support JavaScript, will display JavaScript as page content.
To prevent them from doing this, and as a part of the JavaScript standard, the HTML comment tag should be used to "hide" the JavaScript.
Just add an HTML comment tag <!-- before the first JavaScript statement, and a --> (end of comment) after the last JavaScript statement, like this:
<html>
<body>
<script type="text/javascript">
<!--
document.getElementById("demo").innerHTML=Date();
//-->
</script>
</body>
</html>
The two forward slashes at the end of comment line (//) is the JavaScript comment symbol. This prevents JavaScript from executing the --> tag.

JavaScript Popup Boxes

Alert Box

An alert box is often used if you want to make sure information comes through to the user.
When an alert box pops up, the user will have to click "OK" to proceed.

Syntax

alert("sometext");

Example

<html>
<head>

function show_alert()
{
alert("I am an alert box!");
}
</script>
</head>
<body>



</body>
</html>

Try it yourself »


Confirm Box

A confirm box is often used if you want the user to verify or accept something.
When a confirm box pops up, the user will have to click either "OK" or "Cancel" to proceed.
If the user clicks "OK", the box returns true. If the user clicks "Cancel", the box returns false.

Syntax

confirm("sometext");

Example

<html>
<head>

function show_confirm()
{
var r=confirm("Press a button");
if (r==true)
  {
  alert("You pressed OK!");
  }
else
  {
  alert("You pressed Cancel!");
  }
}
</script>
</head>
<body>



</body>
</html>

Try it yourself »


Prompt Box

A prompt box is often used if you want the user to input a value before entering a page.
When a prompt box pops up, the user will have to click either "OK" or "Cancel" to proceed after entering an input value.
If the user clicks "OK" the box returns the input value. If the user clicks "Cancel" the box returns null.

Syntax

prompt("sometext","defaultvalue");

Example

<html>
<head>

function show_prompt()
{
var name=prompt("Please enter your name","Harry Potter");
if (name!=null && name!="")
  {
  document.write("Hello " + name + "! How are you today?
");
  }
}
</script>
</head>
<body>



</body>
</html>

Try it yourself »


Examples

More Examples

Alert box with line breaks


Harvest Painless Time Tracking

Keep track of development time easily with Harvest. Start a timer from your web browser, desktop or mobile device in seconds.
Get started with a free 30-day trial today.

JavaScript Functions

To keep the browser from executing a script when the page loads, you can put your script into a function.
A function contains code that will be executed by an event or by a call to the function.
You may call a function from anywhere within a page (or even from other pages if the function is embedded in an external .js file).
Functions can be defined both in the and in the section of a document. However, to assure that a function is read/loaded by the browser before it is called, it could be wise to put functions in the section.

How to Define a Function

Syntax

function functionname(var1,var2,...,varX)
{
some code
}
The parameters var1, var2, etc. are variables or values passed into the function. The { and the } defines the start and end of the function.
Note: A function with no parameters must include the parentheses () after the function name.
Note: Do not forget about the importance of capitals in JavaScript! The word function must be written in lowercase letters, otherwise a JavaScript error occurs! Also note that you must call a function with the exact same capitals as in the function name.


JavaScript Function Example

Example

<html>
<head>
<script type="text/javascript">
function displaymessage()
{
alert("Hello World!");
}
</script>
</head>

<body>
<form>
<input type="button" value="Click me!" onclick="displaymessage()" />
</form>
</body>
</html>

Try it yourself »
If the line: alert("Hello world!!") in the example above had not been put within a function, it would have been executed as soon as the page was loaded. Now, the script is not executed before a user hits the input button. The function displaymessage() will be executed if the input button is clicked.
You will learn more about JavaScript events in the JS Events chapter.

The return Statement

The return statement is used to specify the value that is returned from the function.
So, functions that are going to return a value must use the return statement.
The example below returns the product of two numbers (a and b):

Example

<html>
<head>
<script type="text/javascript">
function product(a,b)
{
return a*b;
}
</script>
</head>

<body>
<script type="text/javascript">
document.write(product(4,3));
</script>

</body>
</html>

Try it yourself »


The Lifetime of JavaScript Variables

If you declare a variable, using "var", within a function, the variable can only be accessed within that function. When you exit the function, the variable is destroyed. These variables are called local variables. You can have local variables with the same name in different functions, because each is recognized only by the function in which it is declared.
If you declare a variable outside a function, all the functions on your page can access it. The lifetime of these variables starts when they are declared, and ends when the page is closed.

Advanced JavaScript Examples

HTML Encoder Decoder

 

 

We have two tools on this page, a HTML Encoder and a Text Escape tool (located at the bottom of the page). The first tool will encode html and is a way to hide html text from prying eyes. Our HTML Encoder is an online tool that converts HTML code into a JavaScript Unicode string which means the text looks scrambled when your source code is viewed, but when executed as a web page, appears to be normal.

When you encode text, you are not protecting your HTML code, but it does do a great job as a deterrent to those that would otherwise attempt to view your code in passing. Chances are, they’ll just move on.
To get started encoding, simply enter your text or html code you wish to encode (or the url encoded text) in the box below, press the process button and you’ll instantly see the results. To finish, simply cut and paste the new code into the spot where the original code would was and save your changes.

HTML Encoder Decoder

When decoding, enter the entire code including the script tags. Below is an example of encoded text, if you enter this in the top box and press ‘process’, you will see? Try it and find out what it says:)
<script type="text/javascript">document.write(‘\u0048\u0069\u0021′);

Encode HTML

Enter the text to encode or the encoded text you want decoded below:
There are two boxes below, one for the text and one for the output. You can enter plain text into the encoder and you’ll see the output below with javascript tags ready to be inserted into your web page. The output of text will be encoded.

Decode Text

If you find text that you would like to decode, simply paste it into the first box and ‘click process’. You will see the decoded text appear in the box below.

Encoded Text

In the bottom box is javascript code that you put in place of the text you wanted encoded. When a browser runs the script, it will display your hidden text but if someone tries to view the source, it will not be easily read. The text below is what a human would see if they tried to view your text.

Escape Text

Below, you’ll find a great tool to help you escape text. This tool will look for any special characters and escape them – escaped text or escaped html is often required by programs such as Google, Yahoo and MSN.
To unescape text, simply copy the escaped text into the top box below and press ‘UnEscape’ and the results of the second box will be unescaped.

Monday, 13 February 2012

free download simple software

Sr No
Software Name

1
Dev C++
2
Java Development Kit
3
JCreators
4
WAP Proof
5
Notepad++
6
Desktop Lock
7
Dictionary
8
Team Viewer
9
Turbo C

cg programs

Miscellaneous
1 Program to Make a Fish
2 Program to Move a Fish
3 Program to Make a Flag
4 Program to Make a Hut
5 Program to Make a Kite
6 Program of Road Animation
7 Program of Scaling Transformation
8 Program to Move a Person having Balloons
9 Program of Translation Transformation




Linux Unix Command

login       Access computer; start interactive session
Syntax:  login [username]

logout    Exits the current session
Syntax:  logout

shutdown        Shuts down your Linux system in a way that prevents damage to the file system
Syntax: shutdown [options] time [message]
Options

-f         reboots quickly without checking the filesystem
-h         halt the system after shutdown
-r         restart the computer

su             Creates a new shell session with a different user id and privileges
Syntax:  su [username]

tty                        Displays the number of terminal devices that are currently in use
Syntax:  tty

cal            Displays a calendar of the current year
Syntax:  Cal [option][month][year]

Options

-j         displays the calendar using Julian dates, with the days numbered from 1 sequentially to the end of the year

-y        Display a calendar for the entire year

date                     Displays the current date and time as traced by the system clock
Syntax:  date [option][date]

Options

-u         displays the date and time in GMT format
-s          set the date

hostname        Displays the system’s network identification name (hostname)
Syntax:  hostname [option][hostname]

Options

-a        displays the hostname alias
-i         display the ip address
-d        displays the name of the domain to which the host belongs

man        Displays text only manual pages and is the quick way to get information of most of the utilities installed to the system.
Syntax: man[options][section][title]

Options

-a         list all the man pages that match the title
-d        displays debugging information
-k         lists short description of all the man pages that match the specified string

pwd   This command shows the full path of the current directory
Syntax:        pwd

uname         Provides the wealth of information about the system you are using i.e it returns the name of the OS
Syntax:        uname[option]

Option                    

-a        all available information
-m       type of processor in use
-n        Displays the computer’s host name

uptime         Displays the current time, The amount of time the system has been running in the current session
users              Displays the total number of users currently working in the current session
who               Displays the name of the users currently logged into the system.
Syntax:        Who[option]

Options

-h                     display column heading
--help             lists available options

whoami                   Displays the username of the user currently logged in to the terminal session
bash Starts the bash shell.
Syntax:        Bash[option][filename]

Options

-c          Read commands from the specified string
-i         Starts bash as an interactive shell

bg       places the process in the background
Syntax:        bg[jobid]

env    It  displays or sets the specified variables.
Syntax:        env[option][variable=value][command]

Options

-u        unset the specified variable
-i         ignore the current environment

jobs   Lists all running or suspended jobs
Syntax:        Jobs[option][jobid]

Options

-l         list job Ids and Process ids
-n        lists all altered jobs
-p        lists process ids only

kill     Terminates the specified process
Syntax:        kill[option][id]

Options

-l            list the available signal names and numbers
-s            Specifies the signal by name

killall           kills all the processes
Syntax:        killall[option][name]

Options

-e        Require an exact match of long names
-i         Asks for confirmation before killing

ps                Displays the list of running processes
Syntax:        Ps[option][sort key][output field]

Options
-a        shows all processes on the current terminal
-e        shows all processes
-h        Shows the process hierarchy


suspend      suspends a command
Syntax:        suspend

tee     accepts output from the specified command and “splits” the output to the standard output
Syntax:        command|tee[option]filename

Options

-a        Append to the file
-i         ignore interrupt signal

cd       Change the current directory
Syntax:        cd [directory|path name]

dir      Lists the files in the current directory in case-sensitive,alphabetical order,using a columnar format.
Syntax:        dir [option][pattern]

Options

-1        list entries using one line for each filename
-a        shows all files including hidden files
-c         lists files sorted by the time of the last modification to the file’s status

find   This command searches the current directory for files with names that match the specified shell pattern.
Syntax:        find pattern

ls        Lists the files in the current directory in case sensitive alphabetical order using a columnar format.
Syntax:        ls [option][pattern]

Options

-l            Lists files in long listing format

chgrp            Change the ownership of the specified file to the specified group.
Syntax:        chgrp [option] group file

Options

-c                     Display message only when changes are made
-f                     hide messages
--help            display available options
   

chmod         changes the permission settings of the filename to the mode.

Syntax:        chmod [option] mode filename

Options

-c               Display message only when changes are made
-f                hide messages
--help      display available options

chown                Change the ownership of the specified file to the specified user.
Syntax:  chown [option] user [.group] file

Options

-c                      Display message only when changes are made
-f                     hide messages
--help            display available options

cp             copies one source file to the destination file
Syntax:  cp [option][source][destination]

Options

-a         create archive copies of the files.
-b         makes a backup copy
-f          remove existing destination file

dd             Copies the file and performs various conversations at the same time.
Syntax:  dd [option]
Options

bs        specify the size of the input and output bit streams in bytes.
Cbs      specify the number of bytes to convert at a time

ln              Creates a hard link to the specified target file.
Syntax:  ln [option] target [link name]

Options

-b          make a backup copy
-d         creates hard links to directories
-f         remove existing destination files.

Mkdir     Creates a specified directory.
Syntax:  mkdir [option] directory

Options

-m       creates the directory with the specifie permissions.
-p        makes parent directory.

mv           renames or moves one source file to a destination file or moves multiple source file to a destination that must be an existing directory.
Syntax:  mv [option][source][destination]

Options

-b         backup copy
-f          remove existing destination file
-i         prompt before overwriting existing destination file.

Rm           removes the specified file
Syntax:  rm [option] [file]
Options

-d         unlink the directory even if it is non empty.
-f         ignore non existent files
-i          prompt before overwriting existing destination file.

Rmdir    removes the specified directory but only if it is empty.
Syntax:  rmdir[option] directory

Options

-p        removes associated parent directory

Touch     It changes the time of the last access or modification of the specified filename to the current time.
Syntax:  touch [option] filename

Options
-a              changes the access time but no other times
-c               do not create any file.

Undelete    restores files deleted earlier using safedelete command
Syntax:  undelete [option][filename]

Options

-i          Displays information about the file
-l         Display a list of safedeleted files that can be restored.

Wc     Display line, word  and character count for the specified filename.
Syntax:  wc [option][filename]

Options

-c          Show the character count only
-l         Show the line count only
-w       Show the word count only

Df                   Displays the amount of disk space used and remaining on all mounted filesystems.
Syntax:  df [option] [filename]

Options

-a        include all filesystems
-h        displays sizes in a human readable format

Du      Displays the amount of disk space used in the current directory.
Syntax:  du [option][filename]

Options

-a        Show sizes of individual file
-c         Print the grandtotal of all arguments after all have been processed.

Fdisk                        Launches a menu driven program that partitions a hard disk
Syntax:  fdisk [option] device

Options

-l         List the current partition table
-s         Display the size of the specified partition
-v         Display the version number.

Mount          Attaches the device to the specified directory, which will serve as the filesystem’s mount point.
Syntax:  mount [option] device [directory]

Options

-a              Mount all the filesystems listed in /etc/fstab, except those set to noauto
-r               Mount the device as read only
-h              Display the available options.

Cat     Displays the specified filename on the standard output.
Syntax:  cat [option] [filename]

Options

-e        Display control and non-printing characters
-n        Number all output lines

Cmp  Compares the two specified files to determine whether any difference exist.
Syntax:  cmp [option] filename1 filename2

Options

-l         Print the Byte numbers of each difference and show the differing values
-s         Indicate nothing but generate the exit codes.
-c          Print the differing bytes as characters.

Cut     Displays a range of characters from the specified filename.
Syntax:  cut [option][filename]

Options

-b        output only the bytes specified by range
-c         Output only the character specified by range

Grep  Searches filename for lines that match a regular expression.
Syntax:  grep [option] regexp [filename]

Options

-a        Display n lines of trailing context after matching lines
-b        Display the byte offset in the input file before each line of output.

Sort   Sorts the specified filename line by line in character order.
Syntax:  sort [option][filename]

Options

-b         Ignore leading blanks
-d         Use only alphanumeric characters in keys
-f         converts lowercase to uppercase characters in keys

Uniq  Removes duplicate lines from a sorted input file and writes to the output file.
Syntax:  Uniq [option][input file][output file]

Options

-c         Prefix lines by the number of occurrences
-d        print the duplicate lines
-i   ignore case

PARAMETER EXPANSION
A shell parameter is an entity that stores a value(which is null). Among the various types of shell parameters are variables. You can create your own variable. Besides this there are several Built in variables as well.
How to create a variable?
Name=value    Create a variable called name and assign value to this variable.
$name               Insert the value of name
BUILT IN VARIABLES
$BASH                      The location of bash
$BASH_ENV              The location of the current .bashrc file in use
$BASH_VERSION       The version number of bash
$CDPATH                  The path to be used when cd is used
$DIRSTACK                An array variable containing the current contents of the directory stack
$FCEDIT                    The text editor used by default for the fc command
$FIGNORE                 A colon-separated list of suffixes to ignore when performing filename     completion

Standard Directory Structure
Directory          Purpose
/                          The root directory
/bin                     Start-up programs and commands used in single-user mode
/boot                  Files used to start the system
/dev                    Special files representing system files
/etc                    System – level configuration files and scripts
/home                 The user’s home directory
/lib                      Shared library files
/mnt                   The mount point for temporary file systems
/opt                    The installation directory for commercial software
/root                   The home directory for home user.
/tmp                   The storage space for temporary file
/usr                     The storage space for files that need to be made available system wide
/var                     Data file of variable length.
Click Here to download the above commands with detail

Java Programs

Following programs have been developed in JCreator. Click to download JCreator and Java Development Kit (JDK)

Simple Java Programs
Sr No Name of Programe
1 Program to Calculate Compound Interest
2 Program to Calculate Depreciation
3 Program to Convert Decimal Number to Binary, Octal and Hexadecimal
4 Program to Convert Fahrenheit into Celsius
5 Program to Find Roots of Quadratic Equation
6 Program to Add Two Numbers by Using Command Line Argument
7 Program to Calculate Square Root of a Number
8 Program to Print Alphabets from ASCII Value
9 Program to Print ASCII Value of Alphabets
Control Statements
1 Program to Check Whether the Number is Armstrong or Not
2 Program to Check Whether the Number is Palindrom or Not
3 Simple Calculator
4 Program to Find Largest from Three Numbers
5 Progarm to Find Numbers Divisble by 7 from 0 to 100
6 Progarm to Find Perfect Number from 1 to 100
7 Progarm to Find Prime Numbers Between 0 to 100
8 Progarm to Print Next Prime Number
9 Progarm to Find Reverse of a Number
10 Progarm to Find the Sum of Digits of a Number
11 Progarm to Print Sum of Series 1+1/2+.......+1/10
12 Program to Print Sum of Series 1+x+x2+x3+......+xn
13 Programe to Print Sum of Series 1-(x/1! +x2/2!+......+xn/n!)
14
Program to Print the Pattern:

1
2 3
4 5 6
7 8 9 10
15
Program to Print the Pattern:

1
1 1
1 0 1
1 0 0 1
16
Program to Print the Pattern:

1
0 1
1 0 1
0 1 0 1
17
Program to Print the Pattern:

   *

 *  *

*  *  *

 *  *

   *
   
18
Program to Print the Pattern:

1
1 1
1 2 1
1 3 3 1
1 4 6 4 1

Array
1 Program to Print Numbers From 1 to 100 Using 2D Array
2 Program to Search an Element From Array
3 Program to Delete an Element From Array
4 Program of Merge Sort
5 Program of Matrix Multipication
6 Program to Calculate the Transpose of a Matrix
7 Program to Print Reverse Order of Array
String
1 Example of Array of String
2 Program which implements StringBuffer Class
3 Program to Sort a String
Recursion
1 Program to Calculate Factorial Using Recursion
Class and Object
1 Program to Calculate Area and Circumference of Circle
2 Program to Calculate Area of Rectangle
3 Program to Calculate Number of Votes Received by All Candidates
4 Program to Calculate Total Numbers of Objects Created For a Class
5 Program to Calculate Factorial Using Recursion & Class and Object
6 Program to Print Records of 5 Students in 3 Semesters
7 Calculate Factorial Using Recursion and OOP (Part-2)
8 Example of This Keyword
Constructor
1 Program to Print Largest from Three
2 Example of Constructor Overloading
3 Example of BookShop Management
4 Example of Toll Booth

Inheritance
1 Program to Implement the Concept of Inheritance (Banking Example)
2 Example of Multilevel Inheritance
3 Example of Using Interface (Multiple Inheritance)

Packages
1 Program to Calculate Cube Using Packages
Applet
1 Example of Applet Using drawString(),drawOval() and drawRect()
2 Applet Having Bouncing of a Ball
3 Applet to calculate to Sum of Two Numbers
Exception Handling
1 Simple Example of Exception Handling
2 Example of Multiple Catch in Exception Handling
3 Example of Using NumberFormatException
4 How Can You Create Your Own Exception

Event Handling
1 Program of Event Handling by using ActionListner
2 Program of Event Handling by using MouseListner

Vector Class
1 Simple Example of Vector Class
MultiThreading
1 Example of Multithreading Using Thread Class




Examples
an image
C Examples

Java Examples

C++ Examples

Data Structure Examples

CG Examples

Linux Examples

WML Examples

Visual Basic Example

Popular Pages
an image
Java Programs

C Programs

Data Structure Algorithms

Visual Basic Programs

Linux Shell Programs

WML / WMLS Programs

Computer Graphics

CG Algorithm

Friday, 10 February 2012

Visual Basic Projects


Developing a Project is very difficult job for any student. We are not in position to understand that what actual project is ? W3Professors is providing different types of minor and major projects to our respected students at free of cost. These projects are already designed by Professionals and Students. So if you have a good project then you can mail us at info@w3professors.com. We will publish your project to this site under your name and email id.
In the first phase we are going to upload some minors applications & projects of visual basic

Sr No
Program/Application Name

1
To Calculate Average of Numbers
2
Working of Simple Calulator
3
Form Having Connectivity With Acess Database (ADODC)
4
Armstrong Number
5
Calculete Average
6
Example of Case Statement
7
Calculate Compund Interest
8
Definite Series
9
Even Odd
10
Factorial Number
11
Fabonic Series
12
Calculate GCD
13
Generate Table
14
GP Series
15
How Can We Handle Mouse Move Event
16
Project Management
17
Payroll Project
18
Multimedia Video Player
19
Example of List Box
20
How Can We Desing Menu in Visual Basic
21
How Can We Make MDI Form
22
Math Calculator
23
How Can You Calculate Loan
24
Example of Message Box
25
Example of InputBox
26
Working With Files
27
Draw Different Drawing Objects
28
How to DIsplay Clock
29
How To Play CD With Visual Basic
30
Keypad
31
Find Maximum Number
32
Find Minimun Number
33
Calculate Net Salary
34
Example of Option Button
35
Check Perfect Square Number
36
Check Prime Number
37
Print Pyramid
38
Sum of Natural Number
39
Example of While Loop
40
Swapping of 2 Varibles without using 3rd Variable

WAP/WML Programs


WML (Wireless MarkUp Language)
Sr No Name of Program
1 What is Document Prolouge
2 Program to Accept Username and Password
3 Program to Print the Data in Table
4 Program to Insert a WBMP (image fie) in WML file
5 Program to use Option & Select tags with Variable
6 Example of OnPick Event
7 Example of How to use Anchor Tag
8 Example of HyperLink
9 Program to Accept Inoformation from User (Input Tag)
10 Program that how can we use Multiple Cards in a Single WML File (DECK)
11 Example of OPTGROUPTag
12 Programe of How to design a Simple WML Card
13 Example that How can we use <p> tag in WML
14 Program to implements <do type> Tag


WMLS (Wireless MarkUp Language Script)
1 Example of WMLS
2 Program to Accept a Number and Print the Square
3 Program to Accept Two Numbers and Print the Sum


Engineering -Thinks of Words

Subscribe Now: google

Add to Google Reader or Homepage