Godot 语法

复制节点node

var orig = get_node("SomeNode")
var copy = orig.duplicate()
add_child(copy)

解析json

var d={}
var err = d.parse_json(json_string)
if (err!=OK):
    print("error parsing json")

多维数组

var a =[[1,2],[3,4]]

本地存储

var gold = 150 # I have lots of gold!
var f = File.new()
var err=f.open("user://some_data_file",File.WRITE) #TODO: handle errors and such!
# Note: You could probably just use store_var() for many purposes
f.store_8(5) # store an integer
f.store_string("some gold") # store a string
f.store_var(gold) # store a variable
f.store_line("gold="+str(gold)) # store a line
f.close() # we're done writing data, close the file

读取本地文件

var my_num
var my_string
var my_gold
var save_file = "user://some_data_file"
var f = File.new()
if f.file_exists(save_file): # check if the file exists
    f.open(save_file, File.READ) # try opening it with read access
    if f.is_open(): # we opened it, let's read some data!
        my_num = f.get_8() # retrieve the number
        my_string = f.get_string() # retrieve the string
        my_gold = f.get_var() # retrieve the gold variable
        my_line = f.get_line()
        f.close() # data's all here, close the file
        print("Data loaded.") # debug message
    else: # failed to open the file - maybe a permission issue?
        print("Unable to read file!")
else: # file doesn't exist, probably set vars to some defaults, etc.
    print("File does not exist.")

函数传参默认值

func my_function(my_param="default value"):

展示帧数 fps

extends Label # attach me to a label

func _ready():
    set_process(true)

func _process(d):
    set_text(str(OS.get_frames_per_second()))

画六边形

func _drawPolygon(pointArray):
    var i = 1;
    var colors = [
    Color(0.5,0.5,0.5),
    Color(0.5,0.5,0.5), 
    Color(0.5,0.5,0.5), 
    Color(0.5,0.5,0.5)
    ];
    var uvs = [];
    var prevpoint = null;
    
    #Fill the polygon shape
    draw_polygon(pointArray, colors, uvs);
    
    #Then draw a circle at each point, and then lines between them
    for p in pointArray: #for each point as "p" in the array points
    
        draw_circle(p, 10, Color(1,1,1)); 
        #Draw a circle at the point, with a radius of 
        #10 and the color white
        
        #Check if this point was the first point, if it isn't, 
        #then draw a line from the previous point to this point
        if prevpoint != null:
            draw_line(prevpoint, p, Color(1,1,1),5)
            prevpoint = p;
            #^^set the prevpoint for the next loop
        else:
            prevpoint = p;
            
        #check if the loop has reached the last point,
        #then draw a line from the last point to the first point (points[0]
        if i == points.size():
            draw_line(p, pointArray[0], Color(1,1,1),5)
            print("array end");
            #Just to make sure we got all the way trough :)
        i+=1;
        #now increase the interval in order to keep checking if 
        #we're at then end of the array

全局变量

Globals.set("my_global", 6)

print ( Globals.get("my_global") )

退出游戏

get_scene().quit()

更改标签颜色

label.add_color_override("font_color", )

隐藏鼠标

Input.set_mouse_mode(Input.MOUSE_MODE_HIDDEN)

Input.set_mouse_mode(Input.MOUSE_MODE_VISIBLE)

将鼠标改为指定图片

func _ready():
    Input.set_mouse_mode(Input.MOUSE_MODE_HIDDEN)
    var cursor = load("res://cursor.png")
    VisualServer.cursor_set_texture(cursor,Vector2(0,0),0)
    VisualServer.cursor_set_visible(true, 0)
    set_process_input(true)

func _input(ev):
    if (ev.type == InputEvent.MOUSE_MOTION):
        VisualServer.cursor_set_pos(ev.pos,0)

获取鼠标点击位置

_process方法

func _ready():
    set_process(true)   

func _process(delta):
    if (Input.is_mouse_button_pressed(1)):
        print("Left click: ", Input.get_mouse_pos())
    if (Input.is_mouse_button_pressed(2)):
        print("Right click: ", Input.get_mouse_pos())
    if (Input.is_mouse_button_pressed(3)):
        print("Middle click: ", Input.get_mouse_pos())  

_input方法

func _ready():  
    set_process_input(true)

func _input(ev):
    if (ev.type == InputEvent.MOUSE_BUTTON):
        print("Mouse event:", ev.pos)

检测文件夹是否存在

# Checking if a directory exist in resource data directory
var res_dir = Directory.new()
if ( res_dir.dir_exists("res://my_dir") ):
    print("res://my_dir exist!")

# Checking if a directory exist in user data directory
var user_dir = Directory.new()
user_dir.open("user://")
if ( user_dir.dir_exists("user://my_dir") ):
    print("user://my_dir exist!")

# Checking if a directory exist in file system
var fs_dir = Directory.new()
fs_dir.open("")
if ( fs_dir.dir_exists("c:\\Windows") ): # guilty as charged -- marynate
    print("c:\\Windows exist!")

获取变量类型

var a_var = 1

var type = typeof(a_var)

if (type==TYPE_INT):
    print("it's an int")
elif (type==TYPE_REAL):
    print("it's a float")

https://github.com/marynate/godot/wiki/How-to

你可能感兴趣的:(Godot 语法)