March 25, 2026

Explore Our Topics!

Check out the extensive list of topics we discuss: 

  1. Tech and AI Blogs
  2. Communication Protocols:
    USB 
    - RS232 
    Ethernet 
    AMBA Protocol: APB, AHB and ASB 
    UART, I2C AND SPI
  3. Important concepts in VLSI:
    Designing a Chip? Here Are the 12 Important Concepts You Need to Know
    Metastability 
    - Setup time and Hold time
    Signal Integrity and Crosstalk effect
    Skews and Slack 
    Antenna Effect
  4. Semiconductor Memories
  5. Analog vs Digital Electronics
  6. Most Frequently Asked Questions in VLSI
  7. VLSI and Semiconductor Nuggets: Bite-Sized knowledge for Enthusiasts
  8. Common Acronyms in VLSI and Semiconductor Industry
  9. Transistors:
    BJT
    JFET
    MOSFET
    CMOS
    Transmission Gate CMOS
    Dynamic CMOS
  10. Sequential Circuits:
    Registers
    Counters
    Latches
    Flip Flops
  11. FPGA:
    ASIC vs FPGA
    FPGA Insights: From Concept to Configuration
    Full-Custom and Semi-Custom VLSI Designs: Pros, Cons and differences
    From Theory to Practice: CMOS Logic Circuit Design Rules Made Easy with Examples
  12. CMOS Fabrication:
    CMOS Fabrication
    Twin-Tub CMOS Technology
  13. Combinational Circuits
    - Logic Gates 
    - Boolean Algebra and DeMorgan's Law 
    - Multiplexer (MUX) and Demultiplexer (DEMUX) 
    - Half Adder
    - Full Adder
    - Half Subtractor
    - Full Subtractor
    - Encoders
    - Decoder
  14. Analog Electronics
    - Atoms: the Foundation of Electronics
    - Electrons, Protons and Neutrons 
    - Electron Shells, Subshells and Energy Ordering
    - Energy Band: The Key to Conductors, Semiconductors, Insulators and Dielectrics
    - Intrinsic and Extrinsic Semiconductors
    - Electric Charge and Permittivity
    - Electric Potential and Voltage
    - Basic Structure and Working of Battery
    - Understanding Resistor
    - Understanding Resistivity
    - Understanding Capacitor and Capacitance
    - Understanding Inductors and Inductance
    - Understanding Reactance
    - Understanding Impedance
    - Understanding Resonance
    - Laws of Electronics
    - OPAMP
    - Inverting and Non-inverting Amplifiers
    - Characteristics of OPAMP
    - OPAMP Application: Adder, Subtractor, Differentiator, and More!  
    - Filters
    - Hard Disk Drives Explained
    - Passive Components: Capacitors and Resistors Explained
    - LTSpice Tutorial 1: Installation and First Circuit Simulation
  15. Verilog
    - Verilog Datatypes
    - Comments, Numeral Formats and Operators
    - Modules and Ports
    - assign, always and initial keywords
    Blocking and Non-Blocking Assignments
    - Conditional Statements
    - Looping Statements
    - break and continue Statement
    - Tasks and Functions
    - Parameter and generate
    - Verilog Codes
  16. System Verilog: 
    Disable fork and Wait fork.
    Fork and Join.
  17. Project on Intel Quartus Prime and Modelsim:
    Vending Machine Controller
  18. Xilinx Vivado Projects
    1)VHDL
    Counters using Testbench code
    Flip Flops using Testbench code
    Logic Gates using Testbench code
    Full Adder using Half Adder and Testbench code
    Half Adder using Testbench code
    2)Verilog
    Logic Gates using Testbench code
    Counters using Testbench code
    Full Adder using Half Adder and Testbench code
    Half Adder using Testbench code
  19. VLSI Design Flow:
    Design Flow in VLSI
    Y chart or Gajski Kuhn Chart
  20. Projects on esim:
    Step-by-Step guide on how to Design and Implement a Full Adder using CMOS and sky130nm PDK
    Step-by-Step guide on how to Design and Implement a Half Adder using CMOS and sky130nm PDK
    Step-by-Step guide on how to Design and Implement a 2:1 MUX using CMOS and sky130nm PDK
    Step-by-Step guide on how to Design and Implement a Mixed-Signal Circuit of 2:1 Multiplexer
  21. IoT based project:
    Arduino
    Step-by-Step guide on how to Interface Load Cell using Arduino
  22. Kmaps:
    Simplifying Boolean Equations with Karnaugh Maps - Part:2 Implicants, Prime Implicants and Essential Prime Implicants. 
    Simplifying Boolean Equations with Karnaugh Maps - Part:1 Grouping Rules.
    Simplifying Boolean Equation with Karnaugh Maps.

