September 2021

A - The Path To Destiny

Solution

\[\]

Implementation in C++

#include <iostream>

using namespace std;

int main() {
    int t, a, b, x, y;
    cin>>t;
    
    while (t--) {
        cin>>a>>b>>x>>y;
        
        /*
            If a equals x or b equals y, 
            we can travel in one straight line.
            Otherwise, we can travel in
            2 straight lines
        */
        
        if (a == x || b == y)
            cout<<1<<"\n";
        else
            cout<<2<<"\n";
    }
    
    return 0;
}
\[\]

Implementation in Java

import java.io.*;
import java.util.*;

public class Solution {
    public static void main(String[] args) {
        Scanner scan = new Scanner(System.in);
        
        int t, a, b, x, y;
        
        t = scan.nextInt();
        
        while (t-- > 0) {
            a = scan.nextInt();
            b = scan.nextInt();
            x = scan.nextInt();
            y = scan.nextInt();
            
            /*
                If a equals x or b equals y, 
                we can travel in one straight line.
                Otherwise, we can travel in
                2 straight lines
            */
            
            if (a == x || b == y)
                System.out.println(1);
            else
                System.out.println(2);
        }
    }
}
\[\]

Implementation in Python

t = int(input())
for _ in range(t):
    a, b, x, y = map(int, input().split())
    
    # If a eqauls x or b equals y
    # we can travel in a single straight line
    # Otherwise, we can travel in
    # 2 straight lines
    
    if a == x or b == y:
        print(1)
    else:
        print(2)
\[\]

Contest Material