RDDs, Spark Memory, and Execution

彈性分佈式數據集 (RDDs)

爲什麼需要一個“新”的計算方法

很多現有的集羣計算模型,目標是利用大量的RAM的可用性。

挑戰:把對象放入一個集羣大量的內存中進行處理並不是一個新的概念,但是它容易產生許多困難,並會有非常昂貴的移植。

分佈式計算 = 併發計算 + 保證失敗

我們可以通過下面這兩種特點來簡化分佈式計算:

  • 函數式編程模型的併發性
  • 元數據可靠性(但不是併發)

Scala

世界上大部分的大數據是基於Java工具的(比如Hadoop),Scala則提供了一種直接與Java相互操作的語言。

讓我們看看Scala集合 — 我們可以看起來像是在集羣中透明的操作嗎?

這裏有一些Scala(這不是Spark代碼,只是普通的Scala… 它也不是一個新的或Scala特有的… Java 8,C#,JavaScript或者其它語言在很長一段時間內都有這種形態)

// Basic Scala (functional) collections, 1 thread
val list = List("Apples", "bananas", "APPLES", "pears", "Bananas")

res1:
list: List[String] = List(Apples, bananas, APPLES, pears, Bananas)
list.map(_.toLowerCase)  // transform each element

res2: List[String] = List(apples, bananas, apples, pears, bananas)
list.filter(_ contains "p")  // filter  elements

res3: List[String] = List(Apples, pears)
list.groupBy(word => word.toLowerCase).mapValues(_.size) // group and count

res4: scala.collection.immutable.Map[String, Int] = Map(banbanas -> 2, pears -> 1, apples -> 2)

因爲這種方法能夠避免副作用,並且不需要用戶(程序員)來管理它的任何狀態(比如:集合中的位置,或部分聚合總數),所以它很容易提供一種聲明式的並行API:

val parList = List("Apples", "bananas", "APPLES", "pears", "Bananas").par
parList.filter(_ contains "p")

parList: scala.collection.parallel.immutable.ParSeq[String] = ParVector(Apples, bananas, APPLES, pears, Bananas)
res5: scala.collection.parallel.immutable.ParSeq[String] = ParVector(Apples, pears)

看,沒有線程(可見的)!… 當然下面還有線程或進程或協同程序或其它並行性的機制。Scala使用普通的JVM線程,這是一種類似於Java 8 Streams API 使用默認的Fork-Join線程池。

val parList = (1 to 100).par
parList.sum

parList: scala.collection.parallel.immutable.ParRange = ParRange(1, 2, 3, 4, 5, 6, 7, 8, 9, 10, 11, 12, 13, 14, 15, 16, 17, 18, 19, 20, 21, 22, 23, 24, 25, 26, 27, 28, 29, 30, 31, 32, 33, 34, 35, 36, 37, 38, 39, 40, 41, 42, 43, 44, 45, 46, 47, 48, 49, 50, 51, 52, 53, 54, 55, 56, 57, 58, 59, 60, 61, 62, 63, 64, 65, 66, 67, 68, 69, 70, 71, 72, 73, 74, 75, 76, 77, 78, 79, 80, 81, 82, 83, 84, 85, 86, 87, 88, 89, 90, 91, 92, 93, 94, 95, 96, 97, 98, 99, 100)
res6: Int = 5050

Spark

現在讓我們來看看如何使用Spark API的類似語法來實現類似的功能:

val rdd = sc.parallelize(1 to 100)
rdd.sum()

rdd.org.apache.spark.rdd.RDD[Int] = ParallelCollectionRDD[67] at parallelize at <console>:34
res: Double = 5050.0
val rdd = sc.parallelize(List("Apples", "bananas", "APPLES", "pears", "Bananas"))
rdd.map(_.toUpperCase).collect

rdd: org.apache.spark.rdd.RDD[String] = ParallelCollectionRDD[2] at parallelize at <console>: 32
res: Array[String] = Array(APPLES, BANANAS, APPELS, PEARS, BANANAS)
rdd.groupBy(word => word.toLowerCase).mapValues(_.size).collect

res: Array[(String, Int)] = Array((apples, 2), (pears, 1), (bananas, 2))

這些函數模式有助於併發性(concurrency)… 但是彈性呢(resiliency)?

即,這與放入RAM內存中的Scala集合有哪些差異呢(比如:通過RMI)?當我們失去一個節點以及RAM內存中的數據時,我們應該怎樣處理呢?

如果我們有一個最小的元數據對象,來描述、確定數據集是如何分佈的,以及它們從parent開始的每一步的計算步驟。

作爲一個DAG的計算

這裏寫圖片描述

每一個RDD都是一小塊用於描述計算步驟的元數據,它包含:
- Parent(s)
- Partitions
- Compute
- (Partitioner)
- (Locality Preference)

val rdd = sc.parallelize(List("Apples", "bananas", "APPLES", "pears", "Bananas"))

println("total partitions: " + rdd.getNumPartitions)  // how many? why?

rdd.dependencies  // this is the source/root RDD


total partitions: 8
rdd: org.apache.spark.rdd.RDD[String] = ParallelCollectionRDD[24] at parallelize at <console>:32
res: Seq[org.apache.spark.Dependency[_]] = List()
rdd.compute _ // 在一個分區(partition)裏產生數據的一個迭代器,我們不能直接調用它,但是我們可以用Spark來做

res: (org.apache.spark.Partition, org.apache.spark.TaskContext) => Iterator[String] = <function2>
sc.runJob(rdd, (it:Iterator[_]) => it.toVector, seq(0, 1, 2, 3))
res: Array[Vector[Any]] = Array(Vector(), Vector(Apples), Vector(), Vector(bananas))
sc.runJob(sc.parallelize(1 to 100), (it:Iterator[_]) => it.toVector, Seq(2))

res: Array[Vector[Any]] = Array(Vector(26, 27, 28, 29, 30, 31, 32, 33, 34, 35, 36, 37))
val nextRDD = rdd.map(_.toLowerCase)

nextRDD.dependencies(0)  // nextRDD depends on its parent (rdd) ... and the partitions have a 1:1 dependency

// https://github.com/apache/spark/blob/v2.0.0/core/src/main/scala/org/apache/spark/Dependency.scala

nextRDD: org.apache.spark.rdd.RDD[String] = MapPartitionsRDD[28] at map at <console>:34
res: org.apache.spark.Dependency[_] = org.apache.spark.OneToOneDependency@d8ad0f
rdd

res: org.apache.spark.rdd.RDD[String] = ParallelCollectionRDD[24] at parallelize at <console>:32
nextRDD.dependencies(0).rdd

res: org.apache.spark.rdd.RDD[_] = ParallelCollectionRDD[381] at parallelize at <console>:32
println("dependency is " + nextRDD.dependencies(0).rdd.id)  // that's the parent

res: dependency is 24
val keyedRDD = rdd.keyBy(_.toLowerCase)
println("keyedRDD is id " + keyedRDD.id)

val groupedRDD = keyedRDD.groupByKey
groupedRDD.dependencies(0) // groupedRDD has a ShuffleDependency


keyedRDD is id 356
keyedRDD: org.apache.spark.rdd.RDD[(String, String)] = MapPartitionsRDD[356] at keyBy at <console>:34
groupedRDD: org.apache.spark.rdd.RDD[(String, Iterable[String])] = ShuffledRDD[357] at groupByKey at <console>:36
res: org.apache.spark.Dependency[_] = org.apache.spark.ShuffleDependency@152fcbe5
groupedRDD.dependencies(0).rdd.id // that's the parent

res: Int = 356
groupedRDD.dependencies(0).asInstanceOf[org.apache.spark.ShuffeDepency[_, _, _]].aggregator.get

// https://github.com/apache/spark/blob/v2.0.0/core/src/main/scala/org/apache/spark/Aggregator.scala

Partitioner(分區器)不同於partitions(分區),所有的RDD都有partitions,但並不是所有的RDD都有一個Partitioner。

Partitioner是額外的元數據(metadata),它允許在相同的操作上有更快的計算。

groupedRDD.partitioner

res: Option[org.apache.spark.Partitioner] = Some(org.apache.spark.HashPartitioner@8)
groupedRDD.collect

res: Array[(String, Iterable[String])] = Array((apples,CompactBuffer(Apples, APPLES)), (pears,CompactBuffer(pears)), (bananas,CompactBuffer(bananas, Bananas)))
groupedRDD.sortByKey().partitioner

res: Option[org.apache.spark.Partitioner] = Some(org.apache.spark.RangePartitioner@cd5870d8)
groupedRDD.sortByKey().collect

res: Array[(String, Iterable[String])] = Array((apples,CompactBuffer(Apples, APPLES)), (bananas,CompactBuffer(bananas, Bananas)), (pears,CompactBuffer(pears)))
groupedRDD.map( kv => kv._2 ++ Seq("demo") ).collect

res: Array[Iterable[String]] = Array(List(Apples, APPLES, demo), List(pears, demo), List(bananas, Bananas, demo))
groupedRDD.map(kv => kv._2 ++ Seq("demo")).partitioner

res: Option[org.apache.spark.Partitioner] = None
groupedRDD.mapValues( v => v ++ Seq("demo") ).collect

res: Array[(String, Iterable[String])] = Array((apples,List(Apples, APPLES, demo)), (pears,List(pears, demo)), (bananas,List(bananas, Bananas, demo)))
groupedRDD.mapValues( v => v ++ Seq("demo") ).partitioner

res: Option[org.apache.spark.Partitioner] = Some(org.apache.spark.HashPartitioner@8)

加載數據集 - 所有英文維基教科書的列表標題來自於https://dumps.wikimedia.org/other/pagetitles/

%sh wget https://dumps.wikimedia.org/other/pagetitles/20161012/enwikibooks-20161012-all-titles-in-ns-0.gz

res:
--2016-12-09 06:57:06--  https://dumps.wikimedia.org/other/pagetitles/20161012/enwikibooks-20161012-all-titles-in-ns-0.gz
Resolving dumps.wikimedia.org (dumps.wikimedia.org)... 208.80.154.11, 2620:0:861:1:208:80:154:11
Connecting to dumps.wikimedia.org (dumps.wikimedia.org)|208.80.154.11|:443... connected.
HTTP request sent, awaiting response... 200 OK
Length: 699850 (683K) [application/octet-stream]
Saving to: ‘enwikibooks-20161012-all-titles-in-ns-0.gz’

     0K .......... .......... .......... .......... ..........  7%  598K 1s
    50K .......... .......... .......... .......... .......... 14%  604K 1s
   100K .......... .......... .......... .......... .......... 21% 37.9M 1s
   150K .......... .......... .......... .......... .......... 29% 66.7M 0s
   200K .......... .......... .......... .......... .......... 36%  607K 0s
   250K .......... .......... .......... .......... .......... 43% 44.3M 0s
   300K .......... .......... .......... .......... .......... 51% 74.8M 0s
   350K .......... .......... .......... .......... .......... 58% 64.8M 0s
   400K .......... .......... .......... .......... .......... 65%  623K 0s
   450K .......... .......... .......... .......... .......... 73% 38.3M 0s
   500K .......... .......... .......... .......... .......... 80% 74.0M 0s
   550K .......... .......... .......... .......... .......... 87% 68.3M 0s
   600K .......... .......... .......... .......... .......... 95% 75.7M 0s
   650K .......... .......... .......... ...                  100% 74.2M=0.3s

2016-12-09 06:57:07 (1.98 MB/s) - ‘enwikibooks-20161012-all-titles-in-ns-0.gz’ saved [699850/699850]
%sh gunzip /databricks/driver/enwikibooks-20161012-all-titles-in-ns-0.gz

res:
gzip: /databricks/driver/enwikibooks-20161012-all-titles-in-ns-0.gz: No such file or directory
dbutils.fs.rm("/FileStore/titles", true)
dbutils.fs.mv("file:/databricks/driver/enwikibooks-20161012-all-titles-in-ns-0", "/FileStore/titles", true)

res: Boolean = true
%fs ls /FileStore/titles

res:
path                    name    size
dbfs:/FileStore/titles  titles  378
val rdd1 = sc.textFile("dbfs:/FileStore/titles")

res: org.apache.spark.rdd.RDD[String] = dbfs:/FileStore/titles MapPartitionsRDD[116] at textFile at <console>:32
rdd1.take(10)

res: Array[String] = Array(page_title, .NET_Development_Foundation, .NET_Development_Foundation/AllInOne, .NET_Development_Foundation/Annexes, .NET_Development_Foundation/Attributes, .NET_Development_Foundation/Configuration, .NET_Development_Foundation/Generic_types, .NET_Development_Foundation/Globalization, .NET_Development_Foundation/Hello_world, .NET_Development_Foundation/Interoperability)
rdd1.partitions.size

res: Int = 2
rdd1.count

res: Long = 84602

並行的工作是什麼?爲什麼?

rdd1.filter(! _.startsWith("!")).take(10) // Let's just have a look

res:
Array[String] = Array(page_title, .NET_Development_Foundation, .NET_Development_Foundation/AllInOne, .NET_Development_Foundation/Annexes, .NET_Development_Foundation/Attributes, .NET_Development_Foundation/Configuration, .NET_Development_Foundation/Generic_types, .NET_Development_Foundation/Globalization, .NET_Development_Foundation/Hello_world, .NET_Development_Foundation/Interoperability)

爲什麼只有一個任務?

rdd1.getNumPartitions

res: Int = 2

RDD分析示例:分佈式標題的第一個字母

(我們可以看到它是如何工作 – 爲什麼很難以及不被推薦的原因之一)

val azTitlesAll = rdd1.filter(t => t.length > 1 && t(0) >= 'A' && t(0) <= 'Z')
aztitlesAll.count


azTitlesAll: org.apache.spark.rdd.RDD[String] = MapPartitionsRDD[167] at filter at <console>:34
res: Long = 84157
val azTitles = azTitlesAll.sample(false, 0.1, 42)
azTitles.count

azTitles: org.apache.spark.rdd.RDD[String] = PartitionwiseSampledRDD[575] at sample at <console>:36
res: Long = 8364
val azTitlesByFirstLetter = azTitles.filter(_.length > 1).keyBy(_(0))
azTitlesByFirstLetter.countByKey

azTitlesByFirstLetter: org.apache.spark.rdd.RDD[(Char, String)] = MapPartitionsRDD[598] at keyBy at <console>:38
res: scala.collection.Map[Char,Long] = Map(E -> 375, X -> 85, N -> 117, T -> 456, Y -> 8, J -> 116, U -> 150, F -> 467, A -> 814, M -> 442, I -> 354, G -> 320, V -> 71, Q -> 50, L -> 192, B -> 406, P -> 839, C -> 757, H -> 468, W -> 237, K -> 64, R -> 387, O -> 273, D -> 265, Z -> 9, S -> 642)
azTitlesByFirstLetter.countByKey.toSeq.sortBy(-_._2).foreach(println) // which is Spark and which is Scala?

res:
(P,839)
(A,814)
(C,757)
(S,642)
(H,468)
(F,467)
(T,456)
(M,442)
(B,406)
(R,387)
(E,375)
(I,354)
(G,320)
(O,273)
(D,265)
(W,237)
(L,192)
(U,150)
(N,117)
(J,116)
(X,85)
(V,71)
(K,64)
(Q,50)
(Z,9)
(Y,8)

緩存RDDs

  • 選擇serialization, local disk cache, replication等。
  • 像計算一樣,總是在分區的粒度上緩存!
    • 爲什麼?在細節層次上我們有metadata可以用於恢復!

讓我們先從基本內存模式的Java/Scala對象的緩存開始:

import org.apache.spark.storage.StorageLevel._

azTitles.setName("azTitles").cache.count

import org.apache.spark.storage.StorageLevel._
res29: Long = 8364
azTitles.filter(_.startsWith("Apache")).count

res: Long = 2
azTitles.map(identity).setName("azTitles - SER").persist(MEMORY_ONLY_SER).count // why map? try it without the map call!

res: Long = 8364
azTitles.toDF.cache.count

res: Long = 8364

RDD緩存的默認內存模式

比如:myRDD.cache 與 myRDD.persist(MEMORY_ONLY)是相同的

請注意:
1. DataFrame/Dataset default .cache as persist(MEMORY_AND_DISK),because the compressed encoded columnar cache is expensive to rebuild
2. 一些流媒體資源默認使用更爲強大的緩存(比如:MEMORY_AND_DISK_SER_2)

rdd.unpersist() or dataset.unpersist() // 立即從緩存刪除

這個內存池(memory pool)是安裝在執行器(eg. JVMs)裏的什麼位置的?Spark又是如何分配內存的呢?

這裏寫圖片描述

https://0x0fff.com/spark-memory-management/

注意:這些百分比是在1.6中,在2.0中有稍微的不同,但是整體的行爲是相同的。

緩存收回時期:

  • 當最近最少使用(Least-recently-used (LRU))所需的空間
    • 緩存了其它數據(程序員的請求)
    • 或者Spark需要內存進行shuffle/execution

讓我們通過這次分析標題的詞頻來嘗試理解Spark是如何執行我們的工作的。

首先,讓我們做一個RDD和更多的partitions,WHY? 因爲我們需要更多的並行!

azTitles.getNumPartitions

res: Int = 2
sc.textFile("dbfs:/FileStore/titles", 8).getNumPartitions

res: Int = 8
val az8 = sc.textFile("dbfs:/FileStore/titles", 8).filter(t => t.length > 1 && t(0) >= 'A' && t(0) <= 'Z')

az8: org.apache.spark.rdd.RDD[String] = MapPartitionsRDD[368] at filter at <console>:32
az8.sample(false, 0.1, 42).collect

res: Array[String] = Array(A+_Certification/Exam_Objectives/Basics/Southbridge, A+_Certification/Exam_Objectives/Hardware/Basics/BIOS, A+_Certification/Exam_Objectives/Hardware/Basics/Storage/Hard_disk_drive, A+_Certification/Exam_Objectives/Life_as_a_Tech, A+_Certification/Floppy_disk_drive, A-level_Applied_Science/Colour_Chemistry/Fibres/Cellulose, A-level_Applied_Science/Finding_out_about_substances/Chromatography, A-level_Applied_Science/Investigating_Science_at_Work/Types_of_science_organisation, A-level_Applied_Science/Planning_and_Carrying_out_a_Scientific_Investigation, A-level_Biology/Mammalian_Physiology_and_Behavior/Sense_organs_and_the_reception_of_stimuli, A-level_Chemistry/AQA/Module_1/Atomic_Structure, A-level_Chemistry/AQA/Module_5/Thermodynamics/Heat_Engines, A-level_Chemistry/AQA/Module_5/Thermodynamics/Slow_and_Fast_Expansions, A-level_Chemistry/OCR/Arenes, A-level_Chemistry/OCR/Group_2, A-level_Chemistry/OCR/Group_7, A-level_Chemistry/OCR_(Salters)/Chemical_Ideas, A-level_Chemistry/OCR_(Salters)/Condensation_reactions, A-level_Chemistry/OCR_(Salters)/Functional_groups, A-level_Chemistry/OCR_(Salters)/Index, A-level_Chemistry/OCR_(Salters)/Organic_compounds, A-level_Chemistry/OCR_(Salters)/Physical_quantities, A-level_Computing/AQA/Advanced_Systems_Development, A-level_Computing/AQA/Basic_Principles_of_Hardware,_Software_and_Applications/Machine_Level_Architecture/Boolean_Algebra, A-level_Computing/AQA/Computer_Components,_The_Stored_Program_Concept_and_the_Internet, A-level_Computing/AQA/Computer_Components,_The_Stored_Program_Concept_and_the_Internet/Fundamental_Hardware_Elements_of_Computers/Gate_conversion, A-level_Computing/AQA/Computer_Components,_The_Stored_Program_Concept_and_the_Internet/Fundamentals_of_Computer_Systems/System_software, A-level_Computing/AQA/Computer_Components,_The_Stored_Program_Concept_and_the_Internet/Hardware_Devices/Input_and_output_devices, A-level_Computing/AQA/Computer_Components,_The_Stored_Program_Concept_and_the_Internet/Structure_of_the_Internet/IP_addresses, A-level_Computing/AQA/Computer_Components,_The_Stored_Program_Concept_and_the_Internet/Structure_of_the_Internet/Packet_switching, A-level_Computing/AQA/Fundamentals_of_Data_Representation/Binary_fractions, A-level_Computing/AQA/Paper_1/Fundamentals_of_algorithms/Reverse_polish, A-level_Computing/AQA/Paper_1/Fundamentals_of_data_representation/Bit_patterns,_images,_sound_and_other_data, A-level_Computing/AQA/Paper_1/Fundamentals_of_data_structures/Queues/, A-level_Computing/AQA/Paper_1/Fundamentals_of_programming/Constants, A-level_Computing/AQA/Paper_1/Fundamentals_of_programming/Elements_of_Object-Oriented_Programming, A-level_Computing/AQA/Paper_1/Fundamentals_of_programming/Iteration, A-level_Computing/AQA/Paper_1/Fundamentals_of_programming/Procedural-oriented, A-level_Computing/AQA/Paper_1/Fundamentals_of_programming/Selection, A-level_Computing/AQA/Paper_1/Skeleton_program/2017, A-level_Computing/AQA/Paper_1/Theory_of_computation/Turing_Machine, A-level_Computing/AQA/Paper_2/Consequences_of_uses_of_computing, A-level_Computing/AQA/Paper_2/Fundamentals_of_data_representation/Binary_number_system, A-level_Computing/AQA/Paper_2/Fundamentals_of_data_representation/Number_bases, A-level_Computing/AQA/Problem_Solving,_Programming,_Data_Representation_and_Practical_Exercise/Fundamentals_of_Programming/Assignment, A-level_Computing/AQA/Problem_Solving,_Programming,_Data_Representation_and_Practical_Exercise/Fundamentals_of_Programming/One-Dimensional_Arrays, A-level_Computing/AQA/Problem_Solving,_Programming,_Data_Representation_and_Practical_Exercise/Fundamentals_of_Programming/User-defined_data_types, A-level_Computing/AQA/Problem_Solving,_Programming,_Data_Representation_and_Practical_Exercise/Skeleton_code, A-level_Computing/AQA/Problem_Solving,_Programming,_Data_Representation_and_Practical_Exercise/Skeleton_code/2016_Exam/Sample_Question_Papers/June_2016_Practice_Questions_2, A-level_Computing/AQA/Problem_Solving,_Programming,_Data_Representation_and_Practical_Exercise/Skeleton_code/2016_Exam_Resit, A-level_Computing/AQA/Problem_Solving,_Programming,_Data_Representation_and_Practical_Exercise/Systems_Development_Life_Cycle, A-level_Computing/AQA/Problem_Solving,_Programming,_Operating_Systems,_Databases_and_Networking/Communication_and_Networking, A-level_Computing/AQA/Problem_Solving,_Programming,_Operating_Systems,_Databases_and_Networking/Problem_Solving/Turing_Machines, A-level_Computing/AQA/Problem_Solving,_Programming,_Operating_Systems,_Databases_and_Networking/Programming_Concepts/Abstract_data_types_and_data_structures, A-level_Computing/AQA/Problem_Solving,_Programming,_Operating_Systems,_Databases_and_Networking/Programming_Concepts/Trees_traversal_algorithms_for_a_binary_tree, A-level_Computing/CIE/Computer_systems,_communications_and_software/System_software/Utility_software, A-level_Computing/CIE/Theory_Fundamentals/Communication_and_Internet_technologies, A-level_Computing/CIE/Theory_Fundamentals/Number_representation, A-level_Computing/Exam_Tips, A-level_Computing/OCR/Basic_Principles_of_Hardware,_Software_and_Applications/Machine_Level_Architecture/Boolean_Algebra, A-level_Computing_2009/AQA/Computer_Components,_The_Stored_Program_Concept_and_the_Internet/Fundamentals_of_Computer_Systems/Classification_of_software, A-level_Computing_2009/AQA/Computer_Systems,_Programming_and_Network_Concepts/Introduction_to_Communication_and_Networking, A-level_Computing_2009/AQA/Pascal, A-level_Computing_2009/AQA/Problem_Solving,_Programming,_Data_Representation_and_Practical_Exercise/Fundamentals_of_Data_Representation/Analogue_and_digital, A-level_Computing_2009/AQA/Problem_Solving,_Programming,_Data_Representation_and_Practical_Exercise/Fundamentals_of_Data_Representation/Hamming_code, A-level_Computing_2009/AQA/Problem_Solving,_Programming,_Data_Representation_and_Practical_Exercise/Fundamentals_of_Data_Representation/Two's_complement, A-level_Computing_2009/AQA/Problem_Solving,_Programming,_Data_Representation_and_Practical_Exercise/Fundamentals_of_Programming/Iteration, A-level_Computing_2009/AQA/Problem_Solving,_Programming,_Data_Representation_and_Practical_Exercise/Fundamentals_of_Programming/Variables, A-level_Computing_2009/AQA/Problem_Solving,_Programming,_Data_Representation_and_Practical_Exercise/Skeleton_code/2012_Exam/Section_C, A-level_Computing_2009/AQA/Problem_Solving,_Programming,_Data_Representation_and_Practical_Exercise/Skeleton_code/2013_Exam/Section_C, A-level_Computing_2009/AQA/Problem_Solving,_Programming,_Data_Representation_and_Practical_Exercise/Skeleton_code/2015_Exam/Section_C, A-level_Computing_2009/AQA/Problem_Solving,_Programming,_Data_Representation_and_Practical_Exercise/Skeleton_code/Programming, A-level_Computing_2009/AQA/Problem_Solving,_Programming,_Data_Representation_and_Practical_Exercise/Systems_Development_Life_Cycle/The_cycle, A-level_Computing_2009/AQA/Problem_Solving,_Programming,_Operating_Systems,_Databases_and_Networking/Databases/Select, A-level_Computing_2009/AQA/Problem_Solving,_Programming,_Operating_Systems,_Databases_and_Networking/Problem_Solving/Finite_State_Machines, A-level_Computing_2009/AQA/Problem_Solving,_Programming,_Operating_Systems,_Databases_and_Networking/Programming_Concepts/Graphs, A-level_Computing_2009/AQA/Problem_Solving,_Programming,_Operating_Systems,_Databases_and_Networking/Programming_Concepts/Trees_traversal_algorithms_for_a_binary_tree, A-level_Computing_2009/AQA/Processing_and_Programming_Techniques/Data_Representation_in_Computers/Answers, A-level_Computing_2009/CIE/Computer_systems,_communications_and_software/Designing_the_user_interface, A-level_Computing_2009/CIE/Computer_systems,_communications_and_software/System_software, A-level_Computing_2009/CIE/Theory_Fundamentals/Database_and_data_modelling, A-level_Computing_2009/Cambridge_International, A-level_Computing_2009/ICT_Projects_using_LAMP/Setting_up_your_XAMPP_server/XAMPP_for_Linux, A-level_Computing_2009/ICT_Projects_using_LAMP/Setting_up_your_XAMPP_server/XAMPP_for_Mac_OS_X, A-level_Computing_2009/OCR/Basic_Principles_of_Hardware,_Software_and_Applications/Machine_Level_Architecture, A-level_English/Wise_Children/Magical_Realism, A-level_General_Studies, A-level_Geography/AS_Edexcel_Geography/Natural_Hazards_Introduction, A-level_Graphic_Products/Edexcel/Unit_3_:Designing_for_the_Future/Sustainability/Renewable_and_non-renewable_sources_of_energy, A-level_Mathematics/Advanced/Basic_Mechanics, A-level_Mathematics/Advanced/Basic_Mechanics/Momentum_and_Impulse, A-level_Mathematics/C2/Trigonometric_Functions, A-level_Mathematics/C3/The_Modulus_Function, A-level_Mathematics/Edexcel/Decision_2/Assignment_Problems, A-level_Mathematics/Edexcel/Further_1/Complex_Numbers, A-level_Mathematics/Edexcel/Mechanics_2/Particle_Kinematics, A-level_Mathematics/FP1/Appendix_A:_Formulae, A-level_Mathematics/FP1/Complex_Numbers, A-level_Mathematics/MEI/C1/Polynomials, A-level_Mathematics/MEI/C4/Trigonometry, A-level_Mathematics/MEI/D1/Graphs, A-level_Mathematics/MEI/D1/Networks, A-level_Mathematics/MEI/DE/Introduction_to_Differential_Equations, A-level_Mathematics/MEI/FP1/Complex_Numbers/basic_operations_solutions, A-level_Mathematics/MEI/FP3, A-level_Mathematics/MEI/NC, A-level_Mathematics/MEI/NM, A-level_Mathematics/MEI/S1, A-level_Mathematics/MEI/S2, A-level_Mathematics/OCR/C1/Indices_and_Surds, A-level_Mathematics/OCR/C1/Indices_and_Surds/Problems, A-level_Mathematics/OCR/C3/Special_Functions_and_Transformations, A-level_Mathematics/OCR/D1/Linear_Programming, A-level_Mathematics/OCR/D1/Node_Graphs, A-level_Mathematics/OCR/M1/Force_as_a_mk_Vector, A-level_Mathematics/OCR/M1/Kinematics_of_Motion_in_a_Straight_Line, A-level_Mathematics/OCR/M4, A-level_Mathematics/OCR/S1/Discrete_Random_Variables, A-level_Mathematics/OCR/S3, A-level_Mathematics/S3, A-level_Physics/Electrons,_Waves_and_Photons/Quantum_physics, A-level_Physics/Equation_Sheet, A-level_Physics/Forces,_Fields_and_Energy/Capacitors, A-level_Physics/Forces,_Fields_and_Energy/Electric_fields, A-level_Physics/Forces,_Fields_and_Energy/Oscillations, A-level_Physics/Forces_and_Motion/Force,_work_and_power, A-level_Physics/Wave_properties/Reflection_and_Refraction, A-level_Physics_(Advancing_Physics)/Current/sigma, A-level_Physics_(Advancing_Physics)/Data_Handling, A-level_Physics_(Advancing_Physics)/Digital_Storage/Worked_Solutions, A-level_Physics_(Advancing_Physics)/Electron_Behaviour_as_a_Quantum_Phenomenon/Momentum, A-level_Physics_(Advancing_Physics)/Gravitational_Potential, A-level_Physics_(Advancing_Physics)/Ideal_Gases/Worked_Solutions, A-level_Physics_(Advancing_Physics)/Kinetic_Theory/Worked_Solutions, A-level_Physics_(Advancing_Physics)/Light_as_a_Quantum_Phenomenon, A-level_Physics_(Advancing_Physics)/Polymers, A-level_Physics_(Advancing_Physics)/Radioactive_Decay, A-level_Physics_(Advancing_Physics)/Radioactive_Emissions/Worked_Solutions, A-level_Physics_(Advancing_Physics)/Resistance_and_Conductance/Worked_Solutions, A-level_Physics_(Advancing_Physics)/Resistivity_and_Conductivity, A-level_Physics_(Advancing_Physics)/Resonance, A-level_Physics_(Advancing_Physics)/Rockets,_Hoses_and_Machine_Guns/Worked_Solutions, A-level_Physics_(Advancing_Physics)/Vectors/Worked_Solutions, ACE+TAO_Opensource_Programming_Notes/Create_a_notifier_consumer, ACE+TAO_Opensource_Programming_Notes/Create_an_event_supplier, ACE+TAO_Opensource_Programming_Notes/Naming, ANTFARM/General, AP_Biology/Cell-Cell_Interactions, AP_Biology/Contributors, AP_Biology/LABORATORY_4._Plant_Pigments_and_Photosynthesis, AP_Chemistry/Acids_and_Bases, AQA_A-Level_Physics, AQA_A-Level_Physics/Density, AQA_A-Level_Physics/Particles_and_Anti-particles, AQA_Business_Studies/Uses_and_limitations_of_accounts, AQA_Information_and_Communication_Technology/ICT4/IS_Within_Organisations, AQA_Information_and_Communication_Technology/ICT6, ASP.NET/Examining_The_Page_Structure, ATRIAS_2.1_Handbook/General_Information/Suppliers_and_Manufacturers/PCB_Manufacturing, ATRIAS_2.1_Handbook/General_Information/Suppliers_and_Manufacturers/Water_Jetting_Shops, ATS:_Programming_with_Theorem-Proving/Preface, AVCE_Information_and_Communication_Technology/System_installation_&_configuration, A_Beginner's_Guide_to_D, A_Beginner's_Guide_to_D/Before_We_Begin.../D_Compiler, A_Beginner's_Guide_to_D/Before_We_Begin.../Short_Introduction_to_D, A_Beginner's_Guide_to_D/D_Transition_Guide, A_Beginner's_Guide_to_D/Templates_and_Generic_Programming/Template_Classes, A_Beginner's_Guide_to_D/The_Basics, A_Beginner's_Guide_to_D/The_Basics/Types_and_Math, A_Beginner's_Python_Tutorial/Classes, A_Beginner's_Python_Tutorial/Exception_Handling, A_Beginner's_Python_Tutorial/Very_Simple_Programs, A_Beginner's_Python_Tutorial/for_Loop, A_Bit_History_of_Internet/Chapter_2_:_Circuit_switching_vs_packet_switching, A_Bit_History_of_Internet/Chapter_9_:_Conclusions, A_Bit_History_of_Internet/Preface, A_Brief_Introduction_to_the_LaTeX_Typesetting_Environment, A_Brief_Introduction_to_the_LaTeX_Typesetting_Environment/Typesetting:_The_Basics, A_Compendium_of_Useful_Information_for_the_Practical_Man/Bow_and_Arrows, A_Compendium_of_Useful_Information_for_the_Practical_Man/Farm_Work_by_Month, A_Compendium_of_Useful_Information_for_the_Practical_Man/Medical_Emergencies, A_Comprehensive_Guide_to_World_History/Prologue, A_Guide_To_Massachusetts, A_Guide_to_the_GRE/Explaining_Facts, A_Guide_to_the_GRE/Introduction_to_GRE_Reading, A_Guide_to_the_GRE/Language_Shifts, A_Guide_to_the_GRE/Main_Points, A_Guide_to_the_GRE/Mean,_Median_and_Mode, A_Guide_to_the_GRE/Quadrilaterals, A_Guide_to_the_GRE/Reading_Practice_3, A_Guidebook_for_Managing_Telecentre_Networks/Looking_to_the_future:_Networks_that_empower, A_Handbook_of_Kyrgyz_Grammar/Simple_Sentences, A_History_of_Nejd, A_History_of_the_British_Monarchy, A_Little_C_Primer/An_Introductory_C_Program, A_Little_C_Primer/C_Dynamic_Memory_Allocation_&_Deallocation, A_Neutral_Look_at_Operating_Systems/AmigaOS, A_Neutral_Look_at_Operating_Systems/DOS, A_Neutral_Look_at_Operating_Systems/Mac_OS, A_Practical_Guide_To_Digital_Data_Collection/Accessibility, A_Practical_Guide_To_Digital_Data_Collection/Equipment_Preparation, A_Practical_Guide_To_Digital_Data_Collection/Purpose, A_Quick_Introduction_to_Unix/Copying_Files, A_Quick_Introduction_to_Unix/TODO, A_Quick_Introduction_to_Unix/exercises2-1, A_Roller_Coaster_Ride_through_Relativity/Time_Dilation, A_Summary_of_Theology_and_Thought_in_Messianic_Judaism, A_Wikimanual_of_Gardening, A_Wikimanual_of_Gardening/Acer_saccharum, A_Wikimanual_of_Gardening/Agrimony, A_Wikimanual_of_Gardening/Allium_vineale, A_Wikimanual_of_Gardening/Asclepias_tuberosa, A_Wikimanual_of_Gardening/Beetles, A_Wikimanual_of_Gardening/Brassicaceae, A_Wikimanual_of_Gardening/Cactus, A_Wikimanual_of_Gardening/Choristoneura_rosaceana, A_Wikimanual_of_Gardening/Cirsium_arvense, A_Wikimanual_of_Gardening/Cornus, A_Wikimanual_of_Gardening/Corydalis_lutea, A_Wikimanual_of_Gardening/Corylopsis_spicata, A_Wikimanual_of_Gardening/Crocus, A_Wikimanual_of_Gardening/Cucumis, A_Wikimanual_of_Gardening/Earwigs, A_Wikimanual_of_Gardening/Epimedium, A_Wikimanual_of_Gardening/Garden_Tools, A_Wikimanual_of_Gardening/Geranium_maculatum, A_Wikimanual_of_Gardening/Glyphosate, A_Wikimanual_of_Gardening/Hemerocallis, A_Wikimanual_of_Gardening/Herbicides, A_Wikimanual_of_Gardening/Hyalophora_cecropia, A_Wikimanual_of_Gardening/Irrigation, A_Wikimanual_of_Gardening/Kerria_japonica, A_Wikimanual_of_Gardening/Leaf_Vegetables, A_Wikimanual_of_Gardening/Magnolia, A_Wikimanual_of_Gardening/Manual_of_Style, A_Wikimanual_of_Gardening/Muscari, A_Wikimanual_of_Gardening/Mustard_Greens, A_Wikimanual_of_Gardening/Nipponanthemum_nipponicum, A_Wikimanual_of_Gardening/Phlox_stolonifera, A_Wikimanual_of_Gardening/Poecilocapsus_lineatus, A_Wikimanual_of_Gardening/Protective_Clothing, A_Wikimanual_of_Gardening/Rubus_occidentalis, A_Wikimanual_of_Gardening/Salix_discolor, A_Wikimanual_of_Gardening/Scilla, A_Wikimanual_of_Gardening/Screens, A_Wikimanual_of_Gardening/Selectivity_of_Pesticides, A_Wikimanual_of_Gardening/Soil_and_Root_Barriers, A_Wikimanual_of_Gardening/Syringa, A_Wikimanual_of_Gardening/Taraxacum, A_Wikimanual_of_Gardening/Trialeurodes_vaporariorum, A_Wikimanual_of_Gardening/Udea_rubigalis, A_Wikimanual_of_Gardening/Verbena, A_Wikimanual_of_Gardening/Vermiculite, A_Wikimanual_of_Gardening/Veronica_persica, A_Wikimanual_of_Gardening/Viburnum_prunifolium, A_Wikimanual_of_Gardening/chippers, A_Wikimanual_of_Gardening/hot_compost, A_survival_guide_for_people_on_the_autistic_spectrum, Abnormal_Sexual_Psychology/Definition, Abnormal_Sexual_Psychology/Preface, Abstract_Algebra/Equivalence_relations_and_congruence_classes, Abstract_Algebra/Fields, Abstract_Algebra/Group_Theory/Group/a_Cyclic_Group_of_Order_n_is_Isomorphic_to_Integer_Moduluo_n_with_Addition, Abstract_Algebra/Group_Theory/Homomorphism/Image_of_a_Homomorphism_is_a_Subgroup, Abstract_Algebra/Group_Theory/Homomorphism/Kernel_of_a_Homomorphism_is_a_Normal_Subgroup, Abstract_Algebra/Group_Theory/How_to_Help, Abstract_Algebra/Groups/Definition_of_a_Group/Definition_of_Inverse, Abstract_Algebra/Lattice_theory, Accordion/Free_Bass, Accordion/Left_hand/Lesson_3, Accordion/Right_hand_(Chromatic_button_accordion), Accordion/Right_hand_(Diatonic_button_accordion), Accountancy/Double_Entry, Accountancy/Prepayments, Accountancy/Provisions, Accounting/Balance_Sheet, Accounting/Depreciation, Accounting/Liabilities, Accounting/Principle_of_Accounting, Accounting/Templates, Acoustics/Bass-Reflex_Enclosure_Design, Acoustics/Noise_from_Cooling_Fans, Acoustics/Piezoelectric_Transducers, Acoustics/Rotor_Stator_interactions, Acoustics/Sealed_Box_Subwoofer_Design, ActionScript, Active_Server_Pages/Prerequisites, Ad_Hoc_Data_Analysis_From_The_Unix_Command_Line/Quick_Plotting_With_gnuplot, Ada, Ada_Programming/Algorithms, Ada_Programming/Algorithms/Chapter_1, Ada_Programming/Attributes/'Access, Ada_Programming/Attributes/'Address, Ada_Programming/Attributes/'Base, Ada_Programming/Attributes/'Bit_Order:3, Ada_Programming/Attributes/'Floor, Ada_Programming/Attributes/'Image, Ada_Programming/Attributes/'Machine_Emax, Ada_Programming/Attributes/'Pred, Ada_Programming/Attributes/'Range, Ada_Programming/Delimiters/', Ada_Programming/Delimiters/**, Ada_Programming/Delimiters/+, Ada_Programming/Errors, Ada_Programming/Function_overloading, Ada_Programming/Keywords/access, Ada_Programming/Keywords/is, Ada_Programming/Keywords/new, Ada_Programming/Keywords/record, Ada_Programming/Keywords/separate, Ada_Programming/Keywords/some, Ada_Programming/Libraries/Ada.Directories, Ada_Programming/Libraries/Ada.Dispatching.EDF, Ada_Programming/Libraries/Ada.Strings.Unbounded.Text_IO, Ada_Programming/Libraries/Ada.Text_IO, Ada_Programming/Libraries/GNAT.Bounded_Buffers, Ada_Programming/Libraries/MultiPurpose, Ada_Programming/Mathematical_calculations/Trigonometry, Ada_Programming/Operators/&, Ada_Programming/Platform/Ncurses, Ada_Programming/Pragmas/Atomic:3, Ada_Programming/Pragmas/Export, Ada_Programming/Pragmas/No_Return, Ada_Programming/Pragmas/Normalize_Scalars, Ada_Programming/Pragmas/Pack, Ada_Programming/Pragmas/Pack:3, Ada_Programming/Strings, Ada_Programming/Subprograms, Ada_Programming/Types/access, Ada_Style_Guide/Introduction, Ada_Style_Guide/Portable_Dining_Philosophers_Example, Adding_User_Styles_to_Internet_Explorer_8, Administrator_Awareness, Advanced_A-level_Mathematics/Basic_Mechanics, Advanced_A-level_Mathematics/Momentum_and_Impulse, Advanced_Analog_IC_design, Advanced_Inorganic_Chemistry, Advanced_Interactive_Media/2008_Project:_Weekly_Progress_Summaries, Advanced_Interactive_Media/Ai_Audio/Video_Team, Advanced_Interactive_Media/Creating_an_Interactive,_Immersive,_Multi-sensory,_MultiMedia_Project:_A_Student_Log, Advanced_Interactive_Media/Design_Team, Advanced_Interactive_Media/Design_Team/InDesign_Basics, Advanced_Interactive_Media/Design_Team/Meet_the_Team, Advanced_Interactive_Media/Discussions_From_Facebook, Advanced_Interactive_Media/External_links, Advanced_Interactive_Media/Interactive_Team, Advanced_Interactive_Media/Interactive_Team/Other_Topics, Advanced_Interactive_Media/LiveType, Advanced_Interactive_Media/Problems_Encountered_and_Solved_During_the_Creation_of_This_Class_Project, Advanced_Interactive_Media_Class/3-D_Products_Maya,_Lightwave,_SoftImage,_and_3D_Studio_Max, Advanced_Interactive_Media_Class/A_definition_For_Interactive_Media, Advanced_Interactive_Media_Class/Ai_Interactive_Team, Advanced_Interactive_Media_Class/Creating_an_Interactive,_Immersive,_Multi-sensory,_MultiMedia_Project:_A_Student_Log, Advanced_Interactive_Media_Class/How_We_Did_This:_A_Project_Documentary, Advanced_Interactive_Media_Class/Interactive_Media_Versus_Other_Kinds_Of_Media, Advanced_Interactive_Media_Class/Other_Topics/Awakening_into_the_Interactive_World, Advanced_Interactive_Media_Class/Other_Topics/Photshop_CS3, Advanced_Interactive_Media_Class/Presentation_Photo_Documentary, Advanced_Interactive_Media_Class/Using_WIKIbooks.com_and_Facebook.com_As_Tools_For_This_Class, Advanced_Mathematics_for_Engineers_and_Scientists, Advanced_Mathematics_for_Engineers_and_Scientists/Change_of_Variables, Advanced_Mathematics_for_Engineers_and_Scientists/Introduction_and_Classifications, Advanced_Microeconomics/Monopoly_Pricing, Advanced_Robotics_Final_Exam, Advanced_Structural_Analysis/Part_II_-_Application/Static_Linear_Problems, Advanced_Structural_Analysis/Part_I_-_Theory/Failure_Modes/Creep, Advanced_Structural_Analysis/Part_I_-_Theory/Failure_Modes/Fatigue/Crack_Initiation/Loading/Influence_of_Mean_Stress, Advanced_Structural_Analysis/Part_I_-_Theory/Failure_Modes/Fatigue/Final_Failure, Advanced_Structural_Analysis/Part_I_-_Theory/Failure_Modes/Plastic_Failure/Yield_Criterion/Hydrostatic_Pressure_Independent_Materials, Advanced_Structural_Analysis/Part_I_-_Theory/General_Properties_of_Materials/Typical_Engineering_Materials, Advanced_Structural_Analysis/Part_I_-_Theory/Materials/Typical_Engineering_Materials/Non-metals, Advanced_Structural_Analysis/Part_I_-_Theory/Modeling, Advanced_Structural_Analysis/Part_I_-_Theory/Modeling/Linear_Static_Analysis/Static_Strength/Special_Members, Advanced_Structural_Analysis/Part_I_-_Theory/Modeling/Linear_Static_Analysis/Static_Strength/Special_Members/Welds, Advanced_Structural_Analysis/Part_I_-_Theory/Typical_Engineering_Materials/Metals, Advancing_Physics, Adventist_Adventurer_Awards/Alphabet_Fun, Adventist_Adventurer_Awards/Artist, Adventist_Adventurer_Awards/Bible_Friends, Adventist_Adventurer_Awards/Buttons, Adventist_Adventurer_Awards/Computer_Skills, Adventist_Adventurer_Awards/Courtesy, Adventist_Adventurer_Awards/Flowers, Adventist_Adventurer_Awards/Guide, Adventist_Adventurer_Awards/Honey, Adventist_Adventurer_Awards/Olympics, Adventist_Adventurer_Awards/Swimmer_II, Adventist_Youth_Honors_Answer_Book/ADRA/Crisis_Resolution, Adventist_Youth_Honors_Answer_Book/ADRA/Tutoring, Adventist_Youth_Honors_Answer_Book/Arts_and_Crafts/Currency_-_Advanced_(United_States), Adventist_Youth_Honors_Answer_Book/Arts_and_Crafts/Model_Rocketry, Adventist_Youth_Honors_Answer_Book/Arts_and_Crafts/Plastic_Canvas_-_Advanced, Adventist_Youth_Honors_Answer_Book/Arts_and_Crafts/Sculpturing, Adventist_Youth_Honors_Answer_Book/Biblical_Leaders/Joshua, Adventist_Youth_Honors_Answer_Book/Bicycle_Trip, Adventist_Youth_Honors_Answer_Book/Camping/Fire/Metal_match, Adventist_Youth_Honors_Answer_Book/Camping/Keeping_food_cool, Adventist_Youth_Honors_Answer_Book/Camping/Participate_in_a_weekend_campout, Adventist_Youth_Honors_Answer_Book/Camping/Purify_water, Adventist_Youth_Honors_Answer_Book/Ecology_quotations, Adventist_Youth_Honors_Answer_Book/Edible_Wild_Plants/Acorn, Adventist_Youth_Honors_Answer_Book/Edible_Wild_Plants/Gooseberry, Adventist_Youth_Honors_Answer_Book/Edible_Wild_Plants/Wintergreen, Adventist_Youth_Honors_Answer_Book/First_aid/Altitude_sickness, Adventist_Youth_Honors_Answer_Book/First_aid/Chemical_burn, Adventist_Youth_Honors_Answer_Book/First_aid/Cravat_bandage_to_head, Adventist_Youth_Honors_Answer_Book/First_aid/Firemans_carry, Adventist_Youth_Honors_Answer_Book/First_aid/Poison_ivy, Adventist_Youth_Honors_Answer_Book/Goat_Breeds/British_Alpine, Adventist_Youth_Honors_Answer_Book/Goat_Breeds/Saanen, Adventist_Youth_Honors_Answer_Book/Health_and_Science/Home_Nursing, Adventist_Youth_Honors_Answer_Book/Household_Arts/Tapa_Cloth, Adventist_Youth_Honors_Answer_Book/Insect/Phthiraptera, Adventist_Youth_Honors_Answer_Book/Knot/Cat's_paw, Adventist_Youth_Honors_Answer_Book/Knot/Hunter's_bend, Adventist_Youth_Honors_Answer_Book/Knot/Pipe_hitch, Adventist_Youth_Honors_Answer_Book/Knot/Slip, Adventist_Youth_Honors_Answer_Book/Music/Mozart, Adventist_Youth_Honors_Answer_Book/Music/Schubert, Adventist_Youth_Honors_Answer_Book/Nature/Birds, Adventist_Youth_Honors_Answer_Book/Nature/Insects, Adventist_Youth_Honors_Answer_Book/Nature/Moths_&_Butterflies, Adventist_Youth_Honors_Answer_Book/Nature/Orchids, Adventist_Youth_Honors_Answer_Book/Nature/Rocks_&_Minerals/Streak, Adventist_Youth_Honors_Answer_Book/Nature/Sand, Adventist_Youth_Honors_Answer_Book/Nature/Trees, Adventist_Youth_Honors_Answer_Book/Nature/Trees_-_Advanced, Adventist_Youth_Honors_Answer_Book/Nature/Waterfalls, Adventist_Youth_Honors_Answer_Book/Outdoor_Industries/Horse_Husbandry, Adventist_Youth_Honors_Answer_Book/Outdoor_Industries/Island_Fishing, Adventist_Youth_Honors_Answer_Book/Outdoor_Industries/Pigeon_Raising, Adventist_Youth_Honors_Answer_Book/Outdoor_Industries/Sheep_Husbandry, Adventist_Youth_Honors_Answer_Book/Outreach/African_American_Adventist_Heritage_in_the_NAD_-_Advanced, Adventist_Youth_Honors_Answer_Book/Outreach/Christian_Citizenship_(Jamaica), Adventist_Youth_Honors_Answer_Book/Outreach/Christian_Citizenship_(New_Zealand), Adventist_Youth_Honors_Answer_Book/Outreach/Christian_Citizenship_(Zimbabwe), Adventist_Youth_Honors_Answer_Book/Outreach/Peace_Maker, Adventist_Youth_Honors_Answer_Book/Quilt/Make_a_quilt, Adventist_Youth_Honors_Answer_Book/Recreation/Camping_Skills_I, Adventist_Youth_Honors_Answer_Book/Recreation/Camping_Skills_III_(North_American_Division), Adventist_Youth_Honors_Answer_Book/Recreation/Canoe_Building, Adventist_Youth_Honors_Answer_Book/Recreation/Fire_Building_&_Camp_Cookery, Adventist_Youth_Honors_Answer_Book/Recreation/Navigation, Adventist_Youth_Honors_Answer_Book/Recreation/Orienteering_(General_Conference), Adventist_Youth_Honors_Answer_Book/Recreation/Physical_Fitness_(General_Conference), Adventist_Youth_Honors_Answer_Book/Recreation/Power_Boating, Adventist_Youth_Honors_Answer_Book/Recreation/Sailing/Rules_of_the_road, Adventist_Youth_Honors_Answer_Book/Recreation/Slow-Pitch_Softball, Adventist_Youth_Honors_Answer_Book/Recreation/Swimming_-_Beginner/(South_Pacific_Division), Adventist_Youth_Honors_Answer_Book/Recreation/Swimming_-_Beginner_(General_Conference), Adventist_Youth_Honors_Answer_Book/Recreation/Swimming_-_Intermediate, Adventist_Youth_Honors_Answer_Book/Recreation/The_Ultimate_-_Advanced, Adventist_Youth_Honors_Answer_Book/Recreation/Tree_Climbing, Adventist_Youth_Honors_Answer_Book/Recreation/Water_Safety_Instructor, Adventist_Youth_Honors_Answer_Book/Skill_Level_1_Recreation, Adventist_Youth_Honors_Answer_Book/Skill_Level_2_Outdoor_Industries, Adventist_Youth_Honors_Answer_Book/Skill_Level_3_ADRA, Adventist_Youth_Honors_Answer_Book/Skill_Level_3_Health_and_Science, Adventist_Youth_Honors_Answer_Book/Stars/Planets, Adventist_Youth_Honors_Answer_Book/Stars/Prism, Adventist_Youth_Honors_Answer_Book/Swamp_leadership_skills, Adventist_Youth_Honors_Answer_Book/Vocational/Accounting, Adventist_Youth_Honors_Answer_Book/Vocational/Christian_Sales_Principles, Adventist_Youth_Honors_Answer_Book/Vocational/Computer_(North_American_Division), Adventist_Youth_Honors_Answer_Book/Vocational/Computer_-_Advanced_(General_Conference), Adventist_Youth_Honors_Answer_Book/Vocational/Computer_Advanced/OpenOffice, Adventist_Youth_Honors_Answer_Book/Vocational/House_Painting,_Exterior, Adventist_Youth_Honors_Answer_Book/Vocational/Internet, Adventist_Youth_Honors_Answer_Book/Vocational/Plumbing, Adventist_Youth_Honors_Answer_Book/Vocational/Radio_Electronics, Adventist_Youth_Honors_Answer_Book/Vocational/Upholstery, Adventist_Youth_Honors_Answer_Book/Woodworking_Tools/Plane, Advertising/Strategies, Aeroacoustics, Afaan_Oromo/AppD, African_Philosophy_of_Science, Afrikaans/Contents, Agriculture_and_husbandry, Albanian/Alphabet, Alcor6L/PicoLisp/elua, Alcor6L/eLua/mizar32.rtc, Aleph-Bet2, Algebra/Arithmetic/Numerical_Axioms, Algebra/Conic_Sections, Algebra/Cubic_Equation, Algebra/Factoring_Polynomials, Algebra/Function_Graphing, Algebra/Functions/Answers, Algebra/Functions/Answers1, Algebra/Iteration, Algebra/Stemplots, Algebra/Systems_of_Equations, Algebra/The_Pythagorean_Theorem, Algebra/What_is_math,_exactly?, Algebra/What_is_maths,_exactly?, Algorithm_Implementation/Checksums, Algorithm_Implementation/Linear_Algebra/Determinant_of_a_Matrix, Algorithm_Implementation/Mathematics/Determinant_of_a_Matrix, Algorithm_Implementation/Optimization, Algorithm_Implementation/Sorting/Counting_sort, Algorithm_Implementation/String_searching/Match_Rating_Approach, Algorithm_Implementation/Strings/Dice's_coefficient, Algorithm_implementation/Sorting/Heapsort, Algorithm_implementation/Sorting/Selection_sort, Algorithm_implementation/Sorting/Some_proofs, Algorithm_implementation/String_searching, Algorithms/Find_maximum/Java_findMax_method_3, Algorithms/Greedy_Algorithms, Alternative_Socioeconomics/The_Venus_Project, Amateur_Radio_Manual/Inductance, American_Ghost_Towns/Ghost_towns_in_Ohio/Ghost_towns_in_Franklin_County, American_Ghost_Towns/Ghost_towns_in_Ohio/Ghost_towns_in_Franklin_County/Amlin, American_Ghost_Towns/Ghost_towns_in_Ohio/Ghost_towns_in_Franklin_County/Shattucksburg, American_Ghost_Towns/Ghost_towns_in_Ohio/Ghost_towns_in_Franklin_County/Smiley's_Corners, American_Ghost_Towns/PageNavigationTemplate, American_Government/Answer_Key_to_Review_Questions, American_Indians_Today/American_Indian_relief_organizations, American_Revolution/Introduction, American_Sign_Language/Further_Resources, Amharic, An_Awk_Primer/Control_Structures, An_Awk_Primer/Output_Redirection_and_Pipes, An_Awk_Primer/Search_Patterns_(2), An_Internet_of_Everything?/Access_to_Knowledge_and_Data_in_Everyday_Life, An_Introduction_to_MediaWiki, An_Introduction_to_Molecular_Biology, An_Introduction_to_Molecular_Biology/Glossary/Alanine, An_Introduction_to_Python_For_Undergraduate_Engineers/If/Else, An_intuitive_guide_to_the_concept_of_entropy_arising_in_various_sectors_of_science, Analog_and_Digital_Conversion/Spectral_Effects, Analogue_Electronics/Current_Mirrors, Analysis_of_Tuberculosis, Analytic_Number_Theory/Number-theoretic_functions, Analytical_Chemiluminescence, Analytical_Chemiluminescence/Chemiluminescence_detection_in_gas_chromatography, Analytical_Chemiluminescence/Dioxetanes_and_oxalates, Analytical_Chemiluminescence/Enhancement_by_ultrasound, Analytical_Chemiluminescence/Micellar_enhancement, Anarchist_FAQ/What_is_Anarchism?/1.3, Anarchist_FAQ/What_is_Anarchism?/2.2, Anarchist_FAQ/What_is_Anarchism?/3.4, Anarchist_FAQ/What_is_Anarchism?/5, Anarchist_FAQ/What_is_Anarchism?/5.6, Anarchist_FAQ/Why_do_anarchists_oppose_the_current_system?/2.2, Anatomy_and_Physiology_of_Animals/Cardiovascular_System/Blood_circulation/Test_Yourself_Answers, Anatomy_and_Physiology_of_Animals/Glossary, Anatomy_and_Physiology_of_Animals/Glossary/Book_version, Anatomy_and_Physiology_of_Animals/Glossary/G-H, Anatomy_and_Physiology_of_Animals/Glossary/M-N, Anatomy_and_Physiology_of_Animals/Glossary/T,U,V,W,X,Y,Z, Anatomy_and_Physiology_of_Animals/The_Skin, Ancient_History/Americas/Aztec_Empire, Ancient_History/Egypt/Culture, Ancient_History/Greece, Ancient_History/Greece/Minoan_Civilization, Ancient_History/Iran/Sassanian_Empire/Last_Remnants_of_Sassanian_Rule, Ancient_Near_East, Anim8or_-_Basics_to_Advanced/PreReq_3, Animal_Behavior/Ch4, Animal_Behavior/Darwin's_Finches, Animal_Behavior/Language, Animal_Behavior/Maturation, Animal_Behavior/Scientific_Method, Animal_Behavior/Sexual_Selection_and_Mate_Choice_by_Females, Animal_Behavior/Sociality, Animal_Care/Dogs, Animal_Care/House_Gecko, Animal_Care/Land_hermit_crab_cleaning, Animating_Weapons_for_Counter-Strike_Source/Preparing_the_Weapon_for_Rigging, Animation:Master_Features/Rendering, Animation:Master_Features/Rendering/Toon_Render, Annotated_Republic_of_China_Case_Law, Annotated_Republic_of_China_Laws/Act_of_Military_Service_System, Annotated_Republic_of_China_Laws/Central_Regulation_Standard_Act/Article_8, Annotated_Republic_of_China_Laws/Copyright_Act/1998, Annotated_Republic_of_China_Laws/Copyright_Act/Article_106, Annotated_Republic_of_China_Laws/Copyright_Act/Article_7-1, Annotated_Republic_of_China_Laws/Copyright_Act/Article_98, Annotated_Republic_of_China_Laws/Hot_Spring_Act/Article_31, Annotated_Republic_of_China_Laws/Name_Act/2015, Annotated_Republic_of_China_Laws/Name_Act/Article_12, Annotated_Republic_of_China_Laws/Name_Act/Article_6, Annotated_Republic_of_China_Laws/Penal_Act_of_Offenses_Against_National_Currency/Article_1, Annotated_Republic_of_China_Laws/Red_Cross_Society_Act_of_the_Republic_of_China/Article_32, Annotated_Republic_of_China_Regulations/Enforcement_Rules_of_the_Nationality_Act, Annotated_Republic_of_China_Regulations/Regulations_for_Road_Traffic_Signs,_Markings,_and_Signals, Annotated_Republic_of_China_Regulations/Regulations_for_Road_Traffic_Signs,_Markings,_and_Signals/1989, Annotations_of_The_Complete_Peanuts/1953_to_1954, Annotations_of_The_Complete_Peanuts/1963_to_1964, Annotations_to_James_Joyce's_Ulysses/Aeolus, Annotations_to_James_Joyce's_Ulysses/Aeolus/124, Annotations_to_James_Joyce's_Ulysses/Aeolus/130, Annotations_to_James_Joyce's_Ulysses/Calypso, Annotations_to_James_Joyce's_Ulysses/Calypso/054, Annotations_to_James_Joyce's_Ulysses/Calypso/065, Annotations_to_James_Joyce's_Ulysses/Circe/408, Annotations_to_James_Joyce's_Ulysses/Circe/411, Annotations_to_James_Joyce's_Ulysses/Circe/419, Annotations_to_James_Joyce's_Ulysses/Circe/424, Annotations_to_James_Joyce's_Ulysses/Circe/426, Annotations_to_James_Joyce's_Ulysses/Circe/442, Annotations_to_James_Joyce's_Ulysses/Circe/454, Annotations_to_James_Joyce's_Ulysses/Circe/475, Annotations_to_James_Joyce's_Ulysses/Circe/486, Annotations_to_James_Joyce's_Ulysses/Circe/500, Annotations_to_James_Joyce's_Ulysses/Circe/504, Annotations_to_James_Joyce's_Ulysses/Circe/510, Annotations_to_James_Joyce's_Ulysses/Circe/511, Annotations_to_James_Joyce's_Ulysses/Circe/516, Annotations_to_James_Joyce's_Ulysses/Circe/540, Annotations_to_James_Joyce's_Ulysses/Circe/548, Annotations_to_James_Joyce's_Ulysses/Circe/555, Annotations_to_James_Joyce's_Ulysses/Circe/563, Annotations_to_James_Joyce's_Ulysses/Cyclops/280, Annotations_to_James_Joyce's_Ulysses/Cyclops/303, Annotations_to_James_Joyce's_Ulysses/Cyclops/306, Annotations_to_James_Joyce's_Ulysses/Cyclops/314, Annotations_to_James_Joyce's_Ulysses/Eumaeus/570, Annotations_to_James_Joyce's_Ulysses/Eumaeus/571, Annotations_to_James_Joyce's_Ulysses/Eumaeus/578, Annotations_to_James_Joyce's_Ulysses/Eumaeus/584, Annotations_to_James_Joyce's_Ulysses/Eumaeus/594, Annotations_to_James_Joyce's_Ulysses/Eumaeus/596, Annotations_to_James_Joyce's_Ulysses/Hades/110, Annotations_to_James_Joyce's_Ulysses/Ithaca/619, Annotations_to_James_Joyce's_Ulysses/Ithaca/632, Annotations_to_James_Joyce's_Ulysses/Ithaca/659, Annotations_to_James_Joyce's_Ulysses/Ithaca/664, Annotations_to_James_Joyce's_Ulysses/Ithaca/668, Annotations_to_James_Joyce's_Ulysses/Ithaca/684, Annotations_to_James_Joyce's_Ulysses/Lestrygonians/159, Annotations_to_James_Joyce's_Ulysses/Lestrygonians/170, Annotations_to_James_Joyce's_Ulysses/Nausicaa/331, Annotations_to_James_Joyce's_Ulysses/Nausicaa/350, Annotations_to_James_Joyce's_Ulysses/Nestor/032, Annotations_to_James_Joyce's_Ulysses/Oxen_of_the_Sun/367, Annotations_to_James_Joyce's_Ulysses/Oxen_of_the_Sun/369, Annotations_to_James_Joyce's_Ulysses/Oxen_of_the_Sun/376, Annotations_to_James_Joyce's_Ulysses/Oxen_of_the_Sun/389, Annotations_to_James_Joyce's_Ulysses/Oxen_of_the_Sun/392, Annotations_to_James_Joyce's_Ulysses/Oxen_of_the_Sun/402, Annotations_to_James_Joyce's_Ulysses/Oxen_of_the_Sun/403, Annotations_to_James_Joyce's_Ulysses/Penelope, Annotations_to_James_Joyce's_Ulysses/Penelope/694, Annotations_to_James_Joyce's_Ulysses/Penelope/699, Annotations_to_James_Joyce's_Ulysses/Penelope/704, Annotations_to_James_Joyce's_Ulysses/Penelope/706, Annotations_to_James_Joyce's_Ulysses/Penelope/710, Annotations_to_James_Joyce's_Ulysses/Penelope/713, Annotations_to_James_Joyce's_Ulysses/Penelope/722, Annotations_to_James_Joyce's_Ulysses/Penelope/723, Annotations_to_James_Joyce's_Ulysses/Penelope/726, Annotations_to_James_Joyce's_Ulysses/Scylla_and_Charybdis/193, Annotations_to_James_Joyce's_Ulysses/Scylla_and_Charybdis/197, Annotations_to_James_Joyce's_Ulysses/Scylla_and_Charybdis/205, Annotations_to_James_Joyce's_Ulysses/Sirens/265, Annotations_to_James_Joyce's_Ulysses/Sirens/277, Annotations_to_James_Joyce's_Ulysses/Sirens/279, Annotations_to_James_Joyce's_Ulysses/Wandering_Rocks/210, Annotations_to_James_Joyce's_Ulysses/Wandering_Rocks/211, Annotations_to_James_Joyce's_Ulysses/Wandering_Rocks/237, Annotations_to_James_Joyce's_Ulysses/Wandering_Rocks/239, Annotations_to_James_Joyce's_Ulysses/Wandering_Rocks/243, Announcing/On_Being_a_Broadcast_Journalist, Announcing/Standard_American_Pronunciation, Announcing/Working_in_Television_News, Antiracist_Activism_for_Teachers_and_Students/Arts/Artism, Antiracist_Activism_for_Teachers_and_Students/Points_to_Consider_for_Teaching_Anti-racism/Anti-Racism_in_Early_Childhood, Antiracist_Activism_for_Teachers_and_Students/Points_to_Consider_for_Teaching_Anti-racism/Media_Literacy_In_Schools, Antiracist_Activism_for_Teachers_and_Students/Students/Students_Taking_the_Lead, AnyLang_Programming_Language_Comparison/Appendix:PLEAC_Crossref:User_interfaces, Apache, Apache_Ant/XML, AppleScript_Programming/3rd_Party_Codes, AppleScript_Programming/Letter_Replacer, AppleScript_Programming/Mail.app_archive_selected_inbox_messages, AppleScript_Programming/QuickTime_full_screen, AppleScript_Programming/Sample_Programs/Calculator, AppleScript_Programming/Scripting_other_applications, Apples/Introduction, Apples/Rootstocks, Applicable_Mathematics, Applicable_Mathematics/Counting_Techniques, Applicable_Mathematics/Odds, Applicable_Mathematics/Probability, Application_Development_with_Harbour/Introduction, Applications_of_ICT_in_Libraries/Digital_Culture_-_Online_Collaboration, Applications_of_ICT_in_Libraries/Digital_Culture_-_Online_Communication, Applications_of_ICT_in_Libraries/Educator, Applied_A-Level_ICT/Unit_7, Applied_History_of_Psychology/Client_Centred_Therapies_-_principles,_theory,_and_key_figures, Applied_History_of_Psychology/Cross-Battery_Assessment_(Cattell-Horn-Carroll)_model, Applied_History_of_Psychology/DSM_and_Other_Diagnostic_Systems, Applied_History_of_Psychology/Moral_Development, Applied_History_of_Psychology/Participants, Applied_History_of_Psychology/Theories_on_Intelligence, Applied_Mathematics/Fourier_Cosine_Series, Applied_Mathematics/Fourier_Series, Applied_Robotics/Sensors_and_Perception/Open_CV/Basic_OpenCV_Tutorial, Applied_Science_BTEC_Nationals/Biomedical_Science_Techniques, Applied_Science_BTEC_Nationals/Course_Structure_and_Assessment, Applied_Science_BTEC_Nationals/Informatics, Applied_Science_BTEC_Nationals/Principles_of_Plant_and_Soil_Science, Arabic/Directions, Arabic/Forming_words_from_letters, Arabic/HowToStudy, Arabic/LearnRW/Row_4/TExc, Arabic/LearnRW/Row_4/rkbExc, Arabic/LearnRW/Row_6/Transliteration, Arabic/LearnRW/Row_6/Transliteration/Answers, Arabic/LearnRW/al-_Assimilation, Arabic/LearnRW/kasra_and_yaa, Arabic/Lesson_1, Arabic/Pronouns/Charts, Arabic/Tasks, Arabic/User_Phrase_Request, Arabic/Verb_Type/5, Arabic/Verb_Type/9, Arabic/describing, Arabic/relations, Arabic/whereQuestions, Arabic/whyQuestions, Aramaic/Alphabet, Arimaa/Overview, Arimaa/Relative_Value_of_Pieces, Arithmetic/Bases/Another_Look_at_Decimal_(Base_10), Arithmetic/Introduction, Arithmetic/Part_II_Review_and_Test, Arithmetic/Rounding, Arithmetic/Types_of_Numbers, Arithmetic_Course, Arithmetic_Course/Number_Operation/Differentiation, Arithmetic_Course/Number_Operation/Gradient, Arithmetic_Course/Number_Operation/Integration/Definite_Integration, Arithmetic_Course/Number_Operation/Integration/Indefinite_Integration, Armenian/Animals, Aros/APL, Aros/Developer/Docs/Devices/Console, Aros/Developer/Docs/Examples/GraphicScaling, Aros/Developer/Docs/HIDD/i2c, Aros/Developer/Docs/Handlers/Pipe, Aros/Developer/Docs/Libraries/ASL, Aros/Developer/Docs/Libraries/Bullet, Aros/Developer/Docs/Libraries/CAMD, Aros/Developer/Docs/Libraries/GadTools, Aros/Developer/Docs/Libraries/Keymap, Aros/Developer/Docs/Libraries/Layers, Aros/Developer/Docs/Libraries/LowLevel, Aros/Developer/Docs/Libraries/RexxSysLib, Aros/Developer/Docs/Libraries/Thread, Aros/Developer/Docs/Libraries/Workbench, Aros/Developer/Docs/Resources/Filesystem, Aros/Developer/IODeviceDrivers, Aros/Developer/OpenGL, Aros/Platforms/Installing_on_*nix, Aros/Platforms/x86_Network_support, Arrhythmia_in_Athletes, Art_History/18th_Century, Art_History/Movements, Artificial_Intelligence/Resources, Artificial_Intelligence/Search/Adversarial_search/Minimax_Search, Artificial_Intelligence/Search/Heuristic_search/Tabu_Search, Artificial_Intelligence_for_Sustainability:_A_Lab_Companion/Machine_Learning_for_Prediction/EAAI_Template_for_RCCP.1, Artificial_Neural_Networks/Biological_Neural_Networks, Artificial_Neural_Networks/Boltzmann_Learning, Artificial_Neural_Networks/Error-Correction_Learning, Artificial_Neural_Networks/Self-Organizing_Maps, Ascom/Interfaces/Telescope, Asia_and_Pacific_UNISDR_Informs/Education_Issue, Asset_Allocation/Resources, Assistive_Technology_in_Education/Access_Tools, Assistive_Technology_in_Education/DAISY, Astro_and_Safari_Maintenance_and_Repair, Astro_and_Safari_Repair_and_Maintenance, Astrodynamics/Coordinate_Systems, Astrodynamics/Orbit_Determination, Astrodynamics/The_Earth, Astronomy/Current_Unsolved_Mysteries, Astronomy/Eclipses, Astronomy/First_Steps_into_Space, Astronomy/Fluence_and_Extragalactic_Nature, Astronomy/New_Ideas_About_Motion, Astronomy/Protostars_and_Stellar_Nurseries, Astronomy/Star_Clusters_as_Cosmic_Laboratories, Astronomy/Stars:_introduction, Astronomy/The_Celestial_Sphere, Astronomy/The_Death_of_Low_Mass_Stars, Astronomy/The_First_Three_Minutes, Astronomy/The_Photosphere, Astronomy/The_Solar_Cycle, Astronomy/The_Sun, Asymptote/Command/solids/cylinder, Atlas_Shrugged/Concepts, Atlas_Shrugged/Synopsis/Chapters_1-5, Atlas_shrugged, Attach_by_Initialization_Idiom, Australian_Esoterica/Glossary, Australian_History/1980s, Autodesk_Vault_Programmer's_Cookbook, Automobile_Repair/Honda/Civic/Oil_Change, Automobile_Repair/Honda/Odyssey, Automobile_Repair/Jeep, Automobile_Repair/Nissan/Maxima_(4th_Generation)/Replacing_your_door_panels, Automobile_Repair/Optimizing_Fuel_Economy, Automobile_repair/Diagnostics, Automotive_Systems/Electrical_System, Automotive_Systems/Valve_Train, Autonomous_Technology-Assisted_Language_Learning/Interaction/GoogleTalk, Autonomous_Technology-Assisted_Language_Learning/Packages/PDA, AvernumScript/Appendix/General_notes_about_scripting, Ayyavazhi/Ekam, Azerbaijani/Contents/Introduction, Azerbaijani/Contents_(Latin)/Lesson_One_-_Greetings, Azerbaijani/Contents_(Latin)/Phrasebook/Getting_Acquainted, BASIC_Programming/Beginning_BASIC/Control_Structures/FOR...NEXT, BASIC_Programming/Beginning_BASIC/Control_Structures:_WHILE...WEND, BASIC_Programming/Random_Number_Generation, BLL_German/A1/Lesson_1, BOINC, Ba_Zi/1900, Ba_Zi/1903, Ba_Zi/1910, Ba_Zi/1920, Ba_Zi/1928, Ba_Zi/1945, Ba_Zi/1946, Ba_Zi/1951, Ba_Zi/1953, Ba_Zi/1970, Ba_Zi/1973, Ba_Zi/1985, Ba_Zi/1989, Ba_Zi/1993, Ba_Zi/2018, Ba_Zi/2032, Ba_Zi/2041, Ba_Zi/2045, Ba_Zi/Date_Selection_in_1908, Ba_Zi/Date_Selection_in_1924, Ba_Zi/Date_Selection_in_1928, Ba_Zi/Date_Selection_in_1943, Ba_Zi/Date_Selection_in_1953, Ba_Zi/Date_Selection_in_1963, Ba_Zi/Date_Selection_in_1971, Ba_Zi/Date_Selection_in_1974, Ba_Zi/Date_Selection_in_1990, Ba_Zi/Date_Selection_in_1991, Ba_Zi/Date_Selection_in_1995, Ba_Zi/Date_Selection_in_2003, Ba_Zi/Date_Selection_in_2022, Ba_Zi/Date_Selection_in_2034, Ba_Zi/Date_Selection_in_2038, Ba_Zi/Dates_in_2017, Ba_Zi/Dates_in_2022, Ba_Zi/H1-E2_R, Ba_Zi/H1-E3_R, Ba_Zi/H1-E6_R, Ba_Zi/H1-E7_F, Ba_Zi/H1-E7_R, Ba_Zi/H2-E10_F, Ba_Zi/H6-E7_F, Ba_Zi/H7-E1_R, Ba_Zi/H8-E4_F, Ba_Zi/H8-E7_F, Ba_Zi/H8-E7_R, Ba_Zi/H9-E10_F, Ba_Zi/H9-E12_F, Ba_Zi/H9-E12_R, Ba_Zi/H9-E4_R, Ba_Zi/H9-E9_R, Ba_Zi/Yr1904, Ba_Zi/Yr1905, Ba_Zi/Yr1907, Ba_Zi/Yr1908, Ba_Zi/Yr1913, Ba_Zi/Yr1922, Ba_Zi/Yr1927, Ba_Zi/Yr1928, Ba_Zi/Yr1939, Ba_Zi/Yr1941, Ba_Zi/Yr1944, Ba_Zi/Yr1950, Ba_Zi/Yr1952, Ba_Zi/Yr1973, Ba_Zi/Yr1991, Ba_Zi/Yr1995, Ba_Zi/Yr1997, Ba_Zi/Yr2023, Ba_Zi/Yr2027, Ba_Zi/Yr2032, Ba_Zi/Yr2048, Back_Pain, Backgammon/Glossary, Backpack_Camping_and_Woodland_Survival, Backpack_Camping_and_Woodland_Survival/Skills/Hunting_and_gathering/Primitive_Fishing, Backpack_camping_and_woodland_survival/Skills/Fire, Bad_Science/Interpretation/Worksheet, Bad_Science/Placebo/Teacher, Badminton/Strokes, Bahai_Education/Table_of_Contents, Bahai_Education/Table_of_Contents/Appendix_1:_Categorization_of_and_Commentary_on_Extracts_from_Bahá'í_Education, Bahasa_Indonesia/Phonology_and_Alphabet, Baloney_Sandwich, BarCamp_-_How_to_Run_Your_Own/BarCamp_Records, BarCamp_-_How_to_run_your_own/BarCamp_Records, Bards_Bluegrass_Fiddle_Tunebook_Supplement/Listening/Rocky_Top, Bards_Bluegrass_Fiddle_Tunebook_Supplement/Uncle_Pen, Bards_Irish_Fiddle_Tunebook_Supplement/Tam_Lin, Bards_Klezmer_Fiddle_Tunbook_Supplement, Bards_Old_Time_Fiddle_Tunebook_Supplement/Angelina_Baker, Bards_Old_Time_Fiddle_Tunebook_Supplement/Devils_Dream, Bards_Old_Time_Fiddle_Tunebook_Supplement/Intro, Bartending/Alcohol/Coffee_liqueur, Bartending/Alcohol/Nut-flavored_liqueur, Bartending/Alcohol/Orange_liqueur, Bartending/Cocktails/Cheeky_Vimto, Bartending/Cocktails/Martini, Bartending/Cocktails/Mojito, Bartending/Cocktails/Polish_Martini, Bartending/Cocktails/Saketini, Bartending/Cocktails/Silver_Surfer, Bartending/Drinkware/White_wine, Bartending/Equipment/Utensils/Bottle_opener, Bartending/Responsibilities_and_duties/Responsibility_of_serving_alcohol, Bartending/Welcome, Basic_Algebra, Basic_Algebra/Exponential_Functions/Chapter_Review, Basic_Algebra/Factoring/Squares_of_Binomials, Basic_Algebra/Radical_Expressions_and_Equations/Chapter_Review, Basic_Algebra/Rational_Expressions_and_Equations/Adding_and_Subtracting_When_the_Denominators_are_Different, Basic_Algebra/Solving_Equations/Equations_with_More_than_One_Variable, Basic_Algebra/Solving_Quadratic_Equations/The_Zero_Product_Property, Basic_Algebra/Working_with_Numbers/Chapter_Review, Basic_Algebra/Working_with_Numbers/Integers_and_the_Number_Line, Basic_Ancient_Greek/Uninflected_Forms, Basic_Book_Design/About_the_Authors, Basic_Book_Design/Capitalizing_Words_in_Titles, Basic_Book_Design/Emphasizing_Words, Basic_Book_Design/Indentation, Basic_Book_Design/Pre-Printing_Checklist, Basic_Book_Design/Spelling_and_Grammar_Checkers, Basic_Book_Design/Widows_And_Orphans, Basic_Computer_Security/Further_Reading, Basic_Computer_Security/Resources, Basic_Computing_Using_Mac_OS_X, Basic_Computing_Using_Windows/Print_version, Basic_Geography/Biosphere, Basic_Geography/Climate/Recording_weather, Basic_Geology/Crust, Basic_Physics_of_Digital_Radiography/The_Source, Basic_Physics_of_Nuclear_Medicine, Basic_Physics_of_Nuclear_Medicine/Radioactive_Decay, Basic_Physics_of_Nuclear_Medicine/The_Radioactive_Decay_Law, Basic_Writing/Authors, Basic_Writing/Cover_Page, Basic_Writing/Culture, Basic_Writing/Part1, Basic_Writing/Print_version, Basic_Writing/Table_of_Contents, Basics_of_Conjugation, Basque/Lessons/Introduction, Battery_Power, Battery_Power/Alkaline_Batteries, Becoming_a_Linguistic_Mastermind, Becoming_a_Linguistic_Mastermind/The_method, Becoming_a_Private_Pilot/Landings, Becoming_a_Private_Pilot/Slow_Flight, Beekeeping/Drone_Bee, Beekeeping/First_Time, Beekeeping/Food_Recipes, Beekeeping/Queen_Bee, Beginner's_Guide_to_Adobe_Flash/Color/Color_Mixer, Beginner's_Guide_to_Adobe_Flash/Filters_and_Blend_Modes, Beginner's_Guide_to_Adobe_Flash/Filters_and_Blend_Modes/Saving_Presets_and_Combining_Filters, Beginner's_Guide_to_Adobe_Flash/Interactivity/ActionScript, Beginner's_Guide_to_Adobe_Flash/Sound/On_the_Timeline, Beginner's_Guide_to_Adobe_Flash/Symbols/Movie_Clip, Beginner's_Guide_to_Adobe_Flash/Tools/Rectangle_and_Oval, Beginner's_Guide_to_Adobe_Flash/Video/Exporting, Beginner's_Guide_to_Adobe_Flash/Video/Using_The_FLVPlayback_Component, Beginning_Java/Loops, Belarusian/Lesson_12, Belarusian/Lesson_6, Belorussian/Lesson_1, Bengali, Bengali/Months, Bengali/Origins, Bestiary_of_Behavioral_Economics/Framing_Effect, Beyond_Blender_Render/A_Destination, Beyond_Blender_Render/Make_Something_Move, Beyond_Blender_Render/More_On_Modeling:_For_The_Novice, Beyond_Blender_Render/Open_Up_Blender_And_Don't_Be_Discouraged, Biblical_Studies/Christianity/Christian_art/Primitive, Biblical_Studies/Christianity/Creeds_and_catechisms, Biblical_Studies/Christianity/Early_Christianity, Biblical_Studies/Christianity/Eschatology/The_Christian_Hope, Biblical_Studies/Christianity/Prayer, Biblical_Studies/Christianity/The_Bible/Origin_of_the_Bible/Bible_canonization, Biblical_Studies/History_of_the_Roman_Catholic_Church, Biblical_Studies/New_Testament_Commentaries/1_Corinthians/Chapter_12)

讓我們看看UI並理解最後的Job。

Job 深入執行

  • Application
  • Job
  • Stage
  • Task

這裏寫圖片描述

az8.sample(false, 0.1, 42).flatMap(t => t.split("_")).collect

res: Array[String] = Array(A+, Certification/Exam, Objectives/Basics/Southbridge, A+, Certification/Exam, Objectives/Hardware/Basics/BIOS, A+, Certification/Exam, Objectives/Hardware/Basics/Storage/Hard, disk, drive, A+, Certification/Exam, Objectives/Life, as, a, Tech, A+, Certification/Floppy, disk, drive, A-level, Applied, Science/Colour, Chemistry/Fibres/Cellulose, A-level, Applied, Science/Finding, out, about, substances/Chromatography, A-level, Applied, Science/Investigating, Science, at, Work/Types, of, science, organisation, A-level, Applied, Science/Planning, and, Carrying, out, a, Scientific, Investigation, A-level, Biology/Mammalian, Physiology, and, Behavior/Sense, organs, and, the, reception, of, stimuli, A-level, Chemistry/AQA/Module, 1/Atomic, Structure, A-level, Chemistry/AQA/Module, 5/Thermodynamics/Heat, Engines, A-level, Chemistry/AQA/Module, 5/Thermodynamics/Slow, and, Fast, Expansions, A-level, Chemistry/OCR/Arenes, A-level, Chemistry/OCR/Group, 2, A-level, Chemistry/OCR/Group, 7, A-level, Chemistry/OCR, (Salters)/Chemical, Ideas, A-level, Chemistry/OCR, (Salters)/Condensation, reactions, A-level, Chemistry/OCR, (Salters)/Functional, groups, A-level, Chemistry/OCR, (Salters)/Index, A-level, Chemistry/OCR, (Salters)/Organic, compounds, A-level, Chemistry/OCR, (Salters)/Physical, quantities, A-level, Computing/AQA/Advanced, Systems, Development, A-level, Computing/AQA/Basic, Principles, of, Hardware,, Software, and, Applications/Machine, Level, Architecture/Boolean, Algebra, A-level, Computing/AQA/Computer, Components,, The, Stored, Program, Concept, and, the, Internet, A-level, Computing/AQA/Computer, Components,, The, Stored, Program, Concept, and, the, Internet/Fundamental, Hardware, Elements, of, Computers/Gate, conversion, A-level, Computing/AQA/Computer, Components,, The, Stored, Program, Concept, and, the, Internet/Fundamentals, of, Computer, Systems/System, software, A-level, Computing/AQA/Computer, Components,, The, Stored, Program, Concept, and, the, Internet/Hardware, Devices/Input, and, output, devices, A-level, Computing/AQA/Computer, Components,, The, Stored, Program, Concept, and, the, Internet/Structure, of, the, Internet/IP, addresses, A-level, Computing/AQA/Computer, Components,, The, Stored, Program, Concept, and, the, Internet/Structure, of, the, Internet/Packet, switching, A-level, Computing/AQA/Fundamentals, of, Data, Representation/Binary, fractions, A-level, Computing/AQA/Paper, 1/Fundamentals, of, algorithms/Reverse, polish, A-level, Computing/AQA/Paper, 1/Fundamentals, of, data, representation/Bit, patterns,, images,, sound, and, other, data, A-level, Computing/AQA/Paper, 1/Fundamentals, of, data, structures/Queues/, A-level, Computing/AQA/Paper, 1/Fundamentals, of, programming/Constants, A-level, Computing/AQA/Paper, 1/Fundamentals, of, programming/Elements, of, Object-Oriented, Programming, A-level, Computing/AQA/Paper, 1/Fundamentals, of, programming/Iteration, A-level, Computing/AQA/Paper, 1/Fundamentals, of, programming/Procedural-oriented, A-level, Computing/AQA/Paper, 1/Fundamentals, of, programming/Selection, A-level, Computing/AQA/Paper, 1/Skeleton, program/2017, A-level, Computing/AQA/Paper, 1/Theory, of, computation/Turing, Machine, A-level, Computing/AQA/Paper, 2/Consequences, of, uses, of, computing, A-level, Computing/AQA/Paper, 2/Fundamentals, of, data, representation/Binary, number, system, A-level, Computing/AQA/Paper, 2/Fundamentals, of, data, representation/Number, bases, A-level, Computing/AQA/Problem, Solving,, Programming,, Data, Representation, and, Practical, Exercise/Fundamentals, of, Programming/Assignment, A-level, Computing/AQA/Problem, Solving,, Programming,, Data, Representation, and, Practical, Exercise/Fundamentals, of, Programming/One-Dimensional, Arrays, A-level, Computing/AQA/Problem, Solving,, Programming,, Data, Representation, and, Practical, Exercise/Fundamentals, of, Programming/User-defined, data, types, A-level, Computing/AQA/Problem, Solving,, Programming,, Data, Representation, and, Practical, Exercise/Skeleton, code, A-level, Computing/AQA/Problem, Solving,, Programming,, Data, Representation, and, Practical, Exercise/Skeleton, code/2016, Exam/Sample, Question, Papers/June, 2016, Practice, Questions, 2, A-level, Computing/AQA/Problem, Solving,, Programming,, Data, Representation, and, Practical, Exercise/Skeleton, code/2016, Exam, Resit, A-level, Computing/AQA/Problem, Solving,, Programming,, Data, Representation, and, Practical, Exercise/Systems, Development, Life, Cycle, A-level, Computing/AQA/Problem, Solving,, Programming,, Operating, Systems,, Databases, and, Networking/Communication, and, Networking, A-level, Computing/AQA/Problem, Solving,, Programming,, Operating, Systems,, Databases, and, Networking/Problem, Solving/Turing, Machines, A-level, Computing/AQA/Problem, Solving,, Programming,, Operating, Systems,, Databases, and, Networking/Programming, Concepts/Abstract, data, types, and, data, structures, A-level, Computing/AQA/Problem, Solving,, Programming,, Operating, Systems,, Databases, and, Networking/Programming, Concepts/Trees, traversal, algorithms, for, a, binary, tree, A-level, Computing/CIE/Computer, systems,, communications, and, software/System, software/Utility, software, A-level, Computing/CIE/Theory, Fundamentals/Communication, and, Internet, technologies, A-level, Computing/CIE/Theory, Fundamentals/Number, representation, A-level, Computing/Exam, Tips, A-level, Computing/OCR/Basic, Principles, of, Hardware,, Software, and, Applications/Machine, Level, Architecture/Boolean, Algebra, A-level, Computing, 2009/AQA/Computer, Components,, The, Stored, Program, Concept, and, the, Internet/Fundamentals, of, Computer, Systems/Classification, of, software, A-level, Computing, 2009/AQA/Computer, Systems,, Programming, and, Network, Concepts/Introduction, to, Communication, and, Networking, A-level, Computing, 2009/AQA/Pascal, A-level, Computing, 2009/AQA/Problem, Solving,, Programming,, Data, Representation, and, Practical, Exercise/Fundamentals, of, Data, Representation/Analogue, and, digital, A-level, Computing, 2009/AQA/Problem, Solving,, Programming,, Data, Representation, and, Practical, Exercise/Fundamentals, of, Data, Representation/Hamming, code, A-level, Computing, 2009/AQA/Problem, Solving,, Programming,, Data, Representation, and, Practical, Exercise/Fundamentals, of, Data, Representation/Two's, complement, A-level, Computing, 2009/AQA/Problem, Solving,, Programming,, Data, Representation, and, Practical, Exercise/Fundamentals, of, Programming/Iteration, A-level, Computing, 2009/AQA/Problem, Solving,, Programming,, Data, Representation, and, Practical, Exercise/Fundamentals, of, Programming/Variables, A-level, Computing, 2009/AQA/Problem, Solving,, Programming,, Data, Representation, and, Practical, Exercise/Skeleton, code/2012, Exam/Section, C, A-level, Computing, 2009/AQA/Problem, Solving,, Programming,, Data, Representation, and, Practical, Exercise/Skeleton, code/2013, Exam/Section, C, A-level, Computing, 2009/AQA/Problem, Solving,, Programming,, Data, Representation, and, Practical, Exercise/Skeleton, code/2015, Exam/Section, C, A-level, Computing, 2009/AQA/Problem, Solving,, Programming,, Data, Representation, and, Practical, Exercise/Skeleton, code/Programming, A-level, Computing, 2009/AQA/Problem, Solving,, Programming,, Data, Representation, and, Practical, Exercise/Systems, Development, Life, Cycle/The, cycle, A-level, Computing, 2009/AQA/Problem, Solving,, Programming,, Operating, Systems,, Databases, and, Networking/Databases/Select, A-level, Computing, 2009/AQA/Problem, Solving,, Programming,, Operating, Systems,, Databases, and, Networking/Problem, Solving/Finite, State, Machines, A-level, Computing, 2009/AQA/Problem, Solving,, Programming,, Operating, Systems,, Databases, and, Networking/Programming, Concepts/Graphs, A-level, Computing, 2009/AQA/Problem, Solving,, Programming,, Operating, Systems,, Databases, and, Networking/Programming, Concepts/Trees, traversal, algorithms, for, a, binary, tree, A-level, Computing, 2009/AQA/Processing, and, Programming, Techniques/Data, Representation, in, Computers/Answers, A-level, Computing, 2009/CIE/Computer, systems,, communications, and, software/Designing, the, user, interface, A-level, Computing, 2009/CIE/Computer, systems,, communications, and, software/System, software, A-level, Computing, 2009/CIE/Theory, Fundamentals/Database, and, data, modelling, A-level, Computing, 2009/Cambridge, International, A-level, Computing, 2009/ICT, Projects, using, LAMP/Setting, up, your, XAMPP, server/XAMPP, for, Linux, A-level, Computing, 2009/ICT, Projects, using, LAMP/Setting, up, your, XAMPP, server/XAMPP, for, Mac, OS, X, A-level, Computing, 2009/OCR/Basic, Principles, of, Hardware,, Software, and, Applications/Machine, Level, Architecture, A-level, English/Wise, Children/Magical, Realism, A-level, General, Studies, A-level, Geography/AS, Edexcel, Geography/Natural, Hazards, Introduction, A-level, Graphic, Products/Edexcel/Unit, 3, :Designing, for, the, Future/Sustainability/Renewable, and, non-renewable, sources, of, energy, A-level, Mathematics/Advanced/Basic, Mechanics, A-level, Mathematics/Advanced/Basic, Mechanics/Momentum, and, Impulse, A-level, Mathematics/C2/Trigonometric, Functions, A-level, Mathematics/C3/The, Modulus, Function, A-level, Mathematics/Edexcel/Decision, 2/Assignment, Problems, A-level, Mathematics/Edexcel/Further, 1/Complex, Numbers, A-level, Mathematics/Edexcel/Mechanics, 2/Particle, Kinematics, A-level, Mathematics/FP1/Appendix, A:, Formulae, A-level, Mathematics/FP1/Complex, Numbers, A-level, Mathematics/MEI/C1/Polynomials, A-level, Mathematics/MEI/C4/Trigonometry, A-level, Mathematics/MEI/D1/Graphs, A-level, Mathematics/MEI/D1/Networks, A-level, Mathematics/MEI/DE/Introduction, to, Differential, Equations, A-level, Mathematics/MEI/FP1/Complex, Numbers/basic, operations, solutions, A-level, Mathematics/MEI/FP3, A-level, Mathematics/MEI/NC, A-level, Mathematics/MEI/NM, A-level, Mathematics/MEI/S1, A-level, Mathematics/MEI/S2, A-level, Mathematics/OCR/C1/Indices, and, Surds, A-level, Mathematics/OCR/C1/Indices, and, Surds/Problems, A-level, Mathematics/OCR/C3/Special, Functions, and, Transformations, A-level, Mathematics/OCR/D1/Linear, Programming, A-level, Mathematics/OCR/D1/Node, Graphs, A-level, Mathematics/OCR/M1/Force, as, a, mk, Vector, A-level, Mathematics/OCR/M1/Kinematics, of, Motion, in, a, Straight, Line, A-level, Mathematics/OCR/M4, A-level, Mathematics/OCR/S1/Discrete, Random, Variables, A-level, Mathematics/OCR/S3, A-level, Mathematics/S3, A-level, Physics/Electrons,, Waves, and, Photons/Quantum, physics, A-level, Physics/Equation, Sheet, A-level, Physics/Forces,, Fields, and, Energy/Capacitors, A-level, Physics/Forces,, Fields, and, Energy/Electric, fields, A-level, Physics/Forces,, Fields, and, Energy/Oscillations, A-level, Physics/Forces, and, Motion/Force,, work, and, power, A-level, Physics/Wave, properties/Reflection, and, Refraction, A-level, Physics, (Advancing, Physics)/Current/sigma, A-level, Physics, (Advancing, Physics)/Data, Handling, A-level, Physics, (Advancing, Physics)/Digital, Storage/Worked, Solutions, A-level, Physics, (Advancing, Physics)/Electron, Behaviour, as, a, Quantum, Phenomenon/Momentum, A-level, Physics, (Advancing, Physics)/Gravitational, Potential, A-level, Physics, (Advancing, Physics)/Ideal, Gases/Worked, Solutions, A-level, Physics, (Advancing, Physics)/Kinetic, Theory/Worked, Solutions, A-level, Physics, (Advancing, Physics)/Light, as, a, Quantum, Phenomenon, A-level, Physics, (Advancing, Physics)/Polymers, A-level, Physics, (Advancing, Physics)/Radioactive, Decay, A-level, Physics, (Advancing, Physics)/Radioactive, Emissions/Worked, Solutions, A-level, Physics, (Advancing, Physics)/Resistance, and, Conductance/Worked, Solutions, A-level, Physics, (Advancing, Physics)/Resistivity, and, Conductivity, A-level, Physics, (Advancing, Physics)/Resonance)

這裏寫圖片描述

Pipelining

讓我們添加另一個Mapping操作,看看這是如何影響(或不影響)執行的:

az8.sample(false, 0.1, 42).flatMap(t => t.split("_")).map(w => (w, 1)).collect

res: Array[(String, Int)] = Array((A+,1), (Certification/Exam,1), (Objectives/Basics/Southbridge,1), (A+,1), (Certification/Exam,1), (Objectives/Hardware/Basics/BIOS,1), (A+,1), (Certification/Exam,1), (Objectives/Hardware/Basics/Storage/Hard,1), (disk,1), (drive,1), (A+,1), (Certification/Exam,1), (Objectives/Life,1), (as,1), (a,1), (Tech,1), (A+,1), (Certification/Floppy,1), (disk,1), (drive,1), (A-level,1), (Applied,1), (Science/Colour,1), (Chemistry/Fibres/Cellulose,1), (A-level,1), (Applied,1), (Science/Finding,1), (out,1), (about,1), (substances/Chromatography,1), (A-level,1), (Applied,1), (Science/Investigating,1), (Science,1), (at,1), (Work/Types,1), (of,1), (science,1), (organisation,1), (A-level,1), (Applied,1), (Science/Planning,1), (and,1), (Carrying,1), (out,1), (a,1), (Scientific,1), (Investigation,1), (A-level,1), (Biology/Mammalian,1), (Physiology,1), (and,1), (Behavior/Sense,1), (organs,1), (and,1), (the,1), (reception,1), (of,1), (stimuli,1), (A-level,1), (Chemistry/AQA/Module,1), (1/Atomic,1), (Structure,1), (A-level,1), (Chemistry/AQA/Module,1), (5/Thermodynamics/Heat,1), (Engines,1), (A-level,1), (Chemistry/AQA/Module,1), (5/Thermodynamics/Slow,1), (and,1), (Fast,1), (Expansions,1), (A-level,1), (Chemistry/OCR/Arenes,1), (A-level,1), (Chemistry/OCR/Group,1), (2,1), (A-level,1), (Chemistry/OCR/Group,1), (7,1), (A-level,1), (Chemistry/OCR,1), ((Salters)/Chemical,1), (Ideas,1), (A-level,1), (Chemistry/OCR,1), ((Salters)/Condensation,1), (reactions,1), (A-level,1), (Chemistry/OCR,1), ((Salters)/Functional,1), (groups,1), (A-level,1), (Chemistry/OCR,1), ((Salters)/Index,1), (A-level,1), (Chemistry/OCR,1), ((Salters)/Organic,1), (compounds,1), (A-level,1), (Chemistry/OCR,1), ((Salters)/Physical,1), (quantities,1), (A-level,1), (Computing/AQA/Advanced,1), (Systems,1), (Development,1), (A-level,1), (Computing/AQA/Basic,1), (Principles,1), (of,1), (Hardware,,1), (Software,1), (and,1), (Applications/Machine,1), (Level,1), (Architecture/Boolean,1), (Algebra,1), (A-level,1), (Computing/AQA/Computer,1), (Components,,1), (The,1), (Stored,1), (Program,1), (Concept,1), (and,1), (the,1), (Internet,1), (A-level,1), (Computing/AQA/Computer,1), (Components,,1), (The,1), (Stored,1), (Program,1), (Concept,1), (and,1), (the,1), (Internet/Fundamental,1), (Hardware,1), (Elements,1), (of,1), (Computers/Gate,1), (conversion,1), (A-level,1), (Computing/AQA/Computer,1), (Components,,1), (The,1), (Stored,1), (Program,1), (Concept,1), (and,1), (the,1), (Internet/Fundamentals,1), (of,1), (Computer,1), (Systems/System,1), (software,1), (A-level,1), (Computing/AQA/Computer,1), (Components,,1), (The,1), (Stored,1), (Program,1), (Concept,1), (and,1), (the,1), (Internet/Hardware,1), (Devices/Input,1), (and,1), (output,1), (devices,1), (A-level,1), (Computing/AQA/Computer,1), (Components,,1), (The,1), (Stored,1), (Program,1), (Concept,1), (and,1), (the,1), (Internet/Structure,1), (of,1), (the,1), (Internet/IP,1), (addresses,1), (A-level,1), (Computing/AQA/Computer,1), (Components,,1), (The,1), (Stored,1), (Program,1), (Concept,1), (and,1), (the,1), (Internet/Structure,1), (of,1), (the,1), (Internet/Packet,1), (switching,1), (A-level,1), (Computing/AQA/Fundamentals,1), (of,1), (Data,1), (Representation/Binary,1), (fractions,1), (A-level,1), (Computing/AQA/Paper,1), (1/Fundamentals,1), (of,1), (algorithms/Reverse,1), (polish,1), (A-level,1), (Computing/AQA/Paper,1), (1/Fundamentals,1), (of,1), (data,1), (representation/Bit,1), (patterns,,1), (images,,1), (sound,1), (and,1), (other,1), (data,1), (A-level,1), (Computing/AQA/Paper,1), (1/Fundamentals,1), (of,1), (data,1), (structures/Queues/,1), (A-level,1), (Computing/AQA/Paper,1), (1/Fundamentals,1), (of,1), (programming/Constants,1), (A-level,1), (Computing/AQA/Paper,1), (1/Fundamentals,1), (of,1), (programming/Elements,1), (of,1), (Object-Oriented,1), (Programming,1), (A-level,1), (Computing/AQA/Paper,1), (1/Fundamentals,1), (of,1), (programming/Iteration,1), (A-level,1), (Computing/AQA/Paper,1), (1/Fundamentals,1), (of,1), (programming/Procedural-oriented,1), (A-level,1), (Computing/AQA/Paper,1), (1/Fundamentals,1), (of,1), (programming/Selection,1), (A-level,1), (Computing/AQA/Paper,1), (1/Skeleton,1), (program/2017,1), (A-level,1), (Computing/AQA/Paper,1), (1/Theory,1), (of,1), (computation/Turing,1), (Machine,1), (A-level,1), (Computing/AQA/Paper,1), (2/Consequences,1), (of,1), (uses,1), (of,1), (computing,1), (A-level,1), (Computing/AQA/Paper,1), (2/Fundamentals,1), (of,1), (data,1), (representation/Binary,1), (number,1), (system,1), (A-level,1), (Computing/AQA/Paper,1), (2/Fundamentals,1), (of,1), (data,1), (representation/Number,1), (bases,1), (A-level,1), (Computing/AQA/Problem,1), (Solving,,1), (Programming,,1), (Data,1), (Representation,1), (and,1), (Practical,1), (Exercise/Fundamentals,1), (of,1), (Programming/Assignment,1), (A-level,1), (Computing/AQA/Problem,1), (Solving,,1), (Programming,,1), (Data,1), (Representation,1), (and,1), (Practical,1), (Exercise/Fundamentals,1), (of,1), (Programming/One-Dimensional,1), (Arrays,1), (A-level,1), (Computing/AQA/Problem,1), (Solving,,1), (Programming,,1), (Data,1), (Representation,1), (and,1), (Practical,1), (Exercise/Fundamentals,1), (of,1), (Programming/User-defined,1), (data,1), (types,1), (A-level,1), (Computing/AQA/Problem,1), (Solving,,1), (Programming,,1), (Data,1), (Representation,1), (and,1), (Practical,1), (Exercise/Skeleton,1), (code,1), (A-level,1), (Computing/AQA/Problem,1), (Solving,,1), (Programming,,1), (Data,1), (Representation,1), (and,1), (Practical,1), (Exercise/Skeleton,1), (code/2016,1), (Exam/Sample,1), (Question,1), (Papers/June,1), (2016,1), (Practice,1), (Questions,1), (2,1), (A-level,1), (Computing/AQA/Problem,1), (Solving,,1), (Programming,,1), (Data,1), (Representation,1), (and,1), (Practical,1), (Exercise/Skeleton,1), (code/2016,1), (Exam,1), (Resit,1), (A-level,1), (Computing/AQA/Problem,1), (Solving,,1), (Programming,,1), (Data,1), (Representation,1), (and,1), (Practical,1), (Exercise/Systems,1), (Development,1), (Life,1), (Cycle,1), (A-level,1), (Computing/AQA/Problem,1), (Solving,,1), (Programming,,1), (Operating,1), (Systems,,1), (Databases,1), (and,1), (Networking/Communication,1), (and,1), (Networking,1), (A-level,1), (Computing/AQA/Problem,1), (Solving,,1), (Programming,,1), (Operating,1), (Systems,,1), (Databases,1), (and,1), (Networking/Problem,1), (Solving/Turing,1), (Machines,1), (A-level,1), (Computing/AQA/Problem,1), (Solving,,1), (Programming,,1), (Operating,1), (Systems,,1), (Databases,1), (and,1), (Networking/Programming,1), (Concepts/Abstract,1), (data,1), (types,1), (and,1), (data,1), (structures,1), (A-level,1), (Computing/AQA/Problem,1), (Solving,,1), (Programming,,1), (Operating,1), (Systems,,1), (Databases,1), (and,1), (Networking/Programming,1), (Concepts/Trees,1), (traversal,1), (algorithms,1), (for,1), (a,1), (binary,1), (tree,1), (A-level,1), (Computing/CIE/Computer,1), (systems,,1), (communications,1), (and,1), (software/System,1), (software/Utility,1), (software,1), (A-level,1), (Computing/CIE/Theory,1), (Fundamentals/Communication,1), (and,1), (Internet,1), (technologies,1), (A-level,1), (Computing/CIE/Theory,1), (Fundamentals/Number,1), (representation,1), (A-level,1), (Computing/Exam,1), (Tips,1), (A-level,1), (Computing/OCR/Basic,1), (Principles,1), (of,1), (Hardware,,1), (Software,1), (and,1), (Applications/Machine,1), (Level,1), (Architecture/Boolean,1), (Algebra,1), (A-level,1), (Computing,1), (2009/AQA/Computer,1), (Components,,1), (The,1), (Stored,1), (Program,1), (Concept,1), (and,1), (the,1), (Internet/Fundamentals,1), (of,1), (Computer,1), (Systems/Classification,1), (of,1), (software,1), (A-level,1), (Computing,1), (2009/AQA/Computer,1), (Systems,,1), (Programming,1), (and,1), (Network,1), (Concepts/Introduction,1), (to,1), (Communication,1), (and,1), (Networking,1), (A-level,1), (Computing,1), (2009/AQA/Pascal,1), (A-level,1), (Computing,1), (2009/AQA/Problem,1), (Solving,,1), (Programming,,1), (Data,1), (Representation,1), (and,1), (Practical,1), (Exercise/Fundamentals,1), (of,1), (Data,1), (Representation/Analogue,1), (and,1), (digital,1), (A-level,1), (Computing,1), (2009/AQA/Problem,1), (Solving,,1), (Programming,,1), (Data,1), (Representation,1), (and,1), (Practical,1), (Exercise/Fundamentals,1), (of,1), (Data,1), (Representation/Hamming,1), (code,1), (A-level,1), (Computing,1), (2009/AQA/Problem,1), (Solving,,1), (Programming,,1), (Data,1), (Representation,1), (and,1), (Practical,1), (Exercise/Fundamentals,1), (of,1), (Data,1), (Representation/Two's,1), (complement,1), (A-level,1), (Computing,1), (2009/AQA/Problem,1), (Solving,,1), (Programming,,1), (Data,1), (Representation,1), (and,1), (Practical,1), (Exercise/Fundamentals,1), (of,1), (Programming/Iteration,1), (A-level,1), (Computing,1), (2009/AQA/Problem,1), (Solving,,1), (Programming,,1), (Data,1), (Representation,1), (and,1), (Practical,1), (Exercise/Fundamentals,1), (of,1), (Programming/Variables,1), (A-level,1), (Computing,1), (2009/AQA/Problem,1), (Solving,,1), (Programming,,1), (Data,1), (Representation,1), (and,1), (Practical,1), (Exercise/Skeleton,1), (code/2012,1), (Exam/Section,1), (C,1), (A-level,1), (Computing,1), (2009/AQA/Problem,1), (Solving,,1), (Programming,,1), (Data,1), (Representation,1), (and,1), (Practical,1), (Exercise/Skeleton,1), (code/2013,1), (Exam/Section,1), (C,1), (A-level,1), (Computing,1), (2009/AQA/Problem,1), (Solving,,1), (Programming,,1), (Data,1), (Representation,1), (and,1), (Practical,1), (Exercise/Skeleton,1), (code/2015,1), (Exam/Section,1), (C,1), (A-level,1), (Computing,1), (2009/AQA/Problem,1), (Solving,,1), (Programming,,1), (Data,1), (Representation,1), (and,1), (Practical,1), (Exercise/Skeleton,1), (code/Programming,1), (A-level,1), (Computing,1), (2009/AQA/Problem,1), (Solving,,1), (Programming,,1), (Data,1), (Representation,1), (and,1), (Practical,1), (Exercise/Systems,1), (Development,1), (Life,1), (Cycle/The,1), (cycle,1), (A-level,1), (Computing,1), (2009/AQA/Problem,1), (Solving,,1), (Programming,,1), (Operating,1), (Systems,,1), (Databases,1), (and,1), (Networking/Databases/Select,1), (A-level,1), (Computing,1), (2009/AQA/Problem,1), (Solving,,1), (Programming,,1), (Operating,1), (Systems,,1), (Databases,1), (and,1), (Networking/Problem,1), (Solving/Finite,1), (State,1), (Machines,1), (A-level,1), (Computing,1), (2009/AQA/Problem,1), (Solving,,1), (Programming,,1), (Operating,1), (Systems,,1), (Databases,1), (and,1), (Networking/Programming,1), (Concepts/Graphs,1), (A-level,1), (Computing,1), (2009/AQA/Problem,1), (Solving,,1), (Programming,,1), (Operating,1), (Systems,,1), (Databases,1), (and,1), (Networking/Programming,1), (Concepts/Trees,1), (traversal,1), (algorithms,1), (for,1), (a,1), (binary,1), (tree,1), (A-level,1), (Computing,1), (2009/AQA/Processing,1), (and,1), (Programming,1), (Techniques/Data,1), (Representation,1), (in,1), (Computers/Answers,1), (A-level,1), (Computing,1), (2009/CIE/Computer,1), (systems,,1), (communications,1), (and,1), (software/Designing,1), (the,1), (user,1), (interface,1), (A-level,1), (Computing,1), (2009/CIE/Computer,1), (systems,,1), (communications,1), (and,1), (software/System,1), (software,1), (A-level,1), (Computing,1), (2009/CIE/Theory,1), (Fundamentals/Database,1), (and,1), (data,1), (modelling,1), (A-level,1), (Computing,1), (2009/Cambridge,1), (International,1), (A-level,1), (Computing,1), (2009/ICT,1), (Projects,1), (using,1), (LAMP/Setting,1), (up,1), (your,1), (XAMPP,1), (server/XAMPP,1), (for,1), (Linux,1), (A-level,1), (Computing,1), (2009/ICT,1), (Projects,1), (using,1), (LAMP/Setting,1), (up,1), (your,1), (XAMPP,1), (server/XAMPP,1), (for,1), (Mac,1), (OS,1), (X,1), (A-level,1), (Computing,1), (2009/OCR/Basic,1), (Principles,1), (of,1), (Hardware,,1), (Software,1), (and,1), (Applications/Machine,1), (Level,1), (Architecture,1), (A-level,1), (English/Wise,1), (Children/Magical,1), (Realism,1), (A-level,1), (General,1), (Studies,1), (A-level,1), (Geography/AS,1), (Edexcel,1), (Geography/Natural,1), (Hazards,1), (Introduction,1), (A-level,1), (Graphic,1), (Products/Edexcel/Unit,1), (3,1), (:Designing,1), (for,1), (the,1), (Future/Sustainability/Renewable,1), (and,1), (non-renewable,1), (sources,1), (of,1), (energy,1), (A-level,1), (Mathematics/Advanced/Basic,1), (Mechanics,1), (A-level,1), (Mathematics/Advanced/Basic,1), (Mechanics/Momentum,1), (and,1), (Impulse,1), (A-level,1), (Mathematics/C2/Trigonometric,1), (Functions,1), (A-level,1), (Mathematics/C3/The,1), (Modulus,1), (Function,1), (A-level,1), (Mathematics/Edexcel/Decision,1), (2/Assignment,1), (Problems,1), (A-level,1), (Mathematics/Edexcel/Further,1), (1/Complex,1), (Numbers,1), (A-level,1), (Mathematics/Edexcel/Mechanics,1), (2/Particle,1), (Kinematics,1), (A-level,1), (Mathematics/FP1/Appendix,1), (A:,1), (Formulae,1), (A-level,1), (Mathematics/FP1/Complex,1), (Numbers,1), (A-level,1), (Mathematics/MEI/C1/Polynomials,1), (A-level,1), (Mathematics/MEI/C4/Trigonometry,1), (A-level,1), (Mathematics/MEI/D1/Graphs,1), (A-level,1), (Mathematics/MEI/D1/Networks,1), (A-level,1), (Mathematics/MEI/DE/Introduction,1), (to,1), (Differential,1), (Equations,1), (A-level,1), (Mathematics/MEI/FP1/Complex,1), (Numbers/basic,1), (operations,1), (solutions,1), (A-level,1), (Mathematics/MEI/FP3,1), (A-level,1), (Mathematics/MEI/NC,1), (A-level,1), (Mathematics/MEI/NM,1), (A-level,1), (Mathematics/MEI/S1,1), (A-level,1), (Mathematics/MEI/S2,1), (A-level,1), (Mathematics/OCR/C1/Indices,1), (and,1), (Surds,1), (A-level,1), (Mathematics/OCR/C1/Indices,1), (and,1), (Surds/Problems,1), (A-level,1), (Mathematics/OCR/C3/Special,1), (Functions,1), (and,1), (Transformations,1), (A-level,1), (Mathematics/OCR/D1/Linear,1), (Programming,1), (A-level,1), (Mathematics/OCR/D1/Node,1), (Graphs,1), (A-level,1), (Mathematics/OCR/M1/Force,1), (as,1), (a,1), (mk,1), (Vector,1), (A-level,1), (Mathematics/OCR/M1/Kinematics,1), (of,1), (Motion,1), (in,1), (a,1), (Straight,1), (Line,1), (A-level,1), (Mathematics/OCR/M4,1), (A-level,1), (Mathematics/OCR/S1/Discrete,1), (Random,1), (Variables,1), (A-level,1), (Mathematics/OCR/S3,1), (A-level,1), (Mathematics/S3,1), (A-level,1), (Physics/Electrons,,1), (Waves,1), (and,1), (Photons/Quantum,1), (physics,1), (A-level,1), (Physics/Equation,1), (Sheet,1), (A-level,1), (Physics/Forces,,1), (Fields,1), (and,1), (Energy/Capacitors,1), (A-level,1), (Physics/Forces,,1), (Fields,1), (and,1), (Energy/Electric,1), (fields,1), (A-level,1), (Physics/Forces,,1), (Fields,1), (and,1), (Energy/Oscillations,1), (A-level,1), (Physics/Forces,1), (and,1), (Motion/Force,,1), (work,1), (and,1), (power,1), (A-level,1), (Physics/Wave,1), (properties/Reflection,1), (and,1), (Refraction,1), (A-level,1), (Physics,1), ((Advancing,1), (Physics)/Current/sigma,1), (A-level,1), (Physics,1), ((Advancing,1), (Physics)/Data,1), (Handling,1), (A-level,1), (Physics,1), ((Advancing,1), (Physics)/Digital,1), (Storage/Worked,1), (Solutions,1), (A-level,1), (Physics,1), ((Advancing,1), (Physics)/Electron,1), (Behaviour,1), (as,1), (a,1), (Quantum,1), (Phenomenon/Momentum,1), (A-level,1), (Physics,1), ((Advancing,1), (Physics)/Gravitational,1), (Potential,1), (A-level,1), (Physics,1), ((Advancing,1), (Physics)/Ideal,1), (Gases/Worked,1), (Solutions,1), (A-level,1), (Physics,1), ((Advancing,1), (Physics)/Kinetic,1), (Theory/Worked,1), (Solutions,1), (A-level,1), (Physics,1), ((Advancing,1), (Physics)/Light,1), (as,1), (a,1), (Quantum,1), (Phenomenon,1), (A-level,1), (Physics,1), ((Advancing,1), (Physics)/Polymers,1), (A-level,1), (Physics,1), ((Advancing,1), (Physics)/Radioactive,1), (Decay,1), (A-level,1), (Physics,1), ((Advancing,1), (Physics)/Radioactive,1), (Emissions/Worked,1), (Solutions,1), (A-level,1), (Physics,1), ((Advancing,1), (Physics)/Resistance,1), (and,1), (Conductance/Worked,1), (Solutions,1), (A-level,1), (Physics,1), ((Advancing,1), (Physics)/Resistivity,1), (and,1), (Conductivity,1), (A-level,1), (Physics,1), ((Advancing,1), (Physics)/Resonance,1))

最後,將出現的單詞加起來,再進行reduceByKey

az8.sample(false, 0.1, 42).flatMap(t => t.split("_")).map(w => (w, 1)).reduceByKey(_ + _).collect

res:  Array[(String, Int)] = Array((Pro/Glossary,1), (XForms/Naming,1), (Expressions/syntax/shell,1), (Studies/New,19), (ROBLOX,2), (House,5), (Medicine/Glossaries/Prescriptions/Ma,1), (Databases,11), (Advanced/PreReq,1), (Snickers,1), (Pinyin/Olympics,1), (Boat,3), (Knoppix/Reading,1), (Visual,17), (Systems/Controllability,1), (Citizen,5), (Horticulture/Templates,1), (Law/Abduction,1), (Aros/Developer/Docs/Examples/GraphicScaling,1), (Potter/Characters/Rowena,1), (3D/basic,1), (Science/Plant,1), (Issues:,5), (Programming/Advanced,5), (WebObjects/Overview/Key,1), (Corporation,7), (recurrence,1), (Electronics/Plugins,1), (Innovation/Fullan’s,1), (General,45), (Reference/wctype.h/iswupper,1), (assemblled,1), (c4/1...Nf6/2.,4), (Under,4), (Revolution/Networks/Ways,1), (Physiology/Blood,1), (Italian/Grammar,1), (Programming/Simple,1), (knot,4), (Nxd4/4...d5,1), (XQuery/XML,1), (Telephony,1), (Signal,4), (Wrestling/Advanced,1), (33,1), (Shoes,1), (Nutrition,2), (Focus,1), (Namespaces,2), (Pinyin/Coalition,1), (Be2/8...h6/9.,5), (Function,5), (Database/Step,1), (Aros/Developer/Docs/Libraries/Keymap,1), (Procedure/Commencing,1), (ODU,4), (Urdu:Vocabulary/Months,1), (Biochemistry/Lactose,1), (Complex,13), (4/In,1), (Authors,4), (Marathi/Common,1), (Guide-Book/M,1), (Programming/Data,1), (Psychtoolbox,1), (Blowing,1), (contact,1), (people/Lesson,1), (Communication/The,1), (JavaScript/Numbers,1), (Cortas,2), (Zi/H9-E9,1), (Hits,2), (characteristics,1), (Energy/Wave,1), (Index/M22,1), (Rails/ActionController/Cookies,1), (R/Datasets,1), (Design/Pre-Printing,1), (Programming/Operators/&,1), (Pinyin/Volume,1), (Friends/Solutions,1), (CPU,1), (4,,1), (Potter/Magic/Ford,1), (filter,1), (names,1), (Tour,1), (Key/Anseriformes,1), (Mandate,1), (Programming:Prolog,1), (Education/Naturalist,1), (Beginners/Tips&Tricks,1), (Again,1), (point,2), (Scales/Faithfulness,1), (g3/3...d6,1), (Paradigms,1), (Hebrew/Aleph-Bet/10,1), (Guide/Tax,1), (mathematical,6), (Triangle,4), (Microcontroller,1), (Lifts,1), (Debate/Stock,1), (Proteins,5), (Source/Preparing,1), (globals,1), (Horticulture/Container,1), (Uim/Introduction,1), (Course/AM,1), (Website/Printed,1), (Programming/request-file,1), (Creole/Alphabet,1), (1-Subjunctive,1), (Greek/Appendix,1), (FYLSE/1995,1), (Convulsion,1), (Molecular,10), (French/Grammar/Tenses/Past,1), (Antiracist,4), (Budi,1), (Democratization?,1), (CLI,1), (Plate®,1), (Brewing,1), (Casino/Enchufa,1), (Dutch,7), (Surgery/Adult,1), (Bb5/3...Nf6/4.,4), (Manuscript/A,1), (Idea/How,1), (Substance,1), (Goals,1), (Neurobiology/Neurotransmitters,1), (arvense,1), (Discussion,1), (Pinyin/Confidence,1), (Metasploit,1), (x,3), (Geography/M3/Situation,1), (Method/Historical,1), (Analysis/Optimization,1), (Mathematics/OCR/C1/Indices,2), (Programming:OpenGL:Basics:Color,1), (Zi/Yr1907,1), (York/Rosaceae-intro,1), (Electro-Mechanical,1), (Overloading,1), (Announcing/Working,1), (Guide/Windows,1), (ailments/Asthma,1), (Can,2), (references,1), (Pathology/Stuttering/Stress-Related,1), (Kapampangan/Numbers,1), (How,68), (Card,4), (HydroGeoSphere/Simulation,1), (Oncology/Cervix/Staging,1), (Pinyin/Together,1), (Animation:Master,2), (Fundamentals/Parallel,1), (Conditions,1), (Neapolitan/sites,1), (BTEC,4), (pushes,1), (Hours/Evaluation,,1), (Wrongful,1), (DB2,,4), (Mongolian/The,1), (Celestial,1), (Nc3/3...Bb4,1), (Theory/Prerequisite,1), (Genealogy/Poland,1), (Idioms/Return,1), (2:,3), (Science/Mercury,1), (Horticulture/Potato,1), (Assembly/Programming,1), (A0030/Forum,1), (Catalogue/Moldova/1994,1), (Transport/Contents,1), (Misuse,1), ((shorter),1), (Ends,1), (servers,1), (Algebra,6), (Sentencing/Cases/Impaired,1), (Nf3/3...e6,1), (Zealand),1), (Canyon,4), (Gardening/Manual,1), (period/Djibouti,1), (Pinyin/Body,2), (Topology/Deformation,1), (Programming/Saving,1), (Nh4/7...Bg6/8.,1), (Horticulture/Alnus,1), (weight,2), (Feng,6), (intellectual,1), (Methods/Timestepping,1), (monotone/Lipschitz,1), (hand/Lesson,1), (business,6), (Handbook/Stories/Development,1), (History/1980s,1), (London,1), (Azorella,2), (Trainz/versions,1), (Carpentry/Framing/Stairs,1), (Counseling/Choroid,1), (business/Admin,1), (whip,1), (Energy/Capacitors,1), (Programming/mistake,1), (VerbTech/QCL,1), (habits/Eat,1), (coordinate,3), (Bengali/Origins,1), ((Muad'Dib),1), (Ulysses/Eumaeus/571,1), (Programming/Installation/Android,1), (Openbravo,3), (Journalists,1), (Metabolomics/Applications/Nutrition/Lifestyle,1), (Revolution/Outsourcing,1), (Technologies/Online,1), (Pentagon,2), (Book/Vocational/Radio,1), (A-Level,6), (Novial/UIL,1), (EOF/Concurrency,1), (Europe:,1), (Oil:,3), (its,2), (interpretation,1), (Horticulture/Lonicera,2), (XQuery,1), (Mechanics/Momentum,1), (1908,1), (fsgetfullpathname,1), (Documentation/Alternative,1), (MAMED,1), (Maarten,1), (Pinyin/Suck,1), (Science/Hexadecimal,1), (A0131,1), (Pyramid,1), (Studies/Christianity/Creeds,1), (mind)?,1), (handbook,4), (bypass,1), (Editing,6), (Bhasa/Simple,1), (Nf3/9...e4/10.,3), (Library/Functions/clearerr,1), (Pinyin/Economics,1), (Practice/Pre-Trial,2), (Economics/Supply,1), (Programming/Keywords/var,1), (Disease/Development,1), (Gates,3), (graphic,1), (Systems/AmigaOS,1), (1/Sample,1), (Methods/Human,1), (Neurology,3), (Pinyin/Able,1), (Programming:Pascal:Beginning,1), (Basque/Lessons/Introduction,1), (Lisp/External,3), (Oncology/CNS/Introduction,1), (Manual/Writing/Low,1), (Mackie,1), (Rogener,1), (Ki-moon,1), (English,37), (Economy/Modern,1), (JRF/Named,5), (OFW,1), (Reference/stdio.h/fopen,1), (Bars,1), (Zero,2), (Nations:Preliminary,1), (Programming/Debugging,1), (micro-organisms,1), (SSH,1), (Explained/PrepTest,1), (scripts,2), (Writing/Planning,1), (Education/Assessment/Standards,1), (SwisTrack/ComponentList/ConvertBayerToBGR,1), (Book/Nature/Birds,1), (Manual/Look,3), (d4/2...cxd4,1), (Acoustics/Biomedical,1), (Security,11), (images,3), (Go,1), (I1,1), (Young,3), (overloading,2), (Geometry/Vector,1), (Independance,2), (second-countable,1), (Oncology/Cervix/Early,1), (Bb3/7...d6/8.,1), (HP,3), (Zi/1900,1), (Radiology/Pediatric,1), (Indicator/ISTJ,1), (Polish/Basic,1), (Mathematics/Geometry/Conic,1), (Expression,1), (History/Early,1), (tenancy,1), (Language/UPDATE,2), (Neuroscience/Cellular,2), (Construction/Resourcefulness,1), (Magical,1), (Programming/Semilog,1), (lesson,10), (Theory/Role,1), (process?,1), (Pinyin/Open,1), (Manual/A,1), (A0076,1), (Applications/Development/Authentication,1), (Greek,11), (Animation:Exaggeration,1), (Library/Functions/ctime,1), (French/Lessons/Introductory/Test,1), (maps/October,1), (Handbook/ConceptIndex/BuffCursPos,1), (Markup,7), (Bartending/Cocktails/Polish,1), (Asset,2), (Mining,5), (Haskell/Solutions/Applicative,1), (Derails,1), (exd5/5...Nxd5/6.,3), (technique,1), (X,19), (Bxd6,1), (Mathematics/Working,1), (Chemistry/Functions,1), (19,2), (Osteoarthritis,1), (Wrestling/Basic,1), (Japanese/Lessons/Giving,1), (applications/Desktop,1), (abilities,1), (Regulatory,1), (Clothing,1), (FV,1), (Bartending/Equipment/Utensils/Bottle,1), (activists,1), (Jing,3), ((P2P)/What,1), (Commands,6), (Addicted,3), (Philosophy/Mystical,1), (anyPiece/WYSIWYG,1), (idiopathic,1), (Money/Compounding,1), (Domain/Apendix,1), (happy,1), (badging,1), (Pinyin/Lung,2), (Computers,7), (How-to,1), (Molding,2), (Electrodynamics/Gauss's,1), (Vtable,1), (GNOME/Sticky,1), (XQuery/Google,1), (Loan,1), (Apples/Introduction,1), (Migrant,1), (Prolog/Testing,1), (chloride,1), (Gen/Plot,1), (13/Chapter,2), (numerical,1), (Conlang/Advanced/Grammar/Government/Parts,1), (Twentieth,1), (Science/Lemon,1), (Tunnel,1), (search,2), (phases,1), (Compatibility/Process,3), (delegation,1), (Worksheet/Venn,1), (triangle,1), (head,1), (want,1), (Harmonica/Improvising,1), (Programming/Java,1), (Hiking,1), (noun-related,1), (review,3), (Gardening/Irrigation,1), (return,4), (Blade,1), (Sinhala/1.6,1), (osteoarthritis,1), (Water/Laws/Game,1), (Oncology/Supportive,3), (Geography/E1/Geological,1), (capital,2), (Chess,115), (Redux?/IAEA,1), (Automation/Preview,1), (Rig,1), (Relationships/Q&A,1), (Comic/History,1), (Rutgers,1), (Battle,1), (Fitness,4), (Pinyin/Sainsbury's,1), (close,2), (Transparency,1), (2016-b,1), (woodland,1), (California,4), (Bxb5/6...Qxd5/7.,2), (Autonomous,2), (Calculus/Taylor,1), (Initiative,,1), (Commands/PutColorImage,1), (Mechanics/References,1), (Pattern,3), (Dee,,1), (Programming/Coding,1), (Simulation/Hydrogen,1), (Inverse,8), (solids,1), (Proper,1), (constellations,1), (Woodford,1), ((4th,1), (Layer),1), (Why,1), (Abortion,1), (requirements,1), (Intensification/Visualization,1), (SPM-Importing,1), (Programming/load-thru,1), (Oncology/Ovary/Guidelines,1), (e5,3), (Commands/GetKey,1), (Armour,1), (pitot,1), (Tomatoes,2), (Revolution/Artificial,1), (Prefixes,1), (Octave,2), (Rocks/210,1), (Criterion/Hydrostatic,1), (Fans,3), (Programming/Arrays,1), (improve,2), (Aluminum,1), (POST,1), (Animation/Staging,1), (Disorder,3), (XRX/XForms,1), (Canvas,4), (Motion:What,1), (Pinyin/Buy,1), (Vietnam,1), (Celestia/View,1), (Science/Constants,,1), (Qi,3), (Pure,1), (Pinyin/Al-Shabaab,1), ((1200s-1600s)/The,1), (spondylitis,1), (Lived,1), (Tool,1), (gen,2), (Geometry/Chapter,3), (Ciphers,1), (Colonies,1), (vineale,1), (Mozilla,1), (Wikibooks/Introduction/Setting,1), (Redux?/Intro,1), (Rheumatoid,1), (ABA,1), (Remnants,1), (Greens,1), (Weight,2), (Limestone,2), (environments,1), (Nutrition/Metabolism,1), (Documentation/Making,2), (Nissan,2), (Blogging/Welcome,1), (period/Eritrea,1), (Reference/File,1), (Spanish/Basics,1), (Guide/Snakes/Spain,1), (Revolution/Introduction,1), (puzzles/Knights,,2), (Futurebasic/FBtoC,1), (Sedimentation,2), (Operation/Gradient,1), (Employment/Resume,1), ((1987):,1), (Medicine/Huang,1), (Sentencing/Weapons,1), (Environment/Typesetting:,1), (Repair/Hubs/Cleaning,1), (1991,1), (enzyme,1), (Structures,8), (Manchu/Library/dungg'o,1), (H,1), (Papert,1), (Fundamentals/System,1), (movie,1), (fxg6/6...Nf6,1), (Library/Functions/memchr,1), (Meetings,1), (Three/Style,1), (Pinyin/National,1), (Intolerance,1), ((2015-11-29),1), (AI,5), (New,42), (Capacities,1), (Iraq/Saddam,1), (Electronics/Digital,1), (Scales/Commercial,1), (Big,12), (LaTeX/Letters,1), (Society,7), (Window,3), (Professionalism/Moonlighting,1), (komedia,1), (Spanish/Unit4.1,1), (bonds,1), (introductory,1), (Ggaba,1), (Gardening/Cornus,1), (Cellulose,1), (Messianic,1), (function,3), (Composition/Print,1), (guide:Logic,1), (Principles/Lewis,1), (Neo-Quenya/Duodecimal,1), (EU,1), (Concept,7), (Mathematics/MEI/D1/Graphs,1), (Modes,2), (Sentencing/Procedure/Charter,1), (Vita,1), (Exam/Jan09,1), (Finding/Graph,1), (Programming/Session,1), (Geology/Absolute,1), (Questions/Question,2), (Drink,1), (Designs/Security:,1), (Tools/Plane,1), (Comparison/Appendix:PLEAC,1), (Tutorial/for,1), (gradient,1), (g3/1...e5,1), (Lesson,5), (Automation/PlanoTse,1), (Celtic/Listening,1), (Disease/Safe,1), (Potter/Characters/Hedwig,1), (Transportation/Trip,1), (neuralgia,1), (Search/Google,1), (Alphabetical,1), (circle,1), (Civilizations/Print,1), (festival,1), (Intelligence/Authors,1), (Ulysses/Sirens/277,1), (Segments,1), (Design/Compiler,1), (Puzzles/Action,1), (pravo,1), (Plans/Coosa,,1), (Pinyin/coast,1), (cancer,2), (Chemistry/Formulas,1), (how,1), (Programming/Attributes/'Bit,1), (OMNeT++/Setting,1), (11AA,1), (Biochemistry/Organic,2), (York/Helenieae,1), (oils/Honeysuckle,1), ("Hello,1), (Slavist/Croatian-Bulgarian,1), (Dancing,1), (Institution,1), (OS/C,1), (Exterior/Xiao,1), (Don't,1), (Arts,2), (Culture/The,2), (Revolution/Software/Installed,1), (Monitoring,6), (momentum,1), (Comics,1), (Bengali/Months,1), (Pinyin/Picture,1), (Implications,1), (Programming/Mail.app,1), (York/General,1), (Level/Physiology,1), (Constitutions,1), (Students/Students/Students,1), (Currency/Article,1), (Wonders,3), (I9,1), (Catalogue/French,2), (Scripts,1), (8x,1), (Languages/Evaluation,1), (Change,4), (Problems/Stieltjes,1), (Fourteen,1), (Mastering,2), (Documents,1), (Duplicates,1), (Mechanism/Proteases,1), (Programming/phpDocumentor,1), (Mold:,3), (Sciences/How,1), (Engineers/If/Else,1), (Myeloproliferative,1), (Medicine/Resuscitation/Preparation,1), (Tips,2), (Click,1), (other,7), (Islam/Modern,3), (NYC,1), (Vision,2), (Potter/Characters/Jimmy,1), (Fractals/Computer,1), (Islamic,1), (computers,1), (Aftermath/Ernest,1), (Chess/Baltic,1), (Physics/Density,1), (Futurebasic/language/reference/record,1), (Kingdoms,2), (Sindh/Early,1), (ciphers,1), (Quenya/Exceptional,1), (Numerical,14), (fish,1), (Compounds,1), (Bag,5), (World/Resources,1), (Unix,1), (case,5), (foliations,,1), (Horticulture/Vinca,1), (Courses,1), (Hebrew/Aleph-Bet6,1), (Solving,,25), (KDE/Basics,1), (JRF/Peptide,1), (Business,30), (Theory/Active,1), (Devanagari,1), (Assembly/GAS,1), (Capability,1), (Pilot/Slow,1), (have,1), (organizations,1), (Painting,,1), (procedures,1), (Physics/Forces,1), (Tea,5), (Repositories,1), (Silesian/Pronunciation,1), (Schools/NYC,1), (channels,1), (Education/Mental,1), (Pinyin/Parent,1), (Zi/Yr2023,1), (Guide/Students/Becoming,1), (Analogue,1), (Specifications,1), (Futurebasic/language/reference/tehandle,1), (Theory/Flow,1), (WikiBook/Light,1), (Gardening/Leaf,1), (Manuscript/Mye,1), (Systems/Watchdog,1), (Investiture,1), (Case,11), (boat,2), (Horticulture/Soil,1), (Expanding,1), (Programming/Basic,5), (Hawaiian,3), (Literature/Introduction,1), (Programmes/Guidelines/What,1), (Programming/Keywords/untie,1), (prevent,2), (10/10.4.1,1), (Products:Contents,1), (Questions/True,1), (Lentis/Cell,1), (Idioms/Authors,1), (Curriculum/What,1), (Zoology/How,1), (Calligraphy/The,1), (Services/Natural,1), (CAT-Tools/SDL,1), (algebra,1), (Interaction/Perception:,1), (Coaches,1), (road,1), (Arabic,,1), (Collecting/Removing,1), (Counseling/Pancreatic,1), (Industries/Sheep,1), (HSC,3), (Sports/References,1), (Barefoot,2), (Voynich,6), (d3/6...h6/7.,2), (Cross,2), (80,2), (Lion,,3), (Reports/EFRA,1), (Guide/Linear,1), (Dialog,1), (plants,1), (Rate,4), (guidelines/Importance,1), (Methods/Errors,1), (Shell,8), (Parts,2), (XQuery/Wikipedia,1), (Continuity,4), (Besono,1), (Psychiatry,1), (Punjabi/Dictionary/ਙ,1), (Rexx/interpolation,1), (Goods/Glassware,1), (Crab,1), (Guitar/Technical,1), (VCE,4), (Numbers/Chapter,1), (Textbook/The,1), (Abnormal,3), (Lojban,3), (HotKeys/Key/F,1), (Physics/Astrophysics,1), (Sentencing/Offences/Theft,2), (Devices/Input,1), (Intelligence/Produce,1), (Pinyin/Geometry,1), (II,11), (History/Colonial,1), (Introductory,7), (2,200,1), (Flash/Color/Color,1), (Mathematica/Basics,1), (Roots/Torah,7), (Radiography/The,1), (discussion,1), (Pinyin/Inner,1), (Manuscript/Wyly,1), (Programming/Template,1), (Relics,1), (Baloney,1), (Manuscript/yff,1), (Training/Print,1), (Calendar/The,2), (vectors,1), (Oscillator,2), (Example/Texting,1), (Algebra/Group,4), (Op-amp,1), (Gases/Worked,1), (Ring,2), (Casebook/Stockholm,1), (programmes?,1), (Coaching,1), (Frobenius',1), (Agent/Glossary,1), (Quadratic,1), (Art/Painting,1), (TeX\vskip,1), (commands,2), (Plugins,1), (Programmed,4), (Spain/Introduction,1), (Professionalism/Ernest,1), (economics-Whats,1), (Emulation/On,2), (Manuscript/but,1), (digital,1), (Shui/Substitute,1), (Markets/Background/Monopoly,1), (1100,1), (Git/Interoperation,1), (Gravitation/Properties,1), (Q1,1), (Satanism,1), (VISSIM/New,1), (money,1), (Subversion,2), (yet,1), (Bartending/Drinkware/White,1), ((New,1), (drug,1), (systems,,3), (Cultivation/Fundamentals/Parts,1), (Leonese/Vocabulary/The,1), (40°N/Selected,1), (Ulysses/Ithaca/619,1), (Scouting/BSA/Lifesaving,1), (American,36), (Functors,1), ((2015-12-08),1), (Punjabi/Muharni/Velars,1), (Manuscript/F7r,1), (Intelligence/Branches,1), (Stata/Tobit,1), (Trust,2), (misuse,1), (Congress,1), (Flora,21), (Algebra/Self-Composition,1), (6/Transliteration,1), (Reader/Unit,1), (WWII,1), (Amos,1), (Applications/Development/How,1), (Clip,1), (Circle,3), (Programming/Preventing,1), (Course/Force/Momentum,1), (Biology/Classification,3), (crab,1), (Analytical,5), (University/Sports,1), (Machines/Radio,1), (Browser,1), (Maya,,1), (Physics)/Ideal,1), (Ulysses/Circe/426,1), (Check,1), (hardware,2), (Láadan/Lessons/6,1), (Physics/Energy,2), (key?,1), (Wikibooks/Wiki-Markup,1), (Pathology/Stuttering/VoiceAmp,1), (sentences,1), (4/Quiz,1), (System/Cps-cars-vehicle-inventory-software,1), (Albanian/Alphabet,1), (Genesis,1), (Better,3), (Orientation,1), (Sources/CIIM/Examinations,1), (Enforcement,1), (Bc4/2...d6/3.,1), (Waves/Beats,1), ((General,5), (J2ME,1), (Bg5,1), (Phases,4), (JPEG,4), (Spanish/Dialogues,1), (Biochemistry/Calvin,1), (Isles,1), (Error,2), (Biochemistry/Carbon,1), (Mandarin,4), (Revelio,1), (Relationship,1), (Book/Ecology,1), (opening,1), (Hong,2), (WONDER/Frameworks/Validity,1), (käyttöön/Miten,1), (Theories/Translational,1), (York/Asteraceae,1), (Parasitic,3), (Counseling/Phenylketonuria,1), (Manual/The,7), (observance/Mattot,1), (2014/Open,1), (Bale,2), (USERS,1), (Ancestors,1), (Statistics/Hypothesis,1), (Analysis/Linear,1), (compounds,1), (Development/Theory/Geometry,1), (Potter/Characters/Caractacus,1), (Allocation,2), (World/Roman,1), (Handbook,87), (Vulnerability,,1), (Reference/unistd.h/fork,1), (phenomena(Application),1), (Repair/Jeep,1), (TeX/\dump,1), (Repair/Frames,1), (Hallows/Chapter,2), (käyttöön/Suot,1), (Whitney.,1), (Lunyu1,1), (Forestry/Evolution,1), (3/Dictionaries,1), (Students,6), (Oncology/GOG,1), (rech,1), (shuld,1), (Organelles/RNA,1), (Elven,2), (Lua,30), (Kinase/Phosphatase,1), (Diversity/Cultural,1), (Defense,3), (Programming:PHP:sessions,1), (Society/Life/Health,1), (Reference/locale.h,1), (Electronics/Preface,1), (York/Poales,1), (Fashion,1), (Ring/Lessons/Features,1), (Theory/Emile,1), (Assessment/Educator,2), (Overhauser,1), (Thinking,1), (Neutrons,1), (group/Other,1), (sources,5), (Technologies:,1), (Pinyin/43%,1), (Surgery/Boutonniere,1), (GRUB,1), (Search/Stanford,1), (Digital,32), (Probation,1), (Theoretical,1), (SwisTrack/ComponentList/ThresholdColorIndependant,1), (Dari,,1), (Catalogue/Bhutan,1), (Heat,12), (Bleeding,3), (Episodes,2), (Biochemistry/Biomolecules,1), (Programming/Algorithms/Chapter,1), (Near,1), (math,1), (PlanoTse,9), (Book/Vocational/Accounting,1), (Sugu,1), (Self-Reliance,2), (Git/Obtaining,1), (Redux?/NPPSimply,1), (Analog,2), (Cosmic,1), (Textures,1), (Nf3/2...d6/3.,8), (Languages/C++/Code/Keywords/static/Data,1), (Chemistry/Organic,1), (Science/Changing,1), (Tolls,2), (Converter,1), (NSM,2), (shell,1), (Casebook/Introduction,1), (Calculus/Part,3), (Nxe5/3...Nxe4/4.,1), (Education/Lit,1), (fopen,1), (Aberdeen,1), (Revolution/Programming/Designing,1), (Me,1), (System/Authors,1), (Pellinore,1), (proteolytic,2), (York/Madieae,1), (Complexity/Formal,1), (21st,2), (Potter/Magic/Veritaserum,1))

爲什麼這看起來像是我們在最後的階段增加了並行?

az8.sample(false, 0.1, 42).flatMap(t => t.split("_")).map(w => (w, 1)).reduceByKey(_ + _, 32).collect

res: Array[(String, Int)] = Array((Pro/Glossary,1), (XForms/Naming,1), (Book/Ecology,1), (House,5), (Fans,3), (Hong,2), (Aluminum,1), (Boat,3), (Pinyin/Olympics,1), (město,1), (POST,1), (Disorder,3), (Visual,17), (käyttöön/Miten,1), (Pinyin/Buy,1), (Potter/Characters/Rowena,1), (Science/Plant,1), (Issues:,5), (Celestia/View,1), (Burst,1), (VirtualBox,1), (Internals/Modules/Contacts/Functions,1), (Chemistry/Transition,1), (Ancestors,1), (Innovation/Fullan’s,1), (Costume,4), (Potter/Characters/Caractacus,1), ((1200s-1600s)/The,1), (Allocation,2), (Reference/wctype.h/iswupper,1), (World/Roman,1), (Reference/unistd.h/fork,1), (Nxd4/4...d5,1), (tricks,1), (d4/1...f5/2.,1), (Oncology/Breast/Male,1), (gun/Pskov,1), (SDK:,2), (33,1), (ABA,1), (Web/Networks,1), (Remnants,1), (Kinase/Phosphatase,1), (Nutrition/Metabolism,1), (ISSUES:,1), (Into,2), (environments,1), (Pinyin/Coalition,1), (Be2/8...h6/9.,5), (Documentation/Making,2), (Database/Step,1), (Choice/Novelas,2), (Defense,3), (Reference/File,1), (ODU,4), (Spanish/Basics,1), (Guide/Snakes/Spain,1), (Integral,,1), (8178086301)/Introduction,1), (4/In,1), (Revolution/Introduction,1), (puzzles/Knights,,2), (Carcinoma/Borderline,1), (Trailers,1), (Disease/teaching,1), (Sedimentation,2), ((1987):,1), (Programming/Data,1), (Programming:PHP:sessions,1), (Environment/Typesetting:,1), (group/Other,1), (contact,1), (1991,1), (Bxd6/10...Qxd6/11.,1), (Pinyin/43%,1), (enzyme,1), (Structures,8), (new,4), (Cortas,2), (Probation,1), (Three/Style,1), (Ethics,4), (Hits,2), (Programming/papaya,1), (Library/Functions/memchr,1), (Change/Outcomes,1), (Reading,,1), (Energy/Wave,1), (Futurebasic/language/reference/handshake,1), (New,42), (Rails/ActionController/Cookies,1), (Bibliography/Turkle,1), (Tricks,5), (Animals/Glossary/T,U,V,W,X,Y,Z,1), (Pinyin/Volume,1), (Friends/Solutions,1), (Catalogue/F,1), (Electronics/Digital,1), (Potter/Magic/Ford,1), (Big,12), (PlanoTse,9), (Professionalism/Moonlighting,1), (Self-Reliance,2), (Git/Obtaining,1), (Beginners/Tips&Tricks,1), (Again,1), (Cosmic,1), (Chemistry/Organic,1), (komedia,1), (Ggaba,1), (Converter,1), (Microcontroller,1), (Lablab,1), (Algebra/Fields,1), (guide:Logic,1), (Nxe5/3...Nxe4/4.,1), (York/TOC-Ranunculales,1), (Mid-Atlantic/Tree,1), (Separations-,2), (Horticulture/Container,1), (Course/AM,1), (Structures/Sets,1), (Convulsion,1), (Sentencing/Procedure/Charter,1), (Diplomacy/rules,1), (French/Grammar/Tenses/Past,1), (Vita,1), (c4/1...e5/2.,1), (Complexity/Formal,1), (Geology/Absolute,1), (21st,2), (Programming/Session,1), (Potter/Magic/Veritaserum,1), (Life/Structure,1), (Democratization?,1), (Designs/Security:,1), (Pinyin/prescription,1), (Comparison/Appendix:PLEAC,1), (CLI,1), (Strategic,2), (Modeling/Winged,1), (Curbing,1), (Brewing,1), (Programming/Sample,1), (Book/Installation,1), (Disease/Safe,1), (neuralgia,1), (Provençal,1), (Surgery/Adult,1), (Search/Google,1), (Bb5/3...Nf6/4.,4), (Civilizations/Print,1), (Goals,1), (arvense,1), (Plans/Coosa,,1), (cancer,2), (Segments,1), (Pitch,1), (Composition/Frequently,1), (Acids/Eicosanoids,1), (Italian/Vocabulary/Phrases,1), (Revolution/introduction,1), (Analysis/Optimization,1), (OMNeT++/Setting,1), (11AA,1), (into,6), (Electronics/Amplifiers/Common,2), (Slavist/Croatian-Bulgarian,1), (Pinyin/Seaside,1), (Layout/Trace,1), (Maker/InputOutput,1), (Algae,1), (retaine,1), (Pinyin/Together,1), (Biology/Connective,1), (Procedures,2), (French/Vocabulary/Countries,1), (Centroid,1), (Bengali/Months,1), (Sinai,1), (Rhetorics/Rhetoric,1), (Programming/Mail.app,1), (Road,3), (Basic/Compiler,1), (Mongolian/The,1), (Machines/Compact,1), (Russian/Vocabulary/Months,1), (Theory/Prerequisite,1), (Primers,1), (Catalogue/French,2), (8x,1), (Foundations,77), (Fourteen,1), (Mastering,2), (Transport/Contents,1), (Awards/Artist,1), (Sockets,1), (Potter/Characters/Montague,1), (Professional/Why,1), (Programming/phpDocumentor,1), (sviluppo,1), (TAM,2), (Mold:,3), (Settings/Report,1), (Programming/Internals,1), (Engineers/If/Else,1), (Nf3/3...e6,1), (Myeloproliferative,1), (Media/Discussions,1), (Commands/Gamma,1), (66,2), (Islam/Modern,3), (Nh4/7...Bg6/8.,1), (Dichotomous,12), (Horticulture/Alnus,1), (1/Assessment,5), (Receiving,2), (intellectual,1), (Phrase/Nominal-Subject+Nominal-Predicate,1), (business,6), (Physics/Density,1), (Counseling/Choroid,1), (Quenya/Exceptional,1), (Pinyin/French,1), (business/Admin,1), ((2015-12-11),1), (CVS,1), (VerbTech/QCL,1), (Bengali/Origins,1), ((Muad'Dib),1), (Ulysses/Eumaeus/571,1), (g3/3...Nf6,1), (Openbravo,3), (Journalists,1), (Metabolomics/Applications/Nutrition/Lifestyle,1), (Revolution/Outsourcing,1), (Brother,1), (Pentagon,2), (Vala,4), (Spanish/Meeting,1), (Australia,1), (Initialization,1), (Flute,1), (EOF/Concurrency,1), (Framework/cmake,1), (Bus,1), (Tumnus,1), (Business,30), (Rosier,1), (JRF/Peptide,1), (Applications/Development/WebObjects,1), (York/Ginkgoales,1), (Bodies,1), (organizations,1), (procedures,1), (Phenomenon/Momentum,1), (Pinyin/Nanchang,1), (A0131,1), (exf5/4...Bxg2/5.,2), (Science/Hexadecimal,1), (Existential,1), (Edition/The,1), (Chemistry/Qualitative,1), (2014/Education:,1), (Pinyin/Hospital,1), (Analogue,1), (WikiBook/Light,1), (Internet/Proxy,1), (Gardening/Leaf,1), (Library/Functions/clearerr,1), (Backpack,3), (Economics/Supply,1), (“Access,1), (boat,2), (Horticulture/Soil,1), (Pinyin/Able,1), (fyrst,1), (Lisp/External,3), (economical,1), (Rogener,1), (Kautilya,1), (Idioms/Authors,1), (22,1), (OFW,1), (Reference/stdio.h/fopen,1), (Theory/Failure,4), ((2016-06-04),2), (Book/Recreation/Water,1), (Bars,1), (Geography/M5/Biotechnology,1), (Programming/Contributing,1), (road,1), (Arabic,,1), (Trigonometry/Angles,1), (Voynich,6), (Barefoot,2), (d3/6...h6/7.,2), (Cross,2), (d4/2...cxd4,1), (Reports/EFRA,1), (Security,11), (aluminum,1), (Soapbox,4), (Design/Robotics,1), (Horticulture/Achillea,1), (Rate,4), (guidelines/Importance,1), (Indicator/ISTJ,1), (Curve/Chudnovsky,1), (Geometry/Vector,1), (Independance,2), (San,1), (Bb3/7...d6/8.,1), (Radiology/Pediatric,1), (Parts,2), (cross,1), (Horticulture/Squash,1), (entent,1), (Topology/Connectedness,1), (tenancy,1), (Language/UPDATE,2), (Besono,1), (Theory/Role,1), (Programming/Semilog,1), (Type/5,1), (Month,2), (Goods/Glassware,1), (Guide/Metaphors,1), (A0076,1), (Greek,11), (Strategy/What,1), (Guide/Students/Preparing,1), (Tradition/Goodwin,,1), (Neapolitan/pronouns,1), (Environments,3), (Safari,2), (Encyclopedia,1), (County/Amlin,1), (Playstation,1), (Derails,1), (Handbook/ConceptIndex/BuffCursPos,1), (Cancer,4), (Exer,1), (Programming/Pragmas/Pack:3,1), (Volcanoes,1), (Horticulture/Lindera,1), (II,11), (Piano/Introduction,1), (Starting,3), (Roots/Torah,7), (Japanese/Lessons/Giving,1), (Wrestling/Basic,1), (Relics,1), (Baloney,1), (function/Actin,1), (Calendar/The,2), (A0056/Print,1), (Oscillator,2), (Oncology/Lung/NSCLC/Locally,1), (Bawdy-house,1), (anyPiece/WYSIWYG,1), (idiopathic,1), (11,5), (happy,1), (badging,1), (Programming/Lather,,1), (chess,3), (Casebook/Open,1), (3.3x,1), (Scoop,3), (Programming/Keywords/record,1), (Harry,106), (Songbook/Buffalo,1), (Migrant,1), (TeX\vskip,1), (chloride,1), (Gen/Plot,1), (13/Chapter,2), (Plugins,1), (--,4), (Spain/Introduction,1), (techniques/Mass,1), (economics-Whats,1), (Owners,2), (structures,6), (Manuscript/I,1), (Potter/Characters/Evan,1), (Shui/Substitute,1), (1100,1), (Diagrams,3), (Asymptote/Command/solids/cylinder,1), (Q1,1), (Bibliographies,1), (Aros/Developer/Docs/Libraries/CAMD,1), (head,1), (money,1), (drug,1), (3/3.4.1,1), (Cultivation/Fundamentals/Parts,1), (Scouting/BSA/Lifesaving,1), (Welsh/Mynediad/Lesson,2), (Repair/Honda/Civic/Oil,1), (Disease/Dance,1), (messengers,1), (American,36), (Mathematics/OCR/S1/Discrete,1), (Functors,1), (Pathogenic,1), (Intelligence/Branches,1), (Chess,115), (Weasley,1), (Comic/History,1), (Dariuses,1), (6/Transliteration,1), (Pinyin/Sainsbury's,1), (WWII,1), (Shu,1), (Professionalism/Andrew,1), (Post,3), (Intellectual,8), (removed,1), (Programming/Preventing,1), (Install/Live,1), (Iranian,2), (Initiative,,1), (J2ME,1), (Commands/PutColorImage,1), (University/Sports,1), (Rexx/operator,1), (Guide/Structure,1), ((2016-05-25),2), (Medicine/Glossaries/Prescriptions/Zuo,1), (Programming/Coding,1), (key?,1), (Personal,5), (System/Cps-cars-vehicle-inventory-software,1), (Dreaming/Reality,2), (constellations,1), ((Salters)/Chemical,1), ((4th,1), (Enforcement,1), (Bc4/2...d6/3.,1), (GRE/Explaining,1), (Sources/CIIM/Chemical,1), (Works/Chapter,3), (SPM-Importing,1), ((General,5), (Discrimination/Preface,1), (Oncology/Ovary/Guidelines,1), (Qc2,1), (Spanish/Dialogues,1), (Biochemistry/Calvin,1), (Biochemistry/Carbon,1), (pitot,1), (Mandarin,4), (Revolution/Artificial,1), (Technologies/ID,1), (Prefixes,1), (Lower,1), (Lojban/Introduction,2), (Manual/Example,1), (Láadan/Lessons/14,1), (Authorities,1), (Use/Less,1), (Alphabet/Greek/EL3,1), (matrix,1), (que,1), (Programming:Visual,1), (Biochemistry/Juvenile,1), (string2,1), (WikiRobotics/The,1), (Technologies/Routing,1), (add,3), (period,1), (Oncology/Ampulla,1), (All,1), (PRC,1), (Nc3/3...Bb4/4.,1), (TeX/defaulthyphenchar,1), (Programming/Embedding,1), (Sequence,1), (Bb5/6...c6/7.,5), (Slavist/Russian-Bosnian,1), (Wineberg,1), ((5th,2), (Once,1), (Electronics/Op-Amps/Non,1), (Puzzles/Statistical,2), (notes,2), (compost,1), (Greenleaf,1), (Skills/Building,1), (23,2), (Railroads,1), (logic/Activating,1), (Disaster,1), (Bxc6/4...dxc6/5.,2), (Ng5/4...Bc5/5.,2), (Hacking,1), (Zealand,5), (Tests,1), (Kicad/Introduction,1), (Programming/Keywords/syswrite,1), (Help,4), (c4/2...g6/3.,2), (Shape,1), (R/Packages/CCMtools/DI,1), (strength,1), (license,2), (Rails,2), (Pinyin/Gamma,1), (Fungi,1), (Performing,1), (Ulysses/Eumaeus/594,1), ((2016-08-05),1), (Bb3/7...d5/8.,1), (Sentences/Maximum,1), (Searches/Exigent,1), (but,3), (Matrix,6), (Programming/Examples/Displays,2), (MINC/Reference/MINC2.0,1), (during,1), (axis,1), (Märklin,3), (MySQL/Table,1), (Organization/Leadership,1), (Disease/Exercise,,1), (Escape,1), (Tu,1), (T5,1), (Celestia/Development:Win32,2), (2003,3), (usage,1), (Esperanto/Appendix,1), (?/The,1), (Development/JIT,1), (Government/Criminal,1), (Music/Prescribed,1), (Physiology/Gastrointestinal,1), (hardware/Introduction,1), (Bases/Ribonucleotide,1), (Picking,1), (Scales/Coordination,1), (Worlds,1), (Physics)/Resonance,1), (Jinping,1), (mentoring,1), (descriptions/posper,3), (Insects,,3), (Horticulture/Horticultural,1), (Broadcast,1), (Guide/Objects,2), (Confused,1), (Programming/water,1), (Oncology/Bladder/Staging,1), (TeX/removelastskip,1), (Department/What,1), (Importance/Acarines,1), (Biological,6), (HotKeys,1), (2.6/Dealing,1), (Authors/Neil,1), (Player,1), (sequence,2), (yow,1), (Japanese/Vocabulary/Astronomy,1), (attacks,,1), (Programming/equal?,1), (Programming/Keywords/as,1), (Scores,1), (Conflicts,1), (Scripting/Appendix,1), (Commands/Pt-On,1), (Chess/Evans',1), (conflicts,1), (TeX/else,1), (Legislation,1), (Biochemistry/Phenelzine,1), (de,12), (Art/About,1), (FYLSE/2010,1), (Operating,21), (Manual/Contributors,1), (anyPiece/Order,1), (Modality,1), (Bd3/3...f5/4.,2), ((Radioisotope)/Acknowledgements,1), (Trainz/references/Track,1), (Punjabi/Muharni/Labials,1), (Yang,1), (Mentor,3), (Breakdown,1), (RCCP.1,1), (Processors,1), (England/Dorset,1), (Guidelines/Seven,1), (chain,1), (Catalog/Oman,1), (CAWD/Features,1), (Guide/Canada,1), (accordion),2), (Pinyin/Habitat,1), (Aros/Developer/Docs/HIDD/i2c,1), (Casebook:,1), (Than,2), (no,2), (License,1), (OS/C/Off-screen,1), (Finnish/Answers,1), (Physics/Fields,1), (Book/Knot/Cat's,1), (started,2), (Wampanoag/Time,1), (VirtualBox/Setting,1), (Trading,1), (sequences/Three,1), (Arabic/HowToStudy,1), (Pro/Nav,1), (ETDs?,1), (Zi/Yr1922,1), (Catalogue/Bahamas,1), (01,1), (Retract,1), (XForms/Book,1), (Manual/Sections/Mandatory,1), (Programming/Particularities,1), (Counseling/Epilepsy,1), (Both,1), (Chemistry/Useful,1), (Industry/Case,1), (Zi/1970,1), (Pinyin/Physics,1), (help,2), (Statistics/Measures,2), (Could,1), (Hazards,3), (towns,8), (oils,1), (Schema,1), (Projects/Communication,3), (Molisan,1), (Types/Evaluations,1), (Windows/Print,1), (folding,1), ((2016-03-22),1), (Basic/Strings,1), (Today,1), (Futurebasic/language/reference/binstring,1), (Kicad/Kicad,1), (Interface:,2), (Oncology/Fellowships,1), (Modeling:,1), (System/PBS,1), (disaster,1), (matter,2), (fibrosis,1), (Cryptography/Vigenère,1), (Tunebook,6), (Geometric,3), (Chemistry/Covalent,1), (Trainz/config.txt,2), (choice,5), (strikes,1), (habits/The,3), (Energizers/Vibrating,1), (binary,2), (Manager/Functions/Maintain,1), (Collisions,1), (tu,1), (Internals/Modules/Purchasing/Reports/Purchase,1), (Steps/Model,1), (Programming/Estimation,1), (Happened,1), (Theory/Physical,1), (Electronics/ICs,1), (Physics/Wave,1), (camping,1), (bookshelf,2), (Programming/Files,1), (Slow,1), (Cappadocian,1), (analysis/Uniform,1), (than,2), (Bourne,2), (R/Packages/RWeka/WOW,1), (Bible/Origin,1), (Pinyin/HFE,1), (Genealogy,1), (Union/1970,1), (Handbook/Attitude,1), (Electrodynamics/Electromagnetic,1), (ActionScript,3), (Applications/Print,1), (Timeline,1), (Gardening/Soil,1), (Fold,1), (Nf3/2...d5,1), (Course/Electromagnetism,1), ((Miskito),1), (De,1), (Eleven,1), (Pragmalinguistic,1), (Removing,2), (c3/5...Nf6/6.,2), (Kidney/Zuo,1), (Photos,1), (Wi-Spy,1), (all,2), (Electronics/Appendix,1), (store,2), (Programming/Variables,2), (Gaunt,1), (Interactions,5), (25/Distance,2), (participation,1), (Adding,3), (Minix,1), (Pinyin/Sanzijing,1), (solar,1), (Philosophy/Logic/Modes,1), (Teams/Dictatorship,1), (Futurebasic/Language/Reference/close,1), (Enterprise,1), (Disease-2,1), (Solar,11), (Deallocation,1), (Provide,2), ((n.),1), (Catalog/Swaziland,1), (Design/Case,1), (Book/Knot/Slip,1), (Portuguese/Present,1), (ferefull,1), (Method,2), (Machines/Telephone,1), (Programming/Errors,1), (Secrets/Chapter,2), (against,2), (judicial,1), (Valero,1), (IOSN,1), (Impact/Edutainment/Educational,1), (Design/Interrupts,1), (Tonguing,1), (Post-Nicene,1), (Everyday,1), (Pronunciation/Exercises,1), (games/Duchess,1), (Sentences/Probation,1), (Objectives/Basics/Southbridge,1), (Response,3), ("Home,1), (Association,2), (Micronations/Authors,1), (Physics/Magnets,1), (Composition/Exposition,1), (Chain,3), (Judicial,3), (Energy/Introduction,1), (Intelligence/The,1), (Potter/Characters/Miriam,1), (Reaktor:DSP,1), (Started,7), (contracts,1), (Plot,1), (Strength,4), (Radioactive,2), (Bochs,1), (Methods/Maxwell's,1), (Libraries:,1), (Primer/Control,1), (lprint,1), (Resources/How-To/Proxy,2), (method,6), (I/Zu,1), ((2015-12-21),1), (12,6), (Investigations/Statistics,1), (Binary,1), (Costing/Functions,1), (management/Human,1), (Safety/Unintentional,1), (Processing/Normalization,1), (motion/USVATs,1), (Matter,2), (Electronics/Transformer,1), (games,3), (Statistics:Numerical,1), (Stuttering,2), (Gender,4), (Analysis/Static,2), (Programming/External,1), (Nuke,1), (Weekly,1), (German/Lesson,1), (A,197), (debugger,1), (Sentencing/Cases/Child,1), (Electrophoresis/Capillary,1), (Period,5), (Partial,3), (canadensis,1), (Organisms,1), (Wisdom/Your,1), (behaviors,1), (Programming/do,1), (Programming/Scripting,1), (Stars,5), (Zi/Yr1944,1), (Directories,,1), (Guitar/Buying,2), (Vibrations,1), (Internet/Online,1), (Radiation,95), (Futurebasic/language/reference/gosub,1), (Modes/Plastic,1), (liqueur,3), (enterprise,1), (Evidence/Direct,1), (output,3), (Camp,1), (WMS/Installation/Services,1), (Knots/Binding,1), (Library/Tracer,1), (Speech/Basic,1), (maths,,1), (Choice,4), (interactions,1), (Gong,1), (Book/Goat,2), (Organizing/Other,1), (Hill,1), (Essays/Delimiting,1), (WHILE...WEND,1), (Topology/Comb,1), (Perform,1), (Communication/Signal,2), (fxg6,1), (Composition/Missing,1), (Towns/Ghost,4), (Neo-Quenya/I-stems,1), (GtkRadiant/Keyboard,1), (Programming/Examples/Cookbook,1), (Deviation,1), (Macroeconomic,1), (Observability,1), (Index/M1,1), (Flies/Beast,1), (sky,1), (Dragons/Monsters/allip,1), (Sky,7), (Trainz/Kinds/KIND,2), (Introduction/FAQ,1), (Uzbek/Numerals,1), (code/2012,1), (4.1x,1), (Manufacture,1), (slowing,1), (Internet,19), (route/Schroedinger,2), (Law/Offences/Failure,1), (Applications/B18:Turbines,1), (34,2), (Catalogue/Cotterley,1), (tones,1), (Events/Year-end,1), (Botany/Plant,2), (Camping,2), (Revolution/Computer,3), (Git/Overview/Deleting,1), (System/Specifics,1), (Gestational,1), (port,1), (English/Time/Calendar,1), (Usage,3), (Outcomes,2), (container,4), (Manuscript/Grudge,1), (Project:,6), (Psychology/Forensic,1), (Acid/Nitrogenous,2), (During,2), (Zi/H2-E10,1), (Inquisitor,1), (a,166), (Nf3/4...Bg4,1), (memory,1), (Society/Introduction,1), (Methodologies,1), (Bxf7/3...Kxf7,1), (verbs/cantà,1), (2009/AQA/Computer,2), ("won't,1), (Proteomics/Post-translational,1), (Review/Obstetrics,1), (biological,1), (3/3.4.2,1), (Meridian,1), (ROOT/Table,1), (Electrodynamics/Coulombs,1), (2014,1), (Electronics/Current,1), (were,1), (Against,4), (Multi-sensory,,2), (Catalog/China,1), (Memory,6), (lower,1), (Output,1), (Gals,1), (Games,1), (Basic/Procedures,1), (DVDs,1), (Electronics/Open,1), (Energizers/Magic,1), (Certain,1), (Celestia/Bookmarks,1), (Teacher,1), (Guide/Garbage,1), (Disease/Lifestyle,1), (Programming/rsa-encrypt,1), (Review:,1), (JRF/Prolate,1), ((2016-09-16),1), (Economics/Opportunity,1), (Professionalism/Manoj,1), (Neapolitan/501,4), (Threatened,1), (Manual/STL,2), (Damping,1), (Cultural,15), (Book/Authors,1), (SimCity,2), (History/Kofi,1), (Exam/Aug98,1), (Manufacturers/PCB,1), (Bf1/6...Nd4/7.,1), (13,5), (Values,1), (Econometric,5), (Book/Health,1), (engine,2), (Accounting/Balance,1), (Records,3), (Tallapoosa,,1), (managing,1), (Programming/Digital,1), (Plan/Portfolio,1), ((MHC)/MHC,1), (Phrasebook,1), (Equations/Example,3), (Exchange/Basic,1), (Practice/Cases/Bail,1), (Strings,2), (Modeling/Step,1), (Directory/Ethics,1), (Physiology/Digestion,1), (Parts/At,1), (Machine/Introduction,1), (Sociology,3), (assessment,1), (Fault,1), (heckrottii,1), (Trainz/references/Tips,1), (Mufflers,1), (Pinyin/Creatively,1), (Important,1), (values,1), (Programming/Pragmas/Export,1), (Esperanto/Word,1), (Ulysses/Calypso,1), (Java/Loops,1), (History/Prologue,1), (Comedy/Brazil,1), (Oncology/Medical,1), (Gardening/Allium,1), (Backup,2), (Na'vi/Na'vi-English,3), (Linguistics/Orthography,1), (Investigations/Genetics/Lorenzo's,1), (Programming/PHP,1), (Change/Global,1), (Bards,7), (Succeed,1), (Node,1), (Indonesia/Phonology,1), (Drums/Starting,1), (Found,1), (Philosophy/What,2), (Solving/Finite,1), (XForms/Versioning,1), (Commands:DrawPoly,1), (Bee,2), (Geography/Biosphere,1), (Adventurer,11), (Possession,1), (Reference/Glossary,1), (Advice:,1), (Composition/Articles,1))

讓我們看看緩存數據是如何出現在execution UI裏的

val sample = az8.sample(false, 0.1, 42).cache
sample.count

sample: org.apache.spark.rdd.RDD[String] = PartitionwiseSampledRDD[404] at sample at <console>:34
res: Long = 8273
sample.flatMap(t => t.split("_")).map(w => (w, 1)).reduceByKey(_ + _, 32).collect

res: Array[(String, Int)] = Array((Pro/Glossary,1), (XForms/Naming,1), (Book/Ecology,1), (House,5), (Fans,3), (Hong,2), (Aluminum,1), (Boat,3), (Pinyin/Olympics,1), (město,1), (POST,1), (Disorder,3), (Visual,17), (käyttöön/Miten,1), (Pinyin/Buy,1), (Potter/Characters/Rowena,1), (Science/Plant,1), (Issues:,5), (Celestia/View,1), (Burst,1), (VirtualBox,1), (Internals/Modules/Contacts/Functions,1), (Chemistry/Transition,1), (Ancestors,1), (Innovation/Fullan’s,1), (Costume,4), (Potter/Characters/Caractacus,1), ((1200s-1600s)/The,1), (Allocation,2), (Reference/wctype.h/iswupper,1), (World/Roman,1), (Reference/unistd.h/fork,1), (Nxd4/4...d5,1), (tricks,1), (d4/1...f5/2.,1), (Oncology/Breast/Male,1), (gun/Pskov,1), (SDK:,2), (33,1), (ABA,1), (Web/Networks,1), (Remnants,1), (Kinase/Phosphatase,1), (Nutrition/Metabolism,1), (ISSUES:,1), (Into,2), (environments,1), (Pinyin/Coalition,1), (Be2/8...h6/9.,5), (Documentation/Making,2), (Database/Step,1), (Choice/Novelas,2), (Defense,3), (Reference/File,1), (ODU,4), (Spanish/Basics,1), (Guide/Snakes/Spain,1), (Integral,,1), (8178086301)/Introduction,1), (4/In,1), (Revolution/Introduction,1), (puzzles/Knights,,2), (Carcinoma/Borderline,1), (Trailers,1), (Disease/teaching,1), (Sedimentation,2), ((1987):,1), (Programming/Data,1), (Programming:PHP:sessions,1), (Environment/Typesetting:,1), (group/Other,1), (contact,1), (1991,1), (Bxd6/10...Qxd6/11.,1), (Pinyin/43%,1), (enzyme,1), (Structures,8), (new,4), (Cortas,2), (Probation,1), (Three/Style,1), (Ethics,4), (Hits,2), (Programming/papaya,1), (Library/Functions/memchr,1), (Change/Outcomes,1), (Reading,,1), (Energy/Wave,1), (Futurebasic/language/reference/handshake,1), (New,42), (Rails/ActionController/Cookies,1), (Bibliography/Turkle,1), (Tricks,5), (Animals/Glossary/T,U,V,W,X,Y,Z,1), (Pinyin/Volume,1), (Friends/Solutions,1), (Catalogue/F,1), (Electronics/Digital,1), (Potter/Magic/Ford,1), (Big,12), (PlanoTse,9), (Professionalism/Moonlighting,1), (Self-Reliance,2), (Git/Obtaining,1), (Beginners/Tips&Tricks,1), (Again,1), (Cosmic,1), (Chemistry/Organic,1), (komedia,1), (Ggaba,1), (Converter,1), (Microcontroller,1), (Lablab,1), (Algebra/Fields,1), (guide:Logic,1), (Nxe5/3...Nxe4/4.,1), (York/TOC-Ranunculales,1), (Mid-Atlantic/Tree,1), (Separations-,2), (Horticulture/Container,1), (Course/AM,1), (Structures/Sets,1), (Convulsion,1), (Sentencing/Procedure/Charter,1), (Diplomacy/rules,1), (French/Grammar/Tenses/Past,1), (Vita,1), (c4/1...e5/2.,1), (Complexity/Formal,1), (Geology/Absolute,1), (21st,2), (Programming/Session,1), (Potter/Magic/Veritaserum,1), (Life/Structure,1), (Democratization?,1), (Designs/Security:,1), (Pinyin/prescription,1), (Comparison/Appendix:PLEAC,1), (CLI,1), (Strategic,2), (Modeling/Winged,1), (Curbing,1), (Brewing,1), (Programming/Sample,1), (Book/Installation,1), (Disease/Safe,1), (neuralgia,1), (Provençal,1), (Surgery/Adult,1), (Search/Google,1), (Bb5/3...Nf6/4.,4), (Civilizations/Print,1), (Goals,1), (arvense,1), (Plans/Coosa,,1), (cancer,2), (Segments,1), (Pitch,1), (Composition/Frequently,1), (Acids/Eicosanoids,1), (Italian/Vocabulary/Phrases,1), (Revolution/introduction,1), (Analysis/Optimization,1), (OMNeT++/Setting,1), (11AA,1), (into,6), (Electronics/Amplifiers/Common,2), (Slavist/Croatian-Bulgarian,1), (Pinyin/Seaside,1), (Layout/Trace,1), (Maker/InputOutput,1), (Algae,1), (retaine,1), (Pinyin/Together,1), (Biology/Connective,1), (Procedures,2), (French/Vocabulary/Countries,1), (Centroid,1), (Bengali/Months,1), (Sinai,1), (Rhetorics/Rhetoric,1), (Programming/Mail.app,1), (Road,3), (Basic/Compiler,1), (Mongolian/The,1), (Machines/Compact,1), (Russian/Vocabulary/Months,1), (Theory/Prerequisite,1), (Primers,1), (Catalogue/French,2), (8x,1), (Foundations,77), (Fourteen,1), (Mastering,2), (Transport/Contents,1), (Awards/Artist,1), (Sockets,1), (Potter/Characters/Montague,1), (Professional/Why,1), (Programming/phpDocumentor,1), (sviluppo,1), (TAM,2), (Mold:,3), (Settings/Report,1), (Programming/Internals,1), (Engineers/If/Else,1), (Nf3/3...e6,1), (Myeloproliferative,1), (Media/Discussions,1), (Commands/Gamma,1), (66,2), (Islam/Modern,3), (Nh4/7...Bg6/8.,1), (Dichotomous,12), (Horticulture/Alnus,1), (1/Assessment,5), (Receiving,2), (intellectual,1), (Phrase/Nominal-Subject+Nominal-Predicate,1), (business,6), (Physics/Density,1), (Counseling/Choroid,1), (Quenya/Exceptional,1), (Pinyin/French,1), (business/Admin,1), ((2015-12-11),1), (CVS,1), (VerbTech/QCL,1), (Bengali/Origins,1), ((Muad'Dib),1), (Ulysses/Eumaeus/571,1), (g3/3...Nf6,1), (Openbravo,3), (Journalists,1), (Metabolomics/Applications/Nutrition/Lifestyle,1), (Revolution/Outsourcing,1), (Brother,1), (Pentagon,2), (Vala,4), (Spanish/Meeting,1), (Australia,1), (Initialization,1), (Flute,1), (EOF/Concurrency,1), (Framework/cmake,1), (Bus,1), (Tumnus,1), (Business,30), (Rosier,1), (JRF/Peptide,1), (Applications/Development/WebObjects,1), (York/Ginkgoales,1), (Bodies,1), (organizations,1), (procedures,1), (Phenomenon/Momentum,1), (Pinyin/Nanchang,1), (A0131,1), (exf5/4...Bxg2/5.,2), (Science/Hexadecimal,1), (Existential,1), (Edition/The,1), (Chemistry/Qualitative,1), (2014/Education:,1), (Pinyin/Hospital,1), (Analogue,1), (WikiBook/Light,1), (Internet/Proxy,1), (Gardening/Leaf,1), (Library/Functions/clearerr,1), (Backpack,3), (Economics/Supply,1), (“Access,1), (boat,2), (Horticulture/Soil,1), (Pinyin/Able,1), (fyrst,1), (Lisp/External,3), (economical,1), (Rogener,1), (Kautilya,1), (Idioms/Authors,1), (22,1), (OFW,1), (Reference/stdio.h/fopen,1), (Theory/Failure,4), ((2016-06-04),2), (Book/Recreation/Water,1), (Bars,1), (Geography/M5/Biotechnology,1), (Programming/Contributing,1), (road,1), (Arabic,,1), (Trigonometry/Angles,1), (Voynich,6), (Barefoot,2), (d3/6...h6/7.,2), (Cross,2), (d4/2...cxd4,1), (Reports/EFRA,1), (Security,11), (aluminum,1), (Soapbox,4), (Design/Robotics,1), (Horticulture/Achillea,1), (Rate,4), (guidelines/Importance,1), (Indicator/ISTJ,1), (Curve/Chudnovsky,1), (Geometry/Vector,1), (Independance,2), (San,1), (Bb3/7...d6/8.,1), (Radiology/Pediatric,1), (Parts,2), (cross,1), (Horticulture/Squash,1), (entent,1), (Topology/Connectedness,1), (tenancy,1), (Language/UPDATE,2), (Besono,1), (Theory/Role,1), (Programming/Semilog,1), (Type/5,1), (Month,2), (Goods/Glassware,1), (Guide/Metaphors,1), (A0076,1), (Greek,11), (Strategy/What,1), (Guide/Students/Preparing,1), (Tradition/Goodwin,,1), (Neapolitan/pronouns,1), (Environments,3), (Safari,2), (Encyclopedia,1), (County/Amlin,1), (Playstation,1), (Derails,1), (Handbook/ConceptIndex/BuffCursPos,1), (Cancer,4), (Exer,1), (Programming/Pragmas/Pack:3,1), (Volcanoes,1), (Horticulture/Lindera,1), (II,11), (Piano/Introduction,1), (Starting,3), (Roots/Torah,7), (Japanese/Lessons/Giving,1), (Wrestling/Basic,1), (Relics,1), (Baloney,1), (function/Actin,1), (Calendar/The,2), (A0056/Print,1), (Oscillator,2), (Oncology/Lung/NSCLC/Locally,1), (Bawdy-house,1), (anyPiece/WYSIWYG,1), (idiopathic,1), (11,5), (happy,1), (badging,1), (Programming/Lather,,1), (chess,3), (Casebook/Open,1), (3.3x,1), (Scoop,3), (Programming/Keywords/record,1), (Harry,106), (Songbook/Buffalo,1), (Migrant,1), (TeX\vskip,1), (chloride,1), (Gen/Plot,1), (13/Chapter,2), (Plugins,1), (--,4), (Spain/Introduction,1), (techniques/Mass,1), (economics-Whats,1), (Owners,2), (structures,6), (Manuscript/I,1), (Potter/Characters/Evan,1), (Shui/Substitute,1), (1100,1), (Diagrams,3), (Asymptote/Command/solids/cylinder,1), (Q1,1), (Bibliographies,1), (Aros/Developer/Docs/Libraries/CAMD,1), (head,1), (money,1), (drug,1), (3/3.4.1,1), (Cultivation/Fundamentals/Parts,1), (Scouting/BSA/Lifesaving,1), (Welsh/Mynediad/Lesson,2), (Repair/Honda/Civic/Oil,1), (Disease/Dance,1), (messengers,1), (American,36), (Mathematics/OCR/S1/Discrete,1), (Functors,1), (Pathogenic,1), (Intelligence/Branches,1), (Chess,115), (Weasley,1), (Comic/History,1), (Dariuses,1), (6/Transliteration,1), (Pinyin/Sainsbury's,1), (WWII,1), (Shu,1), (Professionalism/Andrew,1), (Post,3), (Intellectual,8), (removed,1), (Programming/Preventing,1), (Install/Live,1), (Iranian,2), (Initiative,,1), (J2ME,1), (Commands/PutColorImage,1), (University/Sports,1), (Rexx/operator,1), (Guide/Structure,1), ((2016-05-25),2), (Medicine/Glossaries/Prescriptions/Zuo,1), (Programming/Coding,1), (key?,1), (Personal,5), (System/Cps-cars-vehicle-inventory-software,1), (Dreaming/Reality,2), (constellations,1), ((Salters)/Chemical,1), ((4th,1), (Enforcement,1), (Bc4/2...d6/3.,1), (GRE/Explaining,1), (Sources/CIIM/Chemical,1), (Works/Chapter,3), (SPM-Importing,1), ((General,5), (Discrimination/Preface,1), (Oncology/Ovary/Guidelines,1), (Qc2,1), (Spanish/Dialogues,1), (Biochemistry/Calvin,1), (Biochemistry/Carbon,1), (pitot,1), (Mandarin,4), (Revolution/Artificial,1), (Technologies/ID,1), (Prefixes,1), (Lower,1), (Lojban/Introduction,2), (Manual/Example,1), (Láadan/Lessons/14,1), (Authorities,1), (Use/Less,1), (Alphabet/Greek/EL3,1), (matrix,1), (que,1), (Programming:Visual,1), (Biochemistry/Juvenile,1), (string2,1), (WikiRobotics/The,1), (Technologies/Routing,1), (add,3), (period,1), (Oncology/Ampulla,1), (All,1), (PRC,1), (Nc3/3...Bb4/4.,1), (TeX/defaulthyphenchar,1), (Programming/Embedding,1), (Sequence,1), (Bb5/6...c6/7.,5), (Slavist/Russian-Bosnian,1), (Wineberg,1), ((5th,2), (Once,1), (Electronics/Op-Amps/Non,1), (Puzzles/Statistical,2), (notes,2), (compost,1), (Greenleaf,1), (Skills/Building,1), (23,2), (Railroads,1), (logic/Activating,1), (Disaster,1), (Bxc6/4...dxc6/5.,2), (Ng5/4...Bc5/5.,2), (Hacking,1), (Zealand,5), (Tests,1), (Kicad/Introduction,1), (Programming/Keywords/syswrite,1), (Help,4), (c4/2...g6/3.,2), (Shape,1), (R/Packages/CCMtools/DI,1), (strength,1), (license,2), (Rails,2), (Pinyin/Gamma,1), (Fungi,1), (Performing,1), (Ulysses/Eumaeus/594,1), ((2016-08-05),1), (Bb3/7...d5/8.,1), (Sentences/Maximum,1), (Searches/Exigent,1), (but,3), (Matrix,6), (Programming/Examples/Displays,2), (MINC/Reference/MINC2.0,1), (during,1), (axis,1), (Märklin,3), (MySQL/Table,1), (Organization/Leadership,1), (Disease/Exercise,,1), (Escape,1), (Tu,1), (T5,1), (Celestia/Development:Win32,2), (2003,3), (usage,1), (Esperanto/Appendix,1), (?/The,1), (Development/JIT,1), (Government/Criminal,1), (Music/Prescribed,1), (Physiology/Gastrointestinal,1), (hardware/Introduction,1), (Bases/Ribonucleotide,1), (Picking,1), (Scales/Coordination,1), (Worlds,1), (Physics)/Resonance,1), (Jinping,1), (mentoring,1), (descriptions/posper,3), (Insects,,3), (Horticulture/Horticultural,1), (Broadcast,1), (Guide/Objects,2), (Confused,1), (Programming/water,1), (Oncology/Bladder/Staging,1), (TeX/removelastskip,1), (Department/What,1), (Importance/Acarines,1), (Biological,6), (HotKeys,1), (2.6/Dealing,1), (Authors/Neil,1), (Player,1), (sequence,2), (yow,1), (Japanese/Vocabulary/Astronomy,1), (attacks,,1), (Programming/equal?,1), (Programming/Keywords/as,1), (Scores,1), (Conflicts,1), (Scripting/Appendix,1), (Commands/Pt-On,1), (Chess/Evans',1), (conflicts,1), (TeX/else,1), (Legislation,1), (Biochemistry/Phenelzine,1), (de,12), (Art/About,1), (FYLSE/2010,1), (Operating,21), (Manual/Contributors,1), (anyPiece/Order,1), (Modality,1), (Bd3/3...f5/4.,2), ((Radioisotope)/Acknowledgements,1), (Trainz/references/Track,1), (Punjabi/Muharni/Labials,1), (Yang,1), (Mentor,3), (Breakdown,1), (RCCP.1,1), (Processors,1), (England/Dorset,1), (Guidelines/Seven,1), (chain,1), (Catalog/Oman,1), (CAWD/Features,1), (Guide/Canada,1), (accordion),2), (Pinyin/Habitat,1), (Aros/Developer/Docs/HIDD/i2c,1), (Casebook:,1), (Than,2), (no,2), (License,1), (OS/C/Off-screen,1), (Finnish/Answers,1), (Physics/Fields,1), (Book/Knot/Cat's,1), (started,2), (Wampanoag/Time,1), (VirtualBox/Setting,1), (Trading,1), (sequences/Three,1), (Arabic/HowToStudy,1), (Pro/Nav,1), (ETDs?,1), (Zi/Yr1922,1), (Catalogue/Bahamas,1), (01,1), (Retract,1), (XForms/Book,1), (Manual/Sections/Mandatory,1), (Programming/Particularities,1), (Counseling/Epilepsy,1), (Both,1), (Chemistry/Useful,1), (Industry/Case,1), (Zi/1970,1), (Pinyin/Physics,1), (help,2), (Statistics/Measures,2), (Could,1), (Hazards,3), (towns,8), (oils,1), (Schema,1), (Projects/Communication,3), (Molisan,1), (Types/Evaluations,1), (Windows/Print,1), (folding,1), ((2016-03-22),1), (Basic/Strings,1), (Today,1), (Futurebasic/language/reference/binstring,1), (Kicad/Kicad,1), (Interface:,2), (Oncology/Fellowships,1), (Modeling:,1), (System/PBS,1), (disaster,1), (matter,2), (fibrosis,1), (Cryptography/Vigenère,1), (Tunebook,6), (Geometric,3), (Chemistry/Covalent,1), (Trainz/config.txt,2), (choice,5), (strikes,1), (habits/The,3), (Energizers/Vibrating,1), (binary,2), (Manager/Functions/Maintain,1), (Collisions,1), (tu,1), (Internals/Modules/Purchasing/Reports/Purchase,1), (Steps/Model,1), (Programming/Estimation,1), (Happened,1), (Theory/Physical,1), (Electronics/ICs,1), (Physics/Wave,1), (camping,1), (bookshelf,2), (Programming/Files,1), (Slow,1), (Cappadocian,1), (analysis/Uniform,1), (than,2), (Bourne,2), (R/Packages/RWeka/WOW,1), (Bible/Origin,1), (Pinyin/HFE,1), (Genealogy,1), (Union/1970,1), (Handbook/Attitude,1), (Electrodynamics/Electromagnetic,1), (ActionScript,3), (Applications/Print,1), (Timeline,1), (Gardening/Soil,1), (Fold,1), (Nf3/2...d5,1), (Course/Electromagnetism,1), ((Miskito),1), (De,1), (Eleven,1), (Pragmalinguistic,1), (Removing,2), (c3/5...Nf6/6.,2), (Kidney/Zuo,1), (Photos,1), (Wi-Spy,1), (all,2), (Electronics/Appendix,1), (store,2), (Programming/Variables,2), (Gaunt,1), (Interactions,5), (25/Distance,2), (participation,1), (Adding,3), (Minix,1), (Pinyin/Sanzijing,1), (solar,1), (Philosophy/Logic/Modes,1), (Teams/Dictatorship,1), (Futurebasic/Language/Reference/close,1), (Enterprise,1), (Disease-2,1), (Solar,11), (Deallocation,1), (Provide,2), ((n.),1), (Catalog/Swaziland,1), (Design/Case,1), (Book/Knot/Slip,1), (Portuguese/Present,1), (ferefull,1), (Method,2), (Machines/Telephone,1), (Programming/Errors,1), (Secrets/Chapter,2), (against,2), (judicial,1), (Valero,1), (IOSN,1), (Impact/Edutainment/Educational,1), (Design/Interrupts,1), (Tonguing,1), (Post-Nicene,1), (Everyday,1), (Pronunciation/Exercises,1), (games/Duchess,1), (Sentences/Probation,1), (Objectives/Basics/Southbridge,1), (Response,3), ("Home,1), (Association,2), (Micronations/Authors,1), (Physics/Magnets,1), (Composition/Exposition,1), (Chain,3), (Judicial,3), (Energy/Introduction,1), (Intelligence/The,1), (Potter/Characters/Miriam,1), (Reaktor:DSP,1), (Started,7), (contracts,1), (Plot,1), (Strength,4), (Radioactive,2), (Bochs,1), (Methods/Maxwell's,1), (Libraries:,1), (Primer/Control,1), (lprint,1), (Resources/How-To/Proxy,2), (method,6), (I/Zu,1), ((2015-12-21),1), (12,6), (Investigations/Statistics,1), (Binary,1), (Costing/Functions,1), (management/Human,1), (Safety/Unintentional,1), (Processing/Normalization,1), (motion/USVATs,1), (Matter,2), (Electronics/Transformer,1), (games,3), (Statistics:Numerical,1), (Stuttering,2), (Gender,4), (Analysis/Static,2), (Programming/External,1), (Nuke,1), (Weekly,1), (German/Lesson,1), (A,197), (debugger,1), (Sentencing/Cases/Child,1), (Electrophoresis/Capillary,1), (Period,5), (Partial,3), (canadensis,1), (Organisms,1), (Wisdom/Your,1), (behaviors,1), (Programming/do,1), (Programming/Scripting,1), (Stars,5), (Zi/Yr1944,1), (Directories,,1), (Guitar/Buying,2), (Vibrations,1), (Internet/Online,1), (Radiation,95), (Futurebasic/language/reference/gosub,1), (Modes/Plastic,1), (liqueur,3), (enterprise,1), (Evidence/Direct,1), (output,3), (Camp,1), (WMS/Installation/Services,1), (Knots/Binding,1), (Library/Tracer,1), (Speech/Basic,1), (maths,,1), (Choice,4), (interactions,1), (Gong,1), (Book/Goat,2), (Organizing/Other,1), (Hill,1), (Essays/Delimiting,1), (WHILE...WEND,1), (Topology/Comb,1), (Perform,1), (Communication/Signal,2), (fxg6,1), (Composition/Missing,1), (Towns/Ghost,4), (Neo-Quenya/I-stems,1), (GtkRadiant/Keyboard,1), (Programming/Examples/Cookbook,1), (Deviation,1), (Macroeconomic,1), (Observability,1), (Index/M1,1), (Flies/Beast,1), (sky,1), (Dragons/Monsters/allip,1), (Sky,7), (Trainz/Kinds/KIND,2), (Introduction/FAQ,1), (Uzbek/Numerals,1), (code/2012,1), (4.1x,1), (Manufacture,1), (slowing,1), (Internet,19), (route/Schroedinger,2), (Law/Offences/Failure,1), (Applications/B18:Turbines,1), (34,2), (Catalogue/Cotterley,1), (tones,1), (Events/Year-end,1), (Botany/Plant,2), (Camping,2), (Revolution/Computer,3), (Git/Overview/Deleting,1), (System/Specifics,1), (Gestational,1), (port,1), (English/Time/Calendar,1), (Usage,3), (Outcomes,2), (container,4), (Manuscript/Grudge,1), (Project:,6), (Psychology/Forensic,1), (Acid/Nitrogenous,2), (During,2), (Zi/H2-E10,1), (Inquisitor,1), (a,166), (Nf3/4...Bg4,1), (memory,1), (Society/Introduction,1), (Methodologies,1), (Bxf7/3...Kxf7,1), (verbs/cantà,1), (2009/AQA/Computer,2), ("won't,1), (Proteomics/Post-translational,1), (Review/Obstetrics,1), (biological,1), (3/3.4.2,1), (Meridian,1), (ROOT/Table,1), (Electrodynamics/Coulombs,1), (2014,1), (Electronics/Current,1), (were,1), (Against,4), (Multi-sensory,,2), (Catalog/China,1), (Memory,6), (lower,1), (Output,1), (Gals,1), (Games,1), (Basic/Procedures,1), (DVDs,1), (Electronics/Open,1), (Energizers/Magic,1), (Certain,1), (Celestia/Bookmarks,1), (Teacher,1), (Guide/Garbage,1), (Disease/Lifestyle,1), (Programming/rsa-encrypt,1), (Review:,1), (JRF/Prolate,1), ((2016-09-16),1), (Economics/Opportunity,1), (Professionalism/Manoj,1), (Neapolitan/501,4), (Threatened,1), (Manual/STL,2), (Damping,1), (Cultural,15), (Book/Authors,1), (SimCity,2), (History/Kofi,1), (Exam/Aug98,1), (Manufacturers/PCB,1), (Bf1/6...Nd4/7.,1), (13,5), (Values,1), (Econometric,5), (Book/Health,1), (engine,2), (Accounting/Balance,1), (Records,3), (Tallapoosa,,1), (managing,1), (Programming/Digital,1), (Plan/Portfolio,1), ((MHC)/MHC,1), (Phrasebook,1), (Equations/Example,3), (Exchange/Basic,1), (Practice/Cases/Bail,1), (Strings,2), (Modeling/Step,1), (Directory/Ethics,1), (Physiology/Digestion,1), (Parts/At,1), (Machine/Introduction,1), (Sociology,3), (assessment,1), (Fault,1), (heckrottii,1), (Trainz/references/Tips,1), (Mufflers,1), (Pinyin/Creatively,1), (Important,1), (values,1), (Programming/Pragmas/Export,1), (Esperanto/Word,1), (Ulysses/Calypso,1), (Java/Loops,1), (History/Prologue,1), (Comedy/Brazil,1), (Oncology/Medical,1), (Gardening/Allium,1), (Backup,2), (Na'vi/Na'vi-English,3), (Linguistics/Orthography,1), (Investigations/Genetics/Lorenzo's,1), (Programming/PHP,1), (Change/Global,1), (Bards,7), (Succeed,1), (Node,1), (Indonesia/Phonology,1), (Drums/Starting,1), (Found,1), (Philosophy/What,2), (Solving/Finite,1), (XForms/Versioning,1), (Commands:DrawPoly,1), (Bee,2), (Geography/Biosphere,1), (Adventurer,11), (Possession,1), (Reference/Glossary,1), (Advice:,1), (Composition/Articles,1))

What if we’ve performed a shuffle with a data set, and we need the output of that shuffle again?

Spark will re-use the existing shuffle output files – this results in skipped stages.

val words = az8.sample(false, 0.1, 42).flatMap(t => t.split("_")).map(w => (w, 1)).reduceByKey(_ + _, 32)
words.count

words: org.apache.spark.rdd.RDD[(String, Int)] = ShuffledRDD[409] at reduceByKey at <console>:34
res: Long = 14504
words.collect

res: Array[(String, Int)] = Array((Pro/Glossary,1), (XForms/Naming,1), (Book/Ecology,1), (House,5), (Fans,3), (Hong,2), (Aluminum,1), (Boat,3), (Pinyin/Olympics,1), (město,1), (POST,1), (Disorder,3), (Visual,17), (käyttöön/Miten,1), (Pinyin/Buy,1), (Potter/Characters/Rowena,1), (Science/Plant,1), (Issues:,5), (Celestia/View,1), (Burst,1), (VirtualBox,1), (Internals/Modules/Contacts/Functions,1), (Chemistry/Transition,1), (Ancestors,1), (Innovation/Fullan’s,1), (Costume,4), (Potter/Characters/Caractacus,1), ((1200s-1600s)/The,1), (Allocation,2), (Reference/wctype.h/iswupper,1), (World/Roman,1), (Reference/unistd.h/fork,1), (Nxd4/4...d5,1), (tricks,1), (d4/1...f5/2.,1), (Oncology/Breast/Male,1), (gun/Pskov,1), (SDK:,2), (33,1), (ABA,1), (Web/Networks,1), (Remnants,1), (Kinase/Phosphatase,1), (Nutrition/Metabolism,1), (ISSUES:,1), (Into,2), (environments,1), (Pinyin/Coalition,1), (Be2/8...h6/9.,5), (Documentation/Making,2), (Database/Step,1), (Choice/Novelas,2), (Defense,3), (Reference/File,1), (ODU,4), (Spanish/Basics,1), (Guide/Snakes/Spain,1), (Integral,,1), (8178086301)/Introduction,1), (4/In,1), (Revolution/Introduction,1), (puzzles/Knights,,2), (Carcinoma/Borderline,1), (Trailers,1), (Disease/teaching,1), (Sedimentation,2), ((1987):,1), (Programming/Data,1), (Programming:PHP:sessions,1), (Environment/Typesetting:,1), (group/Other,1), (contact,1), (1991,1), (Bxd6/10...Qxd6/11.,1), (Pinyin/43%,1), (enzyme,1), (Structures,8), (new,4), (Cortas,2), (Probation,1), (Three/Style,1), (Ethics,4), (Hits,2), (Programming/papaya,1), (Library/Functions/memchr,1), (Change/Outcomes,1), (Reading,,1), (Energy/Wave,1), (Futurebasic/language/reference/handshake,1), (New,42), (Rails/ActionController/Cookies,1), (Bibliography/Turkle,1), (Tricks,5), (Animals/Glossary/T,U,V,W,X,Y,Z,1), (Pinyin/Volume,1), (Friends/Solutions,1), (Catalogue/F,1), (Electronics/Digital,1), (Potter/Magic/Ford,1), (Big,12), (PlanoTse,9), (Professionalism/Moonlighting,1), (Self-Reliance,2), (Git/Obtaining,1), (Beginners/Tips&Tricks,1), (Again,1), (Cosmic,1), (Chemistry/Organic,1), (komedia,1), (Ggaba,1), (Converter,1), (Microcontroller,1), (Lablab,1), (Algebra/Fields,1), (guide:Logic,1), (Nxe5/3...Nxe4/4.,1), (York/TOC-Ranunculales,1), (Mid-Atlantic/Tree,1), (Separations-,2), (Horticulture/Container,1), (Course/AM,1), (Structures/Sets,1), (Convulsion,1), (Sentencing/Procedure/Charter,1), (Diplomacy/rules,1), (French/Grammar/Tenses/Past,1), (Vita,1), (c4/1...e5/2.,1), (Complexity/Formal,1), (Geology/Absolute,1), (21st,2), (Programming/Session,1), (Potter/Magic/Veritaserum,1), (Life/Structure,1), (Democratization?,1), (Designs/Security:,1), (Pinyin/prescription,1), (Comparison/Appendix:PLEAC,1), (CLI,1), (Strategic,2), (Modeling/Winged,1), (Curbing,1), (Brewing,1), (Programming/Sample,1), (Book/Installation,1), (Disease/Safe,1), (neuralgia,1), (Provençal,1), (Surgery/Adult,1), (Search/Google,1), (Bb5/3...Nf6/4.,4), (Civilizations/Print,1), (Goals,1), (arvense,1), (Plans/Coosa,,1), (cancer,2), (Segments,1), (Pitch,1), (Composition/Frequently,1), (Acids/Eicosanoids,1), (Italian/Vocabulary/Phrases,1), (Revolution/introduction,1), (Analysis/Optimization,1), (OMNeT++/Setting,1), (11AA,1), (into,6), (Electronics/Amplifiers/Common,2), (Slavist/Croatian-Bulgarian,1), (Pinyin/Seaside,1), (Layout/Trace,1), (Maker/InputOutput,1), (Algae,1), (retaine,1), (Pinyin/Together,1), (Biology/Connective,1), (Procedures,2), (French/Vocabulary/Countries,1), (Centroid,1), (Bengali/Months,1), (Sinai,1), (Rhetorics/Rhetoric,1), (Programming/Mail.app,1), (Road,3), (Basic/Compiler,1), (Mongolian/The,1), (Machines/Compact,1), (Russian/Vocabulary/Months,1), (Theory/Prerequisite,1), (Primers,1), (Catalogue/French,2), (8x,1), (Foundations,77), (Fourteen,1), (Mastering,2), (Transport/Contents,1), (Awards/Artist,1), (Sockets,1), (Potter/Characters/Montague,1), (Professional/Why,1), (Programming/phpDocumentor,1), (sviluppo,1), (TAM,2), (Mold:,3), (Settings/Report,1), (Programming/Internals,1), (Engineers/If/Else,1), (Nf3/3...e6,1), (Myeloproliferative,1), (Media/Discussions,1), (Commands/Gamma,1), (66,2), (Islam/Modern,3), (Nh4/7...Bg6/8.,1), (Dichotomous,12), (Horticulture/Alnus,1), (1/Assessment,5), (Receiving,2), (intellectual,1), (Phrase/Nominal-Subject+Nominal-Predicate,1), (business,6), (Physics/Density,1), (Counseling/Choroid,1), (Quenya/Exceptional,1), (Pinyin/French,1), (business/Admin,1), ((2015-12-11),1), (CVS,1), (VerbTech/QCL,1), (Bengali/Origins,1), ((Muad'Dib),1), (Ulysses/Eumaeus/571,1), (g3/3...Nf6,1), (Openbravo,3), (Journalists,1), (Metabolomics/Applications/Nutrition/Lifestyle,1), (Revolution/Outsourcing,1), (Brother,1), (Pentagon,2), (Vala,4), (Spanish/Meeting,1), (Australia,1), (Initialization,1), (Flute,1), (EOF/Concurrency,1), (Framework/cmake,1), (Bus,1), (Tumnus,1), (Business,30), (Rosier,1), (JRF/Peptide,1), (Applications/Development/WebObjects,1), (York/Ginkgoales,1), (Bodies,1), (organizations,1), (procedures,1), (Phenomenon/Momentum,1), (Pinyin/Nanchang,1), (A0131,1), (exf5/4...Bxg2/5.,2), (Science/Hexadecimal,1), (Existential,1), (Edition/The,1), (Chemistry/Qualitative,1), (2014/Education:,1), (Pinyin/Hospital,1), (Analogue,1), (WikiBook/Light,1), (Internet/Proxy,1), (Gardening/Leaf,1), (Library/Functions/clearerr,1), (Backpack,3), (Economics/Supply,1), (“Access,1), (boat,2), (Horticulture/Soil,1), (Pinyin/Able,1), (fyrst,1), (Lisp/External,3), (economical,1), (Rogener,1), (Kautilya,1), (Idioms/Authors,1), (22,1), (OFW,1), (Reference/stdio.h/fopen,1), (Theory/Failure,4), ((2016-06-04),2), (Book/Recreation/Water,1), (Bars,1), (Geography/M5/Biotechnology,1), (Programming/Contributing,1), (road,1), (Arabic,,1), (Trigonometry/Angles,1), (Voynich,6), (Barefoot,2), (d3/6...h6/7.,2), (Cross,2), (d4/2...cxd4,1), (Reports/EFRA,1), (Security,11), (aluminum,1), (Soapbox,4), (Design/Robotics,1), (Horticulture/Achillea,1), (Rate,4), (guidelines/Importance,1), (Indicator/ISTJ,1), (Curve/Chudnovsky,1), (Geometry/Vector,1), (Independance,2), (San,1), (Bb3/7...d6/8.,1), (Radiology/Pediatric,1), (Parts,2), (cross,1), (Horticulture/Squash,1), (entent,1), (Topology/Connectedness,1), (tenancy,1), (Language/UPDATE,2), (Besono,1), (Theory/Role,1), (Programming/Semilog,1), (Type/5,1), (Month,2), (Goods/Glassware,1), (Guide/Metaphors,1), (A0076,1), (Greek,11), (Strategy/What,1), (Guide/Students/Preparing,1), (Tradition/Goodwin,,1), (Neapolitan/pronouns,1), (Environments,3), (Safari,2), (Encyclopedia,1), (County/Amlin,1), (Playstation,1), (Derails,1), (Handbook/ConceptIndex/BuffCursPos,1), (Cancer,4), (Exer,1), (Programming/Pragmas/Pack:3,1), (Volcanoes,1), (Horticulture/Lindera,1), (II,11), (Piano/Introduction,1), (Starting,3), (Roots/Torah,7), (Japanese/Lessons/Giving,1), (Wrestling/Basic,1), (Relics,1), (Baloney,1), (function/Actin,1), (Calendar/The,2), (A0056/Print,1), (Oscillator,2), (Oncology/Lung/NSCLC/Locally,1), (Bawdy-house,1), (anyPiece/WYSIWYG,1), (idiopathic,1), (11,5), (happy,1), (badging,1), (Programming/Lather,,1), (chess,3), (Casebook/Open,1), (3.3x,1), (Scoop,3), (Programming/Keywords/record,1), (Harry,106), (Songbook/Buffalo,1), (Migrant,1), (TeX\vskip,1), (chloride,1), (Gen/Plot,1), (13/Chapter,2), (Plugins,1), (--,4), (Spain/Introduction,1), (techniques/Mass,1), (economics-Whats,1), (Owners,2), (structures,6), (Manuscript/I,1), (Potter/Characters/Evan,1), (Shui/Substitute,1), (1100,1), (Diagrams,3), (Asymptote/Command/solids/cylinder,1), (Q1,1), (Bibliographies,1), (Aros/Developer/Docs/Libraries/CAMD,1), (head,1), (money,1), (drug,1), (3/3.4.1,1), (Cultivation/Fundamentals/Parts,1), (Scouting/BSA/Lifesaving,1), (Welsh/Mynediad/Lesson,2), (Repair/Honda/Civic/Oil,1), (Disease/Dance,1), (messengers,1), (American,36), (Mathematics/OCR/S1/Discrete,1), (Functors,1), (Pathogenic,1), (Intelligence/Branches,1), (Chess,115), (Weasley,1), (Comic/History,1), (Dariuses,1), (6/Transliteration,1), (Pinyin/Sainsbury's,1), (WWII,1), (Shu,1), (Professionalism/Andrew,1), (Post,3), (Intellectual,8), (removed,1), (Programming/Preventing,1), (Install/Live,1), (Iranian,2), (Initiative,,1), (J2ME,1), (Commands/PutColorImage,1), (University/Sports,1), (Rexx/operator,1), (Guide/Structure,1), ((2016-05-25),2), (Medicine/Glossaries/Prescriptions/Zuo,1), (Programming/Coding,1), (key?,1), (Personal,5), (System/Cps-cars-vehicle-inventory-software,1), (Dreaming/Reality,2), (constellations,1), ((Salters)/Chemical,1), ((4th,1), (Enforcement,1), (Bc4/2...d6/3.,1), (GRE/Explaining,1), (Sources/CIIM/Chemical,1), (Works/Chapter,3), (SPM-Importing,1), ((General,5), (Discrimination/Preface,1), (Oncology/Ovary/Guidelines,1), (Qc2,1), (Spanish/Dialogues,1), (Biochemistry/Calvin,1), (Biochemistry/Carbon,1), (pitot,1), (Mandarin,4), (Revolution/Artificial,1), (Technologies/ID,1), (Prefixes,1), (Lower,1), (Lojban/Introduction,2), (Manual/Example,1), (Láadan/Lessons/14,1), (Authorities,1), (Use/Less,1), (Alphabet/Greek/EL3,1), (matrix,1), (que,1), (Programming:Visual,1), (Biochemistry/Juvenile,1), (string2,1), (WikiRobotics/The,1), (Technologies/Routing,1), (add,3), (period,1), (Oncology/Ampulla,1), (All,1), (PRC,1), (Nc3/3...Bb4/4.,1), (TeX/defaulthyphenchar,1), (Programming/Embedding,1), (Sequence,1), (Bb5/6...c6/7.,5), (Slavist/Russian-Bosnian,1), (Wineberg,1), ((5th,2), (Once,1), (Electronics/Op-Amps/Non,1), (Puzzles/Statistical,2), (notes,2), (compost,1), (Greenleaf,1), (Skills/Building,1), (23,2), (Railroads,1), (logic/Activating,1), (Disaster,1), (Bxc6/4...dxc6/5.,2), (Ng5/4...Bc5/5.,2), (Hacking,1), (Zealand,5), (Tests,1), (Kicad/Introduction,1), (Programming/Keywords/syswrite,1), (Help,4), (c4/2...g6/3.,2), (Shape,1), (R/Packages/CCMtools/DI,1), (strength,1), (license,2), (Rails,2), (Pinyin/Gamma,1), (Fungi,1), (Performing,1), (Ulysses/Eumaeus/594,1), ((2016-08-05),1), (Bb3/7...d5/8.,1), (Sentences/Maximum,1), (Searches/Exigent,1), (but,3), (Matrix,6), (Programming/Examples/Displays,2), (MINC/Reference/MINC2.0,1), (during,1), (axis,1), (Märklin,3), (MySQL/Table,1), (Organization/Leadership,1), (Disease/Exercise,,1), (Escape,1), (Tu,1), (T5,1), (Celestia/Development:Win32,2), (2003,3), (usage,1), (Esperanto/Appendix,1), (?/The,1), (Development/JIT,1), (Government/Criminal,1), (Music/Prescribed,1), (Physiology/Gastrointestinal,1), (hardware/Introduction,1), (Bases/Ribonucleotide,1), (Picking,1), (Scales/Coordination,1), (Worlds,1), (Physics)/Resonance,1), (Jinping,1), (mentoring,1), (descriptions/posper,3), (Insects,,3), (Horticulture/Horticultural,1), (Broadcast,1), (Guide/Objects,2), (Confused,1), (Programming/water,1), (Oncology/Bladder/Staging,1), (TeX/removelastskip,1), (Department/What,1), (Importance/Acarines,1), (Biological,6), (HotKeys,1), (2.6/Dealing,1), (Authors/Neil,1), (Player,1), (sequence,2), (yow,1), (Japanese/Vocabulary/Astronomy,1), (attacks,,1), (Programming/equal?,1), (Programming/Keywords/as,1), (Scores,1), (Conflicts,1), (Scripting/Appendix,1), (Commands/Pt-On,1), (Chess/Evans',1), (conflicts,1), (TeX/else,1), (Legislation,1), (Biochemistry/Phenelzine,1), (de,12), (Art/About,1), (FYLSE/2010,1), (Operating,21), (Manual/Contributors,1), (anyPiece/Order,1), (Modality,1), (Bd3/3...f5/4.,2), ((Radioisotope)/Acknowledgements,1), (Trainz/references/Track,1), (Punjabi/Muharni/Labials,1), (Yang,1), (Mentor,3), (Breakdown,1), (RCCP.1,1), (Processors,1), (England/Dorset,1), (Guidelines/Seven,1), (chain,1), (Catalog/Oman,1), (CAWD/Features,1), (Guide/Canada,1), (accordion),2), (Pinyin/Habitat,1), (Aros/Developer/Docs/HIDD/i2c,1), (Casebook:,1), (Than,2), (no,2), (License,1), (OS/C/Off-screen,1), (Finnish/Answers,1), (Physics/Fields,1), (Book/Knot/Cat's,1), (started,2), (Wampanoag/Time,1), (VirtualBox/Setting,1), (Trading,1), (sequences/Three,1), (Arabic/HowToStudy,1), (Pro/Nav,1), (ETDs?,1), (Zi/Yr1922,1), (Catalogue/Bahamas,1), (01,1), (Retract,1), (XForms/Book,1), (Manual/Sections/Mandatory,1), (Programming/Particularities,1), (Counseling/Epilepsy,1), (Both,1), (Chemistry/Useful,1), (Industry/Case,1), (Zi/1970,1), (Pinyin/Physics,1), (help,2), (Statistics/Measures,2), (Could,1), (Hazards,3), (towns,8), (oils,1), (Schema,1), (Projects/Communication,3), (Molisan,1), (Types/Evaluations,1), (Windows/Print,1), (folding,1), ((2016-03-22),1), (Basic/Strings,1), (Today,1), (Futurebasic/language/reference/binstring,1), (Kicad/Kicad,1), (Interface:,2), (Oncology/Fellowships,1), (Modeling:,1), (System/PBS,1), (disaster,1), (matter,2), (fibrosis,1), (Cryptography/Vigenère,1), (Tunebook,6), (Geometric,3), (Chemistry/Covalent,1), (Trainz/config.txt,2), (choice,5), (strikes,1), (habits/The,3), (Energizers/Vibrating,1), (binary,2), (Manager/Functions/Maintain,1), (Collisions,1), (tu,1), (Internals/Modules/Purchasing/Reports/Purchase,1), (Steps/Model,1), (Programming/Estimation,1), (Happened,1), (Theory/Physical,1), (Electronics/ICs,1), (Physics/Wave,1), (camping,1), (bookshelf,2), (Programming/Files,1), (Slow,1), (Cappadocian,1), (analysis/Uniform,1), (than,2), (Bourne,2), (R/Packages/RWeka/WOW,1), (Bible/Origin,1), (Pinyin/HFE,1), (Genealogy,1), (Union/1970,1), (Handbook/Attitude,1), (Electrodynamics/Electromagnetic,1), (ActionScript,3), (Applications/Print,1), (Timeline,1), (Gardening/Soil,1), (Fold,1), (Nf3/2...d5,1), (Course/Electromagnetism,1), ((Miskito),1), (De,1), (Eleven,1), (Pragmalinguistic,1), (Removing,2), (c3/5...Nf6/6.,2), (Kidney/Zuo,1), (Photos,1), (Wi-Spy,1), (all,2), (Electronics/Appendix,1), (store,2), (Programming/Variables,2), (Gaunt,1), (Interactions,5), (25/Distance,2), (participation,1), (Adding,3), (Minix,1), (Pinyin/Sanzijing,1), (solar,1), (Philosophy/Logic/Modes,1), (Teams/Dictatorship,1), (Futurebasic/Language/Reference/close,1), (Enterprise,1), (Disease-2,1), (Solar,11), (Deallocation,1), (Provide,2), ((n.),1), (Catalog/Swaziland,1), (Design/Case,1), (Book/Knot/Slip,1), (Portuguese/Present,1), (ferefull,1), (Method,2), (Machines/Telephone,1), (Programming/Errors,1), (Secrets/Chapter,2), (against,2), (judicial,1), (Valero,1), (IOSN,1), (Impact/Edutainment/Educational,1), (Design/Interrupts,1), (Tonguing,1), (Post-Nicene,1), (Everyday,1), (Pronunciation/Exercises,1), (games/Duchess,1), (Sentences/Probation,1), (Objectives/Basics/Southbridge,1), (Response,3), ("Home,1), (Association,2), (Micronations/Authors,1), (Physics/Magnets,1), (Composition/Exposition,1), (Chain,3), (Judicial,3), (Energy/Introduction,1), (Intelligence/The,1), (Potter/Characters/Miriam,1), (Reaktor:DSP,1), (Started,7), (contracts,1), (Plot,1), (Strength,4), (Radioactive,2), (Bochs,1), (Methods/Maxwell's,1), (Libraries:,1), (Primer/Control,1), (lprint,1), (Resources/How-To/Proxy,2), (method,6), (I/Zu,1), ((2015-12-21),1), (12,6), (Investigations/Statistics,1), (Binary,1), (Costing/Functions,1), (management/Human,1), (Safety/Unintentional,1), (Processing/Normalization,1), (motion/USVATs,1), (Matter,2), (Electronics/Transformer,1), (games,3), (Statistics:Numerical,1), (Stuttering,2), (Gender,4), (Analysis/Static,2), (Programming/External,1), (Nuke,1), (Weekly,1), (German/Lesson,1), (A,197), (debugger,1), (Sentencing/Cases/Child,1), (Electrophoresis/Capillary,1), (Period,5), (Partial,3), (canadensis,1), (Organisms,1), (Wisdom/Your,1), (behaviors,1), (Programming/do,1), (Programming/Scripting,1), (Stars,5), (Zi/Yr1944,1), (Directories,,1), (Guitar/Buying,2), (Vibrations,1), (Internet/Online,1), (Radiation,95), (Futurebasic/language/reference/gosub,1), (Modes/Plastic,1), (liqueur,3), (enterprise,1), (Evidence/Direct,1), (output,3), (Camp,1), (WMS/Installation/Services,1), (Knots/Binding,1), (Library/Tracer,1), (Speech/Basic,1), (maths,,1), (Choice,4), (interactions,1), (Gong,1), (Book/Goat,2), (Organizing/Other,1), (Hill,1), (Essays/Delimiting,1), (WHILE...WEND,1), (Topology/Comb,1), (Perform,1), (Communication/Signal,2), (fxg6,1), (Composition/Missing,1), (Towns/Ghost,4), (Neo-Quenya/I-stems,1), (GtkRadiant/Keyboard,1), (Programming/Examples/Cookbook,1), (Deviation,1), (Macroeconomic,1), (Observability,1), (Index/M1,1), (Flies/Beast,1), (sky,1), (Dragons/Monsters/allip,1), (Sky,7), (Trainz/Kinds/KIND,2), (Introduction/FAQ,1), (Uzbek/Numerals,1), (code/2012,1), (4.1x,1), (Manufacture,1), (slowing,1), (Internet,19), (route/Schroedinger,2), (Law/Offences/Failure,1), (Applications/B18:Turbines,1), (34,2), (Catalogue/Cotterley,1), (tones,1), (Events/Year-end,1), (Botany/Plant,2), (Camping,2), (Revolution/Computer,3), (Git/Overview/Deleting,1), (System/Specifics,1), (Gestational,1), (port,1), (English/Time/Calendar,1), (Usage,3), (Outcomes,2), (container,4), (Manuscript/Grudge,1), (Project:,6), (Psychology/Forensic,1), (Acid/Nitrogenous,2), (During,2), (Zi/H2-E10,1), (Inquisitor,1), (a,166), (Nf3/4...Bg4,1), (memory,1), (Society/Introduction,1), (Methodologies,1), (Bxf7/3...Kxf7,1), (verbs/cantà,1), (2009/AQA/Computer,2), ("won't,1), (Proteomics/Post-translational,1), (Review/Obstetrics,1), (biological,1), (3/3.4.2,1), (Meridian,1), (ROOT/Table,1), (Electrodynamics/Coulombs,1), (2014,1), (Electronics/Current,1), (were,1), (Against,4), (Multi-sensory,,2), (Catalog/China,1), (Memory,6), (lower,1), (Output,1), (Gals,1), (Games,1), (Basic/Procedures,1), (DVDs,1), (Electronics/Open,1), (Energizers/Magic,1), (Certain,1), (Celestia/Bookmarks,1), (Teacher,1), (Guide/Garbage,1), (Disease/Lifestyle,1), (Programming/rsa-encrypt,1), (Review:,1), (JRF/Prolate,1), ((2016-09-16),1), (Economics/Opportunity,1), (Professionalism/Manoj,1), (Neapolitan/501,4), (Threatened,1), (Manual/STL,2), (Damping,1), (Cultural,15), (Book/Authors,1), (SimCity,2), (History/Kofi,1), (Exam/Aug98,1), (Manufacturers/PCB,1), (Bf1/6...Nd4/7.,1), (13,5), (Values,1), (Econometric,5), (Book/Health,1), (engine,2), (Accounting/Balance,1), (Records,3), (Tallapoosa,,1), (managing,1), (Programming/Digital,1), (Plan/Portfolio,1), ((MHC)/MHC,1), (Phrasebook,1), (Equations/Example,3), (Exchange/Basic,1), (Practice/Cases/Bail,1), (Strings,2), (Modeling/Step,1), (Directory/Ethics,1), (Physiology/Digestion,1), (Parts/At,1), (Machine/Introduction,1), (Sociology,3), (assessment,1), (Fault,1), (heckrottii,1), (Trainz/references/Tips,1), (Mufflers,1), (Pinyin/Creatively,1), (Important,1), (values,1), (Programming/Pragmas/Export,1), (Esperanto/Word,1), (Ulysses/Calypso,1), (Java/Loops,1), (History/Prologue,1), (Comedy/Brazil,1), (Oncology/Medical,1), (Gardening/Allium,1), (Backup,2), (Na'vi/Na'vi-English,3), (Linguistics/Orthography,1), (Investigations/Genetics/Lorenzo's,1), (Programming/PHP,1), (Change/Global,1), (Bards,7), (Succeed,1), (Node,1), (Indonesia/Phonology,1), (Drums/Starting,1), (Found,1), (Philosophy/What,2), (Solving/Finite,1), (XForms/Versioning,1), (Commands:DrawPoly,1), (Bee,2), (Geography/Biosphere,1), (Adventurer,11), (Possession,1), (Reference/Glossary,1), (Advice:,1), (Composition/Articles,1))

正如在SQL示例中(沒在這篇文章裏),如果我們需要執行一個完整的排序,因爲涉及到範圍分區,所以會產生一個額外的Spark Job。

words.sortBy(word => -word._2).collect

res: Array[(String, Int)] = Array((and,1139), (of,1125), (to,713), (the,469), (in,389), (for,316), (The,241), (Guide,204), (A,197), (Opening,186), (a,166), (-,146), (Structural,146), (Introduction,143), (A-level,140), (with,121), (Chess,115), (Theory/1.,114), (Harry,106), (Muggles',106), (Computer,101), (Adventist,97), (Radiation,95), (Development,95), (Canadian,91), (History,91), (Youth,90), (Handbook,87), (Honors,85), (Answer,85), (Data,82), (as,80), (Management,78), (Criminal,78), (Foundations,77), (Annotations,77), (theory,76), (Physics,76), (School,75), (Joyce's,74), (C,74), (James,74), (Chinese,74), (Ba,72), (REBOL,71), (Cooperation,69), (How,68), (Programming,68), (&,67), (chess/1.,67), (World,67), (Engineering,67), (on,67), (Traditional,64), (Using,62), (Learning,61), (Stamp,60), (Chemical,60), (3,60), (Exercise,59), (High,57), (e4/1...e5/2.,57), (3D:,56), (Information,54), (1,54), (Advanced,53), (Test,53), (National,53), (Blender,53), (C++,52), (it,52), (relates,51), (Manual,50), (Wikimanual,50), (To,49), (an,48), (Systems,47), (Software,47), (Assessment,46), (2,46), (General,45), (Basic,45), (IB,45), (Sciences:,44), (Eligibility,44), (Table,44), (Lectureship,44), (CSIR-UGC,44), (Transportation,43), (Ada,43), (New,42), (ERP,42), (is,41), (System,41), (version,41), (Nf3/2...Nc6/3.,41), (Wikijunior,41), (Java,40), (Technology,40), (Practical,40), (False,39), (Friends,39), (Education/Edition,39), (Hebrew,39), (Modern,38), (Perl,37), (English,37), (FHSST,37), (American,36), (from,35), (at,35), (Noob,35), (Managing,34), (Saylor.org's,34), (Question,34), (Social,34), (GCSE,34), (your,34), (Python,34), (Media,33), (Education,33), (Circuit,33), (User,33), (Study,32), (Human,32), (Linux,32), (Electronics,32), (by,32), (Digital,32), (1/Foundations,31), (Game,31), (Mathematics,31), (And,31), (Language,31), (Business,30), (Fundamentals,30), (Sport,30), (Computing,30), (Lua,30), (Contents/Chapter,30), (Life,30), (Open,29), (International,29), (Writer,29), (Principles,29), (Making,28), (Network,28), (Web,28), (Analysis,28), (Meter,27), (Educational,27), (ETD,27), (Ancient,27), (Postage,27), (Linear,26), (An,26), (Biblical,26), (Of,26), (Interactive,25), (Theory,25), (I,25), (Models,25), (Solving,,25), (Programming,,25), (4,25), (Republic,25), (this,25), (Sharp,24), (MATLAB,24), (Movie,24), (Communication,24), (Field,24), (Nuclear,23), (data,23), (By,23), (Control,23), (Design,23), (Tutorial,23), (d4/2...d5/3.,23), (Bc4/3...Nf6/4.,22), (United,22), (resources,22), (Resources,22), (For,22), (Instructional,22), (Operating,21), (Rhetoric,21), (Law,21), (Windows,21), (Theories,21), (Level,21), (Science,21), (Simulation,21), (Slavist/Map,21), (Organic,21), (Elementary,21), (Devonshire,21), (Flora,21), (e4/1...c6/2.,21), (e4/1...c5/2.,21), (Real,21), (Testament,20), (Act,20), (Problems,20), (Genetic,20), (Beginner's,20), (Internet,19), (In,19), (Ng5/4...d5/5.,19), (Representation,19), (Methods,19), (R,19), (Procedure,19), (Studies/New,19), (X,19), (Solutions,19), (Applied,19), (Knowledge,19), (K-12,18), (OS,18), (F,18), (Wings,18), (Book,18), (Selection,18), (Gospel,18), (China,18), (Handbook/The,18), (video,18), (Writing,18), (Exam,18), (Visual,17), (Badge,17), (Merit,17), (Use,17), (Search,17), (Programming/Code/Standard,17), (University,17), (Fukushima,17), (Issues,17), (Tools,17), (Statistical,17), (Political,17), (Mathematical,16), (Documentary,16), (Mac,16), (Century,16), (More,16), (5,16), (6,16), ((Advancing,16), (Annotated,16), (linked,16), (Human-Computer,16), (Health,16), (Georgia,16), (Cultural,15), (Civilizations,15), (Applications,15), (Diablo,15), (Zi/Date,15), (Spanish,15), (XML,15), (Complete,15), (Ruby,15), (Job,15), (US,15), (This,15), (or,14), (Internals/Data,14), (Engineers,14), (Deployment,14), (Comparative,14), (Tang,14), (Space,14), (Microsoft,14), (OpenGL,14), (Medicine/Formula,14), (HKDSE,14), (Water,14), (Numerical,14), (2009/AQA/Problem,14), (handbook/The,14), (Source,14), (Oracle,14), (Program,13), (Innovation,13), (LPI,13), (Basics,13), (Studies,13), (FOSS,13), (Historical,13), (Virtual,13), (Reference,13), (Handbook/Designing,13), (Programming/C,13), (Complex,13), (First,13), (Western,13), (Networking/Chapter,13), (Computing/AQA/Paper,13), (Online,13), (Building,13), (Aftermath:,13), (PHP,13), (Quantum,13), (Database,13), (Animal,13), (OpenSCAD,13), (Technical,13), (Big,12), (Dichotomous,12), (de,12), (States,12), (Theatre:,12), (Chemistry,12), (using,12), (Getting,12), (Learn,12), (D,12), (Power,12), (Machine,12), (Old,12), (Attack,12), (Public,12), (d4/1...Nf6/2.,12), (Model,12), (Commentaries/The,12), (UMD,12), (Questions,12), (GNU,12), (Astronomy/The,12), (system,12), (Emerging,12), (Heat,12), (Biochemistry/Protein,12), (2.0,12), (Qualifying,12), (Physical,12), (Indian,12), (Review,12), (8,12), (Z,12), (development,12), (Geography,12), (Biology,12), (On,12), (Security,11), (Greek,11), (II,11), (Solar,11), (Adventurer,11), (Future,11), (Computing/AQA/Problem,11), (Analysis/Part,11), (Jeep,11), (d4/3...cxd4/4.,11), (Materials,11), (Time,11), (Physiology,11), (Order,11), (Algorithm,11), (card,11), (Case,11), (English/English,11), (processing,11), (Objects,11), (Property,11), (Fire,11), (X86,11), (Databases,11), (types,11), (Type,11), (17th,11), (training,11), (Cognitive,11), (Video,11), (Practice,11), (d4/1...d5/2.,11), (Compiler,11), (Choice/SpanishPod,11), (Creation,11), (William,10), (Cases,10), (WebObjects/Web,10), (One,10), (Inorganic,10), (Diagnostic,10), (use,10), (Greek/Lesson,10), (Energy,10), (Transport,10), (Taxation,10), (Earth,10), (eating,10), (command,10), (Concepts,10), (Common,10), (Essential,10), (SQL,10), (Sound,10), (Molecular,10), (Executing,10), (Policy,10), (2D,10), (Structure,10), (Strategy,10), (Biochemistry/Cell,10), (Parrot,10), (History/The,10), (Series,10), (College,10), (7,10), (Class,10), (lesson,10), (9,10), (Dungeons,10), (French,10), (Up,10), (Super,10), (functions,10), (OsiriX,10), (Planning,10), (Healthy,10), (Team,10), (Classical,10), (GLSL,10), (newbie,10), (List,10), (Messier,10), (PlanoTse,9), (Effects,9), (Cell,9), (effects,9), (Non-Programmer's,9), (Techniques,9), (Patterns,9), (Early,9), (Art,9), (POSper/Developer,9), (Networks,9), (With,9), (Cycle,9), (Professional,9), (education,9), (War,9), (Systems,,9), (Celestia/Celx,9), (From,9), (Embedded,9), (Teaching,9), (Microprocessor,9), (Psychtoolbox:Screen,9), (essential,9), (guide/Database-Table,9), (Contemporary,9), (Adobe,9), (Application,9), (d4,9), (Work,9), (Government,9), (Roots/Holy,9), (structure,9), (Oils/A,9), (Properties,9), (Your,9), (Line,9), (Groups,9), (Lord,9), (TI-Basic,9), (Solitaire,9), (Little,9), (exercise,9), (Content,9), (Project,9), (Training,9), (Sexual,9), (up,9), (Student,9), (Theorem,9), (Sustainable,9), (Disease/The,9), (Three,9), (Structures,8), (Intellectual,8), (towns,8), (Abstract,8), (Ace,8), (Global,8), (kieli,8), (15,8), (Exercise/Fundamentals,8), (4:,8), (own,8), (Scripting/CELX,8), (Additional,8), (Nf3/2...d6/3.,8), (Query,8), (Cocoa,8), (Suomen,8), (exd5/5...Na5/6.,8), (Numbers,8), (KS3,8), (Vanity,8), (do,8), (Mark/Chapter,8), (Disease/Exercise,8), (Children's,8), (1/Fundamentals,8), (Operations,8), (Methods/CEL,8), (around,8), (Fiction/Character,8), (Activity,8), (Page,8), (Mechanics,8), (Defence,8), (multiple,8), (Shell,8), (Inverse,8), (Structured,8), (Translation,8), (Philosophy,8), (Syndrome,8), (Care,8), (3D,8), (Oil,8), (Literacy,8), (Part,8), (RAC,8), (World/The,8), (Adolescent,8), (Motion,8), (Science:,8), (UK,8), (Generation,8), (Types,8), (Overview,8), (project,8), (Observing,8), (Multi-Modal,8), (Legal,8), (Laptop,8), (Artificial,8), (quantum,8), (Library,8), (Functions,8), (Anatomy,8), (guide,8), (file,8), (Regular,8), (Fiddle,8), (Biochemistry/Nucleic,8), (Roman,8), (design,8), (Framework,8), (Intelligence,8), (Sensory,8), (Roots/Torah,7), (Started,7), (Sky,7), (Bards,7), (Orthopaedic,7), (Stored,7), (Speech-Language,7), (Mode,7), (Hockey,7), (Server,7), (Statistics,7), (Algorithms,7), (Exercise/Skeleton,7), (Best,7), (Music,7), (CAT-Tools/DéjàVu,7), (Things,7), (Herbs,7), (Programming:WebObjects/Web,7), (Nature,7), (Nxe4/4...Bf5/5.,7), (Parallel,7), (Psychology/Chapter,7), (Equations,7), (Manual/The,7), (Corporation,7), (Society,7), (Concept,7), (Dutch,7), (Markup,7), (Introductory,7), (Income,7), (model,7), (Oncology/RTOG,7), (Examples,7), (Comparison,7), (IB/Group,7), (Arithmetic,7), (Brlcad/How,7), (Vehicle,7), (Rowers,7), (Free,7), (Myers-Briggs,7), (Code,7), (Programming/Psychtoolbox/Screen,7), (about,7), (Dialects,7), (Out,7), (Away,7), (Requirements,7), (other,7), (Other,7), (B2,7), (Ulysses/Oxen,7), (Proteomics/Protein,7), (Emergency,7), (Rail,7), (not,7), (Civil,7), (Processing,7), (–,7), (Serial,7), (Mass,7), (Play,7), (Components,,7), (Variables,7), (Sources,7), (Version,7), (Computers,7), (Act/Article,7), (HyperText,7), (Peeragogy,7), (Fields,7), (Plus,7), (Cluster,7), (Nc3/3...dxe4/4.,7), (research,7), (Differential,7), (practice,7), (NES,7), (Rail/Metro,7), (Agile,7), (East,7), (Shakespeare's,7), (Nc3,7), (framework,7), (Manual/Quiz,7), (Age,7), (10,7), (Menu,7), (into,6), (business,6), (Voynich,6), (structures,6), (Matrix,6), (Biological,6), (Tunebook,6), (method,6), (12,6), (Project:,6), (Memory,6), (body,6), (Europe,6), (Body,6), (be,6), (management,6), (Programming/Programming,6), (Cg,6), (Manual/About,6), (Answering,6), (Wan,6), (Literary,6), (Designing,6), (Refugee,6), (Topfield,6), (Developing,6), (Budget,6), (AppleScript,6), (Diffusion,6), (Potter/Books/Order,6), (Classes,6), (IO,6), (Anarchist,6), (Micronations/Starting,6), (software,6), (mathematical,6), (Monitoring,6), (Algebra,6), (Commands,6), (Nf3/2...e6/3.,6), (Efficiency,6), (Biomedical,6), (III,6), (Community,6), (e4/1...Nf6/2.,6), (Fluid,6), (numbers,6), (Robotics:,6), (Plant,6), (Interlingua/Curso,6), (Pinyin/The,6), (Machines,6), (Reading,6), (Descriptive,6), (Gaius,6), (Culture,6), (Yiddish,6), (SA,6), (Interlingual,6), (people,6), (Angeles,6), (Calculus/Integration,6), (Programs,6), (Qualification,6), (West,6), (Process,6), (Biology,,6), (Los,6), (Wiki,6), (c3,6), (Style,6), (Examination,6), (Value,6), (Specialist,6), (Automobile,6), (vs.,6), (AQA,6), (NCEA,6), (Trainz,6), (Behavior,6), (world,6), (Geometry,6), (Z80,6), (Chemistry/OCR,6), (Architecture,6), (textual,6), (Roots/The,6), (Handbook/Electronic,6), (Classroom,6), (Next,6), (Laboratory,6), (are,6), (Death,6), (problems,6), (Chronicles,6), (Computing/AQA/Computer,6), (Integration,6), (Middle,6), (Psychology/Levels,6), (Poetry,6), (NC,6), (Potter/Major,6), (Pulsars,6), (1/Lesson,6), (Standards,6), ((University,6), (Elements,6), (Unicode/Character,6), (Grade,6), (Wikipedia,6), (Students,6), (Feng,6), (A-Level,6), (Editing,6), (Intermediate,6), (Valerius,6), (Directing,6), (Taxes,6), (Find,6), (Thought,6), (Nxd4/4...Nf6/5.,6), (resistance,6), (:,6), (tag,6), (Contents,6), (Phrases,6), (Installation,6), (Template,6), (phrases,6), (neutron,6), (Languages,6), (10:00,6), (Evolution,6), (Nf3,6), (Disease,6), (health,6), (pm,6), (exd5/3...cxd5/4.,6), (Processes,6), (Environmental,6), (Services,6), (Logic,6), (Sequencing,6), (Women,6), (Explorer,6), (Bb5/3...a6/4.,6), (Problem,6), (House,5), (Issues:,5), (Be2/8...h6/9.,5), (Tricks,5), (1/Assessment,5), (11,5), (Personal,5), ((General,5), (Bb5/6...c6/7.,5), (Zealand,5), (choice,5), (Interactions,5), (Period,5), (Stars,5), (13,5), (Econometric,5), (WebObjects/EOF/Using,5), (Sidux/Useable,5), (Fractals/Iterations,5), (Latin/Lesson,5), (Dream,5), (14,5), (Manual/Frequently,5), (Projects/Project,5), (Ng3/5...Bg6/6.,5), (Factors,5), (Biochemistry/DNA,5), (science,5), (Biochemistry/Chemical,5), (Scheme,5), (E,5), (e,5), (Climate,5), (Summary,5), (Vocabulary,5), (one,5), (Impact,5), (question,5), (Puzzles/Chess,5), (cycle,5), (Driving,5), (Ubuntu,5), (conversation/Capitulo,5), (that,5), (Grammar,5), (3:,5), (Citizen,5), (AI,5), (1988,5), (Bag,5), (JRF/Named,5), (energy,5), (Number,5), (Words,5), (book,5), (Scientific,5), (Potter/Books/Goblet,5), (Catholic,5), (3D/User,5), (plan,5), (Book/First,5), (Robot,5), (Calculus,5), (A+,5), (Scenas,5), (Universal,5), (Command,5), (John,5), (Framework/Iteration,5), (Paper,5), (K12,5), (Estate,5), (Screen,5), (Two,5), (Seven,5), (time,5), (User-Generated,5), (Pro,5), (Phoenix/Chapter,5), (Chapter,5), (Text,5), (Consciousness,5), (Standardized,5), (We,5), (network,5), (Flow,5), (Sections,5), (Beyond,5), (Competitive,5), (Ghost,5), (Product,5), (OpenClinica,5), (AP,5), (Watch,5), (Hand,5), (Proteins,5), (case,5), (Tea,5), (Mining,5), (complex,5), (Blended,5), (fractions,5), (Pass,5), (Medical,5), (Japanese,5), (Strategies,5), (Think,5), (Urban,5), (Algebra/Topic:,5), (Safety,5), (Interaction,5), (News,5), (Spanish/Lesson,5), (Kingdom/Legislation/Section,5), (CCNA,5), (Rexx,5), (Environment,5), (Bc4,5), (Stress,5), (Over,5), (Synthesis,5), (Low,5), (verbs,5), (Clearing,5), (Probability,5), (Configuration,5), (Ulysses/Wandering,5), (Maps,5), (User's,5), (Concurrent,5), (Programming/Advanced,5), (Function,5), (sources,5), (Lesson,5), (Asked,5), (Programming/Basic,5), (Bicycles/Maintenance,5), (Analytical,5), (Current,5), (Links,5), (Semiconductor,5), (Offences,5), (Travel,5), (Programming/How,5), (Radiology/Musculoskeletal,5), (their,5), (Filters,5), (Research,5), (Expressions,5), (Castles,5), (tools,5), (God,5), (chromatography,5), (Principle,5), (Computability,5), (disease,5), (after,5), (Day,5), (e4/1...e6/2.,5), (Innovation/AFL,5), (Behavioral,5), (dxc6/7...bxc6/8.,5), (control,5), (FAQ/What,5), (Year,5), (Traffic,5), (Electric,5), (Warming,5), (Standard,5), (vs,5), (Devices,5), (Neuroimaging,5), (Unsolved,5), (Analysis:,5), (Marijuana,5), (Stage,5), (Economy,5), (Guide:Technical,5), (c4/1...e6/2.,5), (Neural,5), (Look,5), (Quality,5), (Applicable,5), (Costume,4), (ODU,4), (new,4), (Ethics,4), (Bb5/3...Nf6/4.,4), (Vala,4), (Theory/Failure,4), (Soapbox,4), (Rate,4), (Cancer,4), (--,4), (Mandarin,4), (Help,4), (Strength,4), (Gender,4), (Choice,4), (Towns/Ghost,4), (container,4), (Against,4), (Neapolitan/501,4), (Impact/Virtual,4), (Peacebuilding,4), (Primary,4))

Shuffle 是如何工作的?

  • Hash shuffle
  • Sort shuffle
  • “Tungsten-Sort”

Hash Shuffle
這裏寫圖片描述

Sort Shuffle
這裏寫圖片描述

發表評論
所有評論
還沒有人評論,想成為第一個評論的人麼? 請在上方評論欄輸入並且點擊發布.
相關文章