SlideShare a Scribd company logo
1 of 29
ExtBase Workshop
This is the plan...
• Hour 1: Create a basic shop extension
• Hour 2: Frontend & templating
• Hour 3: Writing code and add functionality
... and now the plan meets reality!
Part 1: Basics
Your working environment
• TYPO3 7.6
– use local installation if you have one
– use the jweiland starter package
• IDE: PHPStorm
• install Extensions: "extension_builder" and
"phpmyadmin"
• Code for this project:
https://github.com/aschmutt/t3extbase
Extension Builder
Extension Builder: Modelling
• New Model Object = table in database
• Domain Object Settings: aggregate root?
Yes means: Controller will be created
– use for central objects where controller makes sense
– do not use for subtables like: size, color,...
• Default Actions:
– if checked, code will be generated
– add more if you want - this can be done manually later
• Properties:
– fields like title, name, description
– generates: SQL for table fields, TCA for TYPO3 Backend, Object
properties with getter and setter
Extension Builder: Relations
• Add a field
– Type: database type of relation 1:1, 1:n, n:1, n:m
– Drag&Drop the dot to the other table (blue line)
Extension Builder Do's and Don't
• It looks like a UML modelling tool and/or code generator - but
it's not!!!
Its just some sample code, has versioning errors, etc.
Always read and understand the generated code!
• Good for:
– getting started
– first start of a extension, concept phase
– Code generation for tables, sql, Object model, TCA
• Bad for:
– difficult relations
– Anything that breaks the Object=Table pattern
– overwrite/merge options are available - but I don't trust them.
Make backups and use diff tools!
Our Project: NerdShop
• Create a small shop with items to make a nerd
happy!
• Product: our products we want to sell, like
shirts and gadgets
– Properties: title, description, image
• Order: a list of the items in our shopping cart
– Properties: orderNumber, name, address
– Relation: products n:m
Install Extension in TYPO3
• Extension Manager -> Install
– creates Database Tables
– every table change needs install again
• create a Page and add a Plugin Content Element
– choose your Frontend Plugin in Plugin Tab
– Page settings -> disable cache (for development)
• create a Data Folder and add some products
• Template configuration:
– add Extension Template on this page
– Info/Modify -> Edit the whole template record -> Include Static (from
extensions)
This adds our Configuration files: Configuration/TypoScript/setup.txt and
constants.txt
– add Data Folder UID to setup (31 is my example folder UID):
plugin.tx_nerdshop_shop.persistence.storagePid = 31
Practical Part
• Todo:
– Load your Plugin page in Frontend and see if page
shows "Listing..." of your plugin
– Add some products in Frontend and see if they are
in list view in backend
– edit products in backend, add images and see if
they appear in frontend
MVC
• Controller: Program Flow, Actions
• View: Templates & Fluid
• Model: Code, Repository, Database
Basic Setup ExtBase/Fluid
Model
Controller
Fluid Template
public function getTitle() {
return $this->title;
}
public function listAction() {
$products = $this->productRepository-
>findAll();
$this->view->assign('products', $products);
}
<f:for each="{products}" as="product">
<tr>
<td>
<f:link.action action="show"
arguments="{product : product}">
{product.title}
</f:link.action>
</td>
</tr>
</f:for>
Folder Structure
• Main Files:
– ext_emconf*: Extension
Manager config
– ext_icon*: Extension icon
– ext_localconf: Frontend config
– ext_tables.php: Backend config
– ext_tables.sql: SQL Statements
* required fields for a extension
Folder Structure
• Model
– /Classes Folder (without
Controller)
• View
– /Resources/Private:
Templates, Partials, Layouts
• Controller
– Classes/Controller
Folder Structure
• Configuration
– TCA: Backend Tables
– TypoScript
• Documentation
• Resources
– Language: Resources/Language
– Assets: Resources/Public
• Tests
– PHPUnit Tests
Practical part
• Download your generated code and open it in
PHPStorm (/typo3conf/ext/nerdshop)
• Read generated Code, identify Controller -
View - Model
• Click around in Frontend, URL shows name of
Controller and Action, and find where it is in
the code
Part 2: Frontend
Templates
• Idea: separate Code from HTML, use extra template
files
• Fluid is a template language to handle content (like
Smarty or Twig)
• Controller:
$title = $product->getTitle();
$this->view->assign('title',$title);
• View:
<h1>{title}</h1>
• https://docs.typo3.org/typo3cms/ExtbaseGuide/Flui
d/ViewHelper
Templates
• There is a Template hierarchy for a better structure:
• Layout:
– at least one empty file "Default.html"
– general layout, for example a extension wrapper
<div class="myextension>...</div>
• Templates
– one template for every action
– other templates are possible, e.g. Mail templates
• Partials
– reusable subparts
– example: Extension Builder generates "Properties.html" for show
action
Practical Part
• edit this Template files:
Resources/Private/Templates/Product/List.ht
ml
• edit some HTML and see result in Frontend
Let's add some Fluid
• show preview image:
<f:image
src="{product.image.originalResource.publi
cUrl}" width="100"/>
• parse HTML from RTE:
<f:format.html>{product.description}
</f:format.html>
• use Bootstrap buttons for some links:
<f:link.action class="btn btn-default"
action="edit" arguments="{product :
product}">Edit</f:link.action>
Add TypoScript, Css, Jss
• Create a nerdshop.js and nerdshop.css in
Resources folder
• Configuration/TypoScript/setup.txt:
page {
includeCSS {
nerdshop = EXT:nerdshop/Resources/Public/Css/nerdshop.css
}
includeJS {
nerdshop = EXT:nerdshop/Resources/Public/Js/nerdshop.js
}
}
• Template: Include Static (we did this in install
step already...)
Part 3: CRUD
Create - Read - Update - Delete
Database: Repository
• Lots of default functions:
– findAll = SELECT * FROM table
– findByName($val) =
SELECT * FROM table where name like „$val
– findOneByArticleNo($id)
SELECT … limit 1
– Add, remove, update, replace
• Query Syntax (same principle as doctrine):
$query->createQuery;
$query->matching(),
constraints,
$query->execute
• SQL Statements for raw queries:
$query->statement('SELECT ... HAVING ...')
• https://docs.typo3.org/typo3cms/ExtbaseFluidBook/6-Persistence/3-implement-
individual-database-queries.html
Controller: new Action
• new Action: addToCart Button
• ProductController: add new function
public function addToCartAction(Product $product)
{ }
• ext_localconf.php: add Action-Name (function name without the string
"Action")
• HTML Template: add new file in View folder, 1. letter uppercase!
Resource/Private/Templates/Product/AddToCart.html
PHPDoc
• PHP Doc comments were made for code documentation, helper function popups,
class documentation:
@param int $number number for size
@return string
• You can generate automated documentation from phpdoc
• ExtBase uses PHPDoc Comments also for operations - so they are required now!
@validate
@inject
• Attention: PHP Opcode like
"eAccelerator" needs to be
configured, in default setting
the comments are removed!
Namespaces
• without namespaces, unique class names were like this:
class Tx_MyExtensionName_Controller_ContactController
extends Tx_Extbase_MVC_Controller_ActionController {...}
• with Namespace, it is like this:
namespace VendorMyExtensionNameController;
class ContactController extends
TYPO3CMSExtbaseMvcControllerActionController {...}
• shortcut for long namespaces:
use TYPO3CMSCoreUtilityGeneralUtility;
GeneralUtility::underscoredToUpperCamelCase($var);
• Learn more about Namespaces
– in PHP: http://php.net/manual/en/language.namespaces.php
– in TYPO3: https://docs.typo3.org/typo3cms/CoreApiReference/latest/
ApiOverview/Namespaces/
Where do I find documentation?
• Extension Builder: the kickstarter for Extbase
• Books and links:
– Developing TYPO3 Extensions with Extbase and Fluid, Sebastian
Kurfürst
Buch: O'Reilly Press
Online: https://docs.typo3.org/typo3cms/ExtbaseFluidBook/
– TYPO3 ExtBase, Patric Lobacher
Buch: Amazon Print OnDemand
eBook: https://leanpub.com/typo3extbase
– TYPO3 docs https://docs.typo3.org
• Extension Code
– News, Blog example extension
– sysext of Extbase and Fluid

