Skip to main content

Featured

C Program to Solve Two Sum Using Brute Force (With Algorithm & Output)

 Introduction The Two Sum problem is a popular coding interview question where we must find two indices of an array whose values add up to a given target. This program demonstrates a simple brute-force solution in C using nested loops and dynamic memory allocation. Problem Statement Given an integer array and a target value, return the indices of the two numbers such that they add up to the target. Each input has exactly one solution, and the same element cannot be used twice. The result should return the indices, not the values. If no solution exists, return NULL.  Algorithm / Logic Explanation Start the program. Traverse the array using a loop from index 0 to numsSize - 1 . Inside this loop, use another loop starting from i + 1 to numsSize - 1 . For every pair (i, j) , check if nums[i] + nums[j] == target . If condition becomes true: Allocate memory for 2 integers using malloc() . Store indices i and j . Set returnSize = 2 . Return the result poi...

C Program to Add Two Numbers Without '+' Operator

Binary Addition Without '+' in C

✅ C Program to Add Two Numbers Without '+' Operator

#include <stdio.h>

int main() {
    int a, b;
    printf("Enter two numbers:\n");
    scanf("%d %d", &a, &b);

    while (b != 0) {
        int carry = a & b;     // Calculate carry
        a = a ^ b;             // Add without carrying
        b = carry << 1;        // Shift carry to the left
    }

    printf("Sum is: %d\n", a);
    return 0;
}
  

๐Ÿ“˜ Explanation:

This program adds two numbers without using the + operator. It uses bitwise operations:

  • a ^ b calculates the sum without carry
  • a & b finds the carry
  • carry << 1 shifts the carry to the next bit
  • The loop continues until there’s no carry

๐Ÿ–ฅ️ Sample Output:

Enter two numbers:
5 3
Sum is: 8
  

๐Ÿ”‘ Keywords:

add without plus, bitwise sum, binary addition, C program without + operator, xor carry logic, beginner bitwise program

๐Ÿ“Œ Hashtags:

#CProgramming #BitwiseOperations #BinaryAddition #NoPlusOperator #XORLogic #BeginnerC

Comments

Popular Posts

๐ŸŒ™