Example File Manipulation in Visual Basic

Size: px
Start display at page:

Download "Example File Manipulation in Visual Basic"

Transcription

1 Example File Manipulation in Visual Basic Obtain the file from your lecturer: Ex-files.vbp Ex-Files.bas Stock.dat Ex-Files.frm ex-files.vbw Prices.dat One of the most important functions of programming is file handling. Files allow data to be stored for later use ( i.e. can be saved, read and updated from day to day) Some definitions: A file is made up of records A record is made up of fields A field is an item of data This example shows a Stock File for a greetings card wholesale company called Budget Cards Ltd. The company buy in cards from manufacturers (Suppliers) and sell them on to high street retail shops. The data stored on file includes: File Structure StockCode Integer Record number - unique key field Description String 15 chars brief description of the card Category String 10 chars category such as Birthday, Christmas, etc. PriceCode String 2 chars price code AA, BB, CC, DD, EE, etc. (see grey box) Unit String 5 chars cards are usually sold in packs or boxes of 5, 10, 20, etc Quantity Integer number of units available (in stock). SupplierCode Integer The code number of the supplier from whom the card are purchased (see grey box). Active String 1 char Y = active record N = non-active(deleted) Additional files will be added later: PriceList to be used to look up the price for the PriceCode Supplier Name, Address and Tel No of supplier A partially completed program should be obtained from your lecturer. The screen and code are listed on the following pages: Note this is a simplified example it does not contain any validation of input. FileHandlinginVB 1

2 The Module A module is created to define the data type StockRecord Type StockRecord StockCode As Integer Description As String * 15 Category As String * 10 PriceCode As String * 2 Quantity As Integer Unit As String * 8 SupplierCode As Integer Active As String * 1 End Type The variable StkRec is declared to be type StockRecord in the main program. Data from the screen is copied to StkRec and then written to the file as a block of data. The Main Form txtdisplay txtstockcode txtdescription txtcategory txtpricecode txtquantity txtunit txtsuppliercode cmdaddrecord cmddelete cmdsearch cmdupdate cmdclose CmdListFile cmdundelete cmdsaveupdate cmdclear FileHandlinginVB 2

3 Code Option Explicit 'General Declarations Dim StkRec As StockRecord Dim WkRec As StockRecord Dim UpdateRecNo As Integer 'used in UpdateRecord and SaveUpdated StkRec has the same format as StockRecord defined in the module. Private Sub cmdaddrecord_click() Dim OutMsg As String * 25 Dim RecNo As Integer User enters data to the boxes on screen then hits the Add Record button. If txtstockcode = "" Then MsgBox "You must enter a Stock Code" RecNo = Val(txtStockCode) 'check to see if record already on file Get #1, RecNo, WkRec If WkRec.Active = "Y" Then MsgBox "Record already on file" 'write record to file StkRec.StockCode = txtstockcode StkRec.Description = txtdescription StkRec.Category = txtcategory StkRec.PriceCode = txtpricecode StkRec.Quantity = txtquantity StkRec.Unit = txtunit StkRec.SupplierCode = txtsuppliercode StkRec.Active = "Y" Put #1, RecNo, StkRec Using the StockCode as the record number the file is checked to see if a record already exists (and is active) before allowing the new record to be written. The data is copied from the screen text boxes into the StkRec area and then written to the file by the put #1 statement. Note that the Active field is set to Y for new records. End Sub OutMsg = "Record " + Str(StkRec.StockCode) + " written" MsgBox (OutMsg) FileHandlinginVB 3

4 Private Sub cmdlistfile_click() Dim x As Integer PicDisplay.Cls PicDisplay.Print Tab(0); "Stock"; Tab(8); "Description"; Tab(25); _ "Category"; Tab(40); "Price"; Tab(50); _ "Quantity"; Tab(60); "Unit"; Tab(68); _ "Supplier"; Tab(78); "Active" PicDisplay.Print Tab(0); "code"; Tab(40); "Code"; Tab(68); "Code" x = 1 While Not EOF(1) Get #1, x, StkRec If StkRec.Active = "Y" Or StkRec.Active = "N" Then The Display is cleared. The headings are written. Tab( ) moves across the screen. PicDisplay.Print Tab(0); StkRec.StockCode; Tab(8); StkRec.Description; _ Tab(25); StkRec.Category; Tab(40); StkRec.PriceCode; Tab(50); _ StkRec.Quantity; Tab(60); StkRec.Unit; Tab(68);_ StkRec.SupplierCode; Tab(78); StkRec.Active x = x + 1 Wend End Sub The WHILE loop ends when the End Of File (EOF) is reached. X is used to count through the records in the file. Get reads a record into the StkRec. By removing the bolded text from the IF only active records will be shown!!! There are already a few records on the file. Click on the list button and write them in the table below Stock Code Description Category PriceCode Quantity Unit Supplier Code Active FileHandlinginVB 4