More Related Content

What's hot

Big Data: Big SQL and HBase
Big Data:  Big SQL and HBase Big Data:  Big SQL and HBase
Big Data: Big SQL and HBase Cynthia Saracco
 
Introduction to Module Development (Drupal 7)
Introduction to Module Development (Drupal 7)Introduction to Module Development (Drupal 7)
Introduction to Module Development (Drupal 7)April Sides
 
Gestione della configurazione in Drupal 8
Gestione della configurazione in Drupal 8Gestione della configurazione in Drupal 8
Gestione della configurazione in Drupal 8Eugenio Minardi
 
Hadoop, Hbase and Hive- Bay area Hadoop User Group
Hadoop, Hbase and Hive- Bay area Hadoop User GroupHadoop, Hbase and Hive- Bay area Hadoop User Group
Hadoop, Hbase and Hive- Bay area Hadoop User GroupHadoop User Group
 
Adding Value to HBase with IBM InfoSphere BigInsights and BigSQL
Adding Value to HBase with IBM InfoSphere BigInsights and BigSQLAdding Value to HBase with IBM InfoSphere BigInsights and BigSQL
Adding Value to HBase with IBM InfoSphere BigInsights and BigSQLPiotr Pruski
 
Hands-on-Lab: Adding Value to HBase with IBM InfoSphere BigInsights and BigSQL
Hands-on-Lab: Adding Value to HBase with IBM InfoSphere BigInsights and BigSQLHands-on-Lab: Adding Value to HBase with IBM InfoSphere BigInsights and BigSQL
Hands-on-Lab: Adding Value to HBase with IBM InfoSphere BigInsights and BigSQLPiotr Pruski
 
Cloudera Impala Internals
Cloudera Impala InternalsCloudera Impala Internals
Cloudera Impala InternalsDavid Groozman
 
Real-time Big Data Analytics Engine using Impala
Real-time Big Data Analytics Engine using ImpalaReal-time Big Data Analytics Engine using Impala
Real-time Big Data Analytics Engine using ImpalaJason Shih
 
9780538745840 ppt ch09
9780538745840 ppt ch099780538745840 ppt ch09
9780538745840 ppt ch09Terry Yoast
 
Drupal 8 deploying
Drupal 8 deployingDrupal 8 deploying
Drupal 8 deployingAndrew Siz
 
