Two New JavaScript Features in Drupal 6. AHAH and Drag and Drop (JavaScript so you don t have to)
|
|
|
- Melvyn Chase
- 9 years ago
- Views:
Transcription
1 Two New JavaScript Features in Drupal 6 AHAH and Drag and Drop (JavaScript so you don t have to)
2 Dragon Drop +
3 Drag and Drop + An easy way of arranging content with JavaScript (jquery)
4 Drag and Drop Compatible with every major browser: Allows the sorting of elements within a table Works to eliminate the word weight from Drupal Implemented in the theme layer Easy to implement in just a few lines of code IE (6/7), Firefox 1.5+, Safari 2+, Opera 9, Konqueror
5 Drag and Drop HTML HTML is identical in JavaScript and non-javascript versions Tabledrag.js makes all changes to the page Completely degradable
6 Drag and Drop HTML
7 Kick-ass Demo Block, Menu
8 When you want to D&D 1. Create a form for organizing the elements using weight fields. 2. Theme your form into a table. 3. Put weights in an individual column. 4. Add special classes. 5. Call drupal_add_tabledrag() from your theme function.
9 Example: Filter Order Filter Module already had weight fields in a table in Drupal Add special classes. 5. Call drupal_add_tabledrag().
10 Special Classes and IDs All Drag and Drop tables must have: 1. An ID attribute on the table. 2. A draggable class on draggable rows. 3. A group class on fields in the same column In addition, tables with parents can use: 3. div.indentation to set initial indentation. 4. A tabledrag-root class on rows that cannot be indented. 5. A tabledrag-leaf class on rows that cannot have children.
11 drupal_add_tabledrag() The do-it-all PHP function. drupal_add_tabledrag( $table_id, // The ID of the table. $action, // match or order. $relationship, // parent or sibling. $group, // The weight field class. $subgroup = NULL, // Used on the blocks page. $source = NULL, // Parent group class. $hidden = TRUE, // Hide the weight column? $limit = 0 // Max parent depth. )
12 Filter D&D Patch foreach (element_children($form['names']) as $id) { // Don't take form control structures. if (is_array($form['names'][$id])) { - $rows[] = array(drupal_render($form['names'][$id]), drupal_render($form['weights'][$id])); + $form['weights'][$id]['#attributes']['class'] = 'filter-order-weight'; + $rows[] = array( + 'data' => array(drupal_render($form['names'][$id]), drupal_render($form['weights'][$id])), + 'class' => 'draggable', + ); } } - $output = theme('table', $header, $rows); + $output = theme('table', $header, $rows, array('id' => 'filter-order')); $output.= drupal_render($form); + drupal_add_tabledrag('filter-order', 'order', 'sibling', 'filter-order-weight', NULL, NULL, FALSE); + return $output; }
13 Simple Example: Filter Order
14 Tree Structures Add two tabledrag instances: Weight ordering Parent relationship
15 Tree Structures drupal_add_tabledrag( 'menu-overview', 'order', 'sibling', 'menu-weight' ); drupal_add_tabledrag( 'menu-overview', 'match', 'parent', 'menu-plid', 'menu-plid', 'menu-mlid', TRUE, // $table_id // $action // $relationship // $group // $table_id // $action // $relationship // $group // $subgroup // $source // $hidden MENU_MAX_DEPTH - 1 // $limit );
16 Where can I get it? Drupal Core Block Arrangement Menu Structure Taxonomy Terms Upload Attachments Book Outlines Profile Fields Filter Order Contrib CCK Fields Webform Fields Views(?)
17 AHAH Framework Allows dynamically updating forms without writing any custom JavaScript Can enhance existing forms with useful information from the server Implemented mostly in FormsAPI #ahah property (some theming needed for special cases)
18 Sweet, sweet demo Upload, CCK
19 Basic FormsAPI Field $form[ element ] = array( #type => textfield, #title => t( User name ), ); Forms are structured arrays Pound sign (#) means a property of that field
20 AHAH Enabled Field $form[ element ] = array( #type => textfield, #title => t( User name ), #ahah => array( path => mymodule/check_username, wrapper => valid_username, ), ); Path and wrapper are required #ahah properties.
21 AHAH Enabled Field $form[ element ] = array( #type => textfield, #title => t( User name ), #ahah => array( path => mymodule/check_username, wrapper => valid_username, ), #suffix => <div id= valid_username ></div>, );
22 AHAH Properties #ahah => array( path => mymodule/check_username, wrapper => valid_username, event => change, method => replace, progress => array( type => throbber ); ),
23 Extra AHAH options #ahah[ event ] has a reasonable default for form elements so you usually won t need to set it. #ahah[ progress ] Options array( type => throbber ) array( type => throbber, message =>... ); array( type => bar ) array( type => bar, message =>... ); array( type => bar, message =>..., path => sopme/path );
24 A Functional Example function regval_form_alter(&$form, $form_state, $form_id) { drupal_add_css(drupal_get_path('module', 'regval'). '/regval.css'); if ($form_id == 'user_register') { $form['name']['#ahah'] = array( 'path' => 'regval/name', 'wrapper' => 'regval-name-wrapper', 'progress' => 'none', 'event' => 'change', ); $form['name']['#suffix'] = '<div id="regval-name-wrapper"></div>'; } }
25 A Functional Example function regval_menu() { $items['regval/name'] = array( 'page callback' => 'regval_check_name', 'access callback' => 'regval_access_callback', 'type' => MENU_CALLBACK, ); }
26 A Functional Example function regval_check_name() { $name = $_POST['name']; if ($name!= '' &&!is_null($name)) { $exists = db_result(db_query("select uid FROM {users} WHERE name = '%s' AND uid!= %d", $name, $user->uid)); if ($exists) { $output = theme('image', 'misc/watchdog-error.png', t('error')).' '. t('username already exists.'); } else { $output = theme('image', 'misc/watchdog-ok.png', t('ok')).' '. t("username is available."); } print drupal_json(array('result' => TRUE, 'data' => $output)); } else { print ''; } }
27 Wee! demo Regval
28 Updating a Form Such as: A more button to add fields Drill-down structure Select list form changes Take into account FormsAPI security
29 Updating a Form 1. Retrieve form cache from database 2. Add additional fields to the database version of the form 3. Save the new form back to the database 4. Render the new part of the form and return it back to the original page
30 Updating a Form function poll_choice_js() { $delta = count($_post['choice']);... $form = form_get_cache($form_build_id, $form_state); $form['choice_wrapper']['choice'][$delta] = _poll_choice_form($delta); form_set_cache($form_build_id, $form, $form_state);... } drupal_json(array('status' => TRUE, 'data' => $output)); Form is updated on AHAH requests to maintain form security
31 Goals for the Future Remove path #ahah property and replace with callback Easily render small pieces of a form for AHAH form updates
32 Questions
33 D&D and AHAH Developers and Testers fajerstarter Stefan Nagtegaal scor catch nedjo eaton pwolanin chx Wim Leers webchick bdragon beginner Gábor Hojtsy Dries Many others. Thanks!
Using your Drupal Website Book 1 - Drupal Basics
Book 1 - Drupal Basics By Karl Binder, The Adhere Creative Ltd. 2010. This handbook was written by Karl Binder from The Adhere Creative Ltd as a beginners user guide to using a Drupal built website. It
Context-sensitive Help Guide
MadCap Software Context-sensitive Help Guide Flare 11 Copyright 2015 MadCap Software. All rights reserved. Information in this document is subject to change without notice. The software described in this
Global Preview v.6.0 for Microsoft Dynamics CRM On-premise 2013 and 2015
Global Preview v.6.0 for Microsoft Dynamics CRM On-premise 2013 and 2015 User Manual Akvelon, Inc. 2015, All rights reserved. 1 Contents Overview... 3 Licensing... 4 Installation... 5 Upgrading from previous
Data Management Applications with Drupal as Your Framework
Data Management Applications with Drupal as Your Framework John Romine UC Irvine, School of Engineering UCCSC, IR37, August 2013 [email protected] What is Drupal? Open-source content management system PHP,
1. To start Installation: To install the reporting tool, copy the entire contents of the zip file to a directory of your choice. Run the exe.
CourseWebs Reporting Tool Desktop Application Instructions The CourseWebs Reporting tool is a desktop application that lets a system administrator modify existing reports and create new ones. Changes to
BT CONTENT SHOWCASE. JOOMLA EXTENSION User guide Version 2.1. Copyright 2013 Bowthemes Inc. [email protected]
BT CONTENT SHOWCASE JOOMLA EXTENSION User guide Version 2.1 Copyright 2013 Bowthemes Inc. [email protected] 1 Table of Contents Introduction...2 Installing and Upgrading...4 System Requirement...4
Magic Liquidizer Documentation
Magic Liquidizer helps many web developers and website owners to instantly make their websites adaptable to mobile screens such as tablets and smartphones. Magic Liquidizer Documentation A complete solution
Drupal Module Development
Drupal Module Development Or: How I Learned to Stop Worrying and Love the Module Alastair Moore & Paul Flewelling 1 What does a module do? Core modules provides functionality Contributed modules extends
Absolute Beginner s Guide to Drupal
Absolute Beginner s Guide to Drupal 1. Introduction 2. Install 3. Create 4. Extend 5. Design 6. Practice The OSWay 1. Introduction 2. Install 3. Create 4. Extend 5. Design 6. Practice The OSWay Drupal
Spotfire v6 New Features. TIBCO Spotfire Delta Training Jumpstart
Spotfire v6 New Features TIBCO Spotfire Delta Training Jumpstart Map charts New map chart Layers control Navigation control Interaction mode control Scale Web map Creating a map chart Layers are added
Typography and Drupal. What does Drupal provide? Ashok Modi DDCLA 2011
Typography and Drupal What does Drupal provide? Ashok Modi DDCLA 2011 About the presenter Canadian (migrated after the igloo melted) Work at the California Institute of the Arts (http://calarts.edu) "Computer
Dreamweaver Tutorial - Dreamweaver Interface
Expertrating - Dreamweaver Interface 1 of 5 6/14/2012 9:21 PM ExpertRating Home ExpertRating Benefits Recommend ExpertRating Suggest More Tests Privacy Policy FAQ Login Home > Courses, Tutorials & ebooks
UNIVERSITY OF CALGARY Information Technologies WEBFORMS DRUPAL 7 WEB CONTENT MANAGEMENT
UNIVERSITY OF CALGARY Information Technologies WEBFORMS DRUPAL 7 WEB CONTENT MANAGEMENT Table of Contents Creating a Webform First Steps... 1 Form Components... 2 Component Types.......4 Conditionals...
Admin Guide Product version: 4.3.5 Product date: November, 2011. Technical Administration Guide. General
Corporate Directory View2C Admin Guide Product version: 4.3.5 Product date: November, 2011 Technical Administration Guide General This document highlights Corporate Directory software features and how
SellerDeck 2013 Reviewer's Guide
SellerDeck 2013 Reviewer's Guide Help and Support Support resources, email support and live chat: http://www.sellerdeck.co.uk/support/ 2012 SellerDeck Ltd 1 Contents Introduction... 3 Automatic Pagination...
Shipbeat Magento Module. Installation and user guide
Shipbeat Magento Module Installation and user guide Table of contents 1. Module installation 1.1 Regular installation 1.2 Multi-store installation 1.3 Installation for SUPEE-6788 and Magento CE 1.9.2.2
Drupal Performance Tuning
Drupal Performance Tuning By Jeremy Zerr Website: http://www.jeremyzerr.com @jrzerr http://www.linkedin.com/in/jrzerr Overview Basics of Web App Systems Architecture General Web
SAHARA DIGITAL8 RESPONSIVE MAGENTO THEME
SAHARA DIGITAL8 RESPONSIVE MAGENTO THEME This document is organized as follows: Chater I. Install ma_sahara_digital8 template Chapter II. Features and elements of the template Chapter III. List of extensions
BT MAGAZINE. JOOMLA 3.x TEMPLATE. Total User Guide Version 1.0. Copyright 2013 Bowthemes.com [email protected]. www.bowthemes.
1 BT MAGAZINE JOOMLA 3.x TEMPLATE Total User Guide Version 1.0 Copyright 2013 Bowthemes.com [email protected] 1 Table of Contents INTRODUCTION... 2 Template Features... 2 Compressed File Contents...
Drupal 7 Fields/CCK Beginner's Guide
P U B L I S H I N G community experience distilled Drupal 7 Fields/CCK Beginner's Guide Dave Poon Chapter No. 5 "File and Image Fields" In this package, you will find: A Biography of the author of the
ADP Workforce Now V3.0
ADP Workforce Now V3.0 Manual What s New Checks in and Custom ADP Reporting Grids V12 Instructor Handout Manual Guide V10171180230WFN3 V09171280269ADPR12 2011 2012 ADP, Inc. ADP s Trademarks The ADP Logo
v7.1 SP2 What s New Guide
v7.1 SP2 What s New Guide Copyright 2012 Sage Technologies Limited, publisher of this work. All rights reserved. No part of this documentation may be copied, photocopied, reproduced, translated, microfilmed,
BusinessObjects Enterprise InfoView User's Guide
BusinessObjects Enterprise InfoView User's Guide BusinessObjects Enterprise XI 3.1 Copyright 2009 SAP BusinessObjects. All rights reserved. SAP BusinessObjects and its logos, BusinessObjects, Crystal Reports,
Rochester Institute of Technology. Finance and Administration. Drupal 7 Training Documentation
Rochester Institute of Technology Finance and Administration Drupal 7 Training Documentation Written by: Enterprise Web Applications Team CONTENTS Workflow... 4 Example of how the workflow works... 4 Login
DIPLOMA IN WEBDEVELOPMENT
DIPLOMA IN WEBDEVELOPMENT Prerequisite skills Basic programming knowledge on C Language or Core Java is must. # Module 1 Basics and introduction to HTML Basic HTML training. Different HTML elements, tags
MASTER DRUPAL 7 MODULE DEVELOPMENT
MASTER DRUPAL 7 MODULE DEVELOPMENT by blair wadman sample available for purchase at http://befused.com/master-drupal/ LESSON 1 INTRODUCTION In this section, you will be introduced to the core Drupal concepts
DocuSign Signing Resource File Information
DocuSign Information Guide DocuSign Signing Resource File Information Overview This guide provides information about the settings, text of messages, dialog boxes and error messages contained in the Account
QuickCRM Mobile. Mobile Access to SugarCRM. User Manual. Version: 2.6
QuickCRM Mobile Mobile Access to SugarCRM User Manual Version: 2.6 NS-Team S.A.R.L. au capital de 90 000 euros R.C.S. Toulouse 449 396 704 55 chemin de Mervilla 31320 Auzeville - FRANCE SIRET 449 396 704
Monthly Payroll to Finance Reconciliation Report: Access and Instructions
Monthly Payroll to Finance Reconciliation Report: Access and Instructions VCU Reporting Center... 2 Log in... 2 Open Folder... 3 Other Useful Information: Copying Sheets... 5 Creating Subtotals... 5 Outlining
Vector HelpDesk - Administrator s Guide
Vector HelpDesk - Administrator s Guide Vector HelpDesk - Administrator s Guide Configuring and Maintaining Vector HelpDesk version 5.6 Vector HelpDesk - Administrator s Guide Copyright Vector Networks
This manual cannot be redistributed without permission from joomla-monster.com
This manual cannot be redistributed without permission from joomla-monster.com Visit the official website joomla-monster.com of this Joomla template and other thematic and high quality templates. Copyright
LEARNING DRUPAL. Instructor : Joshua Owusu-Ansah Company : e4solutions Com. Ltd.
LEARNING DRUPAL Instructor : Joshua Owusu-Ansah Company : e4solutions Com. Ltd. Background The Drupal project was started in 2000 by a student in Belgium named Dries Buytaert. The code was originally designed
CiviCRM for Drupal Developers
+ CiviCRM for Drupal Developers Coleman Watts CiviCRM user since 2010 Found Civi through Drupal Implemented Civi for Woolman School Author of Webform Integration, and a few other CiviCRM modules and APIs
Magento Theme EM0006 for Computer store
Magento Theme EM0006 for Computer store Table of contends Table of contends Introduction Features General Features Flexible layouts Main Menu Standard Blocks Category Menu and Category Layered Menu. HTML
Google Sites: Creating, editing, and sharing a site
Google Sites: Creating, editing, and sharing a site Google Sites is an application that makes building a website for your organization as easy as editing a document. With Google Sites, teams can quickly
DROPFILES SUPPORT. Main advantages:
DROPFILES SUPPORT Dropfiles is a Joomla extension used to manages all your files and categorize them in a smart way. The main component is completed by a theme pack. For more commercial information please
A database is a collection of data organised in a manner that allows access, retrieval, and use of that data.
Microsoft Access A database is a collection of data organised in a manner that allows access, retrieval, and use of that data. A Database Management System (DBMS) allows users to create a database; add,
MicroStrategy Quick Guide: Creating Prompts ITU Data Mart Support Group, Reporting Services
MicroStrategy Quick Guide: Creating Prompts ITU Data Mart Support Group, Reporting Services Prompts Prompts are questions the report user must answer in order to run the report. Some prompts are required
How To Write A
Drupal 7 Development by Example Beginner's Guide Kurt Madel Chapter No. 3 "HTML5 Integration for Drupal 7 and More Module Development" In this package, you will find: A Biography of the author of the book
Page Editor Recommended Practices for Developers
Page Editor Recommended Practices for Developers Rev: 7 July 2014 Sitecore CMS 7 and later Page Editor Recommended Practices for Developers A Guide to Building for the Page Editor and Improving the Editor
Certified PHP/MySQL Web Developer Course
Course Duration : 3 Months (120 Hours) Day 1 Introduction to PHP 1.PHP web architecture 2.PHP wamp server installation 3.First PHP program 4.HTML with php 5.Comments and PHP manual usage Day 2 Variables,
Developers Guide version 1.1
Developers Guide version 1.1 Introduction QuickCRM app can be customized to adapt display or behavior to your specific context beyond customizations you can make from your CRM admin pages. This guide will
USING MYWEBSQL FIGURE 1: FIRST AUTHENTICATION LAYER (ENTER YOUR REGULAR SIMMONS USERNAME AND PASSWORD)
USING MYWEBSQL MyWebSQL is a database web administration tool that will be used during LIS 458 & CS 333. This document will provide the basic steps for you to become familiar with the application. 1. To
Trial version of GADD Dashboards Builder
Trial version of GADD Dashboards Builder Published 2014-02 gaddsoftware.com Table of content 1. Introduction... 3 2. Getting started... 3 2.1. Start the GADD Dashboard Builder... 3 2.2. Example 1... 3
BT BACKGROUND SLIDESHOW JOOMLA EXTENSION User guide Version 2.0
BT BACKGROUND SLIDESHOW JOOMLA EXTENSION User guide Version 2.0 Copyright 2012 Bowthemes Inc. [email protected] 1 Table of Contents Introduction...2 Related Topics...2 Product Features...2 Installing
Content Management Software Drupal : Open Source Software to create library website
Content Management Software Drupal : Open Source Software to create library website S.Satish, Asst Library & Information Officer National Institute of Epidemiology (ICMR) R-127, Third Avenue, Tamil Nadu
Webforms on a Drupal 7 Website 3/20/15
Jody Croley Jones Webforms on a Drupal 7 Website 3/20/15 A form is a document used to gather specific information from a person. A webform is simply a web page, built to allow the web-reader to enter data
Develop a Native App (ios and Android) for a Drupal Website without Learning Objective-C or Java. Drupaldelphia 2014 By Joe Roberts
Develop a Native App (ios and Android) for a Drupal Website without Learning Objective-C or Java Drupaldelphia 2014 By Joe Roberts Agenda What is DrupalGap and PhoneGap? How to setup your Drupal website
FWG Management System Manual
FWG Management System Manual Last Updated: December 2014 Written by: Donna Clark, EAIT/ITIG Table of Contents Introduction... 3 MSM Menu & Displays... 3 By Title Display... 3 Recent Updates Display...
Business Objects Reports Influenza Vaccinations User Guide
Business Objects Reports Influenza Vaccinations User Guide IT@JH Enterprise Applications Updated: August 2, 2013 Page 1 of 19 Table of Contents Report Viewer:... 4 Business Objects Reporting Website...4
TRIM: Web Tool. Web Address The TRIM web tool can be accessed at:
TRIM: Web Tool Accessing TRIM Records through the Web The TRIM web tool is primarily aimed at providing access to records in the TRIM system. While it is possible to place records into TRIM or amend records
CREATING AND EDITING CONTENT AND BLOG POSTS WITH THE DRUPAL CKEDITOR
Drupal Website CKeditor Tutorials - Adding Blog Posts, Images & Web Pages with the CKeditor module The Drupal CKEditor Interface CREATING AND EDITING CONTENT AND BLOG POSTS WITH THE DRUPAL CKEDITOR "FINDING
GETTING STARTED WITH DRUPAL. by Stephen Cross
GETTING STARTED WITH DRUPAL by Stephen Cross STEPHEN CROSS @stephencross [email protected] ParallaxInfoTech.com www.talkingdrupal.com ASSUMPTIONS You may or may not have development experience You
Bitrix Site Manager 4.1. User Guide
Bitrix Site Manager 4.1 User Guide 2 Contents REGISTRATION AND AUTHORISATION...3 SITE SECTIONS...5 Creating a section...6 Changing the section properties...8 SITE PAGES...9 Creating a page...10 Editing
CLASSROOM WEB DESIGNING COURSE
About Web Trainings Academy CLASSROOM WEB DESIGNING COURSE Web Trainings Academy is the Top institutes in Hyderabad for Web Technologies established in 2007 and managed by ITinfo Group (Our Registered
Wildix Web API. Quick Guide
Wildix Web API Quick Guide Version: 11.12.2013 Wildix Web API integrates with CRM, ERP software, Fias/Fidelio solutions and Web applications. Javascript Telephony API allows you to control the devices
Building Responsive Websites with the Bootstrap 3 Framework
Building Responsive Websites with the Bootstrap 3 Framework Michael Slater and Charity Grace Kirk [email protected] 888.670.6793 1 Today s Presenters Michael Slater President and Cofounder of Webvanta
Web Development using PHP (WD_PHP) Duration 1.5 months
Duration 1.5 months Our program is a practical knowledge oriented program aimed at learning the techniques of web development using PHP, HTML, CSS & JavaScript. It has some unique features which are as
UW- Madison Department of Chemistry Intro to Drupal for Chemistry Site Editors
UW- Madison Department of Chemistry Intro to Drupal for Chemistry Site Editors Who to Contact for Help Contact Libby Dowdall ([email protected] / 608.265.9814) for additional training or with questions
Oracle Business Intelligence (OBI) User s Guide October 2011
Page 1 of 9 Oracle Business Intelligence (OBI) User s Guide October 2011 OBI is a web-based reporting tool that enables PeopleSoft users to analyze and report on information stored in the PeopleSoft Finance
Introduction to Drupal
Introduction to Drupal Login 2 Create a Page 2 Title 2 Body 2 Editor 2 Menu Settings 5 Attached Images 5 Authoring Information 6 Revision Information 6 Publishing Options 6 File Attachments 6 URL Path
MAGENTO THEME SHOE STORE
MAGENTO THEME SHOE STORE Developer: BSEtec Email: [email protected] Website: www.bsetec.com Facebook Profile: License: GPLv3 or later License URL: http://www.gnu.org/licenses/gpl-3.0-standalone.html 1
Site Audit (https://drupal.org/project /site_audit) Generated on Fri, 22 Aug 2014 15:14:09-0700
Drupal appears to be installed. [localhost] local: chown -R 1a9aa21dc76143b99a62c9a3c7964d3f /srv/bindings /1a9aa21dc76143b99a62c9a3c7964d3f/.drush/* [localhost] local: time -p su --shell=/bin/bash --command="export
Introduction to Module Development
Introduction to Module Development Ezra Barnett Gildesgame Growing Venture Solutions @ezrabg on Twitter ezra-g on Drupal.org DrupalCon Chicago 2011 What is a module? Apollo Lunar Service and Excursion
Advanced Web Development SCOPE OF WEB DEVELOPMENT INDUSTRY
Advanced Web Development Duration: 6 Months SCOPE OF WEB DEVELOPMENT INDUSTRY Web development jobs have taken thе hot seat when it comes to career opportunities and positions as a Web developer, as every
HOW TO CREATE AN HTML5 JEOPARDY- STYLE GAME IN CAPTIVATE
HOW TO CREATE AN HTML5 JEOPARDY- STYLE GAME IN CAPTIVATE This document describes the steps required to create an HTML5 Jeopardy- style game using an Adobe Captivate 7 template. The document is split into
Drupal 8 The site builder's release
Drupal 8 The site builder's release Antje Lorch @ifrik DrupalCamp Vienna 2015 #dcvie drupal.org/u/ifrik about me Sitebuilder Building websites for small NGOs and grassroots organisations Documentation
Web Development 1 A4 Project Description Web Architecture
Web Development 1 Introduction to A4, Architecture, Core Technologies A4 Project Description 2 Web Architecture 3 Web Service Web Service Web Service Browser Javascript Database Javascript Other Stuff:
Table of Contents. Welcome... 2. Login... 3. Password Assistance... 4. Self Registration... 5. Secure Mail... 7. Compose... 8. Drafts...
Table of Contents Welcome... 2 Login... 3 Password Assistance... 4 Self Registration... 5 Secure Mail... 7 Compose... 8 Drafts... 10 Outbox... 11 Sent Items... 12 View Package Details... 12 File Manager...
Magento module Documentation
Table of contents 1 General... 4 1.1 Languages... 4 2 Installation... 4 2.1 Search module... 4 2.2 Installation in Magento... 6 2.3 Installation as a local package... 7 2.4 Uninstalling the module... 8
CMSC434 TUTORIAL #3 HTML CSS JavaScript Jquery Ajax + Google AppEngine Mobile WebApp HTML5
CMSC434 TUTORIAL #3 HTML CSS JavaScript Jquery Ajax + Google AppEngine Mobile WebApp HTML5 JQuery Recap JQuery source code is an external JavaScript file
WordPress websites themes and configuration user s guide v. 1.6
WordPress websites themes and configuration user s guide v. 1.6 Congratulations on your new website! Northeastern has developed two WordPress themes that are flexible, customizable, and designed to work
BT MEDIA JOOMLA COMPONENT
BT MEDIA JOOMLA COMPONENT User guide Version 1.0 Copyright 2013Bowthemes Inc. [email protected] 1 Table of Contents Introduction...3 Related Topics:...3 Product Features...3 Installing and Upgrading...4
Avaya Network Configuration Manager User Guide
Avaya Network Configuration Manager User Guide May 2004 Avaya Network Configuration Manager User Guide Copyright Avaya Inc. 2004 ALL RIGHTS RESERVED The products, specifications, and other technical information
BUILDING MULTILINGUAL WEBSITES WITH DRUPAL 7
BUILDING MULTILINGUAL WEBSITES WITH DRUPAL 7 About us! Getting to know you... What are your multilingual needs? What you need Check A fresh Drupal 7 instance installed locally Download of module files
Bazaarvoice for Magento Extension Implementation Guide v6.3.4
Bazaarvoice Bazaarvoice for Magento Extension Implementation Guide v6.3.4 Version 6.3.4 Bazaarvoice Inc. 03/25/2016 Introduction Bazaarvoice maintains a pre-built integration into the Magento platform.
Configuring the JEvents Component
Configuring the JEvents Component The JEvents Control Panel's Configuration button takes you to the JEvents Global Configuration page. Here, you may set a very wide array of values that control the way
CRM Add-On (For WPL) Realtyna Inc.
1 CRM Add-On (For WPL) Realtyna Inc. Contents of this manual are applicable to the WPL CRM Add-On. Details of this manual may be different based on the customizations or software you have. Contents Introduction...
Bubble Code Review for Magento
User Guide Author: Version: Website: Support: Johann Reinke 1.1 https://www.bubbleshop.net [email protected] Table of Contents 1 Introducing Bubble Code Review... 3 1.1 Features... 3 1.2 Compatibility...
Sage Accpac ERP 5.6A. CRM Analytics for SageCRM I User Guide
Sage Accpac ERP 5.6A CRM Analytics for SageCRM I User Guide 2009 Sage Software, Inc. All rights reserved. Sage, the Sage logos, and all SageCRM product and service names mentioned herein are registered
Content Management Systems: Drupal Vs Jahia
Content Management Systems: Drupal Vs Jahia Mrudula Talloju Department of Computing and Information Sciences Kansas State University Manhattan, KS 66502. [email protected] Abstract Content Management Systems
Installing and Using Joomla Template Created with Artisteer
1 von 6 10.08.2012 15:21 Home Overview Demo Screenshots Samples Download Purchase Forums News Docs & FAQ Articles Testimonials Support Contact Us Affiliates Documentation > Joomla Installing and Using
Example for Using the PrestaShop Web Service : CRUD
Example for Using the PrestaShop Web Service : CRUD This tutorial shows you how to use the PrestaShop web service with PHP library by creating a "CRUD". Prerequisites: - PrestaShop 1.4 installed on a server
Designing and Implementing Forms 34
C H A P T E R 34 Designing and Implementing Forms 34 You can add forms to your site to collect information from site visitors; for example, to survey potential customers, conduct credit-card transactions,
MICROSOFT ACCESS STEP BY STEP GUIDE
IGCSE ICT SECTION 11 DATA MANIPULATION MICROSOFT ACCESS STEP BY STEP GUIDE Mark Nicholls ICT Lounge P a g e 1 Contents Task 35 details Page 3 Opening a new Database. Page 4 Importing.csv file into the
QUICK START FOR COURSES: USING BASIC COURSE SITE FEATURES
collab.virginia.edu UVACOLLAB QUICK START FOR COURSES: USING BASIC COURSE SITE FEATURES UVaCollab Quick Start Series [email protected] Revised 5/20/2015 Quick Start for Courses Overview... 4
Drupal 8 rocks! (but our CSS & HTML sucks.) Drupal 8 ( CSS HTML )
Drupal 8 rocks! (but our CSS & HTML sucks.) Drupal 8! ( CSS HTML ) John Albin Wilkins Drupal 8 Mobile Initiative Lead Front-end Dev at Palantir.net 1993 The Drupal 8 Mobile Initiative Mobile And Responsive
MHC Drupal User Manual: Webforms
MHC Drupal User Manual: Webforms These instructions are not inclusive of all webform features that may be available. If you need assistance in creating webforms, or if you want to provide options on your
Oracle Sales Offline. 1 Introduction. User Guide
Oracle Sales Offline User Guide Release 11i (11.5.9) June 2003 Part No. B10632-01 This document describes functionality to be delivered in the Oracle E-Business Suite 11.5.9 release. If you are implementing
Sophos Mobile Control Startup guide. Product version: 3
Sophos Mobile Control Startup guide Product version: 3 Document date: January 2013 Contents 1 About this guide...3 2 What are the key steps?...5 3 Log in as a super administrator...6 4 Activate Sophos
Chapter 5 Configuring the Remote Access Web Portal
Chapter 5 Configuring the Remote Access Web Portal This chapter explains how to create multiple Web portals for different users and how to customize the appearance of a portal. It describes: Portal Layouts
