Intro to PHP

Total Page:16

File Type:pdf, Size:1020Kb

Intro to PHP Intro to PHP • What is PHP? – Language developed by Rasmus Lerdorf from the Apache Group – Its primary use is for server-side scripng • Ex: To process HTML forms • Ex: To perform a DB query and pass on results • Ex: To dynamically generate HTML – PHP scripts are oJen embedded within HTML documents • The server processes the HTML document, execuAng the PHP segments and subsAtuAng the output within the HTML document Lecture 2 1 Intro to PHP – The modified document is then sent to the client – As menAoned previously, the client never sees the PHP code • The only reason the client even knows PHP is involved is due to the file extension à .php • But even this is not required if the server is configured correctly – The server can be configured to run PHP scripts even if the file does not have a .php extension – By default XAMPP will only execute PHP if the .php extension is provided – See what happens if you have PHP code without the .php extension Lecture 2 2 Intro to PHP • PHP is a HUGE language – It is a fully funcAonal language – It has an incredible amount of built-in features • Form processing • Output / generate various types of data (not just text) • Database access – Allows for various DBs and DB formats • Object-oriented features – Somewhat of a loose hybrid of C++ and Java • Huge funcAon / class library Lecture 2 3 Intro to PHP • We will look at only a small part of PHP – There are also many tools that are already pre-wri^en in / for PHP • If you are building a substanAal project you may want to use some of these – Ex: h^p://github.com/pear – Also see h^p://www.php.net/sites.php • There are also content management systems wri^en in PHP – Ex: h^p://drupal.org/ – Ex: hp://wordpress.org/ • However, we may not be covering them here – We will focus on the straight PHP language Lecture 2 4 Intro to PHP • PHP Program Structure – Or really lack thereof – PHP, as with many scripAng languages, does not have nearly the same structural requirements as a language like Java – A script can be just a few lines of code or a very large, structured program with classes and objects • The complexity depends on the task at hand – However, there are some guidelines for incorporang PHP scripts into HTML files Lecture 2 5 Intro to PHP – When a PHP file is requested, the PHP interpreter parses the enAre file • Any content within PHP delimiter tags is interpreted, and the output subsAtuted • Any other content (i.e. not within PHP delimiter tags) is simply passed on unchanged • This allows us to easily mix PHP and other content (ex: HTML) • See: – h^p://us3.php.net/manual/en/language.basic-syntax.phptags.php – h^p://us3.php.net/manual/en/language.basic-syntax.phpmode.php Lecture 2 6 Intro to PHP • Consider the following PHP file HTML 5 Document <!DOCTYPE html> <html> Root HTML Tag <head> <title>Simple PHP Example</title> Document Head </head> <body> D <?php echo "<p><h1>Output</h1>"; O echo "<h2>Output</h2>"; echo "<h3>Output</h3></p>"; PHP Code C ?> <script language="PHP"> B echo "\n<b>More PHP Output</b>\n"; echo "New line in source but not rendered"; O echo "<br/>"; D echo "New line rendered but not in source"; Y </script> </body> </html> Lecture 2 7 Intro. to PHP • Now consider the resulAng HTML <!DOCTYPE html> <html> <head> <title>Simple PHP Example</title> </head> <body> <p><h1>Output</h1><h2>Output</h2><h3>Output</h3></p> <b>More PHP Output</b> New line in source but not rendered<br/> New line rendered but not in source </body> </html> • How will it look in the browser? – Look at it in the browser! – See ex2.php Lecture 2 8 Intro to PHP – If we prefer to separate a PHP code segment from the rest of our script, we can write it in another file and include it • SomeAmes it is easier if we "separate" the PHP code from the straight html – We also may be using several different files, esp. if we are using classes • But we must tag it even if it is already within a PHP tagged segment – Included files are not interpreted by default » Don’t necessarily have to be PHP » If we want PHP, include PHP tags within the included file – See ex3.php – See h^p://us3.php.net/manual/en/funcAon.include.php Lecture 2 9 Lecture 2: Intro to PHP • Simple types • See: h^p://us3.php.net/manual/en/language.types.php – boolean • TRUE or FALSE – integer • Plaorm dependent – size of one machine word – typically 32 or 64 bits – float • Double precision • We could call it a double, but since we don't declare variables (we will discuss shortly) float works Lecture 2 10 Intro to PHP – string • We have single-quoted and double-quoted string literals – Double quoted allows for more escape sequences and allows variables to be interpolated into the string – What does that mean? » Rather than outpung the name of the variable, we output its contents, even within a quote » We'll see an example once we define variables » Note that this is NOT done in Java » See example • Length can be arbitrary – Grows as necessary Lecture 2 11 Intro to PHP • Easy conversion back and forth between strings and numbers – In Web applicaons these are mixed a lot, so PHP will implicitly cast between the types when appropriate – This is another clear difference between PHP and Java » Java requires explicit casAng » PHP allows explicit casAng if desired – See: h^p://us3.php.net/manual/en/language.types.type-juggling.php • Can be indexed – the preferred way is using square brackets $mystring = "hello"; echo $mystring[1]; – Output here is 'e' Lecture 2 12 Intro to PHP • PHP variables – All PHP variables begin with the $ • Variable names can begin with an underscore • Otherwise rules are similar to most other languages – Variables are dynamically typed • No type declaraons – Variables are BOUND or UNBOUND » Unbound variables have the value NULL – Type informaon for a variable is obtained from the current bound value – Compare this to Java Lecture 2 13 Intro to PHP • Java typing discipline: Static, strong, safe, nominave (name), manifest • PHP typing discipline: Dynamic, weak • InvesAgate what these classificaAons mean! Lecture 2 14 Intro to PHP – Implicaons of dynamic typing: • No “type clash” errors like in Java int x = 3.5; // oh no! String s = 100; // argh! – Instead we have in PHP $x = 3.5; // no problem! $s = 100; // a-ok! • A variable’s type may change throughout program execuAon $x = 5; // integer $x = 5 + 4 // integer $x = $x + 1.5; // float $x = $x . “ dollars”; // string Lecture 2 15 Intro to PHP – Perhaps intenAonally but perhaps by mistake – We have to be careful and to test types during execuAon – geype() funcAon returns a string representaon of variable’s type $x = 5; echo(geype($x)); // integer $x = $x + 1.5; echo (geype($x)); // float $x = $x . “ dollars”; echo(geype($x)); // string – is_<type>() funcAon returns a boolean to test for a given <type> $x = 5; $check = is_int($x); // true $check = is_float($x); // false – Can use these tests to make decisions within a script – See ex4.php Lecture 2 16 Intro to PHP – PHP programs have access to a large number of predefined variables • These variables allow the script access to server informaon, form parameters, environment informaon, etc. • Very helpful (as we will see) for determining and maintaining state informaon • Ex: – $_SERVER is an array containing much informaon about the server – $_POST is an array containing variables passed to a script via HTTP POST – $_COOKIE is an array containing cookies – See ex5.php Lecture 2 17 Intro to PHP • PHP Expressions and Operators – Similar to those in C++ / Java / Perl – Be careful with a few operators • / in PHP is always floang point division – To get integer division, we must cast to int $x = 15; $y = 6; echo ($x/$y), (int) ($x/$y), "<BR />"; » Output is 2.5 2 • Mixed operands can produce odd results – Values may be cast before comparing Lecture 2 18 Intro to PHP Consider comparing a string and an int • Any non-numeric PHP string value will “equal” 0 • Any numeric PHP string will equal the number it represents – first few digits Consider comparing a string and a boolean • Regular PHP string value will “equal” true • “0” string will equal false • Consider comparing an int and boolean • 0, 0.0 are false; anything else is true • Consider int and float • Float is changed to an integer Lecture 2 19 Intro to PHP • To compare strings, it is be^er to use the C- like string comparison funcAon, strcmp() • Other string funcAons are listed in Sebesta Table 9.3 • Even the == operator has odd behavior in PHP when operands are mixed Lecture 2 20 Intro to PHP • An addiAonal equality operator and inequality operator are defined === returns true only if the variables have the same value and are of the same type » If casAng occurred to compare, the result is false !== returns true if the operands differ in value or in type – Precedence and associavity are similar to C++/ Java • See h^p://us2.php.net/manual/en/language.operators.precedence.php Lecture 2 21 Intro to PHP • PHP Control Structures – Again, these are similar to those in C++ / Java • if, while, do, for, switch are virtually idenAcal to those in C+ + and Java • PHP allows for an alternave syntax to designate a block in the if, while, for and switch statements – Open the block with : rather than { – Close the block with endif, endwhile, endfor, endswitch » for (expr1; expr2; expr3): statement ..
Recommended publications
  • A First Course to Openfoam
    Basic Shell Scripting Slides from Wei Feinstein HPC User Services LSU HPC & LON [email protected] September 2018 Outline • Introduction to Linux Shell • Shell Scripting Basics • Variables/Special Characters • Arithmetic Operations • Arrays • Beyond Basic Shell Scripting – Flow Control – Functions • Advanced Text Processing Commands (grep, sed, awk) Basic Shell Scripting 2 Linux System Architecture Basic Shell Scripting 3 Linux Shell What is a Shell ▪ An application running on top of the kernel and provides a command line interface to the system ▪ Process user’s commands, gather input from user and execute programs ▪ Types of shell with varied features o sh o csh o ksh o bash o tcsh Basic Shell Scripting 4 Shell Comparison Software sh csh ksh bash tcsh Programming language y y y y y Shell variables y y y y y Command alias n y y y y Command history n y y y y Filename autocompletion n y* y* y y Command line editing n n y* y y Job control n y y y y *: not by default http://www.cis.rit.edu/class/simg211/unixintro/Shell.html Basic Shell Scripting 5 What can you do with a shell? ▪ Check the current shell ▪ echo $SHELL ▪ List available shells on the system ▪ cat /etc/shells ▪ Change to another shell ▪ csh ▪ Date ▪ date ▪ wget: get online files ▪ wget https://ftp.gnu.org/gnu/gcc/gcc-7.1.0/gcc-7.1.0.tar.gz ▪ Compile and run applications ▪ gcc hello.c –o hello ▪ ./hello ▪ What we need to learn today? o Automation of an entire script of commands! o Use the shell script to run jobs – Write job scripts Basic Shell Scripting 6 Shell Scripting ▪ Script: a program written for a software environment to automate execution of tasks ▪ A series of shell commands put together in a file ▪ When the script is executed, those commands will be executed one line at a time automatically ▪ Shell script is interpreted, not compiled.
    [Show full text]
  • Bash Guide for Beginners
    Bash Guide for Beginners Machtelt Garrels Garrels BVBA <tille wants no spam _at_ garrels dot be> Version 1.11 Last updated 20081227 Edition Bash Guide for Beginners Table of Contents Introduction.........................................................................................................................................................1 1. Why this guide?...................................................................................................................................1 2. Who should read this book?.................................................................................................................1 3. New versions, translations and availability.........................................................................................2 4. Revision History..................................................................................................................................2 5. Contributions.......................................................................................................................................3 6. Feedback..............................................................................................................................................3 7. Copyright information.........................................................................................................................3 8. What do you need?...............................................................................................................................4 9. Conventions used in this
    [Show full text]
  • Lecture 17 the Shell and Shell Scripting Simple Shell Scripts
    Lecture 17 The Shell and Shell Scripting In this lecture • The UNIX shell • Simple Shell Scripts • Shell variables • File System commands, IO commands, IO redirection • Command Line Arguments • Evaluating Expr in Shell • Predicates, operators for testing strings, ints and files • If-then-else in Shell • The for, while and do loop in Shell • Writing Shell scripts • Exercises In this course, we need to be familiar with the "UNIX shell". We use it, whether bash, csh, tcsh, zsh, or other variants, to start and stop processes, control the terminal, and to otherwise interact with the system. Many of you have heard of, or made use of "shell scripting", that is the process of providing instructions to shell in a simple, interpreted programming language . To see what shell we are working on, first SSH into unix.andrew.cmu.edu and type echo $SHELL ---- to see the working shell in SSH We will be writing our shell scripts for this particular shell (csh). The shell scripting language does not fit the classic definition of a useful language. It does not have many of the features such as portability, facilities for resource intensive tasks such as recursion or hashing or sorting. It does not have data structures like arrays and hash tables. It does not have facilities for direct access to hardware or good security features. But in many other ways the language of the shell is very powerful -- it has functions, conditionals, loops. It does not support strong data typing -- it is completely untyped (everything is a string). But, the real power of shell program doesn't come from the language itself, but from the diverse library that it can call upon -- any program.
    [Show full text]
  • ASCII Delimited Format Plug-In User’S Guide
    ASCII Delimited Format Plug-in User’s Guide Version 3.4 ASCII DELIMITED ......................................................................................................... 4 CREATING AN ASCII DELIMITED MESSAGE ....................................................... 4 ASCII DELIMITED EXTERNAL MESSAGE UI........................................................ 6 DEFINING AN ASCII DELIMITED MESSAGE FORMAT...................................... 7 ASCII DELIMITED FORMAT OPTIONS .............................................................................. 7 Delimiter ..................................................................................................................... 8 Message Options......................................................................................................... 9 Treat Entire Input/Output as a Single Message (Message Mode) ...................... 9 Treat Each Record as a Separate Message (Batch Mode) ................................ 10 Single Record Mode ......................................................................................... 10 Header/Trailer Option.............................................................................................. 11 ADDING A NEW FIELD.................................................................................................... 12 SPECIFYING FIELD PROPERTIES...................................................................................... 13 The Required Property.....................................................................................
    [Show full text]
  • STAT579: SAS Programming
    Note on homework for SAS date formats I'm getting error messages using the format MMDDYY10D. even though this is listed on websites for SAS date formats. Instead, MMDDYY10 and similar (without the D seems to work for both hyphens and slashes. Also note that a date format such as MMDDYYw. means that the w is replaced by a number indicating the width of the string (e.g., 8 or 10). SAS Programming SAS data sets (Chapter 4 of Cody book) SAS creates data sets internally once they are read in from a Data Step. The data sets can be stored in different locations and accessed later on. The default is to store them in WORK, so if you create a data set using data adress; the logfile will say that it created a SAS dataset called WORK.ADDRESS. You can nagivate to the newly created SAS dataset. In SAS Studio, go to the Libraries Tab on the left (Usually appears toward the bottom until you click on it). Then WORK.ADDRESS should appear. SAS Programming SAS data sets SAS Programming SAS data sets SAS Programming Making datasets permanent You can also make SAS datasets permanent. This is done using the libname statement. E.g. SAS Programming Permanent SAS datasets The new dataset should be available to be accessed directly from other SAS programs without reading in original data. This can save a lot of time for large datasets. If the SAS dataset is called mydata, the SAS dataset will be called mydata.sas7bdat, where the 7 refers to the datastructures used in version 7 (and which hasn't changed up to version 9).
    [Show full text]
  • Positive Pay Format Guide
    Positive Pay Format Guide Check File Import Contents Contents ........................................................................................................................................................ 1 I. Supported File Types ............................................................................................................................. 2 A. Delimited Text Files ........................................................................................................................... 2 B. Microsoft Excel Files.......................................................................................................................... 2 C. Fixed-width Text Files ....................................................................................................................... 2 D. Header and Trailer Records .............................................................................................................. 2 II. File Data Requirements ......................................................................................................................... 3 A. Required Columns ............................................................................................................................. 3 B. Optional Columns.............................................................................................................................. 3 Positive Pay 1 of 3 BankFinancial, NA Format Guide 11-2016-1 I. Supported File Types Positive Pay supports the following three types of issued files: A. Delimited
    [Show full text]
  • Teach Yourself Perl 5 in 21 Days
    Teach Yourself Perl 5 in 21 days David Till Table of Contents: Introduction ● Who Should Read This Book? ● Special Features of This Book ● Programming Examples ● End-of-Day Q& A and Workshop ● Conventions Used in This Book ● What You'll Learn in 21 Days Week 1 Week at a Glance ● Where You're Going Day 1 Getting Started ● What Is Perl? ● How Do I Find Perl? ❍ Where Do I Get Perl? ❍ Other Places to Get Perl ● A Sample Perl Program ● Running a Perl Program ❍ If Something Goes Wrong ● The First Line of Your Perl Program: How Comments Work ❍ Comments ● Line 2: Statements, Tokens, and <STDIN> ❍ Statements and Tokens ❍ Tokens and White Space ❍ What the Tokens Do: Reading from Standard Input ● Line 3: Writing to Standard Output ❍ Function Invocations and Arguments ● Error Messages ● Interpretive Languages Versus Compiled Languages ● Summary ● Q&A ● Workshop ❍ Quiz ❍ Exercises Day 2 Basic Operators and Control Flow ● Storing in Scalar Variables Assignment ❍ The Definition of a Scalar Variable ❍ Scalar Variable Syntax ❍ Assigning a Value to a Scalar Variable ● Performing Arithmetic ❍ Example of Miles-to-Kilometers Conversion ❍ The chop Library Function ● Expressions ❍ Assignments and Expressions ● Other Perl Operators ● Introduction to Conditional Statements ● The if Statement ❍ The Conditional Expression ❍ The Statement Block ❍ Testing for Equality Using == ❍ Other Comparison Operators ● Two-Way Branching Using if and else ● Multi-Way Branching Using elsif ● Writing Loops Using the while Statement ● Nesting Conditional Statements ● Looping Using
    [Show full text]
  • Installing and Configuring PHP
    05 6205 CH03.qxd 11/20/03 11:27 AM Page 51 CHAPTER 3 Installing and Configuring PHP In the last of the three installation-related chapters, you will acquire, install, and configure PHP and make some basic changes to your Apache installation. In this chapter, you will learn . How to install PHP with Apache on Linux/Unix . How to install PHP with Apache server on Windows . How to test your PHP installation . How to find help when things go wrong . The basics of the PHP language Current and Future Versions of PHP The installation instructions in this chapter refer to PHP version 4.3.3, which is the current version of the software. The PHP Group uses minor release numbers for updates containing security enhancements or bug fixes. Minor releases do not follow a set release schedule; when enhancements or fixes are added to the code and thor- oughly tested, the PHP Group will releases a new version, with a new minor version number. It is possible that by the time you purchase this book, the minor version number will have changed, to 4.3.4 or beyond. If that is the case, you should read the list of changes at http://www.php.net/ChangeLog-4.php for any changes regarding the installation or configuration process, which makes up the bulk of this chapter. Although it is unlikely that any installation instructions will change between minor version updates, you should get in the habit of always checking the changelog of software that you install and maintain. If a minor version change does occur during the time you are reading this book, but no installation changes are noted in the 05 6205 CH03.qxd 11/20/03 11:27 AM Page 52 52 Chapter 3 changelog, simply make a mental note and substitute the new version number wherever it appears in the installation instructions and accompanying figures.
    [Show full text]
  • Understanding the Command-Line Interface
    Understanding the Command-Line Interface This chapter helps you understand the command-line interface. • Information About the CLI Prompt, on page 1 • Command Modes, on page 2 • Special Characters, on page 5 • Keystroke Shortcuts, on page 5 • Abbreviating Commands, on page 7 • Completing a Partial Command Name, on page 8 • Identifying Your Location in the Command Hierarchy, on page 8 • Using the no Form of a Command , on page 9 • Configuring CLI Variables, on page 10 • Command Aliases, on page 12 • Command Scripts, on page 14 • Context-Sensitive Help , on page 16 • Understanding Regular Expressions, on page 17 • Searching and Filtering show Command Output, on page 19 • Searching and Filtering from the --More-- Prompt, on page 23 • Using the Command History, on page 24 • Enabling or Disabling the CLI Confirmation Prompts, on page 26 • Setting CLI Display Colors, on page 26 • Sending Commands to Modules, on page 27 • BIOS Loader Prompt, on page 28 • Examples Using the CLI , on page 28 Information About the CLI Prompt Once you have successfully accessed the device, the CLI prompt displays in the terminal window of your console port or remote workstation as shown in this example: User Access Verification login: admin Password:<password> Cisco Nexus Operating System (NX-OS) Software TAC support: http://www.cisco.com/tac Copyright (c) 2002-2009, Cisco Systems, Inc. All rights reserved. Understanding the Command-Line Interface 1 Understanding the Command-Line Interface Command Modes The copyrights to certain works contained in this software are owned by other third parties and used and distributed under license. Certain components of this software are licensed under the GNU General Public License (GPL) version 2.0 or the GNU Lesser General Public License (LGPL) Version 2.1.
    [Show full text]
  • Command-Line Interface User's Guide
    Storage Productivity Center for Replication for System z Version 4.2.2.1 Command-line Interface User's Guide SC27-2323-06 Storage Productivity Center for Replication for System z Version 4.2.2.1 Command-line Interface User's Guide SC27-2323-06 Note Before using this information and the product it supports, read the information in “Notices” on page 133. This edition applies to version 4, release 2, modification 2, fix pack 1 of IBM Tivoli Storage Productivity Center for Replication for System z (product number 5698-B30 and 5698-B31) and to all subsequent releases and modifications until otherwise indicated in new editions. This edition replaces SC27-2323-05. © Copyright IBM Corporation 2005, 2011. US Government Users Restricted Rights – Use, duplication or disclosure restricted by GSA ADP Schedule Contract with IBM Corp. Contents Figures ...............v lslss .................55 lsmc .................57 Tables ...............vii lspair ................59 lsparameter ..............63 lspath ................65 About this guide ...........ix lspool ................67 Intended audience ............ix lsrolepairs ...............70 Command-line interface conventions ......ix lsrolescpset ..............73 Presentation of command information ....ix lssess ................75 Command entry ............xi lssessactions ..............78 Command modes ...........xii lssessdetails ..............80 User assistance for commands .......xiv lssnapgrp ...............82 Output from command processing .....xv lssnapgrpactions.............85 Accessing the
    [Show full text]
  • The Linux Command Line
    The Linux Command Line Second Internet Edition William E. Shotts, Jr. A LinuxCommand.org Book Copyright ©2008-2013, William E. Shotts, Jr. This work is licensed under the Creative Commons Attribution-Noncommercial-No De- rivative Works 3.0 United States License. To view a copy of this license, visit the link above or send a letter to Creative Commons, 171 Second Street, Suite 300, San Fran- cisco, California, 94105, USA. Linux® is the registered trademark of Linus Torvalds. All other trademarks belong to their respective owners. This book is part of the LinuxCommand.org project, a site for Linux education and advo- cacy devoted to helping users of legacy operating systems migrate into the future. You may contact the LinuxCommand.org project at http://linuxcommand.org. This book is also available in printed form, published by No Starch Press and may be purchased wherever fine books are sold. No Starch Press also offers this book in elec- tronic formats for most popular e-readers: http://nostarch.com/tlcl.htm Release History Version Date Description 13.07 July 6, 2013 Second Internet Edition. 09.12 December 14, 2009 First Internet Edition. 09.11 November 19, 2009 Fourth draft with almost all reviewer feedback incorporated and edited through chapter 37. 09.10 October 3, 2009 Third draft with revised table formatting, partial application of reviewers feedback and edited through chapter 18. 09.08 August 12, 2009 Second draft incorporating the first editing pass. 09.07 July 18, 2009 Completed first draft. Table of Contents Introduction....................................................................................................xvi
    [Show full text]
  • DATALINES, Sequential Files, CSV, HTML, and More
    SUGI 31 Tutorials Paper 228-31 DATALINES, Sequential Files, CSV, HTML and More – Using INFILE and INPUT Statements to Introduce External Data into the SAS® System Andrew T. Kuligowski, Nielsen Media Research ABSTRACT / INTRODUCTION The SAS® System has numerous capabilities to store, analyze, report, and present data. However, those features are useless unless that data is stored in, or can be accessed by, the SAS System. This presentation is designed to review the INFILE and INPUT statements. It has been set up as a series of examples, each building on the other, rather than a mere recitation of the options as documented in the manual. These examples will include various data sources, including DATALINES, sequential files, CSV files, and HTML files. GETTING STARTED – BASIC INFILE / INPUT with DATALINES In order to bring data from an external source into your SAS session, the user must provide the answers to a couple of simple questions: Where is the data, and what does it look like? The INFILE statement will define the data source and provide a few tidbits of information regarding its form, while the INPUT statement will define the format of the data to be processed. /* INTRO EXAMPLE */ NOTE: Invalid data for ConfName in DATA SasConf; line 9 1-9. INFILE DATALINES; NOTE: Invalid data for ConfCity in INPUT ConfName line 9 16-18. ConfYear NOTE: Invalid data for ConfST in ConfCity line 9 20-28. ConfST ; RULE: ----+----1----+----2----+----3--- DATALINES; 9 SUGI 2006 San Francisco CA SUGI 2006 San Francisco CA ConfName=. ConfYear=2006 ConfCity=. PHARMASUG 2006 Bonita Springs FL ConfST=.
    [Show full text]