2025/03/25

C++ Thread

Pthreads

POSIX Threads 是 POSIX 的執行緒標準,定義了建立和操控執行緒的一套API。

Process 和 Threads 之間的不同點:

  • Process:
    A process is a program placed in memory or running with all the run-time environment (or all the resources) associated with it.
  • Thread:
    A thread is a portion or part of the process and the smallest sequential unit of instructions processed independently by the scheduler of the operating system.
    It is simply an execution or processing unit composed of a set of instructions contained in the process.

Process 之間的資源是隔離的,而同一個 Process 內的 Thread 之間的記憶體資源是共用的,所以使用 Thread 需要小心的處理全域變數, 需要使用互斥鎖(Mutex)等完成執行緒之間的同步管理。 除了共同的記憶體,執行緒區域儲存區(Thread Local Storage,TLS) 可以讓執行緒有私人的資料儲存區,讓執行緒可以儲存各自執行緒的資料。

Pthreads API 全都以 "pthread_" 開頭,並可以分為四類:

  • 執行緒管理,例如建立執行緒,等待(join)執行緒,查詢執行緒狀態等。
  • 互斥鎖(Mutex):建立、摧毀、鎖定、解鎖、設定屬性等操作
  • 條件變數(Condition Variable):建立、摧毀、等待、通知、設定與查詢屬性等操作
  • 使用了互斥鎖的執行緒間的同步管理

下面是使用的例子:

#include <pthread.h>
#include <stdio.h>
#include <stdlib.h>
#include <time.h>

static void wait(void) {
    time_t start_time = time(NULL);

    while (time(NULL) == start_time) {
        /* do nothing except chew CPU slices for up to one second */
    }
}

static void *thread_func(void *vptr_args) {
    int i;

    for (i = 0; i < 20; i++) {
        fputs("  b\n", stderr);
        wait();
    }

    return NULL;
}

int main(void) {
    int i;
    pthread_t thread;

    if (pthread_create(&thread, NULL, thread_func, NULL) != 0) {
        return EXIT_FAILURE;
    }

    for (i = 0; i < 20; i++) {
        puts("a");
        wait();
    }

    if (pthread_join(thread, NULL) != 0) {
        return EXIT_FAILURE;
    }

    return EXIT_SUCCESS;
}

建立執行緒的函式如下:

int pthread_create(pthread_t *thread, const pthread_attr_t *attr, void *(*start_routine) (void *), void *arg);

執行緒屬性 pthread_attr_t 可以設定 __detachstate,表示新執行緒是否與行程中其他執行緒脫離同步。 如果設定為 PTHREAD_CREATE_DETACHED,則新執行緒不能用 pthread_join() 來同步,且在退出時自行釋放所占用的資源。 預設為 PTHREAD_CREATE_JOINABLE 狀態。也可以先建立執行緒並執行以後用 pthread_detach() 來設定。 一旦設定為 PTHREAD_CREATE_DETACHED 狀態,不論是建立時設定還是執行時設定,都不能再恢復到 PTHREAD_CREATE_JOINABLE 狀態。

C++ Thread

自 C++11 開始,C++ 標準函式庫提供了 Thread library。

下面就是一個使用的例子。

#include <iostream>
#include <thread>

void myfunc() { std::cout << "At myfunc..." << std::endl; }

int main() {
    std::thread t1(myfunc);

    std::this_thread::sleep_for(std::chrono::seconds(1));

    t1.join();
    return 0;
}

參考連結

2025/03/09

C++ 學習筆記

C++ 設計原則

Bjarne Stroustrup 博士在 20 世紀 80 年代在貝爾實驗室工作期間發明並實現了 C++。 一開始的想法可以追溯到 1979 年,起初這種語言被稱作「C with Classes」,作為 C 語言的增強版出現。 C++ 在 C 的基礎上增加功能,並且儘量與 C 的相容。 C++ 比起其它語言有巨大優勢的地方,就是可以直接使用 C 的函式。

C++ 編譯器自由軟體的主要實作為 GNU Compiler Collection (GCC) 與 Clang

C++ 是一個通用的語言,抽象資料型別為 C++ 的核心概念, 含有一些系統程式領域的特性,並且期望能夠達到下列的目標:

  • is a better C
  • supports data abstraction
  • supports object-oriented programming
  • supports generic programming
在《C++語言的設計和演化》(1994)中,Bjarne Stroustrup 描述了他在設計C++時,所使用的一些原則。
  • C++ 設計成靜態類型、和 C同樣高效率且可移植的多用途程式設計語言。
  • C++ 設計成直接的和廣泛的支援多種程式設計風格。
  • C++ 設計成給程式設計者更多的選擇,即使可能導致程式設計者選擇錯誤。
  • C++ 設計成盡可能與 C 相容,籍此提供一個從 C 到 C++ 的平滑過渡。
  • C++ 避免平臺限定或沒有普遍用途的特性。
  • C++ 不使用會帶來額外開銷的特性。
  • C++ 設計成無需複雜的程式設計環境。

但是,C++ 標準並沒有規範 Object Model 的實作方式,同時 C++ 也缺乏 ABI 的標準, 因此在 Windows Platform 上各家編譯器所產出的 DLL 很難互通,這是 C++ 在 binary level 上的缺點。


下面是一個 C 的 Hello World 程式:

#include <stdio.h>

int main() {
   /* my first program in C */
   printf("Hello, World! \n");

   return 0;
}

In a C program, the semicolon is a statement terminator. That is, each individual statement must be ended with a semicolon. It indicates the end of one logical entity.

C++標準表頭檔沒有副檔名,因為副檔名的命名規則隨各編譯器而有所不同。 下面是 C++ 版的 Hello World:

#include <iostream>

int main() {
    std::cout << "Hello! World!\n";

    return 0;
}

下面是一個範例,使用者在命令列輸入一個字串,然後程式計算字串 MD5 的值並且輸出:

//
// g++ test.cpp -std=c++17 -lcrypto
//
#include <cstring>
#include <string>
#include <iostream>
#include <openssl/md5.h>

std::string MD5(const std::string &src)
{
    MD5_CTX ctx;

    std::string md5_string;
    unsigned char md[16] = {0};
    char tmp[3] = {0};

    MD5_Init(&ctx);
    MD5_Update(&ctx, src.c_str(), src.size());
    MD5_Final(md, &ctx);

    for (int i = 0; i < 16; ++i)
    {
        memset(tmp, 0x00, sizeof(tmp));
        snprintf(tmp, sizeof(tmp), "%02X", md[i]);
        md5_string += tmp;
    }

    return md5_string;
}

int main(int argc, char *argv[])
{
    if (argc == 1)
    {
        std::cout << "Please give a string." << std::endl;
    }
    else
    {
        std::string mystring = argv[1];
        std::cout << "String: " << mystring << std::endl;
        std::cout << "Result: " << MD5(mystring) << std::endl;
    }
    return 0;
}

下面是一個範例,使用者在命令列輸入一個字串,然後程式計算字串 SHA256 的值並且輸出:

//
// g++ test.cpp -std=c++17 -lcrypto
//
#include <cstring>
#include <string>
#include <iostream>
#include <openssl/sha.h>

std::string SHA256(const std::string &src)
{
    SHA256_CTX ctx;

    std::string sha256_string;
    unsigned char md[32] = {0};
    char tmp[3] = {0};

    SHA256_Init(&ctx);
    SHA256_Update(&ctx, src.c_str(), src.size());
    SHA256_Final(md, &ctx);

    for (int i = 0; i < 32; ++i)
    {
        memset(tmp, 0x00, sizeof(tmp));
        snprintf(tmp, sizeof(tmp), "%02X", md[i]);
        sha256_string += tmp;
    }

    return sha256_string;
}

int main(int argc, char *argv[])
{
    if (argc == 1)
    {
        std::cout << "Please give a string." << std::endl;
    }
    else
    {
        std::string mystring = argv[1];
        std::cout << "String: " << mystring << std::endl;
        std::cout << "Result: " << SHA256(mystring) << std::endl;
    }
    return 0;
}

Date types

C++ 中基本的資料型態主要區分為「整數」(Integer)、「浮點數」(Float)、「字元」(Character),而這幾種還可以細分:

  • 整數:用 來表示整數值,可以區分為 short、int 與 long,可容納的大小各不相同,short的長度為半個 word,int 表示一個 word, 而 long 可能是一個或兩個 word(要看採用的 data model),在 32 位元機器上 int 與 long 的長度通常是相同的, 型態的長度越長,表示可表示的整數值範圍越大。 如果是 64 位元的機器 (64-bit computing), 大多數的 UNIX 系統在 64 位元採用 LP64 data model,這時候 long 就會是 8 bytes。 而 Windows 64 位元採用 LLP64 這個 data model,這時候 long 的大小仍然還是 4 bytes,也就是差異出現在 long 這個型別上。
  • 浮點數:用來表示小數值,可以區分為 float、double 與 long double,float 的長度為一個 word,double 的長度為二個 word, long double 長度為 3 或 4 個word。
  • 字元:用來儲存字元,長度為 1 個位元組,其字元編碼主要依 ASCII 表而來,由於字元在記憶體中所佔有的空間較小, 所以它也可以用來儲存較小範圍的整數。

以上的資料型態在記憶體中所佔有的大小依平台系統而有所差異,word 的大小取決於機器,在 32 位元機器上通常一個 word 是 4 個位元組, 如果想要知道這些資料型態在所使用的平台上所佔有的記憶體空間有多少,最好的作法是使用 sizeof() 運算子,取得確實的記憶體大小。

在 C11 標準中,建議包括 stdint.h 程式庫(亦包含在 C++ 的標準函式庫), 使用 int8_tint16_tint32_tint64_tuint8_tuint16_tuint32_tuint64_t 等作為整數型態的宣告,以避免平台相依性的問題。

有時候我們需要表示非十進位的數字(例如八進位或者十六進位)。 在 C 其八進位通常以「0」開頭(注意是數字 0),例如 0640;而十六進位通常以「0x」或「0X」開頭,例如 0xEF 或 0XEF; 而二進位通常以「0b」開頭,例如 0b1。

要注意的是,如果是需要精確求值的場合,那麼需要考慮使用 big number library 來實作,而不是使用浮點數。 有些程式語言(例如 Tcl、Common Lisp 等)直接支援大整數運算,無需顯式地使用 API。 使用浮點數有兩個最根本的問題:輸入與儲存的值不一定精確計算的結果會有誤差

另外,電腦的浮點數常用二進位或十六進位運算與儲存,所以在程式中的十進位數需要轉換為二進位或十六進位, 但是一個簡單的十進位數卻可能轉換成無限位的二進位或十六進位數,而儲存的位置是有限的, 算出來的結果就不夠精確,結果也可能受到四捨五入誤差的影響,如果再用來計算其它值,誤差就會愈滾愈大。


There are two kinds of expressions in C −

  • lvalue − Expressions that refer to a memory location are called "lvalue" expressions. An lvalue may appear as either the left-hand or right-hand side of an assignment.
  • rvalue − The term rvalue refers to a data value that is stored at some address in memory. An rvalue is an expression that cannot have a value assigned to it which means an rvalue may appear on the right-hand side but not on the left-hand side of an assignment.

Constants refer to fixed values that the program may not alter during its execution. These fixed values are also called literals.

Constants can be of any of the basic data types like an integer constant, a floating constant, a character constant, or a string literal.

There are two simple ways in C to define constants −

  • Using #define preprocessor.
  • Using const keyword.

Given below is the form to use #define preprocessor to define a constant −

#define identifier value

The following example explains it in detail −

#include <stdio.h>

#define LENGTH 10
#define WIDTH  5
#define NEWLINE '\n'

int main() {
   int area;

   area = LENGTH * WIDTH;
   printf("value of area : %d", area);
   printf("%c", NEWLINE);

   return 0;
}

You can use const prefix to declare constants with a specific type as follows −

const type variable = value;

The following example explains it in detail −

#include <stdio.h>

int main() {
   const int  LENGTH = 10;
   const int  WIDTH = 5;
   const char NEWLINE = '\n';
   int area;

   area = LENGTH * WIDTH;
   printf("value of area : %d", area);
   printf("%c", NEWLINE);

   return 0;
}

Macros in C and C++ are tokens that are processed by the preprocessor before compilation. Each instance of a macro token is replaced with its defined value or expression before the file is compiled. Macros are commonly used in C-style programming to define compile-time constant values. However, macros are error-prone and difficult to debug. In modern C++, you should prefer constexpr variables for compile-time constants:

#define SIZE 10 // C-style
constexpr int size = 10; // modern C++

constexpr 可以說是 C++11 對 const 修飾字的加強。 常數表達式 (constant expression) 代表的是可以在編譯時期經過固定確定運算得到確切值的表達式。