5 Exercise 1 Convert the algorithm below to create the code for the Delete Button: Delete Record Data Received : StockCode {the user should have entered a Stock Code var OutMsg var RecNo var Reply String[30] Integer String Begin End If StockCode is empty Then Error Message "You must enter a StockCode" RecNo = Value (StockCode) { check to see if record is on file } Read Stock Record at position RecNo from Stock file {Get #1, RecNo, StkRec If StkRec.Active = "N" Then Error Message "Record not on file" {Display Record to confirm delete Display StockRecord {copy record to text boxes Display Confirm Delete Input Reply If Reply = Yes Then 'Mark record as deleted (not Active) StkRec.Active = "N" Write Stock Record to File at RecNo position {Put #1, RecNo, StkRec Display message Record StockCode Deleted. Test the new button by deleting a record and listing the file. Note that the Active field changes to N for deleted records. Test the Undelete button by undeleting a record you have deleted. Note that the Active field changes to Y for records not deleted. FileHandlinginVB 5

6 Exercise 2 Convert the Structure chart below to create the Search Button Search StockCode = Empty True Error Must enter Stock Code Set RecNo = StockCode Read record at RecNo Record = Deleted True Error Record Not on File Display Record Details Perform a search for records you have on file. Check that records marked as deleted are not displayed by the search. FileHandlinginVB 6

7 Exercise 3 A second file is to be included to keep track of price codes (i.e. look up the price that matches the Price Code). The file is on disk as Prices.dat It has the following record structure: PriceCode string 2 chars Store the Price Code Price currency Store the Price 1) Define a suitable data type in the visual basic module. 2) Declare the record in the General Declarations of the Form. Call it PriceRec. 3) Open the file as #2 in Form Load ( ) 4) Add a new text box next to Form. Place it next to the Price Code text box as shown below: Category txtprice Price Code Quantity Price 5) Now write code to look up the price as the user enters a Price Code. In the Validation for the PriceCode text box add the following code: Found=false x = 1 While NOT EOF(2) and NOT Found Read PriceRec from Prices File If txtpricecode = PriceRec.PriceCode then Found = true Endif x = x + 1 Wend If Found then TxtPrice = PriceRec.Price Msgbox Invalid Price Code. Please re-enter. Endif Prices File Data on the prices file: Test this new validation check is working. This lookup will also be useful in other buttons/subrouotines. PriceCode Price AA 1.50 BB 2.00 CC 2.25 FileHandlinginVB 7

WebStore. Resellers. Brief User Guide. Invite. Self-Register. Log-In. Lost Password. Support. SIPHON 31 May Resellers must be invited to use

WebStore. Resellers. Brief User Guide. Invite. Self-Register. Log-In. Lost Password. Support. SIPHON 31 May Resellers must be invited to use Resellers WebStore Brief User Guide Invite Resellers must be invited to use the SIPHON WebStore. This is important as we need to approve your email address against your account. If you would like to register

More information

Setting up an Invoice System

Setting up an Invoice System Chapter 2 To fully understand the value of relational databases you need to create a detailed system. In this chapter you will setup an invoicing system for a computer mail order company, PC Direct, which

More information

Data Presentation using Excel

Data Presentation using Excel Data Presentation using Excel Creating a Chart In addition to creating models, spreadsheets provide facilities to display data graphically in charts. The following exercises require the file WHSMITH.XLS

More information

PRACTICAL EXERCISE 1.1.6b

PRACTICAL EXERCISE 1.1.6b PRACTICAL EXERCISE 1.1.6b PLAN, SELECT & USE APPROPRIATE IT SYSTEMS & SOFTWARE 1. Explain the purpose for using IT. EXPLAIN THE PURPOSE FOR USING IT a) Explain the type of document that is to be produced

More information

Once the Scala Po is created kindly processed the below vendor process

Once the Scala Po is created kindly processed the below vendor process Adobe Licenses ( OLP NL Orders) Licenses ( OLP NL Orders) Once the Scala Po is created kindly processed the below vendor process a) For Placing the Licenses order Go to the below Link https://licensing2.adobe.com/sap(bd1lbizjptawmw==)/bc/bsp/sap/zliclogin/login_use

More information

Unit 9 Spreadsheet development. Create a user form

Unit 9 Spreadsheet development. Create a user form Unit 9 Spreadsheet development Create a user form So far Unit introduction Learning aim A Features and uses Assignment 1 Learning aim B - Design a Spreadsheet Assignment 2 Learning aim C Develop and test

More information

Open Learning Guide. Microsoft Excel Introductory. Release OL356v1

Open Learning Guide. Microsoft Excel Introductory. Release OL356v1 Guide Microsoft Excel 2013 Introductory Note: Microsoft, Excel and Windows are registered trademarks of the Microsoft Corporation. Release OL356v1 Contents SECTION 1 FUNDAMENTALS... 9 1 - SPREADSHEET PRINCIPLES...

More information

Product Labels User Guide

Product Labels User Guide 2 Contents Introduction... 3 Add-on Installation... 4 Automatic Labels... 5 Manage Auto Labels... 5 Edit Auto Labels Appearance... 6 Generate auto label manually... 6 Upload file for auto label... 9 Custom

More information

DEVELOP AND USE COMPLEX

DEVELOP AND USE COMPLEX ISBN 978-1-921780-78-3 DEVELOP AND USE COMPLEX SPREADSHEETS (EXCEL 2010) BSBITU402A By The Software Publications Writing Team Develop and use complex spreadsheets (Excel 2010) This book supports BSBITU402A

More information

Jet Marketplace Integration with Magento Version: 1.0

Jet Marketplace Integration with Magento Version: 1.0 User Guide for Jet Marketplace Integration with Magento Version: 1.0 OVERVIEW Jet Integration, helps to integrate your Magento store with Jet by establishing a synchronization of products, orders and refunds

More information

search value 94 not found

search value 94 not found 230 Java Programming for A-level Computer Science 9 Searching In the second part of this chapter, we will turn our attention to methods for finding a particular record within a set of data. The method