Drupal 8 CMI on a Managed Workflow
Drupal 8 CMI on a Managed WorkflowDrupal 8 CMI on a Managed Workflow
Drupal 8 CMI on a Managed WorkflowPantheon
 
9780538745840 ppt ch10
9780538745840 ppt ch109780538745840 ppt ch10
9780538745840 ppt ch10Terry Yoast
 
How Impala Works
How Impala WorksHow Impala Works
How Impala WorksYue Chen
 
Hive Quick Start Tutorial
Hive Quick Start TutorialHive Quick Start Tutorial
Hive Quick Start TutorialCarl Steinbach
 
Is SQLcl the Next Generation of SQL*Plus?
Is SQLcl the Next Generation of SQL*Plus?Is SQLcl the Next Generation of SQL*Plus?
Is SQLcl the Next Generation of SQL*Plus?Zohar Elkayam
 
Friction-free ETL: Automating data transformation with Impala | Strata + Hado...
Friction-free ETL: Automating data transformation with Impala | Strata + Hado...Friction-free ETL: Automating data transformation with Impala | Strata + Hado...
Friction-free ETL: Automating data transformation with Impala | Strata + Hado...Cloudera, Inc.
 
Cloudera Impala technical deep dive
Cloudera Impala technical deep diveCloudera Impala technical deep dive
Cloudera Impala technical deep divehuguk
 
Sql injection with sqlmap
Sql injection with sqlmapSql injection with sqlmap
Sql injection with sqlmapHerman Duarte
 

What's hot (20)

Big Data: Big SQL and HBase
Big Data:  Big SQL and HBase Big Data:  Big SQL and HBase
Big Data: Big SQL and HBase
 
Introduction to Module Development (Drupal 7)
Introduction to Module Development (Drupal 7)Introduction to Module Development (Drupal 7)
Introduction to Module Development (Drupal 7)
 
Gestione della configurazione in Drupal 8
Gestione della configurazione in Drupal 8Gestione della configurazione in Drupal 8
Gestione della configurazione in Drupal 8
 
Hadoop, Hbase and Hive- Bay area Hadoop User Group
Hadoop, Hbase and Hive- Bay area Hadoop User GroupHadoop, Hbase and Hive- Bay area Hadoop User Group
Hadoop, Hbase and Hive- Bay area Hadoop User Group
 
Adding Value to HBase with IBM InfoSphere BigInsights and BigSQL
Adding Value to HBase with IBM InfoSphere BigInsights and BigSQLAdding Value to HBase with IBM InfoSphere BigInsights and BigSQL
Adding Value to HBase with IBM InfoSphere BigInsights and BigSQL
 
Hands-on-Lab: Adding Value to HBase with IBM InfoSphere BigInsights and BigSQL
Hands-on-Lab: Adding Value to HBase with IBM InfoSphere BigInsights and BigSQLHands-on-Lab: Adding Value to HBase with IBM InfoSphere BigInsights and BigSQL
Hands-on-Lab: Adding Value to HBase with IBM InfoSphere BigInsights and BigSQL
 
Cloudera Impala Internals
Cloudera Impala InternalsCloudera Impala Internals
Cloudera Impala Internals
 
Real-time Big Data Analytics Engine using Impala
Real-time Big Data Analytics Engine using ImpalaReal-time Big Data Analytics Engine using Impala
Real-time Big Data Analytics Engine using Impala
 
9780538745840 ppt ch09
9780538745840 ppt ch099780538745840 ppt ch09
9780538745840 ppt ch09
 
Drupal 8 deploying
Drupal 8 deployingDrupal 8 deploying
Drupal 8 deploying
 
Test
TestTest
Test
 
Drupal 8 CMI on a Managed Workflow
Drupal 8 CMI on a Managed WorkflowDrupal 8 CMI on a Managed Workflow
Drupal 8 CMI on a Managed Workflow
 
9780538745840 ppt ch10
9780538745840 ppt ch109780538745840 ppt ch10
9780538745840 ppt ch10
 
How Impala Works
How Impala WorksHow Impala Works
How Impala Works
 
Hive Quick Start Tutorial
Hive Quick Start TutorialHive Quick Start Tutorial
Hive Quick Start Tutorial
 
Is SQLcl the Next Generation of SQL*Plus?
Is SQLcl the Next Generation of SQL*Plus?Is SQLcl the Next Generation of SQL*Plus?
Is SQLcl the Next Generation of SQL*Plus?
 
Friction-free ETL: Automating data transformation with Impala | Strata + Hado...
Friction-free ETL: Automating data transformation with Impala | Strata + Hado...Friction-free ETL: Automating data transformation with Impala | Strata + Hado...
Friction-free ETL: Automating data transformation with Impala | Strata + Hado...
 
Drupal Modules
Drupal ModulesDrupal Modules
Drupal Modules
 
Cloudera Impala technical deep dive
Cloudera Impala technical deep diveCloudera Impala technical deep dive
Cloudera Impala technical deep dive
 
Sql injection with sqlmap
Sql injection with sqlmapSql injection with sqlmap
Sql injection with sqlmap
 

Similar to ExtBase workshop

Add-On Development: EE Expects that Every Developer will do his Duty
Add-On Development: EE Expects that Every Developer will do his DutyAdd-On Development: EE Expects that Every Developer will do his Duty
Add-On Development: EE Expects that Every Developer will do his DutyLeslie Doherty
 