March 24, 2026

Mastering Verilog: Implementing a Priority Encoder

Welcome to another edition of our Verilog series! In this blog post, we’ll explore the implementation of a Priority Encoder in Verilog. A Priority Encoder is a combinational circuit that outputs the binary representation of the highest-priority active input when multiple inputs are high simultaneously.

This type of encoder is widely used in digital systems such as interrupt controllers, arbitration logic, and resource allocation where priority-based decision-making is required.

Below is the Verilog code for a Priority Encoder, implemented using a Behavioral Modeling approach:

📊 Truth Table

Press enter or click to view image in full size

In the behavioral modeling approach, we define priority using ordered conditional statements, where the first true condition gets the highest priority.

module alarm_priority_1 (output [2:0] intruder_zone,
output valid,
input [1:8] zone );
assign intruder_zone = zone[1] ? 3'b000 :
zone[2] ? 3'b001 :
zone[3] ? 3'b010 :
zone[4] ? 3'b011 :
zone[5] ? 3'b100 :
zone[6] ? 3'b101 :
zone[7] ? 3'b110 :
zone[8] ? 3'b111 :
3'b000;
assign valid = zone[1] | zone[2] | zone[3] | zone[4] |
zone[5] | zone[6] | zone[7] | zone[8];
endmodule

Explanation:

  • The encoder checks inputs from zone[1] to zone[8] in order, assigning priority from lowest index to highest.
  • If multiple inputs are high, the first active input in the sequence is selected.
  • The intruder_zone output provides the binary index of the highest-priority active input.
  • The valid signal indicates whether any input is active.
  • If no inputs are active, valid becomes 0 and the output defaults to 000.

Conclusion

This Verilog implementation of a Priority Encoder demonstrates how priority logic can be modeled using simple conditional statements. Such designs are essential in systems where multiple requests compete and only the highest-priority request should be processed.

What’s Next?

Try simulating this design with different input combinations to observe how priority is resolved. In the next post, we’ll explore more advanced digital circuits and their Verilog implementations.

Happy Coding! 🚀

Mastering Verilog: Essential Code Samples for Practice

In this blog post, we’ll delve into some fundamental Verilog code examples that are essential for understanding digital design concepts. Whether you’re new to Verilog or looking to refresh your knowledge, these code snippets will serve as a handy reference for building logic circuits.

  1. Logic Gates
  2. Half Adder
  3. 2:1 Mux
  4. 4:1 Mux
  5. 2:4 Decoder
  6. 3:8 Decoder
  7. 4:2 Encoder
  8. Priority Encoder
  9. Barrel Shifter
  10. Comparator
  11. BCD to 7 segment Decoder

Happy Coding!

March 23, 2026

Mastering Verilog: BCD to 7-Segment Decoder

Welcome to another edition of our Verilog series! In this blog post, we’ll explore the implementation of a BCD to 7-Segment Decoder in Verilog. This decoder is a widely used digital circuit that converts a 4-bit Binary Coded Decimal (BCD) input into signals that drive a 7-segment display.

It is commonly used in digital systems such as calculators, clocks, and display units where numerical data needs to be visually represented.

