-- Hello World
print("Hello World!")
-- nil 类型表示一种没有任何有效值,它只有一个值 -- nil,例如打印一个没有赋值的变量,便会输出一个 nil 值
print(x)
print(type(x) == "nil")
-- boolean 类型只有两个可选值:true(真) 和 false(假),Lua 把 false 和 nil 看作是 false,其他的都为 true,数字 0 也是 true:
if false or nil then
print("至少有一个是 true")
else
print("false 和 nil 都为 false")
end
if 0 then
print("数字 0 是 true")
else
print("数字 0 为 false")
end
-- Lua 默认只有一种 number 类型 -- double(双精度)类型(默认类型可以修改 luaconf.h 里的定义),以下几种写法都被看作是 number 类型:
print(type(2))
print(type(2.2))
print(type(0.2))
print(type(2e+1))
print(type(0.2e-1))
print(type(7.8263692594256e-06))
-- string 字符串由一对双引号或单引号来表示,也可以用2个方括号 "[[]]" 来表示"一块"字符串
str1 = "this is string1"
print(str1)
str2 = 'this is string2'
print(str2)
html = [[
<html>
<head></head>
<body>
<a href="#">Lua多行注释</a>
</body>
</html>
]]
print(html)
-- table 的创建是通过"构造表达式"来完成,最简单构造表达式是{},用来创建一个空表。也可以在表里添加一些数据,直接初始化表
-- 创建一个空的 table
local tbl1 = {}
-- 直接初始表
local tbl2 = {"apple", "pear", "orange", "grape"}
-- table 其实是一个"关联数组"(associative arrays),数组的索引可以是数字或者是字符串
tab1 = {k1="v1", k2="v2", "v3"}
for k, v in pairs(tab1) do
print(k .. "-" .. v)
end
tab1.k1 = nil
for k, v in pairs(tab1) do
print(k .. "-" .. v)
end
--[[
1. 不同于其他语言的数组把 0 作为数组的初始索引,在 Lua 里表的默认初始索引一般以 1 开始;
2. table 不会固定长度大小,有新数据添加时 table 长度会自动增长,没初始的 table 都是 nil
--]]
-- function(函数) 是被看作是"第一类值(First-Class Value)",函数可以存在变量里:
function factorial1(n)
if n == 0 then
return 1
else
return n * factorial1(n - 1)
end
end
print(factorial1(5))
factorial2 = factorial1
print(factorial2(5))
-- function 可以以匿名函数(anonymous function)的方式通过参数传递:
function testFun(tab,fun)
for k ,v in pairs(tab) do
print(fun(k,v));
end
end
tab={key1="val1",key2="val2"};
testFun(tab,
function(key, val) --匿名函数
return key.."="..val;
end
);
--[[
thread(
在 Lua 里,最主要的线程是协同程序(coroutine)。它跟线程(thread)差不多,拥有自己独立的栈、局部变量和指令指针,可以跟其他协同程序共享全局变量和其他大部分东西。
线程跟协程的区别:线程可以同时多个运行,而协程任意时刻只能运行一个,并且处于运行状态的协程只有被挂起(suspend)时才会暂停。
userdata是一种用户自定义数据,用于表示一种由应用程序或 C/C++ 语言库所创建的类型,可以将任意 C/C++ 的任意数据类型的数据(通常是 struct 和 指针)存储到 Lua 变量中调用。
--]]
-- Lua将所有的全局变量保存在一个常规的table中,这个table称之为环境(_G),使用下面的代码可以打印当前环境中所有全局变量的名称
for n in pairs(_G) do
print("golbal obj : " .. n)
end
Lua基础知识之一
最新推荐文章于 2023-06-05 20:58:26 发布