ListBox. Class ListBoxTest. Allows users to add and remove items from ListBox Uses event handlers to add to, remove from, and clear list

Size: px
Start display at page:

Download "ListBox. Class ListBoxTest. Allows users to add and remove items from ListBox Uses event handlers to add to, remove from, and clear list"

Transcription

1 C# cont d (C-sharp) (many of these slides are extracted and adapted from Deitel s book and slides, How to Program in C#. They are provided for CSE3403 students only. Not to be published or publicly distributed without permission by the publisher). 1

2 ListBox Class ListBoxTest Allows users to add and remove items from ListBox Uses event handlers to add to, remove from, and clear list 2

3 ListBox ListBox properties, methods and events Common Properties Items MultiColumn SelectedIndex SelectedIndices SelectedItem SelectedItems SelectionMode Sorted Common Method Description / Delegate and Event Arguments Lists the collection of items within the ListBox. Indicates whether the ListBox can break a list into multiple columns. M ultiple columns are used to make vertical scroll bars unnecessary. Returns the index of the currently selected item. If the user selects multiple items, this method arbitrarily returns one of the selected indices; if no items have been selected, the method returns -1. Returns a collection of the indices of all currently selected items. Returns a reference to the currently selected item (if multiple items are selected, it returns the item with the lowest index number). Returns a collection of the currently selected item(s). Determines the number of items that can be selected and the means through which multiple items can be selected. Values None, One, MultiSimple (multiple selection allowed) and MultiExtended (multiple selection allowed via a combination of arrow keys, mouse clicks and Shift and Control buttons). Indicates whether items appear in alphabetical order. True causes alphabetization; default is False. But, does not sort the list. (to sort the list, transfer the items into another list (e.g., an array), sort that list and then re-insert them into the ListBox). 3

4 Example.. ListBox entering items Type your items (strings) here. 4

5 .. After entering the items The actual GUI running The Form in VS designer. 5

6 Finalized GUI 1. Type an item in the textbox 2. Press the Add button 3. The item is added to the list. 6

7 Finalized GUI Click the Remove button to remove an item (but must have selected first). 7

8 Finalized GUI 1. Select an item 2. Press the Remove button. 3. The item has been removed 8

9 using System; using System.Drawing; using System.Collections; using System.ComponentModel; using System.Windows.Forms; using System.Data; The code namespace WindowsApplication5_1ListBox / <summary> / Summary description for Form1. / </summary> public class Form1 : System.Windows.Forms.Form private System.Windows.Forms.ListBox listbox1; private System.Windows.Forms.TextBox textbox1; private System.Windows.Forms.Label label1; private System.Windows.Forms.Button button1; private System.Windows.Forms.Button button2; private System.Windows.Forms.Button button3; private System.Windows.Forms.Button button4; / <summary> / Required designer variable. / </summary> private System.ComponentModel.Container components = null; 9

10 private void InitializeComponent() this.listbox1 = new System.Windows.Forms.ListBox(); this.textbox1 = new System.Windows.Forms.TextBox(); this.label1 = new System.Windows.Forms.Label(); this.button1 = new System.Windows.Forms.Button(); this.button2 = new System.Windows.Forms.Button(); this.button3 = new System.Windows.Forms.Button(); this.button4 = new System.Windows.Forms.Button(); this.suspendlayout(); listbox1 this.listbox1.items.addrange(new object[] "one of nine", "two of nine", "three of nine", "four of nine", Adding the items to the listbox "five of nine", "six of nine", "seven of nine", "eight of nine", "nine of nine"); 10

11 ... this.button1.text = "Add"; this.button1.click += new System.EventHandler(this.button1_Click);... this.button2.text = "Remove"; this.button2.click += new System.EventHandler(this.button2_Click);... this.button3.text = "Clear"; this.button3.click += new System.EventHandler(this.button3_Click);... this.button4.text = "Exit"; this.button4.click += new System.EventHandler(this.button4_Click);... static void Main() Application.Run(new Form1()); 11

12 private void button1_click(object sender, System.EventArgs e) listbox1.items.add(textbox1.text); / private void button2_click(object sender, System.EventArgs e) Some item is selected if (listbox1.selectedindex!= -1) listbox1.items.remove(listbox1.selecteditem); else MessageBox.Show("Please select an item first"); private void button3_click(object sender, System.EventArgs e) listbox1.items.clear(); private void button4_click(object sender, System.EventArgs e) Application.Exit(); Remove ALL the items from the list. 12

13 CheckedListBox CheckedListBox derives from class ListBox Can add to, remove from or clear list Can select multiple items from the list Properties CurrentValue and NewValue return state of object selected Properties CheckedItems and CheckedIndices return the objects and indices of selected items respectively 13

14 CheckListBox CheckedListBox properties, methods and events Common Properties CheckedItems CheckedIndices SelectionMode Common Methods GetItemChecked Common Events ItemCheck ItemCheckEventArgs Properties CurrentValue Index NewValue Description / Delegate and Event Arguments (All the ListBox properties and events are inherited by CheckedListBox.) The collection of items that are checked. Not the same as the selected items, which are highlighted (but not necessarily checked). Returns indices for the items that are checked. Not the same as the selected indices. Can only have values One (allows multiple selection) or None (does not allow multiple selection). Takes an index and returns true if corresponding item checked. (Delegate ItemCheckEventHandler, event arguments ItemCheckEventArgs) Raised when an item is checked or unchecked. Whether current item is checked or unchecked. Values Checked, Unchecked or Indeterminate. Index of item that changed. New state of item. CheckedListBox properties, methods and events. 14

15 .. After entering the items The actual GUI running The Form in VS designer. 15

16 The items in CkeckedListBoxes have two modes selected and checked. On 1 st click on an item, the item is highlighted (selected); on 2 nd click, the item is checked. (if an item is being selected but not yet checked, it is said to be in intermediate mode). Selected item. This item sustained only one click so far. (it will become checked on a subsequent consecutive click). Checked item (this item sustained two consecutive clicks). 16

17 Demo of the GUI These items are checked in the CheckedListBox, in the order that they appear in this list. Initial display. No items are selected. Several items have been selected and as they were checked they added to the list on the right. 4 of 9 missing.. Item 4 of 9 has been unchecked in the CheckedListBox and as a result it was removed from the list on the right. 17

18 using System; using System.Drawing; using System.Collections; using System.ComponentModel; using System.Windows.Forms; using System.Data; The code namespace WindowsApplication5_2CheckedListBox / <summary> / Summary description for Form1. / </summary> public class Form1 : System.Windows.Forms.Form private System.Windows.Forms.CheckedListBox checkedlistbox1; private System.Windows.Forms.ListBox listbox1; private System.Windows.Forms.Label label1; / <summary> / Required designer variable. / </summary> private System.ComponentModel.Container components = null; public Form1() Required for Windows Form Designer support InitializeComponent(); TODO: Add any constructor code after InitializeComponent call 18

