2017年6月16日 星期五

工程師與老闆的差異

鴻海工程師大聲嗆郭台銘:「為什麼爆肝是我,首富卻是你?」沒想到郭董3句話就讓他羞愧了臉!

郭董說: 我們之間有三個差別
第一: 三十年前我創建鴻海的時候是賭上全部家當,不成功便成仁
      而你只是寄出幾十份履歷表後來鴻海上班,且隨時可以走人
      我們之間的差別在: 創業與就業

第二:我選擇從連接器切入市場,到最後跟蘋果合作是因為我眼光判斷正確
     而你在哪個部門上班是因為學歷和考試被分配的
     我們之間的差別在: 選擇與被選擇

第三:我24小時都在思考如何創造利潤,每一個決策都可能影響數萬個家庭
     生計與數十萬股民的權益
     而你只要想好時麼時候下班跟照顧好你的家庭
     我們之間的差別在: 責任的輕重

     這些事大家都能做,只是在於你有沒有勇氣踏出第一步,
     還有你所做的每一個選擇都會影響到你,而老闆們只是做了我們不敢做的事情
     而且他們成功了

2017年5月19日 星期五

Java 7 新的 try-with-resources 語法(Auto Source release )

出處: OSChina : https://www.oschina.net/question/12_10706
作者:@红薯

Java 7 build 105 版本開始,Java 7 的編譯器和運行環境已支援新的 try-with-resources 語法,稱為 ARM (Automatic Resource Management) ,自動資源管理。
新的語句支援包括流以及任何可關閉的資源,例如,一般我們會編寫如下代碼來釋放資源:

private static void customBufferStreamCopy(File source, File target) {
    InputStream fis = null;
    OutputStream fos = null;
    try {
        fis = new FileInputStream(source);
        fos = new FileOutputStream(target);
 
        byte[] buf = new byte[8192];
 
        int i;
        while ((i = fis.read(buf)) != -1) {
            fos.write(buf, 0, i);
        }
    }
    catch (Exception e) {
        e.printStackTrace();
    } finally {
        close(fis);
        close(fos);
    }
}
 
private static void close(Closeable closable) {
    if (closable != null) {
        try {
            closable.close();
        } catch (IOException e) {
            e.printStackTrace();
        }
    }
}


而使用 try-with-resources 語法來簡化如下:
private static void customBufferStreamCopy(File source, File target) {
    try (InputStream fis = new FileInputStream(source);
        OutputStream fos = new FileOutputStream(target)){
 
        byte[] buf = new byte[8192];
 
        int i;
        while ((i = fis.read(buf)) != -1) {
            fos.write(buf, 0, i);
        }
    }
    catch (Exception e) {
        e.printStackTrace();
    }
}


or

public static void customBufferStreamCopy(String[] args) throws Exception{
 @Cleanup InputStream in = new FileInputStream(args[0]);
 @Cleanup OutputStream out = new FileOutputStream(args[1]);
 byte[] buf = new byte[8192];       
        int i;  
        while ((i = in.read(buf)) != -1) {  
            out.write(buf, 0, i);  
        }  
}


2017年5月7日 星期日

一對多 Hibernate4 One To Many Annotation (By MS SQL)

參考文章:  http://viralpatel.net/blogs/hibernate-one-to-many-annotation-tutorial/

 One To Many : 一個部門 (department) 有多個員工(employee )
 Many To One : 多個員工(employee )屬於一個部門

一對多情況時,必須於  一 與 多的二方設定以上關聯

在 MS SQL 執行 CREATE TABLE
CREATE TABLE dbo.department (
department_id  INT IDENTITY(1,1)PRIMARY KEY,
dept_name VARCHAR(50) NOT NULL DEFAULT '0'
);

CREATE TABLE dbo.employee (
employee_id INT IDENTITY(1,1)PRIMARY KEY,
firstname VARCHAR(50) NULL DEFAULT NULL,
lastname VARCHAR(50) NULL DEFAULT NULL,
birth_date DATE NULL DEFAULT NULL,
cell_phone VARCHAR(15) NULL DEFAULT NULL,
department_id INT FOREIGN KEY REFERENCES dbo.department(department_id)
);

