KEMBAR78
Unix | PDF | Computer File | Library (Computing)
0% found this document useful (0 votes)
6 views43 pages

Unix

The document provides a comprehensive overview of Unix, covering user accounts, file systems, process management, and shell scripting. It details user types, account management commands, and security practices, along with file operations and permissions. Additionally, it explains the hierarchical structure of the Unix file system, inodes, and common shell functionalities, including scripting and variable management.

Uploaded by

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

Unix

The document provides a comprehensive overview of Unix, covering user accounts, file systems, process management, and shell scripting. It details user types, account management commands, and security practices, along with file operations and permissions. Additionally, it explains the hierarchical structure of the Unix file system, inodes, and common shell functionalities, including scripting and variable management.

Uploaded by

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

Unix

Chapter 1:

In Unix, user accounts are fundamental for managing access to system resources. Each user has a
unique identifier and specific permissions to ensure security and proper access control. Here’s an
overview of user accounts in Unix:

1. User Types in Unix

1.​ Root User​

○​ Superuser with full system access.


○​ UID (User ID) = 0.
○​ Can modify system files, install software, and manage other users.
2.​ Regular Users​

○​ Created by the administrator.


○​ Have restricted access based on permissions.
○​ Cannot modify system-critical files.
3.​ System Users (Service Accounts)​

○​ Used for system processes and services (e.g., nobody, daemon, www-data).
○​ Usually have no login shell.

2. User Account Information

●​ User Details File: /etc/passwd​

Contains user account details in a structured format:​


ruby​
CopyEdit​
username:x:UID:GID:Full Name:Home Directory:Shell
Example:​
ruby​
CopyEdit​
john:x:1001:1001:John Doe:/home/john:/bin/bash

○​
●​ Shadow Password File: /etc/shadow​

○​ Stores encrypted passwords for security.


○​ Accessible only by root.
●​ Group File: /etc/group​

○​ Manages user groups for access control.

3. User Account Management Commands


Command Description

whoami Shows the current user.

id Displays UID, GID, and group memberships.

who Lists currently logged-in users.

users Shows all logged-in users.

adduser username Creates a new user (Debian-based).

useradd username Creates a new user (Generic Unix/Linux).

passwd username Sets or changes a password.

usermod -l newname Renames a user.


oldname

userdel username Deletes a user.

groupadd groupname Creates a new group.

usermod -aG groupname Adds a user to a group.


username

4. User Authentication & Security

●​ Password Policies: Enforce strong passwords (/etc/login.defs).


●​ Account Expiry: Set expiry using chage command.
●​ SSH Access Control: Restrict SSH login using /etc/ssh/sshd_config.
●​ Sudo Privileges: Grant specific users admin rights using /etc/sudoers.

In Unix, starting and shutting down processes is a fundamental concept. Here’s an overview:

Starting Processes

1.​ Foreground Process​

Run a command directly in the terminal:​


command_name
Example:​
ls -l

2.​ Background Process​

Run a process in the background by appending &:​


command_name &
Example:​
firefox &

3.​ Using nohup (No Hangup)​

Keeps a process running even after logout:​


nohup command_name &
Example:​
nohup python script.py &

4.​ Using setsid​

Starts a process in a new session, independent of the terminal:​


setsid command_name

5.​ Using cron (For Scheduled Execution)​

Add a command to crontab for scheduled execution:​


crontab -e
Example of running a script every hour:​
0 * * * * /path/to/script.sh

Shutting Down Processes

1.​ Using kill (Terminate by PID)​

Find the Process ID (PID):​


ps aux | grep process_name
Kill the process:​
kill PID
Force kill:​
kill -9 PID

Using pkill (Terminate by Name)​

Kill all processes matching a name:​



pkill process_name
Force kill:​
pkill -9 process_name

2.​ Using killall (Kill All Instances of a Process)​

Example:​
killall process_name

3.​ Using htop or top (Interactive Process Management)​

Start htop:​
htop
Start top:​
Top
From htop or top, locate a process and terminate it.

4.​ Using shutdown, reboot, halt (For System-Wide Shutdown)


Shutdown the system:​
shutdown -h now

Reboot:​
Reboot

Halt (stops all processes but does not power off):​


halt

In Unix, logging in and logging out are fundamental operations for user authentication and
session management. Here's how they work:

Logging In

When a user logs into a Unix system, they provide authentication credentials (username and
password). There are different ways to log in:

1.​ Console Login (Direct Terminal Access)

When you start a Unix system, you are presented with a login prompt:​
login: username
Password: ********

○​ After entering the correct username and password, you gain access to the shell.
2.​ SSH Login (Remote Login)

You can log into a Unix system remotely using Secure Shell (SSH):​
ssh username@hostname
Example:​
ssh user@192.168.1.1
If it's the first time connecting, you may need to confirm the authenticity of the host.

