Add files via upload

This commit is contained in:
Ki Rill 2020-02-15 19:07:36 +06:00 committed by GitHub
parent d5642489de
commit e5f43201ab
No known key found for this signature in database
GPG Key ID: 4AEE18F83AFDEB23
6 changed files with 91 additions and 0 deletions

Binary file not shown.

After

Width:  |  Height:  |  Size: 128 KiB

View File

@ -0,0 +1,13 @@
{
"authors": [
"rillk500"
],
"copyright": "free",
"dependencies": {
"raylib-d": "~>2.5.0"
},
"libs": [ "raylib" ],
"description": "A minimal D application.",
"license": "no license",
"name": "raylib_firstwindow"
}

View File

@ -0,0 +1,6 @@
{
"fileVersion": 1,
"versions": {
"raylib-d": "2.5.0"
}
}

Binary file not shown.

View File

@ -0,0 +1,39 @@
import test;
import raylib;
void main() {
// creating window
InitWindow(720, 640, "Dlang Raylib Window");
SetTargetFPS(30); // frames per second
// initialization using a constructor
Entity entity = Entity("car.png", 100, 50);
/* manual initialization
entity.tex = LoadTexture(path.toStringz);
entity.x = 100;
entity.y = 50;
*/
while(!WindowShouldClose()) {
// process events
// update
// draw
BeginDrawing(); // clear the screen
ClearBackground(WHITE); // set background color to WHITE
entity.draw(); // draw entity texture to the window
// display
EndDrawing();
}
// no need to free the entity texture memory
// entity destructor frees the texture memory once the program quits
// close the window and quit
CloseWindow();
}

View File

@ -0,0 +1,33 @@
module test;
import std.stdio: writeln;
import std.string: toStringz;
import raylib;
// structure is a user defined data type
// it allows to combine existing data types to define a new type
struct Entity {
Texture2D tex;
int x;
int y;
// member function: no need for arguments, member variables are visible to the function
void draw() {
DrawTexture(tex, x, y, WHITE);
}
// constructor this() {}
this(string path, int posX, int posY) {
tex = LoadTexture(path.toStringz);
x = posX;
y = posY;
}
// destructor ~this() {}
~this() {
UnloadTexture(tex);
}
}