Add-On Development: EE Expects that Every Developer will do his Duty
Add-On Development: EE Expects that Every Developer will do his DutyAdd-On Development: EE Expects that Every Developer will do his Duty
Add-On Development: EE Expects that Every Developer will do his Dutyreedmaniac
 
Modul-Entwicklung für Magento, OXID eShop und Shopware (2013)
Modul-Entwicklung für Magento, OXID eShop und Shopware (2013)Modul-Entwicklung für Magento, OXID eShop und Shopware (2013)
Modul-Entwicklung für Magento, OXID eShop und Shopware (2013)Roman Zenner
 
ITPROceed 2016 - The Art of PowerShell Toolmaking
ITPROceed 2016 - The Art of PowerShell ToolmakingITPROceed 2016 - The Art of PowerShell Toolmaking
ITPROceed 2016 - The Art of PowerShell ToolmakingKurt Roggen [BE]
 
Creating Custom Templates for Joomla! 2.5
Creating Custom Templates for Joomla! 2.5Creating Custom Templates for Joomla! 2.5
Creating Custom Templates for Joomla! 2.5Don Cranford
 
XPages -Beyond the Basics
XPages -Beyond the BasicsXPages -Beyond the Basics
XPages -Beyond the BasicsUlrich Krause
 
Unleashing Creative Freedom with MODX (2015-09-03 at GroningenPHP)
Unleashing Creative Freedom with MODX (2015-09-03 at GroningenPHP)Unleashing Creative Freedom with MODX (2015-09-03 at GroningenPHP)
Unleashing Creative Freedom with MODX (2015-09-03 at GroningenPHP)Mark Hamstra
 
Suite Labs: Generating SuiteHelp Output
Suite Labs: Generating SuiteHelp OutputSuite Labs: Generating SuiteHelp Output
Suite Labs: Generating SuiteHelp OutputSuite Solutions
 
Php on the Web and Desktop
Php on the Web and DesktopPhp on the Web and Desktop
Php on the Web and DesktopElizabeth Smith
 
Staging Drupal 8 31 09 1 3
Staging Drupal 8 31 09 1 3Staging Drupal 8 31 09 1 3
Staging Drupal 8 31 09 1 3Drupalcon Paris
 
Get happy Editors with a suitable TYPO3 Backend Configuration
Get happy Editors with a suitable TYPO3 Backend ConfigurationGet happy Editors with a suitable TYPO3 Backend Configuration
Get happy Editors with a suitable TYPO3 Backend ConfigurationPeter Kraume
 
What's new in TYPO3 6.2 LTS - #certiFUNcation Alumni Event 05.06.2015
What's new in TYPO3 6.2 LTS - #certiFUNcation Alumni Event 05.06.2015What's new in TYPO3 6.2 LTS - #certiFUNcation Alumni Event 05.06.2015
What's new in TYPO3 6.2 LTS - #certiFUNcation Alumni Event 05.06.2015die.agilen GmbH
 
OroCRM Partner Technical Training: September 2015
OroCRM Partner Technical Training: September 2015OroCRM Partner Technical Training: September 2015
OroCRM Partner Technical Training: September 2015Oro Inc.
 

Similar to ExtBase workshop (20)

Add-On Development: EE Expects that Every Developer will do his Duty
Add-On Development: EE Expects that Every Developer will do his DutyAdd-On Development: EE Expects that Every Developer will do his Duty
Add-On Development: EE Expects that Every Developer will do his Duty
 
presentation
presentationpresentation
presentation
 
Add-On Development: EE Expects that Every Developer will do his Duty
Add-On Development: EE Expects that Every Developer will do his DutyAdd-On Development: EE Expects that Every Developer will do his Duty
Add-On Development: EE Expects that Every Developer will do his Duty
 
presentation
presentationpresentation
presentation
 
Modul-Entwicklung für Magento, OXID eShop und Shopware (2013)
Modul-Entwicklung für Magento, OXID eShop und Shopware (2013)Modul-Entwicklung für Magento, OXID eShop und Shopware (2013)
Modul-Entwicklung für Magento, OXID eShop und Shopware (2013)
 
ITPROceed 2016 - The Art of PowerShell Toolmaking
ITPROceed 2016 - The Art of PowerShell ToolmakingITPROceed 2016 - The Art of PowerShell Toolmaking
ITPROceed 2016 - The Art of PowerShell Toolmaking
 
Creating Custom Templates for Joomla! 2.5
Creating Custom Templates for Joomla! 2.5Creating Custom Templates for Joomla! 2.5
Creating Custom Templates for Joomla! 2.5
 
XPages -Beyond the Basics
XPages -Beyond the BasicsXPages -Beyond the Basics
XPages -Beyond the Basics
 
Unleashing Creative Freedom with MODX (2015-09-03 at GroningenPHP)
Unleashing Creative Freedom with MODX (2015-09-03 at GroningenPHP)Unleashing Creative Freedom with MODX (2015-09-03 at GroningenPHP)
Unleashing Creative Freedom with MODX (2015-09-03 at GroningenPHP)
 
Suite Labs: Generating SuiteHelp Output
Suite Labs: Generating SuiteHelp OutputSuite Labs: Generating SuiteHelp Output
Suite Labs: Generating SuiteHelp Output
 
