Java Programming Quickstart: Zero to Code in One Sitting

Grasp the fundamentals and write your first Java programs in a single sitting.
March 11, 2025 by
Java Programming Quickstart: Zero to Code in One Sitting
Hamed Mohammadi
| No comments yet

Java remains one of the world's most in-demand programming languages, powering everything from enterprise applications to Android mobile apps. While Java has a reputation for being more complex than languages like Python, this guide will help you grasp the fundamentals and write your first Java programs in a single sitting.

Setting Up Your Environment

Before writing any code, you need to set up your development environment:

  1. Install the JDK (Java Development Kit):

    • Visit Oracle's Java download page or use OpenJDK
    • Download and install the latest version (JDK 17+ recommended for new learners)
    • Follow the installation wizard instructions
  2. Choose an IDE (Integrated Development Environment):

    • IntelliJ IDEA: Powerful IDE with an excellent free Community Edition
    • Eclipse: Open-source IDE with extensive plugins
    • VSCode: Lightweight editor with Java extensions
    • NetBeans: User-friendly IDE good for beginners
  3. Verify Installation:

    • Open a command prompt or terminal
    • Type: java -version and javac -version
    • Both should display version information if properly installed

Your First Java Program

Let's create the traditional "Hello, World!" program:

  1. Open your IDE
  2. Create a new Java project
  3. Create a new Java class named HelloWorld
  4. Enter the following code:
public class HelloWorld {
    public static void main(String[] args) {
        System.out.println("Hello, World!");
    }
}

  1. Save the file as HelloWorld.java
  2. Compile and run the program

You should see "Hello, World!" in your console. Congratulations on writing your first Java program!

Understanding the Basic Structure

Let's break down what we just wrote:

  • public class HelloWorld: Every Java program needs at least one class. The class name must match the filename.
  • public static void main(String[] args): The main method is the entry point for any Java application.
  • System.out.println(): This method prints text to the console.

Java Fundamentals

Variables and Data Types

Java is a statically typed language, meaning you must declare the type of each variable:

// Primitive types
int age = 25;                 // Integer (whole number)
double height = 5.7;          // Floating-point (decimal number)
char grade = 'A';             // Single character
boolean isStudent = true;     // True or false

// Reference type
String name = "Alice";        // Text (String is a class, not a primitive)

Basic Operations

Java supports all standard arithmetic operations:

int sum = 5 + 3;              // 8
int difference = 10 - 4;      // 6
int product = 6 * 7;          // 42
double quotient = 20.0 / 4;   // 5.0
int integerDivision = 20 / 4; // 5
int remainder = 20 % 3;       // 2 (modulo - returns the remainder)
int exponent = (int) Math.pow(2, 3); // 8 (2 raised to power of 3)

Strings

Working with text in Java:

// Creating strings
String firstName = "John";
String lastName = "Doe";

// Concatenation (joining strings)
String fullName = firstName + " " + lastName;  // "John Doe"

// String methods
String uppercase = fullName.toUpperCase();  // "JOHN DOE"
String lowercase = fullName.toLowerCase();  // "john doe"
int length = fullName.length();             // 8

User Input

Getting input from the user requires the Scanner class:

import java.util.Scanner;

public class UserInput {
    public static void main(String[] args) {
        Scanner scanner = new Scanner(System.in);
        
        System.out.print("What is your name? ");
        String name = scanner.nextLine();
        
        System.out.println("Hello, " + name + "!");
        
        scanner.close();  // Always close the scanner when done
    }
}

Control Flow

If Statements

Decision-making in code:

int age = 18;

if (age < 13) {
    System.out.println("Child");
} else if (age < 18) {
    System.out.println("Teenager");
} else {
    System.out.println("Adult");
}

Loops

Repeating code:

// For loop
for (int i = 0; i < 5; i++) {
    System.out.println(i);
}

// While loop
int count = 0;
while (count < 5) {
    System.out.println(count);
    count++;  // Increment count
}

// Do-while loop (executes at least once)
int number = 0;
do {
    System.out.println(number);
    number++;
} while (number < 5);

Arrays

Arrays store collections of items of the same type:

// Declaring and initializing an array
String[] fruits = {"apple", "banana", "cherry"};

// Accessing items (indexing starts at 0)
String firstFruit = fruits[0];  // "apple"

// Modifying items
fruits[1] = "blueberry";  // Changes "banana" to "blueberry"

// Array length
int numFruits = fruits.length;  // 3


ArrayLists (Dynamic Arrays)

For a more flexible collection:

import java.util.ArrayList;

public class ArrayListExample {
    public static void main(String[] args) {
        // Create an ArrayList of Strings
        ArrayList<String> fruits = new ArrayList<>();
        
        // Add items
        fruits.add("apple");
        fruits.add("banana");
        fruits.add("cherry");
        
        // Access items
        String firstFruit = fruits.get(0);  // "apple"
        
        // Modify items
        fruits.set(1, "blueberry");
        
        // Remove items
        fruits.remove(2);  // Removes "cherry"
        
        // Size of ArrayList
        int numFruits = fruits.size();  // 2
        
        // Iterate through ArrayList
        for (String fruit : fruits) {
            System.out.println(fruit);
        }
    }
}

Your First Practical Program

Let's create a simple calculator:

import java.util.Scanner;

