- android - RelativeLayout 背景可绘制重叠内容
- android - 如何链接 cpufeatures lib 以获取 native android 库?
- java - OnItemClickListener 不起作用,但 OnLongItemClickListener 在自定义 ListView 中起作用
- java - Android 文件转字符串
我正在开发跨平台游戏引擎 - 它运行良好(我使用的是 SDL)。但是,我想要一种简单的方法来向用户显示消息框,而不必依赖 SDL 或 OpenGL(渲染到屏幕),例如如果窗口已被销毁或尚未创建,因此我无法向屏幕呈现消息怎么办?
我已经实现了一个消息框功能,每个平台都有多个实现:Windows 实现使用 MessageBox,Mac OS X 实现使用 Cocoa 的 NSAlert,我不知道我可以用什么来实现 linux。我在考虑 X11,因为这是 SDL 在 linux 上使用的窗口。
我尝试过其他答案,但它们要么太模糊,要么要求我用 X11 或其他东西重新装配我的整个游戏引擎。我试图找到一个独立于应用程序的解决方案(例如可以在控制台应用程序中使用的 Windows MessageBox 函数)。
注意:Mac 和 Windows 实现的所有代码都工作正常,只是 Linux 实现我需要帮助。
哦,当我在 Mac OS X 上编译时,我利用了 Objective-C++,所以我可以将 Cocoa (Objective-C) 与我的 C++ msgbox() 函数混合使用。
这是我目前为 Windows 和 Mac 实现的代码:
消息框.h
#ifndef MSGBOX_H
#define MSGBOX_H
//Cross-platform message box method.
#include "platform.h"
#include "string.h"
//This is my own cross platform enum for message boxes.
//This enumeration 'overlaps' with some declarations in windows.h but that is fine.
enum //Message box values.
{
MB_OK, //For OK message box and return value.
MB_OKCANCEL,
MB_YESNO,
MB_RETRYCANCEL,
MB_YESNOCANCEL,
MB_ABORTRETRYIGNORE,
MB_CANCELTRYCONTINUE,
MB_CANCEL,
MB_YES,
MB_NO,
MB_RETRY,
MB_IGNORE,
MB_TRYAGAIN,
MB_CONTINUE,
MB_ABORT,
};
//The message box function (multiple implementations for each platform).
int msgbox(string msg, string title, int buttons);
#endif // MSGBOX_H
消息框.cpp
#include "msgbox.h"
#if CURRENT_PLATFORM == PLATFORM_WINDOWS //We can use the windows API for our messagebox.
#include <windows.h> //For the message box function.
#define IDTRYAGAIN 10 //Some fixes to help this application compile.
#define IDCONTINUE 11
int msgbox(string msg, string title, int buttons)
{
//Display the mesagebox.
int retval = MessageBox(NULL, msg.c_str(), title.c_str(), buttons | MB_ICONEXCLAMATION | MB_SYSTEMMODAL);
//Map the windows return value to ours.
switch(retval)
{
case IDOK: return MB_OK;
case IDCANCEL: return MB_CANCEL;
case IDYES: return MB_YES;
case IDNO: return MB_NO;
case IDRETRY: return MB_RETRY;
case IDIGNORE: return MB_IGNORE;
case IDTRYAGAIN:return MB_TRYAGAIN;
case IDCONTINUE:return MB_CONTINUE;
}
}
#elif CURRENT_PLATFORM == PLATFORM_MACOSX //Use Cocoa to display the message box.
int msgbox(string msg, string title, int buttons)
{
NSString* defbutton = nil;
NSString* altbutton = nil;
NSString* otherbutton = nil;
switch(buttons)
{
default:
case MB_OK:
defbutton = @"Ok";
break;
case MB_OKCANCEL:
defbutton = @"Ok";
altbutton = @"Cancel";
break;
case MB_RETRYCANCEL:
defbutton = @"Retry";
altbutton = @"Cancel";
break;
case MB_YESNO:
defbutton = @"Yes";
altbutton = @"No";
break;
case MB_YESNOCANCEL:
defbutton = @"Yes";
altbutton = @"No";
otherbutton = @"Cancel";
break;
case MB_ABORTRETRYIGNORE:
defbutton = @"Abort";
altbutton = @"Retry";
otherbutton = @"Ignore";
break;
case MB_CANCELTRYCONTINUE:
defbutton = @"Cancel";
altbutton = @"Try Again";
otherbutton = @"Continue";
break;
}
NSAlert* alert = [NSAlert alertWithMessageText:[NSString stringWithCString:title.c_str() encoding:[NSString defaultCStringEncoding]]
defaultButton:defbutton
alternateButton:altbutton
otherButton:otherbutton
informativeTextWithFormat:@"%s", msg.c_str()];
//brings this 'application' to the front.
[[NSRunningApplication currentApplication] activateWithOptions:NSApplicationActivateIgnoringOtherApps];
NSInteger retval = [alert runModal];
//Convert the NSAlert return values into my MB_* return values.
if(retval == NSAlertDefaultReturn)
{
switch(buttons)
{
case MB_OK:
case MB_OKCANCEL:
return MB_OK;
case MB_YESNO:
case MB_YESNOCANCEL:
return MB_YES;
case MB_ABORTRETRYIGNORE:
return MB_ABORT;
case MB_CANCELTRYCONTINUE:
return MB_CANCEL;
case MB_RETRYCANCEL:
return MB_RETRY;
}
} else if(retval == NSAlertAlternateReturn)
{
switch(buttons)
{
case MB_OKCANCEL:
case MB_RETRYCANCEL:
return MB_CANCEL;
case MB_YESNO:
case MB_YESNOCANCEL:
return MB_NO;
case MB_ABORTRETRYIGNORE:
return MB_RETRY;
case MB_CANCELTRYCONTINUE:
return MB_TRYAGAIN;
}
} else if(retval == NSAlertOtherReturn)
{
switch(buttons)
{
case MB_YESNOCANCEL:
return MB_CANCEL;
case MB_ABORTRETRYIGNORE:
return MB_IGNORE;
case MB_CANCELTRYCONTINUE:
return MB_CONTINUE;
}
}
return NULL;
}
#else
int msgbox(string msg, string title, int buttons)
{
//WHAT DO I DO??????
return 0;
}
//#error No implementation of message boxes on current platform!
#endif // CURRENT_PLATFORM
编辑:我不喜欢使用 Qt 有几个原因:它太重,它不能在我的主计算机上运行并且它不能让我对程序有足够的控制。无论如何,我正在尝试从头开始制作这个游戏引擎作为一个业余项目,而不依赖于其他库(我最终将用我自己的代码替换 SDL)。
最佳答案
我创建了一个简单的包装函数,它使用 SDL 2.0 中的 SDL_ShowMessageBox,它取代了我之前提交的代码,它适用于 Linux、Mac 和 Windows。
SDL 2.0 可以在 ( http://www.libsdl.org/tmp/download-2.0.php ) 找到。
您必须在 Linux 上自己构建 SDL 2 - 只需在提供的页面中下载源代码,然后解压缩存档并按照 INSTALL.txt 中的安装说明进行操作(构建 SDL 2 后,库将放在/usr/local/lib 文件夹 - 您可能需要移动它们或告诉您的链接器它们在哪里(包含文件在包含目录中)。
代码如下:
示例(使用我的函数):
int i = showMessageBox(mySDLWindow, "Message", "Title", 3, MB_BUTTONS("BUTTON 1", "BUTTON 2", "BUTTON 3"), 0);
printf("Button %i was pressed", i + 1);
消息框.h:
//Cross-platform message box method.
#include <string>
#include <SDL/SDL.h> //SDL 2.0 header file
//Helper macro
#define MB_BUTTONS(...) ((char*[]) {__VA_ARGS__})
//Flexible message box function.
//Returns the index of button pressed on success or a negative value on a failure.
//The parent argument can be set to NULL if not available.
int showMessageBox(SDL_Window *parent, std::string msg, std::string title,
int count, char* buttons[], int defbutton = 0);
消息框.cpp:
//Complex function
int showMessageBox(SDL_Window *parent, string msg, string title,
int count, char* buttons[], int defbutton)
{
//Variables.
int resultButton = 0;
SDL_MessageBoxData mbdata;
//Set the message box information.
mbdata.flags = SDL_MESSAGEBOX_INFORMATION;
mbdata.message = msg.c_str();
mbdata.title = title.c_str();
mbdata.colorScheme = NULL;
mbdata.window = parent;
mbdata.numbuttons = count;
//Allocate buttons.
SDL_MessageBoxButtonData *butarray = new SDL_MessageBoxButtonData[mbdata.numbuttons];
//Set the button values.
for(unsigned char i = 0; i < mbdata.numbuttons; i++)
{
//Is this button the default button?
if(i == defbutton)
{
butarray[i].flags = SDL_MESSAGEBOX_BUTTON_RETURNKEY_DEFAULT;
} else
{
butarray[i].flags = 0;
}
//Set button text.
if(buttons[i] != NULL)
{
butarray[i].text = buttons[i];
}
//Set button ID.
butarray[i].buttonid = i;
}
//Set the message box data's button array.
mbdata.buttons = butarray;
//Display the message box.
int retval = SDL_ShowMessageBox(&mbdata, &resultButton);
//Deallocate the buttons array to prevent memory leaks.
delete[] butarray;
//Return the result (-1 on failure or if the dialog was closed).
return retval < 0 ? -1 : resultButton;
}
关于c++ - 适用于 Linux 的 SDL 跨平台消息框,我们在Stack Overflow上找到一个类似的问题: https://stackoverflow.com/questions/17319180/
我在我的 Xcode 项目目录中输入了以下内容: keytool -genkey -v -keystore release.keystore -alias mykey -keyalg RSA \
假设我有一个像这样的 DataFrame(或 Series): Value 0 0.5 1 0.8 2 -0.2 3 None 4 None 5 None
我正在对一个 Pandas 系列进行相对繁重的应用。有什么方法可以返回一些打印反馈,说明每次调用函数时在函数内部进行打印还有多远? 最佳答案 您可以使用跟踪器包装您的函数。以下两个示例,一个基于完成的
我有一个 DataFrame,其中一列包含列表作为单元格内容,如下所示: import pandas as pd df = pd.DataFrame({ 'col_lists': [[1, 2
我想使用 Pandas df.apply 但仅限于某些行 作为一个例子,我想做这样的事情,但我的实际问题有点复杂: import pandas as pd import math z = pd.Dat
我有以下 Pandas 数据框 id dist ds 0 0 0 0 5 1 0 0 7 2 0 0
这发生在我尝试使用 Gradle 构建时。由于字符串是对象,因此似乎没有理由发生此错误: No signature of method: java.util.HashMap.getOrDefault(
您好,有人可以解释为什么在 remaining() 函数中的 Backbone 示例应用程序 ( http://backbonejs.org/examples/todos/index.html ) 中
我有两个域类:用户 class User { String username String password String email Date dateCreated
问题陈述: 一个 pandas dataframe 列系列,same_group 需要根据两个现有列 row 和 col 的值从 bool 值创建。如果两个值在字典 memberships 中具有相似
apporable 报告以下错误: error: unknown type name 'MKMapItem'; did you mean 'MKMapView'? MKMapItem* destina
我有一个带有地址列的大型 DataFrame: data addr 0 0.617964 IN,Krishnagiri,635115 1 0.635428 IN,Chennai
我有一个列表list,里面有这样的项目 ElementA: Number=1, Version=1 ElementB: Number=1, Version=2 ElementC: Number=1,
我正在编译我的源代码,它只是在没有运行应用程序的情况下终止。这是我得到的日志: Build/android-armeabi-debug/com.app4u.portaldorugby/PortalDo
我正在尝试根据另一个单元格的值更改单元格值(颜色“红色”或“绿色”)。我运行以下命令: df.loc[0, 'Colour'] = df.loc[0, 'Count'].apply(lambda x:
我想弄清楚如何使用 StateT结合两个 State基于对我的 Scalaz state monad examples 的评论的状态转换器回答。 看来我已经很接近了,但是在尝试申请 sequence
如果我已经为它绑定(bind)了集合,我该如何添加 RibbonLibrary 默认的快速访问项容器。当我从 UI 添加快速访问工具项时,它会抛出 Operation is not valid whi
在我学习期间Typoclassopedia我遇到了这个证明,但我不确定我的证明是否正确。问题是: One might imagine a variant of the interchange law
我是一名优秀的程序员,十分优秀!