Below is the Verilog code for a BCD to 7-Segment Decoder, implemented using a Behavioral Modeling approach:

In the behavioral modeling approach, we define the output segments based on the input BCD value using conditional logic.

module seve_seg_decoder (output [7:1] seg,
input [3:0] bcd, input blank);
reg [7:1] seg_tmp;
always @*
case (bcd)
4'b0000: seg_tmp = 7'b0111111; // 0
4'b0001: seg_tmp = 7'b0000110; // 1
4'b0010: seg_tmp = 7'b1011011; // 2
4'b0011: seg_tmp = 7'b1001111; // 3
4'b0100: seg_tmp = 7'b1100110; // 4
4'b0101: seg_tmp = 7'b1101101; // 5
4'b0110: seg_tmp = 7'b1111101; // 6
4'b0111: seg_tmp = 7'b0000111; // 7
4'b1000: seg_tmp = 7'b1111111; // 8
4'b1001: seg_tmp = 7'b1101111; // 9
default: seg_tmp = 7'b1000000; // "-"
endcase
assign seg = blank ? 7'b0000000 : seg_tmp;endmodule

Explanation:

  • The always @* block ensures that the output updates automatically whenever the input changes.
  • The case statement maps each BCD input (0–9) to its corresponding 7-segment display pattern.
  • The seg_tmp register temporarily holds the segment pattern before assigning it to the output.
  • The blank input is used to turn off all segments when required.
  • The default case displays a dash (-) for invalid BCD inputs.

Conclusion

This Verilog implementation of a BCD to 7-Segment Decoder demonstrates how combinational logic can be used to drive display devices. Such decoders are essential in digital systems where numeric outputs need to be displayed in a human-readable format.

What’s Next?

Try implementing this decoder on an FPGA or simulator and observe how different inputs affect the display output. In the next post, we’ll explore more digital design concepts and their Verilog implementations.

Happy Coding! 🚀

March 10, 2026

Why Only a Few Companies Can Manufacture Advanced Semiconductor Chips

When discussions around cutting-edge technology arise, people usually talk about smartphones, AI systems, or supercomputers.

But behind all of these technologies lies something far more complex — advanced semiconductor manufacturing.

Despite the presence of hundreds of technology companies around the world, only a very small number of firms can produce the most advanced chips. This situation is not the result of monopoly or secrecy alone. Instead, it stems from enormous technical, financial, and operational barriers.

Here are the main reasons.


Advanced Chip Manufacturing Is One of the Most Complex Engineering Challenges

Modern semiconductor devices are manufactured using advanced process nodes such as 5 nm, 3 nm, and soon 2 nm. At these scales:

  • Transistors are only a few dozen atoms wide

  • Manufacturing tolerances are measured in fractions of a nanometer

  • Even a single microscopic defect can destroy an entire chip

Producing chips at this level requires extremely precise control over materials, chemistry, physics, and manufacturing equipment — all at the same time.

This is not traditional manufacturing.

It is engineering at the very limits of physics.


The Financial Barrier Is Extremely High

Constructing a modern semiconductor fabrication plant (fab) is one of the most expensive industrial projects in the world.

Industry estimates indicate that:

  • A leading-edge fab can cost $15–25 billion or more

  • Equipment alone requires several billions of dollars

  • Every new technology node demands continuous reinvestment

Only companies with massive capital resources, long-term planning, and often government support can operate at this level.

For most firms, the financial risk is simply too large.


EUV Lithography Acts as a Technology Gatekeeper

Leading-edge chip production depends on extreme ultraviolet (EUV) lithography, a technology of extraordinary complexity.

Key facts include:

  • Only one company in the world — ASML — produces EUV machines

  • Each EUV system costs more than $150 million

  • Installation and calibration require years of expertise

Without EUV technology, manufacturing nodes below roughly 7 nm become extremely difficult.

However, simply owning EUV machines is not enough. The real challenge lies in optimizing and integrating them into a reliable manufacturing process.


Yield Optimization Takes Years of Learning