More information

Lab Sheet 4.doc. Visual Basic. Lab Sheet 4: Non Object-Oriented Programming Practice

Lab Sheet 4.doc. Visual Basic. Lab Sheet 4: Non Object-Oriented Programming Practice Visual Basic Lab Sheet 4: Non Object-Oriented Programming Practice This lab sheet builds on the basic programming you have done so far, bringing elements of file handling, data structuring and information

More information

SEM Dealer Management System Operation Manual

SEM Dealer Management System Operation Manual SEM Dealer Management System Operation Manual 1 Content Chapter 1 System Introduction... 3 Chapter 2 System Installation... 4 Chapter 3 System Interface Introduction... 5 Chapter 4 System Operating Instruction...

More information

Event Night Card Reader

Event Night Card Reader Event Night Card Reader There are three possible scenarios at event check-in: 1. Pre-registered Guests: Bidders who have registered for the event in advance, including on-line registrations. 2. New Bidders

More information

Download the files from you will use these files to finish the following exercises.

Download the files from  you will use these files to finish the following exercises. Exercise 6 Download the files from http://www.peter-lo.com/teaching/x4-xt-cdp-0071-a/source6.zip, you will use these files to finish the following exercises. 1. This exercise will guide you how to create

More information

TURNING DATA INTO BUSINESS. enterprise pim. Powerful performance for large ranges and complex processes. Fact Sheet (English)

TURNING DATA INTO BUSINESS. enterprise pim. Powerful performance for large ranges and complex processes. Fact Sheet (English) enterprise pim Powerful performance for large ranges and complex processes Fact Sheet (English) CONTENT MULTICHANNEL INCREASES THE COMPLEXITY OF PRODUCT DATA EDITORIAL 3 INDICATORS FOR PIM PERFORMANCE

More information

King Abdulaziz University Faculty of Computing and Information Technology Computer Science Department

King Abdulaziz University Faculty of Computing and Information Technology Computer Science Department King Abdulaziz University Faculty of Computing and Information Technology Computer Science Department CPCS202, 1 st Term 2016 (Fall 2015) Program 5: FCIT Grade Management System Assigned: Thursday, December

More information

BEFORE, you would order from Office Depot by clicking on the icon on the Catalogs tab:

BEFORE, you would order from Office Depot by clicking on the icon on the Catalogs tab: ORDERING FROM OFFICE DEPOT In order to provide you with better value and to ensure that you are purchasing the right product at the best price, Supply Management will be transitioning our punchout suppliers

More information

Incarcerated Student Online Ordering Procedures INTRODUCTION

Incarcerated Student Online Ordering Procedures INTRODUCTION INTRODUCTION This ordering guide gives step by step instructions on placing online orders for purchasing required and recommended materials for Incarcerated students enrolled in the Distance Learning Program.

More information

Level 2 Creating an event driven computer program using VisualBasic.Net ( )

Level 2 Creating an event driven computer program using VisualBasic.Net ( ) Level 2 Creating an event driven computer program using VisualBasic.Net (7540-009) Assignment guide for Candidates Assignment B www.cityandguilds.com October 2017 Version 1.0 About City & Guilds City &

More information

Creating a Requisition

Creating a Requisition Creating a Requisition 1. To create a requisition for a company that does not have a catalog in PelliBiz, click on the Requisition Form button under the Shop bar. 2. Enter the vendor s name in the Enter

More information

Go to and click on the Awards tab.

Go to   and click on the Awards tab. Go to www.unityeducate.com and click on the Awards tab. Once you have clicked into the Awards tab, this is the page that will be displayed. Click on My Account Cli on My Account When you do so, the My

More information

Fund Accounting Purchasing Supplement. PowerSchool. efinanceplus. Version 1.0

Fund Accounting Purchasing Supplement. PowerSchool. efinanceplus. Version 1.0 Fund Accounting Purchasing Supplement PowerSchool efinanceplus Version 1.0 Table of Contents Fund Accounting Purchasing Supplement... 1 efinanceplus Login Instructions... 3 Accessing and Searching Expenditure

More information

FAMIS NON-INVENTORY PURCHASING MANUAL

FAMIS NON-INVENTORY PURCHASING MANUAL FAMIS NON-INVENTORY PURCHASING MANUAL 1 Contents Overview of Non-inventory purchasing process... 3 Create FAMIS Non-Stock Stock Part... 4 Create FAMIS Purchase Order (PO)... 6 Receiving Item in FAMIS...

More information

Inventory. Back to School. Direct Invoicing. ecommerce. Financials. Point of Sale. Purchases. Receive Orders. Returns to Suppliers

Inventory. Back to School. Direct Invoicing. ecommerce. Financials. Point of Sale. Purchases. Receive Orders. Returns to Suppliers Back to School Direct Invoicing ecommerce Financials Inventory Point of Sale Purchases Receive Orders Returns to Suppliers Special Orders, Reservations & Approvals Textbooks 2015 UniLink Data Systems Pty

More information

Portable Data Terminal

Portable Data Terminal Arch User Guide ver. 25 Classification: Document History Date Version Changed By Details 2016-03-06 1.0 Michelle Lategan Created Document Document Version 1.0 Last Update: Table of Contents Page 1 of 16

More information

New Item Submission System (NISS)

New Item Submission System (NISS) New Item Submission System (NISS) Agent/Supplier User Guide 1 of 36 Table of Contents INTRODUCTION... 3 Overview... 3 Support... 3 NISS at a Glance... 4 To Access NISS... 4 PASSWORD... 6 First Time Use...