A storage class defines the scope (visibility) and life-time of variables and/or functions within a C Program. They precede the type that they modify. We have four different storage classes in a C program −

  • auto
  • register
  • static
  • extern

The auto storage class is the default storage class for all local variables.

{
   int mount;
   auto int month;
}

The register storage class is used to define local variables that should be stored in a register instead of RAM.

{
   register int  miles;
}

The static storage class instructs the compiler to keep a local variable in existence during the life-time of the program instead of creating and destroying it each time it comes into and goes out of scope. Therefore, making local variables static allows them to maintain their values between function calls.

The extern storage class is used to give a reference of a global variable that is visible to ALL the program files. When you use 'extern', the variable cannot be initialized however, it points the variable name at a storage location that has been previously defined.


Arrays a kind of data structure that can store a fixed-size sequential collection of elements of the same type. An array is used to store a collection of data, but it is often more useful to think of an array as a collection of variables of the same type.

You can initialize an array in C either one by one or using a single statement as follows −

double balance[5] = {1000.0, 2.0, 3.4, 7.0, 50.0};

If you omit the size of the array, an array just big enough to hold the initialization is created. Therefore, if you write −

double balance[] = {1000.0, 2.0, 3.4, 7.0, 50.0};

A pointer is a variable whose value is the address of another variable, i.e., direct address of the memory location. Like any variable or constant, you must declare a pointer before using it to store any variable address.

#include <stdio.h>

int main () {

   int  var = 20;   /* actual variable declaration */
   int  *ip;        /* pointer variable declaration */

   ip = &var;  /* store address of var in pointer variable*/

   printf("Address of var variable: %x\n", &var  );

   /* address stored in pointer variable */
   printf("Address stored in ip variable: %x\n", ip );

   /* access the value using the pointer */
   printf("Value of *ip variable: %d\n", *ip );

   return 0;
}

It is always a good practice to assign a NULL value to a pointer variable in case you do not have an exact address to be assigned. This is done at the time of variable declaration. A pointer that is assigned NULL is called a null pointer.

Arrays are not pointers! Arrays look like pointers, and pointers can refer to array objects. For example, people sometimes think that char s[] is identical to char *s. But they aren’t identical. The array declaration char s[12] requests that space for 12 characters be set aside, to be known by the name s. The pointer declaration char *p, on the other hand, requests a place that holds a pointer, to be known by the name p. This pointer can point to almost anywhere: to any char, to any contiguous array of chars, or frankly nowhere.


參考(Reference)是 C++ 新增加的語言特性,為物件的別名(Alias),也就是替代名稱,對參考名稱存取時該有什麼行為, 都參考了來源物件該有的行為,在 C++ 中,「物件」這個名詞,不單只是指類別的實例,而是指記憶體中的一塊資料。

要定義參考,是在型態關鍵字後加上 & 運算子,例如:

int n = 10;
int *p = &n;
int &r = n;

上面的程式中,最後一行定義參考。參考一定要初始化,否則無法通過編譯。 與指標 (pointer) 不同,參考在初始化之後不能參照不同的物件,或設為 null,也因此參考一般而言比指標安全。


C 並沒有為 String 定義一個型別,字串在 C 語言中是一個以 null character '\0' 為結尾的一維陣列。 這讓 C 的字串需要小心的處理。

如果要在 C 進行字串串接,可以使用 asprintf,雖然是 GNU 自行擴充的 function,但是使用上很方便。

#define _GNU_SOURCE
#include <stdio.h>

下面則是使用的例子:

char *s;
asprintf(&s,"hello,%s","-Reader-");
printf("%s\n",s);
if (s) free(s);

C++ 在這一點則有所改變,加入了 std::string 作為字串物件類別。


Arrays allow to define type of variables that can hold several data items of the same kind. Similarly structure is another user defined data type available in C that allows to combine data items of different kinds.

To define a structure, you must use the struct statement. The struct statement defines a new data type, with more than one member. The format of the struct statement is as follows −

struct [structure tag] {

   member definition;
   member definition;
   ...
   member definition;
} [one or more structure variables];

The structure tag is optional and each member definition is a normal variable definition, such as int i; or float f; or any other valid variable definition. At the end of the structure's definition, before the final semicolon, you can specify one or more structure variables but it is optional. Here is the way you would declare the Book structure −

struct Books {
   char  title[50];
   char  author[50];
   char  subject[100];
   int   book_id;
} book;

An enum is a special type that represents a group of constants (unchangeable values).

下面是一個 enum 的例子:

enum Level {
  LOW,
  MEDIUM,
  HIGH
}; 

下面就是宣告變數並且初始化的例子:

enum Level myVar = MEDIUM;

「Scoped and strongly typed enums」是 C++11 時所引進的一個新的功能,主要是要取代舊的列舉型別(enum)。 基本用法是在 enum 後面,再加上 class 或 struct;而要使用定義的值的時候,一定要加上範圍(scope、在這裡就是指 class 的名稱)。

enum class EColor
{
    RED,
    GREEN,
    BLUE
};

EColor eColor = EColor::RED;

另外,在 C++11 開始,不管是 enum 或 enum class,也都可以指定實際要使用的型別。

enum class EColor : char
{
  RED,
  GREEN,
  BLUE
};

A union is a special data type available in C that allows to store different data types in the same memory location. You can define a union with many members, but only one member can contain a value at any given time. Unions provide an efficient way of using the same memory location for multiple-purpose.

To define a union, you must use the union statement in the same way as you did while defining a structure. The union statement defines a new data type with more than one member for your program. The format of the union statement is as follows −

union [union tag] {
   member definition;
   member definition;
   ...
   member definition;
} [one or more union variables];

The union tag is optional and each member definition is a normal variable definition, such as int i; or float f; or any other valid variable definition. At the end of the union's definition, before the final semicolon, you can specify one or more union variables but it is optional. Here is the way you would define a union type named Data having three members i, f, and str −

union Data {
   int i;
   float f;
   char str[20];
} data;

Now, a variable of Data type can store an integer, a floating-point number, or a string of characters. It means a single variable, i.e., same memory location, can be used to store multiple types of data. You can use any built-in or user defined data types inside a union based on your requirement.

The memory occupied by a union will be large enough to hold the largest member of the union. For example, in the above example, Data type will occupy 20 bytes of memory space because this is the maximum space which can be occupied by a character string.


The declaration of a bit-field has the following form inside a structure −

struct {
   type [member_name] : width ;
};

The variables defined with a predefined width are called bit fields. A bit field can hold more than a single bit; for example, if you need a variable to store a value from 0 to 7, then you can define a bit field with a width of 3 bits as follows −

struct {
   unsigned int age : 3;
} Age;

The C programming language provides a keyword called typedef, which you can use to give a type a new name. Following is an example to define a term BYTE for one-byte numbers −

typedef unsigned char BYTE;

You can use typedef to give a name to your user defined data types as well. For example, you can use typedef with structure to define a new data type and then use that data type to define structure variables directly as follows −

#include <stdio.h>
#include <string.h>

typedef struct Books {
   char title[50];
   char author[50];
   char subject[100];
   int book_id;
} Book;

int main( ) {

   Book book;

   strcpy( book.title, "C Programming");
   strcpy( book.author, "Nuha Ali");
   strcpy( book.subject, "C Programming Tutorial");
   book.book_id = 6495407;

   printf( "Book title : %s\n", book.title);
   printf( "Book author : %s\n", book.author);
   printf( "Book subject : %s\n", book.subject);
   printf( "Book book_id : %d\n", book.book_id);

   return 0;
}

The C Preprocessor is not a part of the compiler, but is a separate step in the compilation process. In simple terms, a C Preprocessor is just a text substitution tool and it instructs the compiler to do required pre-processing before the actual compilation. We'll refer to the C Preprocessor as CPP.

