我到处学习使用if语句是一种不好的做法,当它可以避免它们时。我正在努力学习如何制作干净的代码,似乎也有一些设计模式可能会有所帮助,所以我想知道是否有可能重构这段代码以便删除if语句,这里是代码来说明这个:
public class Printer {
private boolean on=false;
private Job currentJob=null;
private String name;
public String getName(){
return name;
}
public void setName(String name) {
this.name=name;
}
public void setOn(boolean _on){
this.on=_on;
}
public boolean getOn(){
return this.on;
}
public void setCurrentJob(Job _currentJob){
this.currentJob=_currentJob;
}
public Job getCurrentJob(){
return this.currentJob;
}
private boolean getOnStart(){
setOn(true);
return getOn();
}
public boolean start(){
setOn(true);
return on;
}
public boolean stop(){
setOn(false);
return !on;
}
public boolean suspend(){
if (!isPrinting()) {
throw new IllegalStateException("Error");
}
currentJob.setState(Job.WAINTING);
return true;
}
public boolean resume(){
if (this.currentJob==null && currentJob.getState()!=0) {
throw new IllegalStateException("Error");
}
currentJob.setState(Job.PRINTING);
return true;
}
public boolean cancel(){
if (this.currentJob==null && currentJob.getState()!=0) {
throw new IllegalStateException("Error");
}
currentJob = null;
return true;
}
public boolean print(Job aJob){
if (isAvailable()){
currentJob=aJob;
aJob.setPrinter(this);
aJob.setState(Job.PRINTING);
return true;
}
System.err.println("Error");
return false;
}
public boolean printingCompleted(){
if (isPrinting()){
currentJob.setPrinter(null);
currentJob.setState(Job.COMPLETED);
currentJob=null;
return true;
}
System.err.println("Error");
return false;
}
public void setSpooler(Spooler spool){
spool.join(this);
}
public boolean isAvailable(){
return on && currentJob==null;
}
public boolean isPrinting(){
return on && currentJob!=null;
}
}
答案 0 :(得分:2)
错误地或过度地使用if
有时可能表示代码味道,但我不会说它们应该被避免。
在你的情况下,他们确实有点不确定。我会把你的逻辑编码成像。
public void print(Job aJob) {
if (!isAvailable()) {
throw new IllegalStateException("Cannot print when printer not available.");
}
currentJob = aJob;
aJob.setPrinter(this);
aJob.setState(Job.PRINTING);
}
public void printingCompleted() {
if (!isPrinting()) {
throw new IllegalStateException("Attempt to complete printing when no printing in progress.");
}
currentJob.setPrinter(null);
currentJob.setState(Job.COMPLETED);
currentJob = null;
}
这有三个好处:
true
或false
来表示成功/失败(常见的气味)。答案 1 :(得分:1)
我到处学习使用if语句是一种不好的做法 可以避免它们。
我实际上同意这一点。也许我对措辞过于敏感,但如果可以避免它们,对我来说,意味着它们首先不需要。编写得不好的代码当然可以包含不必要的逻辑来做同样的事情。
if
是该语言的一个重要方面。认为应该不惜一切代价避免它们是愚蠢的。在需要的地方使用它们,以及它们的用途。
答案 2 :(得分:0)
IMO,如果合理需要ifs
,则没有任何问题。但是你应该避免在你的方法中使用多个退出点。你可以改写:
public boolean print(Job aJob){
boolean result = false;
if (isAvailable()){
currentJob=aJob;
aJob.setPrinter(this);
aJob.setState(Job.PRINTING);
result = true;
}
System.err.println("Error");
return result;
}