Scaling / optimizing search on netlog
Scaling / optimizing search on netlogScaling / optimizing search on netlog
Scaling / optimizing search on netlog
 
Php on the Web and Desktop
Php on the Web and DesktopPhp on the Web and Desktop
Php on the Web and Desktop
 
Staging Drupal 8 31 09 1 3
Staging Drupal 8 31 09 1 3Staging Drupal 8 31 09 1 3
Staging Drupal 8 31 09 1 3
 
Web works hol
Web works holWeb works hol
Web works hol
 
Design to Theme @ CMSExpo
Design to Theme @ CMSExpoDesign to Theme @ CMSExpo
Design to Theme @ CMSExpo
 
Get happy Editors with a suitable TYPO3 Backend Configuration
Get happy Editors with a suitable TYPO3 Backend ConfigurationGet happy Editors with a suitable TYPO3 Backend Configuration
Get happy Editors with a suitable TYPO3 Backend Configuration
 
Ember - introduction
Ember - introductionEmber - introduction
Ember - introduction
 
What's new in TYPO3 6.2 LTS - #certiFUNcation Alumni Event 05.06.2015
What's new in TYPO3 6.2 LTS - #certiFUNcation Alumni Event 05.06.2015What's new in TYPO3 6.2 LTS - #certiFUNcation Alumni Event 05.06.2015
What's new in TYPO3 6.2 LTS - #certiFUNcation Alumni Event 05.06.2015
 
OroCRM Partner Technical Training: September 2015
OroCRM Partner Technical Training: September 2015OroCRM Partner Technical Training: September 2015
OroCRM Partner Technical Training: September 2015
 
CodeIgniter & MVC
CodeIgniter & MVCCodeIgniter & MVC
CodeIgniter & MVC
 

Recently uploaded

What is Binary Language? Computer Number Systems
What is Binary Language?  Computer Number SystemsWhat is Binary Language?  Computer Number Systems
What is Binary Language? Computer Number SystemsJheuzeDellosa
 
Active Directory Penetration Testing, cionsystems.com.pdf
Active Directory Penetration Testing, cionsystems.com.pdfActive Directory Penetration Testing, cionsystems.com.pdf
Active Directory Penetration Testing, cionsystems.com.pdfCionsystems
 
(Genuine) Escort Service Lucknow | Starting ₹,5K To @25k with A/C 🧑🏽‍❤️‍🧑🏻 89...
(Genuine) Escort Service Lucknow | Starting ₹,5K To @25k with A/C 🧑🏽‍❤️‍🧑🏻 89...(Genuine) Escort Service Lucknow | Starting ₹,5K To @25k with A/C 🧑🏽‍❤️‍🧑🏻 89...
(Genuine) Escort Service Lucknow | Starting ₹,5K To @25k with A/C 🧑🏽‍❤️‍🧑🏻 89...gurkirankumar98700
 
DNT_Corporate presentation know about us
DNT_Corporate presentation know about usDNT_Corporate presentation know about us
DNT_Corporate presentation know about usDynamic Netsoft
 
Software Quality Assurance Interview Questions
Software Quality Assurance Interview QuestionsSoftware Quality Assurance Interview Questions
Software Quality Assurance Interview QuestionsArshad QA
 
Professional Resume Template for Software Developers
Professional Resume Template for Software DevelopersProfessional Resume Template for Software Developers
Professional Resume Template for Software DevelopersVinodh Ram
 
why an Opensea Clone Script might be your perfect match.pdf
why an Opensea Clone Script might be your perfect match.pdfwhy an Opensea Clone Script might be your perfect match.pdf
why an Opensea Clone Script might be your perfect match.pdfjoe51371421
 
The Ultimate Test Automation Guide_ Best Practices and Tips.pdf
The Ultimate Test Automation Guide_ Best Practices and Tips.pdfThe Ultimate Test Automation Guide_ Best Practices and Tips.pdf
The Ultimate Test Automation Guide_ Best Practices and Tips.pdfkalichargn70th171
 
TECUNIQUE: Success Stories: IT Service provider
TECUNIQUE: Success Stories: IT Service providerTECUNIQUE: Success Stories: IT Service provider
TECUNIQUE: Success Stories: IT Service providermohitmore19
 
Try MyIntelliAccount Cloud Accounting Software As A Service Solution Risk Fre...
Try MyIntelliAccount Cloud Accounting Software As A Service Solution Risk Fre...Try MyIntelliAccount Cloud Accounting Software As A Service Solution Risk Fre...
Try MyIntelliAccount Cloud Accounting Software As A Service Solution Risk Fre...MyIntelliSource, Inc.
 
Short Story: Unveiling the Reasoning Abilities of Large Language Models by Ke...
Short Story: Unveiling the Reasoning Abilities of Large Language Models by Ke...Short Story: Unveiling the Reasoning Abilities of Large Language Models by Ke...
Short Story: Unveiling the Reasoning Abilities of Large Language Models by Ke...kellynguyen01
 
Advancing Engineering with AI through the Next Generation of Strategic Projec...
Advancing Engineering with AI through the Next Generation of Strategic Projec...Advancing Engineering with AI through the Next Generation of Strategic Projec...
Advancing Engineering with AI through the Next Generation of Strategic Projec...OnePlan Solutions
 
