SlideShare a Scribd company logo
Introduction to Visual Programming
Lecture #2:

C# Program Structure
identifiers, variables, inc & dec
C# Program Structure
Program specifications (optional)
//==========================================================
//
// File: HelloWorld.cs CS112 Assignment 00
//
// Author: Muhammad Adeel Abid
Email: m_adeel_dcs@yahoo.com
//
// Classes: HelloWorld
// -------------------// This program prints a string called "Hello, World!”
//
//==========================================================

Library imports
using System;

Class and namespace definitions
class HelloWorld
{
static void Main(string[] args)
{
Console.WriteLine(“Hello, World!”);
}
}
2
Comments
Comments

Comments are ignored by the compiler: used only for
human readers (i.e., inline documentation)
Two types of comments

• Single-line comments use

//…
// this comment runs to the end of the line

• Multi-lines comments use /*

… */

/* this comment runs to the terminating
symbol, even across line breaks
*/

3
Identifiers
Identifiers are the words that a programmer uses in a program
An identifier can be made up of letters, digits, and the underscore
character
They cannot begin with a digit
C# is case sensitive, therefore args and Args are different
identifiers
Sometimes we choose identifiers
ourselves when writing a program
(such as HelloWorld)
using System;
class HelloWorld
Sometimes we are using another {
static void Main(string[] args)
programmer's code, so we use
{
Console.WriteLine(“Hello World!”);
the identifiers that they chose
}
(such as WriteLine)
}
4
Identifiers: Keywords
Often we use special identifiers called keywords that
already have a predefined meaning in the language
Example: class

A keyword cannot be used in any other way
C# Keywords

abstract
byte
class
delegate
event
fixed
goto
interface
namespace
out
public
sealed
static
throw
ulong
value

as
case
const
do
explicit
float
if
internal
new
override
readonly
set
string
true
unchecked
virtual

base
catch
continue
double
extern
for
implicit
is
null
params
ref
short
struct
try
unsafe
void

bool
char
decimal
else
false
foreach
in
lock
object
private
return
sizeof
switch
typeof
ushort
volatile

break
checked
default
enum
finally
get
int
long
operator
protected
sbyte
stackalloc
this
uint
using
while

All C# keywords are lowercase!
5
C# Program Structure: Class
//

comments about the class

class HelloWorld
{

class header
class body

Comments can be added almost anywhere
}

6
C# Classes
Each class name is an identifier
• Can contain letters, digits, and underscores (_)
• Cannot start with digits
• Can start with the at symbol (@)

Convention: Class names are capitalized, with
each additional English word capitalized as well
(e.g., MyFirstProgram )

Class bodies start with a left brace ({)
Class bodies end with a right brace (})
7
C# Program Structure: Method
//

comments about the class

class HelloWorld
{
//

comments about the method

static void Main (string[] args)
{

Console.Write(“Hello World!”);
Console.WriteLine(“This is from CS112!”);

}
}

8
Console Application vs. Window Application
Console Application
No visual component
Only text input and output
Run under Command Prompt or DOS Prompt

Window Application
Forms with many different input and output types
Contains Graphical User Interfaces (GUI)
GUIs make the input and output more user friendly!
Message boxes
• Within the System.Windows.Forms namespace
• Used to prompt or display information to the user
9
Variables
A variable is a typed name for a location in memory
A variable must be declared, specifying the variable's
name and the type of information that will be held in it
data type

variable name numberOfStudents:

int numberOfStudents;
…
int total;
…
int average, max;

9200
total: 9204
9208
9212
9216
average: 9220
max: 9224
9228
9232

Which ones are valid variable names?
myBigVar
99bottles

VAR1
_test
@test
namespace
It’s-all-over
10
Assignment
An assignment statement changes the value of a variable
The assignment operator is the = sign
int total;
…
total = 55;
The value on the right is stored in the variable on the left
The value that was in total is overwritten

You can only assign a value to a variable that is consistent with the
variable's declared type (more later)
You can declare and assign initial value to a variable at the same
time, e.g.,
int total = 55;