Employee.java
import java.sql.Date;
import javax.persistence.Column;
import javax.persistence.Entity;
import javax.persistence.GeneratedValue;
import javax.persistence.GenerationType;
import javax.persistence.Id;
import javax.persistence.JoinColumn;
import javax.persistence.ManyToOne;
import javax.persistence.Table;


@Entity
@Table(name="EMPLOYEE")
public class Employee {

@Id
@GeneratedValue(strategy = GenerationType.IDENTITY)
@Column(name="employee_id")
private Integer employeeId;

@Column(name="firstname")
private String firstname;

@Column(name="lastname")
private String lastname;

@Column(name="birth_date")
private Date birthDate;

@Column(name="cell_phone")
private String cellphone;

@ManyToOne
@JoinColumn(name="department_id")
private Department department;

public Employee() {

}

public Employee(String firstname, String lastname, String phone) {
this.firstname = firstname;
this.lastname = lastname;
this.birthDate = new Date(System.currentTimeMillis());
this.cellphone = phone;
}

public Department getDepartment() {
return department;
}

public void setDepartment(Department department) {
this.department = department;
}

public Integer getEmployeeId() {
return employeeId;
}

public void setEmployeeId(Integer employeeId) {
this.employeeId = employeeId;
}

public String getFirstname() {
return firstname;
}

public String getLastname() {
return lastname;
}

public Date getBirthDate() {
return birthDate;
}

public String getCellphone() {
return cellphone;
}

public void setFirstname(String firstname) {
this.firstname = firstname;
}

public void setLastname(String lastname) {
this.lastname = lastname;
}

public void setBirthDate(Date birthDate) {
this.birthDate = birthDate;
}

public void setCellphone(String cellphone) {
this.cellphone = cellphone;
}
}

Department.java
import java.util.Set;
import javax.persistence.Column;
import javax.persistence.Entity;
import javax.persistence.GeneratedValue;
import javax.persistence.GenerationType;
import javax.persistence.Id;
import javax.persistence.OneToMany;
import javax.persistence.Table;

@Entity
@Table(name="DEPARTMENT")
public class Department {

@Id
@GeneratedValue(strategy = GenerationType.IDENTITY)
@Column(name="DEPARTMENT_ID")
private Integer departmentId;

@Column(name="DEPT_NAME")
private String departmentName;

@OneToMany(mappedBy="department")
private Set<Employee> employees;

public Integer getDepartmentId() {
return departmentId;
}

public void setDepartmentId(Integer departmentId) {
this.departmentId = departmentId;
}

public String getDepartmentName() {
return departmentName;
}

public void setDepartmentName(String departmentName) {
this.departmentName = departmentName;
}

public Set<Employee> getEmployees() {
return employees;
}

public void setEmployees(Set<Employee> employees) {
this.employees = employees;
}
}

For TEST

import org.hibernate.Session;
import org.hibernate.SessionFactory;

public class Main {

public static void main(String[] args) {

SessionFactory sf = HibernateUtil.getSessionFactory();
Session session = sf.openSession();
session.beginTransaction();

Department department = new Department();
department.setDepartmentName("Sales");
session.save(department);

Employee emp1 = new Employee("Nina", "Mayers", "111");
Employee emp2 = new Employee("Tony", "Almeida", "222");

emp1.setDepartment(department);
emp2.setDepartment(department);

session.save(emp1);
session.save(emp2);

session.getTransaction().commit();
session.close();
}
}






2017年4月22日 星期六

成為Java高手的25個學習目標

出處: 開源互助社區
http://www.coctec.com/docs/java/show-post-59764.html


本文將告訴你學習Java需要達到的25個目標,希望能夠對你的學習及找工作有所幫助.對比一下自己,你已經掌握了這25條中的多少條了呢?

1.你需要精通面向對象分析與設計(OOA/OOD)、涉及模式(GOF,J2EEDP)以及綜合模式.你應該了解UML,尤其是 class,object,interaction以及statediagrams.