Reassessing the Bedrock of Clinical Function Models: An Examination of Large ...
Reassessing the Bedrock of Clinical Function Models: An Examination of Large ...Reassessing the Bedrock of Clinical Function Models: An Examination of Large ...
Reassessing the Bedrock of Clinical Function Models: An Examination of Large ...harshavardhanraghave
 
Unveiling the Tech Salsa of LAMs with Janus in Real-Time Applications
Unveiling the Tech Salsa of LAMs with Janus in Real-Time ApplicationsUnveiling the Tech Salsa of LAMs with Janus in Real-Time Applications
Unveiling the Tech Salsa of LAMs with Janus in Real-Time ApplicationsAlberto González Trastoy
 
Adobe Marketo Engage Deep Dives: Using Webhooks to Transfer Data
Adobe Marketo Engage Deep Dives: Using Webhooks to Transfer DataAdobe Marketo Engage Deep Dives: Using Webhooks to Transfer Data
Adobe Marketo Engage Deep Dives: Using Webhooks to Transfer DataBradBedford3
 
CALL ON ➥8923113531 🔝Call Girls Kakori Lucknow best sexual service Online ☂️
CALL ON ➥8923113531 🔝Call Girls Kakori Lucknow best sexual service Online  ☂️CALL ON ➥8923113531 🔝Call Girls Kakori Lucknow best sexual service Online  ☂️
CALL ON ➥8923113531 🔝Call Girls Kakori Lucknow best sexual service Online ☂️anilsa9823
 
Building Real-Time Data Pipelines: Stream & Batch Processing workshop Slide
Building Real-Time Data Pipelines: Stream & Batch Processing workshop SlideBuilding Real-Time Data Pipelines: Stream & Batch Processing workshop Slide
Building Real-Time Data Pipelines: Stream & Batch Processing workshop SlideChristina Lin
 
Project Based Learning (A.I).pptx detail explanation
Project Based Learning (A.I).pptx detail explanationProject Based Learning (A.I).pptx detail explanation
Project Based Learning (A.I).pptx detail explanationkaushalgiri8080
 
Hand gesture recognition PROJECT PPT.pptx
Hand gesture recognition PROJECT PPT.pptxHand gesture recognition PROJECT PPT.pptx
Hand gesture recognition PROJECT PPT.pptxbodapatigopi8531
 

Recently uploaded (20)

What is Binary Language? Computer Number Systems
What is Binary Language?  Computer Number SystemsWhat is Binary Language?  Computer Number Systems
What is Binary Language? Computer Number Systems
 
Active Directory Penetration Testing, cionsystems.com.pdf
Active Directory Penetration Testing, cionsystems.com.pdfActive Directory Penetration Testing, cionsystems.com.pdf
Active Directory Penetration Testing, cionsystems.com.pdf
 
(Genuine) Escort Service Lucknow | Starting ₹,5K To @25k with A/C 🧑🏽‍❤️‍🧑🏻 89...
(Genuine) Escort Service Lucknow | Starting ₹,5K To @25k with A/C 🧑🏽‍❤️‍🧑🏻 89...(Genuine) Escort Service Lucknow | Starting ₹,5K To @25k with A/C 🧑🏽‍❤️‍🧑🏻 89...
(Genuine) Escort Service Lucknow | Starting ₹,5K To @25k with A/C 🧑🏽‍❤️‍🧑🏻 89...
 
DNT_Corporate presentation know about us
DNT_Corporate presentation know about usDNT_Corporate presentation know about us
DNT_Corporate presentation know about us
 
Software Quality Assurance Interview Questions
Software Quality Assurance Interview QuestionsSoftware Quality Assurance Interview Questions
Software Quality Assurance Interview Questions
 
Professional Resume Template for Software Developers
Professional Resume Template for Software DevelopersProfessional Resume Template for Software Developers
Professional Resume Template for Software Developers
 
why an Opensea Clone Script might be your perfect match.pdf
why an Opensea Clone Script might be your perfect match.pdfwhy an Opensea Clone Script might be your perfect match.pdf
why an Opensea Clone Script might be your perfect match.pdf
 
Vip Call Girls Noida ➡️ Delhi ➡️ 9999965857 No Advance 24HRS Live
Vip Call Girls Noida ➡️ Delhi ➡️ 9999965857 No Advance 24HRS LiveVip Call Girls Noida ➡️ Delhi ➡️ 9999965857 No Advance 24HRS Live
Vip Call Girls Noida ➡️ Delhi ➡️ 9999965857 No Advance 24HRS Live
 
The Ultimate Test Automation Guide_ Best Practices and Tips.pdf
The Ultimate Test Automation Guide_ Best Practices and Tips.pdfThe Ultimate Test Automation Guide_ Best Practices and Tips.pdf
The Ultimate Test Automation Guide_ Best Practices and Tips.pdf
 
TECUNIQUE: Success Stories: IT Service provider
TECUNIQUE: Success Stories: IT Service providerTECUNIQUE: Success Stories: IT Service provider
TECUNIQUE: Success Stories: IT Service provider
 
Try MyIntelliAccount Cloud Accounting Software As A Service Solution Risk Fre...
Try MyIntelliAccount Cloud Accounting Software As A Service Solution Risk Fre...Try MyIntelliAccount Cloud Accounting Software As A Service Solution Risk Fre...
Try MyIntelliAccount Cloud Accounting Software As A Service Solution Risk Fre...
 
