我有一种情况,我希望从方法中返回2个值。我试图弄清楚如何在Java中这样做。在C#中我只使用2个参数或结构在这种情况下但不确定什么是最适合Java的(除了Pair,因为我可能必须将其更改为3个值,或者必须创建一个新类来返回对象)。
我的例子就是这样:
public void myMethod(Signal signal){
MyEnum enum = MyEnum.DEFAULT;
String country = "";
// based on signal, I need to get 2 values, one is string, other is
// an enumeration
if (signal.getAction() == "Toyota"){
enum = MyEnum.TOYOTA;
country = "Japan";
} else if (signal.getAction() == "Honda"){
enum = MyEnum.HONDA;
country = "Japan";
} else if (signal.getAction() == "VW"){
enum = MyEnum.VW;
country = "Germany";
} else {
enum = MyEnum.DEFAULT;
country = "Domestic";
}
// how to return both enum and country?
return ???
}
这只是一个例子来解释我需要什么(返回一个东西,有2个值,一个是字符串,另一个是枚举在这种情况下)。所以,忽略我的字符串比较或逻辑的任何问题,我的观点是如何返回一些东西。例如,在C#中,我可以定义一个结构并返回该结构,或者我可以使用out参数来返回2个值。但我不确定如何在Java中优雅地做到这一点。
答案 0 :(得分:1)
我认为这主要是Jon Skeet建议的一个例子。 (编辑包括国家)
让你的枚举带有文字和转换功能。
public enum AutoMake {
HONDA("Honda", "Japan"),
TOYOTA("Toyota", "Japan"),
VW("Volkswagon", "Germany");
private String country;
private String text;
private AutoMake(String text, String country) {
this.text = text;
}
public static AutoMake getMake(String str){
AutoMake make = null;
AutoMake[] possible = AutoMake.values();
for(AutoMake m : possible){
if(m.getText().equals(str)){
make = m;
break;
}
}
return make;
}
/**
* @return the country
*/
public String getCountry() {
return country;
}
/**
* @return the text
*/
public String getText() {
return text;
}
}
然后将make作为枚举存储在汽车对象中
public class Car {
private AutoMake make;
private String model;
public Car() {
}
public Car(AutoMake make, String model) {
super();
this.make = make;
this.model = model;
}
/**
* @return the make
*/
public AutoMake getMake() {
return make;
}
/**
* @return the model
*/
public String getModel() {
return model;
}
/**
* @param make the make to set
*/
public void setMake(AutoMake make) {
this.make = make;
}
/**
* @param model the model to set
*/
public void setModel(String model) {
this.model = model;
}
}
现在你可以从汽车对象中获取文本和枚举值
car.getMake() // Enum
car.getMake.getText() // Text
car.getMake.getCountry // Country
您可以使用
从文本转换为枚举Enum make = AutoMake.getMake("Honda");
这意味着AutoMake.getMake(Signal.getAction())
可以将myMethod(signal)
替换为带有make和country的结果Enum。
答案 1 :(得分:1)
如果你真的想在java中使用元组,可以从scala标准库中导入它们。由于两种语言都编译为相同的字节代码,因此可以在一个项目中一起使用。
import scala.Tuple2;
public class ScalaInJava {
public static Tuple2<String, Integer> tupleFunction(){
return new Tuple2<>("Hello World", 1);
}
public static void main(String[] args) {
System.out.println(tupleFunction()._1());
}
}