我不知道这是否可能,但也许还有其他解决方案可以满足我的需求。我正在尝试从设置文件中获取设置。它们可以是字符串(如名称),整数或布尔值。当然,它们作为文本存储在文件中,但是我将创建一个用于打开和返回设置的类,但不是作为字符串,而是实际上每个都是。
class Settings {
public:
Settings(string FileName);
template <class T> T Setting(string SettingName);
}
例如,构造函数将加载文件,将解析设置并将它们存储为地图。 现在,当我调用设置成员函数时,我希望它确定所请求设置的值是什么类型(如果是数字,则为整数,如果为“true”或“false”为布尔值,如果是字母数字字符串)并返回该类型的值。一个例子
Settings UserPreferences("Preferences.cfg");
bool AutoLogin = UserPreferences.Setting("autologin"); // return bool
string UserName = UserPreferences.Setting("username"); // return string or char*
我查看了模板,但看起来我必须在创建Settings对象时指定我期望的变量,但这不是重点。我很高兴声明要返回的变量类型如下:
bool AutoLogin = UserPreferences.Setting<bool>("autologin");
string UserName = UserPreferences.Setting<string>("username");
但我不知道这是否可行。你觉得怎么样?
答案 0 :(得分:2)
这绝对是可能的,尽管您必须保证它可以转换为给定类型。在XNA的ContentLoader中可以看到很多(尽管系统差别很大)。您可以使用此方法来简化和抽象检索事物的存储方式。考虑:
class Loader
{
private:
vector<void*> _items;
public:
template <typename Type>
Type GetItem( int index ) { return (Type)(_items[ index ]); }
};
这个想法是,只要您可以可靠地(比示例更可靠)将内部数据转换为所请求的类型,而不是完全合法的操作。如何使保证成功完全是另一个问题,但你肯定可以有返回类型为其模板类型的方法。考虑以下示例(我使用的是资源加载器的大学项目):
Header.h
class BasicResource
{
public:
static const int ResourceID;
const int ID;
BasicResource( )
: ID( ResourceID )
{
}
};
class Loader
{
private:
vector<BasicResource*> _items;
public:
template <typename Type>
Type GetItem( int index );
};
#include "inline.inl"
Inline.inl
template <typename Type>
Type Loader::GetItem( int index )
{
auto item = _items[ index ];
if( item != nullptr && item->ID == Type::ResourceID )
{
return (Type)_item;
}
else
{
// Handle the fail case somehow
}
}
内联文件允许您像往常一样分离逻辑,但将其包含在允许导出模板方法的标题中。
答案 1 :(得分:2)
是的,这当然是可能的。我写了以下一些完整的代码来证明这一点:
#include <iostream>
#include <map>
#include <string>
#include <sstream>
#include <stdexcept>
struct Settings
{
typedef std::map<std::string, std::string> SettingsMap;
template <class T> T as( const std::string& name ) const
{
std::istringstream is( getEntry( name ) );
T value;
if( is )
{
if( (is >> value) || (is.eof() && !is.fail()) )
{
return value;
}
}
//Exception handling not in scope of question
throw std::runtime_error( "..." );
};
const std::string& getEntry( const std::string& name ) const
{
SettingsMap::const_iterator pos( settingsMap_.find( name ) );
if( pos != settingsMap_.end() )
{
return pos->second;
}
//Not part of the scope of this answer....
throw std::invalid_argument( "No such setting..." );
}
Settings()
{
settingsMap_["mybool"] = "1";
settingsMap_["myint"] = "5";
settingsMap_["myfloat"] = "43.2";
}
SettingsMap settingsMap_;
};
int main()
{
Settings s;
std::cout << s.as<bool>("mybool") << " "
<< s.as<int>("myint") << " "
<< s.as<float>("myfloat");
return 0;
}
我已经实现了类似的东西,但是我使用了boost :: any作为我的映射类型,并且我在第一次解析时读取了实际类型,因此确保存储的类型是正确的。我也使用了boost :: lexical_cast而不是native istringstream,但为了证明这一点,我省略了它。