Να γραφεί αλγόριθμος ο οποίος θα αντιμεταθέτει (ανταλλάσσει) τις τιμές δύο μεταβλητών (στην μνήμη) και κατόπιν θα τις εμφανίζει.
Οι μεταβλητές παίρνουν τιμές από το πληκτρολόγιο.
Κάνετε αντιγραφή κι επικόλληση του κώδικα στον online compiler της Python
https://www.tutorialspoint.com/execute_python_online.php
# Python program to swap two variables
x = input('Enter value of x: ')
y = input('Enter value of y: ')
# create a temporary variable and swap the values
temp = x
x = y
y = temp
print('The value of x after swapping: {}'.format(x))
print('The value of y after swapping: {}'.format(y))
#include <stdio.h>
int main()
{
double firstNumber, secondNumber, temporaryVariable;
printf("Enter first number: ");
scanf("%lf", &firstNumber);
printf("Enter second number: ");
scanf("%lf",&secondNumber);
// Value of firstNumber is assigned to temporaryVariable
temporaryVariable = firstNumber;
// Value of secondNumber is assigned to firstNumber
firstNumber = secondNumber;
// Value of temporaryVariable (which contains the initial value of firstNumber) is assigned to secondNumber
secondNumber = temporaryVariable;
printf("\nAfter swapping, firstNumber = %.2lf\n", firstNumber);
printf("After swapping, secondNumber = %.2lf", secondNumber);
return 0;
}