More information

SupplierGenius User Guide

SupplierGenius User Guide SupplierGenius User Guide Level 1 Training Catalog Management Version 1.15 Overview Welcome to SupplierGenius, a cloud-based password-protected website designed to provide suppliers with the ability to

More information

Excel VBA Variables, Data Types & Constant

Excel VBA Variables, Data Types & Constant Excel VBA Variables, Data Types & Constant Variables are used in almost all computer program and VBA is no different. It's a good practice to declare a variable at the beginning of the procedure. It is

More information

Gift Card Manager Extension

Gift Card Manager Extension Ph: +91-120-4243310 Gift Card Manager Extension User Manual v1.0.0 Prepared by E-mail: support@knowband.com E-23, Sector-63, Noida. Phone: +91-120-4243310 1 Ph: +91-120-4243310 Contents 1.0 Introduction

More information

WEB SITE GUIDE. PLACE AN ORDER - Drop Ship Account INDEPENDENCE MEDICAL

WEB SITE GUIDE. PLACE AN ORDER - Drop Ship Account INDEPENDENCE MEDICAL WEB SITE GUIDE PLACE AN ORDER - Drop Ship Account INDEPENDENCE MEDICAL Place an Order To place an order, roll over the Place Order tab. From here, you will be able to add items to your cart using the Reorder,

More information

Tobacco Products Manufacturer s and Importer s Report

Tobacco Products Manufacturer s and Importer s Report Tobacco Products Manufacturer s and Importer s Report Logging Into EDS Log in with the user id and password provided through the EDS registration process and click on the Login button. If you have not

More information

Printed Documentation

Printed Documentation Printed Documentation Table of Contents Getting Started... 1 Technical Support... 1 Introduction... 1 Getting Started... 3 Payment Option:... 3 Data Synchronization... 4 General Website settings... 5

More information

Cat ARCTIC CAT Dealer & Distributor Network

Cat ARCTIC CAT Dealer & Distributor Network Cat ARCTIC CAT Dealer & Distributor Network TUTORIAL Part 01 Content: Shop / Parts Ordering Service & Support Cat TUTORIAL Welcome to the Arctic Cat Europe Dealer online platform called Cat. This network

More information

UNIVERSITY OF CAMBRIDGE INTERNATIONAL EXAMINATIONS International General Certificate of Secondary Education

UNIVERSITY OF CAMBRIDGE INTERNATIONAL EXAMINATIONS International General Certificate of Secondary Education UNIVERSITY OF CAMBRIDGE INTERNATIONAL EXAMINATIONS International General Certificate of Secondary Education *0000000000* INFORMATION TECHNOLOGY 0418/02 Paper 2 Practical Test October/November 2008 Additional

More information

These pages are an excerpt from my book Grow with Magento The Unofficial Magento Users Guide. See for more information

These pages are an excerpt from my book Grow with Magento The Unofficial Magento Users Guide. See   for more information These pages are an excerpt from my book Grow with Magento The Unofficial Magento Users Guide See http://ipicdg.com/store/ for more information Creating a Configurable Product A configurable product is

More information

Create a workbook using the guidelines, concepts, and skills presented in this chapter. Labs are listed in order of increasing difficulty.

Create a workbook using the guidelines, concepts, and skills presented in this chapter. Labs are listed in order of increasing difficulty. What-If Analysis, Charting, and Working with Large Worksheets EX 209 was entered and copied to cells D9, D10, and D11. The current IF functions in cells D8, D9, D10, and D11 are incorrect. Edit and correct

More information

Write the code for the click event for the Move>> button that emulates the behavior described above. Assume you already have the following code:

Write the code for the click event for the Move>> button that emulates the behavior described above. Assume you already have the following code: IS 320 Spring 2000 page 1 1. (13) The figures below show two list boxes before and after the user has clicked on the Move>> button. Notice that the selected items have been moved to the new list in the

More information

MS Office 2016 Excel Pivot Tables - notes

MS Office 2016 Excel Pivot Tables - notes Introduction Why You Should Use a Pivot Table: Organize your data by aggregating the rows into interesting and useful views. Calculate and sum data quickly. Great for finding typos. Create a Pivot Table

More information

Introduction. Lecture 1 MIT 12043, Fundamentals of Programming By: S. Sabraz Nawaz

Introduction. Lecture 1 MIT 12043, Fundamentals of Programming By: S. Sabraz Nawaz Introduction Lecture 1 MIT 12043, Fundamentals of Programming By: Programming Languages There are hundreds of programming languages. Very broadly these languages are categorized as o Low Level Languages

More information

PeopleSoft Financials 9.2 Upgrade Candyse Edwards Health eshop Administrator. How to Create a Health eshop Requisition

PeopleSoft Financials 9.2 Upgrade Candyse Edwards Health eshop Administrator. How to Create a Health eshop Requisition PeopleSoft Financials 9.2 Upgrade Candyse Edwards Health eshop Administrator How to Create a Health eshop Requisition Upon logging into PeopleSoft, click on the Navigation/Compass Symbol and then Navigator.

More information

20. VB Programming Fundamentals Variables and Procedures

20. VB Programming Fundamentals Variables and Procedures 20. VB Programming Fundamentals Variables and Procedures 20.1 Variables and Constants VB, like other programming languages, uses variables for storing values. Variables have a name and a data type. Array

More information

