KEMBAR78
Linux | PDF | Linux | Regular Expression
0% found this document useful (0 votes)
24 views17 pages

Linux

The document provides an overview of Linux and shell programming, covering its features, distributions, architecture, file management commands, and shell scripting basics. It explains control structures, text processing tools like grep and sed, and the importance of automation in scripting. Additionally, it includes examples of creating and executing shell scripts, managing variables, and using conditional statements and loops.

Uploaded by

poorvibhat2k5
Copyright
© © All Rights Reserved
We take content rights seriously. If you suspect this is your content, claim it here.
Available Formats
Download as DOCX, PDF, TXT or read online on Scribd
0% found this document useful (0 votes)
24 views17 pages

Linux

The document provides an overview of Linux and shell programming, covering its features, distributions, architecture, file management commands, and shell scripting basics. It explains control structures, text processing tools like grep and sed, and the importance of automation in scripting. Additionally, it includes examples of creating and executing shell scripts, managing variables, and using conditional statements and loops.

Uploaded by

poorvibhat2k5
Copyright
© © All Rights Reserved
We take content rights seriously. If you suspect this is your content, claim it here.
Available Formats
Download as DOCX, PDF, TXT or read online on Scribd
You are on page 1/ 17

### Unit I - Linux and Shell Programming

Introduction to Linux
What is Linux?

Linux is an open-source, Unix-like operating system kernel created by Linus Torvalds in


1991. It is widely used for server environments, embedded systems, and desktops due to its
security, flexibility, and robustness.

Features of Linux:

 Open Source: Free to use, modify, and distribute.


 Multi-User: Multiple users can work simultaneously.
 Multitasking: Supports running multiple processes at the same time.
 Portability: Runs on different hardware architectures.
 Security: Uses file permissions, encryption, and authentication for security.
 Stability & Performance: Reliable and efficient in handling system processes.

Linux Distributions
A Linux distribution (distro) is a complete operating system based on the Linux kernel and
includes software like package managers, graphical interfaces, and utilities.

Popular Linux Distributions:

1. Ubuntu - User-friendly, widely used for desktops and servers.


2. Debian - Stable and preferred for enterprise applications.
3. Fedora - Cutting-edge software and features.
4. CentOS - Community-supported version of RHEL.
5. Red Hat Enterprise Linux (RHEL) - Used in enterprise environments.
6. Arch Linux - Minimalistic and highly customizable.

Linux Architecture
Linux follows a layered architecture with the following components:

1. Kernel: The core of the operating system that interacts with hardware.
2. Shell: Interface between the user and the kernel.
3. File System: Organizes and manages files.
4. User Applications: Programs like browsers, text editors, and compilers.

Linux File System & Commands


File System Hierarchy:
 / (Root): The top-level directory.
 /bin - Essential user binaries.
 /home - User home directories.
 /etc - Configuration files.
 /var - Variable data like logs.
 /tmp - Temporary files.
 /dev - Device files.

Basic File Management Commands:

Command Description
ls List files in a directory
pwd Print working directory
cd Change directory
cp source dest Copy files
mv old new Move/rename files
rm file Remove file
mkdir dir Create a directory
rmdir dir Remove empty directory
touch file Create a new empty file

Viewing and Manipulating Files


Command Description
cat file Display file content
more file View file content page by page
less file View file content with backward scrolling
head -n file Display first n lines of a file
tail -n file Display last n lines of a file
grep 'pattern' file Search for a pattern in a file

File Permissions & Ownership


Linux uses a permission system to control access to files and directories.

Permission Types:

 Read (r) - View contents.


 Write (w) - Modify contents.
 Execute (x) - Run the file as a program.

Checking and Changing Permissions:

 ls -l → View permissions.
 chmod 755 file → Change permissions.
 chown user file → Change file owner.
 chgrp group file → Change group ownership.

Wildcards and Path Navigation


Path Types:

 Absolute Path: Starts from /, e.g., /home/user/file.txt


 Relative Path: Based on the current directory, e.g., ./file.txt

Wildcard Characters:

 * Matches any characters (e.g., ls *.txt → Lists all .txt files).


 ? Matches a single character (e.g., ls file?.txt → Matches file1.txt,
file2.txt).
 [] Matches a range (e.g., ls file[1-3].txt → Matches file1.txt, file2.txt,
file3.txt).

Finding Files and Processes


Command Description
which command Shows the location of an executable
whereis command Locates binary, source, and man files
locate filename Finds files by name
find /path -name filename Searches for files in a directory
ps Lists running processes
top Displays system tasks and CPU usage