3.​ GUI Login (Graphical User Interface)​

○​ If using a GUI-based Unix system (like Ubuntu with GNOME/KDE), a login


screen appears, allowing users to enter their credentials.

Logging Out

Once you have finished using the system, you can log out using different methods:

1.​ Using the exit or logout Command


In a terminal, type:​
exit or​
Logout
This will close the session and return to the login prompt.

2.​ Using Ctrl+D​


If you are at a shell prompt, pressing Ctrl+D sends an End-of-File (EOF) signal, closing
the session.
3.​ Logging Out of SSH

If logged in via SSH, type:​


exit
This will disconnect the remote session.

4.​ GUI Logout​

○​ If using a graphical environment, go to the system menu and select "Log Out" or
"Sign Out."
5.​ Killing a Session with pkill or kill

You can log out a user forcefully by terminating their session:​


pkill -KILL -u username or​
kill -9 PID
Replace username with the actual username and PID with the process ID of the session.

File and Directory Commands:

●​ ls – List files in a directory


●​ cd <directory> – Change directory
●​ pwd – Print working directory (current location)
●​ mkdir <directory> – Create a new directory
●​ rmdir <directory> – Remove an empty directory
●​ rm <file> – Remove a file
●​ rm -r <directory> – Remove a directory and its contents
●​ cp <source> <destination> – Copy files and directories
●​ mv <source> <destination> – Move or rename files

File Viewing Commands:


●​ cat <file> – Display the contents of a file
●​ more <file> – View file content page by page
●​ less <file> – Similar to more, but allows scrolling up
●​ head <file> – Show the first 10 lines of a file
●​ tail <file> – Show the last 10 lines of a file

File Permissions and Ownership:

●​ chmod <permissions> <file> – Change file permissions


●​ chown <user>:<group> <file> – Change file owner and group

Process Management:

●​ ps – Display running processes


●​ top – Show system resource usage and running processes
●​ kill <PID> – Terminate a process by its Process ID
●​ killall <process_name> – Kill all processes with a specific name

Disk Usage and System Information:

●​ df -h – Show disk usage in human-readable format


●​ du -sh <directory> – Show directory size
●​ free -h – Show memory usage

Networking Commands:

●​ ping <host> – Check network connectivity


●​ curl <URL> – Fetch data from a URL
●​ wget <URL> – Download a file from a URL

Text Processing:

●​ grep "word" <file> – Search for a word in a file


●​ sort <file> – Sort a file alphabetically
●​ uniq <file> – Remove duplicate lines
●​ wc -l <file> – Count lines in a file

User Management:
●​ whoami – Show current logged-in user
●​ who – Show logged-in users
●​ passwd – Change user password

Chapter 2:

Unix File System & Unix Files

1. Unix File System (UFS) Overview

The Unix File System (UFS) is a hierarchical structure that organizes files and directories
efficiently. It follows a tree-like structure, starting from the root directory (/).

Key Features of the Unix File System:

●​ Hierarchical Structure: Root (/) is the starting point for all files and directories.
●​ File Types: Regular files, directories, symbolic links, device files, etc.
●​ Permissions & Ownership: Controlled by rwx (read, write, execute) permissions for
users, groups, and others.
●​ Inodes: Each file is associated with an inode, storing metadata like size, owner,
permissions, and pointers to actual data blocks.
●​ Mounting: Different file systems (e.g., external drives) can be mounted into the existing
structure.
●​ Journaling (in modern systems like Ext3/Ext4): Prevents corruption by logging
changes before committing them.

File System Layout in Unix:


/ (Root)
├── bin (Essential binaries)
├── boot (Boot files, kernel)
├── dev (Device files)
├── etc (Configuration files)
├── home (User home directories)
├── lib (Shared libraries)
├── tmp (Temporary files)
├── usr (User programs and data)
└── var (Variable data like logs)

2. Unix Files
A file in Unix is simply a sequence of bytes, and it can be one of several types.

Types of Files in Unix:

1.​ Regular Files (-) - Text, binary, program files, etc.


2.​ Directory Files (d) - Containers for other files.
3.​ Symbolic Links (l) - Shortcuts to other files.
4.​ Character Device Files (c) - Interfaces for serial devices (e.g., terminals).
5.​ Block Device Files (b) - Storage devices like hard drives.
6.​ Named Pipes (p) - Used for inter-process communication.
7.​ Sockets (s) - Used for network communication.

File Operations:

●​ Creating a File: touch filename


●​ Listing Files: ls -l
●​ Viewing File Content: cat filename, less filename
●​ Copying Files: cp source destination
●​ Moving/Renaming Files: mv oldname newname
●​ Deleting Files: rm filename
●​ File Permissions: chmod 755 filename

Inodes, Structure, and File System Commands in UNIX

1. Inodes in UNIX

