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...

Binary to Octal Conversion in C

Binary to Octal Conversion in C

✅ Binary to Octal Conversion in C

#include<stdio.h>
int main( )
{
    int num, octal = 0, remainder, j = 1;
    printf("Enter the number:\n");
    scanf("%d", &num);
    while (num != 0)
    {
        remainder = num % 10;
        octal = octal + remainder * j;
        j = j * 2;
        num = num / 10;
    }
    printf("The octal equivalent value is %o\n", octal);
}
  

๐Ÿ“˜ Explanation:

This program converts a binary number (entered as an integer) into its octal equivalent. - It processes each digit of the binary number from right to left. - For each digit, it multiplies by its corresponding positional weight in base-2 and adds it to `octal`. - The final result is printed using `%o`, which formats the number in octal form.

๐Ÿงพ Sample Output:

Enter the number:
1010
The octal equivalent value is 12
  

๐Ÿ”‘ Keywords:

Binary to Octal in C, Number Conversion in C, Beginner C Programs, Binary Conversion Logic, C Program Examples, %o format specifier

๐Ÿ“Œ Hashtags:

#CProgramming #BinaryToOctal #BeginnerC #NumberConversion #OctalFormat #scanf #printf #whileLoop

Binary to Octal Conversion – Visual Explanation

Example: Convert Binary 101110 to Octal.

Step 1: Group binary digits from right in 3s:
Binary:     101 110

Step 2: Convert each 3-bit group to decimal (octal):
   101 -> 5
   110 -> 6

Octal Value: 56

This is how we convert binary numbers into octal by grouping every 3 bits.

Comments

Popular Posts

๐ŸŒ™