Thursday, February 27, 2025

How to Use Adobe AEM SCSS in UI.Frontend: A Simple Guide


 When to Use UI.Frontend in AEM

Imagine you’re building a custom theme for an AEM site. Here’s how UI. Frontend helps:

Organized Code: Use the styles folder to manage SCSS files for your theme, like _variables.scss for colors and fonts.

Efficient Builds: The dist folder ensures your compiled CSS and JS are ready for deployment.

Dynamic Assets: Store static images in resources and dynamic ones in DAM.

Scalability: As your project grows, you can add more folders and files without clutter.


Benefits

Fast Loading: Compiled SCSS and JS in the dist folder to ensure optimized, minified code for faster page loads.

Organized Assets: Proper folder structure helps search engines crawl your site efficiently.

Reusable Components: Component-specific SCSS and JS make it easier to maintain and update your site.








Folder Structure in UI.Frontend

The folder structure is key to organizing your SCSS, JS, and other assets. Here’s a breakdown of how it works:

complete folder structure

1. UI.Frontend

This is the main folder created by default when you set up an AEM project. It’s where all your front-end code lives.

2. Dist Folder

The dist folder is important. When you build your project (using commands like npm run prod), your CSS and JS files are compiled and placed here. From dist, these files move to ui.apps/clientlibs/(your clientlibs name) and then get exported to the AEM server.

Pro Tip: If you delete the dist folder, don’t worry! Just run the build command again, and it will recreate the folder with all your compiled SCSS and JS files.

3. ProjectName Folder

Inside the src folder, you can create a separate folder (like projectName) to keep all your SCSS, JS, and assets organized. Alternatively, you can use the default components and resources folders. In the screenshot, I’ve created a separate folder for better organization.

4. JS Folder

The js folder is where you store all your JavaScript files. If you’re using packages like Bootstrap, you can either:

  • Install them via npm and reference them in package.json.
  • Download the files manually and place them in js/global/. Both approaches have their benefits:
  • npm approach: Easier to manage and update packages.
  • Manual download: More control over specific versions and no dependency on npm.
manage files in js


5. Resources Folder

Use the resources folder for static assets like images that won’t change often. For dynamic assets (images that might change), use the AEM DAM (Digital Asset Management) folder.
Example:

  • From resources: background: url("../resources/images/dotted-pattern.svg");
  • From DAM: background-image: url(/content/dam/your-folder/img/common/Plus.svg);

6. Styles Folder

The styles folder is where your SCSS files live. You can organize it further:

  • styles/base: For global files like _variables.scss or package files like _bootstrap.min.scss.
  • styles/components: For component-specific SCSS files.

You can create more folders inside styles as needed. (Points 6, 7, and 8 from the Main SS are addressed here.)

manage file in style

7. main.js + main.scss

These are the entry points for your project:

  • In main.scss, import all your SCSS files. Start with package files (if using downloaded packages) and then your custom SCSS files.
  • In main.js, import main.scss at the top, followed by all your JS files.

Examples

in main.scss import syntax

in main.jsimport syntax



Important Configuration Files

  1. clintlib.config.js 

This file is a configuration file for AEM Client Libraries (ClientLibs), using aem-clientlib-generator to manage JavaScript, CSS, and other assets for Adobe Experience Manager (AEM). Let’s go through it step by step:


// path: A Node.js module used to handle and manipulate file paths.
// { dependencies } = require("webpack"): Extracts dependencies from Webpack, but this isn't actually used later in the file.
const path = require("path");
const { dependencies } = require("webpack");


// BUILD_DIR: The output directory where Webpack compiles assets (dist as we discssued above it contain our all complied css+js).
// CLIENTLIB_DIR: The directory inside the AEM project where the ClientLibs are stored (/apps/projectname/clientlibs .
const BUILD_DIR = path.join(__dirname, "dist");
const CLIENTLIB_DIR = path.join(
__dirname,
"..",
"ui.apps",
"src",
"main",
"content",
"jcr_root",
"apps",
"projectName",
"clientlibs"
);


// 1. allowProxy: true: Allows accessing the client libraries via /etc.clientlibs/ instead of /apps/eti/clientlibs/.
// 2. serializationFormat: "xml": Defines the format for ClientLibs in AEM (used in .content.xml files).
// 3. cssProcessor: ["default:none", "min:none"]: Disables CSS minification.
// 4. jsProcessor: ["default:none", "min:none"]: Disables JavaScript minification.

const libsBaseConfig = {
allowProxy: true,
serializationFormat: "xml",
cssProcessor: ["default:none", "min:none"],
jsProcessor: ["default:none", "min:none"],
};

// context: BUILD_DIR: Sets the build directory as the working context.
// clientLibRoot: CLIENTLIB_DIR: Specifies the target directory inside AEM where the client libraries
module.exports = {
context: BUILD_DIR,
clientLibRoot: CLIENTLIB_DIR,

// libs: An array containing multiple ClientLibs definitions.
libs: [

// This defines a ClientLib named clientlib-dependencies:
// categories: ["eti.dependencies"]: Used to include this ClientLib in AEM components.
// cwd: "clientlib-dependencies": Looks for assets inside the clientlib-dependencies folder.
// files: ["**/*.js"], ["**/*.css"]: Copies all JavaScript and CSS files.
{
...libsBaseConfig,
name: "clientlib-dependencies",
categories: ["projectName.dependencies"],
assets: {
// Copy entrypoint scripts and stylesheets into the respective ClientLib
// directories
js: {
cwd: "clientlib-dependencies",
files: ["**/*.js"],
flatten: false,
},
css: {
cwd: "clientlib-dependencies",
files: ["**/*.css"],
flatten: false,
},
},
},

// Defines a ClientLib named clientlib-site:
// categories: ["eti.site"]: Used to load this ClientLib in AEM components.
// dependencies: ["eti.dependencies"]: Ensures that clientlib-dependencies is loaded first.
// Also includes non-JS/CSS files in resources, ignoring JS and CSS
{
...libsBaseConfig,
name: "clientlib-site",
categories: ["projectName.site"],
dependencies: ["projectName.dependencies"],
assets: {
// Copy entrypoint scripts and stylesheets into the respective ClientLib
// directories
js: {
cwd: "clientlib-site",
files: ["**/*.js"],
flatten: false,
},
css: {
cwd: "clientlib-site",
files: ["**/*.css"],
flatten: false,
},

// Copy all other files into the `resources` ClientLib directory
resources: {
cwd: "clientlib-site",
files: ["**/*.*"],
flatten: false,
ignore: ["**/*.js", "**/*.css"],
},
},
},


// Defines ClientLib clientlib-projectName:
// categories: ["projectName-site"]: Used in AEM components.
// dependencies: ["projectName.dependencies"]: Ensures dependent scripts load first.
// Similar to clientlib-site, it includes JS, CSS, and other assets.
{
...libsBaseConfig,
name: "clientlib-projectName",
categories: ["projectName-site"],
dependencies: ["projectName.dependencies"],
assets: {
// Copy entrypoint scripts and stylesheets into the respective ClientLib
// directories
js: {
cwd: "clientlib-projectName",
files: ["**/*.js"],
flatten: false,
},
css: {
cwd: "clientlib-projectName",
files: ["**/*.css"],
flatten: false,
},

// Copy all other files into the `resources` ClientLib directory
resources: {
cwd: "clientlib-projectName",
files: ["**/*.*"],
flatten: false,
ignore: ["**/*.js", "**/*.css"],
},
},
},
],
};