An inode (Index Node) is a data structure that stores metadata about a file. It does not contain
the file name or its actual data but holds essential information such as:

●​ File type (regular file, directory, symbolic link, etc.)


●​ Permissions (read, write, execute)
●​ Owner (UID) and Group (GID)
●​ File size
●​ Number of hard links
●​ Pointers to data blocks
●​ Access, modification, and change timestamps

Each file in a UNIX file system is identified by an inode number rather than its filename.

Checking Inodes

●​ ls -i → Displays inode numbers of files.


●​ df -i → Shows inode usage of mounted filesystems.
●​ stat <filename> → Displays detailed inode information for a file.

2. File System Structure in UNIX

The UNIX file system follows a hierarchical structure with the root directory (/) at the top. The
key components include:

●​ /bin – Essential system binaries.


●​ /etc – Configuration files.
●​ /home – User home directories.
●​ /var – Variable files (logs, spools, etc.).
●​ /dev – Device files.
●​ /mnt – Mount points for additional file systems.
●​ /proc – Virtual filesystem providing process and system information.

3. File System Related Commands

Below are some important UNIX file system commands:

File System Information

●​ df -h → Displays disk space usage in a human-readable format.


●​ du -sh <directory> → Shows disk usage of a directory.
●​ lsblk → Lists information about block devices.
●​ blkid → Displays information about block devices (UUID, type, etc.).
●​ mount → Shows mounted file systems or mounts a file system.
●​ umount <mount_point> → Unmounts a mounted file system.

Inode Management

●​ find / -inum <inode_number> → Finds a file by inode number.


●​ ls -l → Shows file details, including links.
●​ ln <file1> <file2> → Creates a hard link.
●​ ln -s <file1> <file2> → Creates a symbolic (soft) link.

Creating and Managing File Systems

●​ mkfs.ext4 /dev/sdX → Creates an EXT4 file system on a device.


●​ fsck /dev/sdX → Checks and repairs the file system.
●​ tune2fs -l /dev/sdX → Displays file system parameters.
●​ e2fsck -f /dev/sdX → Forces a file system check.
Mounting & Unmounting File Systems

●​ mount /dev/sdX /mnt → Mounts a device to /mnt.


●​ umount /mnt → Unmounts a device.

Shell as a Command Processor

The shell in Unix is a command-line interpreter that allows users to interact with the operating
system by executing commands. It acts as a middle layer between the user and the kernel,
processing input commands and returning output.

Functions of a Shell:

1.​ Command Execution – Executes user commands by interpreting them.


2.​ Script Execution – Runs shell scripts to automate tasks.
3.​ I/O Redirection – Redirects input and output streams (>, <, |).
4.​ Piping – Combines multiple commands (cmd1 | cmd2).
5.​ Process Control – Handles job control (bg, fg, kill).
6.​ Environment Management – Manages environment variables.
7.​ User Interaction – Provides features like history, autocompletion, and aliases.

Types of Unix Shells

1.​ Bourne Shell (sh)


2.​ Bash (Bourne Again Shell)
3.​ C Shell (csh)
4.​ Korn Shell (ksh)
5.​ Z Shell (zsh)

Shell Variables in Unix

Shell variables are used to store data that can be used during command execution or scripting.

Types of Shell Variables