Compression & Archiving


Command Description
tar -cvf archive.tar files Create a tar archive
tar -xvf archive.tar Extract a tar archive
gzip file Compress a file
gunzip file.gz Decompress a file
zip archive.zip file Create a zip archive
unzip archive.zip Extract a zip archive

Environment Variables & Automation


Common Environment Variables:

Variable Description
HOME User home directory
PATH Directories searched for commands
USER Current logged-in user
Variable Description
SHELL Default shell
PWD Current working directory

Setting Environment Variables:

 export VAR=value → Sets a variable.


 echo $VAR → Displays the value of a variable.
 unset VAR → Removes a variable.

Aliases & Bash Scripts

 alias ll='ls -al' → Creates a shortcut for ls -al.


 unalias ll → Removes an alias.

Writing a Simple Bash Script

1. Create a script file:


2. nano myscript.sh
3. Add the following script:
4. #!/bin/bash
5. echo "Hello, World!"
6. Make it executable:
7. chmod +x myscript.sh
8. Run the script:
9. ./myscript.sh
### Unit 2 - Shell Basics and Scripting Fundamentals

1. Introduction to Shell
A shell is a command-line interpreter that allows users to interact with the operating system.
It processes user commands and executes them in the system kernel. Shells also provide
scripting capabilities for automation and system administration.

1.1 Types of Shells

Different shells provide unique features and syntax. Common shells include:

 Bash (Bourne Again Shell): The most widely used shell in Linux, supporting
command history, job control, and scripting features.
 Zsh (Z Shell): A powerful shell with enhanced interactive features, including
improved auto-completion and plugin support.
 Ksh (Korn Shell): A combination of features from the Bourne and C shells, widely
used for scripting.
 Csh (C Shell) & Tcsh: Shells with C-like syntax, mainly used by programmers.
 Sh (Bourne Shell): The original Unix shell, minimalistic but widely used in scripting.

2. Creating and Executing Shell Scripts


A shell script is a file containing a series of shell commands that execute sequentially.

2.1 Creating a Simple Shell Script

Open a terminal and create a new file:

nano myscript.sh

Add the following script:

#!/bin/bash
echo "Hello, World!"

 #!/bin/bash is called a shebang and specifies which shell interpreter to use.

Save and exit (Press CTRL + X, then Y, then ENTER).

2.2 Making the Script Executable

To execute the script, first provide execution permission:

chmod +x myscript.sh
Run the script:

./myscript.sh

Output:

Hello, World!

3. Working with Variables


Shell variables store data that can be used in scripts. There are two types of variables:

1. Predefined Variables: Set by the system (e.g., $HOME, $PATH, $USER).


2. User-defined Variables: Created by users for custom use in scripts.

3.1 Declaring and Assigning Variables


name="Alice"
age=25

 No spaces around =.
 Use double quotes if the value contains spaces.

3.2 Accessing Variable Values


echo "Name: $name"
echo "Age: $age"

3.3 Using Variables in Commands


file_path="/home/user/file.txt"
cat $file_path

3.4 Read-Only Variables


readonly username="admin"
username="guest" # This will cause an error

3.5 Special Variables

 $? → Exit status of the last executed command.


 $# → Number of arguments passed to a script.
 $* → All arguments as a single string.
 $@ → All arguments separately.

Example:

ls /nonexistent_directory
echo "Exit status: $?" # Non-zero means failure
Example using $#, $*, $@: Script (args.sh):

#!/bin/bash
echo "Total arguments: $#"
echo "All arguments: $*"
echo "All arguments (separate): $@"

Run:

./args.sh Linux Scripting Basics

Output:

Total arguments: 3
All arguments: Linux Scripting Basics
All arguments (separate): Linux Scripting Basics

4. Input/Output Operations
4.1 Using echo for Output

The echo command prints messages or variable values.

Basic Usage:

echo "Hello, World!"

Printing a Variable Value:

name="Alice"
echo "Welcome, $name!"

Using Escape Sequences (-e flag):

echo -e "Line1\nLine2" # Newline character

4.2 Redirecting Output

Write output to a file (> overwrites, >> appends):

echo "Hello" > file.txt


echo "World" >> file.txt

Suppress output:

echo "This won't be seen" > /dev/null

4.3 Reading User Input with read

Basic Input:
echo "Enter your name:"
read username
echo "Hello, $username!"

Using -p to Prompt User:

read -p "Enter your age: " age


echo "You are $age years old."

Hiding Password Input (-s flag):

read -s -p "Enter password: " password


echo -e "\nPassword saved!"