19 private void InitializeComponent() Add items to the CkeckedBoxList checkedlistbox1 this.checkedlistbox1.items.addrange(new object[] "1 of 9", "2 of 9", "3 of 9", "4 of 9", "5 of 9", "6 of 9","7 of 9", "8 of 9","9 of 9"); this.checkedlistbox1.itemcheck += new System.Windows.Forms.ItemCheckEventHandler(this.checkedListBox1_ItemCheck); / static void Main() If item is checked in the CkeckedBoxList, then add it to the ListBox; if item becomes unchecked in the Application.Run(new Form1()); CheckedBoxList, then remove it from the ListBox. private void checkedlistbox1_itemcheck(object sender, System.Windows.Forms.ItemCheckEventArgs e) string s = checkedlistbox1.selecteditem.tostring(); if (e.newvalue == CheckState.Checked) listbox1.items.add(s); else listbox1.items.remove(s); 19

20 ComboBoxes Combine TextBox and drop-down list Add method adds object to collection Properties: Items: returns objects in the list SelectedItem: returns object selected SelectedIndex: returns index of selected item (the first item has index 0). 20

21 Example.. 21

22 using System; using System.Drawing; using System.Collections; using System.ComponentModel; using System.Windows.Forms; using System.Data; The code namespace WindowsApplication5_3Combo / <summary> / Summary description for Form1. / </summary> public class Form1 : System.Windows.Forms.Form private System.Windows.Forms.ComboBox combobox1; private System.Windows.Forms.Label label1; public Form1() Required for Windows Form Designer support InitializeComponent(); TODO: Add any constructor code after InitializeComponent call / <summary> / Clean up any resources being used. / </summary> protected override void Dispose( bool disposing ) base.dispose( disposing ); 22

23 private void InitializeComponent() this.combobox1 = new System.Windows.Forms.ComboBox(); this.label1 = new System.Windows.Forms.Label(); this.suspendlayout(); combobox1 this.combobox1.items.addrange(new object[] "Item 0 of 5", Add items to combo box "Item 1 of 5", "Item 2 of 5", "Item 3 of 5", "Item 4 of 5", "Item 5 of 5"); this.combobox1.location = new System.Drawing.Point(40, 24); this.combobox1.name = "combobox1"; this.combobox1.size = new System.Drawing.Size(121, 21); this.combobox1.tabindex = 0; this.combobox1.text = "combobox1"; this.combobox1.selectedindexchanged += new System.EventHandler(this.comboBox1_SelectedIndexChanged); 23

24 label1 this.label1.backcolor = System.Drawing.Color.Yellow; this.label1.font = new System.Drawing.Font("Arial", 9.75F, ((System.Drawing.FontStyle)((System.Drawing.FontStyle.Bold System.Drawing.FontStyle.Italic))), System.Drawing.GraphicsUnit.Point, ((System.Byte)(161))); this.label1.location = new System.Drawing.Point(24, 136); this.label1.name = "label1"; this.label1.size = new System.Drawing.Size(160, 23); this.label1.tabindex = 1; this.label1.text = "label1"; this.label1.textalign = System.Drawing.ContentAlignment.MiddleCenter; Form1 this.allowdrop = true; this.autoscalebasesize = new System.Drawing.Size(5, 13); this.clientsize = new System.Drawing.Size(208, 205); this.controls.add(this.label1); this.controls.add(this.combobox1); this.name = "Form1"; this.text = "Form1"; this.resumelayout(false); #endregion / <summary> / The main entry point for the application. / </summary> [STAThread] static void Main() Application.Run(new Form1()); 24

25 private void combobox1_selectedindexchanged(object sender, System.EventArgs e) if ( combobox1.selectedindex == 0) label1.text = "ZERO of 5 selected"; if (combobox1.selectedindex == 1) label1.text = "ONE of 5 selected"; if (combobox1.selectedindex == 2) label1.text = "TWO of 5 selected"; if (combobox1.selectedindex == 3) label1.text = "THREE of 5 selected"; if (combobox1.selectedindex == 4) label1.text = "FOUR of 5 selected"; if (combobox1.selectedindex == 5) label1.text = "FIVE of 5 selected"; / 25

26 ComboBoxes ComboBox events and properties Common Properties DropDownStyle Items MaxDropDownItems SelectedIndex SelectedItem Sorted Common Events Description / Delegate and Event Arguments Determines the type of combo box. Value Simple means that the text portion is editable and the list portion is always visible. Value DropDown (the default) means that the text portion is editable but an arrow button must be clicked to see the list portion. Value DropDownList means that the text portion is not editable and the arrow button must be clicked to see the list portion. Collection of items in the ComboBox control. Maximum number of items to display in the drop-down list (between 1 and 100). If value is exceeded, a scroll bar appears. Returns index of currently selected item. If there is no currently selected item, -1 is returned. Returns reference to currently selected item. If true, items appear in alphabetical order. Default false. (Delegate EventHandler, event arguments EventArgs) SelectedIndexChanged Raised when selected index changes (i.e., a check box has been checked or unchecked). Default when control double-clicked in designer. ComboBox properties and events. 26

27 TreeView Displays nodes hierarchically Parent nodes have children The first parent node is called the root (there can be many roots). Use Add method to add nodes 27

28 Designer view Tree Node Editor 28

29 Example 29

30 Example A selected (highlighted) node is printed on the label. The Expand All button causes the tree to expand (and the Collapse All button causes the tree to collapse.) 30

31 Example The Tree Size button click prints the number of nodes of the tree in the label. 31

32 Example The List Nodes button allows to traverse the tree (recursively) and print out its nodes. 32

33 using System; using System.Drawing; using System.Collections; using System.ComponentModel; using System.Windows.Forms; using System.Data; The code namespace WindowsApplication5_4TreeView / <summary> / Summary description for Form1. / </summary> public class Form1 : System.Windows.Forms.Form private System.Windows.Forms.TreeView treeview1; private System.Windows.Forms.Label label1; private System.Windows.Forms.Button expandbutton; private System.Windows.Forms.Button collapsebutton; private System.Windows.Forms.Button treesizebutton; private System.Windows.Forms.Button listnodesbutton; / <summary> / Required designer variable. / </summary> private System.ComponentModel.Container components = null; public Form1() Required for Windows Form Designer support InitializeComponent(); TODO: Add any constructor code after InitializeComponent call 33

