標籤:
short s1=1;s1=s1+1有什麼錯?short s1=1;s1+=1;有什麼錯?
第一個是有錯的,short在記憶體中佔2個位元組,而整數1預設為int型佔4個字節,s1+1其實這個時候就向上轉型為int類型了,因此第一行代碼必須強轉才行。第二個之所以可以是以為這句話翻譯過來就是s1++,也就是short類型的資料自身加增1,因此不會有問題。 Java沒有sizeof Java不需要sizeof()操作符來滿足這方面的需要,因為所有資料類型在所有機器中的大小都是相同的。我們不必考慮移植問題——它已經被設計在語言中了。
Foreach文法 Java SE5引入了一種新的更加簡潔的for文法用於數組和容器,即Foreach文法,表示不必建立int變數去對由訪問構成的序列進行計數,Foreach將自動產生每一項。 例如,假設有一個float數組,我們要選取該數組中的每一個元素:
1 import java.util.Random; 2 3 public class ForEachFloat { 4 public static void main(String[] args) { 5 Random rand = new Random(47); 6 float f[] = new float[10]; 7 for(int i = 0; i < 10; i++) { 8 f[i] = rand.nextFloat(); 9 }10 for(float x : f) {11 System.out.println(x);12 }13 }14 }
這個數組是用舊式的for迴圈組裝的,因為在組裝時必須按索引訪問它,在下面這行中可以看到Foreach文法: for(float x : f) { 這條語句定義了一個float類型的變數x,繼而將每一個f的元素賦值給x。ps:除非建立一個數組,否則Foreach文法將不起作用。
在構造器中調用構造器1.不能在同一構造器中調用兩個;2.必須將構造器調用置於最起始處;3.不能在構造器之外的任何方法中調用構造器。例如:
1 public class Flower { 2 int petalCount = 0; 3 String s = "initial value"; 4 5 Flower(int perals) { 6 petalCount = perals; 7 System.out.println("Constructor w/ int arg only, petalCount= " + petalCount); 8 } 9 10 Flower(String ss) {11 System.out.println("Constructor w/ int arg only, s= " + ss);12 s = ss;13 }14 15 Flower(String s, int petals) {16 this(petals);17 //! this(s); //不能調用兩個!18 this.s = s;19 System.out.println("String & int args");20 }21 22 Flower(){23 this("hi", 45);24 System.out.println("default constructor (no args)");25 }26 27 void printPetalCount() {28 //! this(11); //不能在構造器之外的任何方法中調用構造器29 System.out.println("petalCount = " + petalCount + " s = " + s);30 }31 32 public static void main(String[] args) {33 Flower x = new Flower();34 x.printPetalCount();35 }36 }
Java——Java雜談