Short Story: Unveiling the Reasoning Abilities of Large Language Models by Ke...
Short Story: Unveiling the Reasoning Abilities of Large Language Models by Ke...Short Story: Unveiling the Reasoning Abilities of Large Language Models by Ke...
Short Story: Unveiling the Reasoning Abilities of Large Language Models by Ke...
 
Advancing Engineering with AI through the Next Generation of Strategic Projec...
Advancing Engineering with AI through the Next Generation of Strategic Projec...Advancing Engineering with AI through the Next Generation of Strategic Projec...
Advancing Engineering with AI through the Next Generation of Strategic Projec...
 
Reassessing the Bedrock of Clinical Function Models: An Examination of Large ...
Reassessing the Bedrock of Clinical Function Models: An Examination of Large ...Reassessing the Bedrock of Clinical Function Models: An Examination of Large ...
Reassessing the Bedrock of Clinical Function Models: An Examination of Large ...
 
Unveiling the Tech Salsa of LAMs with Janus in Real-Time Applications
Unveiling the Tech Salsa of LAMs with Janus in Real-Time ApplicationsUnveiling the Tech Salsa of LAMs with Janus in Real-Time Applications
Unveiling the Tech Salsa of LAMs with Janus in Real-Time Applications
 
Adobe Marketo Engage Deep Dives: Using Webhooks to Transfer Data
Adobe Marketo Engage Deep Dives: Using Webhooks to Transfer DataAdobe Marketo Engage Deep Dives: Using Webhooks to Transfer Data
Adobe Marketo Engage Deep Dives: Using Webhooks to Transfer Data
 
CALL ON ➥8923113531 🔝Call Girls Kakori Lucknow best sexual service Online ☂️
CALL ON ➥8923113531 🔝Call Girls Kakori Lucknow best sexual service Online  ☂️CALL ON ➥8923113531 🔝Call Girls Kakori Lucknow best sexual service Online  ☂️
CALL ON ➥8923113531 🔝Call Girls Kakori Lucknow best sexual service Online ☂️
 
Building Real-Time Data Pipelines: Stream & Batch Processing workshop Slide
Building Real-Time Data Pipelines: Stream & Batch Processing workshop SlideBuilding Real-Time Data Pipelines: Stream & Batch Processing workshop Slide
Building Real-Time Data Pipelines: Stream & Batch Processing workshop Slide
 
Project Based Learning (A.I).pptx detail explanation
Project Based Learning (A.I).pptx detail explanationProject Based Learning (A.I).pptx detail explanation
Project Based Learning (A.I).pptx detail explanation
 
Hand gesture recognition PROJECT PPT.pptx
Hand gesture recognition PROJECT PPT.pptxHand gesture recognition PROJECT PPT.pptx
Hand gesture recognition PROJECT PPT.pptx
 