public class SimpleCalculator {
    public static void main(String[] args) {
        Scanner scanner = new Scanner(System.in);
        
        // Get user input
        System.out.print("Enter first number: ");
        double num1 = scanner.nextDouble();
        
        scanner.nextLine();  // Clear the input buffer
        
        System.out.print("Enter operation (+, -, *, /): ");
        String operation = scanner.nextLine();
        
        System.out.print("Enter second number: ");
        double num2 = scanner.nextDouble();
        
        // Perform calculation
        double result = 0;
        boolean validOperation = true;
        
        switch (operation) {
            case "+":
                result = num1 + num2;
                break;
            case "-":
                result = num1 - num2;
                break;
            case "*":
                result = num1 * num2;
                break;
            case "/":
                if (num2 != 0) {  // Avoid division by zero
                    result = num1 / num2;
                } else {
                    System.out.println("Error: Cannot divide by zero");
                    validOperation = false;
                }
                break;
            default:
                System.out.println("Invalid operation");
                validOperation = false;
        }
        
        // Display result
        if (validOperation) {
            System.out.println(num1 + " " + operation + " " + num2 + " = " + result);
        }
        
        scanner.close();
    }
}

Methods (Functions)

Methods allow you to reuse code:

public class MethodExample {
    // Method definition
    public static String greet(String name) {
        return "Hello, " + name + "!";
    }
    
    public static void main(String[] args) {
        // Calling the method
        String message = greet("Java Beginner");
        System.out.println(message);  // "Hello, Java Beginner!"
    }
}

Putting It All Together: A Number Guessing Game

Let's create a more complex program using what you've learned:

import java.util.Random;
import java.util.Scanner;

public class NumberGuessingGame {
    public static void main(String[] args) {
        Scanner scanner = new Scanner(System.in);
        Random random = new Random();
        
        // Generate a random number between 1 and 100
        int secretNumber = random.nextInt(100) + 1;
        int attempts = 0;
        int maxAttempts = 10;
        boolean hasWon = false;
        
        System.out.println("Welcome to the Number Guessing Game!");
        System.out.println("I'm thinking of a number between 1 and 100. You have " + maxAttempts + " attempts.");
        
        while (attempts < maxAttempts) {
            // Get user's guess
            System.out.print("Enter your guess: ");
            int guess;
            
            try {
                guess = scanner.nextInt();
            } catch (Exception e) {
                System.out.println("Please enter a valid number.");
                scanner.nextLine();  // Clear the invalid input
                continue;
            }
            
            attempts++;
            
            // Check the guess
            if (guess < secretNumber) {
                System.out.println("Too low!");
            } else if (guess > secretNumber) {
                System.out.println("Too high!");
            } else {
                System.out.println("Congratulations! You guessed the number in " + attempts + " attempts!");
                hasWon = true;
                break;
            }
            
            // Show remaining attempts
            int remaining = maxAttempts - attempts;
            if (remaining > 0) {
                System.out.println("You have " + remaining + " attempts left.");
            }
        }
        
        if (!hasWon) {
            System.out.println("Game over! The number was " + secretNumber + ".");
        }
        
        scanner.close();
    }
}

Classes and Objects

Java is an object-oriented programming language. Here's a simple example:

// Define a class
public class Person {
    // Fields (attributes)
    private String name;
    private int age;
    
    // Constructor
    public Person(String name, int age) {
        this.name = name;
        this.age = age;
    }
    
    // Methods
    public void introduce() {
        System.out.println("Hello, my name is " + name + " and I am " + age + " years old.");
    }
    
    // Getters and setters
    public String getName() {
        return name;
    }
    
    public void setName(String name) {
        this.name = name;
    }
    
    public int getAge() {
        return age;
    }
    
    public void setAge(int age) {
        if (age >= 0) {  // Basic validation
            this.age = age;
        }
    }
    
    // Main method for testing
    public static void main(String[] args) {
        // Create objects (instances of the class)
        Person person1 = new Person("Alice", 25);
        Person person2 = new Person("Bob", 30);
        
        // Use the objects
        person1.introduce();
        person2.introduce();
        
        // Update an object
        person1.setAge(26);
        System.out.println(person1.getName() + " is now " + person1.getAge() + " years old.");
    }
}

Next Steps

Congratulations! You've learned the fundamentals of Java programming. To continue your journey:

  1. Practice Regularly: Write more code and experiment with what you've learned.
  2. Learn More About OOP: Dive deeper into Object-Oriented Programming concepts (inheritance, polymorphism, encapsulation, abstraction).
  3. Explore Java Libraries: Java has a vast ecosystem of libraries and frameworks.
  4. Build Small Projects: Start with simple programs and gradually increase complexity.
  5. Join Communities: Stack Overflow, Reddit's r/learnjava, and GitHub have active Java communities.

Remember that Java has a steeper learning curve than some other languages, but the skills you gain are highly transferable and valued in the job market. Keep coding and don't get discouraged!

in Java
Java Programming Quickstart: Zero to Code in One Sitting
Hamed Mohammadi March 11, 2025
Share this post
Tags
Archive

Please visit our blog at:

https://zehabsd.com/blog

A platform for Flash Stories:

https://readflashy.com

A platform for Persian Literature Lovers:

https://sarayesokhan.com

Sign in to leave a comment