11
Example
static void Main(string[] args)
{
int total;
total = 15;
System.Console.Write(“total = “);
System.Console.WriteLine(total);
total = 55 + 5;
System.Console.Write(“total = “);
System.Console.WriteLine(total);
}
12
Constants
A constant is similar to a variable except that it holds
one value for its entire existence
The compiler will issue an error if you try to change a
constant
In C#, we use the constant modifier to declare a
constant
constant int numberOfStudents = 42;

Why constants?
give names to otherwise unclear literal values
facilitate changes to the code
prevent inadvertent errors

13
C# Data Types
There are 15 data types in C#
Eight of them represent integers:
byte, sbyte, short, ushort, int, uint, long,ulong

Two of them represent floating point numbers
float, double

One of them represents decimals:
decimal

One of them represents boolean values:
bool

One of them represents characters:
char

One of them represents strings:
string

One of them represents objects:
object

14
Numeric Data Types
The difference between the various numeric types is their size,
and therefore the values they can store:
Type

Storage

Range

byte
sbyte
short
ushort
int
uint
long
ulong

8 bits
8 bits
16 bits
16 bits
32 bits
32 bits
64 bits
64 bits

0 - 255
-128 - 127
-32,768 - 32767
0 - 65537
-2,147,483,648 – 2,147,483,647
0 – 4,294,967,295
-9×1018 to 9×1018
0 – 1.8×1019

decimal

128 bits

±1.0×10-28; ±7.9×1028 with 28-29 significant digits

float
double

32 bits
64 bits

±1.5×10-45; ±3.4×1038 with 7 significant digits
±5.0×10-324; ±1.7×10308 with 15-16 significant digits

Question: you need a variable to represent world population. Which type do you use?

15
Examples of Numeric Variables
int x = 1;
short y = 10;
float pi = 3.14f; // f denotes float
float f3 = 7E-02f; // 0.07
double d1 = 7E-100;
// use m to denote a decimal
decimal microsoftStockPrice = 28.38m;

Example: TestNumeric.cs

16
Boolean
A bool value represents a true or false
condition
A boolean can also be used to represent any
two states, such as a light bulb being on or off
The reserved words true and false are
the only valid values for a boolean type
bool doAgain = true;

17
Characters
A char is a single character from the a character set
A character set is an ordered list of characters; each character is
given a unique number
C# uses the Unicode character set, a superset of ASCII

Uses sixteen bits per character, allowing for 65,536 unique characters
It is an international character set, containing symbols and characters
from many languages
Code chart can be found at:
http://www.unicode.org/charts/

Character literals are represented in a program by delimiting with
single quotes, e.g.,
'a‘ 'X‘ '7' '$‘ ',‘
char response = ‘Y’;

18
Common Escape Sequences
Escape sequence Description
n
Newline. Position the screen cursor to the beginning of the
next line.
t
Horizontal tab. Move the screen cursor to the next tab stop.
r
Carriage return. Position the screen cursor to the beginning
of the current line; do not advance to the next line. Any
characters output after the carriage return overwrite the
previous characters output on that line.
’
Used to print a single quote