Skill Set 5. Outlines and Complex Functions

Skill Set 5. Outlines and Complex Functions Spreadsheet Software OCR Level 3 ITQ Skill Set 5 Outlines and Complex Functions By the end of this Skill Set you should be able to: Create an Outline Work with an Outline Create Automatic Subtotals Use

More information

Wholesale Add To Cart Grid. User manual

Wholesale Add To Cart Grid. User manual Wholesale Add To Cart Grid User manual Table of contents 1. Overview 1.1 General information 1.2 Key features 1.3 About this manual 2. Installation 2.1 Installation requirements 2.2 Installation instructions

More information

In-State Tobacco Products Wholesale Dealer s Report

In-State Tobacco Products Wholesale Dealer s Report In-State Tobacco Products Wholesale Dealer s Report Logging Into EDS Log in with the user id and password provided through the EDS registration process and click on the Login button. If you have not registered,

More information

FEATURES IN TRIMIT B2B WEBSHOP 2018

FEATURES IN TRIMIT B2B WEBSHOP 2018 FEATURES IN TRIMIT B2B WEBSHOP 2018 This document describes the features available in the TRIMIT B2B Webshop, released with TRIMIT 2018. The TRIMIT B2B Webshop is built to enable known customers to create

More information

ZeroWeb Manual. Securities offered to you by TradeZero America, Inc. Page 1 of 11

ZeroWeb Manual. Securities offered to you by TradeZero America, Inc. Page 1 of 11 ZeroWeb Manual Securities offered to you by TradeZero America, Inc Page 1 of 11 Contents WATCH LIST...3 CHARTS...4 LEVEL 2, TIME and SALES, ORDER ENTRY...6 SHORT LIST and LOCATES...7 NEW WINDOWS and LAYOUT...8

More information

Your Cart User Manual v3.6

Your Cart User Manual v3.6 Your Cart User Manual v3.6 2 Your Cart User Manual v3.6 Table of Contents Foreword 0 7 Part I Getting Started Overview 11 Part II Categories & Products 1 Manage Categories... Overview 11 Add a New... Category

More information

Grainger Punchout Training Guide

Grainger Punchout Training Guide South Dakota Board of Regents Human Resources/Finance Information Systems Version Number 1.0 Updated 2/16/2012 Table of Contents Purchasing Page Introduction 2 Overview 2 Intended Audience 2 Documentation

More information

Measuring and Presenting Jigawa CDF KPIs

Measuring and Presenting Jigawa CDF KPIs Measuring and Presenting Jigawa CDF KPIs February 2011 The opinions expressed in this report are those of the authors and do not necessarily represent the views of the Department for International Development

More information

User Guide HOW TO SAVE TIME AND IMPROVE YOUR FINANCIAL EFFICIENCY. Tel: Fax:

User Guide HOW TO SAVE TIME AND IMPROVE YOUR FINANCIAL EFFICIENCY.  Tel: Fax: HOW TO SAVE TIME AND IMPROVE YOUR FINANCIAL EFFICIENCY Link our website directly to your SIMS FMS No re-keying or duplicate entry Instant approval and ordering from inside SIMS FMS Eliminate manual errors

More information

Alcoholic Beverage Distributor s Monthly Report

Alcoholic Beverage Distributor s Monthly Report Alcoholic Beverage Distributor s Monthly Report Log in with the user id and password provided through the EDS registration process and click on the Login button. If you have not registered, click on the

More information

European Computer Driving Licence. Advanced Spreadsheet Software BCS ITQ Level 3. Syllabus Version 2.0

European Computer Driving Licence. Advanced Spreadsheet Software BCS ITQ Level 3. Syllabus Version 2.0 ECDL Advanced European Computer Driving Licence Advanced Spreadsheet Software BCS ITQ Level 3 Using Microsoft Excel 2010 Syllabus Version 2.0 This training, which has been approved by BCS, The Chartered

More information

Ordering & Order Status

Ordering & Order Status Contents Exercise #1: Upload a Speedy File... 2 Exercise #2: Order Parts... 13 Exercise #3: View the Order Status & Load Building Report.. 23 Directions Log into HVACpartners Distributors Sandbox as follows.

More information

BASIC EXCEL SYLLABUS Section 1: Getting Started Section 2: Working with Worksheet Section 3: Administration Section 4: Data Handling & Manipulation

BASIC EXCEL SYLLABUS Section 1: Getting Started Section 2: Working with Worksheet Section 3: Administration Section 4: Data Handling & Manipulation BASIC EXCEL SYLLABUS Section 1: Getting Started Unit 1.1 - Excel Introduction Unit 1.2 - The Excel Interface Unit 1.3 - Basic Navigation and Entering Data Unit 1.4 - Shortcut Keys Section 2: Working with

More information

Brand feed requirements

Brand feed requirements Developer s manual version 1.3 Introduction Technical and business requirements Pages 3-4 Product feed is used to ensure automatic synchronization of Brand products to Miinto Product feed has to be developed

More information

QUICK REFERENCE MANUAL. Fred Office Version 3.7 NEW CUSTOMER QUICK REFERENCE MANUAL

QUICK REFERENCE MANUAL. Fred Office Version 3.7 NEW CUSTOMER QUICK REFERENCE MANUAL UICK REFERENCE MANUAL Fred Office Version 3.7 NEW CUSTOMER UICK REFERENCE MANUAL Contact Fred IT Group Copyright Notice Head Office 03 9418 1800 Website www.fred.com.au Fred Help Centre https://help.fred.com.au