ExtBase workshop

  • 2. This is the plan... • Hour 1: Create a basic shop extension • Hour 2: Frontend & templating • Hour 3: Writing code and add functionality ... and now the plan meets reality!
  • 4. Your working environment • TYPO3 7.6 – use local installation if you have one – use the jweiland starter package • IDE: PHPStorm • install Extensions: "extension_builder" and "phpmyadmin" • Code for this project: https://github.com/aschmutt/t3extbase
  • 6. Extension Builder: Modelling • New Model Object = table in database • Domain Object Settings: aggregate root? Yes means: Controller will be created – use for central objects where controller makes sense – do not use for subtables like: size, color,... • Default Actions: – if checked, code will be generated – add more if you want - this can be done manually later • Properties: – fields like title, name, description – generates: SQL for table fields, TCA for TYPO3 Backend, Object properties with getter and setter
  • 7. Extension Builder: Relations • Add a field – Type: database type of relation 1:1, 1:n, n:1, n:m – Drag&Drop the dot to the other table (blue line)
  • 8. Extension Builder Do's and Don't • It looks like a UML modelling tool and/or code generator - but it's not!!! Its just some sample code, has versioning errors, etc. Always read and understand the generated code! • Good for: – getting started – first start of a extension, concept phase – Code generation for tables, sql, Object model, TCA • Bad for: – difficult relations – Anything that breaks the Object=Table pattern – overwrite/merge options are available - but I don't trust them. Make backups and use diff tools!
  • 9. Our Project: NerdShop • Create a small shop with items to make a nerd happy! • Product: our products we want to sell, like shirts and gadgets – Properties: title, description, image • Order: a list of the items in our shopping cart – Properties: orderNumber, name, address – Relation: products n:m
  • 10. Install Extension in TYPO3 • Extension Manager -> Install – creates Database Tables – every table change needs install again • create a Page and add a Plugin Content Element – choose your Frontend Plugin in Plugin Tab – Page settings -> disable cache (for development) • create a Data Folder and add some products • Template configuration: – add Extension Template on this page – Info/Modify -> Edit the whole template record -> Include Static (from extensions) This adds our Configuration files: Configuration/TypoScript/setup.txt and constants.txt – add Data Folder UID to setup (31 is my example folder UID): plugin.tx_nerdshop_shop.persistence.storagePid = 31
  • 11. Practical Part • Todo: – Load your Plugin page in Frontend and see if page shows "Listing..." of your plugin – Add some products in Frontend and see if they are in list view in backend – edit products in backend, add images and see if they appear in frontend
  • 12. MVC • Controller: Program Flow, Actions • View: Templates & Fluid • Model: Code, Repository, Database
  • 13. Basic Setup ExtBase/Fluid Model Controller Fluid Template public function getTitle() { return $this->title; } public function listAction() { $products = $this->productRepository- >findAll(); $this->view->assign('products', $products); } <f:for each="{products}" as="product"> <tr> <td> <f:link.action action="show" arguments="{product : product}"> {product.title} </f:link.action> </td> </tr> </f:for>
  • 14. Folder Structure • Main Files: – ext_emconf*: Extension Manager config – ext_icon*: Extension icon – ext_localconf: Frontend config – ext_tables.php: Backend config – ext_tables.sql: SQL Statements * required fields for a extension
  • 15. Folder Structure • Model – /Classes Folder (without Controller) • View – /Resources/Private: Templates, Partials, Layouts • Controller – Classes/Controller
  • 16. Folder Structure • Configuration – TCA: Backend Tables – TypoScript • Documentation • Resources – Language: Resources/Language – Assets: Resources/Public • Tests – PHPUnit Tests
  • 17. Practical part • Download your generated code and open it in PHPStorm (/typo3conf/ext/nerdshop) • Read generated Code, identify Controller - View - Model • Click around in Frontend, URL shows name of Controller and Action, and find where it is in the code
  • 19. Templates • Idea: separate Code from HTML, use extra template files • Fluid is a template language to handle content (like Smarty or Twig) • Controller: $title = $product->getTitle(); $this->view->assign('title',$title); • View: <h1>{title}</h1> • https://docs.typo3.org/typo3cms/ExtbaseGuide/Flui d/ViewHelper
  • 20. Templates • There is a Template hierarchy for a better structure: • Layout: – at least one empty file "Default.html" – general layout, for example a extension wrapper <div class="myextension>...</div> • Templates – one template for every action – other templates are possible, e.g. Mail templates • Partials – reusable subparts – example: Extension Builder generates "Properties.html" for show action
  • 21. Practical Part • edit this Template files: Resources/Private/Templates/Product/List.ht ml • edit some HTML and see result in Frontend
  • 22. Let's add some Fluid • show preview image: <f:image src="{product.image.originalResource.publi cUrl}" width="100"/> • parse HTML from RTE: <f:format.html>{product.description} </f:format.html> • use Bootstrap buttons for some links: <f:link.action class="btn btn-default" action="edit" arguments="{product : product}">Edit</f:link.action>
  • 23. Add TypoScript, Css, Jss • Create a nerdshop.js and nerdshop.css in Resources folder • Configuration/TypoScript/setup.txt: page { includeCSS { nerdshop = EXT:nerdshop/Resources/Public/Css/nerdshop.css } includeJS { nerdshop = EXT:nerdshop/Resources/Public/Js/nerdshop.js } } • Template: Include Static (we did this in install step already...)
  • 24. Part 3: CRUD Create - Read - Update - Delete
  • 25. Database: Repository • Lots of default functions: – findAll = SELECT * FROM table – findByName($val) = SELECT * FROM table where name like „$val – findOneByArticleNo($id) SELECT … limit 1 – Add, remove, update, replace • Query Syntax (same principle as doctrine): $query->createQuery; $query->matching(), constraints, $query->execute • SQL Statements for raw queries: $query->statement('SELECT ... HAVING ...') • https://docs.typo3.org/typo3cms/ExtbaseFluidBook/6-Persistence/3-implement- individual-database-queries.html
  • 26. Controller: new Action • new Action: addToCart Button • ProductController: add new function public function addToCartAction(Product $product) { } • ext_localconf.php: add Action-Name (function name without the string "Action") • HTML Template: add new file in View folder, 1. letter uppercase! Resource/Private/Templates/Product/AddToCart.html
  • 27. PHPDoc • PHP Doc comments were made for code documentation, helper function popups, class documentation: @param int $number number for size @return string • You can generate automated documentation from phpdoc • ExtBase uses PHPDoc Comments also for operations - so they are required now! @validate @inject • Attention: PHP Opcode like "eAccelerator" needs to be configured, in default setting the comments are removed!
  • 28. Namespaces • without namespaces, unique class names were like this: class Tx_MyExtensionName_Controller_ContactController extends Tx_Extbase_MVC_Controller_ActionController {...} • with Namespace, it is like this: namespace VendorMyExtensionNameController; class ContactController extends TYPO3CMSExtbaseMvcControllerActionController {...} • shortcut for long namespaces: use TYPO3CMSCoreUtilityGeneralUtility; GeneralUtility::underscoredToUpperCamelCase($var); • Learn more about Namespaces – in PHP: http://php.net/manual/en/language.namespaces.php – in TYPO3: https://docs.typo3.org/typo3cms/CoreApiReference/latest/ ApiOverview/Namespaces/
  • 29. Where do I find documentation? • Extension Builder: the kickstarter for Extbase • Books and links: – Developing TYPO3 Extensions with Extbase and Fluid, Sebastian Kurfürst Buch: O'Reilly Press Online: https://docs.typo3.org/typo3cms/ExtbaseFluidBook/ – TYPO3 ExtBase, Patric Lobacher Buch: Amazon Print OnDemand eBook: https://leanpub.com/typo3extbase – TYPO3 docs https://docs.typo3.org • Extension Code – News, Blog example extension – sysext of Extbase and Fluid