2.你需要學習Java語言的基礎知識以及它的核心類庫 (collections,serialization,streams,networking,?multithreading,reflection,event,handling,NIO,localization,
   以及其他).

3.你應該了解JVM,classloaders,classreflect,以及垃圾回收的基本工作機制等.你應該有能力反編譯一個類文件並且明白一些基本的彙編指令.

4.如果你將要寫客戶端程序,你需要學習Web的小應用程序(applet),必需掌握GUI設計的思想和方法,以及桌面程序的 SWING,AWT,?SWT.
  你還應該對UI部件的JavaBEAN組件模式有所了解.JavaBEANS也被應用在JSP中以把業務邏輯從表現層中分離出來.

5.你需要學習Java資料庫技術,並且會使用至少一種persistence/ORM構架,例如Hibernate,JDO,?CocoBase,TopLink,InsideLiberator(中國產JDO紅工廠軟體)或者iBatis.

6.你還應該了解對象關係的阻抗失配的含義,以及它是如何影響業務對象的與關係型資料庫的交互,和它的運行結果,還需要掌握不同的資料庫產品運用,
  比如racle,mysql,mssqlserver.

7.你需要學習Servlets,JSP,以及JSTL(StandardTagLibraries)和可以選擇的第三方TagLibraries.

8.你需要熟悉主流的網頁框架,例如JSF,Struts,Tapestry,Cocoon,WebWork,以及他們下面的涉及模式,如MVC/MODEL2.

9.你需要學習如何使用及管理Web伺服器,例如tomcat,resin,Jrun,並且知道如何在其基礎上擴展和維護Web程序.

10.你需要學習分散式對象以及遠程API,例如RMI和RMI/IIOP.

11.你需要掌握各種流行中間件技術標準和與Java結合實現,比如Tuxedo、CROBA,當然也包括JavaEE本身.

12.你需要學習最少一種的XMLAPI,例如JAXP(JavaAPIforXMLProcessing),JDOM(JavaforXMLDocumentObjectModel),DOM4J,或JAXR(JavaAPIforXMLRegistries).

13.你應該學習如何利用Java的API和工具來構建WebService.例如JAX- RPC(JavaAPIforXML/RPC),SAAJ? (SOAPwithAttachmentsAPIforJava),
   JAXB(JavaArchitectureforXMLBinding),JAXM(JavaAPIforXMLMessaging),?JAXR(JavaAPIforXMLRegistries),或者JWSDP(JavaWebServicesDeveloperPack).

14.你需要學習一門輕量級應用程序框架,例如Spring,PicoContainer,Avalon,以及它們的IoC/DI風格(setter,constructor,interfaceinjection).

15.你需要熟悉不同的J2EE技術,例如JNDI(JavaNamingandDirectoryInterface),JMS? (JavaMessageService),
   JTA/JTS(JavaTransactionAPI /JavaTransactionService),JMX?(JavaManagementeXtensions),以及JavaMail.

16.你需要學習企業級JavaBeans(EJB)以及它們的不同組件模式:Stateless/StatefulSessionBeans,EntityBeans
  (包含 Bean-?ManagedPersistence[BMP]或者Container-ManagedPersistence[CMP]和它的EJB- QL),或者?Message-DrivenBeans(MDB).

17.你需要學習如何管理與配置一個J2EE應用程序伺服器,如WebLogic,JBoss等,並且利用它的附加服務,例如簇類,連接池以及分散式處理支援.
   你還需要了解如何在它上面封裝和配置應用程序並且能夠監控、調整它的性能.

18.你需要熟悉面向方面的程序設計以及面向屬性的程序設計(這兩個都被很容易混淆的縮寫為AOP),以及他們的主流Java規格和執行.
   例如AspectJ和AspectWerkz.

19.你需要熟悉對不同有用的API和framework等來為你服務.例如Log4J(logging/tracing),Quartz(scheduling),
   JGroups(networkgroupcommunication),JCache(distributedcaching),?Lucene(full- textsearch),JakartaCommons等等.

