我目前使用 SDL2 编程。 一切正常,但我对
SDL_GetTicks()
方法有疑问。
通常它应该返回以毫秒为单位的总应用程序时间,但它总是在大多数情况下返回值 0,有时返回值 1。
我用
SDL_INIT_EVERYTHING
标志初始化了SDL。
以下代码的问题是循环太快,所以delta时间小于1ms。有没有办法达到更高的精度?
#include "Application.hpp"
void Application::Initialize()
{
int sdl_initialize_result = SDL_Init(SDL_INIT_EVERYTHING);
if(sdl_initialize_result < 0)
{
std::cerr << "Failed to initialize SDL !" << std::endl << SDL_GetError() << std::endl;
}
window = SDL_CreateWindow("Project Unknown", 100, 100, 800, 600, SDL_WINDOW_SHOWN);
if(window == nullptr)
{
std::cerr << "Failed to create SDL window !" << std::endl << SDL_GetError() << std::endl;
}
last_update_time = SDL_GetTicks();
}
void Application::Dispose()
{
SDL_DestroyWindow(window);
SDL_Quit();
}
void Application::Render()
{
}
void Application::Update()
{
Uint32 current_time = SDL_GetTicks();
Uint32 delta_time = current_time - last_update_time;
SDL_Event event;
while(SDL_PollEvent(&event))
{
switch(event.type)
{
case SDL_QUIT:
{
should_close = true;
}
break;
default:
{
}
break;
}
}
// Update game objects with delta_time
last_update_time = current_time;
}
void Application::Run()
{
Initialize();
should_close = false;
do
{
Render();
Update();
}
while(should_close == false);
Dispose();
}
如果您想要更高的精度,则不能使用 SDL_GetTicks(),但还有许多其他选择。如果你想独立于平台,你需要小心,但这里有一个可移植的 C++11 示例,可以帮助你入门:
#include <iostream>
#include <chrono>
typedef std::chrono::high_resolution_clock Clock;
int main()
{
auto t1 = Clock::now();
auto t2 = Clock::now();
std::cout << "Delta t2-t1: "
<< std::chrono::duration_cast<std::chrono::nanoseconds>(t2 - t1).count()
<< " nanoseconds" << std::endl;
}
在 ideone.com 上运行这个给了我:
Delta t2-t1: 282 nanoseconds
好吧,当然,您实际上需要等到 >=1ms 之后才能更新您的最后一次滴答计数
void Application::Update()
{
Uint32 current_time = SDL_GetTicks();
Uint32 delta_time = current_time - last_update_time;
SDL_Event event;
while(SDL_PollEvent(&event))
{
switch(event.type)
{
case SDL_QUIT:
{
should_close = true;
}
break;
default:
break;
}
}
if (delta_time >= 1)
{
// Update game objects with delta_time
last_update_time = current_time;
}
}