这是我第一次编写多线程程序。 我怀疑我创建的多个线程将指向相同的run方法并执行run()中编写的任务。 但我想要不同的线程来执行不同的任务 例如1个线程将插入数据库其他更新等。 我的问题是如何创建将执行不同任务的不同线程
答案 0 :(得分:4)
创建执行不同工作的线程:
public class Job1Thread extends Thread {
@Override
public void run() {
// Do job 1 here
}
}
public class Job2Thread extends Thread {
@Override
public void run() {
// Do job 2 here
}
}
启动你的主题,他们会为你工作:
Job1Thread job1 = new Job1Thread();
Job2Thread job2 = new Job2Thread();
job1.start();
job2.start();
答案 1 :(得分:3)
您可以使用不同的作业创建实现Runnable的不同类 - 仅用于启动
答案 2 :(得分:3)
您可以根据条件运行run()方法(插入数据库,更新等)。在初始化线程类时,在类构造函数中传递参数,这将定义此线程将为您执行的任务。
答案 3 :(得分:2)
/ *此程序创建三个不同的线程来执行三个不同的任务。线程-1打印A ... Z,线程-2打印1 ... 100,线程-3打印100-200。非常基本的程序,用于理解多线程而无需为不同的任务创建不同的类* /
class ThreadingClass implements Runnable {
private Thread t;
private String threadName;
ThreadingClass( String name) {
threadName = name;
System.out.println("Creating " + threadName );
}
public void run() {
System.out.println("Running " + threadName );
if( threadName == "Thread-1" ){
this.printAlpha();
}
else if( threadName == "Thread-2" ){
this.printOneToHundred();
}
else{
this.printHundredMore();
}
}
public void printAlpha(){
for(int i=65; i<=90; i++)
{
char x = (char)i;
System.out.println("RunnableDemo: " + threadName + ", " + x);
}
}
public void printOneToHundred(){
for(int i=1; i<=100; i++)
{
System.out.println("RunnableDemo: " + threadName + ", " + i);
}
}
public void printHundredMore(){
for(int i=100; i<=200; i++)
{
System.out.println("RunnableDemo: " + threadName + ", " + i);
}
}
public void start () {
System.out.println("Starting " + threadName );
if (t == null) {
t = new Thread (this);
t.start ();
t.setName(threadName);
}
}
}
public class MultiTasking {
public static void main(String args[]) {
ThreadingClass R1 = new ThreadingClass ( "Thread-1");
ThreadingClass R2 = new ThreadingClass ( "Thread-2");
ThreadingClass R3 = new ThreadingClass ( "Thread-3");
R1.start();
R2.start();
R3.start();
}
}
答案 4 :(得分:1)
您可以使用内部类。如下所示
class first implements Runnable
{
public void run(){
System.out.println("hello by tobj");
}
public static void main(String args[]){
first obj=new first();
Thread tobj =new Thread(obj);
tobj.start();
Thread t2 =new Thread(obj)
{
public void run()
{
System.out.println("hello by t2");
}
};
Thread t = new Thread(obj)
{
public void run()
{
System.out.println("hello by t");
}
};
t.start();
t2.start();
}
}