454. 矩陣面積(入門)

weixin_41057555發表於2020-10-27

描述

實現一個矩陣類Rectangle,包含如下的一些成員變數與函式:

  1. 兩個共有的成員變數 width 和 height 分別代表寬度和高度。
  2. 一個建構函式,接受2個引數 width 和 height 來設定矩陣的寬度和高度。
  3. 一個成員函式 getArea,返回這個矩陣的面積。

樣例  

樣例1:
Java:
    Rectangle rec = new Rectangle(3, 4);
    rec.getArea(); // should get 12,3*4=12

Python:
    rec = Rectangle(3, 4)
    rec.getArea()

樣例2:
Java:
    Rectangle rec = new Rectangle(4, 4);
    rec.getArea(); // should get 16,4*4=16

Python:
    rec = Rectangle(4, 4)
    rec.getArea()

程式碼實現

public class Rectangle {
    /*
     * Define two public attributes width and height of type int.
     */
    // write your code here
    int width = 0;
    int height = 0;
    
    /*
     * Define a constructor which expects two parameters width and height here.
     */
    // write your code here
    public Rectangle(int width,int height){
        this.width = width;
        this.height = height;
    }
    /*
     * Define a public method `getArea` which can calculate the area of the
     * rectangle and return.
     */
    // write your code here
    public int getArea(){
        return width * height;
    }
}

 

相關文章