2. webpack.common.js

webpack.common.js is used to store shared configurations like entry points, output, and loaders.

"use strict";

// node.j plugin
const path = require("path");
const MiniCssExtractPlugin = require("mini-css-extract-plugin");
const TSConfigPathsPlugin = require("tsconfig-paths-webpack-plugin");
const CopyWebpackPlugin = require("copy-webpack-plugin");
const { CleanWebpackPlugin } = require("clean-webpack-plugin");
const ESLintPlugin = require("eslint-webpack-plugin");

const SOURCE_ROOT = __dirname + "/src/main/webpack";

const resolve = {
extensions: [".js", ".ts"],
plugins: [
new TSConfigPathsPlugin({
configFile: "./tsconfig.json",
}),
],
};

module.exports = {
resolve: resolve,
// Defines the main entry file for your Project
entry: {
yourproject: SOURCE_ROOT + "/yourproject/main.js",
},

// Controls output structure (clientlib-yourproject/ vs clientlib-dependencies/)
// [name] dynamically gets replaced with the actual chunk name, so for the yourproject entry, Webpack generates:
// it will create file with this name inside dist like dist/clientlib-yourproject/yourproject.js
output: {
filename: (chunkData) => {
return chunkData.chunk.name === "dependencies"
? "clientlib-dependencies/[name].js"
: "clientlib-yourproject/[name].js";
},
path: path.resolve(__dirname, "dist"), // here we are point to dist folder as we discussed above
},
module: {
rules: [
{
test: /\.tsx?$/,
exclude: /node_modules/,
use: [
{
loader: "ts-loader",
},
{
loader: "glob-import-loader",
options: {
resolve: resolve,
},
},
],
},
{
test: /\.scss$/,
use: [
MiniCssExtractPlugin.loader,
{
loader: "css-loader",
options: {
url: false,
},
},
{
loader: "postcss-loader",
options: {
plugins() {
return [require("autoprefixer")];
},
},
},
{
loader: "sass-loader",
},
{
loader: "glob-import-loader",
options: {
resolve: resolve,
},
},
],
},
],
},
resolve: {
alias: {
swiper: path.resolve(__dirname, "node_modules", "swiper"),
},
},
plugins: [
/* will clean old files from the dist folder before generating new ones.
The CleanWebpackPlugin automatically deletes files from the dist folder_
because Webpack's output.path defines where the build files go */
new CleanWebpackPlugin(),

// Checks code quality
new ESLintPlugin({
extensions: ["js", "ts", "tsx"],
}),

//MiniCssExtractPlugin extracts CSS into a separate file inside
//dist/clientlib-emoney/ so that AEM can use it as a client library.
new MiniCssExtractPlugin({
filename: "clientlib-yourproject/[name].css",
}),

/*This plugin copies static files (like images, fonts, etc.) from the
source folder (emoney/resources) to dist/clientlib-emoney/ so
they can be used in the final build.*/
new CopyWebpackPlugin({
patterns: [
{
from: path.resolve(__dirname, SOURCE_ROOT + "/yourproject/resources"),
to: "./clientlib-yourproject/",
},
],
}),
],
stats: {
assetsSort: "chunks",
builtAt: true,
children: false,
chunkGroups: true,
chunkOrigins: true,
colors: false,
errors: true,
errorDetails: true,
env: true,
modules: false,
performance: true,
providedExports: false,
source: false,
warnings: true,
},
};


Conclusion

In conclusion, using UI.Frontend in AEM helps organize and manage front-end code efficiently. It ensures fast loading through optimized, minified CSS and JS files, and maintains a clear folder structure for scalability. Proper configuration files like `clintlib.config.js` and `webpack.common.js` further streamline the build process, making it easier to maintain and update the site.


Sunday, December 29, 2024

A Step-by-Step Guide to Adding Clientlibs to AEM Components and Working with SCSS | Adobe AEM

 Adobe Experience Manager (AEM) offers robust tools for developers to create highly customizable components. In this guide, we’ll show you how to add client libraries (clientlibs) to specific components in AEM and seamlessly integrate SCSS for styling. Let’s break it down step by step.



A Step-by-Step Guide to Adding
 Clientlibs to AEM Components and Working with SCSS

Structure of Component



How to Create a Component in AEM

Creating a component is the first step in building customized functionality in AEM. Here’s how you do it:

  1. Navigate to the desired folder where you want to create the component.
  2. Click on "Create" and select "Create Component from Dialog" from the dropdown menu.
  3. Fill in the details, such as:




  4. Click Next, and your component will be created.
  5. Rename the generated .jsp file to .html to use the HTL format for modern templating.




  6. Add a cq:dialog node for configuration:
    Click Create > Create Node, or
    Copy and paste the cq:dialog from an existing core component.
  7. Drag and drop your new component onto the page, and its contents will render.




How to Add Clientlibs to Specific Components in AEM

Client libraries are essential for adding styles and scripts to your AEM components. Follow these steps to create and link clientlibs:

