「算法」709. 转换成小写字母




给你一个字符串 s ,将该字符串中的大写字母转换成相同的小写字母,返回新的字符串。

示例 1:

输入:s = "Hello"
输出:"hello"
示例 2:

输入:s = "here"
输出:"here"
示例 3:

输入:s = "LOVELY"
输出:"lovely"


提示:

1 <= s.length <= 100
s 由 ASCII 字符集中的可打印字符组成

来源:力扣(LeetCode)
链接:https://leetcode-cn.com/problems/to-lower-case
著作权归领扣网络所有。商业转载请联系官方授权,非商业转载请注明出处。


题解


Swift

方法一

class Solution {
func toLowerCase(_ s: String) -> String {
return s.lowercased()
}
}


方法二

class Solution {
func toLowerCase(_ s: String) -> String {
var result = ""

for c in s {
if c.asciiValue! > 64, c.asciiValue! < 91 {
result.append(Character(Unicode.Scalar(c.asciiValue! + 32)))

} else {
result.append(c)
}
}

return result
}
}

print(Solution().toLowerCase("Hello"))


Dart

class Solution {
String toLowerCase(String s) {
var result = [];

List ascs = s.codeUnits;

for (var c in ascs) {
if (c > 64 && c < 91) {
result.add(c + 32);
} else {
result.add(c);
}
}

return String.fromCharCodes(result);
}
}

void main() {
print(Solution().toLowerCase("Hello"));
}





你可能感兴趣的:(「算法」709. 转换成小写字母)