34 private void InitializeComponent() this.treeview1 = new System.Windows.Forms.TreeView(); this.label1 = new System.Windows.Forms.Label(); this.expandbutton = new System.Windows.Forms.Button(); this.collapsebutton = new System.Windows.Forms.Button(); this.treesizebutton = new System.Windows.Forms.Button(); this.listnodesbutton = new System.Windows.Forms.Button(); this.suspendlayout(); treeview1 this.treeview1.imageindex = -1; this.treeview1.location = new System.Drawing.Point(16, 16); this.treeview1.name = "treeview1"; Populate the Tree with nodes. this.treeview1.nodes.addrange(new System.Windows.Forms.TreeNode[] new System.Windows.Forms.TreeNode("R.1", new System.Windows.Forms.TreeNode[] new System.Windows.Forms.TreeNode("C.11"), new System.Windows.Forms.TreeNode("C.12", new System.Windows.Forms.TreeNode[] new System.Windows.Forms.TreeNode("Node4")), new System.Windows.Forms.TreeNode("C.13")), new System.Windows.Forms.TreeNode("R.2", new System.Windows.Forms.TreeNode[] new System.Windows.Forms.TreeNode("C.21", new System.Windows.Forms.TreeNode[] new System.Windows.Forms.TreeNode("C.211"), new System.Windows.Forms.TreeNode("C.212")), new System.Windows.Forms.TreeNode("C.22"))); this.treeview1.selectedimageindex = -1; this.treeview1.size = new System.Drawing.Size(160, 120); this.treeview1.tabindex = 0; this.treeview1.afterselect += new System.Windows.Forms.TreeViewEventHandler(this.treeView1_AfterSelect); 34

35 this.expandbutton.click += new System.EventHandler(this.expandButton_Click); this.collapsebutton.click += new System.EventHandler(this.collapseButton_Click); this.treesizebutton.click += new System.EventHandler(this.treeSizeButton_Click); this.listnodesbutton.click += new System.EventHandler(this.listNodesButton_Click); static void Main() Application.Run(new Form1()); private void treeview1_afterselect(object sender, System.Windows.Forms.TreeViewEventArgs e) label1.text = treeview1.selectednode.tostring(); private void collapsebutton_click(object sender, System.EventArgs e) treeview1.collapseall(); private void expandbutton_click(object sender, System.EventArgs e) treeview1.expandall(); private void treesizebutton_click(object sender, System.EventArgs e) int treesize = treeview1.getnodecount(true); label1.text = "This tree has " + treesize + " nodes."; 35

36 private void listnodesbutton_click(object sender, System.EventArgs e) TreeNodeCollection mytreenodecollection = treeview1.nodes; IEnumerator myenumerator = mytreenodecollection.getenumerator(); label1.text = ""; while (myenumerator.movenext()) label1.text += " - " + ((TreeNode)myEnumerator.Current).Text; get the children of current node ProcessChildren( (TreeNode)myEnumerator.Current) ; / TreeView.Nod es gives only the nodes of the current level. To get the nodes of the next level, you need to call Nodes again. private void ProcessChildren( TreeNode anode) get children of anode into an enumerator IEnumerator childrenenumerator = anode.nodes.getenumerator(); if (anode.nodes.count == 0) return; while ( childrenenumerator.movenext() ) label1.text += " - " + ((TreeNode)childrenEnumerator.Current).Text; ProcessChildren( (TreeNode)childrenEnumerator.Current ); Recursive call (process the children of the current node). If there are no more nodes in the enumerator, then exit this call. process the children nodes. 36

37 Extracting the file system structure 37

38 38

39 / 39

40 private void filesystembutton_click(object sender, System.EventArgs e) treeview2.nodes.add( "E:\\2560"); string currentdirectory = "E:\\2560"; string [] subdirectories = Directory.GetDirectories(currentDirectory); foreach (string directory in subdirectories ) ProcessDirectories(directory, treeview2.nodes[0]); The related code../ private void ProcessDirectories ( string currentdirectory, TreeNode parent) string [] subdirectories = Directory.GetDirectories(currentDirectory); foreach (string dir in subdirectories ) TreeNode mynode = new TreeNode( dir); parent.nodes.add( mynode); ProcessDirectories( dir, mynode); 40

41 TreeView properties and events Common Properties CheckBoxes ImageList Nodes TreeView Description / Delegate and Event Arguments Indicates whether checkboxes appear next to nodes. True displays checkboxes. Default is False. Indicates the ImageList used to display icons by the nodes. An ImageList is a collection that contains a number of Image objects. Lists the collection of TreeNodes in the control. Contains methods Add (adds a TreeNode object), Clear (deletes the entire collection) and Remove (deletes a specific node). Removing a parent node deletes all its children. SelectedNode Currently selected node. Common Event AfterSelect (Delegate TreeViewEventHandler, event arguments TreeViewEventArgs) Generated after selected node changes. Default when double-clicked in designer. TreeView properties and events. 41

42 TreeView / TreeNode properties and methods Common Properties Checked FirstNode FullPath ImageIndex LastNode NextNode Nodes PrevNode SelectedImageI ndex Text Common Methods Collapse Expand ExpandAll GetNodeCount Description / Delegate and Event Arguments Indicates whether the TreeNode is checked. (CheckBoxes property must be set to True in parent TreeView.) Specifies the first node in the Nodes collection (i.e., first child in tree). Indicates the path of the node, starting at the root of the tree. Specifies the index of the image to be shown when the node is deselected. Specifies the last node in the Nodes collection (i.e., last child in tree). Next sibling node. The collection of TreeNodes contained in the current node (i.e., all the children of the current node). Contains methods Add (adds a TreeNode object), Clear (deletes the entire collection) and Remove (deletes a specific node). Removing a parent node deletes all its children. Indicates the previous sibling node. Specifies the index of the image to use when the node is selected. Specifies the text to display in the TreeView. Collapses a node. Expands a node. Expands all the children of a node. Returns the number of child nodes. TreeNode properties and methods. 42

User-Defined Controls

User-Defined Controls C# cont d (C-sharp) (many of these slides are extracted and adapted from Deitel s book and slides, How to Program in C#. They are provided for CSE3403 students only. Not to be published or publicly distributed

More information

1. Windows Forms 2. Event-Handling Model 3. Basic Event Handling 4. Control Properties and Layout 5. Labels, TextBoxes and Buttons 6.

1. Windows Forms 2. Event-Handling Model 3. Basic Event Handling 4. Control Properties and Layout 5. Labels, TextBoxes and Buttons 6. C# cont d (C-sharp) (many of these slides are extracted and adapted from Deitel s book and slides, How to Program in C#. They are provided for CSE3403 students only. Not to be published or publicly distributed

More information

Classes in C# namespace classtest { public class myclass { public myclass() { } } }