1. Create the Clientlibs Folder

  1. Navigate to the component node in CRXDE Lite.
  2. Click on "Create" and select "Create Node".
  3. Name the node (e.g., clientlibs) and set its type to cq:ClientLibraryFolder.




2. Add Folders for CSS and JavaScript

  1. Inside the clientlibs folder:
    Create a folder named css and place all your CSS files inside.
    Create a folder named js and place all your JavaScript files inside.
  2. Add two files:
    css.txt: Import your CSS files (e.g., style.css).
    js.txt: Import your JS files (e.g., script.js).



3. Configure the Clientlibs Properties

  1. Select the clientlibs folder and add the following properties:
    categories: Assign a unique category name (e.g., mycomponent.styles).
    allowProxy: Set this to true for accessibility.

4. Include Clientlibs in Your HTML File

To link the clientlibs in your component, add the following code to your .html file:



code:

<sly data-sly-use.clientlib="/libs/granite/sightly/templates/clientlib.html">
    <sly data-sly-call="${clientlib.css @ categories='testScssClientlibs' }" />
</sly>
<h1 class="myClass">Test Scss Component is working</h1>
<sly data-sly-use.clientlib="/libs/granite/sightly/templates/clientlib.html">
   
    <sly data-sly-call="${clientlib.js @ categories='testScssClientlibs'}" />

</sly>

5. Verify Your Work

Reload your AEM page, and you should see your CSS and JS files successfully applied to the component.


How to Load Static Resources in a Component


To load static resources like images in AEM components, follow these steps:

  1. Create a folder named resources within your clientlibs directory.
  2. Place your images inside the resources folder.
  3. Use the path "/apps/emoney/components/site-components/TestScssCompo/test-scss-compo/clientlibs/resources/images/img1.png" to reference the image.
  4. This path can be used in both HTML and CSS files to load the image.





How to Use SCSS with AEM Components

For advanced styling, SCSS provides a cleaner and more maintainable approach compared to plain CSS. Here’s how to integrate SCSS into your AEM components.

1. Set Up Your Environment

  1. Install the VS Code AEM Sync extension for easy code management.

  2. Import your component from the AEM server:
    - Right-click the parent folder in VS Code.
    - Select "Import from Server".

  3. Install Sass globally using the following command:

    bash : npm install -g sass

2. Create and Compile SCSS

  1. Navigate to the css folder of your component.

  2. Create a new file named style.scss.

  3. Write your SCSS code and compile it to CSS with the following command:


    command : sass style.scss style.css
  4. The SCSS code will be converted to a style.css file, which is already linked to the component via clientlibs.

3. Export to AEM

After making changes, export the component back to AEM:

  1. Right-click your component in VS Code and select "Export to Server".
  2. Refresh the AEM page to see the updated styles.



Common Issues and Troubleshooting

Why Are My Clientlibs Not Loading?

  • Ensure that the allowProxy property is set to true.
  • Check that the categories name matches in both the clientlibs folder and your .html file.

How Can I Debug SCSS?

  • Use browser developer tools to inspect styles and ensure your compiled CSS is properly linked in css.txt.


Conclusion

This comprehensive guide covers everything you need to know about adding clientlibs to specific AEM components and integrating SCSS. By following these steps, you can build scalable, modular, and visually appealing components with ease.

If you found this guide helpful, don’t forget to share it with your peers. For more AEM tutorials and tips, bookmark this blog and stay updated!

Tuesday, December 24, 2024

Comparing AEM as Cloud Service and AEM 6.5 | AEM 6.5 vs. AEM as a Cloud Service

 AEM 6.5 vs. AEM as a Cloud Service: What You Need to Know

When it comes to enterprise content management, Adobe Experience Manager (AEM) is a leading solution. However, businesses often face a crucial decision: Should they choose AEM 6.5 or AEM as a Cloud Service? This guide provides a clear comparison to help you make an informed choice, focusing on features, benefits, and use cases for both.





What is AEM 6.5?

AEM 6.5 is the traditional on-premises version of Adobe Experience Manager. It allows businesses to deploy and manage their content management system (CMS) in a private or hybrid cloud environment.

Key Features:

  • Full control over infrastructure and deployment.
  • Customizable architecture tailored to specific business needs.
  • Extensive support for integrations with legacy systems.

Ideal For: Organizations that need strict standards or prefer on-premises infrastructure for more control.


What is AEM as a Cloud Service?

AEM as a Cloud Service is Adobe’s fully managed, cloud-native CMS. It offers continuous updates and scalability without the need for manual upgrades or maintenance.

Key Features:

  • Fully managed by Adobe with automatic updates.
  • Built-in scalability and high availability.
  • Faster time-to-market with modern cloud infrastructure.

Ideal For: Businesses looking for a scalable, low-maintenance CMS with access to the latest features.


Key Differences Between AEM 6.5 and AEM as a Cloud Service



Benefits of AEM 6.5

  1. Complete Control: You have full control over infrastructure and security.
  2. Custom Integrations: Ideal for businesses with unique integration needs.
  3. Requirement-ready: Meets strict data privacy and regulatory requirements.

Challenges:

  • Requires significant IT resources for management.
  • Manual upgrades can be time-consuming and costly.


Benefits of AEM as a Cloud Service

  1. Continuous Innovation: Always up-to-date with Adobe’s latest features and improvements.
  2. Scalability: Automatically adjusts to handle spikes in traffic.
  3. Lower Maintenance: No need for manual upgrades or server management.

Challenges:

  • Limited flexibility for highly customized use cases.
  • Relies on Adobe’s infrastructure, which may not meet specific compliance requirements.



When to Choose AEM 6.5

  • Your business requires full control over infrastructure and data.
  • You need deep customization for complex workflows.
  • Meeting strict rules is a top priority.

When to Choose AEM as a Cloud Service

  • Your focus is on scalability and faster time-to-market.
  • You want a low-maintenance CMS with continuous updates.
  • Your team prefers a subscription-based pricing model with predictable costs.

Conclusion

Choosing between AEM 6.5 and AEM as a Cloud Service depends on your business needs. If you require complete control and customization, AEM 6.5 is the right choice. However, if you prioritize scalability, reduced maintenance, and access to the latest features, AEM as a Cloud Service is the way forward. Both options are powerful solutions—the decision lies in your organization’s goals and resources.



