|
import random |
|
import sympy as sp |
|
|
|
title = "2's Complement Questions" |
|
description = "This module explains the 2's complement method for representing negative numbers." |
|
|
|
def generate_question(): |
|
number = ''.join(random.choice('01') for _ in range(8)) |
|
|
|
def calculate_twos_complement(number): |
|
|
|
ones_complement = ''.join('1' if bit == '0' else '0' for bit in number) |
|
|
|
|
|
twos_complement = bin(int(ones_complement, 2) + 1)[2:] |
|
twos_complement = twos_complement.zfill(len(number)) |
|
|
|
return ones_complement, twos_complement |
|
|
|
ones_complement, correct_answer = calculate_twos_complement(number) |
|
options = [correct_answer] |
|
|
|
|
|
while len(options) < 4: |
|
invalid_number = ''.join(random.choice('01') for _ in range(8)) |
|
if invalid_number != correct_answer: |
|
options.append(invalid_number) |
|
|
|
random.shuffle(options) |
|
|
|
question = f"What is the 2's complement of the binary number {number}?" |
|
|
|
|
|
num_expr = sp.sympify(f'0b{number}') |
|
ones_expr = sp.sympify(f'0b{ones_complement}') |
|
twos_expr = ones_expr + 1 |
|
|
|
step_by_step_solution = [ |
|
f"Step 1: Start with the original binary number: {number}", |
|
f"Step 2: Find the 1's complement by flipping all bits: {ones_complement}", |
|
f"Step 3: Add 1 to the 1's complement:", |
|
f" {ones_complement} + 1 = {bin(twos_expr)[2:].zfill(len(number))}", |
|
f"Step 4: The 2's complement of {number} is {correct_answer}." |
|
] |
|
|
|
explanation = f"The 2's complement of {number} is {correct_answer}. It is calculated by inverting the bits and adding 1." |
|
|
|
return { |
|
"question": question, |
|
"options": options, |
|
"correct_answer": correct_answer, |
|
"explanation": explanation, |
|
"step_by_step_solution": step_by_step_solution |
|
} |
|
|