Manufacturing advanced chips is not just about producing them once.

The real challenge is yield — the percentage of usable chips produced from each silicon wafer.

At new technology nodes:

  • Initial yields are often low

  • Process tuning can take years of experimentation

  • Thousands of manufacturing iterations are required to improve stability

Only companies with decades of accumulated production data can climb this learning curve efficiently.

New entrants face a significant disadvantage even if they acquire the same equipment.


Specialized Talent Is Extremely Limited

Advanced semiconductor manufacturing requires experts in areas such as:

  • Device physics

  • Process integration

  • Materials science

  • Lithography engineering

  • Yield optimization

These skills are developed through long industrial experience, not short training programs.

As a result, talent tends to cluster in a few regions and companies — making it extremely difficult to replicate the expertise elsewhere.


The Supply Chain Is Deep and Interconnected

No single company builds advanced chips alone.

The semiconductor ecosystem relies on a complex network of:

  • Equipment manufacturers

  • Chemical and gas suppliers

  • Silicon wafer producers

  • Metrology and inspection tool providers

  • Advanced packaging companies

These suppliers must meet extraordinary precision and reliability standards, and they evolve together with leading semiconductor fabs.

Recreating such an ecosystem from scratch can take decades.


Which Companies Can Build Advanced Chips Today?

Currently, only a few companies can manufacture leading-edge logic chips at large scale:

  • TSMC

  • Samsung Electronics

  • Intel (working to regain full leading-edge competitiveness)

These companies benefit from:

  • Decades of manufacturing expertise

  • Massive capital investments

  • Strong ecosystem and government support

Even many of the world’s largest chip designers depend on these companies for fabrication.


Chip Design and Chip Manufacturing Are Very Different

Many companies are capable of designing advanced semiconductors.

Very few can actually manufacture them.

Chip design focuses on:

  • Architecture

  • Logic design

  • Performance optimization

Manufacturing focuses on:

  • Atomic-scale process control

  • Yield optimization

  • Defect reduction

Excellence in design does not automatically translate into success in manufacturing. This difference explains why the industry relies heavily on specialized foundries.


Why This Situation Will Not Change Quickly

Governments around the world are investing heavily in semiconductor technology. However, advanced manufacturing cannot be accelerated easily.

It requires:

  • Time

  • Industrial experience

  • Continuous experimentation

  • Iterative improvements

  • Patience

Even with unlimited financial resources, catching up can take many years.

This is why leadership in advanced semiconductor manufacturing remains concentrated and is often treated as a strategic national capability.


The Bigger Picture

Advanced semiconductors sit at the intersection of:

  • Physics

  • Capital investment

  • Highly specialized talent

  • Global supply chains

  • Geopolitics

Only a few companies currently operate successfully at this intersection.

This is not a flaw in the industry — it is simply the reality of pushing technology to its absolute limits.

And that is why only a few companies can manufacture the world’s most advanced chips.

Why Semiconductors Are Called the New Oil: The Technology Powering the Global Economy

In the 20th century, oil powered nations and industries.

In the 21st century, semiconductors power the digital world.

This comparison is no longer just a dramatic analogy — it reflects a growing reality. Access to advanced semiconductor technology now influences a country’s economic strength, technological leadership, and strategic independence.

That is why semiconductors are increasingly described as the new oil.


Semiconductors Power Modern Technology

Semiconductors form the foundation of nearly every modern electronic system.

They are essential components in:

  • Smartphones and personal computers

  • Artificial intelligence and machine learning systems

  • Automobiles and electric vehicles

  • Telecommunications infrastructure and 5G networks

  • Medical devices and diagnostic equipment

  • Defense and aerospace technologies

  • Data centers and cloud computing platforms

Just as oil once powered engines, transportation, and industry, semiconductors now power digital intelligence, automation, and global connectivity.

Without semiconductors, modern technology would simply not function.


Control of Chips Means Control of Technology

Oil transformed global geopolitics because it was:

  • Essential

  • Finite

  • Unevenly distributed

