📅  最后修改于: 2020-11-04 04:22:16             🧑  作者: Mango
Solidity同时使用双引号(“)和单引号(‘)支持String字面量。它提供字符串作为数据类型来声明String类型的变量。
pragma solidity ^0.5.0;
contract SolidityTest {
string data = "test";
}
在上面的示例中,“ test”是字符串字面量,而data是字符串变量。更可取的方法是使用字节类型而不是字符串,因为与字节操作相比,字符串操作需要更多的资源。 Solidity提供字节到字符串之间的内建转换,反之亦然。在Solidity中,我们可以轻松地将String字面量分配给byte32类型的变量。 Solidity将其视为byte32字面量。
pragma solidity ^0.5.0;
contract SolidityTest {
bytes32 data = "test";
}
Sr.No. | Character & Description |
---|---|
1 | \n
Starts a new line. |
2 | \\
Backslash |
3 | \’
Single Quote |
4 | \”
Double Quote |
5 | \b
Backspace |
6 | \f
Form Feed |
7 | \r
Carriage Return |
8 | \t
Tab |
9 | \v
Vertical Tab |
10 | \xNN
Represents Hex value and inserts appropriate bytes. |
11 | \uNNNN
Represents Unicode value and inserts UTF-8 sequence. |
可以使用字符串()构造函数将字节转换为String。
bytes memory bstr = new bytes(10);
string message = string(bstr);
尝试以下代码以了解字符串在Solidity中的工作方式。
pragma solidity ^0.5.0;
contract SolidityTest {
constructor() public{
}
function getResult() public view returns(string memory){
uint a = 1;
uint b = 2;
uint result = a + b;
return integerToString(result);
}
function integerToString(uint _i) internal pure
returns (string memory) {
if (_i == 0) {
return "0";
}
uint j = _i;
uint len;
while (j != 0) {
len++;
j /= 10;
}
bytes memory bstr = new bytes(len);
uint k = len - 1;
while (_i != 0) {
bstr[k--] = byte(uint8(48 + _i % 10));
_i /= 10;
}
return string(bstr);
}
}
使用Solidity First Application一章中提供的步骤运行上述程序。
0: string: 3