Download and install AEM Guides for the first time | AEM Development Environment

 Setting Up an AEM Development Environment: A Quick Tutorial

Are you ready to dive into Adobe Experience Manager (AEM) development but unsure where to start? Setting up your development environment correctly is the first step to building powerful and scalable content management solutions. In this guide, we will walk you through the essential steps to set up an AEM development environment, with tips to ensure a smooth process.Download and install AEM Guides for the first time



Why AEM?

AEM is a leading content management system used by enterprises worldwide for its scalability, flexibility, and integration capabilities. Whether you’re creating multilingual websites or managing digital assets, AEM provides robust tools to meet your needs.


Step 1: Check System Requirements

Before installing AEM, ensure your system meets the following requirements:

  • Java Development Kit (JDK): AEM requires Java 8 or 11 (depending on the version you’re using).
  • Memory: At least 8 GB of RAM is recommended.
  • Disk Space: Minimum of 10 GB of free space for the AEM installation.
  • Operating System: Compatible with Windows, macOS, or Linux.

Tip: Use Adobe’s official documentation to verify the compatibility of your system.




Step 2: Install Java

AEM requires a compatible JDK to run. Follow these steps:

  1. Download Java from Oracle’s official website.

  2. Install the JDK and set the JAVA_HOME environment variable.

Command to verify Java installation: 

java --version



Step 3: Install Apache Maven

AEM requires Apache Maven. Follow these steps:

  1. Download Maven from the Apache Site.

  2. There is no need to install Maven. Simply extract the Maven folder, move the extracted folder to the Program Files directory on your Windows drive, and configure the environment variables.

Command to verify mvn installation: 

mvn --version


 

Step 3: Download AEM

  1. Log in to the Adobe Software Distribution portal with your Adobe ID.

  2. Download the required version of the AEM jar file (e.g., aem-author-p4502.jar).

  3. Obtain the license.properties file provided by Adobe.


Step 4: Run the AEM Jar File

  1. Place the aem-author-p4502.jar file and the license.properties file in the same folder.keep the same name of jar file as written here,

  2. Note: If you rename the file to something like aem-author-p4502.jar, it will run as an Author instance. Similarly, renaming the file to aem-publish-p4503.jar will make it run as a Publish instance.

  3. Open the terminal or command prompt and navigate to the folder.

  4. Run the following command:

java -jar aem-author-p4502.jar

 



Step 5: Access AEM

Once installed, AEM runs on localhost:4502 by default.

  • Open a browser and navigate to http://localhost:4502.
  • Log in using the default credentials:
  • Username: admin
  • Password: admin

Optional: Change the default password immediately to secure your instance.



Troubleshooting Tips (optional)

  • AEM doesn’t start? Check your JAVA_HOME and ensure Java is correctly installed.
  • Memory issues? Increase the heap size by editing the startup parameters:

java -Xmx4096m -jar aem-author-p4502.jar
  • Login problems? Reset the admin password via the repository.


Conclusion

Setting up an AEM development environment may seem complex, but following these steps will get you up and running quickly. AEM offers immense flexibility for building enterprise-level solutions, and with the right tools and practices, you’ll be ready to create powerful applications in no time.



Feel free to leave a comment if you need any further assistance.

Top 10 AEM Best Practices for Developers | adobe AEM
 Adobe Experience Manager (AEM) is a powerful platform for building enterprise-level websites and managing content. To get the most out of AEM, developers need to follow best practices that ensure high performance, scalability, and maintainability. Here are the top 10 AEM best practices every developer should know.








Top 10 AEM Best Practices for Developers



1. Plan Your Component Development

Before you start coding, define the purpose and scope of each component. Create a consistent naming convention and ensure reusability to avoid duplication


2. Use Editable Templates

Leverage AEM’s editable templates to empower authors to create content with flexibility. Avoid static templates unless there is a compelling reason.


3. Follow HTL (Sightly) Standards

HTL (HTML Template Language) is the recommended scripting language in AEM. It ensures clean and secure code, separating logic from markup. Avoid using JSP for new projects.


4. Optimize Dispatcher Configuration

The dispatcher acts as a caching and load balancing tool. Properly configure it to cache static assets and reduce server load. Test your configuration to avoid caching issues.


5. Implement Version Control

Use Git or another version control system to track changes and collaborate with your team effectively. Follow branching strategies like GitFlow for organized development.


6. Adopt Component-Based Development

Break down your UI into small, reusable components. This approach improves maintainability and ensures consistency across pages.


7. Test Your Code Thoroughly

Use testing tools like JUnit for backend logic and Jest or Cypress for front-end testing. Regularly test your AEM workflows and dispatcher configurations.


8. Optimize DAM Asset Management

Organize Digital Asset Management (DAM) assets in a clear folder structure. Use metadata schemas for efficient search and retrieval. Compress large images to improve page load times.


9. Enable Caching and Lazy Loading

Use caching mechanisms to enhance performance. Implement lazy loading for images and videos to improve initial page load times.


10. Keep Up with Security Best Practices

Protect your AEM environment by implementing SSL, user access controls, and regularly updating to the latest AEM version. Follow Adobe’s security guidelines to safeguard your content.


Conclusion

By following these best practices, AEM developers can deliver high-quality, scalable, and secure websites. Whether you’re building new components or optimizing existing workflows, these tips will help you maximize AEM’s potential.

If you found this article helpful, share it with your network or leave a comment below. Stay tuned for more AEM tips and insights!

Wednesday, September 25, 2024

Basic AEM Questions (for beginners or junior roles)

 Basic AEM Questions (for beginners or junior roles)







1. What is Adobe Experience Manager (AEM)?

   Answer: AEM is a comprehensive content management solution (CMS) for building websites, mobile apps, and forms. It allows marketing teams to manage and deliver content across different digital channels without relying on IT. AEM is part of Adobe Experience Cloud and integrates with other Adobe tools for a complete marketing solution.


2. What are the main components of AEM?

   Answer: The key components of AEM include:

     - AEM Sites: For building and managing websites.

     - AEM Assets: A digital asset management (DAM) tool for managing images, videos, documents, etc.

     - AEM Forms: For building, managing, and delivering form-based experiences.

     - AEM Screens: For delivering content to digital signage.