More information

B2B Portal User Guide

B2B Portal User Guide B2B Portal User Guide Table of Contents Introduction..3 Logging In.4 Changing your original password......6 Ordering Product....7 Product Waiting Lists......8 Payment Options.. 14 Finalizing your Order...

More information

Shopper Guide v.3: 3/23/16

Shopper Guide v.3: 3/23/16 Shopper Guide v.3: 3/23/16 SMARTOCI: ADMINISTRATOR Table of Contents 1) Getting Started...4 What is smartoci?...4 Shopper Browser Versions...5 Logging in...6 Issues Logging In (smartoci Access Issues)...6

More information

Carrefour Belgium e-invoice

Carrefour Belgium e-invoice CertiONE Level 1 - Bizmail Carrefour e-invoice 1 User manual CertiONE Bizmail Carrefour Belgium e-invoice Retail Supplier Community CertiONE Level 1 - Bizmail Carrefour e-invoice 2 Table of contents 1

More information

SECTION A. (a) Name any four application areas of business computing. 2 (b) What are the following software used for? 2

SECTION A. (a) Name any four application areas of business computing. 2 (b) What are the following software used for? 2 KENDRIYA VIDYALAYA 1 AFS TAMBARAM PRACTICE PAPER Class : XII S u b j e c t : I n f o r m a t i c s P r a c t i c e Time allowed : 3 hours Maximum Marks : 70 Instruction: (i) (ii) (iii) (iv) This question

More information

Chapter Events Creating and Editing. Contents Creating New Events for Chapter Leaders... 2 Editing and Managing Events for Chapter Leaders...

Chapter Events Creating and Editing. Contents Creating New Events for Chapter Leaders... 2 Editing and Managing Events for Chapter Leaders... Chapter Events Creating and Editing Contents Creating New Events for Chapter Leaders... 2 Editing and Managing Events for Chapter Leaders... 7 Creating New Events for Chapter Leaders 1) From https://www.texasexes.org/saml_login?destination=home,

More information

Sébastien Mathier wwwexcel-pratiquecom/en Variables : Variables make it possible to store all sorts of information Here's the first example : 'Display the value of the variable in a dialog box 'Declaring

More information

CREATE A NEW INTERNAL CATALOG (ADMINS ONLY)

CREATE A NEW INTERNAL CATALOG (ADMINS ONLY) CREATE A NEW INTERNAL CATALOG (ADMINS ONLY) This section outlines how to create a new Internal Catalog where Shoppers can search across a pre-loaded, pre-approved list of items within the smartoci application.

More information

MYOB Exo Business White Paper

MYOB Exo Business White Paper MYOB Exo Business White Paper Search Templates Last modified: 8 August 2017 Contents Introduction 1 Version History... 1 Adding Search Templates 1 Search Template SQL Statements... 4 Required Fields...

More information

Digital Products. Manual Version 1.0 T +31 (0) E I

Digital Products. Manual Version 1.0 T +31 (0) E I Digital Products Manual Version 1.0 T +31 (0)88 228 9849 E support@ccvshop.nl I www.ccvshop.nl Contents Contents 2 Change log 3 1. Introduction 4 2. Step-by-step plan 5 2.2 Step 1: Install the Digital

More information

SIMS FMS E-PROCUREMENT EASY REFERENCE GUIDE FOR IMPLEMENTING SEAMLESS INTEGRATION ACROSS YOUR SCHOOL

SIMS FMS E-PROCUREMENT EASY REFERENCE GUIDE FOR IMPLEMENTING SEAMLESS INTEGRATION ACROSS YOUR SCHOOL SIMS FMS E-PROCUREMENT EASY REFERENCE GUIDE FOR IMPLEMENTING SEAMLESS INTEGRATION ACROSS YOUR SCHOOL To help make buying with us as easy as possible, we ve introduced our new, fully integrated e- Procurement

More information

Honors Introduction to C (COP 3223H) Program 5 Pizza Shack Inventory and Finances

Honors Introduction to C (COP 3223H) Program 5 Pizza Shack Inventory and Finances Honors Introduction to C (COP 3223H) Program 5 Pizza Shack Inventory and Finances Objective To give students practice writing a program with structs, functions and arrays, all interleaved. The Problem:

More information

Information Systems (Informationssysteme)

Information Systems (Informationssysteme) Information Systems (Informationssysteme) Jens Teubner, TU Dortmund jensteubner@cstu-dortmundde Summer 2018 c Jens Teubner Information Systems Summer 2018 1 Part IV Database Design c Jens Teubner Information

More information

Level 3 Computing Year 1 Lecturer: Phil Smith

Level 3 Computing Year 1 Lecturer: Phil Smith Level 3 Computing Year 1 Lecturer: Phil Smith Previously.. We looked at forms and controls. The event loop cycle. Triggers. Event handlers. Objectives for today.. 1. To gain knowledge and understanding

More information

Purchase Order User Manual

Purchase Order User Manual User Manual Copyright 2014 by Samco Software Inc. PROPRIETARY RIGHTS NOTICE: All rights reserved. No part of this material may be reproduced or transmitted in any form or by any means, electronic, mechanical,

More information

Planning Functions and Characteristic Relationship in Integrated Planning

Planning Functions and Characteristic Relationship in Integrated Planning Planning Functions and Characteristic Relationship in Integrated Planning Applies to: SAP BI 7.0 developers and Reporting Users. For more information, visit the EDW homepage Summary This document explains