1.​ Local Variables – Defined within a script or session, not accessible outside.
2.​ Environment Variables – Available system-wide for all processes.
3.​ Special Variables – Predefined by the shell (e.g., $?, $#, $0).

Common Shell Variables

●​ $HOME – User’s home directory


●​ $USER – Current logged-in user
●​ $PATH – Directories searched for executables
●​ $SHELL – Default shell for the user
●​ $PWD – Current working directory

Setting and Using Variables

# Defining a variable

NAME="John"

# Accessing a variable

echo $NAME

# Exporting a variable (to make it available to child processes)

export NAME

Special Shell Variables

●​ $0 – Script name
●​ $1, $2, ... – Positional parameters (arguments)
●​ $# – Number of arguments
●​ $? – Exit status of the last command
●​ $$ – Process ID of the shell

1. Command Substitution (`$() or backticks ````)


Command substitution allows storing the output of a command into a variable or using it within
another command.

Example:

DATE=$(date) # Stores current date in DATE variable

echo "Today is: $DATE"

OR using backticks:

HOSTNAME=`hostname`
echo "This system's hostname is: $HOSTNAME"

2. Shell Scripting
A shell script is a file containing a sequence of UNIX commands.

Example:

#!/bin/bash

echo "Hello, this is my script!"

Save the file as myscript.sh and make it executable:

chmod +x myscript.sh

./myscript.sh

3. Functions in Shell Scripts


Functions in Unix allow code reuse.

Example:

#!/bin/bash

greet() {

echo "Hello, $1!"

greet "Alice"

4. Conditionals (if, elif, else)

Example:

#!/bin/bash
echo "Enter a number:"

read num

if [ $num -gt 10 ]; then

echo "Number is greater than 10"

elif [ $num -eq 10 ]; then

echo "Number is exactly 10"

else

echo "Number is less than 10"

fi

5. Loops (for, while, until)

For Loop

for i in 1 2 3 4 5; do

echo "Number: $i"

done

While Loop

count=1

while [ $count -le 5 ]; do

echo "Count: $count"

((count++))

done
Until Loop

num=1

until [ $num -gt 5 ]; do

echo "Num is $num"

((num++))

done

6. Customizing Environment (Aliases, Exports, .bashrc,


.bash_profile)
Setting Aliases

alias ll='ls -la'

alias gs='git status'

Exporting Variables

export PATH=$PATH:/usr/local/bin

export EDITOR=nano

Modifying .bashrc or .bash_profile

●​ Add aliases and exports in ~/.bashrc or ~/.bash_profile for persistent settings.

Introduction to Regular Expressions in Unix

Regular expressions (regex) are patterns used to match character combinations in strings. In
Unix, they are commonly used with commands like grep, sed, awk, and perl for text
processing.

1. Basic Syntax
A regular expression consists of normal characters (a-z, A-Z, 0-9) and special characters
(metacharacters).

Metacharacters in Regex

Symbol Meaning

. Matches any single character

^ Matches the start of a line

$ Matches the end of a line

\ Escape character

` `

() Grouping

[] Character class (matches any character inside the brackets)

2. Character Classes
Character classes allow defining a set of characters to match.

Common Character Classes


Pattern Meaning

[abc] Matches any single character: 'a', 'b', or 'c'

[^abc] Matches any character except 'a', 'b', or 'c'

[0-9] Matches any digit from 0 to 9

[a-z] Matches any lowercase letter

[A-Z] Matches any uppercase letter

[a-zA-Z] Matches any letter (both cases)

[0-9a-fA- Matches any hexadecimal digit


F]

Predefined Character Classes

Pattern Equivalent To

\d [0-9] (matches any digit)

\D [^0-9] (matches any non-digit)


\w [a-zA-Z0-9_] (matches word characters)

\W [^a-zA-Z0-9_] (matches non-word characters)

\s [ \t\n\r\f] (matches whitespace characters)

\S [^ \t\n\r\f] (matches non-whitespace


characters)

3. Quantifiers
Quantifiers specify how many times a character or group should appear.

Symbol Meaning

* Matches 0 or more occurrences (e.g., ab* matches "a", "ab", "abb", "abbb"...)

+ Matches 1 or more occurrences (e.g., ab+ matches "ab", "abb", "abbb", but not
"a")

? Matches 0 or 1 occurrence (e.g., ab? matches "a" or "ab")

{n} Matches exactly n occurrences (e.g., a{3} matches "aaa")


{n,} Matches at least n occurrences (e.g., a{2,} matches "aa", "aaa", "aaaa", ...)

{n,m} Matches between n and m occurrences (e.g., a{2,4} matches "aa", "aaa", or
"aaaa")

4. Regular Expressions in Unix Commands

Using grep

●​ grep "hello" file.txt → Finds lines containing "hello".


●​ grep "^start" file.txt → Finds lines that start with "start".
●​ grep "end$" file.txt → Finds lines that end with "end".
●​ grep -E "cat|dog" file.txt → Finds lines containing "cat" or "dog"
(extended regex).

Using sed

●​ sed -n '/pattern/p' file.txt → Prints lines matching "pattern".


●​ sed 's/foo/bar/g' file.txt → Replaces "foo" with "bar" globally.

Using awk

●​ awk '/pattern/ {print}' file.txt → Prints lines matching "pattern".

Example Usage

echo "hello123" | grep -E '[a-z]+[0-9]+' # Matches words with


letters followed by numbers

echo "apple banana" | sed 's/apple/fruit/' # Replaces "apple"


with "fruit"

awk '/error/ {print}' log.txt # Prints lines containing "error"


Introduction to egrep, sed, awk, and Perl in UNIX

UNIX provides powerful text processing tools that are essential for system administration, data
manipulation, and automation. Some of the most commonly used tools are egrep, sed, awk,
and Perl, each designed to handle text processing efficiently.

1. egrep (Extended grep)


egrep (Extended Global Regular Expression Print) is an enhanced version of grep, allowing
the use of extended regular expressions (EREs). It is used to search for patterns within files.

Features of egrep:

●​ Supports extended regular expressions.


●​ Faster than grep for complex patterns.
●​ Can search multiple patterns using |.

Example Usage:

egrep "error|fail|warning" logfile.txt

This searches for the words error, fail, or warning in logfile.txt.

2. sed (Stream Editor)


sed is a command-line tool used for parsing and transforming text in a stream (file or input). It
is commonly used for search-and-replace operations.

Features of sed:

●​ Performs find and replace (s command).


●​ Supports regular expressions.
●​ Can delete, insert, or modify lines.

Example Usage:

sed 's/apple/orange/g' fruits.txt

This replaces all occurrences of "apple" with "orange" in fruits.txt.


Another example: Deleting lines containing "error":

sed '/error/d' logfile.txt

3. awk (Pattern Scanning and Processing Language)


awk is a powerful text-processing language that works on structured text and fields.

Features of awk:

●​ Processes files line by line.


●​ Works with fields ($1, $2, ... for columns).
●​ Supports arithmetic operations and conditionals.

Example Usage:

Printing the second column of a space-separated file:

awk '{print $2}' data.txt

Filtering lines where the third column is greater than 50:

awk '$3 > 50 {print $0}' data.txt

4. Perl (Practical Extraction and Report Language)


Perl is a full-fledged programming language designed for text manipulation, automation, and
system administration.

Features of Perl:

●​ Strong regular expression support.


●​ File handling and system interaction.
●​ Extensive library support.

Example Usage:

Find and replace in a file:

perl -pe 's/error/success/g' logfile.txt


Print lines that match a pattern:

perl -ne 'print if /failed/' logfile.txt

Comparison of Tools

Tool Use Case Strengths

egre Searching patterns Fast and supports extended regex


p

sed Stream editing Efficient for in-place text modifications

awk Processing structured data Works with fields, supports


calculations

Perl Advanced text manipulation Full programming language with regex

These tools are widely used in UNIX/Linux environments for scripting, automation, and data
analysis. Mastering them can significantly improve productivity in system administration and
software development.

Chapter 4 :

1. The C Compiler in UNIX

The most commonly used C compiler in UNIX is GCC (GNU Compiler Collection). It
compiles C programs into executable binaries.

Installing GCC (if not already installed)

On Debian-based systems (Ubuntu, etc.):​


sudo apt update
sudo apt install build-essential

On Red Hat-based systems (Fedora, CentOS):​


sudo yum groupinstall "Development Tools"

Compiling a C Program

Write a C program (e.g., hello.c):​


#include <stdio.h>

int main() {

printf("Hello, UNIX!\n");

return 0;

Compile it using GCC:​


gcc hello.c -o hello

Run the compiled program:​


./hello

2. The vi Editor in UNIX

The vi (or vim) editor is a powerful text editor used for writing and editing code.

Opening a file with vi

vi filename.c

Modes in vi

●​ Command Mode (default): Used for navigation and editing commands.


●​ Insert Mode: Used to type text (press i to enter this mode).
●​ Visual Mode: Used for selecting text.
●​ Ex Mode: Used for saving, quitting, and running commands.

Basic Commands in vi
Action Command

Insert mode i (insert before cursor), a (insert after


cursor)

Save file :w

Quit :q

Save and quit :wq or ZZ

Quit without saving :q!

Copy (yank) yy (copy a line)

Paste p (after cursor), P (before cursor)

Delete line dd

Search /word (forward), ?word (backward)

3. Compiler Options in GCC

GCC provides various options to optimize, debug, and control compilation.


Common Compiler Options

Option Description

-o Specifies the output file name


output_file

-Wall Enables all warnings

-Wextra Enables additional warnings

-g Includes debugging information (for gdb)

-O1, -O2, -O3 Optimization levels (higher number = more optimization)

-std=c99 Use the C99 standard

-lm Links the math library (libm)

-E Preprocess only (outputs preprocessor result)

-S Generates assembly code

-c Compiles without linking (produces .o file)

Example Usage
Compiling with warnings enabled:​
gcc -Wall -Wextra hello.c -o hello

Compiling with debugging support:​


gcc -g hello.c -o hello

gdb hello

Optimizing for performance:gcc -O2 hello.c -o hello

Summary

●​ GCC is the standard C compiler in UNIX.


●​ vi is a powerful editor used to write and modify C programs.
●​ Compiler options in GCC help with debugging, optimization, and warnings.

Managing Projects in a Unix C Environment

1. Project Management in C on Unix

●​ Organizing code into multiple files for maintainability.


●​ Using version control systems like Git.
●​ Debugging with gdb.
●​ Using build automation tools like make for compilation.

2. Memory Management in C

●​ Static Memory Allocation: Variables declared at compile-time (e.g., global and static
variables).
●​ Stack Memory Allocation: Automatic allocation for local function variables.
●​ Heap Memory Allocation: Using malloc(), calloc(), realloc(), and free()
for dynamic allocation.
●​ Avoiding memory leaks using tools like valgrind.

3. Use of Makefiles in a Unix C Environment

●​ A Makefile automates compilation by specifying rules and dependencies.

Basic Structure of a Makefile:​


CC = gcc

CFLAGS = -Wall -g
TARGET = my_program

OBJS = main.o utils.o

$(TARGET): $(OBJS)

$(CC) $(CFLAGS) -o $(TARGET) $(OBJS)

%.o: %.c

$(CC) $(CFLAGS) -c $< -o $@

clean:

rm -f $(TARGET) $(OBJS)

make builds the project, and make clean removes compiled files.

1. Dependency Calculations in C on UNIX

Dependency calculation refers to determining the dependencies between various files, libraries,
and modules in a C program. In UNIX-based systems, dependency management is crucial for
efficient compilation and linking.

●​ Makefiles: Used to define dependencies and automate the compilation process.

Example:​
program: main.o util.o

gcc -o program main.o util.o

main.o: main.c util.h

gcc -c main.c

util.o: util.c util.h


gcc -c util.c

gcc -M Command: Generates dependency lists for make.​


gcc -M main.c

●​ Header File Dependencies: #include directives in C files determine dependencies.

Shared Library Dependencies: Managed using ldd (lists shared object dependencies).​
ldd ./program

2. Memory Management in C on UNIX

Memory management in C on UNIX is handled through:

●​ Stack: Stores local variables and function calls.


●​ Heap: Stores dynamically allocated memory (malloc, calloc, realloc, free).
●​ Data Segment: Stores global/static variables (.bss for uninitialized, .data for
initialized).
●​ Code Segment: Stores executable instructions.

Key UNIX Memory Management System Calls

●​ sbrk(): Adjusts heap size (used internally by malloc).


●​ mmap(): Allocates large chunks of memory, often for shared memory or file mappings.
●​ munmap(): Deallocates memory allocated via mmap().
●​ brk(): Changes the program's data segment size.

3. Dynamic vs Static Memory in C

Feature Static Memory Allocation Dynamic Memory Allocation

Definition Memory allocated at Memory allocated at runtime


compile-time

Storage Stack or data segment Heap


Allocation Done automatically Uses malloc(), calloc(),
realloc()

Deallocatio Done automatically when Requires manual free()


n function exits

Efficiency Faster access, less overhead More flexible but may cause fragmentation

Example int arr[100]; int *arr = (int *)malloc(100


* sizeof(int));

Example: Static vs Dynamic Memory in C

#include <stdio.h>

#include <stdlib.h>

void staticMemory() {

int arr[5] = {1, 2, 3, 4, 5}; // Static allocation

printf("Static Memory: %d\n", arr[2]);

void dynamicMemory() {

int *arr = (int *)malloc(5 * sizeof(int)); // Dynamic


allocation

if (arr == NULL) {

printf("Memory allocation failed!\n");

return;
}

arr[2] = 10;

printf("Dynamic Memory: %d\n", arr[2]);

free(arr); // Free allocated memory

int main() {

staticMemory();

dynamicMemory();

return 0;

1. Creating and Using a Static Library (.a file)

Step 1: Write the Library Code

Create some C source files that will be part of the library.

Example: math_functions.c

#include <stdio.h>

void add(int a, int b) {

printf("Sum: %d\n", a + b);

void multiply(int a, int b) {

printf("Product: %d\n", a * b);


}

Example: math_functions.h

#ifndef MATH_FUNCTIONS_H

#define MATH_FUNCTIONS_H

void add(int a, int b);

void multiply(int a, int b);

#endif

Step 2: Compile the Object Files

Compile the source file into an object file (.o).

gcc -c math_functions.c -o math_functions.o

Step 3: Create the Static Library

Use the ar command to create an archive (.a file).

ar rcs libmath.a math_functions.o

●​ r → Replace or add the file in the archive.


●​ c → Create the archive if it does not exist.
●​ s → Add an index to the archive (optional but recommended).

Step 4: Compile and Link the Program with the Static Library

Create a main program that uses this library.

Example: main.c

#include "math_functions.h"

int main() {

add(3, 5);
multiply(4, 6);

return 0;

Compile and link it with the static library:

gcc main.c -L. -lmath -o main_static

●​ -L. → Looks for libraries in the current directory.


●​ -lmath → Links against libmath.a (prefix lib and suffix .a are automatically
assumed).

Run the program:

./main_static

2. Creating and Using a Dynamic Library (.so file)

Step 1: Compile the Object File as Position-Independent Code (PIC)

gcc -fPIC -c math_functions.c -o math_functions.o

●​ -fPIC → Generates position-independent code required for shared libraries.

Step 2: Create the Shared Library

gcc -shared -o libmath.so math_functions.o

●​ -shared → Creates a shared library (.so file).

Step 3: Compile the Main Program and Link with the Shared Library

gcc main.c -L. -lmath -o main_dynamic

Step 4: Run the Program with the Shared Library

The system needs to find the shared library. Either:

●​ Move libmath.so to /usr/lib/ or /usr/local/lib/


●​ Set LD_LIBRARY_PATH to include the current directory:

export LD_LIBRARY_PATH=.:$LD_LIBRARY_PATH

./main_dynamic

3. Checking and Debugging Libraries


List Symbols in the Library

nm libmath.a # For static library

nm -D libmath.so # For shared library

Check Dependencies

ldd main_dynamic

This will show the shared libraries needed by main_dynamic.

4. Advantages and Differences

Feature Static Library (.a) Shared Library (.so)

Size of Large (library copied inside) Small (uses external .so file)
Executable

Performance Faster (no runtime linking) Slightly slower (runtime linking


required)

Portability Easier (self-contained binary) Requires the .so file to be available


Updatability Needs recompilation for Can update .so separately
updates

1. ldd (List Dynamic Dependencies)

The ldd command is used to display shared object dependencies of a given executable or shared
library.

Usage:

ldd my_program

Example:

$ gcc -o my_program my_program.c -lm

$ ldd my_program

Output:

linux-vdso.so.1 (0x00007ffd16d4b000)

libm.so.6 => /lib/x86_64-linux-gnu/libm.so.6


(0x00007f8e8a2c0000)

libc.so.6 => /lib/x86_64-linux-gnu/libc.so.6


(0x00007f8e8a0f0000)

/lib64/ld-linux-x86-64.so.2 (0x00007f8e8a4e0000)

●​ This output shows the shared libraries required for execution.


●​ The dynamic loader loads these libraries at runtime.

2. SONAME (Shared Object Name)

Each shared library has a SONAME that helps dynamic linking at runtime. It ensures
compatibility across different versions.

Checking SONAME:

objdump -p /lib/x86_64-linux-gnu/libm.so.6 | grep SONAME


Output:

SONAME libm.so.6

●​ SONAME ensures that the correct version of a shared library is used.


●​ When linking, it points to a symlink like libm.so → libm.so.6.0.9.

Example: Creating a Shared Library with SONAME

gcc -fPIC -shared -Wl,-soname,libexample.so.1 -o


libexample.so.1.0 mylib.c

ln -s libexample.so.1.0 libexample.so.1

ln -s libexample.so.1 libexample.so

●​ This sets up a versioned shared library structure.

3. Dynamic Loader (ld-linux.so)

●​ The dynamic loader (/lib64/ld-linux-x86-64.so.2) loads shared libraries at


runtime.

To manually invoke the dynamic loader:​


/lib64/ld-linux-x86-64.so.2 ./my_program

The environment variable LD_LIBRARY_PATH can be used to specify custom library paths:​
export LD_LIBRARY_PATH=/custom/path:$LD_LIBRARY_PATH

4. Debugging with GDB

GDB (GNU Debugger) is used for debugging C programs in Unix.

Compiling with Debug Symbols:

gcc -g -o my_program my_program.c

Running GDB:

gdb ./my_program

Common GDB Commands:


Command Description

break main Set a breakpoint at main()

run Run the program

next (n) Step over function calls

step (s) Step into function calls

print var (p Print the value of var


var)

bt Show the backtrace (call stack)

continue (c) Continue execution until next breakpoint

list Show source code around current line

info Show loaded shared libraries


sharedlibrary

disassemble Show assembly instructions

Example Debugging Session:


gdb ./my_program

(gdb) break main

(gdb) run

(gdb) step

(gdb) print my_variable

(gdb) bt

(gdb) quit

Conclusion

●​ ldd checks dynamic dependencies.


●​ SONAME ensures library compatibility.
●​ Dynamic Loader (ld-linux.so) loads shared libraries.
●​ GDB helps debug C programs

Chapter 5 :

In Unix, a process is an instance of a running program. The Unix operating system manages
processes using a process table, where each process is assigned a unique Process ID (PID).

Types of Processes in Unix


1.​ Foreground Process – Runs interactively, requiring user input (e.g., vim file.txt).
2.​ Background Process – Runs independently of user input (e.g., python script.py
&).
3.​ Daemon Process – Background process that runs continuously (e.g., cron jobs).
4.​ Zombie Process – A terminated process that still has an entry in the process table.
5.​ Orphan Process – A child process whose parent has terminated.

Process States in Unix


1.​ New – Process is created.
2.​ Running – Actively executing on the CPU.
3.​ Waiting (Blocked) – Waiting for an event or resource.
4.​ Stopped – Halted by a signal (e.g., using CTRL+Z).
5.​ Terminated (Zombie) – Completed execution but waiting for the parent to collect its exit
status.

Process Control Commands


●​ ps – Displays currently running processes.
●​ top – Shows real-time process statistics.
●​ kill PID – Terminates a process.
●​ kill -9 PID – Forcefully kills a process.
●​ fg – Brings a background process to the foreground.
●​ bg – Resumes a stopped process in the background.
●​ nice – Runs a process with a lower priority.
●​ renice – Changes the priority of a running process.

1. Initialization Process in UNIX


When a UNIX system boots up, it goes through the following steps:

1.​ BIOS/UEFI & Bootloader​

○​ The BIOS/UEFI loads the bootloader (e.g., GRUB, LILO).


○​ The bootloader loads the UNIX kernel into memory.
2.​ Kernel Initialization​

○​ The kernel initializes hardware, mounts the root filesystem, and starts the first
user-space process (init or systemd).
3.​ init or systemd Process (PID 1) Starts​

○​ This is the parent of all other processes and controls system initialization.
○​ It runs initialization scripts to set up system services.

2. rc and init Files in UNIX


The initialization scripts executed during boot are typically found in the /etc directory and vary
depending on the UNIX variant (System V, BSD, or Linux).

init Process and Its Configuration


●​ The init process (or systemd in modern Linux) controls the system's runlevels
(System V) or targets (systemd).
●​ Configuration files:
○​ System V (/etc/inittab): Defines what to do at each runlevel.
○​ Systemd (/etc/systemd/system/ and /lib/systemd/system/):
Uses .service files instead of inittab.

rc (Run Command) Scripts

●​ These are scripts executed at different runlevels to start/stop system services.


●​ Locations:
○​ /etc/rc.d/ or /etc/init.d/ – Main directory containing service scripts.
○​ /etc/rc.local – Custom script for user-defined startup commands.
○​ /etc/rcX.d/ – Scripts for specific runlevels (where X is the runlevel number).

Common rc Scripts

●​ /etc/rc.sysinit – Performs system-wide initialization (e.g., setting hostname,


checking filesystems).
●​ /etc/rc.local – Runs user-defined startup commands at the end of boot.

3. Runlevels and rc Scripts in System V


System V init uses runlevels:

Runlevel Purpose

0 Halt (Shutdown)

1 Single-user mode (Maintenance)

2 Multi-user mode without networking


3 Multi-user mode with networking (CLI)

4 Unused (custom)

5 Multi-user with GUI

6 Reboot

Each runlevel has its own directory (/etc/rcX.d/) containing symbolic links to
startup/shutdown scripts.

●​ Scripts starting with S (e.g., S20network) are executed to start services.


●​ Scripts starting with K (e.g., K20network) are executed to stop services.

4. Modern Replacement: systemd


Many modern Linux distros use systemd instead of System V init:

●​ Uses targets instead of runlevels (e.g., multi-user.target,


graphical.target).
●​ Service files are located in /etc/systemd/system/ and
/lib/systemd/system/.
●​ Uses commands like:
○​ systemctl start service_name
○​ systemctl enable service_name

Job Control in UNIX

Job control refers to managing background and foreground processes.

1.​ at – Schedules a one-time job to run at a specified time.


○​ Example: echo "ls -l" | at 15:30
2.​ batch – Runs jobs when system load permits.
○​ Example: echo "backup.sh" | batch
3.​ cron – Used for scheduling recurring tasks.

Example: Add a cron job using crontab -e​


0 2 * * * /home/user/backup.sh

4.​ time – Measures the execution time of a command.


○​ Example: time ls -l

Network Files in UNIX

Network files allow remote systems to access shared resources.

●​ /etc/hosts – Maps IP addresses to hostnames.


●​ /etc/resolv.conf – Configures DNS resolution.
●​ /etc/network/interfaces – Network configuration for interfaces.
●​ NFS (Network File System) – Enables file sharing over a network.

Security in UNIX

Security is managed using user permissions, authentication, and system policies.

1.​ Privileges​

○​ Superuser (root) has full control.


○​ Users have restricted permissions defined by chmod, chown, and umask.
2.​ Authentication​

○​ Login authentication using /etc/passwd and /etc/shadow.


○​ PAM (Pluggable Authentication Modules) for enhanced security.
3.​ Password Administration​

○​ Change password: passwd


○​ Password policies are set in /etc/security/pwquality.conf.

Archiving in UNIX

Used for backup and data management.

●​ tar – Archives files (tar -cvf archive.tar myfiles/).


●​ gzip/bzip2 – Compresses files (gzip file.txt).
●​ zip/unzip – Used for portable compression.

Signals and Signal Handlers in Processes

Signals allow communication with processes.

●​ Common signals:​

○​ SIGTERM (15) – Terminate a process gracefully.


○​ SIGKILL (9) – Forcefully kill a process.
○​ SIGINT (2) – Interrupt process (Ctrl+C).
○​ SIGSTOP (19) – Pause a process.

Handling signals in C:​


#include <stdio.h>

#include <signal.h>

#include <unistd.h>

void handle_signal(int sig) {

printf("Caught signal %d\n", sig);

int main() {

signal(SIGINT, handle_signal);

while (1) {

printf("Running...\n");

sleep(1);

return 0;

You might also like