3. What is the difference between Author and Publish environments in AEM?

   Answer: 

     - Author Environment: This is where content authors create, edit, and manage content. It is accessible only to internal teams.

     - Publish Environment: This is the live environment where the content is made available to the public. It serves content to end-users via a web server.


4. How do you create a page in AEM?

   - **Answer**: 

     - Go to the **AEM Sites** interface.

     - Choose the **location** where you want to create a page.

     - Click **Create** and select a **template** (which defines the structure of the page).

     - Add **components** to the page (like text, images, etc.) and publish it once it’s ready.


5. What is a Content Fragment?

   Answer: Content Fragments are reusable, structured content pieces in AEM. They allow authors to manage content without design or layout considerations. Fragments are often used when the same content needs to appear in multiple locations or channels.


Intermediate AEM Questions


1. What is the Sling Model in AEM?

   Answer: Sling Models are a way to map Java objects to AEM resources or request objects using annotations. It simplifies how developers bind and access JCR (Java Content Repository) data in AEM components. They help in making component development easier and more flexible.


2. What is the role of the Dispatcher in AEM?

   Answer: The AEM Dispatcher is Adobe's caching and load-balancing tool. It helps to:

     - Cache responses to reduce load on the Publish instance.

     - Act as a reverse proxy to filter requests and enhance security.

     - Distribute load among different AEM publish instances.


3. How do you set up a workflow in AEM?

   Answer: A workflow in AEM automates tasks such as content approval and publishing. To create a workflow:

     - Go to AEM Workflow.

     - Define steps (like approval or translation) and participants (users or groups).

     - Deploy and test the workflow using a content item.


4. What is the difference between a component and a template in AEM?

   Answer 

     - A **template** defines the structure of a page and dictates what components can be used on it.

     - A **component** is a reusable block of content (e.g., text, image, form). Components are the building blocks used to create page content within templates.


5. How does the OSGi framework fit into AEM?

   Answer: OSGi (Open Service Gateway Initiative) is a modular framework used in AEM to manage services and bundles. It allows developers to create modular applications and manage their dependencies dynamically, making AEM highly customizable and extensible.



Advanced AEM Questions


1. What is an AEM Servlet, and when would you use one?

   Answer: AEM Servlets are used to handle HTTP requests and generate dynamic responses. You might use a servlet when you need custom server-side logic, like fetching data from a third-party service or handling form submissions. Servlets can be registered at specific paths or resource types in the Sling framework.


2. Explain the difference between Classic UI and Touch UI in AEM.

   Answer

     -Classic UI: The older AEM user interface based on ExtJS, providing a desktop-like experience in the browser. It is no longer recommended for modern AEM projects.

     - Touch UI: The modern, responsive interface built using Coral UI and designed for touch devices (tablets, smartphones), offering a more user-friendly experience.


3. How does AEM integrate with other Adobe Marketing Cloud products?

   Answer: AEM integrates with Adobe Marketing Cloud products like:

     Adobe Analytics: For tracking content performance.

     Adobe Target: For personalized content delivery.

     Adobe Campaign: For managing email and cross-channel marketing.

     This integration allows marketers to use unified data for better customer insights and personalized experiences.


4. What are editable templates in AEM, and how do they differ from static templates?

   - Answer: 

     - Editable Templates: Allow authors to modify the structure of a page in AEM without developer intervention. They give more control to content authors.

     - Static Templates: Are fixed page layouts where developers define the structure, and authors cannot modify the layout.

     Editable templates are recommended for their flexibility and ease of use.


5. How do you optimize AEM performance?

   Answer: AEM performance can be optimized by:

     - Leveraging Dispatcher for caching.

     - Reducing server-side processing with efficient components.

     - Optimizing AEM workflows.

     - Implementing lazy loading of assets.

     - Optimizing queries to the JCR.

     - Utilizing content delivery networks (CDNs) for faster content delivery.


6. Describe the use of JCR in AEM.

   - **Answer**: JCR (Java Content Repository) is the storage mechanism used by AEM to store content in a hierarchical structure. It's based on Apache Jackrabbit, and AEM stores everything (pages, components, digital assets) as nodes and properties in this repository.


---


Scenario-Based Questions


1. How would you handle a request to build a custom component in AEM?

   -Answer: To build a custom component:

     - Define the component using HTL (HTML Template Language) and Sling Models.

     - Create the component's dialog for authoring content.

     - Register the component under `/apps` in the JCR.

     - Deploy and test the component on a page.


2. How would you troubleshoot an AEM performance issue in production?

   - Answer: To troubleshoot performance issues:

     - Analyze logs for any exceptions or errors.

     - Use AEM Tools (e.g., CRXDE Lite) to monitor resource usage.

     - Review the Dispatcher and CDN caching strategies.

     - Check for inefficient queries in the JCR and optimize.

     - Ensure workflows  aren’t consuming excessive resources.


3.Describe a scenario where you would use a Sling Model over a regular Java class in AEM.

   - Answer: You’d use a Sling Model when developing components that require easy access to JCR data or request parameters. Sling Models simplify mapping data to component logic compared to traditional Java classes.


4. What steps would you take to secure an AEM website?

   - Answer: To secure an AEM website:

     - Implement the Dispatcher for caching and request filtering.

     - Use SSL/TLS for secure data transmission.

     - Apply user authentication and authorization mechanisms.

     - Regularly update AEM to patch known vulnerabilities.

     - Configure *content security policies to prevent attacks like XSS.



AEM Developer Questions


1. What is the use of the `cq:dialog` node in AEM?

   Answer: The `cq:dialog` node defines the dialog interface used by authors to configure component settings. It controls how content authors input data for components.


2. What is the purpose of the `clientlibs` folder in AEM?

   Answer: The `clientlibs` folder is used to manage CSS, JavaScript, and other client-side resources in AEM. It helps in organizing and minimizing the load of these assets by using categories and dependencies.


3. What is Sling Resolution and Sling Resource Type in AEM?

   - Answer: Sling Resolution refers to how AEM maps a URL to a resource in the JCR repository. The Sling Resource Type is the path that maps a resource (content) to a component (code) that renders it.