20.你應該熟練掌握一種JavaIDE例如sunOne,netBeans,IntelliJIDEA或者Eclipse.(有些人更喜歡VI或EMACS來編寫文件.隨便你用什麼了:)

21.Java(精確的說是有些配置)是冗長的,它需要很多的人工代碼(例如EJB),所以你需要熟悉代碼生成工具,例如XDoclet.

22.你需要熟悉一種單元測試體系(JNunit),並且學習不同的生成、部署工具(Ant,Maven).

23.你需要熟悉一些在Java開發中經常用到的軟體工程過程.例如RUP(RationalUnifiedProcess)andAgilemethodologies.

24.你還需要緊跟Java發展的步伐,比如現在可以深入的學習Webwork2.0

25.你必需要對實際項目的開發流程有所了解,至少要有兩個有實際應用價值的項目,而不是練習項目!
   現在企業看重的是你有沒有實際的開發經驗,真正開發經驗的體現就是你做的項目,也就是有實際應用的項目!

Eclipse 開發 Windows GUI


安裝 WindowBuilder
到 Eclipse 官網 http://www.eclipse.org/windowbuilder/download.php


複製所屬 Eclipse 版本 link 上的 URL,貼上


2017年4月2日 星期日

Hibernate Query 用法

Hibernate Query examples (HQL)
出處: mkyong.com
         
https://www.mkyong.com/hibernate/hibernate-query-examples-hql/

 HQL Select Query Example

Retrieve a stock data where stock code is “7277”.
Query query = session.createQuery("from Stock where stockCode = :code ");
query.setParameter("code", "7277");
List list = query.list();
Query query = session.createQuery("from Stock where stockCode = '7277' ");
List list = query.list();

2. HQL Update Query Example

Update a stock name to “DIALOG1” where stock code is “7277”.
Query query = session.createQuery("update Stock set stockName = :stockName" +
        " where stockCode = :stockCode");
query.setParameter("stockName", "DIALOG1");
query.setParameter("stockCode", "7277");
int result = query.executeUpdate();
Query query = session.createQuery("update Stock set stockName = 'DIALOG2'" +
        " where stockCode = '7277'");
int result = query.executeUpdate();

3. HQL Delete Query Example

Delete a stock where stock code is “7277”.
Query query = session.createQuery("delete Stock where stockCode = :stockCode");
query.setParameter("stockCode", "7277");
int result = query.executeUpdate();
Query query = session.createQuery("delete Stock where stockCode = '7277'");
int result = query.executeUpdate();

4. HQL Insert Query Example

In HQL, only the INSERT INTO … SELECT … is supported; there is no INSERT INTO … VALUES. HQL only support insert from another table. For example
"insert into Object (id, name) select oo.id, oo.name from OtherObject oo";
Insert a stock record from another backup_stock table. This can also called bulk-insert statement.
Query query = session.createQuery("insert into Stock(stock_code, stock_name)" +
       "select stock_code, stock_name from backup_stock");
int result = query.executeUpdate();
The query.executeUpdate() will return how many number of record has been inserted, updated or deleted.

Reference

  1. Hibernate 3.3.2 query documentation

2017年4月1日 星期六

Linux 誤刪檔案解決辦法

首先先用 wget 下載 extundelete-0.2.0.tar.bz2 這個檔案,然後使用以下指令進行解壓縮

如下載至 /temp
tar -xvf extundelete-0.2.0.tar.bz2
切換到解壓縮的目錄 /temp 執行 二次./configure
./configure
./configure

執行 make 編譯原始碼 make compiler 好的 執行檔在 src 目錄中 執行救回誤刪檔案 ./src/extundelete /dev/sda1 –restore-all

Java 不同編碼字串, 其字串長度大小計算

以 Java 開發專案, 在 DAO 寫入資料庫時, 常遇到JAVA 字串與資料庫編碼不一致, 有時會產生字串過長,導致無法寫入資料庫的情況. 這時就要在入庫前, 先驗證 JAVA 編碼字串是否超出資料庫欄位長度 JAVA 依 不同編碼, 其長度是不一樣的 如: ...