ScalaコードがJavaで書かれたコードよりもシンプルで簡潔であることを示す、ScalaおよびJavaコードのコードサンプルがいくつか必要です(私はそれらについても興味があります)(もちろん、両方のサンプルで同じ問題を解決できるはずです)。
「これはScalaの抽象ファクトリです。Javaではもっと面倒に見えます」のようなコメント付きのScalaサンプルしかない場合は、これも許容されます。
ありがとう!
私は受け入れられたすべての中で最も好きであり、この答え
ScalaコードがJavaで書かれたコードよりもシンプルで簡潔であることを示す、ScalaおよびJavaコードのコードサンプルがいくつか必要です(私はそれらについても興味があります)(もちろん、両方のサンプルで同じ問題を解決できるはずです)。
「これはScalaの抽象ファクトリです。Javaではもっと面倒に見えます」のようなコメント付きのScalaサンプルしかない場合は、これも許容されます。
ありがとう!
私は受け入れられたすべての中で最も好きであり、この答え
回答:
スタッカーの例を改善して、Scalaのケースクラスを使用してみましょう。
case class Person(firstName: String, lastName: String)
Scalaのクラス以上以下のJavaクラスのすべての機能が含まれている、といくつかのより多くの -例えば、それがサポートしているパターンマッチング(Javaはありません)。Scala 2.8は、名前付きおよびデフォルトの引数を追加します。これらは、ケースクラスのコピーメソッドを生成するために使用されます。これにより、次のJavaクラスのwith *メソッドと同じ機能が提供されます。
public class Person implements Serializable {
private final String firstName;
private final String lastName;
public Person(String firstName, String lastName) {
this.firstName = firstName;
this.lastName = lastName;
}
public String getFirstName() {
return firstName;
}
public String getLastName() {
return lastName;
}
public Person withFirstName(String firstName) {
return new Person(firstName, lastName);
}
public Person withLastName(String lastName) {
return new Person(firstName, lastName);
}
public boolean equals(Object o) {
if (this == o) {
return true;
}
if (o == null || getClass() != o.getClass()) {
return false;
}
Person person = (Person) o;
if (firstName != null ? !firstName.equals(person.firstName) : person.firstName != null) {
return false;
}
if (lastName != null ? !lastName.equals(person.lastName) : person.lastName != null) {
return false;
}
return true;
}
public int hashCode() {
int result = firstName != null ? firstName.hashCode() : 0;
result = 31 * result + (lastName != null ? lastName.hashCode() : 0);
return result;
}
public String toString() {
return "Person(" + firstName + "," + lastName + ")";
}
}
次に、使用法には(もちろん)あります:
Person mr = new Person("Bob", "Dobbelina");
Person miss = new Person("Roberta", "MacSweeney");
Person mrs = miss.withLastName(mr.getLastName());
に対して
val mr = Person("Bob", "Dobbelina")
val miss = Person("Roberta", "MacSweeney")
val mrs = miss copy (lastName = mr.lastName)
productElements
およびにのみありunapply
ます:gist.github.com/424375
case class Person(val firstName: String, val lastName: String)
た。事のプライベートがあまりにも可能でしょうが、理由適用を解除するなどの、任意の意味をなさないことを作る
case class Person(private val firstName: String)
、しかしケースクラスを使うべきではありません。代わりに行うclass Person(firstName: String)
とfirstName
、デフォルトではプライベートです。
val
とは、private val
アクセサメソッドかどうか、すなわちことであるfirstName()
とfirstName(String)
、パブリックまたはプライベートです。Scalaではフィールドは常にプライベートです。Scalaが(Scalaスタイルのアクセサーに加えて)Javaスタイルのget / setメソッドを生成するために、@BeanProperty
アノテーションがあります。
これは印象的だと思いました
ジャワ
public class Person {
private final String firstName;
private final String lastName;
public Person(String firstName, String lastName) {
this.firstName = firstName;
this.lastName = lastName;
}
public String getFirstName() {
return firstName;
}
public String getLastName() {
return lastName;
}
}
Scala
class Person(val firstName: String, val lastName: String)
これらのものと同様に(貼り付けられなかったため申し訳ありませんが、コードを盗みたくありませんでした)
getFirstName
とgetLastName
メソッドを生成しません。これscala.reflect.BeanProperty
を行うには、パラメータに注釈を付ける必要があります。
get
。慣用的なJavaコードは、慣用的なScalaコードとは異なります。時には、is
ブール値のために使用される接頭辞。davetron5000.github.com/scala-style/naming_conventions/methods/...
case class
と取得toString
、equals
およびhashCode
自由のための(そして、あなたはまた、引数を加える必要はありませんval
:明示的)case class Person(firstName: String, lastName: String)
case class
だけでなく、のためclass
。
タスク:キーワードのリスト(本など)に索引を付けるプログラムを作成します。
説明:
Java:
import java.util.*;
class Main {
public static void main(String[] args) {
List<String> keywords = Arrays.asList("Apple", "Ananas", "Mango", "Banana", "Beer");
Map<Character, List<String>> result = new HashMap<Character, List<String>>();
for(String k : keywords) {
char firstChar = k.charAt(0);
if(!result.containsKey(firstChar)) {
result.put(firstChar, new ArrayList<String>());
}
result.get(firstChar).add(k);
}
for(List<String> list : result.values()) {
Collections.sort(list);
}
System.out.println(result);
}
}
Scala:
object Main extends App {
val keywords = List("Apple", "Ananas", "Mango", "Banana", "Beer")
val result = keywords.sorted.groupBy(_.head)
println(result)
}
仕事:
フィールドとを持つpeople
クラスのオブジェクトのリストがあります。あなたの仕事は、このリストをまずでソートし、次にでソートすることです。Person
name
age
name
age
Java 7:
Collections.sort(people, new Comparator<Person>() {
public int compare(Person a, Person b) {
return a.getName().compare(b.getName());
}
});
Collections.sort(people, new Comparator<Person>() {
public int compare(Person a, Person b) {
return Integer.valueOf(a.getAge()).compare(b.getAge());
}
});
Scala:
val sortedPeople = people.sortBy(p => (p.name, p.age))
この回答を書いてから、かなりの進歩がありました。ラムダ(およびメソッド参照)がついにJavaに上陸し、Javaの世界を席巻しました。
これは、Java 8で上記のコードがどのように見えるかです(@fredoverflowによって提供されます)。
people.sort(Comparator.comparing(Person::getName).thenComparing(Person::getAge));
このコードはほとんど同じですが、Scalaのコードほどエレガントには機能しません。
Scalaの溶液中に、Seq[A]#sortBy
本方法は、機能受け付けるために必要とされる持っています。型クラスです。両方の世界のベストを考える:のように、それは問題の型に対して暗黙的ですが、のように拡張可能であり、それがなかった型に遡及的に追加できます。Javaには型クラスがないため、そのようなメソッドをすべて複製しなければなりません。たとえば、およびこちらを参照してください。A => B
B
Ordering
Ordering
Comparable
Comparator
Comparable
Comparator
comparing
thenComparing
型クラスを使用すると、「Aに順序付けがあり、Bに順序付けがある場合、タプル(A、B)にも順序付けがある」などのルールを記述できます。コードでは、次のとおりです。
implicit def pairOrdering[A : Ordering, B : Ordering]: Ordering[(A, B)] = // impl
このようにsortBy
して、コード内のを名前で、次に年齢で比較できます。これらのセマンティクスは、上記の「ルール」でエンコードされます。Scalaプログラマーは、これがこのように機能することを直感的に期待します。などの特別な目的のメソッドcomparing
をに追加する必要はありませんでしたOrdering
。
ラムダとメソッド参照は、関数型プログラミングである氷山の一角にすぎません。:)
仕事:
次のようなXMLファイル "company.xml"があります。
<?xml version="1.0"?>
<company>
<employee>
<firstname>Tom</firstname>
<lastname>Cruise</lastname>
</employee>
<employee>
<firstname>Paul</firstname>
<lastname>Enderson</lastname>
</employee>
<employee>
<firstname>George</firstname>
<lastname>Bush</lastname>
</employee>
</company>
このファイルを読み取り、全従業員のfirstName
およびlastName
フィールドを印刷する必要があります。
Java: [ ここから取得]
import java.io.File;
import javax.xml.parsers.DocumentBuilder;
import javax.xml.parsers.DocumentBuilderFactory;
import org.w3c.dom.Document;
import org.w3c.dom.Element;
import org.w3c.dom.Node;
import org.w3c.dom.NodeList;
public class XmlReader {
public static void main(String[] args) {
try {
File file = new File("company.xml");
DocumentBuilderFactory dbf = DocumentBuilderFactory.newInstance();
DocumentBuilder db = dbf.newDocumentBuilder();
Document doc = db.parse(file);
doc.getDocumentElement().normalize();
NodeList nodeLst = doc.getElementsByTagName("employee");
for (int s = 0; s < nodeLst.getLength(); s++) {
Node fstNode = nodeLst.item(s);
if (fstNode.getNodeType() == Node.ELEMENT_NODE) {
Element fstElmnt = (Element) fstNode;
NodeList fstNmElmntLst = fstElmnt.getElementsByTagName("firstname");
Element fstNmElmnt = (Element) fstNmElmntLst.item(0);
NodeList fstNm = fstNmElmnt.getChildNodes();
System.out.println("First Name: " + ((Node) fstNm.item(0)).getNodeValue());
NodeList lstNmElmntLst = fstElmnt.getElementsByTagName("lastname");
Element lstNmElmnt = (Element) lstNmElmntLst.item(0);
NodeList lstNm = lstNmElmnt.getChildNodes();
System.out.println("Last Name: " + ((Node) lstNm.item(0)).getNodeValue());
}
}
} catch (Exception e) {
e.printStackTrace();
}
}
}
import xml.XML
object XmlReader {
def main(args: Array[String]): Unit = {
XML.loadFile("company.xml") match {
case <employee> { employees @ _* } </employee> => {
for(e <- employees) {
println("First Name: " + (e \ "firstname").text)
println("Last Name: " + (e \ "lastname").text)
}
}
}
}
}
[ビルによる編集; ディスカッションのコメントを確認してください]-
うーん、フォーマットされていない返信セクションで返信せずにそれを行う方法... Hmph。私はあなたの答えを編集し、それがあなたを悩ませている場合はあなたにそれを削除させると思います。
これは、より良いライブラリを使用してJavaでそれを行う方法です。
public scanForEmployees(String filename) {
GoodXMLLib source=new GoodXMLLib(filename);
while( String[] employee: source.scanFor("employee", "firstname", "lastname") )
{
System.out.println("First Name: " + employee[0]);
System.out.println("Last Name: " + employee[1]);
}
}
これは魔法ではなく、すべての再利用可能なコンポーネントを含む、迅速なハックです。魔法を追加したい場合は、文字列配列の配列を返すよりも優れた方法がありますが、このGoodXMLLibは完全に再利用できます。scanForの最初のパラメーターはセクションです。今後のすべてのパラメーターは、検索対象のアイテムであり、制限がありますが、インターフェースをわずかに強化して、実際の問題なしに複数レベルのマッチングを追加できます。
Javaには一般的にかなり貧弱なライブラリサポートがあることを認めますが、Javaの10年前の恐ろしい使用法(?)の古いXMLライブラリを簡潔に基づいて行われた実装と比較するのは公平ではありません-はるかに言語の比較から!
文字列に応じて実行するアクションのマップ。
Java 7:
// strategy pattern = syntactic cruft resulting from lack of closures
public interface Todo {
public void perform();
}
final Map<String, Todo> todos = new HashMap<String,Todo>();
todos.put("hi", new Todo() {
public void perform() {
System.out.println("Good morning!");
}
} );
final Todo todo = todos.get("hi");
if (todo != null)
todo.perform();
else
System.out.println("task not found");
Scala:
val todos = Map( "hi" -> { () => println("Good morning!") } )
val defaultFun = () => println("task not found")
todos.getOrElse("hi", defaultFun).apply()
そしてそれはすべて可能な限り最高の味で行われます!
Java 8:
Map<String, Runnable> todos = new HashMap<>();
todos.put("hi", () -> System.out.println("Good morning!"));
Runnable defaultFun = () -> System.out.println("task not found");
todos.getOrDefault("hi", defaultFun).run();
todos.get("hi")
返しOption[()=>Unit]
ます。
val defaultFun = {() => println("task not found")}; todos.getOrElse("hi", defaultFun).apply()
val todos = Map("hi" -> { () => println("Good morning!") }) withDefaultValue { () => println("task not found") }
その後todos("hi")()
私は現在Scalaでブラックジャックゲームを書いています。これが私のディーラーウィンズメソッドがJavaでどのように見えるかです。
boolean dealerWins() {
for(Player player : players)
if (player.beats(dealer))
return false;
return true;
}
Scalaでの表示は次のとおりです。
def dealerWins = !(players.exists(_.beats(dealer)))
高階関数の万歳!
Java 8ソリューション:
boolean dealerWins() {
return players.stream().noneMatch(player -> player.beats(dealer));
}
def dealerWins = !(players exists (_ beats dealer))
私は、David Pollakの「Beginning Scala」の本から取った、並べ替えと変換のこの単純な例が好きでした。
Scalaの場合:
def validByAge(in: List[Person]) = in.filter(_.valid).sortBy(_.age).map(_.first)
case class Person(val first: String, val last: String, val age: Int) {def valid: Boolean = age > 18}
validByAge(List(Person("John", "Valid", 32), Person("John", "Invalid", 17), Person("OtherJohn", "Valid", 19)))
Javaの場合:
public static List<String> validByAge(List<Person> in) {
List<Person> people = new ArrayList<Person>();
for (Person p: in) {
if (p.valid()) people.add(p);
}
Collections.sort(people, new Comparator<Person>() {
public int compare(Person a, Person b) {
return a.age() - b.age();
}
} );
List<String> ret = new ArrayList<String>();
for (Person p: people) {
ret.add(p.first);
}
return ret;
}
public class Person {
private final String firstName;
private final String lastName;
private final Integer age;
public Person(String firstName, String lastName, Integer age) {
this.firstName = firstName;
this.lastName = lastName;
this.age = age;
}
public String getFirst() {
return firstName;
}
public String getLast() {
return lastName;
}
public Integer getAge() {
return age;
}
public Boolean valid() {
return age > 18;
}
}
List<Person> input = new ArrayList<Person>();
input.add(new Person("John", "Valid", 32));
input.add(new Person("John", "InValid", 17));
input.add(new Person("OtherJohn", "Valid", 19));
List<Person> output = validByAge(input)
クイックソートはどうですか?
以下はグーグル検索で見つかったJavaの例です、
URLはhttp://www.mycstutorials.com/articles/sorting/quicksortです。
public void quickSort(int array[])
// pre: array is full, all elements are non-null integers
// post: the array is sorted in ascending order
{
quickSort(array, 0, array.length - 1); // quicksort all the elements in the array
}
public void quickSort(int array[], int start, int end)
{
int i = start; // index of left-to-right scan
int k = end; // index of right-to-left scan
if (end - start >= 1) // check that there are at least two elements to sort
{
int pivot = array[start]; // set the pivot as the first element in the partition
while (k > i) // while the scan indices from left and right have not met,
{
while (array[i] <= pivot && i <= end && k > i) // from the left, look for the first
i++; // element greater than the pivot
while (array[k] > pivot && k >= start && k >= i) // from the right, look for the first
k--; // element not greater than the pivot
if (k > i) // if the left seekindex is still smaller than
swap(array, i, k); // the right index, swap the corresponding elements
}
swap(array, start, k); // after the indices have crossed, swap the last element in
// the left partition with the pivot
quickSort(array, start, k - 1); // quicksort the left partition
quickSort(array, k + 1, end); // quicksort the right partition
}
else // if there is only one element in the partition, do not do any sorting
{
return; // the array is sorted, so exit
}
}
public void swap(int array[], int index1, int index2)
// pre: array is full and index1, index2 < array.length
// post: the values at indices 1 and 2 have been swapped
{
int temp = array[index1]; // store the first value in a temp
array[index1] = array[index2]; // copy the value of the second into the first
array[index2] = temp; // copy the value of the temp into the second
}
Scalaバージョンの簡単な試み。コード改善者のためのオープンシーズン; @)
def qsort(l: List[Int]): List[Int] = {
l match {
case Nil => Nil
case pivot::tail => qsort(tail.filter(_ < pivot)) ::: pivot :: qsort(tail.filter(_ >= pivot))
}
}
partition
それを回避するための使用を参照してください。
user unknownの 回答が気に入ったので、それを改善しようと思います。以下のコードはJavaの例を直接変換したものではありませんが、同じAPIで同じタスクを実行します。
def wordCount (sc: Scanner, delimiter: String) = {
val it = new Iterator[String] {
def next = sc.nextLine()
def hasNext = sc.hasNextLine()
}
val words = it flatMap (_ split delimiter iterator)
words.toTraversable groupBy identity mapValues (_.size)
}
mutableMapにあり、ここに示されているgetOrElseUpdateメソッドが好きです。
public static Map <String, Integer> wordCount (Scanner sc, String delimiters) {
Map <String, Integer> dict = new HashMap <String, Integer> ();
while (sc.hasNextLine ()) {
String[] words = sc.nextLine ().split (delimiters);
for (String word: words) {
if (dict.containsKey (word)) {
int count = dict.get (word);
dict.put (word, count + 1);
} else
dict.put (word, 1);
}
}
return dict;
}
はい-WordCount、ここではscala:
def wordCount (sc: Scanner, delimiter: String) = {
val dict = new scala.collection.mutable.HashMap [String, Int]()
while (sc.hasNextLine ()) {
val words = sc.nextLine.split (delimiter)
words.foreach (word =>
dict.update (word, dict.getOrElseUpdate (word, 0) + 1))
}
dict
}
そしてこれはJava 8にあります:
public static Map<String, Integer> wordCount(Scanner sc, String delimiters)
{
Map<String, Integer> dict = new HashMap<>();
while (sc.hasNextLine())
{
String[] words = sc.nextLine().split(delimiters);
Stream.of(words).forEach(word -> dict.merge(word, 1, Integer::sum));
}
return dict;
}
また、100%機能させたい場合は、次のようにします。
import static java.util.function.Function.identity;
import static java.util.stream.Collectors.*;
public static Map<String, Long> wordCount(Scanner sc, String delimiters)
{
Stream<String> stream = stream(sc.useDelimiter(delimiters));
return stream.collect(groupingBy(identity(), counting()));
}
public static <T> Stream<T> stream(Iterator<T> iterator)
{
Spliterator<T> spliterator = Spliterators.spliteratorUnknownSize(iterator, 0);
return StreamSupport.stream(spliterator, false);
}
filter
そしてsort
、既に示されているが、外観はどのように簡単にそれらがマップに統合されています。
def filterKeywords (sc: Scanner, keywords: List[String]) = {
val dict = wordCount (sc, "[^A-Za-z]")
dict.filter (e => keywords.contains (e._1)).toList . sort (_._2 < _._2)
}
これは非常に単純な例です:整数を平方してから追加します
public int sumSquare(int[] list) {
int s = 0;
for(int i = 0; i < list.length; i++) {
s += list[i] * list[i];
}
return s;
}
Scalaの場合:
val ar = Array(1,2,3)
def square(x:Int) = x * x
def add(s:Int,i:Int) = s+i
ar.map(square).foldLeft(0)(add)
コンパクトマップは、関数を配列のすべての要素に適用するため、次のようになります。
Array(1,2,3).map(square)
Array[Int] = Array(1, 4, 9)
左折は、アキュムレータとして0で始まりadd(s,i)
、配列のすべての要素(i)に適用されるため、次のようになります。
Array(1,4,9).foldLeft(0)(add) // return 14 form 0 + 1 + 4 + 9
これをさらに圧縮して、次のようにすることができます。
Array(1,2,3).map(x => x * x ).foldLeft(0)((s,i) => s + i )
これは私がJavaで試すことはしませんが(多くの作業を行うため)、XMLをマップに変換します。
<a>
<b id="a10">Scala</b>
<b id="b20">rules</b>
</a>
XMLからマップを取得するもう1つのライナー:
val xml = <a><b id="a10">Scala</b><b id="b20">rules</b></a>
val map = xml.child.map( n => (n \ "@id").text -> n.child.text).toMap
// Just to dump it.
for( (k,v) <- map) println(k + " --> " + v)
sumSquare
Scala でのあなたの問題は、Java開発者にとって非常に謎めいているように見えることです。これにより、Scalaが不明瞭で複雑であると不平を言う彼らに対して弾薬が与えられます...
問題:任意のコードを非同期で実行するメソッドを設計する必要があります。Javaの
ソリューション:
/**
* This method fires runnables asynchronously
*/
void execAsync(Runnable runnable){
Executor executor = new Executor() {
public void execute(Runnable r) {
new Thread(r).start();
}
};
executor.execute(runnable);
}
...
execAsync(new Runnable() {
public void run() {
... // put here the code, that need to be executed asynchronously
}
});
Scalaで同じこと(アクターを使用):
def execAsync(body: => Unit): Unit = {
case object ExecAsync
actor {
start; this ! ExecAsync
loop {
react {
case ExecAsync => body; stop
}
}
}
}
...
execAsync{ // expressive syntax - don't need to create anonymous classes
... // put here the code, that need to be executed asynchronously
}
サーキットブレーカーパターンマイケルNygårdののリリースこれでFaKods (コードへのリンク)
Scalaでの実装は次のようになります。
. . .
addCircuitBreaker("test", CircuitBreakerConfiguration(100,10))
. . .
class Test extends UsingCircuitBreaker {
def myMethodWorkingFine = {
withCircuitBreaker("test") {
. . .
}
}
def myMethodDoingWrong = {
withCircuitBreaker("test") {
require(false,"FUBAR!!!")
}
}
}
とてもいいと思います。それは言語のほんの一部のように見えますが、すべての作業を行うCircuitBreakerオブジェクトの単純なミックスインです。
/**
* Basic MixIn for using CircuitBreaker Scope method
*
* @author Christopher Schmidt
*/
trait UsingCircuitBreaker {
def withCircuitBreaker[T](name: String)(f: => T): T = {
CircuitBreaker(name).invoke(f)
}
}
Googleの他の言語での「回路ブレーカー」とあなたの言語の参照。
Scalaの理解しやすい機能のみを利用して、JavaおよびScalaコードのいくつかの例を示すドキュメントを準備しています。
何か追加したい場合は、コメントで返信してください。
以前誰もこれを投稿しなかった理由:
Java:
class Hello {
public static void main( String [] args ) {
System.out.println("Hello world");
}
}
116文字。
Scala:
object Hello extends App {
println("Hello world")
}
56文字。
Application
有害と考えられた形質... scala-blogs.org/2008/07/...
遅延評価される無限ストリームが良い例です:
object Main extends Application {
def from(n: Int): Stream[Int] = Stream.cons(n, from(n + 1))
def sieve(s: Stream[Int]): Stream[Int] =
Stream.cons(s.head, sieve(s.tail filter { _ % s.head != 0 }))
def primes = sieve(from(2))
primes take 10 print
}
Javaの無限ストリームに対処するための質問は次のとおりです。無限反復子は設計が悪いですか?
もう1つの良い例は、ファーストクラスの関数とクロージャーです。
scala> def f1(w:Double) = (d:Double) => math.sin(d) * w
f1: (w: Double)(Double) => Double
scala> def f2(w:Double, q:Double) = (d:Double) => d * q * w
f2: (w: Double,q: Double)(Double) => Double
scala> val l = List(f1(3.0), f2(4.0, 0.5))
l: List[(Double) => Double] = List(<function1>, <function1>)
scala> l.map(_(2))
res0: List[Double] = List(2.727892280477045, 4.0)
Javaはファーストクラスの機能をサポートしていないため、匿名の内部クラスでクロージャを模倣することはあまりエレガントではありません。この例が示しているもう1つのことは、Javaが実行できないことは、インタープリター/ REPLからコードを実行することです。これは、コードスニペットをすばやくテストするのに非常に便利です。
Iterable
しIterator
て、無限のストリームを生成できます。
このScalaコード...
def partition[T](items: List[T], p: (T, T) => Boolean): List[List[T]] = {
items.foldRight[List[List[T]]](Nil)((item: T, items: List[List[T]]) => items match {
case (first :: rest) :: last if p (first, item) =>
(List(item)) :: (first :: rest) :: last
case (first :: rest) :: last =>
(item :: first :: rest) :: last
case _ => List(List(item))
})
}
...可能であれば、Javaで完全に読み取ることはできません。