3 Programmieren Mit Vbscript

Total Page:16

File Type:pdf, Size:1020Kb

3 Programmieren Mit Vbscript 3 Programmieren mit VBScript Windows Scripting lernen ISBN 3-8273-2019-4 In diesem Kapitel werden die Grundlagen für das Programmieren mit Lernziel VBScript vermittelt. Dazu gehören die grundlegenden Regeln, die beim Erstellen von VBScript-Code notwendig sind, sowie das Arbeiten mit Konstanten und Variablen. Anschließend wird die Verwendung von Be- dingungen und Schleifen besprochen, mit denen der Ablauf des Skripts gesteuert werden kann. Weiterhin geht es um eingebaute Funktionen und selbst definierte Unterroutinen. Am Ende wird das Rüstzeug für den Umgang mit Laufzeitfehlern vermittelt. Ein großes Gebiet der VBScript-Programmierung ist die Arbeit mit Objekten. Dieses wichtige Thema ist in Kapitel 4 ausgelagert. 3.1 Die Visual Basic-Sprachfamilie Die Sprache BASIC (Beginners All Purpose Symbolic Instruction Code) hat bei Microsoft eine lange Geschichte, zunächst als QBasic, später als Visual Basic. Innerhalb der Microsoft Windows-Welt ist Visual Basic die beliebteste Programmiersprache. Visual Basic gibt es in vier Dialekten: • Das eigentliche Visual Basic zur Entwicklung eigenständiger Anwen- dungen, • Embedded Visual Basic zur Entwicklung für Windows CE (dem Handheld-Betriebssystem von Microsoft), • Visual Basic for Applications (VBA) als Makrosprache in Microsoft Office und anderen Endbenutzer-Anwendungen • und Visual Basic Script (VBS) für den Windows Script Host (WSH) und andere Skript-Umgebungen in Windows-Anwendungen. Die Visual Basic-Sprachfamilie 41 VBA und VBScript haben ähnliche Anwendungsgebiete. Der Hauptun- terschied liegt darin, dass VBScript kostenlos ist, während Microsoft für die Verbreitung von Anwendungen mit integriertem VBA kräftig Lizenzgebühren kassiert. VBA ist außerdem nicht nur eine Sprache, sondern umfasst auch eine komfortable Entwicklungsumgebung, wo- rin der Hauptgrund für den hohen Preis zu suchen ist. Visual Basic Visual Basic.NET (Visual Basic 7.0) In VB.NET entfallene Visual Basic 6.0 / VBA 6.0 Befehle Visual Basic 5.0 VBA 5.0 Zusätzliche Befehle, VBScript 5.1 / 5.5 die es nur in VBScript gibt © [email protected] Abbildung 3.1: Sprachumfang der VB-Dialekte Wie in Kapitel 1 bereits erwähnt ist Visual Basic Script eine Interpreter- Sprache, bei der die Befehle erst während des Ablaufs zeichenweise in Maschinensprache-Befehle für den Mikroprozessor umgesetzt werden. 3.2 Allgemeines zum Arbeiten mit VBScript Innerhalb dieses Abschnittes geht es um grundlegende Regeln und den Aufbau von VBScript-Dateien. Im Gegensatz zu anderen Sprachen gibt es nur wenige Konventionen, die eingehalten werden müssen. VBScript-Syntax Als Erstes einige einfache Regeln für die formale Struktur (Syntax) von VBScript: • Grundsätzlich enthält jede Zeile genau einen Befehl. • Es ist möglich, mehrere Befehle getrennt durch einen Doppelpunkt in eine Zeile zu schreiben. Auf diese Möglichkeit sollten Sie aber aus Gründen der Übersichtlichkeit verzichten. 42 Programmieren mit VBScript • Wenn Befehle sich über mehr als eine Zeile erstrecken sollen, müssen alle Zeilen mit nicht abgeschlossenen Befehlen mit einem Unter- strich „_“ enden. • Leerzeilen, Leerzeichen und Tabulatoren sind in beliebiger Häufung erlaubt, um den Skriptcode übersichtlicher zu machen. • VBScript ist nicht case-sensitive: Die Groß- und Kleinschreibung der Schlüsselwörter ist also ebenso ohne Bedeutung wie die Schreibweise Ihrer selbst gewählten Bezeichner für Variablen, Unterroutinen, etc. • Sofern es nicht durch Bedingungen, Schleifen oder Unterroutinen (die Sie in diesem Kapitel später kennen lernen werden) anders be- stimmt wurde, wird ein Skript sequenziell ausgeführt. Die Ausfüh- rung beginnt in der ersten Zeile. Folglich ist die Reihenfolge der Be- fehle für die korrekte Ausführung des Skripts grundsätzlich wichtig. In vielen Fällen gibt es jedoch mehrere verschiedene richtige Reihen- folgen. Demnach ist die Reihenfolge nicht beliebig. Bei der Erstellung von VBScript-Code gibt es also prinzipiell die Mög- Ein Befehl pro Zeile lichkeit, mehrere Anweisungen (Befehle) in eine Zeile zu schreiben. Diese Befehle müssen dazu allerdings mit einem Doppelpunkt (:) von- einander getrennt werden. ErsterBefehl(): ZweiterBefehl() : DritterBefehl() Allerdings entspricht dies nicht ganz der ordentlichen Programmie- rung. Damit der erstellte Code einfach zu lesen ist, sollte man pro Zeile immer nur einen Befehl verwenden: ErsterBefehl() ZweiterBefehl() DritterBefehl() Im Gegensatz zu anderen Sprachen, wie z.B. C++ oder Java, hält es VB- Groß- und Klein- Script mit der Groß- und Kleinschreibung nicht so genau. Es wird nicht schreibung zwischen diesen beiden Schreibweisen unterschieden, sodass die fol- genden Codezeilen absolut identisch interpretiert werden: IF wert1>wert2 THEN wert2 = wert1 If wert1>wert2 Then wert2 = wert1 if wert1>wert2 then wert2 = wert1 Zwar ist es in VBScript möglich, sehr lange Codezeilen zu schreiben, Zeilenumbrüche allerdings sind diese für die Lesbarkeit nicht gerade von Vorteil. Sollte einmal der Fall auftreten, dass eine sehr lange Codezeile entsteht, so kann man zwischen zwei Zeichen, die nicht zu einem Befehl oder Wert gehören, durch einen Unterstrich (_)_ trennen und in der nächsten Zeile fortsetzen. Das folgende Beispiel verdeutlicht diese Möglichkeit. Allgemeines zum Arbeiten mit VBScript 43 If (Wert1>Wert2) And (Wert2>Wert3) Or (Wert1>Wert3) Then … End If Dieser Code kann durch Umbrechen von Zeilen mit dem Unterstrich wie folgt dargestellt werden: If (Wert1>Wert2) And _ (Wert2>Wert3) Or _ (Wert1>Wert3) Then … End If 3.3 Kommentare Grundsätzlich sollte man bei der Programmierung dem eigentlichen Programmcode zusätzliche Kommentare hinzufügen, um das Pro- gramm für sich selbst und andere verständlich zu machen. Ein gutes Skript zeichnet sich dadurch aus, dass es gut lesbar ist, d.h. dass der Code ist entsprechend kommentiert wurde. Zwar kann man anhand des Programmcodes oft schon sehen, was innerhalb eines Skripts geschieht, allerdings wird diese Lesbarkeit durch Kommentare wesentlich verbes- sert. Um einen Kommentar innerhalb eines Codes zu definieren, muss dieser mit einem Hochkomma (') oder mit dem Schlüsselwort REM ein- geleitet werden. ' Kommentare.vbs ' Kommentieren von Quellcode ' Autor: [email protected] ' verwendet: keine weiteren Komponenten ' =============================== ' Dies ist ein Kommentar REM Dies ist auch ein Kommentar Listing 3.1: Kommentare.vbs Dieses Beispiel enthält, wie jedes Beispiellisting in diesem Buch, einige Kommentarzeilen, die das Skript beschreiben (Name der Datei, Be- schreibung, Autor, etc.), sowie zwei beispielhafte Kommentare mittels Hochkomma (') und REM-Befehl. 44 Programmieren mit VBScript 3.4 Literale Bei Literalen handelt es sich um statische Werte, die direkt innerhalb des Codes hinterlegt werden. Literale werden zum Beispiel für folgende Aufgaben verwendet: • Texte, die das Skript ausgeben soll • Namen von Dateien, die das Skript auslesen soll • Schwellwerte, die für Gültigkeitsprüfungen verwendet werden sollen Es gibt verschiedene Arten von Werten: Ganzzahlige numerische Werte werden einfach durch die Aneinander- Zahlen reihung von Ziffern dargestellt. Bei Fließkommazahlen (nicht-ganzzah- ligen numerischen Werten) wird das Dezimaltrennzeichen nicht durch ein Komma dargestellt, sondern – amerikanisch – durch einen Punkt. Neben dem Dezimalsystem unterstützt VBScript noch zwei andere Zah- Andere Zahlen- lensysteme: Hexadezimalzahlen werden durch ein vorangestelltes "&h", systeme Oktalzahlen durch ein "&o" kenntlich gemacht. Beim Scripting werden manchmal Zahlen als Hexadezimalzahlen oder Oktalzahlen dargestellt, weil die Darstellung einer bestimmten Zahl in diesen Zahlensystemen einfacher ist als im Dezimalsystem. Zeichenketten werden in Anführungszeichen (") dargestellt. Jeweils am Strings Anfang und am Ende des Textes begrenzt dieses Zeichen die Zeichenket- ten. Möchte man innerhalb einer Zeichenkette selbst ein Anführungs- zeichen darstellen, so muss dieses mittels doppelter Anführungszeichen geschehen, z.B. „Hier ist ein Anführungszeichen “„Hallo“„ ! “. Datums- und Uhrzeit-Werte werden innerhalb von zwei Nummerzei- Datum und chen (#) dargestellt. Darüber hinaus erfolgt die Darstellung im amerika- Uhrzeit nischen Format, d.h. mm/dd/yyyy. Für das Datum „11. April 1975“ schreibt man also: #04/11/1975#. Auch die Uhrzeit muss in amerikanischer Schreibweise angegeben werden, z.B. #04/11/1975 11:15:00AM#) Die Wahrheitswerte (boolsche Werte) „Wahr“ und „Falsch“ werden mit- True und False tels der beiden Wörter True und False dargestellt. Die Darstellung von Währungswerten ist abhängig von den Währungs- Währungs- einstellungen innerhalb der Systemsteuerung. Für eine auf Euro einge- angaben stellte Systemsteuerung wäre folgender Wert möglich: „3.231,59 €“. Da- bei muss der Wert innerhalb von Anführungszeichen angegeben werden. Literale 45 Empty und Null Der Sonderzustand „noch kein Wert zugewiesen“ wird durch das Wort Empty angezeigt; der Sonderzustand „Variable hat keinen mehr“ wird durch das Wort Null dargestellt. Ausgabe von Die einfachste Möglichkeit der Verwendung von Literalen ist der in Ka- Werten pitel 1 vorgestellte WScript.Echo-Befehl. Das folgende Beispiel zeigt, wie WScript.Echo die beschriebenen Formen von Literalen ausgibt. Die Aus- gabe zeigt, dass Hexadezimalzahlen und Oktalzahlen immer als Dezi- malzahlen ausgegeben werden. ' Literale.vbs ' Ausgabe von Literalen ' Autor: [email protected] ' verwendet: keine weiteren Komponenten ' ================================================================== ' Ausgabe von Zahlen WScript.Echo(123123) WScript.Echo(323.923)
Recommended publications
  • Remote Wireless Control of Building Management Systems Automation
    Master Thesis Computer Science Thesis no: MCS-2004:23 Remote wireless control of building management systems automation Marcus Gylling Blekinge Institute of Technology Department of Software Engineering and Computer Science Examinator: Rune Gustavsson, Blekinge Institute of Technology Blekinge Institute of Technology Department of Software Engineering and Computer Science Preface This thesis is submitted to the Department of Software Engineering and Computer Science at Blekinge Institute of Technology in partial fulfilment of the requirements for the degree of Master of Science in Computer Science. The thesis is equivalent to 20 weeks of full time studies. The thesis is done in cooperation with Styrprojektering AB. Initiator to the project is Jan-Åke Gylling at Styrprojektering AB. The target group for this thesis is companies that creates installations in the building systems automation business, the users that controls those installations and also the house-owners of the buildings where the installations are made. Contact information Author: Marcus Gylling Email: [email protected] External advisor: Jan-Åke Gylling Styrprojektering AB University advisor: Rune Gustravsson II Remote wireless control of building management systems automation Blekinge Institute of Technology Department of Software Engineering and Computer Science Abstract The controlling unit in building management system automation is a PLC. Every device in an installation is connected to the PLC. When a user wants to interact with a system an operator terminal, which is attached to a cabinet where the PLC is installed, is used. With this solution the user needs to be in front of the cabinet to interact with the system. Alarms do not get the user’s attention until the user checks the operator terminal.
    [Show full text]
  • Developing Applications for Pocket PC and GPRS/EDGE Devcentral White Paper
    Developing Applications for Pocket PC and GPRS/EDGE devCentral White Paper Document Number 12588 Revision 2.0 Revision Date 10/15/03 AT&T Wireless Developer Program © 2003 AT&T Wireless. All rights reserved. Legal Disclaimer This document and the information contained herein (collectively, the "Information") is provided to you (both the individual receiving this document and any legal entity on behalf of which such individual is acting) ("You" and "Your") by AT&T Wireless Services, Inc. ("AWS") for informational purposes only. AWS is providing the Information to You because AWS believes the Information may be useful to You. The Information is provided to You solely on the basis that You will be responsible for making Your own assessments of the Information and are advised to verify all representations, statements and information before using or relying upon any of the Information. Although AWS has exercised reasonable care in providing the Information to You, AWS does not warrant the accuracy of the Information and is not responsible for any damages arising from Your use of or reliance upon the Information. You further understand and agree that AWS in no way represents, and You in no way rely on a belief, that AWS is providing the Information in accordance with any standard or service (routine, customary or otherwise) related to the consulting, services, hardware or software industries. AWS DOES NOT WARRANT THAT THE INFORMATION IS ERROR-FREE. AWS IS PROVIDING THE INFORMATION TO YOU "AS IS" AND "WITH ALL FAULTS." AWS DOES NOT WARRANT,
    [Show full text]
  • SQL Server CE Database Development with the .NET Compact Framework Copyright ©2003 by Rob Tiffany Originally Published by Apress in 2003
    SQL Server CE Database Development- with the .NET Compact Framework ROB TIFFANY APress Media, LLC SQL Server CE Database Development with the .NET Compact Framework Copyright ©2003 by Rob Tiffany Originally published by Apress in 2003 All rights reserved. No part of this work may be reproduced or transmitted in any form or by any means, electronic or mechanical, including photocopying, recording, or by any information storage or retrieval system, without the prior written permission of the copyright owner and the publisher. ISBN 978-1-59059-119-2 ISBN 978-1-4302-0785-6 (eBook) DOI 10.1007/978-1-4302-0785-6 Trademarked names may appear in this book. Rather than use a trademark symbol with every occurrence of a trademarked name, we use the names only in an editorial fashion and to the benefit of the trademark owner, with no intention of infringement of the trademark. Technical Reviewer: Darren Flatt Editorial Board: Dan Appleman, Craig Berry, Gary Cornell, Tony Davis, Steven Rycroft, Julian Skinner, Martin Streicher, Jim Sumser, Karen Watterson, Gavin Wray, John Zukowski Assistant Publisher: Grace Wong Project Manager: Nate McFadden Copy Editor: Ami Knox Production Manager: Kari Brooks Production Editor: Lori Bring Proofreader: Lori Bring Compositor: Argosy Publishing Indexer: Ron Strauss Cover Designer: Kurt Krames Manufacturing Manager: Tom Debolski The information in this book is distributed on an "as is" basis, without warranty. Although every precaution has been taken in the preparation of this work, neither the author(s) nor Apress shall have any liability to any person or entity with respect to any loss or damage caused or alleged to be caused directly or indirectly by the information contained in this work.
    [Show full text]
  • Manipulating Files CHAPTER 3
    04 2773 Ch03 10/19/01 12:24 PM Page 33 Manipulating Files CHAPTER 3 IN THIS CHAPTER • The FileSystem and File Controls 35 • The Windows CE TreeView Control 36 • Creating the PocketExplorer Utility 37 04 2773 Ch03 10/19/01 12:24 PM Page 34 eMbedded Visual Basic: Windows CE and Pocket PC Mobile Applications 34 Most Visual Basic programmers today access files through the familiar Win32 File System Object (commonly called the fso). The fso provides an easy-to-use and quick-to-develop-with object model that works for most text file applications. When it comes to binary or random access, the fso falters, and VB developers then turn to what’s often called free filing—probably named as such due to using the FreeFile() method to get an available file number. Free filing is an older, procedural-based method of access files that’s valid for any file access, but isn’t quite as easy to use as the object-oriented fso. Although the eVB’s FileSystem and File controls don’t have the extensive object model that the fso has, they provide just about everything developers could want or need for accessing any type of file-binary or text, sequential or random. In fact, I find that using these controls has distinct advantages over file programming in Win32 because they wrap the functionality of both free filing and the fso in a nice, compact set of methods and properties. Whether accessing small text configuration files or large binary data files, the FileSystem and File controls are all you’ll need.
    [Show full text]
  • Websphere and .Net Interoperability Using Web Services
    Front cover WebSphere and .Net Interoperability Using Web Services Examples and guidance for building interoperable Web services Roadmap to Web services specifications Using Service-Oriented patterns Peter Swithinbank Francesca Gigante Hedley Proctor Mahendra Rathore William Widjaja ibm.com/redbooks International Technical Support Organization WebSphere and .Net Interoperability Using Web Services June 2005 SG24-6395-00 Note: Before using this information and the product it supports, read the information in “Notices” on page ix. First Edition (June 2005) This edition applies to WebSphere Studio Application Developer V5.1.2 running on Microsoft Windows XP Pro, WebSphere Application Server V5.1.1 with DB/2 8.1 running on Microsoft Server 2003, Microsoft.Net Framework 1.1, and Microsoft IIS V6.0 running on Microsoft Server 2003. © Copyright International Business Machines Corporation 2005. All rights reserved. Note to U.S. Government Users Restricted Rights -- Use, duplication or disclosure restricted by GSA ADP Schedule Contract with IBM Corp. Contents Notices . ix Trademarks . x Preface . xi The team that wrote this redbook. xiii Become a published author . xv Comments welcome. xv Chapter 1. Introduction. 1 1.1 Background of this book . 2 1.1.1 The scenario . 2 1.1.2 Use of Web services . 3 1.1.3 Other approaches to interoperability . 3 1.1.4 WS-I . 4 1.1.5 Audience . 5 1.1.6 Terminology . 6 Part 1. Introduction to Web services. 9 Chapter 2. SOAP primer . 11 2.1 What is SOAP? . 12 2.2 SOAP components . 12 2.3 What is in a SOAP message? . 14 2.3.1 Headers.
    [Show full text]
  • Getting Started with .NET, .NET CF, Visual Studio .NET
    Getting Started with .NET, .NET CF, Visual Studio .NET Overview of the .NET Framework ................................................................................. 1 Microsoft and Sun's Confrontation ............................................................................................ 5 Getting Started with Visual Studio .NET and the Microsoft .NET Compact Framework ........................................................................................................................... 19 Getting Started with XML Web Services in Visual Basic.NET and Visual C# .................................................................................................................................................. 44 Overview of the .NET Framework [http://msdn.microsoft.com/library/default.asp?url=/library/en- us/cpguide/html/cpovrintroductiontonetframeworksdk.asp] The .NET Framework is an integral Windows component that supports building and running the next generation of applications and XML Web services. The .NET Framework is designed to fulfill the following objectives: • To provide a consistent object-oriented programming environment whether object code is stored and executed locally, executed locally but Internet-distributed, or executed remotely. • To provide a code-execution environment that minimizes software deployment and versioning conflicts. • To provide a code-execution environment that guarantees safe execution of code, including code created by an unknown or semi-trusted third party. • To provide a code-execution environment
    [Show full text]
  • Programming the World in a Browser Real Men Don't Do Javascript Do
    JOURNAL OF OBJECT TECHNOLOGY Online at http://www.jot.fm. Published by ETH Zurich, Chair of Software Engineering ©JOT, 2007 Vol. 6, No. 10, November-December 2007 Programming the World in a Browser Real Men Don’t Do JavaScript Do They?! By Dave Thomas 1 AND THE WINNER IS JAVASCRIPT The mainstream professional developer community has never taken JavaScript seriously but soon they will have no choice. JavaScript is ready to move to center stage as the development and delivery technology for Web 2.x applications. In the past, most enterprise and product developers flocked to Java or C# while web developers moved to PHP, Perl, Python and more recently Ruby, with most ignoring the web based scripting language called JavaScript. At best it has been considered something to spiff up one’s HTML pages. To make matters worse, incompatible implementations of JS and the DOM have tormented developers and made JS very unpopular with many. Until Ajax and Web 2.0 Douglas Crockford seemed to be the only advocate for JavaScript as a reasonable programming language. He pointed out that JS was really a Scheme like language with a prototype-based object model layered on top of it. I’m sure that popular author David Flanagan never dreamed that he would be best known for his book Definitive JavaScript. While many smaller companies had built quality widgets and applications in JS it is was the entry of Yahoo Widgets, and more importantly the that of Google Mail, Calendar, etc. that laid the commercial foundation for the Ajax revolution with a plethora of frameworks and tools.
    [Show full text]
  • Teaching Engineering Analysis Using Vba for Excel
    TEACHING ENGINEERING ANALYSIS USING VBA FOR EXCEL Terrence L. Chambers Department of Mechanical Engineering University of Louisiana at Lafayette PO Box 44170 Lafayette, LA 70504-4170 Abstract This paper will describe an Engineering Analysis course taught at the University of When teaching computer programming to Louisiana at Lafayette that teaches numerical engineering students there is always some methods that are useful to engineers in amount of controversy regarding the language conjunction with the VBA for Excel which should be taught. Traditional choices programming language. First, the reasons for were Fortran or C, but more modern choices are choosing VBA for Excel will be explored. C++, Java, and Visual Basic. This paper Then, the structure of the class will be describes an Engineering Analysis class that is described, with particular attention to the order taught primarily using Visual Basic for in which the topics are presented, so that the Applications (VBA) for Excel. The paper students progress at an equal rate in both topics, outlines the reasons for choosing that language, numerical methods and computer programming. illustrates how the course is organized, and A simple VBA for Excel Program is provided to describes how well the course has worked in illustrate the use of that language. practice. Certain topics of interest with regard to VBA for Excel are explored, and sample Reasons for Choosing VBA for Excel programs are included. The major alternative languages that might Introduction have been chosen for use with this class were C++ and Java, but a great deal of legacy In many engineering programs a course exists engineering code is written in Fortran and C, so to teach computer programming to the there would be some justification for using one engineering student.
    [Show full text]
  • Introduction .NET Microsoft Mobility
    IntroductionIntroduction .NET.NET MicrosoftMicrosoft MobilityMobility MSMS EmbeddedEmbedded PlatformsPlatforms Core WinCE WinCE.NET 3.0 4.X Handheld Pocket Pocket Smartphone WinCE.NET Pocket PC 2000 PC2000 PC 2002 2002 4.2 PC 2003 PA960 PA950 DeveloperDeveloper ToolsTools eMbedded Visual Tools Visual Studio .NET eVC++ 3.0 eVB 3.0 eVC++ 4.0 .NET CF ASP.NET Pocket PC 2000 P l Pocket PC 2002 a Handheld PC t f SP 2002 o Pocket PC 2003 r m WinCE.NET Non-Microsoft eMbedded eMbedded Visual Tools 3.0 Standalone IDE for developmentVisual of applications for ToolsWinCE3.0, built with Platform Builder 3.0 Visual Tools Use to create native applications where direct access to operating system APIs required Processor intensive Device drivers Code that runs natively on the device More like VBScript than Visual Basic 6.0 Only data type is Code is interpreted at runtime Performance not as good as native applications (eMbedded Visual C++) or managed applicationsVariant (.NET Compact Framework) eMbeddedCannot Visual create Basic COM is not objects recommended for future development MS; ”.NET Compact Framework is recommended for most new development” eMbeddedeMbedded VisualVisual C++C++ 4.04.0 New version of eMbedded Visual C++ Visual C++ 4.0 Use to build applications for Windows CE .NET Identical in appearance to eVC++ V3.0 SDK allows access to new features in Windows CE .NET Can be installed alongside eMbedded Visual C++ 3.0 Free download from http://msdn.microsoft.com/vstudio/device/embedded/download.asp VisualVisual StudioStudio .NET.NET
    [Show full text]
  • The Interbase and Firebird Developer Magazine, Issue 4
    2006 ISSUE 4 Contents THE INTERBASE Contents & FIREBIRD DEVELOPER Editor notes by Alexey Kovyazin MAGAZINE Money for nothing ................................................................. 4 Oldest Active by Helen Borrie RTFM — regarding those free manuals ........................................... 5 Credits Community by Carlos Cantu Alexey Kovyazin, About Dolphins and Birds ......................................................... 6 Chief Editor Dmitri Kuzmenko, Cover Story by Paul Ruizendaal Editor The story of Fyracle ................................................................ 8 Helen Borrie, Development area Editor by Paul Ruizendaal Lev Tashchilin, Common Table Expression in Fyracle ............................................ 12 Designer Products Overview Editorial Office IBSurgeon Products .............................................................. 17 IBase IBDeveloper, office 5, Development area 1-st Novokuznetsky lane, 10 by Paul Ruizendaal zip: 115184 Morfik's WebOS: Innovating beyond LAMP ..................................... 18 Moscow, Russia by Vlad Horsun Phone: +7495 6869763 Global Temporary Tables in Fyracle .............................................. 23 Fax: +7495 9531334 TestBed Email: by Alexey Kovyazin [email protected] TPC-C based tests results ........................................................ 26 www.ibdeveloper.com Bonus by Alexey Kovyazin Copyright 2005-2006 by ........................................ 35 IB© Developer. All rights reserved. Comprehensive Repairing Guide. Part 1 No part
    [Show full text]
  • Instituto Tecnológico Superior Cordillera
    INSTITUTO TECNOLÓGICO SUPERIOR CORDILLERA ESCUELA DE SISTEMAS Proyecto de Grado, previa obtención del título de: Tecnólogo Analista de Sistemas TEMA: DESARROLLO E IMPLEMENTACIÓN DEL SISTEMA INTEGRADO PARA EL CONTROL DE PROYECTOS DE GRADO DEL ITSCO AUTOR: Diego Jonathan Torres Gonzales TUTOR: ING. Jaime Basantes 2011 QUITO-ECUADOR ii INSTITUTO TECNOLÓGICO SUPERIOR CORDILLERA DECLARACIÓN DE AUTENTICIDAD Los abajo firmantes, declaramos que los contenidos y los resultados obtenidos en el presente proyecto, como requerimiento previo para la obtención del Título de Tecnólogo Analista de Sistemas, son absolutamente originales, auténticos y personales y de exclusiva responsabilidad legal y académica de los autores. Diego Torres Ing. Jaime Basantes 2 INSTITUTO TECNOLÓGICO SUPERIOR CORDILLERA APROBACIÓN DEL TUTOR En mi calidad de Tutor del trabajo sobre el tema: “DESARROLLO E IMPLEMENTACION DEL SISTEMA INETGRADO PARA EL CONTROL DE PROYECTOS DE GRADO DEL INSTITUTO TECNOLOGICO SUPERIOR CORIDLLERA”, presentado por el ciudadano DIEGO JONATHAN TORRES GONZALES, estudiante de la Escuela de Sistemas, considero que dicho informe reúne los requisitos y méritos suficientes para ser sometido a la evaluación por parte del Tribunal de Grado, que el Honorable Consejo de Escuela designe, para su correspondiente estudio y calificación. Quito, Octubre de 2011 Ing. Jaime Basantes TUTOR 3 INSTITUTO TECNOLÓGICO SUPERIOR CORDILLERA APROBACIÓN DEL TRIBUNAL DE GRADO Los miembros del Tribunal de Grado designado por el Honorable Concejo de la Escuela de Sistemas, aprueban el trabajo de investigación de acuerdo con las disposiciones reglamentarias emitidas por el Centro de Investigaciones Tecnológicas y Proyectos del Instituto Tecnológico Superior Cordillera” para proyectos de grado de Tecnólogos Analistas de Sistemas: del Sr: DIEGO JONATHAN TORRES GONZALES.
    [Show full text]
  • Programming the Pocket PC OS for Embedded IR Applications
    AN926 Programming the Pocket PC OS for Embedded IR Applications Appendix A: “Example Irda Standard System Author: Joseph Snyder, Microchip Technology Inc. Description” describes the system and documents the Frank Ableson, Unwired Tools, LLC tool used to create this Pocket PC application program, while Appendix B: “PPC Source Code - IrDA INTRODUCTION DEMO.CPP” through Appendix C: “PPC Source Code - IrDA DemoDlg.cpp” is the PPC Application This application note details the tools, supporting Program source code. technologies and procedures for the development of infrared applications on Windows Mobile™ based Figure 1 shows an IrDA standard system, where a devices. Pocket PC PDA device is communicating with an embedded system. In this system, the Pocket PC A Pocket PC (PPC) application that interfaces with an (PPC) PDA operates as the Primary Device (Client) embedded system via IrCOMM is included in the and the embedded system operates as the Secondary Appendices of this application note. This source code Device (Server). The terms Client and Server are used ® demonstrates the use of the Windows Application in reference to Windows (PC and PPC) programming, ® Programming Interface (API) required for IrDA while Primary Device and Secondary Device are terms standard IR communication on Windows Mobile based used by the IrDA Standard. platforms. FIGURE 1: POCKET PC PDA - EMBEDDED SYSTEM BLOCK DIAGRAM Embedded System with IrDA® Port (Secondary Device/Server) Host Controller MCP215X Optical and Embedded or Transceiver Circuitry MCP2140 Circuitry Pocket PC Handheld Device with IrDA® Standard Port (Primary Device/Client) © 2007 Microchip Technology Inc. DS00926A-page 1 AN926 Terminology • Primary Device: The IrDA standard device that queries for other devices.
    [Show full text]