4. How do you handle multilingual content in AEM?

   - Answer: AEM supports multilingual content using Language Copies and Translation Projects. Authors create language copies for different regions and languages, and translation workflows ensure that content is localized.

5. What is Resource Resolver

Yes, with the Resource Resolver, you can access and interact with the JCR (Java Content Repository) in AEM code. It allows you to retrieve, create, update, and delete resources stored in the JCR programmatically.

Wednesday, July 3, 2024

Automating AEM Deployment with Jenkins

 Automating AEM Deployment with Jenkins






Automating the deployment process of Adobe Experience Manager (AEM) can significantly enhance your development workflow. In this blog post, we'll guide you through setting up a Jenkins pipeline for deploying AEM packages. This includes fetching code from BitBucket, building it with Maven, and deploying to AEM instances.

Prerequisites

Before starting, ensure you have the following:

  • Jenkins installed and configured.
  • Maven installed on your Jenkins server.
  • Credentials for your BitBucket repository.
  • AEM instances (Author, Publish, Dispatcher) up and running.


  • Jenkins Pipeline Script

    Here is a step-by-step Jenkins pipeline script for AEM deployment:

    Setting Up the Environment

    We define essential environment variables for AEM instances and user credentials.

    pipeline {
        agent any
        environment {
            AUTHOR_01 = "Author URL"
            PUBLISH_01 = "Publish URL"
            DISPATCHER_01 = "Dispatcher URL"
            PORT = "your port"
            PROTOCOL = "https/http"
            CONSOLE_USER = "username"
            CONSOLE_PASSWORD = "password"
        }
        tools {
            maven 'maven3'
        }

    Fetching Code from BitBucket

    In this stage, we clone the code from the specified branch in BitBucket.

        stages {
            stage('Get Code from BitBucket') {
                steps {
                    git branch: 'branch name', credentialsId: 'Credential ID', url: 'repo URL'
                }
            }


    Building the Project

    Next, we build the project using Maven. We use a Maven settings file to configure the build.

            stage('Build') {

                steps {

                    configFileProvider([configFile(fileId: '[file ID]', variable: 'MAVEN_SETTINGS')]) {

                        sh 'mvn -s $MAVEN_SETTINGS clean install'

                    }

            }

    }


    Deployment to AEM

    We deploy the built packages to both the Author and Publish instances in parallel.

            stage('Deployment') {

                parallel {

                    stage('Author') {

                        steps {

                            sh 'curl -u ${CONSOLE_USER}:${CONSOLE_PASSWORD} -F cmd=install -F name=projectName.ui.apps-1.0-SNAPSHOT.zip -F force=true -F file=@./ui.apps/target/projectName.ui.apps-1.0-SNAPSHOT.zip ${PROTOCOL}://${AUTHOR_01}:${PORT}/crx/packmgr/service.jsp --insecure'

                            sh 'curl -u ${CONSOLE_USER}:${CONSOLE_PASSWORD} -F cmd=install -F force=true ${PROTOCOL}://${AUTHOR_01}:${PORT}/crx/packmgr/service/.json/etc/packages/sa.com.stc/projectName.ui.apps-1.0-SNAPSHOT.zip --insecure'


                            sh 'curl -u ${CONSOLE_USER}:${CONSOLE_PASSWORD} -F cmd=install -F name=projectName.ui.config-1.0-SNAPSHOT.zip -F force=true -F file=@./ui.config/target/projectName.ui.config-1.0-SNAPSHOT.zip ${PROTOCOL}://${AUTHOR_01}:${PORT}/crx/packmgr/service.jsp --insecure'

                            sh 'curl -u ${CONSOLE_USER}:${CONSOLE_PASSWORD} -F cmd=install -F force=true ${PROTOCOL}://${AUTHOR_01}:${PORT}/crx/packmgr/service/.json/etc/packages/sa.com.stc/projectName.ui.config-1.0-SNAPSHOT.zip --insecure'

                            

                            sh 'curl -u ${CONSOLE_USER}:${CONSOLE_PASSWORD} -F action=install -F name=projectName.core-1.0-SNAPSHOT.jar -F force=true -F bundlefile=@./core/target/projectName.core-1.0-SNAPSHOT.jar -F bundlestartlevel=20 ${PROTOCOL}://${AUTHOR_01}:${PORT}/system/console/bundles --insecure'

                            sh 'curl -u ${CONSOLE_USER}:${CONSOLE_PASSWORD} -F action=start -F force=true ${PROTOCOL}://${AUTHOR_01}:${PORT}/system/console/bundles/projectName.core --insecure'


                            sh 'curl -u ${CONSOLE_USER}:${CONSOLE_PASSWORD} -F cmd=install -F name=projectName.ui.content-1.0-SNAPSHOT.zip -F force=true -F file=@./ui.content/target/projectName.ui.content-1.0-SNAPSHOT.zip ${PROTOCOL}://${AUTHOR_01}:${PORT}/crx/packmgr/service.jsp --insecure'

                            sh 'curl -u ${CONSOLE_USER}:${CONSOLE_PASSWORD} -F cmd=install -F force=true ${PROTOCOL}://${AUTHOR_01}:${PORT}/crx/packmgr/service/.json/etc/packages/sa.com.stc/projectName.ui.content-1.0-SNAPSHOT.zip --insecure'

                            

                            sh 'curl -u ${CONSOLE_USER}:${CONSOLE_PASSWORD} -F cmd=install -F name=projectName.all-1.0-SNAPSHOT.zip -F force=true -F file=@./all/target/projectName.all-1.0-SNAPSHOT.zip ${PROTOCOL}://${AUTHOR_01}:${PORT}/crx/packmgr/service.jsp --insecure'

                            sh 'curl -u ${CONSOLE_USER}:${CONSOLE_PASSWORD} -F cmd=install -F force=true ${PROTOCOL}://${AUTHOR_01}:${PORT}/crx/packmgr/service/.json/etc/packages/sa.com.stc/projectName.all-1.0-SNAPSHOT.zip --insecure'

                        }

                    }

                    stage('Publisher') {

                        steps {

                            sh 'curl -u ${CONSOLE_USER}:${CONSOLE_PASSWORD} -F cmd=install -F name=projectName.ui.apps-1.0-SNAPSHOT.zip -F force=true -F file=@./ui.apps/target/projectName.ui.apps-1.0-SNAPSHOT.zip ${PROTOCOL}://${PUBLISH_01}:${PORT}/crx/packmgr/service.jsp --insecure'

                            sh 'curl -u ${CONSOLE_USER}:${CONSOLE_PASSWORD} -F cmd=install -F force=true ${PROTOCOL}://${PUBLISH_01}:${PORT}/crx/packmgr/service/.json/etc/packages/sa.com.stc/projectName.ui.apps-1.0-SNAPSHOT.zip --insecure'


                            sh 'curl -u ${CONSOLE_USER}:${CONSOLE_PASSWORD} -F cmd=install -F name=projectName.ui.config-1.0-SNAPSHOT.zip -F force=true -F file=@./ui.config/target/projectName.ui.config-1.0-SNAPSHOT.zip ${PROTOCOL}://${PUBLISH_01}:${PORT}/crx/packmgr/service.jsp --insecure'

                            sh 'curl -u ${CONSOLE_USER}:${CONSOLE_PASSWORD} -F cmd=install -F force=true ${PROTOCOL}://${PUBLISH_01}:${PORT}/crx/packmgr/service/.json/etc/packages/sa.com.stc/projectName.ui.config-1.0-SNAPSHOT.zip --insecure'

                            

                            sh 'curl -u ${CONSOLE_USER}:${CONSOLE_PASSWORD} -F action=install -F name=projectName.core-1.0-SNAPSHOT.jar -F force=true -F bundlefile=@./core/target/projectName.core-1.0-SNAPSHOT.jar -F bundlestartlevel=20 ${PROTOCOL}://${PUBLISH_01}:${PORT}/system/console/bundles --insecure'

                            sh 'curl -u ${CONSOLE_USER}:${CONSOLE_PASSWORD} -F action=start -F force=true ${PROTOCOL}://${PUBLISH_01}:${PORT}/system/console/bundles/projectName.core --insecure'


                            sh 'curl -u ${CONSOLE_USER}:${CONSOLE_PASSWORD} -F cmd=install -F name=projectName.ui.content-1.0-SNAPSHOT.zip -F force=true -F file=@./ui.content/target/projectName.ui.content-1.0-SNAPSHOT.zip ${PROTOCOL}://${PUBLISH_01}:${PORT}/crx/packmgr/service.jsp --insecure'

                            sh 'curl -u ${CONSOLE_USER}:${CONSOLE_PASSWORD} -F cmd=install -F force=true ${PROTOCOL}://${PUBLISH_01}:${PORT}/crx/packmgr/service/.json/etc/packages/sa.com.stc/projectName.ui.content-1.0-SNAPSHOT.zip --insecure'

                            

                            sh 'curl -u ${CONSOLE_USER}:${CONSOLE_PASSWORD} -F cmd=install -F name=projectName.all-1.0-SNAPSHOT.zip -F force=true -F file=@./all/target/projectName.all-1.0-SNAPSHOT.zip ${PROTOCOL}://${PUBLISH_01}:${PORT}/crx/packmgr/service.jsp --insecure'

                            sh 'curl -u ${CONSOLE_USER}:${CONSOLE_PASSWORD} -F cmd=install -F force=true ${PROTOCOL}://${PUBLISH_01}:${PORT}/crx/packmgr/service/.json/etc/packages/sa.com.stc/projectName.all-1.0-SNAPSHOT.zip --insecure'

                        }

                    }

                }

            }

        }

        post {

            always {

                emailext to: "email address",

                subject: "<email title>",

                body: "<email body>"

            }

        }

    }

    All Script in Once

    pipeline {

        agent any

        environment {

            AUTHOR_01="Author URL"

            PUBLISH_01="Publish URL"

            DISPATCHER_01="Dispatcher URL"

            PORT="your port"

            PROTPOCOL="https/http"

            CONSOLE_USER="username"

            CONSOLE_PASSWORD="password"

            

        }

        tools {

            maven 'maven3' 

        }

        stages {

            stage('Get Code from BitBucket') {

                steps {

                    git branch: 'branch name', credentialsId: 'Credential ID', url: 'repo URL'

                }

            }

            

            stage('Build'){

                steps {

                    configFileProvider(

                        [configFile(fileId: '[file ID]', variable: 'MAVEN_SETTINGS')]) {

                            sh 'mvn -s $MAVEN_SETTINGS clean install'

                    }

                }

                

            }

            

            stage('Deployment') {

                    parallel {

                        stage('Author') {

                            steps {

                

                                sh 'curl -u ${CONSOLE_USER}:${CONSOLE_PASSWORD} -F cmd=install -F name=projectnName.ui.apps-1.0-SNAPSHOT.zip -F force=true -F file=@./ui.apps/target/projectnName.ui.apps-1.0-SNAPSHOT.zip ${PROTPOCOL}://${AUTHOR_01}:${PORT}/crx/packmgr/service.jsp --insecure'

                                sh 'curl -u ${CONSOLE_USER}:${CONSOLE_PASSWORD} -F cmd=install -F force=true ${PROTPOCOL}://${AUTHOR_01}:${PORT}/crx/packmgr/service/.json/etc/packages/sa.com.stc/projectnName.ui.apps-1.0-SNAPSHOT.zip --insecure'


                                sh 'curl -u ${CONSOLE_USER}:${CONSOLE_PASSWORD} -F cmd=install -F name=projectnName.ui.config-1.0-SNAPSHOT.zip -F force=true -F file=@./ui.config/target/projectnName.ui.config-1.0-SNAPSHOT.zip  ${PROTPOCOL}://${AUTHOR_01}:${PORT}/crx/packmgr/service.jsp --insecure'

                                sh 'curl -u ${CONSOLE_USER}:${CONSOLE_PASSWORD} -F cmd=install -F force=true ${PROTPOCOL}://${AUTHOR_01}:${PORT}/crx/packmgr/service/.json/etc/packages/sa.com.stc/projectnName.ui.config-1.0-SNAPSHOT.zip --insecure'

                                

                                sh 'curl -u ${CONSOLE_USER}:${CONSOLE_PASSWORD} -F action=install -F name=projectnName.core-1.0-SNAPSHOT.jar -F force=true -F bundlefile=@./core/target/projectnName.core-1.0-SNAPSHOT.jar -F bundlestartlevel=20 ${PROTPOCOL}://${AUTHOR_01}:${PORT}/system/console/bundles --insecure'

                                sh 'curl -u ${CONSOLE_USER}:${CONSOLE_PASSWORD} -F action=start -F force=true ${PROTPOCOL}://${AUTHOR_01}:${PORT}/system/console/bundles/projectnName.core --insecure'


                                sh 'curl -u ${CONSOLE_USER}:${CONSOLE_PASSWORD} -F cmd=install -F name=projectnName.ui.content-1.0-SNAPSHOT.zip -F force=true -F file=@./ui.content/target/projectnName.ui.content-1.0-SNAPSHOT.zip  ${PROTPOCOL}://${AUTHOR_01}:${PORT}/crx/packmgr/service.jsp --insecure'

                                sh 'curl -u ${CONSOLE_USER}:${CONSOLE_PASSWORD} -F cmd=install -F force=true ${PROTPOCOL}://${AUTHOR_01}:${PORT}/crx/packmgr/service/.json/etc/packages/sa.com.stc/projectnName.ui.content-1.0-SNAPSHOT.zip --insecure'

                                

                                sh 'curl -u ${CONSOLE_USER}:${CONSOLE_PASSWORD} -F cmd=install -F name=projectnName.all-1.0-SNAPSHOT.zip -F force=true -F file=@./all/target/projectnName.all-1.0-SNAPSHOT.zip ${PROTPOCOL}://${AUTHOR_01}:${PORT}/crx/packmgr/service.jsp --insecure'

                                sh 'curl -u ${CONSOLE_USER}:${CONSOLE_PASSWORD} -F cmd=install -F force=true ${PROTPOCOL}://${AUTHOR_01}:${PORT}/crx/packmgr/service/.json/etc/packages/sa.com.stc/projectnName.all-1.0-SNAPSHOT.zip --insecure'


                            }

                        }

                        stage('Publisher') {

                            steps {

                                sh 'curl -u ${CONSOLE_USER}:${CONSOLE_PASSWORD} -F cmd=install -F name=projectnName.ui.apps-1.0-SNAPSHOT.zip -F force=true -F file=@./ui.apps/target/projectnName.ui.apps-1.0-SNAPSHOT.zip ${PROTPOCOL}://${PUBLISH_01}:${PORT}/crx/packmgr/service.jsp --insecure'

                                sh 'curl -u ${CONSOLE_USER}:${CONSOLE_PASSWORD} -F cmd=install -F force=true ${PROTPOCOL}://${PUBLISH_01}:${PORT}/crx/packmgr/service/.json/etc/packages/sa.com.stc/projectnName.ui.apps-1.0-SNAPSHOT.zip --insecure'


                                sh 'curl -u ${CONSOLE_USER}:${CONSOLE_PASSWORD} -F cmd=install -F name=projectnName.ui.config-1.0-SNAPSHOT.zip -F force=true -F file=@./ui.config/target/projectnName.ui.config-1.0-SNAPSHOT.zip  ${PROTPOCOL}://${PUBLISH_01}:${PORT}/crx/packmgr/service.jsp --insecure'

                                sh 'curl -u ${CONSOLE_USER}:${CONSOLE_PASSWORD} -F cmd=install -F force=true ${PROTPOCOL}://${PUBLISH_01}:${PORT}/crx/packmgr/service/.json/etc/packages/sa.com.stc/projectnName.ui.config-1.0-SNAPSHOT.zip --insecure'

                                

                                sh 'curl -u ${CONSOLE_USER}:${CONSOLE_PASSWORD} -F action=install -F name=projectnName.core-1.0-SNAPSHOT.jar -F force=true -F bundlefile=@./core/target/projectnName.core-1.0-SNAPSHOT.jar -F bundlestartlevel=20 ${PROTPOCOL}://${PUBLISH_01}:${PORT}/system/console/bundles --insecure'

                                sh 'curl -u ${CONSOLE_USER}:${CONSOLE_PASSWORD} -F action=start -F force=true ${PROTPOCOL}://${PUBLISH_01}:${PORT}/system/console/bundles/projectnName.core --insecure'


                                sh 'curl -u ${CONSOLE_USER}:${CONSOLE_PASSWORD} -F cmd=install -F name=projectnName.ui.content-1.0-SNAPSHOT.zip -F force=true -F file=@./ui.content/target/projectnName.ui.content-1.0-SNAPSHOT.zip  ${PROTPOCOL}://${PUBLISH_01}:${PORT}/crx/packmgr/service.jsp --insecure'

                                sh 'curl -u ${CONSOLE_USER}:${CONSOLE_PASSWORD} -F cmd=install -F force=true ${PROTPOCOL}://${PUBLISH_01}:${PORT}/crx/packmgr/service/.json/etc/packages/sa.com.stc/projectnName.ui.content-1.0-SNAPSHOT.zip --insecure'

                                

                                sh 'curl -u ${CONSOLE_USER}:${CONSOLE_PASSWORD} -F cmd=install -F name=projectnName.all-1.0-SNAPSHOT.zip -F force=true -F file=@./all/target/projectnName.all-1.0-SNAPSHOT.zip ${PROTPOCOL}://${PUBLISH_01}:${PORT}/crx/packmgr/service.jsp --insecure'

                                sh 'curl -u ${CONSOLE_USER}:${CONSOLE_PASSWORD} -F cmd=install -F force=true ${PROTPOCOL}://${PUBLISH_01}:${PORT}/crx/packmgr/service/.json/etc/packages/sa.com.stc/projectnName.all-1.0-SNAPSHOT.zip --insecure'


                            }

                        }

                        

                    }

                }

            

        }

        post{

            always{

                emailext to: "email address",

                subject: "<email title>",

                body: "<email body>"

           }

        }


    }

    Conclusion

    By automating the deployment of AEM packages using Jenkins, you can streamline your workflow, reduce manual errors, and ensure a consistent deployment process. This script covers essential stages such as fetching code, building the project, and deploying it to AEM instances.