Classes in C# namespace classtest { public class myclass { public myclass() { } } } Classes in C# A class is of similar function to our previously used Active X components. The difference between the two is the components are registered with windows and can be shared by different applications,

More information

Blank Form. Industrial Programming. Discussion. First Form Code. Lecture 8: C# GUI Development

Blank Form. Industrial Programming. Discussion. First Form Code. Lecture 8: C# GUI Development Blank Form Industrial Programming Lecture 8: C# GUI Development Industrial Programming 1 Industrial Programming 2 First Form Code using System; using System.Drawing; using System.Windows.Forms; public

More information

Sub To Srt Converter. This is the source code of this program. It is made in C# with.net 2.0.

Sub To Srt Converter. This is the source code of this program. It is made in C# with.net 2.0. Sub To Srt Converter This is the source code of this program. It is made in C# with.net 2.0. form1.css /* * Name: Sub to srt converter * Programmer: Paunoiu Alexandru Dumitru * Date: 5.11.2007 * Description:

More information

Philadelphia University Faculty of Information Technology. Visual Programming

Philadelphia University Faculty of Information Technology. Visual Programming Philadelphia University Faculty of Information Technology Visual Programming Using C# -Work Sheets- Prepared by: Dareen Hamoudeh Eman Al Naji Work Sheet 1 Form, Buttons and labels Properties Changing properties

More information

this.openfiledialog = new System.Windows.Forms.OpenFileDialog(); this.label4 = new System.Windows.Forms.Label(); this.

