Salesforce Apex基础与数据库
一、Apex 入门
……
数据类型
Apex Collections: List
Lists 里包含了一个排了序的 objects 集,它和 Java 里的 List 是一样的,是数组类数据结构。
下面的两个例子是同义的,即 colors 变量数组通过 List 语法声明。1
List<String> colors = new List<String>();
以数组形式声明但赋值给 List 而不是 array。1
String[] colors = new List<String>();
通过 List 声明通常更为简易,因为无需在一开始声明数组长度。List 语法可以在一开始声明元素,也可以在之后通过 add() 方法增添元素。1
2
3
4
5
6
7
8
9List<String> colors = new List<String>();
String[] colors = new List<String>();
// Create a list and add elements to it in one step
List<String> colors = new List<String> { 'red', 'green', 'blue' };
// Add elements to a list after it has been created
List<String> moreColors = new List<String>();
moreColors.add('orange');
moreColors.add('purple');
……
Apex Classes
……