Semiconductors share similar characteristics.

Advanced chip manufacturing exists in only a few regions and companies worldwide. Designing and producing cutting-edge semiconductors requires:

  • Massive capital investment

  • Highly specialized manufacturing equipment

  • Skilled engineers and researchers

  • Decades of accumulated expertise

Because of these factors, access to advanced chips has become a strategic priority for nations, not just a business concern.


The Global Economy Runs on Silicon

Many of today’s largest technological and economic trends rely heavily on semiconductor technology.

For example:

  • The growth of artificial intelligence depends on high-performance chips

  • Digital transformation relies on reliable computing hardware

  • Industrial automation requires embedded semiconductor systems

  • Clean energy technologies depend on advanced power electronics

Unlike oil, semiconductors do not simply power machines — they enable computation, intelligence, and efficiency.

This makes them even more central to modern economic growth.


Why Semiconductors Are More Complex Than Oil

Extracting oil is challenging, but once discovered, it can be refined through established industrial processes.

Semiconductors are fundamentally different.

Manufacturing advanced chips requires:

  • Atomic-scale precision

  • Ultra-clean manufacturing environments

  • Highly complex global supply chains

  • Continuous technological innovation

A modern semiconductor fabrication plant (fab) is among the most complex industrial facilities ever created, often costing tens of billions of dollars and taking several years to build and operate.

This level of complexity makes semiconductor manufacturing harder to replicate and scale than oil production.


Supply Chain Fragility Changed Global Thinking

Recent global disruptions revealed how vulnerable semiconductor supply chains can be.

Chip shortages affected industries including:

  • Automotive manufacturing

  • Consumer electronics

  • Industrial equipment production

These shortages demonstrated that semiconductors are not only a technology issue — they represent a systemic risk to global economies.

As a result, countries and companies are actively working to strengthen and diversify semiconductor supply chains.


Governments Now Treat Chips as Strategic Assets

Across the world, semiconductors are increasingly viewed as:

  • Critical infrastructure

  • National strategic assets

  • Long-term technological investments

Governments are supporting semiconductor ecosystems through:

  • Research and development funding

  • Manufacturing incentives

  • Workforce and talent development

  • International supply chain partnerships

This approach is similar to how countries once treated oil reserves and energy security — except the focus has shifted from crude oil to silicon.


Chip Design Is the New Exploration

During the oil era, resource exploration determined influence and power.

In the semiconductor age, design capability plays a similar role.

Developing advanced chips requires:

  • Deep knowledge of semiconductor physics and architecture

  • Sophisticated design and verification software

  • Long-term engineering expertise

Countries with strong chip design ecosystems can participate in the semiconductor economy even if they do not yet lead in manufacturing.

This is why design hubs are becoming strategically important worldwide.


A Resource That Multiplies Innovation

Semiconductors differ from oil in one fundamental way.

Oil is consumed when used.

Semiconductors, however, enable further technological progress.

Each new generation of chips enables:

  • Faster computing power

  • More intelligent systems

  • Improved energy efficiency

  • Entirely new technological capabilities

In this sense, semiconductors are not just a resource — they are a multiplier of innovation.


Why the “New Oil” Comparison Matters

Calling semiconductors the new oil is not meant to create fear or competition.

Instead, it reflects a growing recognition that:

  • Chips underpin modern civilization

  • Their supply affects global economic stability

  • Their development requires long-term strategic thinking

Understanding this shift is essential for anyone interested in technology, economics, or the future of global industry.


The Bigger Picture

Oil powered the industrial age.

Semiconductors power the digital age.

As the world becomes more connected, automated, and intelligent, the importance of semiconductor technology will only continue to grow.

That is why, quite simply, semiconductors are the new oil.

India Semiconductor Mission 2.0 Explained: How Union Budget 2026 Is Strengthening India’s Chip Ecosystem



