The APEROS Code Review Elements
APEROS (Availability, Performance, Extensibility, Resiliency, Observability, Scalability)
a. Horrendous retry policy - multiple instances querying a problematic downstream until starvation
在處理 try-catch 中,應避免不斷做多餘的嘗試 (retry)。
function readFromDownstream() {
var response = null;
do {
try {
response = callServiceA();
} catch (E) {
log.err ("Service call failled, retry");
}
} while (response != null)
}
b. Resource exhaustion threat if upstream load is not capped
此範例中當收到 Request 會直接生成新的Task 進行處裡。這可能會讓服務 Loading 太重,應該設定一個上限值以確保系統穩定以及服務可以持續,應使用Service Queue。
function processRequest() {
var future = launchThreadAndAsynchProcessRequest();
if(future.complete) {
return 200;
} else if(future.err) {
return 500;
}
}
效能方面除非實際進行測試,否則無法直接得到結果。然而我們仍然可以以下幾點進行觀測。
a. Early optimisation
在設計階段就考慮效能最佳化
function interpolateData() {
try {
var executionService = new (10); // 10 threads!
var runnable = goThroughData();
executionService.execute(runnable);
} catch (E) {
log.err ("not good");
} finally {
executionService.close()
}
}
b. Missed multithreading opportunity - large data sets will most probably benefit from parallel streams if the operation is atomic
function processList() {
var veryLargeList.stream().map(Bla::doSomethingAtomic).close();
}
c. Immutability candidate - avoid reads and writes if possible, consider whether the data model is right for the use case and whether immutability is not a better option
function updateItem(item) {
var existingItem = readFromDB(item.key);
if(item.this > existingItem.that) {
updateInDB(item);
} else {
// do nothing
}
}
d. Missed batching opportunity - most of the DBs offer batch operations for a reason
function persistList() {
var mediumSizedList.forEach(item -> { myDBClient.persist(item); } );
}
優雅的程式: Refactor, Clear Code
LOG 很重要,當然,只需要紀錄重要的資訊。
a. Stateful - multiple instances will not behave as expected
switch case 取代部分攏長 if/else
function iDontScale(var input) {
if(input.a.equals(DO_THIS)) {
setNextOperation(OPERATION_A);
} else if (input.a.equals(DO_THAT)) {
setNextOperation(OPERATION_B);
}
switch(getNextOperation()){
case OPERATION_A:
// do this
break;
case OPERATION_B:
// do that
break;
default:
// log I can't scale like that
}
b. Non-atomic event consumption - multiple instances may read the same event before the event is flagged as read
Critical Section 要注意!
function readEventDB(var data) {
// read event from DB
var event = readEvent()
// mark event as read from DB
markEventAsRead(event.id)
}