mahmoud nezar sarhan
mahmoud nezar sarhan

Reputation: 756

How to import my own class?

I have this java class :

package myClass;
public class myClass 
{
    private int herAge ;
    public void setHerAge (int herAge)
    {
        this.herAge = herAge ; 
    }
}

and I want to import this class after compile it in another source file called Test.java exists in the same directory , and here what Test.java contains :

import myClass ;
public class Test
{
    public static void main (String []args)
    {
    myClass Rudaina = new myClass();
    Rudaina.setHerAge(30);
    }
}

when I compile Test.java I see this in my console :

Test.java:1: error '.' expected
import myClass ;
              ^
Test.java:1: error '.' expected
import myClass ;
                ^

Upvotes: 11

Views: 73427

Answers (5)

Ranmal Dewage
Ranmal Dewage

Reputation: 466

It's better to put the same package name or a different one as mention below on top of the Test.java file;

package myClass; //or some other name also viable

Then when you compile you can do like this;

javac -d . myClass.java
javac -d . Test.java

The -d specifies the destination where to put the generated class file. You can use any directory name like /home (in case of Linux), d:/abc (in case of windows), etc. If you want to keep the package within the same directory, you can use the .(dot).

After that use the import statement inside Test.java like this;

import myClass.*;

or

import myClass.myclass;

After that when you run the Test class do like this;

java myClass.Test  //myClass in here is package name if you use some different package name use that

Upvotes: 2

Ellen Spertus
Ellen Spertus

Reputation: 6805

While what everyone wrote is true, since the two files are in the same directory, no import should be necessary.

FYI, it is customary to capitalize the names of classes.

Upvotes: 6

iFytil
iFytil

Reputation: 459

Your class myClass is also in package called myClass, which can be a cause of confusion.

Try:

import myClass.myClass;

This is called the fully qualified name of the class.

A package is meant to group classes which are conceptually related. Having a package named after a single class is not very useful.

You could name your package after the name of your project. For instance, you could name it

package assignment1;

And then import your class like this:

import assignment1.myClass;

Upvotes: 10

Jared Mackey
Jared Mackey

Reputation: 4158

You are missing the package name. Try import myClass.myClass;

Upvotes: 0

Maksim
Maksim

Reputation: 264

You should use the whole class name - including the name of the package.

Upvotes: 0

Related Questions