ASP.NET in Microsoft .NET Framework

Total Page:16

File Type:pdf, Size:1020Kb

ASP.NET in Microsoft .NET Framework Lecture #1 ASP.NET in Microsoft .NET Framework Introduction ASP stands for Active Server Pages, while .Net simply means it is part of Microsoft’s .Net Framework. Although it was developed by Microsoft, ASP.NET is an open source server-side Web application framework designed for Web development to produce dynamic Web pages. When an ASP.NET application runs, the server maintains information about the current application, such as session, the current HTTP request, the requested page, and so on. Programmers can thus use a combination of ASP.NET tools to build function-rich applications to interact with the users and the client browsers. The Request object, for example, contains a property named Browser that returns an object of type HttpBrowserCapabilities. This object also provides properties such as browser, version, major version, and minor version such that programmers can use to determine the client browser type. The following is a sample ASP.NET code that can display information about the client browser. <%@ Page Language="VB" %> <script runat="server"> Sub Page_Load() Dim str As String = "" str &="<b>User Agent:</b>" & Request.UserAgent & "<br>" str &="<b>Browser:</b>" & Request.Browser.Browser & "<br>" str &="<b>Version:</b>" & Request.Browser.Version & "<br>" str &="<b>Major:</b>" & Request.Browser.MajorVersion() & "<br>" str &="<b>Minor:</b>" & Request.Browser.MinorVersion() & "<br>" label1.Text = str End Sub </script> <!DOCTYPE html> <html> <body> <asp:Label id="label1" runat="server" /> </body> </html> The following is the C# version <%@ Page Language="C#" %> <script runat="server"> void Page_Load() { String str = "" str += "<b>User Agent:</b>" + Request.UserAgent + "<br>"; str += "<b>Browser:</b>" + Request.Browser.Browser + "<br>"; str += "<b>Version:</b>" + Request.Browser.Version + "<br>"; str += "<b>Major:</b>" + Request.Browser.MajorVersion() + "<br>"; str += "<b>Minor:</b>" + Request.Browser.MinorVersion() + "<br>"; label1.Text = str; } </script> ............. ASP.Net – Penn Wu, PhD. 1 It is necessary to note that the curriculum guide for this class recommends that the instructor use Visual Basic .Net as the primary language to write demo scripts for the rest of this course’s lectures. The instructor, however, will provide C# version of the sample code for those who are familiar with the C# language throughout this course. Students have the options to use either VB .Net or C# to write ASP.NET programs to fulfil all course requirements, including assignments, exams, all learning activities. “Classic ASP” Prior to the integration with .NET Framework, ASP is Microsoft’s first server-side script script and engine for dynamically generated web pages and was initially released as an add-on to Internet HTML Information Services (IIS) via the Windows NT 4.0 Option Pack in 1996. Throughout this course, the instructor uses the term “class ASP” to describe the syntax to write ASP codes before the integration of ASP and the .NET Framework in January 2002. Microsoft used to define “classic ASP” as a development framework for building web pages and web sites with HTML and CSS (cascading style sheet). A “classic ASP” script usually: uses HTML tags to define the page layout uses CSS to set the appearance of the page content uses server-side ASP code, surrounded by the delimiters <% and %>, to dynamic generate contents. It is necessary to note that “classic ASP” is a server-side language that must run inside IIS (Internet Information Services) servers. ASP codes will not run in a Windows machine unless IIS server is present. Instructions about how to obtain a free version of IIS, known as IIS Express, are available in a later section and the learning activities. The following is a very simple “class ASP” file whose file name extension is “.asp” (e.g. “test.asp”). It is created using “Notepad” (notepad.exe) which is a very generic text-editor included in all versions of Microsoft Windows since Windows 1.0 in 1985. By the way, the instructor purposely uses VBScript to write the following “classic ASP” script for the sake of demonstration. The code will return the current date and time values. By the way, throughout this course, let the file extension be “.aspx” to comply with the new naming convention of ASP.NET. A later section will discuss the new naming convention. <!Doctype html> <html> <body> The server's current time:<br /> <% Response.Write(Now()) %> </body> </html> Unlike an .exe application, an ASP file is just a text file. An ASP file can contain text, HTML, XML, and ASP scripts; however, only the ASP scripts are executed on the server. In the above example, classic ASP scripts are enclosed by a pair of “<%” and “%>”. The rest of generic HTML codes. When a browser requests an ASP file, IIS passes the request to the ASP engine on the server. The ASP engine reads the file, line by line, and executes the scripts in the file. Finally, the ASP file is returned to the client browser as plain HTML. The following is a sample HTML content the above “classic APS” code will generate for the IIS server to send to the client browser. <!Doctype html> <html> <body> The server's current time:<br /> 1/3/2015 11:47:04 AM </body> </html> ASP.Net – Penn Wu, PhD. 2 Server-side scripts can only be read, interpreted, and executed by web servers to produce output; therefore, programmers must upload ASP files to an IIS server before an execution request can be made. The client browser can request ASP script for execution; however, the client browser does not and cannot have access to view the server-side script. It is necessary to note that server scripts are executed on the server, only HTML outputs will be returned to the client browser. During the HTTP-based communication, a client browser can only see and read HTML tags, CSS, and the results of server-side script. Request execution Upload ASP Of ASP scripts ASP scripts IIS Client Programmers Server Browser Return HTML outputs The following is a simple “classic” ASP script and its client-side result. ASP server-side script can contain any expressions, statements, procedures, or operators. In this script, the instructor declares a variable named “msg” using the dim keyword. The instructor then assigns a string, "Welcome to ASP!", to the “msg” variable as value. The response.write() method is a generic ASP method that writes output to a client browser. The client browser only receives the output produce by the response.write() method. Server-side script Client-side result <!DOCTYPE html> <!DOCTYPE html> <html> <html> <style> <style> p { background-color: red } p { background-color: red } </style> </style> <body> <body> <p> <p> <% Welcome to ASP! dim msg </p> msg = "Welcome to ASP!" response.write(msg) </body> %> </html> </p> </body> </html> HTML is the de facto language for creating web pages. ASP codes are typically embedded in an HTML page, even if the file extension is .apsx or .asp. It is necessary to have a basic understanding of HTML elements. HTML uses angle brackets to indicate how your content should be rendered (or displayed) in the browser. The angle brackets are referred to as tags; a pair of tags holding some text is referred to as an element. The following is a very simple HTML code. The <!DOCTYPE html> declaration is a statement that declares to the web browser about what version of HTML the page is written in. This course adopts HTML5. <!Doctype html> <html> <body> <h1>Hello World!</h1> <p>I am learning ASP.NET.</p> </body> </html> ASP.Net – Penn Wu, PhD. 3 An HTML element must start with a greater than (<) followed by the name of element and ends with less than sign (>). The “<html>” and “</html>” tags make a pair that encloses all the HTML contents. The “<html>” tag is said to be the opening tag and “</html>” is the closing tag. The closing tag always requires a forward slash (/). The “<body>” and “</body>” tags define a section that contains all the contents of an HTML document, such as text, hyperlinks, images, tables, lists, etc. The <h1> element, with an opening tag (<h1>) and a closing tag (</h1>), is used to signify a heading at level one. The <p> tag defines a paragraph. Basically ASP is a development framework for building dynamic web pages and web sites with HTML. The following is a list HTML elements frequently used throughout this course. The table is provided by Imar Spaanjaars, the author of a good reference book: Beginning ASP.NET 3.5: In C# and VB (ISBN: 978-0-470-18759-3). Tag Description Example Used to denote the start and end <html> <head><title> of the entire page. Used to denote a special section <head> of the page that contains data <head> <title>Welcome to my <title> about the page, including its site</title></head> title. <body> Page body goes <body> Used to denote the start and end of the body of the page. here</body> Used to link one web page to <a href="http://www.att.com"> <a> another. AT&T site</a> Used to embed images in a <img> <img src="logo.gif" /> page. <b> <i> Used to format text in a bold, This is <b>bold text</b> while <u> italic, or underline font. <i>this text is in italic</i> <form> Used for input forms that allow <textarea> <input type="text" value="Some <select> users of a web site to submit Text" /> <input> information to the server. These tags are used to create a layout with a table. The <table> <table><tr> <td>This is a Cell <table> in Column 1</td> <td>This is a <tr> tag defines the entire table, Cell in Column <td> while the <tr> and <td> are used to define rows and cells, 2</td></tr></table> respectively.
Recommended publications
  • Ironpython in Action
    IronPytho IN ACTION Michael J. Foord Christian Muirhead FOREWORD BY JIM HUGUNIN MANNING IronPython in Action Download at Boykma.Com Licensed to Deborah Christiansen <[email protected]> Download at Boykma.Com Licensed to Deborah Christiansen <[email protected]> IronPython in Action MICHAEL J. FOORD CHRISTIAN MUIRHEAD MANNING Greenwich (74° w. long.) Download at Boykma.Com Licensed to Deborah Christiansen <[email protected]> For online information and ordering of this and other Manning books, please visit www.manning.com. The publisher offers discounts on this book when ordered in quantity. For more information, please contact Special Sales Department Manning Publications Co. Sound View Court 3B fax: (609) 877-8256 Greenwich, CT 06830 email: [email protected] ©2009 by Manning Publications Co. All rights reserved. No part of this publication may be reproduced, stored in a retrieval system, or transmitted, in any form or by means electronic, mechanical, photocopying, or otherwise, without prior written permission of the publisher. Many of the designations used by manufacturers and sellers to distinguish their products are claimed as trademarks. Where those designations appear in the book, and Manning Publications was aware of a trademark claim, the designations have been printed in initial caps or all caps. Recognizing the importance of preserving what has been written, it is Manning’s policy to have the books we publish printed on acid-free paper, and we exert our best efforts to that end. Recognizing also our responsibility to conserve the resources of our planet, Manning books are printed on paper that is at least 15% recycled and processed without the use of elemental chlorine.
    [Show full text]
  • Thriving in a Crowded and Changing World: C++ 2006–2020
    Thriving in a Crowded and Changing World: C++ 2006–2020 BJARNE STROUSTRUP, Morgan Stanley and Columbia University, USA Shepherd: Yannis Smaragdakis, University of Athens, Greece By 2006, C++ had been in widespread industrial use for 20 years. It contained parts that had survived unchanged since introduced into C in the early 1970s as well as features that were novel in the early 2000s. From 2006 to 2020, the C++ developer community grew from about 3 million to about 4.5 million. It was a period where new programming models emerged, hardware architectures evolved, new application domains gained massive importance, and quite a few well-financed and professionally marketed languages fought for dominance. How did C++ ś an older language without serious commercial backing ś manage to thrive in the face of all that? This paper focuses on the major changes to the ISO C++ standard for the 2011, 2014, 2017, and 2020 revisions. The standard library is about 3/4 of the C++20 standard, but this paper’s primary focus is on language features and the programming techniques they support. The paper contains long lists of features documenting the growth of C++. Significant technical points are discussed and illustrated with short code fragments. In addition, it presents some failed proposals and the discussions that led to their failure. It offers a perspective on the bewildering flow of facts and features across the years. The emphasis is on the ideas, people, and processes that shaped the language. Themes include efforts to preserve the essence of C++ through evolutionary changes, to simplify itsuse,to improve support for generic programming, to better support compile-time programming, to extend support for concurrency and parallel programming, and to maintain stable support for decades’ old code.
    [Show full text]
  • Cornell CS6480 Lecture 3 Dafny Robbert Van Renesse Review All States
    Cornell CS6480 Lecture 3 Dafny Robbert van Renesse Review All states Reachable Ini2al states states Target states Review • Behavior: infinite sequence of states • Specificaon: characterizes all possible/desired behaviors • Consists of conjunc2on of • State predicate for the inial states • Acon predicate characterizing steps • Fairness formula for liveness • TLA+ formulas are temporal formulas invariant to stuering • Allows TLA+ specs to be part of an overall system Introduction to Dafny What’s Dafny? • An imperave programming language • A (mostly funconal) specificaon language • A compiler • A verifier Dafny programs rule out • Run2me errors: • Divide by zero • Array index out of bounds • Null reference • Infinite loops or recursion • Implementa2ons that do not sa2sfy the specifica2ons • But it’s up to you to get the laFer correct Example 1a: Abs() method Abs(x: int) returns (x': int) ensures x' >= 0 { x' := if x < 0 then -x else x; } method Main() { var x := Abs(-3); assert x >= 0; print x, "\n"; } Example 1b: Abs() method Abs(x: int) returns (x': int) ensures x' >= 0 { x' := 10; } method Main() { var x := Abs(-3); assert x >= 0; print x, "\n"; } Example 1c: Abs() method Abs(x: int) returns (x': int) ensures x' >= 0 ensures if x < 0 then x' == -x else x' == x { x' := 10; } method Main() { var x := Abs(-3); print x, "\n"; } Example 1d: Abs() method Abs(x: int) returns (x': int) ensures x' >= 0 ensures if x < 0 then x' == -x else x' == x { if x < 0 { x' := -x; } else { x' := x; } } Example 1e: Abs() method Abs(x: int) returns (x': int) ensures
    [Show full text]
  • Neufuzz: Efficient Fuzzing with Deep Neural Network
    Received January 15, 2019, accepted February 6, 2019, date of current version April 2, 2019. Digital Object Identifier 10.1109/ACCESS.2019.2903291 NeuFuzz: Efficient Fuzzing With Deep Neural Network YUNCHAO WANG , ZEHUI WU, QIANG WEI, AND QINGXIAN WANG China National Digital Switching System Engineering and Technological Research Center, Zhengzhou 450000, China Corresponding author: Qiang Wei ([email protected]) This work was supported by National Key R&D Program of China under Grant 2017YFB0802901. ABSTRACT Coverage-guided graybox fuzzing is one of the most popular and effective techniques for discovering vulnerabilities due to its nature of high speed and scalability. However, the existing techniques generally focus on code coverage but not on vulnerable code. These techniques aim to cover as many paths as possible rather than to explore paths that are more likely to be vulnerable. When selecting the seeds to test, the existing fuzzers usually treat all seed inputs equally, ignoring the fact that paths exercised by different seed inputs are not equally vulnerable. This results in wasting time testing uninteresting paths rather than vulnerable paths, thus reducing the efficiency of vulnerability detection. In this paper, we present a solution, NeuFuzz, using the deep neural network to guide intelligent seed selection during graybox fuzzing to alleviate the aforementioned limitation. In particular, the deep neural network is used to learn the hidden vulnerability pattern from a large number of vulnerable and clean program paths to train a prediction model to classify whether paths are vulnerable. The fuzzer then prioritizes seed inputs that are capable of covering the likely to be vulnerable paths and assigns more mutation energy (i.e., the number of inputs to be generated) to these seeds.
    [Show full text]
  • Intel® Software Guard Extensions: Data Center Attestation Primitives
    Intel® Software Guard Extensions Data Center Attestation Primitives Installation Guide For Windows* OS Revision <1.0> <3/10/2020> Table of Contents Introduction .......................................................................................................................... 3 Components – Detailed Description ....................................................................................... 4 Platform Configuration .......................................................................................................... 6 Windows* Server OS Support ................................................................................................. 7 Installation Instructions ......................................................................................................... 8 Windows* Server 2016 LTSC ................................................................................................................. 8 Downloading the Software ........................................................................................................................... 8 Installation .................................................................................................................................................... 8 Windows* Server 2019 Installation ....................................................................................................... 9 Downloading the Software ........................................................................................................................... 9 Installation
    [Show full text]
  • Fine-Grained Energy Profiling for Power-Aware Application Design
    Fine-Grained Energy Profiling for Power-Aware Application Design Aman Kansal Feng Zhao Microsoft Research Microsoft Research One Microsoft Way, Redmond, WA One Microsoft Way, Redmond, WA [email protected] [email protected] ABSTRACT changing from double precision to single), or quality of service pro- Significant opportunities for power optimization exist at applica- vided [10]. Third, energy usage at the application layer may be tion design stage and are not yet fully exploited by system and ap- made dynamic [8]. For instance, an application hosted in a data plication designers. We describe the challenges developers face in center may decide to turn off certain low utility features if the en- optimizing software for energy efficiency by exploiting application- ergy budget is being exceeded, and an application on a mobile de- level knowledge. To address these challenges, we propose the de- vice may reduce its display quality [11] when battery is low. This velopment of automated tools that profile the energy usage of vari- is different from system layer techniques that may have to throttle ous resource components used by an application and guide the de- the throughput resulting in users being denied service. sign choices accordingly. We use a preliminary version of a tool While many application specific energy optimizations have been we have developed to demonstrate how automated energy profiling researched, there is a lack of generic tools that a developer may use helps a developer choose between alternative designs in the energy- at design time. Application specific optimizations require signif- performance trade-off space. icant development effort and are often only applicable to specific scenarios.
    [Show full text]
  • Adding Self-Healing Capabilities to the Common Language Runtime
    Adding Self-healing capabilities to the Common Language Runtime Rean Griffith Gail Kaiser Columbia University Columbia University [email protected] [email protected] Abstract systems can leverage to maintain high system availability is to perform repairs in a degraded mode of operation[23, 10]. Self-healing systems require that repair mechanisms are Conceptually, a self-managing system is composed of available to resolve problems that arise while the system ex- four (4) key capabilities [12]; Monitoring to collect data ecutes. Managed execution environments such as the Com- about its execution and operating environment, performing mon Language Runtime (CLR) and Java Virtual Machine Analysis over the data collected from monitoring, Planning (JVM) provide a number of application services (applica- an appropriate course of action and Executing the plan. tion isolation, security sandboxing, garbage collection and Each of the four functions participating in the Monitor- structured exception handling) which are geared primar- Analyze-Plan-Execute (MAPE) loop consumes and pro- ily at making managed applications more robust. How- duces knowledgewhich is integral to the correct functioning ever, none of these services directly enables applications of the system. Over its execution lifetime the system builds to perform repairs or consistency checks of their compo- and refines a knowledge-base of its behavior and environ- nents. From a design and implementation standpoint, the ment. Information in the knowledge-base could include preferred way to enable repair in a self-healing system is patterns of resource utilization and a “scorecard” tracking to use an externalized repair/adaptation architecture rather the success of applying specific repair actions to detected or than hardwiring adaptation logic inside the system where it predicted problems.
    [Show full text]
  • Formalized Mathematics in the Lean Proof Assistant
    Formalized mathematics in the Lean proof assistant Robert Y. Lewis Vrije Universiteit Amsterdam CARMA Workshop on Computer-Aided Proof Newcastle, NSW June 6, 2019 Credits Thanks to the following people for some of the contents of this talk: Leonardo de Moura Jeremy Avigad Mario Carneiro Johannes Hölzl 1 38 Table of Contents 1 Proof assistants in mathematics 2 Dependent type theory 3 The Lean theorem prover 4 Lean’s mathematical libraries 5 Automation in Lean 6 The good and the bad 2 38 bfseries Proof assistants in mathematics Computers in mathematics Mathematicians use computers in various ways. typesetting numerical calculations symbolic calculations visualization exploration Let’s add to this list: checking proofs. 3 38 Interactive theorem proving We want a language (and an implementation of this language) for: Defining mathematical objects Stating properties of these objects Showing that these properties hold Checking that these proofs are correct Automatically generating these proofs This language should be: Expressive User-friendly Computationally eicient 4 38 Interactive theorem proving Working with a proof assistant, users construct definitions, theorems, and proofs. The proof assistant makes sure that definitions are well-formed and unambiguous, theorem statements make sense, and proofs actually establish what they claim. In many systems, this proof object can be extracted and verified independently. Much of the system is “untrusted.” Only a small core has to be relied on. 5 38 Interactive theorem proving Some systems with large
    [Show full text]
  • 1. with Examples of Different Programming Languages Show How Programming Languages Are Organized Along the Given Rubrics: I
    AGBOOLA ABIOLA CSC302 17/SCI01/007 COMPUTER SCIENCE ASSIGNMENT ​ 1. With examples of different programming languages show how programming languages are organized along the given rubrics: i. Unstructured, structured, modular, object oriented, aspect oriented, activity oriented and event oriented programming requirement. ii. Based on domain requirements. iii. Based on requirements i and ii above. 2. Give brief preview of the evolution of programming languages in a chronological order. 3. Vividly distinguish between modular programming paradigm and object oriented programming paradigm. Answer 1i). UNSTRUCTURED LANGUAGE DEVELOPER DATE Assembly Language 1949 FORTRAN John Backus 1957 COBOL CODASYL, ANSI, ISO 1959 JOSS Cliff Shaw, RAND 1963 BASIC John G. Kemeny, Thomas E. Kurtz 1964 TELCOMP BBN 1965 MUMPS Neil Pappalardo 1966 FOCAL Richard Merrill, DEC 1968 STRUCTURED LANGUAGE DEVELOPER DATE ALGOL 58 Friedrich L. Bauer, and co. 1958 ALGOL 60 Backus, Bauer and co. 1960 ABC CWI 1980 Ada United States Department of Defence 1980 Accent R NIS 1980 Action! Optimized Systems Software 1983 Alef Phil Winterbottom 1992 DASL Sun Micro-systems Laboratories 1999-2003 MODULAR LANGUAGE DEVELOPER DATE ALGOL W Niklaus Wirth, Tony Hoare 1966 APL Larry Breed, Dick Lathwell and co. 1966 ALGOL 68 A. Van Wijngaarden and co. 1968 AMOS BASIC FranÇois Lionet anConstantin Stiropoulos 1990 Alice ML Saarland University 2000 Agda Ulf Norell;Catarina coquand(1.0) 2007 Arc Paul Graham, Robert Morris and co. 2008 Bosque Mark Marron 2019 OBJECT-ORIENTED LANGUAGE DEVELOPER DATE C* Thinking Machine 1987 Actor Charles Duff 1988 Aldor Thomas J. Watson Research Center 1990 Amiga E Wouter van Oortmerssen 1993 Action Script Macromedia 1998 BeanShell JCP 1999 AngelScript Andreas Jönsson 2003 Boo Rodrigo B.
    [Show full text]
  • ASP.NET and Web Forms
    ch14.fm Page 587 Wednesday, May 22, 2002 1:38 PM FOURTEEN 14 ASP.NET and Web Forms An important part of .NET is its use in creating Web applications through a technology known as ASP.NET. Far more than an incremental enhancement to Active Server Pages (ASP), the new technology is a unified Web development platform that greatly simplifies the implementation of sophisticated Web applications. In this chapter we introduce the fundamentals of ASP.NET and cover Web Forms, which make it easy to develop interactive Web sites. In Chapter 15 we cover Web services, which enable the development of collabo- rative Web applications that span heterogeneous systems. What Is ASP.NET? We begin our exploration of ASP.NET by looking at a very simple Web appli- cation. Along the way we will establish a testbed for ASP.NET programming, and we will review some of the fundamentals of Web processing. Our little example will reveal some of the challenges in developing Web applications, and we can then appreciate the features and benefits of ASP.NET, which we will elaborate in the rest of the chapter. Web Application Fundamentals A Web application consists of document and code pages in various formats. The simplest kind of document is a static HTML page, which contains infor- mation that will be formatted and displayed by a Web browser. An HTML page may also contain hyperlinks to other HTML pages. A hyperlink (or just link) contains an address, or a Uniform Resource Locator (URL), specifying where the target document is located. The resulting combination of content and links is sometimes called hypertext and provides easy navigation to a vast amount of information on the World Wide Web.
    [Show full text]
  • Transpiling Programming Computable Functions to Answer Set
    Transpiling Programming Computable Functions to Answer Set Programs Ingmar Dasseville, Marc Denecker KU Leuven, Dept. of Computer Science, B-3001 Leuven, Belgium. [email protected] [email protected] Abstract. Programming Computable Functions (PCF) is a simplified programming language which provides the theoretical basis of modern functional programming languages. Answer set programming (ASP) is a programming paradigm focused on solving search problems. In this paper we provide a translation from PCF to ASP. Using this translation it becomes possible to specify search problems using PCF. 1 Introduction A lot of research aims to put more abstraction layers into modelling languages for search problems. One common approach is to add templates or macros to a language to enable the reuse of a concept [6,7,11]. Some languages such as HiLog [3] introduce higher order language constructs with first order semantics to mimic this kind of features. While the lambda calculus is generally not considered a regular modelling language, one of its strengths is the ability to easily define abstractions. We aim to shrink this gap by showing how the lambda calculus can be translated into existing paradigms. Our end goal is to leverage existing search technology for logic programming languages to serve as a search engine for problems specified in functional languages. In this paper we introduce a transpiling algorithm between Programming Computable Functions, a programming language based on the lambda calculus and Answer Set Programming, a logic-based modelling language. This transpi- lation is a source-to-source translation of programs. We show how this can be the basis for a functional modelling language which combines the advantages arXiv:1808.07770v1 [cs.PL] 23 Aug 2018 of easy abstractions and reasoning over non-defined symbols.
    [Show full text]
  • Developing Verified Programs with Dafny
    Developing Verified Programs with Dafny K. Rustan M. Leino Microsoft Research, Redmond, WA, USA [email protected] Abstract—Dafny is a programming language and program method Sort(a: int, b: int, c: int) returns (x: int, y: int, z: int) verifier. The language includes specification constructs and the ensures x ≤ y ≤ z ^ multiset{a, b, c} = multiset{x, y, z}; verifier checks that the program lives up to its specifications. { These tutorial notes give some Dafny programs used as examples x, y, z := a, b, c; if z < y { y, z := z, y; } in the tutorial. if y < x { x, y := y, x; } if z < y { y, z := z, y; } I. INTRODUCTION } Reasoning about programs is a fundamental skill that every software engineer needs. Dafny is a programming language Fig. 0. Example that shows some basic features of Dafny. The method’s specification says that x,y,z is a sorted version of a,b,c, and the verifier designed with verification in mind [0]. It can be used to automatically checks the code to satisfy this specification. develop provably correct code (e.g., [1]). Because its state-of- the-art program verifier is easy to run—it runs automatically method TriangleNumber(N: int) returns (t: int) 0 in the background in the integrated development environment requires 0 ≤ N; and it runs at the click of a button in the web version1—Dafny ensures t = N*(N+1) / 2; { also stands out as a tool that through its analysis feedback t := 0; helps teach reasoning about programs. This tutorial shows how var n := 0; while n < N to use Dafny, and these tutorial notes show some example invariant 0 ≤ n ≤ N ^ t = n*(n+1) / 2; programs that highlight major features of Dafny.
    [Show full text]