All preprocessor commands begin with a hash symbol (#). It must be the first nonblank character, and for readability, a preprocessor directive should begin in the first column.

ANSI C defines a number of macros.

#include <stdio.h>

int main() {

   printf("File :%s\n", __FILE__ );
   printf("Date :%s\n", __DATE__ );
   printf("Time :%s\n", __TIME__ );
   printf("Line :%d\n", __LINE__ );
   printf("ANSI :%d\n", __STDC__ );

}

The token-pasting operator (##) within a macro definition combines two arguments. It permits two separate tokens in the macro definition to be joined into a single token. For example −

#include <stdio.h>

#define tokenpaster(n) printf ("token" #n " = %d", token##n)

int main(void) {
   int token34 = 40;
   tokenpaster(34);
   return 0;
}

A header file is a file with extension .h which contains C function declarations and macro definitions to be shared between several source files. There are two types of header files: the files that the programmer writes and the files that comes with your compiler.

You request to use a header file in your program by including it with the C preprocessing directive #include, like you have seen inclusion of stdio.h header file, which comes along with your compiler.

Including a header file is equal to copying the content of the header file but we do not do it because it will be error-prone and it is not a good idea to copy the content of a header file in the source files, especially if we have multiple source files in a program.

A simple practice in C or C++ programs is that we keep all the constants, macros, system wide global variables, and function prototypes in the header files and include that header file wherever it is required.

If a header file happens to be included twice, the compiler will process its contents twice and it will result in an error. The standard way to prevent this is to enclose the entire real contents of the file in a conditional, like this −

#ifndef HEADER_FILE
#define HEADER_FILE

the entire header file file

#endif

Control flow

C 語言用來判斷條件的 statement 有二個,ifswitch。 另外還有條件運算子 ? : 這個運算子。

Exp1 ? Exp2 : Exp3;

C 語言迴圈包含了 while, fordo ... while 等三種迴圈。


Write a program that displays the digits from 1 to n then back down to 1; for instance, if n = 5, the program should display 123454321. You are permitted to use only a single for loop. The range is 0 < n < 10.

首先是使用 switch 來解:

#include <stdio.h>
#include <stdlib.h>

int main(int argc, char *argv[]) {
    int n = 0;

    if (argc >= 2) {
        n = atoi(argv[1]);
    } else {
        fprintf(stderr, "Please give a number.\n");
        return 1;
    }

    if (n < 1 || n > 9) {
        fprintf(stderr, "Out of range.\n");
        return 1;
    }

    switch (n) {
    case 1:
        printf("1\n");
        break;
    case 2:
        printf("121\n");
        break;
    case 3:
        printf("12321\n");
        break;
    case 4:
        printf("1234321\n");
        break;
    case 5:
        printf("123454321\n");
        break;
    case 6:
        printf("12345654321\n");
        break;
    case 7:
        printf("1234567654321\n");
        break;
    case 8:
        printf("123456787654321\n");
        break;
    case 9:
        printf("12345678987654321\n");
        break;
    default:
        printf("Please input 0 < n < 10\n");
        break;
    }

    return 0;
}

接下來,改為使用 while 的版本:

#include <stdio.h>
#include <stdlib.h>

int main(int argc, char *argv[]) {
    int n = 0;

    if (argc >= 2) {
        n = atoi(argv[1]);
    } else {
        fprintf(stderr, "Please give a number.\n");
        return 1;
    }

    if (n < 1 || n > 9) {
        fprintf(stderr, "Out of range.\n");
        return 1;
    }

    int positive = 1;
    int count = 0;
    while (1) {
        if (positive == 1) {
            count++;
            printf("%d", count);
            if (count == n) {
                positive = 0;
                continue;
            }
        } else {
            count--;
            if (count > 0) {
                printf("%d", count);
            } else {
                break;
            }
        }
    }
    printf("\n");

    return 0;
}

C++ 的控制結構大致上與 C 相同,在 C++11 增加了以範圍為基礎的 for 陳述式。

#include <iostream>

int main() {

    for (int i : {1, 2, 3}) {
        std::cout << i << std::endl;
    }

    return 0;
}

Function

函式 (Function) 的組成主要包括四個部份:返回值、函式名稱、參數列與函式主體。前三者稱為函式宣告或函式原型(Function prototype), 在 C++ 中規定,如果函式是在 main 之後實作,必須在 main 之前進行宣告,否則會出現編譯錯誤。

如果函式不傳回任何值,則宣告為 void,若不傳入任何引數,參數列保持空白即可,雖然也可以使用 void 來加以註明, 要注意的是 void 註明參數列不使用為是 C 的風格,而在 C++ 中,參數列空白就表示這個函式不接受任何引數。

在含入標頭檔時,若標頭檔與含入標頭檔的文件在同一目錄,就使用雙引號 " " 來包括標頭檔名稱,如果是標準或專案專屬的標頭檔,例如 C++ 的標準表頭檔,那麼使用角括號 < > 來括住,編譯器在尋找時就會從設定的目錄尋找。

下面是 C 語言對函式的參數沒有固定數目時的方法。

#include <stdio.h>
#include <stdarg.h>

double average(int num,...) {

   va_list valist;
   double sum = 0.0;
   int i;

   /* initialize valist for num number of arguments */
   va_start(valist, num);

   /* access all the arguments assigned to valist */
   for (i = 0; i < num; i++) {
      sum += va_arg(valist, int);
   }

   /* clean memory reserved for valist */
   va_end(valist);

   return sum/num;
}

int main() {
   printf("Average of 2, 3, 4, 5 = %f\n", average(4, 2,3,4,5));
   printf("Average of 5, 10, 15 = %f\n", average(3, 5,10,15));
}

C 語言在 <stdlib.h> 定義了關於記憶體管理的函式,例如 malloc, realloc 與 free。

#include <stdio.h>
#include <stdlib.h>
#include <string.h>

int main() {

   char name[100];
   char *description = NULL;

   strcpy(name, "Zara Ali");

   /* allocate memory dynamically */
   description = (char *) malloc( 200 * sizeof(char) + 1);

   if( description == NULL ) {
      fprintf(stderr, "Error - unable to allocate required memory\n");
   } else {
      strcpy( description, "Zara ali a DPS student in class 10th");
   }

   printf("Name = %s\n", name );
   printf("Description: %s\n", description );

   /* Free memory */
   if(description) free(description);
}

下面是人類猜數字的小遊戲:

#include <stdio.h>
#include <stdlib.h>
#include <string.h>
#include <time.h>

int getA(char *ans, char *guess) {
  int len1 = 0;
  int len2 = 0;
  int count = 0;

  len1 = strlen(ans);
  len2 = strlen(guess);

  if (len1 != len2) {
    return 0;
  }

  for (int i = 0; i < len1; i++) {
    if (ans[i] == guess[i]) {
      count++;
    }
  }

  return count;
}

int getB(char *ans, char *guess) {
  int len1 = 0;
  int len2 = 0;
  int count = 0;

  len1 = strlen(ans);
  len2 = strlen(guess);

  if (len1 != len2) {
    return 0;
  }

  for (int i = 0; i < len1; i++) {
    for (int j = 0; j < len2; j++) {
      if (i != j) {
        if (ans[i] == guess[j]) {
          count++;
        }
      }
    }
  }

  return count;
}

int main() {
  int answer = 1;
  char ans[5];
  char guess[5];
  int avalue = 0;
  int bvalue = 0;

  srand(time(0));

  while (1) {
    answer = (int)(rand() % 9999);
    sprintf(ans, "%04d", answer);

    if (ans[0] != ans[1] && ans[0] != ans[2] && ans[0] != ans[3] &&
        ans[1] != ans[2] && ans[1] != ans[3] && ans[2] != ans[3]) {
      break;
    }
  }

  while (1) {
    printf("Please input your guess: ");
    scanf("%s", guess);
    avalue = getA(ans, guess);
    bvalue = getB(ans, guess);
    printf("Result: A = %d, B = %d\n", avalue, bvalue);

    if (avalue == 4 && bvalue == 0) {
      printf("Game is completed.\n");
      break;
    }

    printf("\n");
  }
}

下面是電腦猜數字的小遊戲:

#include <stdio.h>
#include <stdlib.h>
#include <string.h>

int getA(char *ans, char *guess) {
  int len1 = 0;
  int len2 = 0;
  int count = 0;

  len1 = strlen(ans);
  len2 = strlen(guess);

  if (len1 != len2) {
    return 0;
  }

  for (int i = 0; i < len1; i++) {
    if (ans[i] == guess[i]) {
      count++;
    }
  }

  return count;
}

int getB(char *ans, char *guess) {
  int len1 = 0;
  int len2 = 0;
  int count = 0;

  len1 = strlen(ans);
  len2 = strlen(guess);

  if (len1 != len2) {
    return 0;
  }

  for (int i = 0; i < len1; i++) {
    for (int j = 0; j < len2; j++) {
      if (i != j) {
        if (ans[i] == guess[j]) {
          count++;
        }
      }
    }
  }

  return count;
}

int main() {
  int count = 0;
  int index = 0;
  char **total;
  char **total_new;
  char **newtotal;
  char ans[5];
  int avalue = 0;
  int bvalue = 0;

  total = (char **)malloc(sizeof(char *) * 5040);
  if (!total) {
    printf("Malloc failed.\n");
    return 0;
  }

  for (int i = 0; i <= 9; i++) {
    for (int j = 0; j <= 9; j++) {
      for (int k = 0; k <= 9; k++) {
        for (int m = 0; m <= 9; m++) {
          if (i != j && i != k && i != m && j != k && j != m && k != m) {
            char buffer[5] = {0};
            sprintf(buffer, "%d%d%d%d", i, j, k, m);
            total[count] = (char *)malloc(sizeof(char) * 5);
            strcpy(total[count], buffer);
            count++;
          }
        }
      }
    }
  }

  while (1) {
    if (count == 0) {
      printf("Something is wrong.\n");
      break;
    }

    strcpy(ans, total[0]);
    printf("My answer is %s.\n", ans);
    printf("The a value is: ");
    scanf("%d", &avalue);
    printf("The b value is: ");
    scanf("%d", &bvalue);

    if (avalue == 4 && bvalue == 0) {
      printf("Game is completed.\n");
      break;
    }

    index = 0;
    newtotal = (char **)malloc(sizeof(char *) * count);
    for (int i = 0; i < count; i++) {
      int aguess = 0;
      int bguess = 0;
      aguess = getA(total[i], ans);
      bguess = getB(total[i], ans);

      if (aguess == avalue && bguess == bvalue) {
        newtotal[index] = (char *)malloc(sizeof(char) * 5);
        strcpy(newtotal[index], total[i]);
        index++;
      }
    }

    total_new = (char **)realloc(total, sizeof(char *) * index);
    if (!total_new) {
        printf("Realloc failed.\n");
        break;
    }
    total = total_new;

    for (int i = 0; i < index; i++) {
      strcpy(total[i], newtotal[i]);
    }

    for (int i = 0; i < index; i++) {
      if (newtotal[i]) {
        free(newtotal[i]);
      }
    }
    if (newtotal) {
      free(newtotal);
    }

    count = index;
    printf("\n");
  }

  for (int i = 0; i < count; i++) {
    if (total[i])
      free(total[i]);
  }

  if (total) {
    free(total);
  }
}

realloc 的行為要特別注意,如果失敗會傳回 NULL,但是原本配置的記憶體並不會釋放!所以需要特別處理。

C++ Class

變數(Variable)提供一個有名稱的記憶體儲存空間,一個變數關係至一個資料型態,一個變數本身的值與一個變數的位址值。 變數資料型態決定了變數所分配到的記憶體大小;變數本身的值是指儲存於記憶體中的某個數值,而您可以透過變數名稱取得這個數值, 這個數值又稱為 rvalue或 read value;而變數的位址值則是指變數所分配到的記憶體之位置,變數本身又稱為lvalue或 location value。

由於 C++ 的演化來自 C,在 C++ 中的術語物件和 C 語言一樣是意味著記憶體區域,而不是類別實體。在 class 中,有兩大成員,一是資料(data member),一是行為(member function)。

C++ 使用 new 和 delete 來建立和刪除物件,
string *stringPtr1 = new string;
delete stringPtr1;
下面是另外一個形式:
string *stringPtr1 = new string[100];
delete [] stringPtr1;
C++ 的 new 運算子和 C 的 malloc 函式都是為了要配置記憶體,但是 new 不但配置物件所需的記憶體空間,同時會引發建構式的執行。

雖然 new 運算子看起來是單一運算,但是包含了二個動作:
  1. 透過適當的 new 運算子函式實體,配置所需的記憶體(new 運算子配置所需的記憶體實作上幾乎都是以標準的 C malloc() 來完成,正如 delete 運算子是以 C free() 來完成)
  2. 將所配置的物件設立初值

Brace initialization

It is not always necessary to define a constructor for a class, especially ones that are relatively simple. Users can initialize objects of a class or struct by using uniform initialization, as shown in the following example:

// no_constructor.cpp
// Compile with: cl /EHsc no_constructor.cpp
#include <time.h>

// No constructor
struct TempData
{
    int StationId;
    time_t timeSet;
    double current;
    double maxTemp;
    double minTemp;
};

// Has a constructor
struct TempData2
{
    TempData2(double minimum, double maximum, double cur, int id, time_t t) :
       stationId{id}, timeSet{t}, current{cur}, maxTemp{maximum}, minTemp{minimum} {}
    int stationId;
    time_t timeSet;
    double current;
    double maxTemp;
    double minTemp;
};

int main()
{
    time_t time_to_set;

    // Member initialization (in order of declaration):
    TempData td{ 45978, time(&time_to_set), 28.9, 37.0, 16.7 };

    // Default initialization = {0,0,0,0,0}
    TempData td_default{};

    // Uninitialized = if used, emits warning C4700 uninitialized local variable
    TempData td_noInit;

    // Member declaration (in order of ctor parameters)
    TempData2 td2{ 16.7, 37.0, 28.9, 45978, time(&time_to_set) };

    return 0;
}

Note that when a class or struct has no constructor, you provide the list elements in the order that the members are declared in the class. If the class has a constructor, provide the elements in the order of the parameters. If a type has a default constructor, either implicitly or explicitly declared, you can use default brace initialization (with empty braces).

For example, the following class may be initialized by using both default and non-default brace initialization:

#include <string>
using namespace std;

class class_a {
public:
    class_a() {}
    class_a(string str) : m_string{ str } {}
    class_a(string str, double dbl) : m_string{ str }, m_double{ dbl } {}
double m_double;
string m_string;
};

int main()
{
    class_a c1{};
    class_a c1_1;

    class_a c2{ "ww" };
    class_a c2_1("xx");

    // order of parameters is the same as the constructor
    class_a c3{ "yy", 4.4 };
    class_a c3_1("zz", 5.5);
}

If a class has non-default constructors, the order in which class members appear in the brace initializer is the order in which the corresponding parameters appear in the constructor, not the order in which the members are declared (as with class_a in the previous example).

靜態變數與函式

static 成員變數不屬於物件的一部份,而是類別的一部份,所以可以在沒有建立任何物件的情況下就處理 static 成員變數。而且即使 static 成員變數的權限為 private,設定 static 成員變數初值時,不受任何存取權限的束縛。

static 成員函式和 static 成員變數一樣,可以在沒有建立任何物件的情況下就被呼叫執行。 而之所以可以在未建立任何物件的情況下就被呼叫執行, 是因為編譯器不會為它暗自加上一個 this 指標, 也因為缺少 this 指標,static 成員函式無法處理類別之中的 non-static 成員變數。

C++ Object Model

Stroustrup 所設計的 Model:

  • Nonstatic data members 被配置在每一個 class object 之內
  • static data members 被配置在個別的 class object 之外
  • function members 被配置在個別的 class object 之外
  • 每一個 class 產生出指向 virtual functions 的指標,放在表格中(virtual table)。 每一個 class object 都被安插一個指標,指向相關的virtual table。
  • 為了支援 RTTI,會在 virtual table 的第一個 slot 插入型別資訊

多型的實現方式很複雜,大致上是編譯器或 VM 在資料結構內加入一個資料指標,此指標通常稱爲 vptr,是 Virtual Table Pointer 的意思。vptr 指向一個 Virtual Table,此 Virtual Table 是一個陣列 (array),由許多函數指標所組成,每個函數指標各自指向一個函數的地址。不管是 C++ 編譯器、或是 Java VM、或是 .NET CLR,內部都是以此方式來實現多型。

C++ Object Model 提供了有效率的執行時期支援,再加上與 C 之間的相容性,造成了 C++ 的流行。但是因為 Object Layout (物件大小、每一個非虛擬的 member)在編譯時間就已經固定下來,在 binary level 上阻礙了使用的彈性。

C++:封裝(Encapsulation)

資訊隱藏的意義在於將物件的實際內容除非有必要,否則最好將實際內容隱藏在介面裡。

C++ 的存取等級分為 public, protected, private 三種,把資料宣告為 private,只能透過特定的介面來操作,這就是物件導向的封裝(encapsulation)特性。

C++:繼承 (Inherit)

繼承:讓使用者藉由在已經有的類別上,加入新成員(資料或者是函式來定義新的類別,而不必重新設計。

C++ 的繼承分為三種情況:

  • Public
  • Protected
  • Private

成員函式有一個隱藏參數,名為 this 指標(代表著物件自己),因此可以知道所應喚起的函式。

C++ 多型支援:虛擬函式

對物件導向的程式語言來說,在繼承關係發生的同時,子類別可能會去覆寫父類別的函式。因此在所謂「多型」的機制下, 就無法在編譯時期決定要呼叫的究竟是那個函式,也就是到了執行時期才決定要呼叫的究竟是那一個函式(所引申的意義,就是多型的前提是繼承, 只有繼承才有多型行為的產生)。

物件導向的三個特色:封裝、繼承、多型,其中最重要的多型,C++ 是靠繼承和動態繫結(Dynamic binding)達成, 「虛擬函式」可以實現「執行時期」的多型支援,是一個「動態繫結」, 也就是指必須在執行時期才會得知所要調用的物件或其上的公開介面,以相同的指令卻喚起了不同的函式,也就是「一種介面,多種用途」。

如果 C++ 沒有虛擬函式,如果以一個「基礎類別之指標」指向一個「衍生類別之物件」, 那麼使用此指標就只能夠呼叫基礎類別(而不是衍生類別)所定義的函式。C++ 透過指標或參考來支援多型,以 Virtual function 來達到多型的實現, Virtual function 在基底類別中使用關鍵字 virtual 宣告,並在衍生類別中重新定義虛擬函式。 多型與動態繫結只有在使用指標或參考時才得以發揮它們的特性。

虛擬函式可以實現執行時期的「多型」,一個含有虛擬函式的類別被稱為「多型的類別」(Polymorphic class), 當一個基底類別型態的指標指向一個含有虛擬函式的衍生類別,您就可以使用這個指標來存取衍生類別中的虛擬函式。

class Window // Base class for C++ virtual function example
{
  public:
  virtual void Create() // virtual function for C++ virtual function example
  {
    cout <<"Base class Window"<<endl;
  }
};

class CommandButton : public Window
{
  public:
  void Create()
  {
    cout<<"Derived class Command Button - Overridden C++ virtual function"<<endl;
  }
};

void main()
{
  Window  *x, *y;

  x = new Window();
  x->Create();

  y = new CommandButton();
  y->Create();
}

如果沒有宣告為 virtual 的話,CommandButton 所呼叫的 Create() 仍然為 base class 所定義的 Create(),但是宣告為 virtual function 之後,將會視所使用的指標型別而決定要喚起的函式,因此將可以增加使用上的彈性。

純虛擬函式 (Pure Virtual Function)

C++ 提供「純虛擬函式」(Pure virtualfunction),它的存在只是為了在衍生類別中被重新定義,指明某個函式只是提供一個介面, 要求繼承的子類別必須重新定義該函式。

class Work {
  public:
    // pure virtual function
    virtual void doJob() = 0;
};

一個類別中如果含有純虛擬函式,則該類別為一「抽象類別」(Abstract class), 該類別只能被繼承,而不能用來直接生成實例,如果直接產生實例會發生編譯錯誤。

final specifier and override specifier

C++11 標準提供了對虛擬函式更好的表達方式。

final specifier specifies that a virtual function cannot be overridden in a derived class or that a class cannot be inherited from. 如果設定為 final,就表示這就是最後一個覆寫的 virtual function。

struct Base
{
    virtual void foo();
};

struct A : Base
{
    void foo() final; // A::foo is overridden and it is the final override
    void bar() final; // Error: non-virtual function cannot be overridden or be final
};

struct B final : A // struct B is final
{
    void foo() override; // Error: foo cannot be overridden as it's final in A
};

struct C : B // Error: B is final
{
};

override specifier specifies that a virtual function overrides another virtual function. 也就是用來指定是否可以覆寫 virtual function。

struct A
{
    virtual void foo();
    void bar();
};

struct B : A
{
    void foo() const override; // Error: B::foo does not override A::foo
                               // (signature mismatch)
    void foo() override; // OK: B::foo overrides A::foo
    void bar() override; // Error: A::bar is not virtual
};

對於 C++ 而言,因為其設計哲學是「任何特性在不使用的時候,絕對不增加程式的負擔」,所以在不使用虛擬特性的時候,就不會增加呼叫時的負擔。與 Java 這些內建使用動態繫結的語言不同,C++ 比較偏向使用靜態繫結,只有在使用 Virtual 關鍵字時才具有動態繫結的能力,因此與其說 C++ 是一個物件導向語言,不如說是支援物件導向的 Template based 語言。

Templates

Templates are parametrized by one or more template parameters, of three kinds: type template parameters, non-type template parameters, and template template parameters.

C++ 所提供的 template 機制,就是將目標物的資料型別參數化

下面是一個 template 的例子:

template <class T>
inline const T& max(const T& a, const T& b)
{
  return a < b ? b : a;
}

一旦程式以指定引數的方式,確定了型別之後,編譯器便自動針對這個(或這些)型別產生出一份實體。 針對目標物之不同,C++ 支援 function templates 和 class templates 兩大類型, 而後者的 members 又可以是 templates(所謂 member templates),帶來極大的彈性與組合空間。

「由編譯器產生出一份實體」的動作,我們稱之為具現化(instantiation)。由於  Template 具現化的行為是在編譯時期完成,所以愈複雜的 templates,就會需要愈多的編譯時間。然而 template 卻不會影響到執行時間,因此對於程式的執行效率仍然得以保障。

C++ 泛型編程的中心思考是 Template,運算子多載也為 C++ 泛型編程帶來了幫助, 讓我們得以用看起來行為像函式的 Function Object (函式物件, or Functor)寫出更有彈性的程式。 Standard Template Library 是 C++ 泛型編程開花結果之後所帶來的成品,讓我們得以享用這些高編程品質的函式庫。

Templates 是 C++ 支援泛型的重要關鍵。

template<typename To, typename From> To convert(From f);

void g(double d)
{
    int i = convert<int>(d); // calls convert<int,double>(double)
    char c = convert<char>(d); // calls convert<char,double>(double)
    int(*ptr)(float) = convert; // instantiates convert<int, float>(float)
}

關鍵字:typename

C++ 引進了 typename 關鍵字,用來指定 template 內的標識符號為一種型別。 C++ 的規則是,除非用 typename 修飾,template 內的標識符號都會被視為一個實值 (value) 而不是型別。

Parameter pack (since C++11)

A template parameter pack is a template parameter that accepts zero or more template arguments (non-types, types, or templates). A function parameter pack is a function parameter that accepts zero or more function arguments.

A template with at least one parameter pack is called a variadic template.

template<class ... Types> struct Tuple {};
Tuple<> t0;           // Types contains no arguments
Tuple<int> t1;        // Types contains one argument: int
Tuple<int, float> t2; // Types contains two arguments: int and float
Tuple<0> error;       // error: 0 is not a type

A variadic function template can be called with any number of function arguments (the template arguments are deduced through template argument deduction):

template<class ... Types> void f(Types ... args);
f();       // OK: args contains no arguments
f(1);      // OK: args contains one argument: int
f(2, 1.0); // OK: args contains two arguments: int and double

A pattern followed by an ellipsis, in which the name of at least one parameter pack appears at least once, is expanded into zero or more comma-separated instantiations of the pattern, where the name of the parameter pack is replaced by each of the elements from the pack, in order.

template<class ...Us> void f(Us... pargs) {}
template<class ...Ts> void g(Ts... args) {
    f(&args...); // “&args...” is a pack expansion
                 // “&args” is its pattern
}
g(1, 0.2, "a"); // Ts... args expand to int E1, double E2, const char* E3
                // &args... expands to &E1, &E2, &E3
                // Us... pargs expand to int* E1, double* E2, const char** E3

Type casting

Type casting is a way to convert a variable from one data type to another data type. For example, if you want to store a 'long' value into a simple integer then you can type cast 'long' to 'int'. You can convert the values from one type to another explicitly using the cast operator as follows −

(type_name) expression

Consider the following example where the cast operator causes the division of one integer variable by another to be performed as a floating-point operation −

#include <stdio.h>

main() {

   int sum = 17, count = 5;
   double mean;

   mean = (double) sum / count;
   printf("Value of mean : %f\n", mean );
}

Type conversions can be implicit which is performed by the compiler automatically, or it can be specified explicitly through the use of the cast operator. It is considered good programming practice to use the cast operator whenever type conversions are necessary.

因為更重視型別安全的關係,除了上面 C 語言風格的型別轉換, C++ 加入了 static_castdynamic_castconst_castreinterpret_cast 四種 cast。

static_cast 執行於編譯時期,功能與 C-Style cast 相似,但更安全,可以避免不合理的型別轉換。

float f = 3.5;
int n1 = static_cast<int>(f);

為了支援執行時期的型態轉換動作,C++ 提供了dynamic_cast 用來將一個基底類別的指標轉型至衍生類別指標, 稱之為「安全向下轉型」(Safe downcasting),它在執行時期進行型態轉換動作,首先會確定轉換目標與來源是否屬同一個類別階層, 接著才真正進行轉換的動作,檢驗動作在執行時期完成,如果是一個指標,則轉換成功時傳回位址,失敗的話會傳回 0, 如果是參考的話,轉換失敗會丟出 bad_cast例外。

#include <iostream> 
#include <typeinfo> 
using namespace std; 

class Base { 
public: 
    virtual void foo() = 0;
}; 

class Derived1 : public Base { 
public: 
    void foo() { 
        cout << "Derived1" << endl; 
    } 
 
    void showOne() {
        cout << "Yes! It's Derived1." << endl;
    }
}; 

class Derived2 : public Base { 
public: 
    void foo() { 
        cout << "Derived2" << endl; 
    } 
 
    void showTwo() {
        cout << "Yes! It's Derived2." << endl;
    }
}; 

void showWho(Base &base) {
    try {
        Derived1 derived1 = dynamic_cast<Derived1&>(base);
        derived1.showOne();
    }
    catch(bad_cast) {
        cout << "bad_cast 轉型失敗" << endl;
    }
}

int main() { 
    Derived1 derived1;
    Derived2 derived2; 

    showWho(derived1);
    showWho(derived2);
 
    return 0;
}

const_cast 的用途是移除 const 的屬性。除非真的有需要,否則不應該使用。

const int a = 10;
const int *ptr = &a;
int *cc = const_cast<int *>(ptr);
*cc = 99;

reinterpret_cast 用途是強制轉換型別,不論資料大小是否相同。

int number = 10;
// Store the address of number in numberPointer
int* numberPointer = &number;

// Reinterpreting the pointer as a char pointer
char* charPointer
    = reinterpret_cast<char*>(numberPointer);

Exception

如果要在 C++ 中實作例外狀況 (exception) 處理,使用 trythrowcatch 運算式。 開發者需要使用 try 包住可能會發生例外的程式碼區段(也就是使用 throw 丟出例外狀況的程式碼), 在 catch 處理這個 try 區域所發生的例外,並且 catch 裡面的 exception 變數應該要用 reference 的方式。 另外,如果在 catch 拿到例外狀況無法即時處理而需要丟給更上層的 try ... catch 處理,可以使用 throw 重新丟出一個例外狀況。

下面是一個例外狀況處理的例子。

#include <iostream>
#include <vector>
#include <exception>

int main()
{
    std::vector<int> v = {1,2,3};
    try {
        std::cout << v.at(0) << std::endl;
        std::cout << v.at(1) << std::endl;
        std::cout << v.at(2) << std::endl;
        std::cout << v.at(3) << std::endl;
    } catch (std::exception &e) {
        std::cout << "exception: " << e.what() << std::endl;
    }

    return 0;
}

C++ 並不支援 finally,因為 C++ 可以使用 RAII(Resource Acquisition Is Initialization), 也就是物件銷毀的時候也關閉或移除其使用的資源。

Namespace

C++ 可以使用 namespace 來定義名稱空間(或者開啟既存的名稱空間),例如,可以在 account.h 中定義 bank 名稱空間:

#include <string>

namespace bank {
    using namespace std; 

    class Account { 
    private:
        string id;  
        string name; 
        double balance;

    public: 
        Account(string id, string name, double balance);
        void deposit(double amount);
        void withdraw(double amount);
        string to_string() const;
    };
}

在使用上,可以在 account.cpp 可以開啟 bank 名稱空間,並在其中實作類別定義:

#include "account.h"

namespace bank {
    using namespace std;

    Account::Account(string id, string name, double balance) {
        this->id = id;
        this->name = name;
        this->balance = balance;
    }

    string Account::to_string() const {
        return string("Account(") + 
            this->id + ", " +
            this->name + ", " +
            std::to_string(this->balance) + ")";
    }
    
    // ...
}

或者是在實作時指定 bank 範疇:

bank::Account::Account(string id, string name, double balance) {
    this->id = id;
    this->name = name;
    this->balance = balance;
}

string bank::Account::to_string() const {
    return string("Account(") + 
           this->id + ", " +
           this->name + ", " +
           std::to_string(this->balance) + ")";
}

名稱空間會是類別名稱的一部份,因此在使用時,必須包含 bank 前置; 或者是使用 using 來指明使用哪個名稱空間,例如:

using namespace std;
using namespace bank;

using 也可用來導入某個名稱,例如僅導入 std::string、std:cout:

#include <iostream>
#include <string>
using std::string;

int main() {
    string str = "Example";
    using std::cout;
    cout << str;
}

C++ 其實並不建議使用 using,因為這樣如果程式碼如果大到一定規模,可能會出現命名衝突的問題。

C++ 11 Lambda Expression

Lambda expression 在 C++ 中可以視為是一種匿名函數的表示方式,它可以讓程式設計師將函數的內容直接以 inline 的方式寫在一般的程式碼之中, 使用時機跟 functor 與 function pointer 類似,一般的狀況都是使用 lambda expression 定義一個匿名的函數, 然後再將此函數當作另外一個函數的傳入參數來使用。

基本的用法如下:
[=] (int x) mutable throw() -> int
{
  // 函數內容
  int n = x + y;
  return n;
}
[=]:lambda-introducer,也稱為 capture clause。
所有的 lambda expression 都是以它來作為開頭,不可以省略,它除了用來作為 lambda expression 開頭的關鍵字之外,也有抓取(capture)變數的功能,指定該如何將目前 scope 範圍之變數抓取至 lambda expression 中使用,而抓取變數的方式則分為傳值(by value)與傳參考(by reference)兩種,跟一般函數參數的傳入方式類似,不過其語法有些不同,以下我們以範例解釋:
  • []:只有兩個中括號,完全不抓取外部的變數。
  • [=]:所有的變數都以傳值(by value)的方式抓取。
  • [&]:所有的變數都以傳參考(by reference)的方式抓取。
  • [x, &y]x 變數使用傳值、y 變數使用傳參考。
  • [=, &y]:除了 y 變數使用傳參考之外,其餘的變數皆使用傳值的方式。
  • [&, x]:除了 x 變數使用傳值之外,其餘的變數皆使用傳參考的方式。

這裡要注意一點,預設的抓取選項(capture-default,亦即 = 或是 &)要放在所有的項目之前,也就是放在第一個位置。

(int x):lambda declarator,也稱為參數清單(parameter list)。
定義此匿名函數的傳入參數列表,基本的用法跟一般函數的傳入參數列表一樣,不過多了一些限制條件:
  • 不可指定參數的預設值。
  • 不可使用可變長度的參數列表。
  • 參數列表不可以包含沒有命名的參數。

參數清單在 lambda expression 中並不是一個必要的項目,如果不需要傳入任何參數的話,可以連同小括號都一起省略。

mutable:mutable specification。
加入此關鍵字可以讓 lambda expression 直接修改以傳值方式抓取進來的外部變數,若不需要此功能,則可以將其省略。
throw():例外狀況規格(exception specification)。
指定該函數會丟出的例外,其使用的方法跟一般函數的例外指定方式相同。如果該函數沒有使用到例外的功能,則可以直接省略掉。
-> int:傳回值型別(return type)。
指定 lambda expression 傳回值的型別,這個範例是指定傳回值型別為整數(int),其他的型別則以此類推。如果 lambda expression 所定義的函數很單純,只有包含一個傳回陳述式(statement)或是根本沒有傳回值的話,這部分就可以直接省略,讓編譯器自行判斷傳回值的型別。
mutable:compound-statement,亦稱為 Lambda 主體(lambda body)。
這個就是匿名函數的內容,就跟一般的函數內容一樣。

下面是一個最簡單的 Hello World 範例。

#include <iostream>

using namespace std;
int main() {
  auto lambda = []() { cout << "Hello, Lambda" << endl; };
  lambda();
}

再來是 Trailing Zero-Bits 的解法:

/*
 * Trailing Zero-Bits
 * Given a positive integer, count the number of trailing zero-bits in its binary
 * representation. For instance, 18 = 10010, so it has 1 trailing zero-bit,
 * and 48 = 110000, so it has 4 trailing zero-bits.
 */
#include <iostream>

int main(void)
{
    int number = 0;

    auto lambda = [](int num) -> int {
        int count = 0;
        while((num & 1) == 0) {
            count++;
            num = num >> 1;
        }

        return count;
    };

    std::cout << "Please input a number: ";
    std::cin >> number;
    if (std::cin.fail()) {
        std::cout << "It is not a number." << std::endl;
        return 1;
    }

    if (number <= 0) {
        std::cout << "Number requires > 0." << std::endl;
    } else {
        std::cout << lambda(number) << std::endl;
    }
    return 0;
}

也可以在參數列加上 void,明確標示沒有傳入參數,並將傳回值的類型設為 void,明確標示這個函數沒有傳回值:

auto lambda = [](void) -> void { cout << "Hello, Lambda" << endl; };
下面的例子是直接呼叫 lambda expression 所定義的匿名函數,將兩個參數傳入其中進行運算,最後再將運算結果傳回來:
#include <iostream>

int main() {
  using namespace std;
  int n = [] (int x, int y) { return x + y; }(5, 4);
  cout << n << endl;
}

C++ 標準程式庫中有許多的函數在使用時會需要其他的函數作為傳入參數,最常見的就是一些對於陣列的處理函數, 這個例子是 std::count_if 最簡單的使用方式:

#include <iostream>
#include <algorithm>
#include <vector>

using namespace std;

bool condition(int value) {
  return (value > 5);
}

int main() {
  vector<int> numbers { 1, 2, 3, 4, 5, 10, 15, 20, 25, 35, 45, 50 };

  auto count = count_if(numbers.begin(), numbers.end(), condition);
  cout << "Count: " << count << endl;
}

這裡我們定義一個 condition 函數,作為 std::count_if 在判斷元素時的依據,std::count_if 會將每個元素一一傳入 condition 函數中檢查, 最後傳回所有符合條件的元素個數。

由於 std::count_if 所使用到的判斷函數都需要另外定義,這樣會讓程式碼顯得很冗長, 我們可以使用 lambda expression 改寫一下,讓整個程式碼更簡潔:

#include <iostream>
#include <algorithm>
#include <vector>

using namespace std;
int main() {
  vector<int> numbers { 1, 2, 3, 4, 5, 10, 15, 20, 25, 35, 45, 50 };

  auto count = count_if(numbers.begin(), numbers.end(),
    [](int x) { return (x > 5); });
  cout << "Count: " << count << endl;
}

我們將原本 condition 函數所在的位置,直接使用一個 lambda expression 替換,至於傳入的參數與傳回值的類型則維持不變(傳入 int,傳回 bool)。

C++ 11 Automatic Type Deduction and decltype

In C++03, you must specify the type of an object when you declare it. Yet in many cases, an object’s declaration includes an initializer. C++11 takes advantage of this, letting you declare objects without specifying their types:
auto x=0; //x has type int because 0 is int
auto c='a'; //char
auto d=0.5; //double
auto national_debt=14400000000000LL;//long long
Automatic type deduction is chiefly useful when the type of the object is verbose or when it’s automatically generated (in templates). Consider:
void func(const vector<int> &vi)
{
    vector<int>::const_iterator ci=vi.begin();
}
而在 C++11,現在可以這樣使用:
auto ci = vi.begin();
C++11 offers a similar mechanism for capturing the type of an object or an expression. The new operator decltype takes an expression and “returns” its type:
const vector<int> vi;
typedef decltype (vi.begin()) CIT;
CIT another_const_iterator;

C++11 也支援了 Range-based for loop,並且支援 auto 的使用,下面是一個九九乘法表的範例:

#include <iostream>
#include <vector>

int main()
{
    std::vector<int> x = {1, 2, 3, 4, 5, 6, 7, 8, 9};
    std::vector<int> y = {1, 2, 3, 4, 5, 6, 7, 8, 9};

    for (auto& nx: x) {
        for (auto& ny: y) {
            int z = nx * ny;
            std::cout << nx << " x " << ny << " = " << z << std::endl;
        }
    }
}

在 C++14,則可以結合 Lambda Expression 與 auto 的使用,下面是一個範例:

#include <iostream>
#include <vector>
#include <string>
#include <numeric>

int main()
{
  std::vector<int> ivec = { 1, 2, 3, 4};
  std::vector<std::string> svec = { "red",
                                    "green",
                                    "blue" };
  auto adder  = [](auto op1, auto op2){ return op1 + op2; };
  std::cout << "int result : "
            << std::accumulate(ivec.begin(),
                               ivec.end(),
                               0,
                               adder )
            << "\n";
  std::cout << "string result : "
            << std::accumulate(svec.begin(),
                               svec.end(),
                               std::string(""),
                               adder )
            << "\n";
  return 0;
}
下面就是執行的結果:
int result : 10
string result : redgreenblue

IO Stream

C++ comes with libraries that provide us with many ways for performing input and output. In C++ input and output are performed in the form of a sequence of bytes or more commonly known as streams.

  • Input Stream: If the direction of flow of bytes is from the device(for example, Keyboard) to the main memory then this process is called input.
  • Output Stream: If the direction of flow of bytes is opposite, i.e. from main memory to device( display screen ) then this process is called output.

The stream-based input/output library is organized around abstract input/output devices. These abstract devices allow the same code to handle input/output to files, memory streams, or custom adaptor devices that perform arbitrary operations (e.g. compression) on the fly.

Most of the classes are templated, so they can be adapted to any basic character type. Separate typedefs are provided for the most common basic character types (char and wchar_t).

C++ 提供了 stream 的方式來看待輸出與輸入。下面的範例是讓使用者輸入 A 與 B 以後,輸出相加的數字:

#include <iostream>

int main()
{
    int a = 0, b = 0;

    std::cout << "Please input the name a: ";
    std::cin >> a;

    std::cout << "Please input the name b: ";
    std::cin >> b;

    std::cout << "The sum is " << a+b << "." << std::endl;
}

下面是從 /etc/os-release 讀取內容,然後取得 Linux Distribution Name 的範例:

#include <iostream>
#include <fstream>
#include <string>
#include <vector>

#ifdef _WIN32
   #include <io.h>
   #define access    _access_s
#else
   #include <unistd.h>
#endif

#ifdef ENABLE_STD
   #include <filesystem>
#endif

using namespace std;

/*
 * Using access function to check file exist or not
 */
bool FileExists( const string &Filename )
{
    return access( Filename.c_str(), 0 ) == 0;
}

/*
 * Split incoming string and return a vector
 */
vector<string> split(const string& str, const string& delim)
{
    vector<string> tokens;
    size_t prev = 0, pos = 0;
    do
    {
        pos = str.find(delim, prev);
        if (pos == string::npos) pos = str.length();
        string token = str.substr(prev, pos-prev);
        if (!token.empty()) tokens.push_back(token);
        prev = pos + delim.length();
    } while (pos < str.length() && prev < str.length());

    return tokens;
}

/*
 * get Linux distributed name: use /etc/os-release file
 */
string getListributedName()
{
    string name = "";

#ifdef ENABLE_STD
    std::filesystem::path p("/etc/os-release");
    if(std::filesystem::exists(p)) {
#else
    if(FileExists("/etc/os-release")==true) {
#endif
        ifstream releasefile("/etc/os-release");
        string line;

        if (releasefile.is_open()) {
            while ( getline (releasefile, line) )
            {
                auto splitArray = split(line, "=");

                if(splitArray[0].compare("NAME")==0) {
                   name =  splitArray[1];
                   break;
                }
            }

            releasefile.close();
       }
    }

    return name;
}


int main(int argc, char *argv[])
{
    string name = getListributedName();
    std::cout << name << std::endl;
}

C++17 加入了 Filesystem library,提供了對於 files 與 directories 的操作。

編譯:
g++ getDistributionName.cpp -std=c++17 -o getDistributionName

如果要配合 C++ standard library:
g++ getDistributionName.cpp -std=c++17 -o getDistributionName -DENABLE_STD

參考資料

2025/02/16

wxWidgets

wxWidgets 是一個開放原始碼而且跨平台的 C++ widget toolkit, 是由 Julian Smart 於 1992 年在愛丁堡大學首先開發。 wxWidgets 的授權授權條款是經過開放原始碼促進會認證,其本質等同於 GNU 較寬鬆公共許可證(LGPL)。 然而一個例外是 wxWidgets 授權允許修改者以自己的授權條款發佈。

一般而言,跨平台的 widget toolkit 有二個策略可以使用:

  • 以一組 API 包裝各個平台的 GUI library 所提供的 widgets,優點是提供 native look and feel, 缺點是移植到不同的平台以及客製化會比較麻煩,使用這個策略的為 wxWidgets
  • 使用不同平台提供的繪圖功能或者是使用跨平台的繪圖函式庫,而在這個基礎上建立自己的 widgets。 這個策略的優點是移植到不同的平台以及客製化相對較為容易,缺點需要使用佈景主題 (theme) 才能夠提供 native look and feel, 使用這個策略的為 FLTK, Qt 與 GTK

下面是在 openSUSE 安裝的指令:

sudo zypper in wxWidgets-3_2-nostl-devel

下面是 Hello World Example

#include <wx/wx.h>

class MyApp : public wxApp {
public:
    bool OnInit() override;
};

wxIMPLEMENT_APP(MyApp);

class MyFrame : public wxFrame {
public:
    MyFrame();

private:
    void OnHello(wxCommandEvent &event);
    void OnExit(wxCommandEvent &event);
    void OnAbout(wxCommandEvent &event);
};

enum { ID_Hello = 1 };

bool MyApp::OnInit() {
    MyFrame *frame = new MyFrame();
    frame->Show(true);
    return true;
}

MyFrame::MyFrame() : wxFrame(nullptr, wxID_ANY, "Hello World") {
    wxMenu *menuFile = new wxMenu;
    menuFile->Append(ID_Hello, "&Hello...\tCtrl-H",
                     "Help string shown in status bar for this menu item");
    menuFile->AppendSeparator();
    menuFile->Append(wxID_EXIT);

    wxMenu *menuHelp = new wxMenu;
    menuHelp->Append(wxID_ABOUT);

    wxMenuBar *menuBar = new wxMenuBar;
    menuBar->Append(menuFile, "&File");
    menuBar->Append(menuHelp, "&Help");

    SetMenuBar(menuBar);

    CreateStatusBar();
    SetStatusText("Welcome to wxWidgets!");

    Bind(wxEVT_MENU, &MyFrame::OnHello, this, ID_Hello);
    Bind(wxEVT_MENU, &MyFrame::OnAbout, this, wxID_ABOUT);
    Bind(wxEVT_MENU, &MyFrame::OnExit, this, wxID_EXIT);
}

void MyFrame::OnExit(wxCommandEvent &event) { Close(true); }

void MyFrame::OnAbout(wxCommandEvent &event) {
    wxMessageBox("This is a wxWidgets Hello World example", "About Hello World",
                 wxOK | wxICON_INFORMATION);
}

void MyFrame::OnHello(wxCommandEvent &event) {
    wxLogMessage("Hello world from wxWidgets!");
}

使用下列的指令編譯:

g++ hello.cpp `wx-config --cflags --libs` -o hello

注意 wxIMPLEMENT_APP() 這個巨集,這是一定要定義的巨集, 這樣 wxWdigets 才會正確定義在所支援平台的適當入口函數 (entry function)。 這個巨集採用單一參數,即應用程式類別的名稱。該類別必須繼承自 wxApp,並且至少重寫 wxApp::OnInit() 虛擬函數, 因為會被 wxWidgets 呼叫用來初始化應用程式。

典型應用程式的主視窗是一個 wxFrame 物件。雖然可以直接使用 wxFrame 類別,但是繼承並且自訂類別通常更方便, 因為這樣可以在此類別的方法中儲存附加資料並處理事件(例如滑鼠點擊、來自選單或按鈕的訊息)。

wxWidgets 有三種不同處理 event 的方法。

  • Event table
  • Bind<>()
  • Connect()

其中 Connect() 因為與 Bind<>() 功用相同但是彈性更少,因此不建議使用。


接下來使用 CMake 編譯程式。 首先建立一個 CMakeLists.txt 檔案。

cmake_minimum_required(VERSION 3.14)

# set the project name and version
project(hello)

if(NOT CMAKE_BUILD_TYPE)
  set(CMAKE_BUILD_TYPE Release)
endif()

set(CMAKE_CXX_STANDARD 11)
set(CMAKE_CXX_STANDARD_REQUIRED ON)

find_package(wxWidgets COMPONENTS core base)
if(wxWidgets_FOUND)
  include(${wxWidgets_USE_FILE})
endif()

add_subdirectory(src)

建立 src 目錄,並且將原始碼搬移到此目錄下。然後再建立一個 CMakeLists.txt 檔案。

set(SRC_FILES
    hello.cpp
)

add_executable(${PROJECT_NAME} ${SRC_FILES})

target_link_libraries(${PROJECT_NAME} ${wxWidgets_LIBRARIES})

Event table

下面則是使用 event handler 的例子。

main.cpp

#include "main.h"
#include "frame.h"

wxIMPLEMENT_APP(MyApp);

bool MyApp::OnInit() {
    MyFrame *frame = new MyFrame();
    frame->Show(true);
    return true;
}

main.h

#include <wx/wx.h>

class MyApp : public wxApp {
public:
    bool OnInit() override;
};

frame.cpp

#include "frame.h"

enum { ID_Hello = 1 };

wxBEGIN_EVENT_TABLE(MyFrame, wxFrame)
    EVT_MENU(ID_Hello, MyFrame::OnHello)
    EVT_MENU(wxID_ABOUT, MyFrame::OnAbout)
    EVT_MENU(wxID_EXIT, MyFrame::OnExit)
wxEND_EVENT_TABLE()

MyFrame::MyFrame() : wxFrame(nullptr, wxID_ANY, "Hello World") {
    wxMenu *menuFile = new wxMenu;
    menuFile->Append(ID_Hello, "&Hello...\tCtrl-H",
                     "Help string shown in status bar for this menu item");
    menuFile->AppendSeparator();
    menuFile->Append(wxID_EXIT);

    wxMenu *menuHelp = new wxMenu;
    menuHelp->Append(wxID_ABOUT);

    wxMenuBar *menuBar = new wxMenuBar;
    menuBar->Append(menuFile, "&File");
    menuBar->Append(menuHelp, "&Help");

    SetMenuBar(menuBar);

    CreateStatusBar();
    SetStatusText("Welcome to wxWidgets!");
}

void MyFrame::OnExit(wxCommandEvent &event) { Close(true); }

void MyFrame::OnAbout(wxCommandEvent &event) {
    wxMessageBox("This is a wxWidgets Hello World example", "About Hello World",
                 wxOK | wxICON_INFORMATION);
}

void MyFrame::OnHello(wxCommandEvent &event) {
    wxLogMessage("Hello world from wxWidgets!");
}

frame.h

#include <wx/wx.h>

class MyFrame : public wxFrame {
public:
    MyFrame();

private:
    void OnHello(wxCommandEvent &event);
    void OnExit(wxCommandEvent &event);
    void OnAbout(wxCommandEvent &event);

    wxDECLARE_EVENT_TABLE();
};

使用 event table,wxDECLARE_EVENT_TABLE() 這個巨集是一定要宣告的。 而後使用 wxBEGIN_EVENT_TABLE()wxEND_EVENT_TABLE(),並且建立 event table。

Sizer

wxWidgets 提供了各種 sizer 來幫忙設計 GUI 的佈局。wxWidgets 中的 sizer 使用的佈局演算法基於這樣的理念: 各個子視窗會報告它們所需的最小尺寸以及當父視窗的尺寸發生變化時,子視窗的延展能力。

下面是一個簡單的 wxBoxSizer 使用例子。

main.cpp

#include "main.h"
#include "frame.h"

wxIMPLEMENT_APP(MyApp);

bool MyApp::OnInit() {
    MyFrame *frame = new MyFrame("Sizer");
    frame->Show(true);
    return true;
}

main.h

#include <wx/wx.h>

class MyApp : public wxApp {
public:
    bool OnInit() override;
};

frame.cpp

#include "frame.h"

MyFrame::MyFrame(const wxString &title) : wxFrame(nullptr, wxID_ANY, title) {
    wxBoxSizer *topSizer = new wxBoxSizer(wxVERTICAL);
    wxStaticText *text =
        new wxStaticText(this, wxID_STATIC, wxT("A static text box"),
                         wxDefaultPosition, wxSize(200, 100));
    topSizer->Add(text);
    SetSizer(topSizer);
    topSizer->Fit(this);
}

frame.h

#include <wx/wx.h>

class MyFrame : public wxFrame {
public:
    MyFrame(const wxString &title);
};

相關連結

2025/01/11

魔域傳說4: 波斯戰記

First Queen 是日本吳氏工房開發的一個即時戰略遊戲系列,目前共開發了 6 個作品(包括JAVA版),曾在多個平台上發行。 日本吳氏工房為日本的小型遊戲公司,社長為吳英二先生, 以開創敵我雙方在大地圖上即時戰鬥的小人混戰模式(ゴチャキャラシステム)而聞名。

《魔域傳說4:波斯戰記》(First Queen IV) 是日本吳氏工房製作,華義國際中文化以後在 1995 年出品的策略角色扮演遊戲, 為 DOS 平台的遊戲軟體。 雖然在一些小地方中文化的翻譯有些問題,但是因為遊戲內容相當充實,所以仍然在台灣十分暢銷。 劇情描寫波斯王塞內爾受魔法師宙的影響,開始對鄰國進攻,於是卡利恩國王艾雷斯奮起抵抗,終於將之消滅的故事。 遊戲主要採用組織軍隊攻城略地的方式進行(大地圖回合制),戰鬥則使用即時方式戰鬥。 每個隊員均可升級,亦有武器、法術與道具可使用與買賣,為綜合回合策略、即時戰鬥、角色扮演的遊戲。

可以參考的資料:

2024/12/20

戰神:狂神天威3

《戰神:狂神天威3》(Warlords Battlecry III,也有翻譯為《呼嘯戰神3》)是由 Infinite Interactive 開發並於 2004 年發行的即時戰略遊戲, 共有16 個種族,28 種職業,為《戰神:狂神天威》系列的第三部作品。《戰神:狂神天威》系列以首創將角色扮演要素融入即時戰略而聞名, 導入了英雄和昇級系統,藉由戰鬥提升經驗值,學習魔法和技能,特點在於英雄的等級與技能會在戰役後持續保留, 並且有隨從 (Retinue) 的設計。GOG 有販售此遊戲, 已更新到 patch 1.03。

可以參考的資料:

在單人遊戲方面,可以分為 Campaign(在 Etheria 世界的劇情故事) 以及對抗電腦對手的 Skirmish。同時也有 Tutorial 關卡,使用 Dwarf 進行教學。
在成功的達成結局之後,玩家仍然可以在 Campaign 的地圖繼續遊玩與執行任務,同時在這個界面整理自己的裝備。 不管是什麼理由,如果想重玩,可以使用遊戲提供的 Reset Campaign 來達到這個目的。

遊戲中使用下列四種資源,每個種族各有其偏重使用的資源:
Gold, Metal, Stone 和 Crystal

和一般遊戲不同,玩家需要使用英雄或者是具有轉化 (Convert) 能力的單位轉化資源為己方的資源,而後才開始有收入。

魔法有以下的法術類別 (Time Magic 為 unofficial patch 引入,故不在此列入):

  • Alchemy - A sphere of magic specialised in creating Golems and Items.
  • Arcane Magic - A sphere of magic that improves other magics or the hero himself.
  • Chaos Magic - A mystic magic that summons the fickle powers of chaos. This power manipulates the stats of others.
  • Divination Magic - A sphere of magic focusing on the experience of the hero's followers.
  • Healing Magic - A sphere of magic specialised in healing allies and destroying Evil creatures.
  • Ice Magic - A sphere of magic which summons the power of ice to bend into a force of whatever the hero deigns to use it for.
  • Illusion Magic - A sphere of magic specialised in creating distractions for Enemies.
  • Nature Magic - A sphere of magic specialised in summoning beasts and controlling nature.
  • Necromancy - A sphere of magic specialised in summoning undead creatures.
  • Poison Magic - A sphere of magic specialised in inflicting Poison and Disease on enemy units.
  • Pyromancy - A sphere of magic mostly specialised in Offense.
  • Rune Magic - A sphere of magic that controls the earth and structures upon it.
  • Summoning Magic - A sphere of magic specialised in controlling and summoning Demons and other outworldlers.

要注意的是,多個法術系列都有召喚某些單位的能力,而使用法術召喚的單位一樣算在 Army Limit 中, 也就是如果到達限制數目,英雄會無法順利召喚。

可玩的種族有 16 種:

  • Dwarf
  • Empire
  • High Elf
  • Knight
  • Barbarian
  • Fey
  • Minotaur
  • Ssrathi
  • Wood Elf
  • Daemon
  • Dark Elf
  • Dark Dwarf
  • Orc
  • Plaguelord
  • The Swarm
  • Undead

《戰神:狂神天威》系列採用 5 級科技樹,主堡最高為第 5 級。

三代故事建立在 Dark Elf 嘗試召喚 Daemon Lord,而因為如此有 Four Horsemen 進入 Etheria 世界。 其中代表戰爭的 Lord Sartek 創造了 Minotaur,代表饑荒的 Lord Melkor 創造了 The Swarm, 代表瘟疫的 Lord Antharg 創造了 Plaguelord,代表死亡的 Lord Bane 創造了 Undead。 其中 Minotaur 為 Neutral alignment,其餘三者為 Evil alignment。 劇情故事就是主角走遍 Etheria 世界,最後封印 Fifth Horseman 的故事。

二代的 Human 在三代分裂為二個陣營,EmpireKnight

Empire 具有二代中原有的對騎兵有攻擊加成的步兵 Pikeman,三種法師 (White Mage, Red Mage, Black Mage, 其中 White Mage 擁有 heal 能力) 並且新增加了騎兵兵種 Elephant。Empire 有個要注意的點,如果要生產騎兵單位 Mercenary, 最好先在三級主堡才能夠建造的 Archway 研發 Fame 降低其生產成本以後再生產。 如果試著以 Mercenary 作為主力,那麼有 Wealth 技能的 Merchant 是最好的選擇; 其次的選擇是 Bard,再來是有 Wealth 技能的英雄。 如果想試著使用法師類的英雄,可以考慮 Sage(但是注意 Empire 沒有 mana regeneration 研發的支援)。

Knight 則是繼承了二代的騎兵體系(Knight, Knight Champion, Knight Lord), 加上新的基本步兵 Swordsman、可對空對地的單位 Dancing Sword, 價格偏貴但是有 Cure 技能的飛行單位 Archon 與新的法師 Inquisitor。 因為 Knight 是以 Gold 為中心的經濟,所以英雄技能一樣有 Divination Magic 同時又有 Wealth 技能的 Bard 是不錯的選擇。 如果想要偏向戰士類的,可以考慮 Warrior(因為與 Knight 種族技能相合), 以及 Paladin(因為其 Healing Magic 與 Knight Protector 技能)。 如果是法師,可以考慮 Priest 或者是 Healer, 另外因為種族英雄的法術為 Divination,也可以考慮 Sage(但是注意 Knight 沒有 mana regeneration 研發的支援)。

Dwarf 在初期需要建設其經濟(因為其價格較貴的單位,而升級與單位生產大多數都需要 Gold), 同時其大多數的單位移動速度較慢,在一開始的時候通常需要採取守勢。 Dwarf 主堡 Citadel 並不生產工人,而是由 Foundry 生產 Smith。Smith 如果進入礦產挖礦,會被計算為放入 2 個工人。 Dwarf 除了 Tower,還有主堡升到第三級以後可以建造對地的炮塔 Mortar。 還有要注意在步兵、弓箭手、騎兵、攻城武器、法師以及飛行單位中,Dwarf 沒有騎兵單位, 同時弓箭手 Dwarf Crossbow 的價格偏貴。雖然缺乏 mana regeneration 研發的支援, 不過因為 Rune Magic 是 Dwarf 英雄的種族技能,lv5 的技能 Runic Lore 可以加強法師 Runelord,所以可以嘗試 Runemaster 這個職業 (有些人會因為 Elementalist 也有 Rune Magic 所以建議使用 Elementalist,考慮 Dwarf 的狀況,這建議我覺得不適合)。 還可以嘗試的法師類英雄是 Healer,雖然無法幫助 Dwarf 的經濟,但是補足沒有醫療的部份。 另外因為 Dwarf 升級時使用較多的 Gold 與 Stone,所以可以嘗試使用有 Wealth 技能的英雄職業加強經濟方面,例如 Bard。 要注意的是 Dragonslayer 在 unofficial patch 被移除了 Wealth 技能, 所以在 1.03 是個選擇但是在 unofficial patch 不是。

High Elf, Wood ElfDark Elf 分別是代表 Elf 中 Good alignment, Neutral alignment 與 Evil alignment 的種族,都是擁有優秀弓箭手與法師的種族,同時都需要在主堡研發相關 Rune 的科技才能夠生產相關的兵種。 三個種族的工人 Wisp 無法進入礦產挖礦加快資源的收入, 而是需要在二級主堡研發 Ancient Wisp,而後 4 個 Wisp 合成一個 Ancient Wisp 增加 Crystal 的收入, 也因此 Elf 三個種族都需要在資源管理上耗費心力。要注意 Wood Elf 與 Dark Elf 沒有攻城武器單位。

High ElfWood ElfHealing 科技可以提升 health regeneration rate。 High Elf Unicorn 作為騎兵單位具有 heal 能力。 因為 High Elf 種族英雄技能已經提供了兵種加強(lv10 Life Rune, lv30 Arcane Rune),再加上 Healing Magic 法術, 而又有提升 health regeneration rate 的相關研發以及 Unicorn 提供醫療,所以可以嘗試戰士類的英雄職業,例如 Warrior。 如果想嘗試法師類的英雄,因為種族英雄的法術為 Healing Magic,可以考慮 Healer 或者是 Priest。

Wood Elf 是一個初期弱勢的種族,但是有一些不錯的單位,如果覺得可以, 英雄隨從中帶一個 Ancient Wisp 是一個不錯的主意。 Wood Elf 有個優點是在第四級主堡的時候可以建造 Magic Well 增加 Gold 收入。 以英雄選擇來說,可以嘗試戰士類的英雄職業,例如 Warrior。也可以考慮同樣有 Nature Magic 技能的 Ranger 或者是 Druid (注意 Wood Elf 有 health regeneration rate 的研發項目,沒有 mana regeneration 研發的支援, 不過三個 Elf 種族英雄技能都有增加 Mana 的 Lore 技能)。

Dark Elf 有豐富的兵種,例如有不錯的 missile resistance 的 Skeleton, Spider 與 Queen Spider 都有 Poison 能力,Assassin 則是有 Assassination 與 Poison 能力。 Sorceror 具有強大的攻擊法術(Pillar of Fire, Darkstorm), 還可以召喚 Zombie 並且讓他們進入資源挖礦,是很優秀的法師單位。 適合 Dark Elf 的英雄為 Assassin,技能的組合是最搭配的。因為Dark Elf 種族英雄技能中有 Summoning Magic, 也可以考慮 Summoner。如果想嘗試不同的英雄,可以考慮有多種法術的 Archmage(需要高等級才能發揮潛力的英雄,很難用好的進階英雄)。

Fey 是二代新增的種族,建築的體積小,擁有數目頗多的飛行單位,Unicorn 作為騎兵單位具有 heal 能力, 可以對空對地的 Leprechaun 還可以增加 Gold 的收入,不過 Fey 缺少攻城武器單位。 Fey 的 Crystal Tower 有個特別的地方是如果殺死敵人的單位會得到 85 Crystal。 Fey 在一開始的時候因為單位較為弱小,是需要資源升級單位並且度過初期弱勢的種族(同時需要累積更多戰鬥單位,是適合大量生產的種族)。 一般而言,英雄應該選擇 Merchant 來取得生產折扣以及更多的資源,因為高等級的 Merchant 有 Gemcutting 技能; 還可以的選擇是也有 Gemcutting 技能的 Ice Mage。 雖然 Fey 的種族英雄技能中有 Illusion Magic,但是整體而言 Merchant 能夠提供的幫助超過 Illusionist。

Ssrathi 為三代新增的種族。主堡並不生產工人,而是建造 Worker Sect 後才在 Worker Sect 生產 Chameleon。 Chameleon 是高效率的工人。要注意的是,Ssrathi 一般單位通常都可以使用 Poison 或者相關的技能。 嚴格的說 Ssrathi 並沒有弓箭手,而是使用法師 Snakepriest 作為替代品, Snakepriest 在早期就可以生產並且投入戰場(並且有 Cauterize 法術可以補血), 最好在 Sacred Pool 研發 Power of Couatl(總共有 3 級)加強 Snakepriest, 可以攻擊距離 +2, +4 以及 +6。Lizard Rider 則是其移動速度快速的騎兵。 Triceratops 與 Tyrannosaurus Rex 是 dinosaurs,是有較高血量的單位。 Poison Magic 對於 Ssrathi 而言並沒有技能十分符合的英雄,而因為 Snakepriest 的關係,可以考慮選擇戰士類的英雄。 一個有趣的英雄選擇是 Dragonslayer,如果在 unofficial patch 會非常適合,因為 Dragon Master 被修改為其技能, 與 Ssrathi 種族英雄技能相符,但是在 1.03 也可以考慮使用。如果想要嘗試輔助類的英雄,可以考慮 Thief。 如果想要偏向法師類的,可以考慮使用 Pyromancer,或者想要使用英雄加強醫療的部份,可以考慮 Healer。

BarbarianMinotaur 二個種族能夠生產的種類較少,二個種族的工人 Thrall 還是整個遊戲中建造效率最差的工人。

Barbarian 缺少攻城武器以及法師,優點是經濟均衡,單位生產資源主要是使用 Metal (Barbarian, Rider) 和 Stone (War Dog), 生產速度不慢。有個有趣的點是,Barbarian Summon Mana 是在 Altar of Tempest 研發, 而 Altar of Tempest 還可以生產 Lightning Hawk,雖然只能對地,卻是 Barbarian 的單位中少數具有不同攻擊類型的單位。 Chieftain 是為了加強 Barbarian 的優點而出現的英雄(Barbarian King 技能用來加強 Barbarian, Rider 與 Warlord), 但是無法解決 Barbarian 缺少法師的問題。 在 unofficial patch 因為覺得 Chieftain 這樣太強而將 Barbarian King 改為 Riding,也就是只加強騎兵, 我認為是錯誤的修改方向,這樣只是讓不強的 Barbarian 變得更弱(不過增強了 Chieftain 的泛用性)。其它的英雄選擇是啟用法師類的英雄, 因為 Barbarian 有 mana regeneration 研發的支援,所以使用英雄作為法術輸出以及補強弱點的部份。 雖然 Barbarian 的種族英雄技能中有 Ice Magic,但是 Ice Magic 大多數為攻擊法術的法術系列, Ice Mage 並不完全適合 Barbarian(可以用但是感覺不夠好)。如果考慮 Barbarian 沒有醫療的方式,可以考慮 Healer。 如果想要嘗試輔助類的英雄,可以使用 Thief。

Minotaur 缺少騎兵單位,單位強壯可靠但是造價較為昂貴, 不過 Minotaur 可以生產 Sheep 以及食用動物讓 Minotaur 英雄以及單位 (Minotaur, Axe Thrower, Minotaur Shaman, Minotaur King)自我醫療。 Minotaur 可以考慮選擇戰士類的英雄,例如 Warrior。或者因為 Minotaur 的種族技能為 Pyromancy 法術又有 mana regeneration 研發的支援, 可以考慮 Pyromancer 這個職業。或者想要嘗試團隊型的法師英雄,那麼可以嘗試 Illusionist。 另外可以嘗試的英雄職業為 Elementalist,這是 Barbarian 和 Minotaur 這二個種族可以嘗試的英雄, 因為 Minotaur 的種族技能為 Pyromancy 法術,Barbarian 的種族英雄技能中有 Ice Magic, 雖然 Elementalist 要到高等級才有比較好的表現,不過想要挑戰的可以嘗試。 另外,如果你真的受不了 Thrall,Barbarian 和 Minotaur 這二個種族還可以考慮嘗試 Ranger, 除了有 Taming 技能加強 monsters(Barbarian 加強 War Dog,Minotaur 加強 Basilisk), 而 Griffonmaster 也適合 Minotaur,還可以使用 Nature Magic 的 Summon Treant 嘗試使用其它的 builder。

Orc 有不錯的戰鬥單位組合,非飛行單位都有免疫疾病的優勢,生產速度不慢。 Orc 在研發 Shaman research 之後可以建造對空的 Totem,但是注意 Orc 所有的建築都有一個嚴重的缺陷,那就是無法花錢修理 (Repair) , 只能使用 Earthpower 法術回復!因為 orc 已經有良好的戰鬥單位組合,所以可以考慮以輔助為主的英雄, 在戰鬥輔助方面可以考慮 Thief,在加強建築以及增加資源方面可以考慮 Tinker。如果想要改善建築修復的問題, 可以考慮 Runemaster。因為 Chaos Magic 是 Orc 的種族英雄技能,也可以考慮使用 Deathknight 或者是 Shaman 輔助戰鬥 (但是注意 Orc 沒有 mana regeneration 研發的支援)。

Barbarian, Minotaur, Orc 這三個種族都有掠奪敵人資源的方式。 Barbarian 如果摧毀敵人的建築可以取得 100 Gold; Minotaur 如果摧毀敵人的建築可以取得 100 Metal,Basilisk 每殺死一個敵人就可以拿到 50 Stone, Gnoll 如果 Assassination 技能暗殺敵人成功可以拿到 100 Gold(在 1.03 patch 的數值); Orc 如果摧毀敵人的建築可以取得 100 Stone。

Dark Dwarf 是二代新增的種族,其大多數單位移動速度稍慢,在兵種上 Dark Dwarf 缺少騎兵和法師單位, 使用多種 Golem,例如 Stone Golem, Iron Golem 以及 Bronze Golem; 以及擁有不錯的攻城武器。Bronze Golem 除了轉化 (Convert),還有一項能力是 scavenge building rubble for resources, 施展後可以從敵人被摧毀的建築取得資源。Dark Dwarf 主堡 Furnace 並不生產工人,而是由 Guild 生產 Engineer。 Engineer 是高效率的工人,經過研發升級後可以使用 Earthpower 法術,同時 Engineer 如果進入礦產挖礦,會被計算為放入 2 個工人。 Dark Dwarf 除了 Tower,還有主堡升到第三級以後可以建造對地的炮塔 Mortar。 另外,因為設定上 Dark Dwarf 是為了躲避大瘟疫而遷徙結果被 Lord Bane 抓到而出現的種族, 所以 Ancestral Hall 可以用來生產 Wraith 和 Shadow,但是無法像 Undead 一樣可以讓 Wraith 升級, 所以一般而言如果要生產,都會研發升級以後生產 Shadow。 在考慮英雄技能以後,有 Engineer 技能以及 Alchemy 法術的 Tinker 是個不錯的選擇。 如果想要試著使用法師類的英雄,可以考慮 Alchemist。因為種族英雄的法術為 Chaos Magic, 也可以考慮使用 Deathknight 或者是 Shaman 施法試著加速單位的移動速度(但是注意 Dark Dwarf 沒有 mana regeneration 研發的支援)。

Daemon 是二代新增的種族,其英雄擁有 Ferocity 以及可以學習 Regeneration 技能和 Pyromancy 法術技能, 在英雄的個人技能上頗為優秀。在建築方面,除了防禦塔 Summoning Tower,也有替代的 Lightning Spire。 在設定上 Daemon 是被 Summoning 法術召喚而來的,而 Daemon 也確實是十分適合 Summoning 法術的種族, 因此 Summoner 是適合 Daemon 的英雄。雖然有點惡趣味,但是如果要嘗試使用偏向戰士的英雄職業, 可以考慮 Daemonslayer。

Plaguelord 為三代新增的種族,大多數的單位具有免疫 Disease 的能力。 Plaguelord 的主堡並不生產工人,需要建立 Cess Pool 後由 Cess Pool 生產工人 Zombie, Cess Pool 還可以生產基本步兵 Ghoul 以及有一定機率會散播 Disease 的偵查步兵 Slime, 而 Ghoul 與 Slime 的科技研發則在 Laboratory。 要注意 Plaguelord 是個需要良好資源管理的種族(因為主堡升級、技能升級和生產可能會有資源衝突)。 Plaguelord 有個很微妙的點,就是 Hydra Cave 可以研發科技升級為 Fire Cave 或者是 Ice Cave, 但是升級以後就無法生產 Hydra,只能生產升級以後的 Pyrohydra 或者是Cryohydra! 還有要注意的是,Plaguelord 沒有騎兵單位。 以英雄選擇來說,Defiler 有二個技能是用來加強 Plaguelord 的兵種(lv5 Slimemaster 與 lv15 All-Seeing Eye), 所以是還可以的選擇,但是 Ranger 的 Taming 技能卻有更廣泛的加強效果。考慮種族英雄有 Summoning 法術, 也可以考慮 Daemonslayer。

The Swarm 為三代新增的種族,是以大量生產為主的種族。 主堡 Dunekeep 並不生產工人,需要建立 Hive 後由 Hive 生產工人 Giant Ant, 而 Hive 升級之後則可以生產更多種類的單位(注意,是每一個 Hive 都需要升級,這是 The Swarm 的潛在弱點)。 Scarab 是 The Swarm 主要(也是惟一的)弓箭手,如果要生產 Scarab 那麼 Hive 至少要升到第二級。 Watcher 則是 The Swarm 可以對空對地的防禦塔替代品。 Dunekeep 在研發 Famine 技能之後可以偷取資源。在 Egg Chamber 研發 Incubation 則可以加快建造建築的速度。 以英雄選擇來說,因為 unofficial patch 修改了種族英雄法術技能(從 Necromancy 改為 Poison Magic), 所以如果要符合大多數的版本,那麼是 Warrior;如果是 1.03,可以考慮 Deathknight,因為 Necromancy 是其英雄的法術技能之一。 如果想嘗試法師類的英雄,可以考慮 Lichelord。

Undead 是一個需要良好操作與資源管理的種族。主堡並不生產工人,而是建造 Graveyard 後由 Graveyard 生產 Zombie。 Undead 生產方式在各種種族中是比較特別的,有一些單位並不是直接從相關建築生產, 而是從 Skeleton、Wight 或者是 Wraith 升級而來(Skeleton 可以從 Graveyard 或者是 Gravestone 生產, 再來花費資源成為 Wight 或者是 Wraith)。Skeleton Cavalry 則是 Undead 的騎兵單位。 Necromancy 是其英雄的法術技能之一,是十分適合該種族的法術(第一個法術就是 Raise Skeleton), 所以 Necromancer 是適合 Undead 使用的英雄。如果想嘗試戰士類的英雄,可以考慮 Deathknight。 因為 Lichelord 的英雄技能有 Necromancy,法師類的英雄還可以嘗試 Lichelord。

每個種族都有設計其 general,在第五級主堡的時候可以生產,為英雄之外有轉化 (Convert) 能力的單位, 包含 Dwarf Lord (Dwarf), White Mage, Red Mage, Black Mage (Empire), Moonguard (High Elf), Inquisitor (Knight), Reaver (Barbarian), Banshee (Fey), Minotaur King (Minotaur), Naga (Ssrathi), Dryad (Wood Elf), Summoner (Daemon), Blackguard (Dark Elf), Bronze Golem (Dark Dwarf), Giant (Orc), Plague Priest (Plaguelord), Scorpionpriestc (The Swarm), Vampire (Undead)。

一些種族有 Income 可以研發, 包含 Barbarian, Dark Dwarf, Dwarf, Empire, Fey, High Elf, Knight, 研發後可以自礦產增加收入 (第一級 +1,第二級 +2,第三級 +4,第四級 +6); 其中 Dark Dwarf 和 Empire 可研發到第二級,Barbarian, Dwarf, High Elf, Kight 可研發到第三級, Fey 可研發到第四級。另外,Daemon 的 Hard Labor 也具有一樣的效果, 研發後可以自礦產增加收入 (第一級 +1,第二級 +2,第三級 +4)。

一些種族有 Trade 可以研發,包含 Barbarian, Dark Dwarf, Dwarf, Empire, High Elf, Knight, Wood Elf,功用是讓玩家可以交換資源(例如 Gold 交換 Metal),不過交換後只能換到 50% 的資源。 有二個法術系列的法術也有同樣的效果,一個是 Alchemy 的 Transmute,一個是 Chaos Magic 的 Morph Resources。

FletcherBowyer 為加強弓箭手的科技研發, 前者 +5 damage,後者 +2 range,包含 Dark Elf, Dwarf, Empire, High Elf, Knight, Wood Elf 這些種族有這個研發。

關於視野與地圖迷霧 (Fog of War) 有二個相關的研發,前者為 Eagle Eye,後者為 Farseeing。 可以研發 Eagle Eye 的種族包含 Barbarian, Fey, Minotaur, Orc, Ssrathi, The Swarm, Wood Elf, 效果為視野距離 +2, +3 與 +4。可以研發 Farseeing 的種族包含 Fey, Minotaur, Ssrathi, The Swarm, Wood Elf, 用來去除地圖迷霧。

研發 Summon Mana 可以提升 mana regeneration, 包含 Barbarian, Dark Elf, Daemon, Fey, Minotaur, Plaguelord, Ssrathi, The Swarm, Undead 這些種族, 但是 Daemon 只能研發第一級,Fey 只能研發到第二級。 這個研發對於 Barbarian 這個種族有趣的地方在於,只有英雄(以及英雄的隨從們)從 Summon Mana 獲益, 但是如果要讓 Barbarian 英雄可以更快的施展法術幫助團隊,這個研發是必要的。

另外,Dark Elf, Orc 與 Undead 有 Slavehorde 這項研發,召喚費用最多為 10 個 Thrall 250 Gold。 Dark Elf 在研發 Slavehorde 之後可以在 Reformatory 召喚 Thrall。 Orc Prison 除了生產 Troll,在研發 Slavehorde 之後還可以召喚 Thrall。 Undead Undead 在研發 Slavehorde 之後可以在 Cage 召喚 Thrall。 一般而言,召喚 Thrall 以後都是讓他們進入資源挖礦。。

每個種族的英雄都有其各自的技能,加上英雄職業專長的技能,就組成了一個英雄能夠學習的技能表。

英雄具有下列四種基本屬性:

  • Strength
    • +1 Combat per point of Strength
    • +1 Damage per point of Strength (at 1,3,5,etc…)
    • +5 Hit Points per point of Strength
    • +1 Life Regeneration (per 20 sec’s) for every 3 points of Strength
  • Dexterity
    • +1 Movement Speed per 2 points of Dexterity (at 2,4,6,etc…)
    • - ~0.016 seconds off attack speed per point of Dexterity (minimum 0.4)
    • +1 Resistance per point of Dexterity
    • +1 Armor per 2 points of Dexterity (at 2,4,6,etc…)
    • -1 Second to Conversion Time per point of Dexterity (minimum conversion time is 10 seconds)
  • Intelligence
    • +3 Mana Points per point of Intelligence
    • +1 Mana Regeneration (per 20 sec’s) for every 5 points of Intelligence
    • +1 Initial Troop XP per 2 points of Intelligence (at 2,4,6,etc…)
    • +3% Spellcasting Chance per point of Intelligence
  • Charisma
    • +1 Morale per 2 points of Charisma (at 2,4,6,etc…)
    • +1 Command Radius per 2 points of Charisma (at 1,3,5,etc...)
    • +1 Merchant Skill for every point over 5 (-1 Merchant skill for every point under 5) which gives ~0.86% discount per Merchant skill
    • +1 Army Setup Point for every 4 Points of Charisma

一名英雄最多可以有 8 名隨從 (Retinue),使用 Charisma 計算的 Army Setup Point 決定隨從的人數。

英雄有以下四種類型的英雄(Monk 為 unofficial patch 引入,故不在此列入):

  • 戰士: Assassin, Chieftain, Dragonslayer, Warrior
  • 法師: 單一系列的法術技能加上 Ritual 技能 - Alchemist, Defiler, Druid, Healer, Ice Mage, Illusionist, Necromancer, Priest, Pyromancer, Runemaster, Sage, Shaman, Summoner
    多種法術技能 - Archmage, Elementalist, Lichelord
  • 領導者: Bard, Merchant, Tinker
    Bard 有 Wealth 可以帶來 Gold 收入、Leadership 提升士氣 (Morale) 以及使用 Divination 法術輔助戰鬥;
    Tinker 的 Engineer 技能增加建築物生命值, Smelting 增加 Metal, Quarrying 增加 Stone,以及使用 Alchemy 法術;
    Merchant 擁有 Merchant 和 Trade 技能,Wealth 增加 Gold, Gemcutting 增加 Crystal
  • 混合類型(具有戰鬥或者戰鬥輔助功能,又有法術技能的類型):
    一開始就有 Ferocity 技能 - Daemonslayer, Deathknight, Paladin
    一開始就有 Running 技能 - Ranger, Thief

有些種族或者是英雄的技能是增加資源:

  • Gold: Wealth from Empire (race) or Assassin, Bard, Dragonslayer, Merchant (class)
  • Metal: Smelting from Daemonslayer, Tinker (class)
  • Stone: Quarrying from Barbarian (race) or Runemaster, Tinker (class)
  • Crystal: Gemcutting from Fey (race) or Ice Mage, Merchant (class)

(注意:在一些 unofficial patch 中,Dragonslayer 被移除了 Wealth 技能)

建立英雄時也需要從種族的優缺點出發,使用能夠加強己方的優點或者是彌補自己的缺點,或者是能夠補強經濟方面問題的英雄。

另外,還有終極單位 Titan 的設計,每個種族都有自己獨特的 Titan 單位,每場戰役後期只能夠生產一位。

按鍵:
F12 = Pause game
Alt + g = Game menu
Ctrl + 1 ~ 9 = Define a group

. (dot) 鍵可以用來選擇正在閒置的 builder(包含英雄在內)。
Ctrl + h = 選擇英雄
通常每場戰役英雄都有 4 個 Health Potions 與 4 個 Mana Potions, 按 h 可以使用 Health Potion,按 m 可以使用 Mana Potion。 而法術中有 Healing Magic 的 Heal Self, Cure, Heal Group, Major Healing, 與 Nature Magic 的 Gemberry,和 Pyromancy 的 Cauterize 可以用來恢復 health points。
英雄有 command radius 的設計(也就是英雄範圍法術的有效範圍),可以按 r 查看目前的範圍。
S = Open Spellbookc
開啟 Spellbook 之後選擇子分類 -
h = Healing Spells
s = Summoning Spells
d = Druidic/Nature spells
i = Illusion Spells
n = Necromancy Spells
p = Pyromancy Spells
a = Alchemy Spells
r = Rune Spells
e = Ice Spells
x = Chaos Spells
z = Poison Spells
v = Divination Spells
c = Arcane Spells
Cast spell from open Book = 1, 2, 3, ... 0
F1 ~ F8 可以用來設定施法快速鍵。