类和对象
package com.example.chj.myfirstandroid.testclass;
/**
* Created by chj on 2018/1/26.
*/
public class ClassTest {
/*************************************************对象和类*************************************************/
/*
* 声明属性必须有 setter getter 方法
*/
private String className;
private int classCount;
/*
* 自动生成属性构造方法
* 快捷键 command + N - Getter And Setter or 右键 Generate - Getter And Setter
* */
public String getClassName() {
return className;
}
public void setClassName(String className) {
this.className = className;
}
public int getClassCount() {
return classCount;
}
public void setClassCount(int classCount) {
this.classCount = classCount;
}
/*
* 自动生成类构造方法
* 快捷键 command + N - Constructor or 右键 Generate - Constructor
* */
public ClassTest(int classCount, String className) {
this.classCount = classCount;
this.className = className;
}
/*声明方法*/
public void cleanRoom (){
System.out.println(this.className + "全体" + this.classCount + "人,将要打扫教室");
}
}
使用
ClassTest test = new ClassTest(50, "三年二班");
test.cleanRoom();
01-26 09:25:22.186 4273-4273/com.example.chj.myfirstandroid I/System.out: 三年二班全体50人,将要打扫教室
基本数据类型
package com.example.chj.myfirstandroid.testclass;
/**
* Created by chj on 2018/1/26.
*/
public class ClassTest {
/*****************************************基本数据类型*****************************************/
/*Java语言提供了八种基本类型。六种数字类型(四个整数型,两个浮点型),一种字符类型,还有一种布尔型。*/
/*
* byte 数据类型是8位
* byte 类型用在大型数组中节约空间,主要代替整数,因为 byte 变量占用的空间只有 int 类型的四分之一
* -128(-2^7) - 127(2^7 - 1)
* */
byte a = 100;
byte b = -100;
/*
* short 数据类型是 16 位、有符号的以二进制补码表示的整数
* -32768(-2^15) - 32767(2^15 - 1)
* short 数据类型也可以像 byte 那样节省空间。一个short变量是int型变量所占空间的二分之一
* */
short c = 10000;
short d = -10000;
/*
* int 数据类型是32位、有符号的以二进制补码表示的整数
* -32768(-2^15) - 32767(2^15 - 1)
* */
int e = -1000000;
int f = 10000000;
/*
* long 数据类型是 64 位、有符号的以二进制补码表示的整数
* -9,223,372,036,854,775,808(-2^63) - 9,223,372,036,854,775,807(2^63 -1)
* 一定要在数值后面加上 L,不然默认会是 int 类型
* */
long g = -8223372036854775808L;
long h = 8223372036854775808L;
/*
* float 数据类型是单精度、32位
* */
float i = 3.14f;
float j = 100.12f;
/*
* double 数据类型是双精度、64 位
* */
double k = 100.4d;
double l = 4.2d;
/*
* boolean数据类型表示一位的信息
* */
boolean m = true;
boolean n = false;
/*
* char类型是一个单一的 16 位 Unicode 字符
* */
char o = 'A';
char p = 'a';
/*
* final 关键字来修饰常量
* */
final double PI = 3.1415926;
/*
* 强制类型转换
* */
float abc = 3.14f;
int efg = (int)abc;
/*
* 数据大小关系
* byte,short,char—> int —> long—> float —> double
* */
short s1 = 1;
short s2 = 2;
/*
* 在java的世界里,如果比int类型小的类型做运算,java在编译的时候就会将它们统一强转成int类型。
* 当是比int类型大的类型做运算,就会自动转换成它们中最大类型那个。
*/
int s3 = s1 + s2;
}