operating systems
operating systems
• System calls provide the interface between a process and the operating system. • Typically not accessed directly by programs.
• The purpose of system call is to request the operating system to perform some activity. • Accessed via a high-level Application Program
• The execution of a system call requires the user process to: Interface (API).
○ Save its current state. • Common APIs:
○ Let the operating system take control of the CPU and perform some function. ○ Win32 API (Windows)
○ Then OS saves its state and gives control of the CPU back to the user process. ○ POSIX API (UNIX, Linux, Mac OS X)
• System calls are generally available as assembly language instructions. ○ Java API (JVM)
• But assembly language programming is considered difficult. Types of System Calls
• Therefore, high-level languages such as C, C++, PERL etc., allow these system calls to be
1. Process Control
made directly.
○ end, abort
• System calls are the programming interface to the services provided by the OS.
○ load, execute
• Typically written in a high-level language (C or C++).
○ create process, terminate process
• The mechanism used by an application program to request service from the operating
○ get/set process attributes
system.
○ wait for time
• System calls cause the processor to change mode (e.g. to supervisor or protected mode).
○ wait event, signal event
• This allows the OS to perform restricted actions such as accessing hardware devices or the
○ allocate and free memory
memory management unit.
2. File Management
Steps in Handling a System Call ○ create file, delete file
• A number is associated with each system call. ○ open, close
• This number is used as an index to a table called the system call table. ○ read, write, reposition
• The table keeps addresses of system call routines. ○ get/set file attributes
• System call runs and returns. 3. Device Management
• The caller does not know system call implementation—only knows the interface. ○ request/release device
System Call Parameter Passing Methods ○ read, write, reposition
1. Registers: Parameters passed in registers. ○ get/set device attributes
2. Memory Block: Parameters stored in a memory block and its address passed in a register. ○ logically attach/detach devices
(Used by Linux and Solaris) 4. Information Maintenance
3. Stack: Parameters pushed onto the stack and popped off by the OS. ○ get/set time or date
Examples of Important System Calls ○ get/set system data
○ get/set process, file, or device attributes
• wait(): Suspends parent process until child finishes execution.
• fork(): Creates a child process. 5. Communication
exec(): Replaces current process image with a new one. ○ create/delete communication connection
•
• kill(): Sends termination signal to a process. ○ send/receive messages
• exit(): Terminates process execution and reclaims resources. ○ transfer status information
○ attach/detach remote devices
landscape Page 1
Q. What are the different functions of an Operating System?
1. Process Management c) Caching
• A process is a program in execution. • Frequently used data is stored in cache (a fast memory) to reduce
• Example: A word-processing program being run by a user on a PC. access time.
• A process requires resources such as: • Cache exists between RAM and CPU to speed up operations.
○ CPU time Key points: • Instruction cache stores upcoming instructions
○ Memory • Data cache stores frequently accessed data
○ Files • Cache coherency must be maintained in multiprocessor systems
○ I/O devices • Caches are small, so efficient cache management is critical
• These are either allocated at process creation or during execution. • Same data may exist in multiple storage levels (e.g., RAM, cache,
The OS is responsible for the following process management activities: registers)
• Scheduling processes and threads on the CPU • Updated data must be synchronized across all copies
• Creating and deleting user and system processes • In distributed systems, updated replicas must be synchronized
• Suspending and resuming processes 4. I/O Management
• Providing mechanisms for process synchronization • Abstracts hardware complexities from the user.
• Enabling process communication • Every OS has an I/O subsystem to manage device communication and
2. Memory Management operations.
• Main memory is directly accessed by the CPU. 5. Protection and Security
• For a program to execute, it must be loaded into memory with absolute addresses. Protection:
• On termination, memory space is freed. • Controls access to resources (files, memory, CPU)
• To improve CPU utilization and system responsiveness, multiple programs are kept in • Ensures processes operate within allowed memory regions
memory. • Uses timers to prevent indefinite CPU usage
The OS is responsible for: Security:
• Tracking memory usage and ownership • Defends against internal and external threats
• Deciding which processes/data to move in and out of memory • Protects against viruses, worms, denial-of-service attacks, identity theft
• Allocating and deallocating memory space as required • Maintains a list of users with user IDs
3. Storage Management • Allows group-based access control using group names and IDs
a) File-System Management • Ensures only authorized users or groups access specific resources
• Files store programs (source and object forms) and data. Sure, Rosu! Here's the same content rewritten neatly in pointwise
• Data files may be numeric, alphabetic, alphanumeric, or binary. format, exactly based on the given text:
The OS handles:
• Creating and deleting files ✅ Steps in Handling a Page Fault
• Creating and deleting directories 1. We check an internal table (usually kept with the process control block) for this process to
• Manipulating files and directories determine whether the reference was a valid or an invalid memory access.
• Mapping files to secondary storage 2. If the reference was invalid, we terminate the process.
• Backing up files to non-volatile storage If it was valid but we have not yet brought in that page, we now page it in.
b) Mass Storage Management 3. We find a free frame (by taking one from the free-frame list, for example).
• Main memory is limited &volatile, so secondary storage(disks) is needed 4. We schedule a disk operation to read the desired page into the newly allocated frame.
• Disks are used for storing programs and data permanently. 5. When the disk read is complete, we modify the internal table kept with the process and the
The OS performs: • Free-space management page table to indicate that the page is now in memory.
• Storage allocation 6. We restart the instruction that was interrupted by the trap.
• Disk scheduling The process can now access the page as though it had always been in memory.
landscape Page 2
Message Size:
INTERPROCESS COMMUNICATION • Fixed or variable.
• Processes executing concurrently in an OS can be:
○ Independent: Cannot affect or be affected by other processes. Do not share data. NAMING
○ Cooperating: Can affect or be affected by other processes. Share data. 1. Direct Communication
IPC Mechanism is required for cooperating processes to exchange data ,info ○ Processes must explicitly name sender/receiver.
IPC Models ○ Example:
1. Shared Memory ▪ send(P, message) — Send to process P.
○ Shared region of memory used for communication. ▪ receive(Q, message) — Receive from process Q.
○ Processes read/write data directly. Properties:
○ Faster than message passing. ○ Link is established automatically.
○ System calls are needed only to establish shared memory. ○ One link per process pair.
○ After setup, accesses are treated as routine memory accesses. ○ Can be symmetric or asymmetric.
2. Message Passing 2. Indirect Communication
○ Communication via messages between processes. ○ Messages are sent/received through mailboxes.
○ Useful for smaller data and distributed systems. ○ Example:
○ Requires system calls for each message exchange. ▪ send(A, message) — Send to mailbox A.
▪ receive(A, message) — Receive from mailbox A.
SHARED MEMORY SYSTEMS
• Requires establishing a shared memory region. SYNCHRONIZATION
• Other processes must attach the shared segment to their address space. • Blocking (Synchronous):
Example: Producer–Consumer Problem ○ Blocking send: Sender waits until message is received.
• Producer: Produces information (e.g., compiler outputs). ○ Blocking receive: Receiver waits for message.
• Consumer: Consumes information (e.g., assembler inputs). • Non-blocking (Asynchronous):
• Shared buffer allows concurrent execution. ○ Non-blocking send: Sender continues after sending.
Buffer Types: ○ Non-blocking receive: Receiver gets message or null.
• Unbounded buffer: No limit on size. BUFFERING Messages reside in a temporary queue. Types:
• Bounded buffer: Fixed size, implemented as a circular array. 1. Zero Capacity
Pointers: ○ No waiting messages.
• in: Next free position in buffer. ○ Sender blocks until message is received.
• out: First full position in buffer. 2. Bounded Capacity
• Buffer is empty: in == out ○ Finite size n.
• Buffer is full: (in + 1) % BUFFER_SIZE == out ○ Sender blocks if queue is full.
MESSAGE-PASSING SYSTEMS 3. Unbounded Capacity
• Allows communication and synchronization without shared memory. ○ Infinite length.
• Example: Internet chat program. ○ Sender never blocks.
Operations: send(message)
receive(message)
landscape Page 3
Aspect Preemptive Scheduling Non-Preemptive Scheduling
Definition CPU can be taken away from a running process before it finishes. Once CPU is allocated, the process runs till it terminates or
switches to waiting state.
Scheduling Trigger Occurs during all four conditions: process termination, I/O wait, I/O Occurs only when process terminates or requests I/O.
complete, or interrupt.
CPU State CPU is busy, but can be interrupted for a higher priority or ready CPU is idle when a new scheduling decision is made.
process.
Process Control The OS forcibly removes a process from the CPU. The process voluntarily releases the CPU.
Priority Handling High-priority processes can preempt low-priority ones. Priority doesn't affect current execution; it waits its turn.
System Overhead Higher overhead due to frequent context switches. Lower overhead since switching is less frequent.
Data Consistency May cause inconsistency if one process is updating data and gets No such risk as process completes its CPU burst before giving up
Issue preempted. CPU.
Used In Real-time and multitasking systems where responsiveness is critical. Simpler systems or batch processing systems.
landscape Page 4
Q: What are the two modes of operation of an Operating System? Single Processor System Multiprocessor System
1. User Mode
○ In this mode, user applications are executed. Consists of only one main CPU that executes Consists of two or more CPUs in close
○ Access to critical system resources and hardware is restricted. general-purpose instructions. communication, sharing bus, memory, and
○ Privileged instructions cannot be executed. peripherals.
2. Kernel Mode (also known as Supervisor/System/Privileged Mode) Other special-purpose processors (e.g., disk, All processors can execute user-level tasks and
○ In this mode, the operating system runs with full access to hardware and all keyboard controllers) may exist, but they do not work in coordination.
system resources. execute user processes.
○ It can execute privileged instructions and manage low-level tasks.
Less throughput — limited to one task at a time. Higher throughput — more work completed
A hardware-supported mode bit distinguishes the modes:
in less time due to parallel execution.
• 0 for kernel mode
• 1 for user mode No fault tolerance — if the CPU fails, the system More reliable — if one CPU fails, others can
A system call switches the CPU to kernel mode, and a return from system call switches it halts. take over, and the system continues running.
back to user mode. This dual-mode mechanism helps the OS protect itself and manage Typically cheaper initially, but lacks scalability. Offers economy of scale — shared resources
processes securely. reduce total cost compared to multiple single-
CPU systems.
Q: What are the steps involved in the booting process? (3 Marks)
1. BIOS/UEFI Execution:
Q: What is an Operating System? State its purpose and objectives. (3 Marks)
○ When the system is powered on, BIOS (firmware in ROM) initializes hardware and
An Operating System (OS) is a system software that acts as an interface between the user and
loads the bootloader.
computer hardware. It manages hardware, software, and system resources.
2. Bootstrap Loader:
Purpose:
○ The bootstrap loader, stored in ROM or EPROM, locates the kernel, loads it into
• To enable user-friendly interaction with hardware.
RAM, and starts its execution.
• To manage system resources efficiently.
3. Kernel Execution:
Objectives:
○ Once loaded into memory, the kernel starts running, and the operating system
1. Convenience – Makes the computer easier to use.
becomes fully functional.
2. Efficiency – Manages resources for optimal performance.
3. Resource Management – Controls CPU, memory, and I/O devices.
Q: What are the three methods used to pass parameters to OS
4. Security & Protection – Ensures safe access to data and system.
1. Registers:
○ Parameters are passed using CPU registers.
Q: advantages of Peer-to-Peer (P2P) system over Client-Server system.
2. Block or Table in Memory:
1. Cost-effective:
○ Parameters are stored in a block, and the address of the block is passed via a
○ No need for a dedicated server; all nodes act as both client and server.
register.
2. Scalability:
3. Stack:
○ Easy to add more nodes without much configuration or cost.
○ Parameters are pushed onto the stack by the program and popped off by the OS.
3. Reduced Server Load:
○ Since resources are distributed among peers, no central server bottleneck
Q: What are the different types of scheduling queues in an Operating System? (3 Marks)
1. Job Queue:
○ Contains all processes in the system.
2. Ready Queue: Q: Why is context switching considered an overhead to the system? (3 Marks)
○ Holds processes that are ready and waiting to execute on the CPU. Context switching is the process of storing and restoring the state (context) of a CPU so that
3. Device Queue: execution can be resumed from the same point later.
○ Contains processes waiting for a specific I/O device. It is considered overhead because:
1. No useful work is done during the switch — only state saving/loading.
2. Consumes CPU time and memory bandwidth.
3. Frequent switches reduce overall system efficiency.
landscape Page 5
Q: What is a Process Control Block (PCB)? State its use in Operating System. (3 Marks) Q: What are Monitors in Operating Systems? (3 Marks)
A Process Control Block (PCB) is a data structure used by the operating system to store all A monitor is a high-level synchronization construct used to control access to shared
information about a process. resources in concurrent programming.
Use in OS: Key points:
• The PCB tracks the state of a process and enables process management and context 1. Encapsulates shared variables, procedures, and synchronization mechanisms (like
switching. condition variables).
Contents of PCB include: 2. Only one process can be active inside a monitor at a time, ensuring mutual exclusion.
1. Process ID 3. Helps prevent race conditions and simplifies thread management.
2. Process state
3. CPU registers Q: What is a race condition? Give an example. (3 Marks)
4. Memory management info A race condition occurs when two or more processes access shared data concurrently, and
5. I/O status and accounting info the final outcome depends on the order of execution, leading to unexpected results.
Example:
Q: How is a process created using the fork() system call? (3 Marks) Two processes updating a shared variable x = x + 1 at the same time may result in incorrect
• The fork() system call is used to create a new process in UNIX/Linux systems. value if proper synchronization (like semaphores or mutexes) is not used.
• When a process calls fork(), it creates a child process that is an exact copy of the parent.
• Both parent and child processes continue execution from the next instruction after the Q: What is Belady’s Anomaly? Give an example. (3 Marks)
fork() call. Belady’s Anomaly is a phenomenon where increasing the number of page frames results in
• fork() returns: more page faults in certain page replacement algorithms like FIFO.
○ 0 to the child process Example:
○ Child's PID to the parent process For the reference string: 1, 2, 3, 4, 1, 2, 5, 1, 2, 3, 4, 5
○ -1 if process creation fails • With 3 frames → 9 page faults
• With 4 frames → 10 page faults
Q: Explain the function of Memory Management Unit (MMU). (3 Marks) This unexpected increase is known as Belady’s Anomaly.
The Memory Management Unit (MMU) is a hardware component that handles all memory-related
operations in a computer system. Q: Does segmentation suffer from fragmentation? Justify your answer. Yes, segmentation
1. Address Translation: suffers from external fragmentation.
○ Converts logical (virtual) addresses into physical addresses. Justification:
2. Memory Protection: • In segmentation, memory is divided into variable-sized segments based on logical
○ Ensures that one process cannot access memory of another process. divisions (e.g., code, data).
3. Efficient Memory Allocation: • When segments are loaded and removed, free memory becomes scattered, leading to
○ Supports paging, segmentation, and virtual memory, optimizing memory use. external fragmentation.
• However, internal fragmentation does not occur since each segment gets exactly the
Q: What is improper usage of semaphore causing deadlock? Give example. (3 Marks) memory it needs.
Improper use of semaphores can lead to deadlock when multiple processes hold some semaphores
and wait indefinitely for others, causing a circular wait. Q: Does paging suffer from fragmentation? Justify your answer.
Example: Paging does not suffer from external fragmentation, as memory is divided into fixed-size
Process P1: wait(S1); wait(S2); pages and frames, and any free frame can be used for a page. However, it suffers from
Process P2: wait(S2); wait(S1); internal fragmentation when a page does not fully occupy its allocated frame, resulting in
If P1 holds S1 and P2 holds S2, both wait for each other to release the other semaphore, causing wasted memory within the page.
deadlock.
Cause:
• Acquiring semaphores in inconsistent order
• Not releasing semaphores properly
landscape Page 6
Aspect Logical Address Space Address Binding 1. Seek Time:
○ The time taken by the disk's read/write head to position
Definition The range of addresses generated by the CPU for a The process of mapping logical addresses to itself over the correct track.
program. physical addresses. 2. Rotational Latency (or Delay):
Also Known Virtual address space. Address translation. ○ The time it takes for the disk to rotate and position the
As correct sector under the read/write head.
3. Transfer Time:
Purpose Used for program execution to access memory in a Ensures that logical addresses are mapped to
○ The time taken to read or write data once the correct sector
virtual manner. physical memory.
is under the read/write head.
Binding Logical addresses are generated during program Binding occurs at compile, load, or run time. 4. Rotational Delay:
Process execution. ○ Same as rotational latency, the delay caused by the rotation
of the disk.
5. Disk Bandwidth:
Feature Dynamic Loading Dynamic Linking ○ The rate at which data can be read from or written to the
Definition The process of loading a program or library into The process of linking libraries to a program during disk, typically measured in bytes per second.
memory only when needed during execution. execution rather than at compile-time.
When It Happens at runtime when a function or module is Occurs when a program is run, linking libraries Q: What is disk formatting? (3 Marks)
Occurs needed. dynamically. Disk formatting is the process of preparing a storage device (like a
hard disk or SSD) for data storage. It involves two key steps:
Memory Saves memory by loading only required parts of the Reduces program size by linking external libraries at a. Low-level formatting (Physical formatting):
Usage code. runtime. ▪ Organizes the storage space into tracks and sectors.
b. High-level formatting:
▪ Creates file systems (e.g., FAT, NTFS) and allocates
Aspect Compile-Time Address Binding Load-Time Address Binding
storage for files.
Definitio The compiler assigns physical addresses to variables. Addresses are assigned when the program is loaded Q: What is a Single-Level Directory Structure? Give an example.
n into memory. A Single-Level Directory Structure has only one directory for all
Timing Done at compile time before execution. Done at load time when the program is loaded into files. All files are stored in a single list or directory, making it simple
memory. but less efficient for organizing large numbers of files.
Example:
Flexibilit Less flexible – The program must always load at the More flexible – Program can be loaded at any • In early operating systems like MS-DOS, all files were stored
y same memory address. available memory address. in the root directory, such as:
C:\file1.txt, C:\file2.txt, etc.
Q: What is Virtual Memory? Include one memory scheme that supports virtual memory.
Virtual Memory is a memory management technique that gives an "idealized" view of the memory, allowing programs to Q: What is a two-level structure? Provide an example. (3 Marks)
use more memory than what is physically available by swapping data between RAM and disk storage. A two-level structure is a hierarchical arrangement where a system
Memory Scheme Supporting Virtual Memory: is divided into two levels:
○ Divides memory into fixed-size blocks called pages. 1. Upper Level (Control Level):
○ It uses a page table to map virtual addresses to physical addresses, enabling efficient memory utilization. ○ Manages the operation of the system or process.
2. Lower Level (Execution Level):
Q: How does swapping give better results in memory management? (3 Marks) ○ Handles the actual execution of tasks or functions.
1. Efficient Use of RAM: Example:
○ It allows processes to be swapped in and out of physical memory, making better use of available RAM. • Operating System:
2. Maximizing Multitasking: ○ Upper Level: OS kernel manages resources,
○ Enables more processes to run concurrently by temporarily moving inactive processes to disk. scheduling, and access control.
3. Preventing Memory Shortage: ○ Lower Level: User applications that utilize system
○ Helps avoid memory fragmentation by keeping only the necessary parts of programs in memory. resources (e.g., file operations, input/output).
landscape Page 7
Mod 1
Thursday, May 15, 2025 2:29 AM
Here are the concise answers to the questions you've asked, Rosu:
13 a) What is professionalism?
b) ' Discuss the motives of professionalism and the
Thanks, Rosu! You’ve provided a large list of questions —perfect for identifying repeated and important engineers.
1. Kohlberg's Theory of Moral Development
ones. I’ve carefully analyzed and filtered out the most frequently repeated or thematically recurring 14 a) Compare and Contrast Kohlberg's and Gilligan's Kohlberg proposed three levels with two stages each:
questions across this list. These are likely to be repeated in exams or are considered important for examples. • Level 1: Pre-conventional
internal assessments. ○ Stage 1: Obedience and Punishment
(8) ○ Stage 2: Individualism and Exchange
✅ Repeated Questions (At least 2 times or more) (6) • Level 2: Conventional
○ Stage 3: Good Interpersonal Relationships
1. Caring and Sharing / Cooperation and Commitment
(4) ○ Stage 4: Maintaining Social Order
• “Explain the role of caring and sharing in a workplace.”
“Explain the role of cooperation and commitment in ethical practice.” models for professional (10) • Level 3: Post-conventional l9a With examples, explain 'managing conflicts' with respect to enginers
•
Theories with real life (14) ○ Stage 5: Social Contract and Individual Rights as mannagerss as (7)
• “Explain caring and sharing.”
l3a Interpret the different professional roles that engineers should adopt. ○ Stage 6: Universal Ethical Principles managers.
• “Explain the need of cooperation and commitment.”
l3b Describe in detail about Ethical Theory of Right Action. l9b What is meant by computer ethics?
Status: Core workplace values – Repeated at least 3 times in different forms.
20a How is a consulting engineer different from a salaried engineer?
2. Compare Kohlberg and Gilligan's Theories How are the
2. Academic Integrity Aspect Kohlberg Gilligan
l4a lllustrate the importance of consensus and the problem of controversy, while (6) ethical responsibilities of a consulting engineer different from a salaried
• “Elucidate the relevance of academic integrity in engineering with examples.”
considering moral autondrny in engineering ethics with the help of examples. Focus Justice, rights, rules Care, responsibility, relationships engineer?
• “Explain about academic integrity and write the five pillars of academic integrity.”
l4b Outline on moral development and the three stages of Kohlberg's theory of (8) 20b Explain environmental ethics..
• “Explain the different aspects of academic integrity.” Perspective Male-centric Female-centric
\
moral development.
Status: Directly repeated with variations – Repeated 3 times Moral development Logic and reason Emotions and empathy
l3a Illustrate variety of moral issues in engineering profession with examples. (7)
l3b Describe the three main levels of Kohlberg's theory of Moral Development? (7) Criticism by Gilligan Ignores female voice and moral style Proposes an alternative care-based model
3. Professional Ethics (Scope/Importance) Describe the two world views on Environmental Ethics.
Also, bring back the limitations of Kohlberg's Theory
• “Define and explain the scope and importance of professional ethics in engineering.” Explain the different types of issues in Computer Ethics.
• “Explain the scope and importance of professional ethics in engineering.”
OR 3. Ethical Theories of Right Action Explain the features, advantages and limitations ofMNCs.
Status: Almost exactly the same – Repeated 2 times • Utilitarianism: Right action maximizes overall happiness.
? • Deontology: Right action follows rules or duties (Kantian ethics). How is a computer used as an instrument of unethical behaviour?
4. Service Learning (7) • Rights Theory: Protects individual rights (e.g., human rights). Explain the role of engineers as managers.
• “Exemplify service learning and its importance. How is it related to experimental learning?” (7) • Virtue Ethics: Focuses on moral character, not just actions. Explain the meaning and relevance of environmental ethics.
• “Examine how service learning is applicable in engineering education.” • Justice Theory: Ensures fairness and equity in distribution. Write about technology transfer and appropriate technology.
• “Explain the qualities of service learning.” Page lbf2 • Care Ethics: Values compassion and care in relationships. l9(a) Examine the importance of engineener as moral leaders. (7)
Status: Concept tested in different contexts – Repeated 3 times l9(b) " Describe the role of computers in technological development. (7)
20 Define Multinational Companies. Explain the advantages and
5. Work Ethics / Strong Work Ethics
0200HUfiroor223o3 4. Types of Inquiries in Engineering Ethics limitations of Mnc(14)
• Normative Inquiry: Examines how engineers ought to act morally.
• “List core elements of strong work ethics.” 14 Compare different tlreories about right action, and show how it helps in (14) "{,9{4 Expain the characteristics of Business ethics (7)
• Conceptual Inquiry: Clarifies meaning of concepts (e.g., safety, risk).
• “Explain the core elements of a strong work ethics.” pmfessionalism. lgtb)explai role of computers in technical development. . {7}
• Factual/Descriptive Inquiry: Investigates actual events or behaviors.
• “Explain the steps for developing a strong work ethic.”
Status: Focused on traits, asked in 3 different forms 13 a) Describe the theories of right action. . :... . , :
b) Describe self-interest with examples. 5. Gilligan’s Theory of Moral Development
6. Human Values (Core/Types/Importance) 14 a) Explain three main levels of moral developments devised by Kohlberg with Three levels of moral development focused on care and relationships: t 20 Explain t*:e advantages and limitatisns of MNCs.
• “Summarize the importance of human values in this era and list out few core human values.” real life examples. • Level 1: Orientation to Individual Survival l9a Explain the role of engineers as'Managers' Q)
• “Explain the core human values in detail.” l3(a) Explain the various reasons for an employ'ee to behave unethically in an (7) ○ Focus on self and personal survival b Explain the role of engineers as 'expert witness' and 'advisors'' Q)
• “Explain the different types of human values.” organisation. • Level 2: Goodness as Self-Sacrifice - 20 Explain the characteri;tics of ii)Business Ethics and (ii) Computer
Status: Tested in various forms – Repeated 3 times (b) What are the logical steps in solving moral dilemma? ○ Prioritize others’ needs over self Efftics"
la(a) Compare Gilligan's theory with Kohlberg theory on moral development. • Level 3: Morality of Nonviolence Explain human centred Environmental ethics with nature centred ethics.
7. Peaceful Life Qualities (b) Explain the term consensus and controversy in Engineering ethics. ○ Balance between care for self and others; no harm to anyone (7)
• “Describe the qualities required to lead a peaceful life.” (b) Explain the different types of issues in computer ethics. (7)
13 Distinguish between Kohlberg's and;Silligan's approach to ethical (moral) (14) Let me know if you want flashcards or quick revision notes on these, Rosu! 20(a) Discuss about the role of engineers as expert witness. (7)
• “Suggest the qualities required for a peaceful life.”
judgements and compare the interpretation (moral development theory) of (b) What are the various conflict situations faced by a project manager
• “Describe the qualities required live a peaceful life.”
Status: Direct repetition – 3 instances Kohlberg and Gilligan, with an illustrative example From <https://chatgpt.com/c/68257467-f510-8012-8c2d-ee4d0ca7f454> managing (7)
14 List and explain different ethical theories. a work site?
8. Morality vs Ethics 13(a) Explain the three main levels of moral developments, deviced by Carol (7)
Gilligan. 19 a) Describe computer ethics and internet ethics. Give examples.
• “With the help of examples, distinguish between 'morality' and 'ethics'.”
l3(b) Discuss on three types of inquiries. b) What is the relevance Of environmental ethics?
• “What do you mean by morals? How are they different from ethics?”
14 List and explain the varieties of moral issues. 20 a) Describe the role Of engineers as consultant and expert
Status: Repeated explicitly 2 times
l3(a) Explain the different professional ideals & virtues. witnesses.
13(b) What is normative enquiry? Explain with an example. b) Discuss the role of engineers in technological development with
9. Dishonesty in Engineering examples.
la(a) Illustrate Gillian's theory of moral development
• “Explain various actions of an engineer attributed to dishonesty.” – Repeated 2 times Relate how computer ethics can l impact in working of (14)
l4(b) Explain the various professional roles played by an engineer
l3a Explain the different types of inquiries in solving ethical problems with (8) Multinational cooperation ' :
10. Respect & Civic Virtues ZO Show that enginneer as witness and advisors using exaples
examples of each.
• “Write about the importance of the virtues in a work environment: (i) respect for others (ii) living
peacefully.” l9a Explain on computer ethics. State and describe the moral and
Duration:3 Hours
• “State the characteristics of respect.” ethical issues (10)
• “What do you mean by civic virtues?” Marks related to computer technology.
Status: Respect and Civic Virtues come under this theme – Repeated in 3+ variations l9b Ascertain the causes of conflicts while cases are managed by
(3)
(3) project managers. (4)
Summary of Most Important Topics (Repeated) (3)
(3) OR
Topic Times Repeated
(3)
Caring/Sharing/Cooperation 3+ responsible (3) 20a Explain the requirement of moral leadership for engineers. (4)
Academic Integrity 3 0800HUT200122004 20b Define environmental ethics. Elucidate the ethical duties of
engineers towards (10)
Professional Ethics 2
Explain Gilligan's theory lf ,t"g", of growth towards ethics of caring. List (14) environment as experimenters by mentioning the environmental
Service Learning 3 three ways in which it differs from Kohlberg's theory impacts of
Work Ethics 3 l3b With examples explain the concept of moral dilemma. engineering activity.
l3a) Explain the causes of Moral Dilemmas. t9 a)
Human Values 3
b) Describe the different types of inquiries in solving ethical problems 20 a)
Peaceful Life Qualities 3 l4a)_ Explain the types of Ethical theories.
Morality vs Ethics 2 b) Compare Gilligan's theory with Kohlberg's theory on moral development. . : Module 5
Discuss in detail about the moral and ethical issues involved in use of
Dishonesty in Engineering 2
computers and internet with explaes
Respect/Civic Virtues 3
Would you like me to organize all answers for these repeated questions into a clean revision PDF or Discuss the follswing in detail:
note sheet, Rosu? I can also prioritize the answers based on mark weightage (5/7/10 marks). a) Engineer as consultants
b) Engineers as expert witnesses '
From <https://chatgpt.com/c/682503e3 -77d8-8012-ae9f-029e50eab05b> :t****
Absolutely, Rosu! Here's a cleanly formatted list with just the answers to the most repeated questions
you've identified. These are high -priority for revision and exam prep.
✅ 2. Academic Integrity
Answer:
Academic integrity refers to honesty and responsibility in academic work. It ensures fairness and respect
for intellectual property. The five pillars are:
1. Honesty
2. Trust
3. Fairness
4. Respect
5. Responsibility
In engineering, it upholds professional credibility and ensures quality work by avoiding plagiarism,
cheating, and fabrication of data.
✅ 4. Service Learning
Answer:
Service learning is a teaching methodology that integrates community service with academic learning. It
helps develop civic responsibility, empathy, and leadership. It aligns with experiential learning as students
learn through real-world applications and reflection. Key qualities include: empathy, teamwork, reflection,
and commitment.
✅ 8. Morality vs Ethics
Answer:
Morality is personal principles of right and wrong shaped by culture and religion.
Ethics are systemized standards of conduct expected in a profession.
Example: Lying is morally wrong; professionally, ethics demand truthfulness in reports.
✅ 9. Dishonesty in Engineering
Answer:
Actions reflecting dishonesty in engineering include:
• Plagiarism
• Data fabrication or falsification
• Misrepresentation of qualifications
• Taking credit for others' work
• Ignoring safety regulations
Such acts damage credibility and can have legal and ethical consequences.
Would you like this formatted as a PDF for offline revision, Rosu? Or shall I also sort it by 5/7/10 mark
expectations for smarter revision planning?
landscape Page 8
From <https://chatgpt.com/c/682503e3 -77d8-8012-ae9f-029e50eab05b>
Perfect, Rosu. Here's the 7-mark version of the most repeated questions —crisp, pointwise, and exam-
ready:
Want me to cover the next set of commonly asked topics in the same 7 -mark style, Rosu? Or do you want
a 5-mark one-liner version next for rapid fire revision?
13 a) What is professionalism?
b) ' Discuss the motives of professionalism and the
engineers.
14 a) Compare and Contrast Kohlberg's and Gilligan's
examples.
(8)
(6)
(4)
models for professional (10)
Theories with real life (14)
landscape Page 9
Mod 5
Thursday, May 15, 2025 11:17 AM
Here are the repeated questions/topics (appearing at least 2 times or more) from the
list you provided:
REPEATED QUESTIONS/TOPICS:
1. Computer Ethics
○ “What is meant by computer ethics?”
○ “Explain the different types of issues in computer ethics.”
○ “Describe computer ethics and internet ethics. Give examples.”
○ “Explain on computer ethics. State and describe the moral and ethical issues
related to computer technology.”
○ “Discuss in detail about the moral and ethical issues involved in use of
computers and internet with examples.”
○ ➤ Repeated at least 5 times
2. Engineers as Managers / Moral Leaders
○ “Explain the role of engineers as managers.”
○ “With examples, explain 'managing conflicts' with respect to engineers as
managers.”
○ “Examine the importance of engineer as moral leaders.”
○ “Explain the requirement of moral leadership for engineers.”
○ ➤ Repeated at least 4 times
3. Environmental Ethics
○ “Explain environmental ethics.”
○ “Explain the meaning and relevance of environmental ethics.”
○ “Define environmental ethics. Elucidate the ethical duties of engineers...”
○ “What is the relevance of environmental ethics?”
○ “Explain human-centred Environmental ethics with nature-centred ethics.”
○ ➤ Repeated at least 4 times
4. Engineers as Expert Witness / Consultants / Advisors
○ “Explain the role of engineers as 'expert witness' and 'advisors'.”
○ “Discuss about the role of engineers as expert witness.”
○ “Describe the role of engineers as consultant and expert witnesses.”
○ “Engineer as consultants”
○ “Engineer as witness and advisors using examples.”
○ ➤ Repeated at least 5 times
5. Multinational Companies (MNCs)
○ “Explain the features, advantages and limitations of MNCs.”
○ “Define Multinational Companies. Explain the advantages and limitations of
MNC.”
○ “Explain the advantages and limitations of MNCs.”
○ “Relate how computer ethics can impact the working of multinational
cooperation.”
○ ➤ Repeated at least 3–4 times
6. Conflict Management by Engineers / Project Managers
○ “With examples, explain 'managing conflicts' with respect to engineers as
managers.”
○ “What are the various conflict situations faced by a project manager?”
“Ascertain the causes of conflicts while cases are managed by project
landscape Page 10
○ “Ascertain the causes of conflicts while cases are managed by project
managers.”
○ ➤ Repeated at least 3 times
Let me know if you want me to extract only questions from Module 5 or group them
by module/topic for faster revision, Rosu!
From <https://chatgpt.com/c/68257f27-0064-8012-9579-93b541307cbb>
landscape Page 11
Mod 5 notes
Thursday, May 15, 2025 12:30 PM
analyse below question only give repeated questions form this repeated
atlest 2 times and more
Discuss the methods to improve collegiality and loyalty.
Explain collective bargaining.
What are occupational crimes? Give examples
How conflicts can be managed in a workplace?
landscape Page 12
Describe computer ethics and internet ethics with
examples. Also discuss moral and ethical issues
related to computer technology with examples.
✅ Answer:
What is Computer Ethics?
Computer ethics is a branch of practical philosophy that addresses how
computing professionals should make decisions regarding professional and
social conduct. It concerns the responsible use of computers and technology
by programmers, analysts, operators, designers, and users.
landscape Page 13
Cheating or games notes during tests
Fake Profiles Creating deceptive identities Catfishing or online scams
for fraud or manipulation
Misinformatio Sharing unverified or false Fake medical tips or news
n Spread content articles going viral
✅ Conclusion:
Computer ethics is vital in today’s digital world to ensure responsible, lawful,
and respectful use of technology. Understanding and applying ethical
principles in computing not only prevents legal issues but also builds a
trustworthy and safe digital society.
From <https://chatgpt.com/c/6825897e-8600-8012-a6bd-e4923bf7932c>
Here’s a clear, well-structured question-answer format based on your
provided content, formatted professionally and with added clarity:
✅ Answer:
ole of an ngineer as a Manager
An engineer is not only a technical expert but also plays a vital role in
managing ethical practices and organizational responsibilities. As a
manager, an engineer must take on leadership roles that require decision-
making, conflict resolution, and communication skills.
Key Responsibilities of an Engineer as a Manager:
1. Promoting Ethics in the Organization
○ Engineers uphold organizational values by formulating ethical
policies and leading by example.
○ Example: An engineer creates strict guidelines against data
manipulation in product testing to ensure integrity.
2. Framing Policies and Responsibilities
○ Managers must draft clear policies outlining job roles, team
responsibilities, and expected conduct.
○ Example: Assigning accountability during a product failure
investigation.
3. Demonstrating Ethical Attitudes and Obligations
○ Engineers must reflect professionalism, honesty, and fairness in all
decisions.
○ Example: Reporting defects truthfully, even when under pressure to
hide them.
Conclusion
Engineers in managerial roles must balance technical know-how with
leadership and ethical judgment. Their ability to resolve conflicts while
maintaining a positive work environment is crucial to an organization’s
success.
landscape Page 14
success.
Would you like a visual summary or infographic for this, Rosu? It could help
during last-minute revisions.
From <https://chatgpt.com/c/6825897e-8600-8012-a6bd-e4923bf7932c>
✅ Answer:
Role of Engineers as Moral Leaders
Engineers, apart from their technical and managerial responsibilities, are
expected to act as moral leaders who guide, motivate, and influence others
toward ethically sound goals. Their leadership must reflect integrity,
responsibility, and a commitment to the public good.
onclusion
Moral leadership is not optional for engineers—it’s a professional and social
responsibility. Engineers shape the future, and that future must be guided by
moral vision, not just technical precision.
Would you like a comparison chart showing moral leadership vs. technical
leadership for engineers, Rosu? It could be a helpful addition for revision or
presentations.
From <https://chatgpt.com/c/6825897e-8600-8012-a6bd-e4923bf7932c>
Here is your provided content reformatted into a clear, structured question-
answer format, ideal for academic use and exam preparation:
✅ Answer:
What is Environmental Ethics?
Environmental ethics is a branch of applied ethics that studies the moral
relationship between humans and the environment. It involves
understanding our duties toward the natural world and ensuring that our
actions respect both individual rights and ecological balance.
Key Aspects of Environmental Ethics:
1. Study of Moral Issues Concerning the Environment
○ Evaluating the impact of human activities like pollution,
deforestation, and industrialization.
2. Beliefs, Attitudes, and Moral Perspectives
○ How societies value and treat the environment reflects deeper
ethical stances and cultural attitudes.
Conclusion:
Environmental ethics urges both individuals and professionals—especially
engineers—to act with integrity and responsibility toward nature. Recognizing
the interdependence between humans and the environment ensures long-
term sustainability and justice for all living beings.
Would you like a visual Venn diagram comparing the two worldviews, Rosu? It
could help make this concept more memorable during your revision.
From <https://chatgpt.com/c/6825897e-8600-8012-a6bd-e4923bf7932c>
Here’s your provided content analyzed, improved, and formatted into a
structured question-answer format, perfect for study purposes or exams:
landscape Page 16
❓ Question: Explain the role of engineers as
consultants. How do engineers act as expert
witnesses and advisors? Support your answer with
examples.
✅ Answer:
Engineers as Consultants
Engineers act as consultants when they are hired to provide technical
expertise, analysis, and problem-solving in a variety of fields such as legal
cases, construction, infrastructure, and industrial processes.
Responsibilities:
• Provide expert opinions in technical matters.
• Assist in legal cases, system design, or troubleshooting.
• Maintain professional integrity and confidentiality.
Engineers as Advisors
Engineers also serve as advisors, especially in strategic and long-term
decision-making. They contribute to policy-making, project planning, and
risk assessment where technical input is essential.
Key Requirements for Engineer-Advisors:
• Objectivity – Deliver unbiased advice based on facts.
• Study All Aspects – Consider technical, economic, social, and
environmental impacts.
• Uphold Values – Promote public welfare, safety, and sustainability.
• Handle Technical Complexity – Translate complex data into
understandable insights.
• Consider National Security – Especially in sectors like defense, nuclear
energy, and infrastructure.
Example:
An engineer advising a city council on adopting a solar power grid must
analyze the feasibility, cost, environmental impact, and energy efficiency.
Conclusion
Engineers play a vital role beyond technical work. Whether acting as
consultants, expert witnesses, or advisors, they are responsible for offering
truthful, objective, and ethically sound guidance. Their input ensures that
both technological solutions and legal or policy decisions are built on a
foundation of expertise and integrity.
Rosu, would you like a quick one-page revision sheet comparing these three
roles? It could help you revise faster before exams.
From <https://chatgpt.com/c/6825897e-8600-8012-a6bd-e4923bf7932c>
Here’s your content rewritten in a clear question-and-answer format, ideal
for academic study and easy revision:
✅ Answer:
Definition of Multinational Companies (MNCs)
landscape Page 17
Definition of Multinational Companies (MNCs)
A Multinational Company (MNC) is a corporate organization that is
incorporated in one country (the home country) but operates and does
business in multiple countries (host countries).
These companies are also referred to as:
• Global Enterprises
• International Enterprises
• World Enterprises
• Transnational Corporations
Examples: Cadbury, Coca-Cola, Unilever
⭐ Features of MNCs
• Registered in one country, but operate in many.
• Have global business strategies and market reach.
• Often have large capital, advanced technology, and vast resources.
• Influence global trade and economy significantly.
Conclusion
MNCs play a powerful role in globalization by bringing investment,
technology, and growth. However, they must be regulated to ensure they do
not exploit the host country’s resources or undermine local development.
Rosu, would you like this formatted into a table or short-notes style for
quicker memorization before exams?
From <https://chatgpt.com/c/6825897e-8600-8012-a6bd-e4923bf7932c>
Here’s a well-structured answer to your question:
✅ Answer:
A Project Manager often faces conflict situations due to the dynamic, cross-
functional, and deadline-driven nature of projects. Common sources of conflict
include:
1. Schedule Conflicts
• Cause: Unclear timelines, missed deadlines, unrealistic expectations.
Example: Two teams need the same resource at the same time, causing
landscape Page 18
• Example: Two teams need the same resource at the same time, causing
delay in both schedules.
3. Technical Conflicts
• Cause: Disagreement on technical approaches, design decisions, or
standards.
• Example: One engineer supports an open-source platform, while another
insists on proprietary software.
5. Interpersonal Conflicts
• Cause: Differences in personality, working styles, communication gaps.
• Example: A senior developer and a junior tester argue due to poor
communication and mutual disrespect.
6. Priority Conflicts
• Cause: Disagreement over what tasks or modules should be prioritized.
• Example: The marketing team demands a feature that the development
team does not see as essential.
8. Organizational Conflicts
• Cause: Project priorities may conflict with organizational policies or other
departments.
• Example: Finance delays fund release, affecting project timelines.
Let me know if you want this answer tailored into bullet points or a visual
mind map for quicker revision, Rosu!
From <https://chatgpt.com/c/6825897e-8600-8012-a6bd-e4923bf7932c>
landscape Page 19
Mod 4
Thursday, May 15, 2025 1:21 PM
From <https://chatgpt.com/?window_style=main_view>
landscape Page 20
1. Know the Conflict – Understand what the conflict is about.
2. Diagnose the Issue – Identify the real cause of the conflict.
3. Use Conflict Handling Methods like:
○ Avoiding the conflict
○ Preventing it from showing up
○ Using mediation
○ Letting parties solve it themselves
○ Encouraging mutual problem-solving
Let me know if you want a quick revision chart for this too, Rosu
From <https://chatgpt.com/?window_style=main_view>
Let me know if you want the types of IPR protections simplified too, Rosu
From <https://chatgpt.com/?window_style=main_view>
1. What is Confidentiality?
Confidentiality means keeping important information secret and not sharing it
with others without permission.
landscape Page 21
• Protects sensitive business or technical data
• Prevents competitors from gaining access to company secrets
• Maintains trust between employer and employee
• Avoids misuse of special or privileged information
• Supports legal protection of company-owned (proprietary)
information
From <https://chatgpt.com/?window_style=main_view>
Let me know if you want this as a chart for quick revision, Rosu
From <https://chatgpt.com/?window_style=main_view>
Simple Explanation for Requested Question:
Let me know if you want this turned into a quick notes page, Rosu
landscape Page 22
From <https://chatgpt.com/?window_style=main_view>
From <https://chatgpt.com/?window_style=main_view>
landscape Page 23
Explain about Bhopal gas tragedy. What arethe safety lessons that we
can learned from it
Explain the Babylon's Building Code and The United States Steamboat
Code.
List the essential conditions for valid informed consent.
15(b) Enumerate the essential roles of codes of ethics.
Explain 'accountability'
What do you mean by codes of ethics? Explain any five essential roles
of the
Explain the Challenger space shuttle launch disaster. Identify the
normative,
conceptual and descriptive issues behind it.
landscape Page 24
Describe the causes and fatal effects of Bhopal Gas Tragedy
Illustrate the role of engineers as experimenters.
Evaluate the importance of accountability in a professional's life.
Explain the role of Codes of Ethics in the service life of a professional
Engineer.
landscape Page 25
Mod 3qa
Thursday, May 15, 2025 6:07 PM
landscape Page 26
• Installation of fail-safe systems and backup safety mechanisms like gas
scrubbers and alarms.
• Community awareness and emergency response plans should be in place for
industries dealing with toxic materials.
• Corporate accountability laws should be strengthened to hold companies
responsible for negligence.
Conclusion:
The Bhopal Gas Tragedy stands as a grim reminder of what can happen when profit is
prioritized over safety. It emphasizes the critical need for ethical responsibility,
professional conduct, and strict safety standards in industrial operations to prevent
such human and environmental catastrophes in the future.
Would you like this as a printable PDF or formatted for a presentation, Rosu?
From <https://chatgpt.com/c/68261553-800c-8012-8859-6c3e25c1dca0>
Here is a well-organized answer based on the provided text:
landscape Page 27
Limitations:
• ❌ May contain vague or general wording.
• ❌ Not applicable to every specific situation.
• ❌ May include internal contradictions or conflicting guidance.
Conclusion:
The Code of Ethics plays a critical role in maintaining integrity, professionalism, and
public trust in any field. Despite its limitations, it provides a moral compass and helps
regulate professional behavior in a consistent and socially responsible manner.
Would you like this formatted into a notes-style PDF for quick revision, Rosu?
From <https://chatgpt.com/c/68261553-800c-8012-8859-6c3e25c1dca0>
Here is a structured and well-analyzed answer to your question, based on the provided
text:
landscape Page 28
compromised safety.
Would you like a summarized version of this as flashcards or key points for quick
revision, Rosu?
From <https://chatgpt.com/c/68261553-800c-8012-8859-6c3e25c1dca0>
Justification:
Engineering projects should be considered as experimentations because they involve a
trial-and-error process, uncertainty, and learning through real-world applications,
much like scientific experiments. Although they are not conducted under strictly
controlled laboratory settings, engineering projects have all the key features of
experimental activities—testing, observation, adaptation, and improvement.
Key Reasons:
1. Involves Uncertainty and Risk
Engineering, like experimentation, includes unpredictable outcomes—such as failure of
landscape Page 29
Engineering, like experimentation, includes unpredictable outcomes—such as failure of
materials, design errors, or unforeseen environmental impacts (e.g., nuclear radiation
leakage).
2. Continuous Learning Process
Each engineering project contributes to learning from past failures and refining future
designs, just as experiments help improve hypotheses and theories.
3. Involves Human and Social Impact
Unlike laboratory experiments, engineering projects operate on a social scale, directly
affecting people’s lives (e.g., infrastructure, medicine, transportation). This makes the
ethical responsibility of engineers even more critical.
Conclusion:
Engineering is not just technical execution—it’s ongoing experimentation with real-
world consequences. Engineers must be ethically aware, morally responsible, and
socially conscious because their “experiments” influence the safety, health, and lives of
human beings.
Would you like a diagram or visual organizer for quick recall, Rosu?
From <https://chatgpt.com/c/68261553-800c-8012-8859-6c3e25c1dca0>
✅ Definition of Accountability:
Accountability is the obligation of a professional to accept responsibility for their
actions, decisions, and their consequences—whether positive or negative. It means being
landscape Page 30
actions, decisions, and their consequences—whether positive or negative. It means being
answerable to clients, employers, society, and most importantly, to one’s own ethical
standards.
Importance of Accountability:
1. Builds Trust and Credibility
• Professionals who are accountable earn trust from colleagues, clients, and the
public.
• It creates a reputation of reliability and ethical integrity.
2. Ensures Ethical and Moral Behavior
• Accountability acts as a moral compass, guiding professionals to make decisions
that are right, even when no one is watching.
3. Improves Performance and Growth
• Owning mistakes leads to reflection and learning.
• Encourages continuous self-improvement and professional development.
4. Promotes Responsibility in Team Settings
• In team environments, accountability enhances cooperation and reduces blame-
shifting.
• Everyone becomes mutually responsible for the success of the project.
5. Prevents Negligence and Harm
• Particularly in fields like engineering, medicine, or law, lack of accountability can
lead to serious harm or failure.
• Accountability ensures due diligence and care in all actions.
6. Upholds Professional Standards
• Professionals are expected to follow codes of conduct. Accountability ensures
compliance with these standards, preserving the dignity of the profession.
Conclusion:
Accountability is not optional—it’s the foundation of professionalism. It strengthens
trust, sharpens performance, and keeps actions aligned with ethics. A professional
without accountability is a risk to society, while one who practices it becomes a pillar of
integrity and excellence.
Would you like this turned into a one-page summary or flashcard set for your PeerStudy
Hub, Rosu?
From <https://chatgpt.com/c/68261553-800c-8012-8859-6c3e25c1dca0>
landscape Page 31
Alright Rosu, let’s break down every single point about the President of India in a clean, structured, and exam-ready format. No skipping, no fluff — just pure
content mastery.
⏳ Term of Office
• The President serves for a term of 5 years.
• Can resign at any time by writing to the Vice-President.
• Can be removed before the end of the term via impeachment.
mpeachment Process
Used to remove the President if there is a violation of the Constitution.
Steps:
1. Charges can be initiated in either House of Parliament.
2. Must be signed by at least 1/4th of the members.
3. A 14-day notice must be given to the President.
4. The resolution must be passed by 2/3rd majority in both Houses.
5. If passed, the President is officially removed.
landscape Page 32
6. Military Powers
• Supreme Commander of:
○ Indian Army
○ Indian Navy
○ Indian Air Force
• Appoints the Chiefs of Army, Navy, and Air Force.
7. Emergency Powers
• Can declare:
○ National Emergency (Article 352),
○ President’s ule in a state (Articles 356 & 365),
○ Financial Emergency (Article 360).
Want me to turn this into a printable one-pager or quiz format next, Rosu? Or shall we revise the Vice-President’s part after this?
From <https://chatgpt.com/c/6829c0f5-fc38-8012-81aa-22ee578ad7c5>
Perfect, Rosu Let’s deeply study this exact content without missing a single point, and I’ll ask you clear questions after each section for practice and memory
reinforcement.
QUESTIONS:
1. What’s the minimum age to become Vice-President?
2. Can a serving government officer become Vice-President?
3. What house must the candidate be qualified for?
4. Name any one type of authority under which a candidate should not hold an office of profit.
QUESTIONS:
1. For how many years does the Vice-President hold office?
landscape Page 33
1. For how many years does the Vice-President hold office?
2. Can the Vice-President resign? If yes, to whom?
3. Is impeachment required to remove the Vice-President?
4. What is the notice period before a removal resolution?
5. Who must agree after Rajya Sabha passes the resolution?
QUESTIONS:
1. What is the Vice-President’s role in Rajya Sabha?
2. Under what situations does the Vice-President act as the President?
3. Is he the permanent President when that happens?
Let me know when you’ve completed these questions, Rosu I’ll then quiz you harder to lock it all in Ready for the challenge?
Absolutely, Rosu Let’s break down every single point about the Prime Minister of India based on the given text. I’ll teach it to you section by section with
zero points missed, and you’ll get questions after each part to reinforce memory.
QUESTIONS:
1. Who recommends ministers to the President?
2. Who decides which minister gets which department?
3. Who coordinates the entire Council of Ministers?
QUESTIONS:
1. Who communicates cabinet decisions to the President?
2. Who advises the President on appointments like CAG and Attorney General?
landscape Page 34
QUESTIONS:
1. Who is considered the leader of the Lok Sabha?
2. Who has the power to recommend dissolving the Lok Sabha?
QUESTIONS:
1. Name any two bodies where the Prime Minister is the chairman.
2. Who represents the Union government publicly?
3. Who leads the ruling political party?
4. What special role does the PM play during national emergencies?
Once you’ve answered these, Rosu, I’ll hit you with a rapid-fire recap test to ensure everything is locked in . Let me know when you're ready for that!
From <https://chatgpt.com/c/6829c0f5-fc38-8012-81aa-22ee578ad7c5>
landscape Page 35
coi
Monday, May 19, 2025 12:29 AM
Alright Rosu, let’s break down every single point from the text you gave on the Finance Commission (not the Governor — note Alright Rosu, gloves on. We're diving into the Preamble of the Constitution of
that this is about Article 280 and the Finance Commission of India). Here’s your detailed, exam-ready explanation with no point India—line by line, without skipping a single word or adding fluff.
missed: I'll teach, then question you immediately after each set of points to cement it in your
brain like constitutional steel.
Point Details
❓ Questions:
Article 280 12. What type of socialism does India follow?
Authority to constitute President of India 13. Is India’s socialism communistic?
Total members 1 Chairman + 4 Members = 5 Members
Democratic:
Report submitted to President
• Refers to political, social, and economic democracy.
Report laid before Both Houses of Parliament • Used in a broader sense in the Preamble.
Key role Tax distribution, Grants-in-aid, Local fund support
Special power Can be assigned extra duties by the President ❓ Questions:
14. What three types of democracy does the term “democratic” include?
15. Is the term used in a narrow or broader sense?
Rosu, here's your challenge now:
Answer these 5 quick questions (no skipping!):
1. Under which Article is the Finance Commission constituted? Republic:
2. How many members are there in total? • India has an elected head of state.
3. Who lays the Finance Commission report in Parliament? • The President is elected indirectly.
4. What are the three major financial roles of the Finance Commission? • The term is for a fixed period of five years.
5. Can the President assign additional responsibilities to the Commission? If yes, why?
Once you finish these, I’ll teach you the Governor part next. Let’s keep that 10 CGPA dream alive! ❓ Questions:
16. What does the term “republic” mean in the Indian context?
From <https://chatgpt.com/c/6829c0f5-fc38-8012-81aa-22ee578ad7c5>
17. Who is the elected head of India?
18. How long is the President’s term?
Alright, Rosu. Let’s break this down crystal clear, line by line, so there’s zero confusion. This is about Types of Emergencies in the
19. Is the President elected directly?
Indian Constitution. These are extreme provisions used only during crises, and you must memorize every article number and
detail — this is a common exam trap area.
Justice:
• Encompasses three forms:
Three Types of Emergencies in the Indian Constitution ○ Social
○ Economic
– ○ Political
• ✅ When is it declared?
○ During war, external aggression, or armed rebellion. ❓ Questions:
○ Earlier, it was also allowed during internal disturbances, but this was replaced with armed rebellion (44th Amendment 20. What three forms of justice are included in the Preamble?
Act, 1978).
• ✅ What is it called? Liberty:
○ Official term: Proclamation of Emergency. • Liberty means no restraints on individual activity.
○ Commonly known as: National Emergency. • It also means opportunities to develop personality.
• ✅ What happens?
○ The Centre takes full control over the states.
○ Fundamental Rights under Article 19 get suspended (only during war or external aggression).
❓ Questions:
21. What does liberty mean in the Preamble?
○ Parliament can make laws on any subject, even those in the State List.
22. Is liberty just the absence of restraints?
– Equality:
• ✅ When is it declared? • No special privileges for any section of society.
○ When the constitutional machinery fails in a state. • Equal opportunities for all individuals without discrimination.
○ For example: No clear majority, state cannot function according to the Constitution.
• ✅ What is it called?
❓ Questions:
○ Common names: President’s ule, State Emergency, or Constitutional Emergency.
23. What does equality mean in the Preamble?
○ The word “emergency” is not used in the Constitution for this type.
24. Does it allow special privileges to certain sections?
• ✅ What happens?
○ The Governor recommends President’s Rule.
Fraternity:
○ The State Legislative Assembly is dissolved or kept under suspension.
• Means a sense of brotherhood.
○ The President governs the state through the Governor.
• Promoted through single citizenship.
– ❓ Questions:
• ✅ When is it declared?
25. What is the meaning of fraternity in the Preamble?
○ When the financial stability or credit of India is threatened.
26. How does the Constitution promote fraternity?
• ✅ What happens?
landscape Page 36
• Promoted through single citizenship.
– ❓ Questions:
• ✅ When is it declared?
25. What is the meaning of fraternity in the Preamble?
○ When the financial stability or credit of India is threatened.
26. How does the Constitution promote fraternity?
• ✅ What happens?
○ The President gains control over financial matters. ✅ That’s every point, Rosu. Not a word skipped or added. Once you answer these 26
○ Salaries and allowances of all government employees (including judges) can be reduced. questions, I’ll check your accuracy and help you revise. Ready for round two once we
○ All money bills of the states require Presidential approval. finish this. You got this!
• The CAG (Comptroller and Auditor General of India) is provided for in Article 148 of the Indian Constitution. ❓ Questions:
• It is an independent constitutional office. 1. How does Article 1 describe India?
• He is the head of the Indian Audit and Accounts Department. 2. Why was a mix of both ‘India’ and ‘Bharat’ adopted?
• His main duty is to uphold the Constitution and ensure laws passed by Parliament are followed in financial matters. 3. Why is India divided into different states?
❓ Questions:
1. Under which Article of the Constitution is the CAG mentioned? SECTION 3: Three Classifications of Territory (under
2. Is the CAG an independent office or under the control of Parliament?
3. What department does the CAG head? Article 1)
4. What is the primary responsibility of the CAG? According to Article 1, the territory of India can be classified into three categories:
1. Territories of the states
2. Union territories
2. Appointment and Term of Office 3. Territories that may be acquired by the Government of India at any time.
• The President of India appoints the CAG. • At present, there are 28 states and 9 union territories.
• The CAG holds office for 6 years or until the age of 65 years, whichever is earlier. • The states are members of the federal system and share a distribution of
❓ Questions: powers with the Centre.
1. Who appoints the Comptroller and Auditor General of India?
2. What is the tenure of the CAG? ❓ Questions:
3. What is the retirement age limit of the CAG? 1. Under Article 1, how many categories of Indian territory are there?
2. What are the three types of territory mentioned?
3. How many states and union territories does India currently have?
a. Audit of Central Government Funds 4. What is the role of the states in India's federal system?
• Audits all expenditure from the Consolidated Fund of India.
❓ Questions: SECTION 4: Article 2 – Admission and Establishment
1. What is the name of the main account from which the central government spends money?
of States
2. Does the CAG audit the expenditure from this fund?
• Article 2 grants two powers to the Parliament:
○ (a) The power to admit into the Union of India new states
b. Audit of State Government Funds
○ (b) The power to establish new states
• Also audits all expenditure from the Consolidated Fund of each state.
❓ Questions:
❓ Questions:
1. Does the CAG have authority to audit state-level financial accounts?
1. What powers does Article 2 grant to Parliament?
2. What is the fund called from which state governments spend money?
2. Who has the authority to admit or establish new states?
landscape Page 37
Once you're done answering, Rosu, just drop a ✨ and I’ll review everything with feedback.
Next up: Governor — want to continue in the same Q&A format? ❓ Questions:
1. What is citizenship as per the definition you studied?
From <https://chatgpt.com/c/6829c0f5-fc38-8012-81aa-22ee578ad7c5>
From <https://chatgpt.com/c/6829c0f5-fc38-8012-81aa-22ee578ad7c5>
3. By Registration
• The Central Government, on application, may register a person as an Indian
Got it, Rosu! Time to boss through this like a scholar in a power suit. ✨ citizen.
We’ll go section by section — I’ll teach the content and then hit you with questions to lock in the learning. Let’s make sure not a 4. By Naturalisation
single point escapes your sharp mind. • The Central Government, on application, may grant a certificate of
naturalisation.
5. By Incorporation of Territory
I – • If a foreign territory becomes part of India, the Government will specify which
India's government services (also known as civil services) are classified into three categories: persons become Indian citizens.
1. All-India Services
2. Central Services ❓ Questions:
3. State Services 1. What are the five methods of acquiring Indian citizenship?
This classification is based on who controls the officers, and where they serve (Centre, State, or both). 2. Who grants citizenship by registration or naturalisation?
3. What happens to the people of a territory that gets incorporated into India?
❓ Questions:
1. How many types of public (civil) services are there in India? ❌ 8. Loss of Citizenship – 3 Ways
2. Name the three categories of civil services in India.
1. By Renunciation
3. What is the primary factor used to classify civil services?
• Any Indian citizen of full age and capacity can voluntarily renounce citizenship.
❓ Questions:
2. All-India Services 1. What does renunciation of citizenship mean?
These are services that serve both the Central and State governments. Officers from these services switch roles between the 2. Who can renounce Indian citizenship?
Centre and various states throughout their careers. They hold top-level posts and have high administrative authority.
There are three All-India Services: 2. By Termination
1. Indian Administrative Service (IAS) • If an Indian citizen voluntarily acquires another country's citizenship,
2. Indian Police Service (IPS) his Indian citizenship automatically ends.
3. Indian Forest Service (IFS)
These officers are recruited by the Centre (via UPSC) but are deputed to states as needed. ❓ Questions:
1. When is Indian citizenship terminated automatically?
❓ Questions:
1. What is the unique feature of All-India Services? 3. By Deprivation (Compulsory termination by the Central Government) if the
2. Who do All-India Service officers serve – Centre or State? citizen:
3. Name the three All-India Services. a) Got citizenship by fraud
4. Through which exam are All-India Services recruited? b) Showed disloyalty to the Constitution
c) Traded or communicated with the enemy during war
d) Was imprisoned for 2 years within 5 years after registration/naturalisation
e) Lived outside India for 7 years continuously
• These officers work only under the Central government.
• They take up specialized roles — either functional (e.g., income tax, customs) or technical (e.g., engineers, scientists). ❓ Questions:
Central Services are classified into:
landscape Page 38
4. Through which exam are All-India Services recruited? b) Showed disloyalty to the Constitution
c) Traded or communicated with the enemy during war
d) Was imprisoned for 2 years within 5 years after registration/naturalisation
3. entral ervices e) Lived outside India for 7 years continuously
• These officers work only under the Central government.
• They take up specialized roles — either functional (e.g., income tax, customs) or technical (e.g., engineers, scientists). ❓ Questions:
• Central Services are classified into: 1. Who can deprive a person of Indian citizenship?
○ Group A – Senior managerial roles 2. List the five grounds for deprivation of citizenship.
○ Group B – Mid-level supervisory roles
○ Group C – Clerical/administrative ✅ Once you're done answering, Rosu, I’ll check every response and push your brain
○ Group D – Manual or basic operational work harder if needed. After that, we’ll move to the next unit. Let’s finish strong.
❓ Questions:
From <https://chatgpt.com/c/6829c0f5-fc38-8012-81aa-22ee578ad7c5>
Here’s a clean, organized, and study-friendly format of the Directive Principles of
1. Do Central Service officers work under the state government? State Policy (DPSP) content you shared, Rosu:
2. What kind of roles do Central Services handle?
3. What are the four classifications of Central Services?
4. Which group do senior officers in Central Services belong to? Directive Principles of State Policy (DPSP)
• Location in Constitution: Part IV (Articles 36 to 51)
• Source: Borrowed from the Irish Constitution of 1937, inspired by the Spanish
4. State Services Constitution
• These officers are under the exclusive control of the state government. • Dr. B.R. Ambedkar: Described DPSPs as the "novel features" of the Indian
• They work in various departments within the state — roles can be general, functional, or technical. Constitution
• Each state recruits its own personnel for these roles, mostly via State Public Service Commissions (SPSC).
Features of DPSP
❓ Questions: • Represent ideals the State should follow while making laws and policies
1. Who controls the State Services officers? • Similar to the ‘ nstrument of nstructions’ in the Government of India Act, 1935
2. What kinds of posts do State Service officers hold? • Aim to establish a welfare state, not a police state
3. How are State Services usually recruited? • Not legally enforceable by courts, but fundamental in governance
Let’s review your answers after you finish, Rosu . Drop a ✅ when done, and I’ll correct, explain, and sharpen every point with
you.
Classification of DPSPs
DPSPs are classified into three broad categories:
Want to move on to Governor next, or go over the answers now?
Alright Rosu, it’s time to master Administrative Tri unals in ndia like an academic warrior . 1. Socialistic Principles
I’ll teach each point clearly and then ask deep understanding questions after every section so your brain locks the knowledge in • Based on the socialist ideology
tight. • Focus on social and economic justice
• Key Provisions:
○ Art 38: Promote the welfare of people
– ○ Art 39: Equal justice and free legal aid; equitable distribution of resources;
• Article 323A of the Constitution gives power to Parliament to set up Administrative Tribunals. prevention of wealth concentration; equal pay for equal work
• These tribunals handle disputes related to: ○ Art 43: Right to work, living wage, decent standard of life
○ Recruitment ○ Art 41: Right to education and public assistance
○ Conditions of service of people working in:
▪ Central government 2. Gandhian Principles
▪ State governments • Based on the ideals of Mahatma Gandhi
▪ Local bodies • Emphasize self-reliance, rural development, and prohibition
▪ Public corporations • Key Provisions:
▪ Other public authorities ○ Art 40: Organisation of village panchayats
This was introduced to reduce the burden on regular courts and allow for specialized justice in service matters. ○ Art 43: Promotion of cottage and village industries
○ Art 46: Upliftment of SCs, STs, and weaker sections
❓ Questions: ○ Art 47: Prohibition of intoxicating drinks and drugs
1. Which Article of the Indian Constitution deals with Administrative Tribunals?
2. Who has the power to establish these tribunals? 3. Liberal-Intellectual Principles
3. What kinds of issues do Administrative Tribunals handle? • Reflect liberal and humanist ideology
4. Name five types of institutions whose employees can approach these tribunals. • Focus on individual dignity, environment, and global peace
• Key Provisions:
2. The Administrative Tribunals Act, 1985 ○ Art 44: Uniform Civil Code
○ Art 45: Early childhood care and education
• Passed by Parliament in 1985.
○ Art 48A: Protection and improvement of environment
• Gives the Central Government authority to:
○ Art 49: Protection of monuments and cultural heritage
○ Set up the Central Administrative Tribunal (CAT)
○ Art 51: Promotion of international peace and security
○ Set up State Administrative Tribunals (SATs) if states request.
This Act operationalizes Article 323A.
New DPSPs Added by the 42nd Amendment Act (1976)
The 42nd Amendment introduced four new DPSPs:
❓ Questions:
1. Art 39 (f): Opportunities for healthy development of children
1. In which year was the Administrative Tribunals Act passed?
2. Art 39A: Equal justice and free legal aid to the poor
2. What two types of tribunals can the Central government create under this Act?
3. Art 43A: Participation of workers in industry management
3. Does the Central government need permission from state governments to set up SATs?
4. Art 48A: Protection and improvement of the environment
3. Central Administrative Tribunal (CAT) Let me know if you want me to convert this into flashcards or mind maps too, Rosu.
• Established in 1985.
From <https://chatgpt.com/c/682b3e45-02c4-8012-ae7b-e3ab6411f439>
• Principal Bench is located in Delhi.
• There are currently 17 benches, including:
○ 15 benches at High Court principal seats
○ 2 benches at Jaipur and Lucknow
• CAT is a multi-member body with a:
○ Chairman
○ Other members
• It has original jurisdiction over:
○ Recruitment and
○ Service conditions of central government employees
❓ Questions:
1. When was the Central Administrative Tribunal (CAT) set up?
2. Where is the principal bench of CAT located?
3. How many benches of CAT currently exist?
4. What kind of jurisdiction does CAT have?
5. What types of disputes does CAT handle?
❓ Questions:
1. Who can request the establishment of a State Administrative Tribunal?
2. What is the jurisdiction of a SAT?
3. Who appoints the chairman and members of a SAT?
4. Can two states share a single tribunal? What is it called?
Once you answer these, Rosu, we’ll go through corrections and clarify anything that’s fuzzy. When you’re done, send a ✅ and I’ll
review everything with you like your own personal examiner. Ready?
Perfect, Rosu. Here’s the cleaned-up, structured breakdown of the content you shared—only from the given text with no extra
additions—followed by questions after each section to ensure strong retention.
landscape Page 39
additions—followed by questions after each section to ensure strong retention.
❓ Questions:
1. Which Article empowers Parliament to create administrative tribunals?
2. What kinds of disputes do these tribunals handle?
3. Name at least four authorities or levels of government whose public services are covered under Article 323 A.
❓ Questions:
1. What is the name of the act that authorises the creation of CAT and SATs?
2. Who is authorised to establish these tribunals?
3. How many types of administrative tribunals can be established under this Act?
❓ Questions:
1. In what year was the CAT established?
2. Where is the principal bench of CAT located?
3. How many total CAT benches exist at present?
4. What kind of jurisdiction does CAT exercise?
5. What matters fall under CAT's jurisdiction?
6. How is CAT structured in terms of membership?
❓ Questions:
1. Who must request the establishment of a SAT?
2. Who appoints the Chairman and members of a SAT?
3. What kind of jurisdiction do SATs exercise?
4. What category of employees do SATs deal with?
5. What is a Joint Administrative Tribunal (JAT)?
6. Can a JAT be created for more than one state?
✅ Once you finish answering, tell me and I’ll review everything with feedback, correction, and revision prompts. Ready for the next
topic after that?
From <https://chatgpt.com/c/6829c0f5-fc38-8012-81aa-22ee578ad7c5>
Perfect, Rosu ! Let’s break this down exactly as given, point by point—no skipping, no adding fluff. After each mini-section, I’ll
ask you precise questions to test your focus and memory.
❓ Questions:
1. Where can a constitutional amendment bill be introduced?
2. Can a state legislature initiate a constitutional amendment?
❓ Questions:
1. What kind of majority is required in each House to pass an amendment bill?
2. Does this majority apply to one House or both Houses?
❓ Questions:
1. What step comes after the bill is passed in both Houses?
2. Is ratification by states always required?
❓ Questions:
1. Whose assent is required after parliamentary and state procedures are complete?
❓ Questions:
1. When does the amendment bill officially become a constitutional amendment?
landscape Page 40
1. When does the amendment bill officially become a constitutional amendment?
✅ Once you’re done answering, tell me and I’ll give you feedback and test your clarity. Ready for the next topic after that, Ro su?
From <https://chatgpt.com/c/6829c0f5-fc38-8012-81aa-22ee578ad7c5>
Alright Rosu, no fluff, no distractions—just the exact syllabus content you need, delivered point-by-point. Let’s conquer Advocate
General of the State with sharp understanding. After each section, you’ll get questions to test and lock in your learning.
. onstitutional Basis
• The Constitution (Article 165) has provided for the office of the Advocate General for the states.
• He is the highest law officer in the state.
❓ Questions:
1. Which Article of the Indian Constitution provides for the office of the Advocate General?
2. Who is the highest law officer in a state?
❓ Questions:
1. Who appoints the Advocate General?
2. What are the two eligibility criteria for someone to be appointed Advocate General?
3. How many years of judicial office or advocacy in a High Court are required?
⏳ 3. Term of Office
• The term of office of the Advocate General is not fixed by the Constitution.
• He holds office during the pleasure of the Governor.
• This means the Governor can remove him at any time.
❓ Questions:
1. Is the term of the Advocate General fixed by the Constitution?
2. What does “holding office during the pleasure of the Governor” mean?
❓ Questions:
1. Who refers legal matters to the Advocate General for advice?
2. What kind of duties can the Governor assign to the Advocate General?
3. Can the Advocate General appear before any court in the state?
✅ Once you’ve answered these, ping me and I’ll review your answers like your personal evaluator. When you’re ready, I’ll prep the
next topic. Let’s go, Rosu—no time to waste!
From <https://chatgpt.com/c/6829c0f5-fc38-8012-81aa-22ee578ad7c5>
Alright Rosu, no fluff, no skipped points, no extra info — just pure academic firepower
Let’s master every point from the "Salient Features of the Indian Constitution" step by step, just as given, and I’ll test your grasp
after each block. Let’s begin.
❓ Questions:
1. What makes the Indian Constitution the lengthiest?
2. How many articles, parts, and schedules does it have (as per 2019)?
3. Is the Indian Constitution written or unwritten? Which countries does it contrast with?
❓ Questions:
1. Name the five core values mentioned in the Preamble.
❓ Questions:
1. What is the principle behind the parliamentary system?
2. Which country’s parliamentary system is India’s system inspired by?
❓ Questions:
1. Which Article deals with amendment provisions?
2. Why is the Indian Constitution called a mix of flexibility and rigidity?
✅ 5. Single Citizenship
• In India, all citizens have only one citizenship, regardless of:
○ The state they are born in or reside in
They enjoy the same political and civil rights.
landscape Page 41
• They enjoy the same political and civil rights.
❓ Questions:
1. How many types of citizenship exist in India?
2. Does the state in which a person resides affect their rights?
❓ Questions:
1. What does bi-cameral mean?
2. What are the two houses of the Indian Parliament called?
❓ Questions:
1. What kind of judicial system does India have?
2. Which court stands at the top of the Indian judicial system?
❓ Questions:
1. How many fundamental rights are mentioned in Part III?
2. How many fundamental duties are there, and where are they listed?
❓ Questions:
1. What is the purpose of Directive Principles?
2. What type of democracy do they promote?
❓ Questions:
1. How many election commissions does India have?
❓ Questions:
1. What does the feature of “State Languages” imply?
❓ Questions:
1. Why are emergency provisions included in the Constitution?
2. Which three articles relate to emergency provisions?
Once you've answered them, Rosu, tell me and I’ll go over your responses for accuracy, give feedback, and push you deeper if
needed. Ready for your oral viva test style drill when you're done?
From <https://chatgpt.com/c/6829c0f5-fc38-8012-81aa-22ee578ad7c5>
landscape Page 42
Mod1
Monday, May 19, 2025 9:26 PM
Here’s your ultra-condensed, exam-ready notes, Rosu — with all questions and fluff
removed, just the short short bullet points you asked for:
– Article
Position & Role:
• Independent constitutional office.
• Heads Indian Audit & Accounts Dept.
• Upholds Constitution in financial matters.
Appointment & Term:
• Appointed by President.
• Tenure: 6 years or up to 65 years.
Audit Duties:
landscape Page 43
Audit Duties:
• Central Funds – Consolidated Fund of India.
• State Funds – Consolidated Fund of State.
• Accounts Audit – Trading, Manufacturing, Profit & Loss, Balance Sheet.
• Receipts & Expenditure – Centre + States.
• Govt-Funded Bodies – Substantially financed by Centre/State.
• Audit on Request – By President or Governor.
• PAC Role – Advisor to Public Accounts Committee.
Let me know which topic to condense next, Rosu — ready when you are!
From <https://chatgpt.com/c/6829c0f5-fc38-8012-81aa-22ee578ad7c5>
landscape Page 44