`

scala day1

阅读更多
1.基础部分

1.1 定义常量和变量

  val xmax,ymax:Int=100
  var greeting:String="Hello"

1.2 数值和操作符重载
  数值操作符: +,-,*,/,%
  逻辑操作符: & ,|, ^,>>,<<
   自增操作: +=1 
      说明: ++ or -- 被去掉了
         Int class 是immutable, 而++ 或者--方法将改变这个数值,
        因此放在Int 类里是不合适的 
   


1.3 调用函数和方法
  方法一定是 class.methodname(parameters)
     没有括号的方法  calss.methodname: 1:没有参数 2.不会修改object
  函数则并不许要class,直接可以使用。例如min(3, Pi) 。
    数字计算函数定义在 import scala.math._ 包中
  

1.4 apply 方法:
 
   StringOps 类中方法 :
    def apply(n: Int): Char
    例如 “Hello”(4) 返回 "o"

   companion object 的apply 方法 则会构造 一个 新的object    
        例如:BigInt("1234567890")
1.6 singleton object
    companion object

2.控制结构和function函数

2.1 条件表达式
  if(tiaojian)  1 else ()

   a:可以将条件表达式赋值给一个val 常量值
   b: 如果有多个语句 则使用{}
   c:如果else没有值,则使用(),
   d:每个语句后的;并不是强制的,但是如果两个不同的语句在同一行,则需要用;分割
   e:如果在一行中有个长的语句(需要换行到第二行),则需要在此行末尾保证并不是结束符 ,例如:
  
  s = s0 + (v - v0) * t + // The + tells the parser that this is     not the end
0.5 * (a - a0) * t * t


2.2 块表达式和赋值

a:{} block 包含一串顺序表达式,
b:{}block结果也是一个是表达式,
c:block的值 等于最后一个语句的值
例如:
 val distance = { 
  val dx = x - x0; 
  val dy = y - y0; 
  sqrt(dx * dx + dy * dy) 
}
distance 的值为:sqrt(dx * dx + dy * dy) 



d:赋值语句的返回值为 No Value,用() 表示,表示Type Unit

例如:
{ r = r * n; n -= 1 } 

这个块的返回值为 {}



需要注意:
 x = y = 1 这个不允许,
 因为y=1的返回值为{},不可能把一个常量值定义为{}


2.3 输入和输出
 输入:readLine 从console 读入一行
        readInt 从console 读入一个Int     
       readDouble, 
       readByte
       readShort
       readLong
       readFloat
       readBoolean
       readChar

 输出:print
      println
      printf:输出c风格的
       例如:printf("Hello, %s! You are %d years old.\n", "Fred", 42)

2.4 循环
while:

while (n > 0) {
r = r * n
n -= 1
}


for
a:for (i <- expr):
  i遍历<-右边的表达式的值,至于i是何种类型,以来与表达式中每个元素的类型

  例如:
 
val s = "Hello"
  var sum = 0
  for (i <- 0 until s.length) // Last value for i is s.length - 1
       sum += s(i)

b:for 循环中可以有多个 variable <- expression 形式,每个之间用;分割,
  每个被称为generator
// Prints 11 12 13 21 22 23 31 32 33
  for (i <- 1 to 3; j <- 1 to 3) print((10 * i + j) + " ")
    


c:每个generator 可以定义个guard: guard 是个if的条件表达式
   例如:
 // Prints 12 13 21 23 31 32
  for (i <- 1 to 3; j <- 1 to 3 if i != j) print((10 * i + j) + " ")


d:可以 在 generator中 加入一些新的变量定义,用于循环
// Prints 13 22 23 31 32 33 
  for (i <- 1 to 3; from = 4 - i; j <- from to 3) print((10 * i + j)   + " ")

e: 在循环体loop中使用yield 输出集合结果,输出的集合类型
  由第一个generator的类型决定
 
 for (i <- 1 to 10) yield i % 3

 
 // Yields "HIeflmlmop"
for (c <- "Hello"; i <- 0 to 1) yield (c + i).toChar
  // Yields Vector('H', 'e', 'l', 'l', 'o', 'I', 'f', 'm', 'm', 'p')
  for (i <- 0 to 1; c <- "Hello") yield (c + i).toChar



2.5 函数function
 
  a:def functionName(param:Type):ReturnType={
    }

  b:如果非递归函数 对于ReturnType 可以省略,具体的返回类型则以
     等号=右边最后一个表达式值的类型为准
  c:如果是递归函数,则一定需要定义返回值类型

2.6 函数参数默认值

例如:
  def decorate(str: String, left: String = "[", right: String = "]") =
      left + str + right

   可以使用如下方式调用
     decorate("Hello")
     decorate("Hello","<<<")
     decorate(left = "<<<", str = "Hello", right = ">>>")
     decorate("Hello", right = ">>>")

2.9 变长参数
函数的参数个数是变长的

例如:
  def sum(args: Int*) = {
       var result = 0
      for (arg <- args) result += arg
         result
     }
输出:val s = sum(1, 4, 9, 16, 25)



val s = sum(1 to 5) :这样的调用将会出错。
  因为 参数类型是一个或多个int,而不是一个数字范围Range
  如果需要传递一个数值范围,则需要告诉编译器将该范围作为一个 sequece 序列,
因此调用修改为
 
val s = sum(1 to 5:_*)  


  上述代码修改为:
 
def sum(args: Int*) : Int = {
if (args.length == 0) 0
else args.head + recursiveSum(args.tail : _*)
}


2.10  过程
  一个没有返回值的函数,因此也就没有等于(=)这个
例如:

def box(s : String) { // Look carefully: no =
val border = "-" * s.length + "--\n"
println(border + "|" + s + "|\n" + border)
}


或者

def box(s : String): Unit = {
...
}


2.11 延迟赋值的常量值
  将会在第一次使用的时候赋值,赋值的时候是以线程安全的形式进行,
  因此第一次赋值的时候也是存在cost的

例如:
// Evaluated as soon as words is defined
val words = scala.io.Source.fromFile("/usr/share/dict/words").mkString

// Evaluated the first time words is used
lazy val words = scala.io.Source.fromFile("/usr/share/dict/words").mkString

def words = scala.io.Source.fromFile("/usr/share/dict/words").mkString
// Evaluated every time words is used



2.12 exception
a:如何抛出异常
  例如:
  throw new IllegalArgumentException("x should not be negative")

抛出异常后,当前的操作将会终止。running time system 将会需要接收该异常的   handler 去处理异常,如果没有找到handler,程序将会终止。

b:scala 的方法并不需要定义异常。  
   在java 中 方法需要定义checked exception,
   用于在编译时期检查这些异常是否已经定义和处理
c:throw 返回的类型为Nothing,这个在条件表达式中特别用效:
   例如:
 
if (x >= 0) { 
 sqrt(x)
 } else throw new IllegalArgumentException("x should not be negative")

第一个分支的饭胡


e:使用try{}catch{} 来捕获异常
try {
process(new URL("http://horstmann.com/fred-tiny.gif"))
} catch {
case _: MalformedURLException => println("Bad URL: " + url)
case ex: IOException => ex.printStackTrace()
}

说明:如果定义一个不会被使用的变量,可以使用_


f:使用try{}finally{}来关闭资源
例如:

var in = new URL("http://horstmann.com/fred.gif").openStream()
try {
process(in)
} finally {
in.close()
}


g:try{}catch{}finally{}模式来处理
  等同与 try{try{}catch{}}finally{}



练习一:
Write a for loop for computing the product of the Unicode codes of all lettersin a string. For example, the product of the characters in "Hello" is 825152896.

答案:
(for(c<-"Hello") yield c.toInt).product



Solve the preceding exercise without writing a loop. (Hint: Look at the StringOps
Scaladoc.)

答案:
"Hello".map(_.toInt).product




 

















 
 
 
    


 




 



 

















   
  
 






 

分享到:
评论

相关推荐

    Scala_day01_scala_

    "Scala_day01_scala_" 的标题暗示了这是一份针对初学者的Scala学习资料,旨在帮助新接触者快速入门。下面,我们将深入探讨Scala的一些核心概念和特性。 首先,Scala的基础语法与Java类似,但它提供了更简洁的表达...

    Programming-in-Scala-2nd.pdf

    day. You won’t understand the zen of objects being functions and functions being objects in your first week. Each feature of the language is another light bulb waiting to switch on over your head. I...

    scala-1-day:一天之内的Scala。 向真正使用它的人学习

    一天之内的Scala ...然后你需要克隆 repo git clone https://github.com/gilt/scala-1-day.git 。 之后你应该可以去 000.setup 并运行sbt "run-main javax.HelloWorld"和sbt "run-main scalax.HelloWorld" 。

    scala工具库utils4s.zip

    utils4s包含各种scala通用、好玩的工具库demo和使用文档,通过简单的代码演示和操作文档,各种库信手拈来。时间操作的示例代码:package cn.thinkjoy.utils4s.lamma import io.lamma._ /**  * test  *  */ ...

    WarszawScala-slick-day:华沙 Scala 用户组聚会的项目框架

    华沙Scala光滑的一天 华沙 Scala 用户组聚会的项目框架。 通过更改application.conf文件中的设置,可以将应用程序配置为与数据库和服务的模拟实现一起运行。 建议在 sbt 中使用re-start命令运行应用程序并使用re-...

    PySpark_Day04:RDD Operations & Shared Variables.pdf

    Apache Spark 是使用 Scala 编程语言编写的。为了支持 Apache Spark 和 Python 的协作,PySpark 被释放出来,实际上是一个 Python API 用于 Spark。PySpark 是一个 Python API,支持 Python 与 Apache Spark 的集成...

    movies_ratings:NewDay的数据工程师招聘流程

    1. **Scala基础知识**:候选人需要熟悉Scala的基础语法,包括类、对象、模式匹配、高阶函数等。理解Scala的类型系统,如特质(trait)、隐式转换(implicit conversion)和类型推断(type inference),也是必要的。...

    KafkaSparkCassandraDemo:Cassandra Day Dallas演示

    #Dallas Cassandra Day KafkaSparkCasandraDemo 为了运行此演示,假定您已安装以下组件,并且在本地系统上可用。 Datastax企业版4.8 Apache Kafka 0.8.2.2,我使用了Scala 2.10构建吉特sbt ## Kafka入门请使用以下...

    day01_spark核心概念.pdf

    在IDEA中编写Spark程序,需要先配置Maven仓库,安装Scala环境,然后创建Maven项目并安装Scala插件。在pom.xml中添加Spark的相关依赖,如`spark-core_2.11`。创建SparkContext时,通过SparkConf设置配置信息,如...

    own_Spark-day01.docx

    1. **优秀的数据模型和计算抽象**:Spark引入了弹性分布式数据集(RDD)的概念,这是一种可以高效缓存和并行处理的数据结构,允许数据在计算过程中被多次重用,显著提升了计算效率。此外,Spark还提供了DataFrame和...

    AdventOfCode2020

    1. **src** - 源代码文件夹,可能有`scala`子目录,包含按日划分的解决问题的Scala类或对象。 - 比如,`src/main/scala/day01/Day01.scala` 可能是第一天的解决方案。 2. **test** - 测试文件夹,用于验证解决方案...

    matlab导入excel代码-utl_standard_deviation_of_90_day_rolling_standard_devia

    Scala Perl CC#Excel MS Access JSON图形映射NLP自然语言处理机器学习igraph DOSUBL DOW循环stackoverflow SAS社区。 90天滚动标准偏差的标准偏差 WPS/Proc R 10 million readings is a tiny amount of data. Are ...

    python100Day

    Python - 100天从新手到大师 ...数据分析挖掘 - Python / R / Scala / Matlab 机器学习 - Python / R / Java / Lisp 作为一名Python开发者,主要的就业领域包括: Python服务器后台开发 / 游戏服务器开

    Reactive Design Patterns

    Software engineers and architects will learn patterns that address day-to-day distributed development problems in a fault-tolerant and scalable way. Project leaders and CTOs will gain a deeper ...

    advent-of-code-2020:我在adventofcode.com2020上针对今年编码挑战的解决方案

    1. **函数式编程**:Scala的函数是一等公民,可以作为参数传递,也可以作为返回值。在AOC 2020的解题过程中,可以利用高阶函数处理大量数据,比如map、filter、reduce等,实现对输入数据的高效处理。 2. **模式匹配...

    典型相关分析matlab实现代码-Python_100_Day:Python_100_Day

    Scala / Matlab 机器学习 - Python / R / Java / Lisp 作为一名Python开发者,主要的就业领域包括: Python服务器后台开发 / 游戏服务器开发 / 数据接口开发工程师 Python自动化运维工程师 Python数据分析 / 数据...

    dtc:提供日期时间值的类型类。 在JVM和ScalaJS上均可使用

    1. **日期时间模型**:库可能定义了自己的日期时间模型,如`YearMonthDay`、`LocalTime`等,这些模型可能比Java 8的`java.time`包更加轻量级和易于使用。 2. **解析和格式化**:提供解析字符串到日期时间对象以及将...

    Mastering Apache Spark 2.x - Second Edition

    You will learn to use Spark as a big data operating system, understand how to implement advanced analytics on the new APIs, and explore how easy it is to use Spark in day-to-day tasks. Style and ...

    典型相关分析matlab实现代码-Python-100Day:python-100天

    Scala / Matlab 机器学习 - Python / R / Java / Lisp 作为一名Python开发者,主要的就业领域包括: Python服务器后台开发 / 游戏服务器开发 / 数据接口开发工程师 Python自动化运维工程师 Python数据分析 / 数据...

Global site tag (gtag.js) - Google Analytics