this.openfiledialog = new System.Windows.Forms.OpenFileDialog(); this.label4 = new System.Windows.Forms.Label(); this. form.designer.cs namespace final { partial class Form1 { private System.ComponentModel.IContainer components = null; should be disposed; otherwise, false. protected override void Dispose(bool disposing)

More information

This is the start of the server code

This is the start of the server code This is the start of the server code using System; using System.Drawing; using System.Collections; using System.ComponentModel; using System.Windows.Forms; using System.Data; using System.Net; using System.Net.Sockets;

More information

CIS 3260 Sample Final Exam Part II

CIS 3260 Sample Final Exam Part II CIS 3260 Sample Final Exam Part II Name You may now use any text or notes you may have. Computers may NOT be used. Vehicle Class VIN Model Exhibit A Make Year (date property/data type) Color (read-only

More information

Tutorial 5 Completing the Inventory Application Introducing Programming

Tutorial 5 Completing the Inventory Application Introducing Programming 1 Tutorial 5 Completing the Inventory Application Introducing Programming Outline 5.1 Test-Driving the Inventory Application 5.2 Introduction to C# Code 5.3 Inserting an Event Handler 5.4 Performing a

More information

LISTING PROGRAM. //Find the maximum and minimum values in the array int maxvalue = integers[0]; //start with first element int minvalue = integers[0];

LISTING PROGRAM. //Find the maximum and minimum values in the array int maxvalue = integers[0]; //start with first element int minvalue = integers[0]; 1 LISTING PROGRAM using System; using System.Collections.Generic; using System.Linq; using System.Windows.Forms; namespace SortingApplication static class Program / / The main entry point for

More information

C# and.net (1) cont d

C# and.net (1) cont d C# and.net (1) cont d Acknowledgements and copyrights: these slides are a result of combination of notes and slides with contributions from: Michael Kiffer, Arthur Bernstein, Philip Lewis, Hanspeter Mφssenbφck,

More information

Tutorial 6 Enhancing the Inventory Application Introducing Variables, Memory Concepts and Arithmetic

Tutorial 6 Enhancing the Inventory Application Introducing Variables, Memory Concepts and Arithmetic Tutorial 6 Enhancing the Inventory Application Introducing Variables, Memory Concepts and Arithmetic Outline 6.1 Test-Driving the Enhanced Inventory Application 6.2 Variables 6.3 Handling the TextChanged

More information

Visual Studio Windows Form Application #1 Basic Form Properties

Visual Studio Windows Form Application #1 Basic Form Properties Visual Studio Windows Form Application #1 Basic Form Properties Dr. Thomas E. Hicks Computer Science Department Trinity University Purpose 1] The purpose of this tutorial is to show how to create, and

More information

In order to create your proxy classes, we have provided a WSDL file. This can be located at the following URL:

In order to create your proxy classes, we have provided a WSDL file. This can be located at the following URL: Send SMS via SOAP API Introduction You can seamlessly integrate your applications with aql's outbound SMS messaging service via SOAP using our SOAP API. Sending messages via the SOAP gateway WSDL file

More information

Avoiding KeyStrokes in Windows Applications using C#

Avoiding KeyStrokes in Windows Applications using C# Avoiding KeyStrokes in Windows Applications using C# In keeping with the bcrypt.exe example cited elsewhere on this site, we seek a method of avoiding using the keypad to enter pass words and/or phrases.

More information

Flag Quiz Application

Flag Quiz Application T U T O R I A L 17 Objectives In this tutorial, you will learn to: Create and initialize arrays. Store information in an array. Refer to individual elements of an array. Sort arrays. Use ComboBoxes to

More information

CHAPTER 3. Writing Windows C# Programs. Objects in C#

CHAPTER 3. Writing Windows C# Programs. Objects in C# 90 01 pp. 001-09 r5ah.ps 8/1/0 :5 PM Page 9 CHAPTER 3 Writing Windows C# Programs 5 9 Objects in C# The C# language has its roots in C++, Visual Basic, and Java. Both C# and VB.Net use the same libraries

More information

Windows Programming Using C#

Windows Programming Using C# Contents Windows Programming Using C# Menus TreeView TabControl MenuStrip 2 Main Menu Menus (mnu prefix) Menus provide groups of related commands for Windows applications Main menu is the control that

More information

Inheriting Windows Forms with Visual C#.NET

Inheriting Windows Forms with Visual C#.NET Inheriting Windows Forms with Visual C#.NET Overview In order to understand the power of OOP, consider, for example, form inheritance, a new feature of.net that lets you create a base form that becomes

More information

Web Services in.net (2)

Web Services in.net (2) Web Services in.net (2) These slides are meant to be for teaching purposes only and only for the students that are registered in CSE4413 and should not be published as a book or in any form of commercial

More information

Programming. C# Programming: From Problem Analysis to Program Design 2nd Edition. David McDonald, Ph.D. Director of Emerging Technologies

Programming. C# Programming: From Problem Analysis to Program Design 2nd Edition. David McDonald, Ph.D. Director of Emerging Technologies 9 Programming Based on Events C# Programming: From Problem Analysis to Program Design 2nd Edition David McDonald, Ph.D. Director of Emerging Technologies Chapter Objectives Create applications that use

More information

List and Value Controls

List and Value Controls List and Value Controls Sorting in List-Based Controls You can sort the objects displayed in a list-based control by setting the Sorted property to True, as shown here: listbox1.sorted = true; Setting

More information

Chapter 12: Using Controls

Chapter 12: Using Controls Chapter 12: Using Controls Using a LinkLabel LinkLabel Similar to a Label Provides the additional capability to link the user to other sources Such as Web pages or files Default event The method whose

More information

CALCULATOR APPLICATION

CALCULATOR APPLICATION CALCULATOR APPLICATION Form1.cs using System; using System.Collections.Generic; using System.ComponentModel; using System.Data; using System.Drawing; using System.Linq; using System.Text; using System.Windows.Forms;

More information

namespace Tst_Form { private: /// <summary> /// Required designer variable. /// </summary> System::ComponentModel::Container ^components;

namespace Tst_Form { private: /// <summary> /// Required designer variable. /// </summary> System::ComponentModel::Container ^components; Exercise 9.3 In Form1.h #pragma once #include "Form2.h" Add to the beginning of Form1.h #include #include For srand() s input parameter namespace Tst_Form using namespace System; using

More information

EEE-425 Programming Languages (2013) 1

EEE-425 Programming Languages (2013) 1 2 System.Drawing Namespace System.Windows.Forms Namespace Creating forms applications by hand Creating forms applications using Visual Studio designer Windows applications also look different from console

More information

Lampiran B. Program pengendali

Lampiran B. Program pengendali Lampiran B Program pengendali #pragma once namespace serial using namespace System; using namespace System::ComponentModel; using namespace System::Collections; using namespace System::Windows::Forms;

More information

EEE-425 Programming Languages (2013) 1

EEE-425 Programming Languages (2013) 1 2 System.Drawing Namespace System.Windows.Forms Namespace Creating forms applications by hand Creating forms applications using Visual Studio designer Windows applications also look different from console

More information

Representing Recursive Relationships Using REP++ TreeView

Representing Recursive Relationships Using REP++ TreeView Representing Recursive Relationships Using REP++ TreeView Author(s): R&D Department Publication date: May 4, 2006 Revision date: May 2010 2010 Consyst SQL Inc. All rights reserved. Representing Recursive

More information

Chapter 12: Using Controls

Chapter 12: Using Controls Chapter 12: Using Controls Examining the IDE s Automatically Generated Code A new Windows Forms project has been started and given the name FormWithALabelAndAButton A Label has been dragged onto Form1

More information

LISTING PROGRAM. // // TODO: Add constructor code after the InitializeComponent()

LISTING PROGRAM. // // TODO: Add constructor code after the InitializeComponent() A-1 LISTING PROGRAM Form Mainform /* * Created by SharpDevelop. * User: Roni Anggara * Date: 5/17/2016 * Time: 8:52 PM * * To change this template use Tools Options Coding Edit Standard Headers. */ using

More information

Tutorial 19 - Microwave Oven Application Building Your Own Classes and Objects

Tutorial 19 - Microwave Oven Application Building Your Own Classes and Objects 1 Tutorial 19 - Microwave Oven Application Building Your Own Classes and Objects Outline 19.1 Test-Driving the Microwave Oven Application 19.2 Designing the Microwave Oven Application 19.3 Adding a New

More information

UNIT III APPLICATION DEVELOPMENT ON.NET

UNIT III APPLICATION DEVELOPMENT ON.NET UNIT III APPLICATION DEVELOPMENT ON.NET Syllabus: Building Windows Applications, Accessing Data with ADO.NET. Creating Skeleton of the Application Select New->Project->Visual C# Projects->Windows Application

More information

Philadelphia University Faculty of Information Technology. Visual Programming. Using C# -Work Sheets-

Philadelphia University Faculty of Information Technology. Visual Programming. Using C# -Work Sheets- Philadelphia University Faculty of Information Technology Visual Programming Using C# -Work Sheets- Prepared by: Dareen Hamoudeh Eman Al Naji 2018 Work Sheet 1 Hello World! 1. Create a New Project, Name

More information

Convertor Binar -> Zecimal Rosu Alin, Calculatoare, An2 Mod de Functionare: Am creat un program, in Windows Form Application, care converteste un

Convertor Binar -> Zecimal Rosu Alin, Calculatoare, An2 Mod de Functionare: Am creat un program, in Windows Form Application, care converteste un Convertor Binar -> Zecimal Rosu Alin, Calculatoare, An2 Mod de Functionare: Am creat un program, in Windows Form Application, care converteste un numar binar, in numar zecimal. Acest program are 4 numericupdown-uri

More information

Unit 3. Lesson Designing User Interface-2. TreeView Control. TreeView Contol

Unit 3. Lesson Designing User Interface-2. TreeView Control. TreeView Contol Designing User Interface-2 Unit 3 Designing User Interface-2 Lesson 3.1-3 TreeView Control A TreeView control is designed to present a list in a hierarchical structure. It is similar to a directory listing.

More information

CSIS 1624 CLASS TEST 6

CSIS 1624 CLASS TEST 6 CSIS 1624 CLASS TEST 6 Instructions: Use visual studio 2012/2013 Make sure your work is saved correctly Submit your work as instructed by the demmies. This is an open-book test. You may consult the printed

More information

PS2 Random Walk Simulator

PS2 Random Walk Simulator PS2 Random Walk Simulator Windows Forms Global data using Singletons ArrayList for storing objects Serialization to Files XML Timers Animation This is a fairly extensive Problem Set with several new concepts.

More information

Operatii pop si push-stiva

Operatii pop si push-stiva Operatii pop si push-stiva Aplicatia realizata in Microsoft Visual Studio C++ 2010 permite simularea operatiilor de introducere si extragere a elementelor dintr-o structura de tip stiva.pentru aceasta

More information

Making the Most of the TreeView and ListView Controls

Making the Most of the TreeView and ListView Controls This Bonus Chapter accompanies Mastering Visual Basic 2010, which is available from www.sybex.com Bonus Chapter 1 Making the Most of the TreeView and ListView Controls Evangelos Petroutsos Two of the most

More information

SMITE API Developer Guide TABLE OF CONTENTS

SMITE API Developer Guide TABLE OF CONTENTS SMITE API Developer Guide TABLE OF CONTENTS TABLE OF CONTENTS DOCUMENT CHANGE HISTORY GETTING STARTED Introduction Registration Credentials Sessions API Access Limits API METHODS & PARAMETERS APIs Connectivity

More information

UNIT-3. Prepared by R.VINODINI 1

UNIT-3. Prepared by R.VINODINI 1 Prepared by R.VINODINI 1 Prepared by R.VINODINI 2 Prepared by R.VINODINI 3 Prepared by R.VINODINI 4 Prepared by R.VINODINI 5 o o o o Prepared by R.VINODINI 6 Prepared by R.VINODINI 7 Prepared by R.VINODINI

More information

Experiment 5 : Creating a Windows application to interface with 7-Segment LED display

Experiment 5 : Creating a Windows application to interface with 7-Segment LED display Experiment 5 : Creating a Windows application to interface with 7-Segment LED display Objectives : 1) To understand the how Windows Forms in the Windows-based applications. 2) To create a Window Application

More information

and event handlers Murach's C# 2012, C6 2013, Mike Murach & Associates, Inc. Slide 1

and event handlers Murach's C# 2012, C6 2013, Mike Murach & Associates, Inc. Slide 1 Chapter 6 How to code methods and event handlers Murach's C# 2012, C6 2013, Mike Murach & Associates, Inc. Slide 1 Objectives Applied 1. Given the specifications for a method, write the method. 2. Give

More information

Web Services in.net (7)

Web Services in.net (7) Web Services in.net (7) These slides are meant to be for teaching purposes only and only for the students that are registered in CSE4413 and should not be published as a book or in any form of commercial

More information

Visual Basic/C# Programming (330)

Visual Basic/C# Programming (330) Page 1 of 12 Visual Basic/C# Programming (330) REGIONAL 2017 Production Portion: Program 1: Calendar Analysis (400 points) TOTAL POINTS (400 points) Judge/Graders: Please double check and verify all scores

More information

Microsoft Visual Basic 2005: Reloaded

Microsoft Visual Basic 2005: Reloaded Microsoft Visual Basic 2005: Reloaded Second Edition Chapter 5 Repeating Program Instructions Objectives After studying this chapter, you should be able to: Include the repetition structure in pseudocode

More information

XNA 4.0 RPG Tutorials. Part 11b. Game Editors

XNA 4.0 RPG Tutorials. Part 11b. Game Editors XNA 4.0 RPG Tutorials Part 11b Game Editors I'm writing these tutorials for the new XNA 4.0 framework. The tutorials will make more sense if they are read in order. You can find the list of tutorials on

More information

The Open Core Interface SDK has to be installed on your development computer. The SDK can be downloaded at:

The Open Core Interface SDK has to be installed on your development computer. The SDK can be downloaded at: This document describes how to create a simple Windows Forms Application using some Open Core Interface functions in C# with Microsoft Visual Studio Express 2013. 1 Preconditions The Open Core Interface

More information

Virtualizing Tree View

Virtualizing Tree View Virtualizing Tree View Ver.1 30.11.2017 Introduction Virualizing TreeView is a Unity UI control that can be used to represent hierarchical data. Virtualizing TreeView implements drag & drop, databinding,

More information

#pragma comment(lib, "irrklang.lib") #include <windows.h> namespace SuperMetroidCraft {

#pragma comment(lib, irrklang.lib) #include <windows.h> namespace SuperMetroidCraft { Downloaded from: justpaste.it/llnu #pragma comment(lib, "irrklang.lib") #include namespace SuperMetroidCraft using namespace System; using namespace System::ComponentModel; using namespace

More information

Classes and Objects. Andrew Cumming, SoC. Introduction to.net. Bill Buchanan, SoC. W.Buchanan (1)

Classes and Objects. Andrew Cumming, SoC. Introduction to.net. Bill Buchanan, SoC. W.Buchanan (1) Classes and Objects Andrew Cumming, SoC Introduction to.net Bill Buchanan, SoC W.Buchanan (1) Course Outline Introduction to.net Day 1: Morning Introduction to Object-Orientation, Introduction to.net,

More information

IBSDK Quick Start Tutorial for C# 2010

IBSDK Quick Start Tutorial for C# 2010 IB-SDK-00003 Ver. 3.0.0 2012-04-04 IBSDK Quick Start Tutorial for C# 2010 Copyright @2012, lntegrated Biometrics LLC. All Rights Reserved 1 QuickStart Project C# 2010 Example Follow these steps to setup

More information

if (say==0) { k.commandtext = "Insert into kullanici(k_adi,sifre) values('" + textbox3.text + "','" + textbox4.text + "')"; k.

if (say==0) { k.commandtext = Insert into kullanici(k_adi,sifre) values(' + textbox3.text + ',' + textbox4.text + '); k. using System; using System.Collections.Generic; using System.ComponentModel; using System.Data; using System.Drawing; using System.Linq; using System.Text; using System.Windows.Forms; using System.Data.SqlClient;

More information

Classes and Objects. Andrew Cumming, SoC. Introduction to.net. Bill Buchanan, SoC. W.Buchanan (1)

Classes and Objects. Andrew Cumming, SoC. Introduction to.net. Bill Buchanan, SoC. W.Buchanan (1) Classes and Objects Andrew Cumming, SoC Bill Buchanan, SoC W.Buchanan (1) Course Outline 11-12am 12-1pm: 1-1:45pm 1:45-2pm:, Overview of.net Framework,.NET Components, C#. C# Language Elements Classes,

More information

Web Services in.net (6) cont d

Web Services in.net (6) cont d Web Services in.net (6) cont d These slides are meant to be for teaching purposes only and only for the students that are registered in CSE3403 and should not be published as a book or in any form of commercial

More information

Now find the button component in the tool box. [if toolbox isn't present click VIEW on the top and click toolbox]

Now find the button component in the tool box. [if toolbox isn't present click VIEW on the top and click toolbox] C# Tutorial - Create a Tic Tac Toe game with Working AI This project will be created in Visual Studio 2010 however you can use any version of Visual Studio to follow along this tutorial. To start open

More information

Lucrare pentru colocviu de practică

Lucrare pentru colocviu de practică Roman Radu-Alexandru Calculatoare an II Lucrare pentru colocviu de practică Descriere: Aplicatia are ca scop functionalitatea unui decodificator si a unui codificator. Converteste un numar din zecimal

More information

CSC 330 Object-Oriented Programming. Encapsulation

CSC 330 Object-Oriented Programming. Encapsulation CSC 330 Object-Oriented Programming Encapsulation Implementing Data Encapsulation using Properties Use C# properties to provide access to data safely data members should be declared private, with public

More information

Object oriented lab /second year / review/lecturer: yasmin maki

Object oriented lab /second year / review/lecturer: yasmin maki 1) Examples of method (function): Note: the declaration of any method is : method name ( parameters list ).. Method body.. Access modifier : public,protected, private. Return

More information

Windows Forms in Action by Erik Brown Chapter 18. Copyright 2006 Manning Publications

Windows Forms in Action by Erik Brown Chapter 18. Copyright 2006 Manning Publications Windows Forms in by Erik Brown Chapter 18 Copyright 2006 Manning Publications brief contents Part 1 Hello Windows Forms 1 1 Getting started with Windows Forms 3 2 Getting started with Visual Studio 33

More information

Conventions in this tutorial

Conventions in this tutorial This document provides an exercise using Digi JumpStart for Windows Embedded CE 6.0. This document shows how to develop, run, and debug a simple application on your target hardware platform. This tutorial

More information

Introduction to.net. Andrew Cumming, SoC. Introduction to.net. Bill Buchanan, SoC. W.Buchanan (1)

Introduction to.net. Andrew Cumming, SoC. Introduction to.net. Bill Buchanan, SoC. W.Buchanan (1) Andrew Cumming, SoC Bill Buchanan, SoC W.Buchanan (1) Course Outline 11-12am 12-1pm: 1-1:45pm 1:45-2pm:, Overview of.net Framework,.NET Components, C#. C# Language Elements Classes, Encapsulation, Object-Orientation,

More information

BackgroundWorker Component Overview 1 Multithreading with the BackgroundWorker Component 3 Walkthrough Running an Operation in the Background 10 How

BackgroundWorker Component Overview 1 Multithreading with the BackgroundWorker Component 3 Walkthrough Running an Operation in the Background 10 How BackgroundWorker Component Overview 1 Multithreading with the BackgroundWorker Component 3 Walkthrough Running an Operation in the Background 10 How to Download a File in the Background 15 How to Implement

More information

C# Forms and Events. Evolution of GUIs. Macintosh VT Datavetenskap, Karlstads universitet 1

C# Forms and Events. Evolution of GUIs. Macintosh VT Datavetenskap, Karlstads universitet 1 C# Forms and Events VT 2009 Evolution of GUIs Until 1984, console-style user interfaces were standard Mostly dumb terminals as VT100 and CICS Windows command prompt is a holdover In 1984, Apple produced

More information

10Tec igrid for.net 6.0 What's New in the Release

10Tec igrid for.net 6.0 What's New in the Release What s New in igrid.net 6.0-1- 2018-Feb-15 10Tec igrid for.net 6.0 What's New in the Release Tags used to classify changes: [New] a totally new feature; [Change] a change in a member functionality or interactive

More information

Quick Guide for the ServoWorks.NET API 2010/7/13

Quick Guide for the ServoWorks.NET API 2010/7/13 Quick Guide for the ServoWorks.NET API 2010/7/13 This document will guide you through creating a simple sample application that jogs axis 1 in a single direction using Soft Servo Systems ServoWorks.NET

More information

Chapter 12. Tool Strips, Status Strips, and Splitters

Chapter 12. Tool Strips, Status Strips, and Splitters Chapter 12 Tool Strips, Status Strips, and Splitters Tool Strips Usually called tool bars. The new ToolStrip class replaces the older ToolBar class of.net 1.1. Create easily customized, commonly employed

More information

Start Visual Studio and create a new windows form application under C# programming language. Call this project YouTube Alarm Clock.

Start Visual Studio and create a new windows form application under C# programming language. Call this project YouTube Alarm Clock. C# Tutorial - Create a YouTube Alarm Clock in Visual Studio In this tutorial we will create a simple yet elegant YouTube alarm clock in Visual Studio using C# programming language. The main idea for this

More information

Chapter 20: Binary Trees

Chapter 20: Binary Trees Chapter 20: Binary Trees 20.1 Definition and Application of Binary Trees Definition and Application of Binary Trees Binary tree: a nonlinear linked list in which each node may point to 0, 1, or two other

More information

You can call the project anything you like I will be calling this one project slide show.

You can call the project anything you like I will be calling this one project slide show. C# Tutorial Load all images from a folder Slide Show In this tutorial we will see how to create a C# slide show where you load everything from a single folder and view them through a timer. This exercise

More information

Laboratorio di Ingegneria del Software

Laboratorio di Ingegneria del Software Laboratorio di Ingegneria del Software L-A Interfaccia utente System.Windows.Forms The System.Windows.Forms namespace contains classes for creating Windows-based applications The classes can be grouped

More information

Laboratorio di Ingegneria del L-A

Laboratorio di Ingegneria del L-A Software L-A Interfaccia utente System.Windows.Forms The System.Windows.Forms namespace contains classes for creating Windows-based applications The classes can be grouped into the following categories:

More information

Unit 3 Additional controls and Menus of Windows

Unit 3 Additional controls and Menus of Windows Working with other controls of toolbox: DateTime Picker If you want to enable users to select a date and time, and to display that date and time in the specified format, use the DateTimePicker control.

More information

Chapter 8 Advanced GUI Features

Chapter 8 Advanced GUI Features 159 Chapter 8 Advanced GUI Features There are many other features we can easily add to a Windows C# application. We must be able to have menus and dialogs along with many other controls. One workhorse

More information

Polymorphism. Polymorphism. CSC 330 Object Oriented Programming. What is Polymorphism? Why polymorphism? Class-Object to Base-Class.

Polymorphism. Polymorphism. CSC 330 Object Oriented Programming. What is Polymorphism? Why polymorphism? Class-Object to Base-Class. Polymorphism CSC 0 Object Oriented Programming Polymorphism is considered to be a requirement of any true -oriented programming language (OOPL). Reminder: What are the other two essential elements in OOPL?

More information

Chapter 13: Handling Events

Chapter 13: Handling Events Chapter 13: Handling Events Event Handling Event Occurs when something interesting happens to an object Used to notify a client program when something happens to a class object the program is using Event

More information

Introduction to.net. Andrew Cumming, SoC. Introduction to.net. Bill Buchanan, SoC. W.Buchanan (1)

Introduction to.net. Andrew Cumming, SoC. Introduction to.net. Bill Buchanan, SoC. W.Buchanan (1) Andrew Cumming, SoC Bill Buchanan, SoC W.Buchanan (1) Course Outline Day 1: Morning Introduction to Object-Orientation, Introduction to.net, Overview of.net Framework,.NET Components. C#. Day 1: Afternoon

More information

In-Class Worksheet #4

In-Class Worksheet #4 CSE 459.24 Programming in C# Richard Kidwell In-Class Worksheet #4 Creating a Windows Forms application with Data Binding You should have Visual Studio 2008 open. 1. Create a new Project either from the

More information

Main Game Code. //ok honestly im not sure, if i guess its a class ment for this page called methodtimer that //either uses the timer or set to timer..

Main Game Code. //ok honestly im not sure, if i guess its a class ment for this page called methodtimer that //either uses the timer or set to timer.. using System; using System.Collections.Generic; using System.ComponentModel; using System.Data; using System.Drawing; using System.Linq; using System.Text; using System.Threading.Tasks; using System.Windows.Forms;

More information

C:\homeworks\PenAttention_v13_src\PenAttention_v13_src\PenAttention4\PenAttention\PenAttention.cs 1 using System; 2 using System.Diagnostics; 3 using

C:\homeworks\PenAttention_v13_src\PenAttention_v13_src\PenAttention4\PenAttention\PenAttention.cs 1 using System; 2 using System.Diagnostics; 3 using 1 using System; 2 using System.Diagnostics; 3 using System.Collections.Generic; 4 using System.ComponentModel; 5 using System.Data; 6 using System.Drawing; 7 using System.Text; 8 using System.Windows.Forms;

More information

Visual Studio.NET enables quick, drag-and-drop construction of form-based applications

Visual Studio.NET enables quick, drag-and-drop construction of form-based applications Visual Studio.NET enables quick, drag-and-drop construction of form-based applications Event-driven, code-behind programming Visual Studio.NET WinForms Controls Part 1 Event-driven, code-behind programming

More information

Ingegneria del Software T. Interfaccia utente

Ingegneria del Software T. Interfaccia utente Interfaccia utente Creating Windows Applications Typical windows-application design & development 1+ classes derived from System.Windows.Forms.Form Design UI with VisualStudio.NET Possible to do anything

More information

UNIT 3 ADDITIONAL CONTROLS AND MENUS OF WINDOWS

UNIT 3 ADDITIONAL CONTROLS AND MENUS OF WINDOWS UNIT 3 ADDITIONAL CONTROLS AND MENUS OF WINDOWS 1 SYLLABUS 3.1 Working with other controls of toolbox : 3.1.1 Date Time Picker 3.1.2 List Box 3.1.2.1 Item collection 3.1.3 Combo Box 3.1.4 Picture Box 3.15

More information

DateTimePicker Control

DateTimePicker Control Controls Part 2 DateTimePicker Control Used for representing Date/Time information and take it as input from user. Date information is automatically created. Prevents wrong date and time input. Fundamental

More information

LISTING PROGRAM. // // TODO: Add constructor code after the InitializeComponent() call. //

LISTING PROGRAM. // // TODO: Add constructor code after the InitializeComponent() call. // 1. MainForm.cs using System.Collections.Generic; using System.Drawing; LISTING PROGRAM / / Description of MainForm. / public partial class MainForm : Form public MainForm() The InitializeComponent()

More information

Click on the empty form and apply the following options to the properties Windows.

Click on the empty form and apply the following options to the properties Windows. Start New Project In Visual Studio Choose C# Windows Form Application Name it SpaceInvaders and Click OK. Click on the empty form and apply the following options to the properties Windows. This is the

More information

Note that each button has a label, specified by the Text property of the button. The Text property of the group box is also visible as its title.

Note that each button has a label, specified by the Text property of the button. The Text property of the group box is also visible as its title. Radio Buttons and List Boxes The plan for this demo is to have a group of two radio buttons and a list box. Which radio button is selected will determine what is displayed in the list box. It will either

More information

Events. Event Handler Arguments 12/12/2017. EEE-425 Programming Languages (2016) 1

Events. Event Handler Arguments 12/12/2017. EEE-425 Programming Languages (2016) 1 Events Events Single Event Handlers Click Event Mouse Events Key Board Events Create and handle controls in runtime An event is something that happens. Your birthday is an event. An event in programming

More information

To start we will be using visual studio Start a new C# windows form application project and name it motivational quotes viewer

To start we will be using visual studio Start a new C# windows form application project and name it motivational quotes viewer C# Tutorial Create a Motivational Quotes Viewer Application in Visual Studio In this tutorial we will create a fun little application for Microsoft Windows using Visual Studio. You can use any version

More information

ArcGIS Pro SDK for.net: Advanced User Interfaces in Add-ins. Wolfgang Kaiser

ArcGIS Pro SDK for.net: Advanced User Interfaces in Add-ins. Wolfgang Kaiser ArcGIS Pro SDK for.net: Advanced User Interfaces in Add-ins Wolfgang Kaiser Framework Elements - Recap Any Framework Element is an extensibility point - Controls (Button, Tool, and variants) - Hosted on

More information

Nasosoft Barcode for.net

Nasosoft Barcode for.net Nasosoft Barcode for.net Table of Contents Overview of Nasosoft Barcode for.net 1 Nasosoft Barcode for.net Features... 1 Install Nasosoft Barcode for.net... 4 System Requirements... 4 Install and Uninstall

More information

Arrays. Arrays: Declaration and Instantiation. Array: An Array of Simple Values

Arrays. Arrays: Declaration and Instantiation. Array: An Array of Simple Values What Are Arrays? CSC 0 Object Oriented Programming Arrays An array is a collection variable Holds multiple values instead of a single value An array can hold values of any type Both objects (reference)

More information

string spath; string sedifile = "277_005010X228.X12"; string sseffile = "277_005010X228.SemRef.EVAL0.SEF";

string spath; string sedifile = 277_005010X228.X12; string sseffile = 277_005010X228.SemRef.EVAL0.SEF; using System; using System.Collections.Generic; using System.ComponentModel; using System.Data; using System.Drawing; using System.Text; using System.Windows.Forms; using Edidev.FrameworkEDI; 1 namespace

More information

User Guide for IntegralUI ListBox v3.0

User Guide for IntegralUI ListBox v3.0 User Guide for IntegralUI ListBox v3.0 2013 Lidor Systems. All rights reserved 1 Table of contents Introduction 4 Architecture 5 Object Model 5 Event Model 6 Editor 7 Appearance 8 Working with styles 8

More information

Event-based Programming

Event-based Programming Window-based programming Roger Crawfis Most modern desktop systems are window-based. What location do I use to set this pixel? Non-window based environment Window based environment Window-based GUI s are

More information

CSC 211 Intermediate Programming

CSC 211 Intermediate Programming Introduction CSC 211 Intermediate Programming Graphical User Interface Concepts: Part 1 Graphical user interface Allow interaction with program visually Give program distinct look and feel Built from window

More information

Writing Your First Autodesk Revit Model Review Plug-In

Writing Your First Autodesk Revit Model Review Plug-In Writing Your First Autodesk Revit Model Review Plug-In R. Robert Bell Sparling CP5880 The Revit Model Review plug-in is a great tool for checking a Revit model for matching the standards your company has

More information

USB Logic Analyzer Shom Bandopadhaya Advisor: Dr. James H. Irwin

USB Logic Analyzer Shom Bandopadhaya Advisor: Dr. James H. Irwin Shom Bandopadhaya: USB Logic Analyzer October 13, 2005 USB Logic Analyzer Shom Bandopadhaya Advisor: Dr. James H. Irwin Introduction: The goal of this project is to continue design for a USB logic analyzer

More information