Reading Multiple Inputs:

echo "Enter three names:"


read name1 name2 name3
echo "Names: $name1, $name2, $name3"

Setting a Default Value:

read -p "Enter username (default: guest): " user


user=${user:-guest}
echo "User: $user"

 If the user enters nothing, guest is assigned.

5. Conclusion
 Understanding different shell types helps in selecting the right one for scripting.
 Shell scripting automates repetitive tasks efficiently.
 Variables store and manage data dynamically.
 User input and output redirection enhance script functionality.
### Unit 3 - Control Structures in Shell Scripts

1. Introduction to Control Structures


Control structures dictate the flow of execution in a script, determining when, how, and under
what conditions commands should run. They make scripts efficient, readable, and reusable.

1.1 Categories of Control Structures

1. Conditional Statements - Execute commands based on conditions.


2. Looping Constructs - Repeat execution of commands multiple times.
3. Functions - Encapsulate reusable logic.

1.2 Importance of Control Structures

 Automates decision-making (e.g., checking file existence before execution).


 Reduces redundancy by using loops and functions instead of repeated commands.
 Enhances maintainability and readability by structuring code logically.
 Optimizes script performance by eliminating unnecessary operations.

2. Conditional Statements
Conditional statements allow scripts to execute different commands based on specific
conditions.

2.1 if Statement

Syntax:

if [ condition ]; then
# Commands to execute if condition is true
fi

Example:

if [ -f "data.txt" ]; then
echo "File exists."
else
echo "File does not exist."
fi

2.2 elif and else

Example (Grading System):

read -p "Enter your score: " score


if [ $score -ge 90 ]; then
echo "Grade: A"
elif [ $score -ge 80 ]; then
echo "Grade: B"
else
echo "Grade: C"
fi

2.3 case Statement (Pattern Matching)

Syntax:

case $variable in
pattern1) commands ;;
pattern2) commands ;;
*) default commands ;;
esac

Example (Menu-driven Script):

echo "1. Start | 2. Stop | 3. Restart"


read choice
case $choice in
1) echo "Starting..." ;;
2) echo "Stopping..." ;;
3) echo "Restarting..." ;;
*) echo "Invalid choice" ;;
esac

3. Looping Constructs
Loops automate repetitive tasks by iterating over a block of code multiple times.

3.1 for Loop

Syntax:

for variable in list; do


# Commands
done

Example (Print numbers 1 to 5):

for i in {1..5}; do
echo "Number: $i"
done

3.2 while Loop (Executes while condition is true)

Syntax:

while [ condition ]; do
# Commands
update_condition
done

Example (Counting Loop):

i=1
while [ $i -le 5 ]; do
echo "Count: $i"
((i++))
done

3.3 until Loop (Executes until condition becomes true)

Syntax:

until [ condition ]; do
# Commands
update_condition
done

Example (Countdown Loop):

i=5
until [ $i -le 0 ]; do
echo "Countdown: $i"
((i--))
done

4. Functions in Shell Scripting


Functions allow reusability by grouping a set of commands under a name.

4.1 Defining a Function

Syntax:

function function_name() {
# Commands
}

Example:

function greet() {
echo "Hello, welcome to shell scripting!"
}
greet

4.2 Passing Arguments to Functions

Syntax:

function function_name() {
# Use $1, $2, ... for arguments
}
function_name argument1 argument2

Example:

function add() {
sum=$(( $1 + $2 ))
echo "Sum: $sum"
}
add 10 20

4.3 Returning Values from Functions

Functions can return values using return and retrieve them using $?.

Example (Even or Odd Check):

function check_even_odd() {
if [ $(($1 % 2)) -eq 0 ]; then
return 0 # Even
else
return 1 # Odd
fi
}

read -p "Enter a number: " num


check_even_odd $num
if [ $? -eq 0 ]; then
echo "Even number"
else
echo "Odd number"
fi

5. End-to-End Example: User Management Script


This script allows users to:

1. Create a new user.


2. List all system users.
3. Exit.

function create_user() {
read -p "Enter username: " user
if id "$user" &>/dev/null; then
echo "User already exists!"
else
sudo useradd "$user"
echo "User $user created!"
fi
}

function list_users() {
cut -d: -f1 /etc/passwd | less
}
while true; do
echo "1. Create User"
echo "2. List Users"
echo "3. Exit"
read -p "Enter choice: " choice
case $choice in
1) create_user ;;
2) list_users ;;
3) exit ;;
*) echo "Invalid option" ;;
esac
done