Backslash. Used to print a backslash character.
"
Double quote. Used to print a double quote (") character.

19
string
A string represents a sequence of
characters, e.g.,
string message = “Hello World”;

20
Data Input
Console.ReadLine()

Used to get a value from the user input
Example
string myString = Console.ReadLine();

Convert from string to the correct data type
Int32.Parse()

• Used to convert a string argument to an integer
• Allows math to be preformed once the string is converted
• Example:
string myString = “1023”;
int myInt = Int32.Parse( myString );

Double.Parse()
Single.Parse()

//for double type variable
//for float type variable

21
Sample Input
//for String
String s;
Console.Write("Enter a string =");
s = Console.ReadLine();
Console.WriteLine("You enter =" + s);
//-----------------------------------//for int
int a;
Console.Write("Enter an integer =");
a = Int32.Parse(Console.ReadLine());
Console.WriteLine("You enter =" + a);
//-----------------------------------//for float
float flt;
Console.Write("Enter float value =");
flt = Single.Parse(Console.ReadLine());
Console.WriteLine("You enter =" + flt);
//-----------------------------------//for double
double dbl;
Console.Write("Enter Double type value =");
dbl = Double.Parse(Console.ReadLine());
Console.WriteLine("You enter =" + dbl);
22
Increment and Decrement
++ is used to denote Increment
Prefix increment(++a)
Postfix increment(a++)

-- is used to denote Decrement
Prefix decrement(--a)
Postfix decrement(a--)

23

More Related Content

What's hot (20)

PPTX
Learn c++ Programming Language
Steve Johnson
 
PPT
Introduction to c#
OpenSource Technologies Pvt. Ltd.
 
PPTX
C++ language
Hamza Asif
 
PPS
C++ Language
Vidyacenter
 
PPT
Introduction To C#
SAMIR BHOGAYTA
 
PPTX
Chapter 2
application developer
 
PPT
Synapseindia dot net development
Synapseindiappsdevelopment
 
PPTX
Oops
Gayathri Ganesh
 
PPSX
C# - Part 1
Md. Mahedee Hasan
 
PPT
C# Basics
Sunil OS
 
PPTX
Oops presentation
sushamaGavarskar1
 
PPTX
C# in depth
Arnon Axelrod
 
DOC
Visual c sharp
Palm Palm Nguyễn
 
ODP
Ppt of c vs c#
shubhra chauhan
 
PPTX
Tokens expressionsin C++
HalaiHansaika
 
PDF
2 expressions (ppt-2) in C++
Kuntal Bhowmick
 
PDF
LEARN C#
adroitinfogen
 
PPTX
C++
k v
 
ODP
Ppt of c++ vs c#
shubhra chauhan
 
PDF
A COMPLETE FILE FOR C++
M Hussnain Ali
 
Learn c++ Programming Language
Steve Johnson
 
C++ language
Hamza Asif
 
C++ Language
Vidyacenter
 
Introduction To C#
SAMIR BHOGAYTA
 
Synapseindia dot net development
Synapseindiappsdevelopment
 
C# - Part 1
Md. Mahedee Hasan
 
C# Basics
Sunil OS
 
Oops presentation
sushamaGavarskar1
 
C# in depth
Arnon Axelrod
 
Visual c sharp
Palm Palm Nguyễn
 
Ppt of c vs c#
shubhra chauhan
 
Tokens expressionsin C++
HalaiHansaika
 
2 expressions (ppt-2) in C++
Kuntal Bhowmick
 
LEARN C#
adroitinfogen
 
C++
k v
 
Ppt of c++ vs c#
shubhra chauhan
 
A COMPLETE FILE FOR C++
M Hussnain Ali
 

Viewers also liked (19)

PPT
Visula C# Programming Lecture 1
Abou Bakr Ashraf
 
PPT
C# basics
Dinesh kumar
 
PPT
D1 Overview of C# programming
Pakorn Weecharungsan
 
PPTX
Project Roslyn: Exposing the C# and VB compiler’s code analysis
Microsoft Developer Network (MSDN) - Belgium and Luxembourg
 
PPT
Dependency parsing (2013)
Craig Trim
 
PPT
Deep Parsing (2012)
Craig Trim
 
PDF
C# for beginners
application developer
 
PPT
Learn C# at ASIT
ASIT
 
PPT
Visula C# Programming Lecture 3
Abou Bakr Ashraf
 
PPTX
SAS University Edition - Getting Started
Craig Trim
 
DOCX
Structure in c sharp
rrajeshvhadlure
 
PPTX
CSharp Presentation
Vishwa Mohan
 
PPT
Data Structure In C#
Shahzad
 
PPTX
C# Tutorial
Jm Ramos
 
PPT
14. Defining Classes
Intro C# Book
 
PPT
0. Course Introduction
Intro C# Book
 
PPT
08. Numeral Systems
Intro C# Book
 
PPT
20. Object-Oriented Programming Fundamental Principles
Intro C# Book
 
PPT
17. Trees and Graphs
Intro C# Book
 
Visula C# Programming Lecture 1
Abou Bakr Ashraf
 
C# basics
Dinesh kumar
 
D1 Overview of C# programming
Pakorn Weecharungsan
 
Project Roslyn: Exposing the C# and VB compiler’s code analysis
Microsoft Developer Network (MSDN) - Belgium and Luxembourg
 
Dependency parsing (2013)
Craig Trim
 
Deep Parsing (2012)
Craig Trim
 
C# for beginners
application developer
 
Learn C# at ASIT
ASIT
 
Visula C# Programming Lecture 3
Abou Bakr Ashraf
 
SAS University Edition - Getting Started
Craig Trim
 
Structure in c sharp
rrajeshvhadlure
 
CSharp Presentation
Vishwa Mohan
 
Data Structure In C#
Shahzad
 
C# Tutorial
Jm Ramos
 
14. Defining Classes
Intro C# Book
 
0. Course Introduction
Intro C# Book
 
08. Numeral Systems
Intro C# Book
 
20. Object-Oriented Programming Fundamental Principles
Intro C# Book
 
17. Trees and Graphs
Intro C# Book
 
Ad

Similar to Visula C# Programming Lecture 2 (20)

PPTX
unit 1 (1).pptx
PriyadarshiniS28
 
PPTX
1. Introduction to C# Programming Langua
KhinLaPyaeWoon1
 
PDF
Programming in C - interview questions.pdf
SergiuMatei7
 
ODP
C prog ppt
xinoe
 
PDF
434090527-C-Cheat-Sheet. pdf C# program
MAHESHV559910
 
PPTX
Java Programming Tutorials Basic to Advanced 2
JALALUDHEENVK1
 
PDF
CSharpCheatSheetV1.pdf
ssusera0bb35
 
DOCX
Theory1&2
Dr.M.Karthika parthasarathy
 
PPT
Basics1
phanleson
 
PPT
Introduction to c programming
ABHISHEK fulwadhwa
 
PPTX
Cordovilla
brianmae002
 
PPT
IntroductionToCSharp.ppt
RishikaRuhela
 
PPT
IntroductionToCSharp.ppt
ReemaAsker1
 
PPT
Introduction toc sharp
SDFG5
 
PPT
IntroductionToCSharp.ppt
ReemaAsker1
 
PPT
IntroductionToCSharppppppppppppppppppp.ppt
kamalsmail1
 
PPT
introductiontocprogramming-130719083552-phpapp01.ppt
RutviBaraiya
 
PPT
Fundamental of C Programming Language and Basic Input/Output Function
imtiazalijoono
 
PPTX
Features and Fundamentals of C Language for Beginners
Dr. Chandrakant Divate
 
unit 1 (1).pptx
PriyadarshiniS28
 
1. Introduction to C# Programming Langua
KhinLaPyaeWoon1
 
Programming in C - interview questions.pdf
SergiuMatei7
 
C prog ppt
xinoe
 
434090527-C-Cheat-Sheet. pdf C# program
MAHESHV559910
 
Java Programming Tutorials Basic to Advanced 2
JALALUDHEENVK1
 
CSharpCheatSheetV1.pdf
ssusera0bb35
 
Basics1
phanleson
 
Introduction to c programming
ABHISHEK fulwadhwa
 
Cordovilla
brianmae002
 
IntroductionToCSharp.ppt
RishikaRuhela
 
IntroductionToCSharp.ppt
ReemaAsker1
 
Introduction toc sharp
SDFG5
 
IntroductionToCSharp.ppt
ReemaAsker1
 
IntroductionToCSharppppppppppppppppppp.ppt
kamalsmail1
 
introductiontocprogramming-130719083552-phpapp01.ppt
RutviBaraiya
 
Fundamental of C Programming Language and Basic Input/Output Function
imtiazalijoono
 
Features and Fundamentals of C Language for Beginners
Dr. Chandrakant Divate
 
Ad

Recently uploaded (20)

PPTX
20250924 Navigating the Future: How to tell the difference between an emergen...
McGuinness Institute
 
PDF
Antianginal agents, Definition, Classification, MOA.pdf
Prerana Jadhav
 
PPTX
K-Circle-Weekly-Quiz12121212-May2025.pptx
Pankaj Rodey
 
PDF
TOP 10 AI TOOLS YOU MUST LEARN TO SURVIVE IN 2025 AND ABOVE
digilearnings.com
 
PPTX
How to Close Subscription in Odoo 18 - Odoo Slides
Celine George
 
PPTX
Translation_ Definition, Scope & Historical Development.pptx
DhatriParmar
 
PPTX
Cleaning Validation Ppt Pharmaceutical validation
Ms. Ashatai Patil
 
PPTX
Introduction to pediatric nursing in 5th Sem..pptx
AneetaSharma15
 
PPTX
PROTIEN ENERGY MALNUTRITION: NURSING MANAGEMENT.pptx
PRADEEP ABOTHU
 
PPTX
ENGLISH 8 WEEK 3 Q1 - Analyzing the linguistic, historical, andor biographica...
OliverOllet
 
PPTX
Python-Application-in-Drug-Design by R D Jawarkar.pptx
Rahul Jawarkar
 
PDF
John Keats introduction and list of his important works
vatsalacpr
 
DOCX
Modul Ajar Deep Learning Bahasa Inggris Kelas 11 Terbaru 2025
wahyurestu63
 
PPTX
Command Palatte in Odoo 18.1 Spreadsheet - Odoo Slides
Celine George
 
PPTX
Dakar Framework Education For All- 2000(Act)
santoshmohalik1
 
PPTX
YSPH VMOC Special Report - Measles Outbreak Southwest US 7-20-2025.pptx
Yale School of Public Health - The Virtual Medical Operations Center (VMOC)
 
PPTX
Continental Accounting in Odoo 18 - Odoo Slides
Celine George
 
PPTX
Virus sequence retrieval from NCBI database
yamunaK13
 
PDF
Module 2: Public Health History [Tutorial Slides]
JonathanHallett4
 
PPTX
Cybersecurity: How to Protect your Digital World from Hackers
vaidikpanda4
 
20250924 Navigating the Future: How to tell the difference between an emergen...
McGuinness Institute
 
Antianginal agents, Definition, Classification, MOA.pdf
Prerana Jadhav
 
K-Circle-Weekly-Quiz12121212-May2025.pptx
Pankaj Rodey
 
TOP 10 AI TOOLS YOU MUST LEARN TO SURVIVE IN 2025 AND ABOVE
digilearnings.com
 
How to Close Subscription in Odoo 18 - Odoo Slides
Celine George
 
Translation_ Definition, Scope & Historical Development.pptx
DhatriParmar
 
Cleaning Validation Ppt Pharmaceutical validation
Ms. Ashatai Patil
 
Introduction to pediatric nursing in 5th Sem..pptx
AneetaSharma15
 
PROTIEN ENERGY MALNUTRITION: NURSING MANAGEMENT.pptx
PRADEEP ABOTHU
 
ENGLISH 8 WEEK 3 Q1 - Analyzing the linguistic, historical, andor biographica...
OliverOllet
 
Python-Application-in-Drug-Design by R D Jawarkar.pptx
Rahul Jawarkar
 
John Keats introduction and list of his important works
vatsalacpr
 
Modul Ajar Deep Learning Bahasa Inggris Kelas 11 Terbaru 2025
wahyurestu63
 
Command Palatte in Odoo 18.1 Spreadsheet - Odoo Slides
Celine George
 
Dakar Framework Education For All- 2000(Act)
santoshmohalik1
 
YSPH VMOC Special Report - Measles Outbreak Southwest US 7-20-2025.pptx
Yale School of Public Health - The Virtual Medical Operations Center (VMOC)
 
Continental Accounting in Odoo 18 - Odoo Slides
Celine George
 
Virus sequence retrieval from NCBI database
yamunaK13
 
Module 2: Public Health History [Tutorial Slides]
JonathanHallett4
 
Cybersecurity: How to Protect your Digital World from Hackers
vaidikpanda4
 

Visula C# Programming Lecture 2

  • 1. Introduction to Visual Programming Lecture #2: C# Program Structure identifiers, variables, inc & dec
  • 2. C# Program Structure Program specifications (optional) //========================================================== // // File: HelloWorld.cs CS112 Assignment 00 // // Author: Muhammad Adeel Abid Email: [email protected] // // Classes: HelloWorld // -------------------// This program prints a string called "Hello, World!” // //========================================================== Library imports using System; Class and namespace definitions class HelloWorld { static void Main(string[] args) { Console.WriteLine(“Hello, World!”); } } 2
  • 3. Comments Comments Comments are ignored by the compiler: used only for human readers (i.e., inline documentation) Two types of comments • Single-line comments use //… // this comment runs to the end of the line • Multi-lines comments use /* … */ /* this comment runs to the terminating symbol, even across line breaks */ 3
  • 4. Identifiers Identifiers are the words that a programmer uses in a program An identifier can be made up of letters, digits, and the underscore character They cannot begin with a digit C# is case sensitive, therefore args and Args are different identifiers Sometimes we choose identifiers ourselves when writing a program (such as HelloWorld) using System; class HelloWorld Sometimes we are using another { static void Main(string[] args) programmer's code, so we use { Console.WriteLine(“Hello World!”); the identifiers that they chose } (such as WriteLine) } 4
  • 5. Identifiers: Keywords Often we use special identifiers called keywords that already have a predefined meaning in the language Example: class A keyword cannot be used in any other way C# Keywords abstract byte class delegate event fixed goto interface namespace out public sealed static throw ulong value as case const do explicit float if internal new override readonly set string true unchecked virtual base catch continue double extern for implicit is null params ref short struct try unsafe void bool char decimal else false foreach in lock object private return sizeof switch typeof ushort volatile break checked default enum finally get int long operator protected sbyte stackalloc this uint using while All C# keywords are lowercase! 5
  • 6. C# Program Structure: Class // comments about the class class HelloWorld { class header class body Comments can be added almost anywhere } 6
  • 7. C# Classes Each class name is an identifier • Can contain letters, digits, and underscores (_) • Cannot start with digits • Can start with the at symbol (@) Convention: Class names are capitalized, with each additional English word capitalized as well (e.g., MyFirstProgram ) Class bodies start with a left brace ({) Class bodies end with a right brace (}) 7
  • 8. C# Program Structure: Method // comments about the class class HelloWorld { // comments about the method static void Main (string[] args) { Console.Write(“Hello World!”); Console.WriteLine(“This is from CS112!”); } } 8
  • 9. Console Application vs. Window Application Console Application No visual component Only text input and output Run under Command Prompt or DOS Prompt Window Application Forms with many different input and output types Contains Graphical User Interfaces (GUI) GUIs make the input and output more user friendly! Message boxes • Within the System.Windows.Forms namespace • Used to prompt or display information to the user 9
  • 10. Variables A variable is a typed name for a location in memory A variable must be declared, specifying the variable's name and the type of information that will be held in it data type variable name numberOfStudents: int numberOfStudents; … int total; … int average, max; 9200 total: 9204 9208 9212 9216 average: 9220 max: 9224 9228 9232 Which ones are valid variable names? myBigVar 99bottles VAR1 _test @test namespace It’s-all-over 10
  • 11. Assignment An assignment statement changes the value of a variable The assignment operator is the = sign int total; … total = 55; The value on the right is stored in the variable on the left The value that was in total is overwritten You can only assign a value to a variable that is consistent with the variable's declared type (more later) You can declare and assign initial value to a variable at the same time, e.g., int total = 55; 11
  • 12. Example static void Main(string[] args) { int total; total = 15; System.Console.Write(“total = “); System.Console.WriteLine(total); total = 55 + 5; System.Console.Write(“total = “); System.Console.WriteLine(total); } 12
  • 13. Constants A constant is similar to a variable except that it holds one value for its entire existence The compiler will issue an error if you try to change a constant In C#, we use the constant modifier to declare a constant constant int numberOfStudents = 42; Why constants? give names to otherwise unclear literal values facilitate changes to the code prevent inadvertent errors 13
  • 14. C# Data Types There are 15 data types in C# Eight of them represent integers: byte, sbyte, short, ushort, int, uint, long,ulong Two of them represent floating point numbers float, double One of them represents decimals: decimal One of them represents boolean values: bool One of them represents characters: char One of them represents strings: string One of them represents objects: object 14
  • 15. Numeric Data Types The difference between the various numeric types is their size, and therefore the values they can store: Type Storage Range byte sbyte short ushort int uint long ulong 8 bits 8 bits 16 bits 16 bits 32 bits 32 bits 64 bits 64 bits 0 - 255 -128 - 127 -32,768 - 32767 0 - 65537 -2,147,483,648 – 2,147,483,647 0 – 4,294,967,295 -9×1018 to 9×1018 0 – 1.8×1019 decimal 128 bits ±1.0×10-28; ±7.9×1028 with 28-29 significant digits float double 32 bits 64 bits ±1.5×10-45; ±3.4×1038 with 7 significant digits ±5.0×10-324; ±1.7×10308 with 15-16 significant digits Question: you need a variable to represent world population. Which type do you use? 15
  • 16. Examples of Numeric Variables int x = 1; short y = 10; float pi = 3.14f; // f denotes float float f3 = 7E-02f; // 0.07 double d1 = 7E-100; // use m to denote a decimal decimal microsoftStockPrice = 28.38m; Example: TestNumeric.cs 16
  • 17. Boolean A bool value represents a true or false condition A boolean can also be used to represent any two states, such as a light bulb being on or off The reserved words true and false are the only valid values for a boolean type bool doAgain = true; 17
  • 18. Characters A char is a single character from the a character set A character set is an ordered list of characters; each character is given a unique number C# uses the Unicode character set, a superset of ASCII Uses sixteen bits per character, allowing for 65,536 unique characters It is an international character set, containing symbols and characters from many languages Code chart can be found at: http://www.unicode.org/charts/ Character literals are represented in a program by delimiting with single quotes, e.g., 'a‘ 'X‘ '7' '$‘ ',‘ char response = ‘Y’; 18
  • 19. Common Escape Sequences Escape sequence Description n Newline. Position the screen cursor to the beginning of the next line. t Horizontal tab. Move the screen cursor to the next tab stop. r Carriage return. Position the screen cursor to the beginning of the current line; do not advance to the next line. Any characters output after the carriage return overwrite the previous characters output on that line. ’ Used to print a single quote Backslash. Used to print a backslash character. " Double quote. Used to print a double quote (") character. 19
  • 20. string A string represents a sequence of characters, e.g., string message = “Hello World”; 20
  • 21. Data Input Console.ReadLine() Used to get a value from the user input Example string myString = Console.ReadLine(); Convert from string to the correct data type Int32.Parse() • Used to convert a string argument to an integer • Allows math to be preformed once the string is converted • Example: string myString = “1023”; int myInt = Int32.Parse( myString ); Double.Parse() Single.Parse() //for double type variable //for float type variable 21
  • 22. Sample Input //for String String s; Console.Write("Enter a string ="); s = Console.ReadLine(); Console.WriteLine("You enter =" + s); //-----------------------------------//for int int a; Console.Write("Enter an integer ="); a = Int32.Parse(Console.ReadLine()); Console.WriteLine("You enter =" + a); //-----------------------------------//for float float flt; Console.Write("Enter float value ="); flt = Single.Parse(Console.ReadLine()); Console.WriteLine("You enter =" + flt); //-----------------------------------//for double double dbl; Console.Write("Enter Double type value ="); dbl = Double.Parse(Console.ReadLine()); Console.WriteLine("You enter =" + dbl); 22
  • 23. Increment and Decrement ++ is used to denote Increment Prefix increment(++a) Postfix increment(a++) -- is used to denote Decrement Prefix decrement(--a) Postfix decrement(a--) 23