More information

H&L Training Document

H&L Training Document H&L Training Document Sysnet Version 7.1.3 onwards* Change Log Version Edited By Date 1.0 Julia Jones-Wilson 23/01/2015 Certified Document H&L Australia Pty Ltd 2015 *Subject to change without notice This

More information

CIS 330: Web-driven Web Applications. Lecture 2: Introduction to ER Modeling

CIS 330: Web-driven Web Applications. Lecture 2: Introduction to ER Modeling CIS 330: Web-driven Web Applications Lecture 2: Introduction to ER Modeling 1 Goals of This Lecture Understand ER modeling 2 Last Lecture Why Store Data in a DBMS? Transactions (concurrent data access,

More information

For use by OMC department only. NEW REGISTRATION REGISTRATION UPDATE SERVICES PROCUREMENT. Number Date/Place of Issue Number Date/Place of Issue

For use by OMC department only. NEW REGISTRATION REGISTRATION UPDATE SERVICES PROCUREMENT. Number Date/Place of Issue Number Date/Place of Issue SUBMIT TO Attn: Procurement Manager Procurement Department Oman Methanol Company L.L.C P.O. Box 474, Falaj Al Qabial, PC:322, Sultanate Of Oman Ph: +968 26865800 Fax: +968 26850540 NEW REGISTRATION REGISTRATION

More information

User s Guide for Advantech s Automation Group Channel Partners

User s Guide for Advantech s Automation Group Channel Partners User s Guide for Advantech s Automation Group Channel Partners 2 Table of Contents What is MyAdvantech.. 3 How to Access MyAdvantech. 4 Logging-in to MyAdvantech... 5 MyAdvantech Password Help. 6-7 MyAdvantech

More information

information process modelling DFDs Process description

information process modelling DFDs Process description Process modelling IMS9300 IS/IM FUNDAMENTALS information process modelling DFDs Process description processes are the action part of businesses process modelling graphically represents the processes which

More information

CS2351 Data Structures. Lecture 7: A Brief Review of Pointers in C

CS2351 Data Structures. Lecture 7: A Brief Review of Pointers in C CS2351 Data Structures Lecture 7: A Brief Review of Pointers in C 1 About this lecture Pointer is a useful object that allows us to access different places in our memory We will review the basic use of

More information

Guidebook ONLINE ORDERING MADE EASY!

Guidebook ONLINE ORDERING MADE EASY! www.boltsupply.com Guidebook ONLINE ORDERING MADE EASY! ONLINE ORDERING MADE EASY! www.boltsupply.com Guidebook Here are some of the highlights of the new boltsupply.com New Home Page It s now easier than

More information

INGRAM IPAGE. EXTERNAL FAQs

INGRAM IPAGE. EXTERNAL FAQs INGRAM IPAGE EXTERNAL FAQs Contents What is ipage?... 2 Why should I open an account?... 2 How do I open an ipage account?... 2 Do I need more than one account for multiple branches / locations?... 2 How

More information

Pinnacle Cart User Manual v3.6.3

Pinnacle Cart User Manual v3.6.3 Pinnacle Cart User Manual v3.6.3 2 Pinnacle Cart User Manual v3.6.3 Table of Contents Foreword 0 Part I Getting Started Overview 7 Part II Categories & Products 11 1 Manage... Categories Overview 11 Add

More information

MyanPay API Integration with WordPress & WooCommerce CMS

MyanPay API Integration with WordPress & WooCommerce CMS 2016 MyanPay API Integration with WordPress & WooCommerce CMS MyanPay Myanmar Soft-Gate Technology Co, Ltd. 7/6/2016 MyanPay API Integration with WordPress & WooComerce 1 MyanPay API Integration with WordPress

More information

PO Processor Installation and Configuration Guide

PO Processor Installation and Configuration Guide PO Processor Installation and Configuration Guide Revised: 06/06/2014 2014 Digital Gateway, Inc. - All rights reserved Page 1 Table of Contents OVERVIEW... 3 HOW TO INSTALL PO PROCESSOR... 3 PO PROCESSOR

More information

CLIENT NAME : CONTACT PERSON : TELEPHONE :

CLIENT NAME : CONTACT PERSON : TELEPHONE : REQUEST FOR PROPOSAL FORM CLIENT NAME : CONTACT PERSON : TELEPHONE : EMAIL : FAX : BUSINESS Nature of the business : Retail [ ] Wholesales without distribution [ ] Wholesales with distribution [ ] Textiles

More information

easypurchase Magellan User Reference Guide

easypurchase Magellan User Reference Guide 1 easypurchase Magellan User Reference Guide v1.12.13 Table of Contents Getting Started... 3 Initiating your Account... 3 Logging In... 3 Shop... 4 Creating an Order... 4 Hosted Catalogs... 4 Punchout

More information

Human Factors Engineering Short Course Topic: A Simple Numeric Entry Keypad

Human Factors Engineering Short Course Topic: A Simple Numeric Entry Keypad Human Factors Engineering Short Course 2016 Creating User Interface Prototypes with Microsoft Visual Basic for Applications 3:55 pm 4:55 pm, Wednesday, July 27, 2016 Topic: A Simple Numeric Entry Keypad

More information

2009 W.W. Grainger, Inc. M-P S1798

2009 W.W. Grainger, Inc. M-P S1798 009 W.W. Grainger, Inc. M-P95-0 8S798 Integrating Your eprocurement System with Grainger th Edition Back Forward Stop Refresh Home Print Mail Short Fold 6 5 7 8 9 Short Fold Features of the Navigation

More information

Discover the new B2B Portal! B2B Portal. Public page of B2B Portal : Don t you have yet an access to the B2B Portal?

Discover the new B2B Portal! B2B Portal. Public page of B2B Portal : Don t you have yet an access to the B2B Portal? Discover the new! Public page of : Don t you have yet an access to the? Don t you have a company code (COFOR)? Present your company and complete your company data file and then send it to the GROUPE PSA

More information

SUPPLIER GUIDE PROCONTRACT THE TENDER PROCESS WITHIN FOR

SUPPLIER GUIDE PROCONTRACT THE TENDER PROCESS WITHIN FOR SUPPLIER GUIDE FOR THE TENDER PROCESS WITHIN PROCONTRACT Contents Viewing the Exercise Details/Documents... 3 The Questionnaire/Tender/Quote Documents... 9 Discussions... 11 Question and Answer Facility...

More information

Better Price Extension. User manual

Better Price Extension. User manual Better Price Extension User manual Table of contents 1. Overview 1.1 General information 1.2 Key features 1.3 About this manual 2. Installation 2.1 Installation requirements 2.2 Installation instructions

More information

The Service Assembly screen now includes a Copy Details button to update the Issue Criteria.

The Service Assembly screen now includes a Copy Details button to update the Issue Criteria. T +44 (0)1483 779 370 support@atmslive.com ATMS Release Notes Version 7.0.17 (Mar 02, 2018) The Service Assembly screen now includes a Copy Details button to update the Issue Criteria. A No CHANGE option

More information

14K Mixable Rings 1/ 2 ctw, $1499. Silver Diamond Pendant 1/6 ctw, $299

14K Mixable Rings 1/ 2 ctw, $1499. Silver Diamond Pendant 1/6 ctw, $299 1k 14K D.B.T.Y. 1/4 ctw, 1/2 ctw, $499 3/4 ctw, 9 1 ctw, 9 1m 1a 14K Mixable Rings 1/ 2 ctw, $1499 1h 14K Two Tone 1/5 ctw, $549 1/2 ctw, $1299 Triple Strand 1/4 ctw 14K Triple Strand 3/4 ctw 9 1c 14K

More information

Module Contact: Dr Pierre Chardaire, CMP Copyright of the University of East Anglia Version 1

Module Contact: Dr Pierre Chardaire, CMP Copyright of the University of East Anglia Version 1 UNIVERSITY OF EAST ANGLIA School of Computing Sciences Main Series UG Examination 2014/15 INTRODUCTORY PROGRAMMING CMP-0005B Time allowed: 2 hours. Answer BOTH questions from section A and ONE question

More information

About the Tutorial. Audience. Prerequisites. Copyright & Disclaimer. Magento

About the Tutorial. Audience. Prerequisites. Copyright & Disclaimer. Magento About the Tutorial Magento is an open source E-commerce software, created by Varien Inc., which is useful for online business. It has a flexible modular architecture and is scalable with many control options

More information

SMART CONNECT USER GUIDE SAVING UP TO 1 HOUR PER DAY. JOIN 1000s OF SCHOOLS THAT ARE ALREADY

SMART CONNECT USER GUIDE SAVING UP TO 1 HOUR PER DAY. JOIN 1000s OF SCHOOLS THAT ARE ALREADY JOIN 1000s OF SCHOOLS THAT ARE ALREADY SAVING UP TO 1 HOUR PER DAY SMART CONNECT USER GUIDE For help setting up call us on 0345 120 4776 or email smartconnect@ldalearning.com LDA SMART CONNECT If you are

More information

IS 320 A/B Winter 1998 Page 1 Exam 1

IS 320 A/B Winter 1998 Page 1 Exam 1 IS 320 A/B Winter 1998 Page 1 Use your own paper to answer the questions. You may do work on this document but transfer your answers to separate sheets of paper. Turn in this document as well as your answers

More information

1 Preface and overview Functional enhancements Improvements, enhancements and cancellation System support...

1 Preface and overview Functional enhancements Improvements, enhancements and cancellation System support... Contents Contents 1 Preface and overview... 3 2 Functional enhancements... 6 2.1 "Amazonification" of the application... 6 2.2 Complete integration of Apache Solr... 7 2.2.1 Powerful full text search...

More information

EXERCISE 1. OBJECTIVES File management. INSTRUCTIONS. Creating Spreadsheets and Graphs (Excel 2003) New CLAIT

EXERCISE 1. OBJECTIVES File management. INSTRUCTIONS. Creating Spreadsheets and Graphs (Excel 2003) New CLAIT EXERCISE 1 File management. FREE IT COURSES If you go to our e-learning portal at stwitlc.com you will find a number of free online IT courses. These include 13 modules written by the Open University,

More information

Out-of-State Tobacco Products Wholesale Dealer s Report

Out-of-State Tobacco Products Wholesale Dealer s Report Out-of-State Tobacco Products Wholesale Dealer s Report Logging Into EDS Log in with the user id and password provided through the EDS registration process and click on the Login button. If you have not

More information

Skill Set 3. Formulas

Skill Set 3. Formulas Skill Set 3 Formulas By the end of this Skill Set you should be able to: Create Simple Formulas Understand Totals and Subtotals Use Brackets Select Cells with the Mouse to Create Formulas Calculate Percentages

More information