On 1 February 2026, while presenting the Union Budget 2026–27, India’s Finance Minister Nirmala Sitharaman announced the launch of India Semiconductor Mission 2.0 (ISM 2.0).

This new phase represents a significant expansion of India’s semiconductor strategy, aiming to transform the country into a global hub for semiconductor design, research, manufacturing, and equipment production.

The initiative signals a stronger push toward building a complete domestic semiconductor ecosystem.


What Is India Semiconductor Mission 2.0?

India Semiconductor Mission 2.0 is the next stage of India’s semiconductor program, building upon the foundation established by the earlier mission.

The new initiative aims to strengthen India’s semiconductor ecosystem by expanding capabilities across the value chain, including:

  • Domestic production of equipment and materials used in chip manufacturing

  • Development of Indian semiconductor IP and design capabilities

  • Strengthening supply chain resilience

  • Establishing industry-led research and training centers

While earlier efforts focused heavily on attracting semiconductor fabrication plants, the new mission places greater emphasis on innovation, design leadership, and self-reliance.


Investment, Incentives, and Policy Support

Budgetary Allocation

For the financial year 2026–27, the government has allocated ₹1,000 crore to begin the rollout of ISM 2.0.

This funding is expected to support early initiatives in research, ecosystem development, and strategic partnerships.


Expansion of Incentive Programs

A key supporting initiative, the Electronics Components Manufacturing Scheme (ECMS), has also received a significant increase in funding.

Its financial outlay has grown from less than ₹23,000 crore to ₹40,000 crore.

This major expansion reflects rising investor interest and aims to boost electronics components and semiconductor-related manufacturing in India.


Focus on Intellectual Property, R&D, and Skills

During the budget announcement, Sitharaman emphasized the importance of investing in research, talent development, and advanced engineering capabilities.

ISM 2.0 will support:

  • Industry-led research centers

  • Semiconductor training programs

  • Advanced technology development initiatives

These efforts are intended to build a future-ready semiconductor workforce and innovation ecosystem.


Why India Semiconductor Mission 2.0 Matters

Moving Beyond Assembly

One of the key shifts in ISM 2.0 is the move from focusing only on fabrication toward building deeper technological capabilities.

This includes encouraging development in areas such as:

  • Semiconductor equipment manufacturing

  • Materials science

  • Chip design and intellectual property


Strengthening Supply Chains

The mission also aims to make India’s semiconductor ecosystem more resilient to global supply disruptions.

Recent global chip shortages highlighted how vulnerable supply chains can be.

Developing local capabilities in multiple parts of the semiconductor value chain can help reduce these risks.


Talent and Innovation Development

ISM 2.0 places strong emphasis on industry-academia collaboration.

By supporting research facilities, training centers, and academic partnerships, the mission aims to develop expertise in chip design, semiconductor engineering, and hardware innovation.


Reducing Import Dependence

By expanding capabilities in design, materials, components, and equipment, India can gradually reduce its dependence on imported semiconductor technologies.

This shift could provide long-term economic and strategic advantages.


Industry Perspectives

Many industry experts believe that India Semiconductor Mission 2.0 represents a structural shift in India’s semiconductor strategy.

Rather than focusing solely on building fabs, the initiative now supports a broader ecosystem that includes:

  • Equipment and tooling manufacturing

  • Specialty materials production

  • Semiconductor IP and chip design

  • Supply chain development

This wider approach could position India as a more resilient and competitive player in the global semiconductor industry.


The Bigger Picture

India Semiconductor Mission 2.0 is among the most significant technology policy initiatives announced in 2026.

By expanding funding, strengthening incentives, and focusing on innovation and self-reliance, the mission places semiconductors at the center of India’s long-term technology and manufacturing strategy.

If successfully implemented, ISM 2.0 could accelerate India’s role in semiconductor design, manufacturing, and global technology leadership.

Explore Our Topics!

Check out the extensive list of topics we discuss:  Tech and AI Blogs Communication Protocols: -  USB   - RS232   -  Ethernet   -  AMBA Prot...