6. Conclusion
 Conditional Statements (if, case) make scripts decision-based.
 Looping (for, while, until) automates repetitive tasks.
 Functions modularize scripts, making them reusable and efficient.
 Mastering control structures improves script efficiency, readability, and automation
capabilities!
### Unit 4 - Text Processing Basics

1. Introduction to Text Processing in Linux


Text processing is crucial for managing and manipulating textual data efficiently. Linux
provides powerful tools like grep, sed, and awk, along with regular expressions (regex), to
perform search, extraction, modification, and formatting of text files.

1.1 Importance of Text Processing

 Automates text-based tasks.


 Extracts and transforms data efficiently.
 Reduces manual effort in file operations.
 Enables complex pattern matching and modifications.

2. Text Processing Tools in Linux


2.1 grep (Global Regular Expression Print)

grepsearches for patterns in files or text streams and supports regular expressions for
complex searches.

Syntax:

grep [options] "pattern" filename

Examples:

 Find lines containing "error" in a log file:


 grep "error" server.log
 Case-insensitive search:
 grep -i "error" server.log
 Search for lines not containing a pattern:
 grep -v "error" server.log
 Find lines starting with "user":
 grep "^user" users.txt

2.2 sed (Stream Editor)

sed is a powerful tool for modifying text in files without opening them in an editor.

Syntax:

sed 's/pattern/replacement/flags' filename


Examples:

 Replace first occurrence of "Linux" with "Unix" in each line:


 sed 's/Linux/Unix/' file.txt
 Replace all occurrences:
 sed 's/Linux/Unix/g' file.txt
 Replace and save changes permanently:
 sed -i 's/Linux/Unix/g' example.txt
 Delete all lines containing "error":
 sed '/error/d' logfile.txt
 Delete line 3 from a file:
 sed '3d' example.txt
 Print only the first 3 lines:
 sed -n '1,3p' example.txt
 Insert a line before a match:
 sed '/Linux/i This is a new line' example.txt
 Append a line after a match:
 sed '/Linux/a This is added after' example.txt
 Use sed in a pipeline:
 echo "Hello World" | sed 's/World/Linux/'

2.3 awk (Pattern Scanning and Processing)

awk processes structured text, extracts fields, and performs calculations.

Syntax:

awk 'pattern { action }' filename

Examples:

 Print the second column of a file (assuming space-separated values):


 awk '{print $2}' data.txt
 Print lines where the third column is greater than 50:
 awk '$3 > 50' data.txt
 Calculate the sum of the second column:
 awk '{sum += $2} END {print sum}' data.txt
 Print lines where the first column contains "John":
 awk '$1 ~ /John/' employees.txt

3. Regular Expressions (Regex) in Linux


Regular expressions define search patterns and are used with grep, sed, and awk.

3.1 Basic Regex Characters

 . → Matches any single character


 * → Matches zero or more occurrences of the preceding character
 ^ → Matches the start of a line
 $ → Matches the end of a line
 [ ] → Matches any character inside brackets
 [^ ] → Matches any character not inside brackets

3.2 Using Regex with grep

 Find lines containing a number:


 grep -E "[0-9]" file.txt
 Find words starting with 'S' and ending with 'n':
 grep -E "^S.*n$" names.txt

3.3 Using Regex with sed

 Remove all digits from a file:


 sed 's/[0-9]//g' file.txt
 Replace multiple spaces with a single space:
 sed 's/ */ /g' file.txt

3.4 Using Regex with awk

 Print lines where the first field contains only numbers:


 awk '$1 ~ /^[0-9]+$/' file.txt
 Print lines not containing numbers:
 awk '!($0 ~ /[0-9]/)' file.txt

4. End-to-End Example: Employee Data Processing


Example file (employees.txt):

1,John Doe,Manager,55000
2,Jane Smith,Engineer,60000
3,Sam Brown,Technician,45000
4,Mike Wilson,Developer,70000

Tasks:

1. Find lines containing "Engineer":


2. grep "Engineer" employees.txt
3. Replace "Developer" with "Software Engineer":
4. sed 's/Developer/Software Engineer/' employees.txt
5. Print only the second column (name):
6. awk -F ',' '{print $2}' employees.txt
7. Extract employees earning more than 50000:
8. awk -F ',' '$4 > 50000' employees.txt

5. Conclusion
 grep is used for pattern searching.
 sed is used for text substitution, deletion, and insertion.
 awkis used for text extraction and computation.
 Regular Expressions enhance the power of these tools for flexible pattern matching.

Mastering text processing allows efficient automation and data manipulation in Linux
environments! 🚀

You might also like