本文整理汇总了C++中QVariantMap::value方法的典型用法代码示例。如果您正苦于以下问题:C++ QVariantMap::value方法的具体用法?C++ QVariantMap::value怎么用?C++ QVariantMap::value使用的例子?那么, 这里精选的方法代码示例或许可以为您提供帮助。您也可以进一步了解该方法所在类QVariantMap
的用法示例。
在下文中一共展示了QVariantMap::value方法的15个代码示例,这些例子默认根据受欢迎程度排序。您可以为喜欢或者感觉有用的代码点赞,您的评价将有助于系统推荐出更棒的C++代码示例。
示例1: onDataReceived
void Twitter::onDataReceived()
{
QNetworkReply* reply = qobject_cast<QNetworkReply*>(sender());
QString response;
bool success = false;
if (reply)
{
if (reply->error() == QNetworkReply::NoError)
{
int available = reply->bytesAvailable();
if (available > 0)
{
int bufSize = sizeof(char) * available + sizeof(char);
QByteArray buffer(bufSize, 0);
reply->read(buffer.data(), available);
response = QString(buffer);
success = true;
}
}
else
{
response = QString("Error: ") + reply->errorString() + QString(" status:") + reply->attribute(QNetworkRequest::HttpStatusCodeAttribute).toString();
emit tweetParseComplete(false, "We can't connect to the internet");
}
reply->deleteLater();
}
if (success )
{
if (response != "[]") {
if (_refreshing) {
_tweetList.clear();
emit itemsChanged(bb::cascades::DataModelChangeType::Init);
}
bb::data::JsonDataAccess jda;
QVariant jsonva = jda.loadFromBuffer(response);
QVariantMap map = jsonva.toMap();
QVariantList results = map.value("results").toList();
//okay let's get the news items
int numTweets = 0;
foreach (QVariant v, results) {
QVariantMap map = v.toMap();
Tweet *tweet = new Tweet();
tweet->parse(v);
QVariant q = QVariant::fromValue(tweet);
_tweetList.append(q); //to go from a QVariant back to a Tweet* item: Tweet *Tweet = q.value<Tweet*>();
QVariantList path;
path.append(_tweetList.indexOf(q));
emit itemAdded (path);
numTweets++;
}
if (numTweets > 0) {
emit tweetParseComplete(true, "Parsed successfully");
} else {
if (_tweetList.count() == 0) {
emit tweetParseComplete(false, "No Tweets yet");
}
}
}
}
示例2: fromMap
void QnxQtVersion::fromMap(const QVariantMap &map)
{
BaseQtVersion::fromMap(map);
setSdpPath(QDir::fromNativeSeparators(map.value(QLatin1String(SDP_PATH_KEY)).toString()));
}
示例3: handleFinished
void QgsAmsLegendFetcher::handleFinished()
{
// Parse result
QJsonParseError err;
QJsonDocument doc = QJsonDocument::fromJson( mQueryReply, &err );
if ( doc.isNull() )
{
emit error( QStringLiteral( "Parsing error:" ).arg( err.errorString() ) );
}
QVariantMap queryResults = doc.object().toVariantMap();
QgsDataSourceUri dataSource( mProvider->dataSourceUri() );
QVector< QPair<QString, QImage> > legendEntries;
const QVariantList layersList = queryResults.value( QStringLiteral( "layers" ) ).toList();
for ( const QVariant &result : layersList )
{
QVariantMap queryResultMap = result.toMap();
QString layerId = queryResultMap[QStringLiteral( "layerId" )].toString();
if ( layerId != dataSource.param( QStringLiteral( "layer" ) ) && !mProvider->subLayers().contains( layerId ) )
{
continue;
}
const QVariantList legendSymbols = queryResultMap[QStringLiteral( "legend" )].toList();
for ( const QVariant &legendEntry : legendSymbols )
{
QVariantMap legendEntryMap = legendEntry.toMap();
QString label = legendEntryMap[QStringLiteral( "label" )].toString();
if ( label.isEmpty() && legendSymbols.size() == 1 )
label = queryResultMap[QStringLiteral( "layerName" )].toString();
QByteArray imageData = QByteArray::fromBase64( legendEntryMap[QStringLiteral( "imageData" )].toByteArray() );
legendEntries.append( qMakePair( label, QImage::fromData( imageData ) ) );
}
}
if ( !legendEntries.isEmpty() )
{
int padding = 5;
int vpadding = 1;
int imageSize = 20;
int textWidth = 175;
typedef QPair<QString, QImage> LegendEntry_t;
QSize maxImageSize( 0, 0 );
for ( const LegendEntry_t &legendEntry : qgis::as_const( legendEntries ) )
{
maxImageSize.setWidth( std::max( maxImageSize.width(), legendEntry.second.width() ) );
maxImageSize.setHeight( std::max( maxImageSize.height(), legendEntry.second.height() ) );
}
double scaleFactor = maxImageSize.width() == 0 || maxImageSize.height() == 0 ? 1.0 :
std::min( 1., std::min( double( imageSize ) / maxImageSize.width(), double( imageSize ) / maxImageSize.height() ) );
mLegendImage = QImage( imageSize + padding + textWidth, vpadding + legendEntries.size() * ( imageSize + vpadding ), QImage::Format_ARGB32 );
mLegendImage.fill( Qt::transparent );
QPainter painter( &mLegendImage );
int i = 0;
for ( const LegendEntry_t &legendEntry : qgis::as_const( legendEntries ) )
{
QImage symbol = legendEntry.second.scaled( legendEntry.second.width() * scaleFactor, legendEntry.second.height() * scaleFactor, Qt::KeepAspectRatio, Qt::SmoothTransformation );
painter.drawImage( 0, vpadding + i * ( imageSize + vpadding ) + ( imageSize - symbol.height() ), symbol );
painter.drawText( imageSize + padding, vpadding + i * ( imageSize + vpadding ), textWidth, imageSize, Qt::AlignLeft | Qt::AlignVCenter, legendEntry.first );
++i;
}
}
emit finish( mLegendImage );
}
示例4: handleRequest
bool CategoryServer::handleRequest(QHttpRequest *request, QHttpResponse *response) {
const QStringList parts = request->path().split("/", QString::SkipEmptyParts);
if ((parts.isEmpty()) || (parts.size() > 2) || (parts.first() != "categories")) {
return false;
}
if (parts.size() == 1) {
if (request->method() == QHttpRequest::HTTP_GET) {
writeResponse(response, QHttpResponse::STATUS_OK, QtJson::Json::serialize(Qdl::getCategories()));
return true;
}
if (request->method() == QHttpRequest::HTTP_POST) {
const QVariantMap properties = QtJson::Json::parse(request->body()).toMap();
const QString name = properties.value("name").toString();
const QString path = properties.value("path").toString();
if ((name.isEmpty()) || (path.isEmpty()) || (!Qdl::addCategory(name, path))) {
writeResponse(response, QHttpResponse::STATUS_BAD_REQUEST);
}
else {
writeResponse(response, QHttpResponse::STATUS_CREATED);
}
return true;
}
writeResponse(response, QHttpResponse::STATUS_METHOD_NOT_ALLOWED);
return true;
}
if (request->method() == QHttpRequest::HTTP_GET) {
const QVariantMap category = Qdl::getCategory(parts.at(1));
if (category.isEmpty()) {
return false;
}
writeResponse(response, QHttpResponse::STATUS_OK, QtJson::Json::serialize(category));
return true;
}
if (request->method() == QHttpRequest::HTTP_PUT) {
const QVariantMap properties = QtJson::Json::parse(request->body()).toMap();
const QString path = properties.value("path").toString();
if ((path.isEmpty()) || (!Qdl::addCategory(parts.at(1), path))) {
writeResponse(response, QHttpResponse::STATUS_BAD_REQUEST);
}
else {
writeResponse(response, QHttpResponse::STATUS_OK);
}
return true;
}
if (request->method() == QHttpRequest::HTTP_DELETE) {
const QVariantMap properties = QtJson::Json::parse(request->body()).toMap();
const QString name = properties.value("name").toString();
if ((name.isEmpty()) || (!Qdl::removeCategory(name))) {
writeResponse(response, QHttpResponse::STATUS_BAD_REQUEST);
}
else {
writeResponse(response, QHttpResponse::STATUS_OK);
}
return true;
}
writeResponse(response, QHttpResponse::STATUS_METHOD_NOT_ALLOWED);
return true;
}
示例5: Account
WebKitPreviewAccount::WebKitPreviewAccount(const QVariantMap &data, qutim_sdk_0_3::Protocol *protocol)
: Account(data.value(QLatin1String("UID")).toString(), protocol), m_data(data)
{
}
示例6: QgsProcessingException
QgsFeatureSink *QgsProcessingUtils::createFeatureSink( QString &destination, QgsProcessingContext &context, const QgsFields &fields, QgsWkbTypes::Type geometryType, const QgsCoordinateReferenceSystem &crs, const QVariantMap &createOptions, QgsFeatureSink::SinkFlags sinkFlags )
{
QVariantMap options = createOptions;
if ( !options.contains( QStringLiteral( "fileEncoding" ) ) )
{
// no destination encoding specified, use default
options.insert( QStringLiteral( "fileEncoding" ), context.defaultEncoding().isEmpty() ? QStringLiteral( "system" ) : context.defaultEncoding() );
}
if ( destination.isEmpty() || destination.startsWith( QLatin1String( "memory:" ) ) )
{
// strip "memory:" from start of destination
if ( destination.startsWith( QLatin1String( "memory:" ) ) )
destination = destination.mid( 7 );
if ( destination.isEmpty() )
destination = QStringLiteral( "output" );
// memory provider cannot be used with QgsVectorLayerImport - so create layer manually
std::unique_ptr< QgsVectorLayer > layer( QgsMemoryProviderUtils::createMemoryLayer( destination, fields, geometryType, crs ) );
if ( !layer || !layer->isValid() )
{
throw QgsProcessingException( QObject::tr( "Could not create memory layer" ) );
}
// update destination to layer ID
destination = layer->id();
// this is a factory, so we need to return a proxy
std::unique_ptr< QgsProcessingFeatureSink > sink( new QgsProcessingFeatureSink( layer->dataProvider(), destination, context ) );
context.temporaryLayerStore()->addMapLayer( layer.release() );
return sink.release();
}
else
{
QString providerKey;
QString uri;
QString layerName;
QString format;
bool useWriter = false;
parseDestinationString( destination, providerKey, uri, layerName, format, options, useWriter );
QgsFields newFields = fields;
if ( useWriter && providerKey == QLatin1String( "ogr" ) )
{
// use QgsVectorFileWriter for OGR destinations instead of QgsVectorLayerImport, as that allows
// us to use any OGR format which supports feature addition
QString finalFileName;
std::unique_ptr< QgsVectorFileWriter > writer = qgis::make_unique< QgsVectorFileWriter >( destination, options.value( QStringLiteral( "fileEncoding" ) ).toString(), newFields, geometryType, crs, format, QgsVectorFileWriter::defaultDatasetOptions( format ),
QgsVectorFileWriter::defaultLayerOptions( format ), &finalFileName, QgsVectorFileWriter::NoSymbology, sinkFlags );
if ( writer->hasError() )
{
throw QgsProcessingException( QObject::tr( "Could not create layer %1: %2" ).arg( destination, writer->errorMessage() ) );
}
destination = finalFileName;
return new QgsProcessingFeatureSink( writer.release(), destination, context, true );
}
else
{
//create empty layer
std::unique_ptr< QgsVectorLayerExporter > exporter( new QgsVectorLayerExporter( uri, providerKey, newFields, geometryType, crs, true, options, sinkFlags ) );
if ( exporter->errorCode() )
{
throw QgsProcessingException( QObject::tr( "Could not create layer %1: %2" ).arg( destination, exporter->errorMessage() ) );
}
// use destination string as layer name (eg "postgis:..." )
if ( !layerName.isEmpty() )
uri += QStringLiteral( "|layername=%1" ).arg( layerName );
std::unique_ptr< QgsVectorLayer > layer( new QgsVectorLayer( uri, destination, providerKey ) );
// update destination to layer ID
destination = layer->id();
context.temporaryLayerStore()->addMapLayer( layer.release() );
return new QgsProcessingFeatureSink( exporter.release(), destination, context, true );
}
}
return nullptr;
}
示例7: QCoreApplication
AssignmentClient::AssignmentClient(int &argc, char **argv) :
QCoreApplication(argc, argv),
_assignmentServerHostname(DEFAULT_ASSIGNMENT_SERVER_HOSTNAME),
_localASPortSharedMem(NULL)
{
LogUtils::init();
setOrganizationName("High Fidelity");
setOrganizationDomain("highfidelity.io");
setApplicationName("assignment-client");
QSettings::setDefaultFormat(QSettings::IniFormat);
// setup a shutdown event listener to handle SIGTERM or WM_CLOSE for us
#ifdef _WIN32
installNativeEventFilter(&ShutdownEventListener::getInstance());
#else
ShutdownEventListener::getInstance();
#endif
// set the logging target to the the CHILD_TARGET_NAME
LogHandler::getInstance().setTargetName(ASSIGNMENT_CLIENT_TARGET_NAME);
const QVariantMap argumentVariantMap = HifiConfigVariantMap::mergeCLParametersWithJSONConfig(arguments());
const QString ASSIGNMENT_TYPE_OVERRIDE_OPTION = "t";
const QString ASSIGNMENT_POOL_OPTION = "pool";
const QString ASSIGNMENT_WALLET_DESTINATION_ID_OPTION = "wallet";
const QString CUSTOM_ASSIGNMENT_SERVER_HOSTNAME_OPTION = "a";
const QString CUSTOM_ASSIGNMENT_SERVER_PORT_OPTION = "p";
Assignment::Type requestAssignmentType = Assignment::AllTypes;
// check for an assignment type passed on the command line or in the config
if (argumentVariantMap.contains(ASSIGNMENT_TYPE_OVERRIDE_OPTION)) {
requestAssignmentType = (Assignment::Type) argumentVariantMap.value(ASSIGNMENT_TYPE_OVERRIDE_OPTION).toInt();
}
QString assignmentPool;
// check for an assignment pool passed on the command line or in the config
if (argumentVariantMap.contains(ASSIGNMENT_POOL_OPTION)) {
assignmentPool = argumentVariantMap.value(ASSIGNMENT_POOL_OPTION).toString();
}
// setup our _requestAssignment member variable from the passed arguments
_requestAssignment = Assignment(Assignment::RequestCommand, requestAssignmentType, assignmentPool);
// check for a wallet UUID on the command line or in the config
// this would represent where the user running AC wants funds sent to
if (argumentVariantMap.contains(ASSIGNMENT_WALLET_DESTINATION_ID_OPTION)) {
QUuid walletUUID = argumentVariantMap.value(ASSIGNMENT_WALLET_DESTINATION_ID_OPTION).toString();
qDebug() << "The destination wallet UUID for credits is" << uuidStringWithoutCurlyBraces(walletUUID);
_requestAssignment.setWalletUUID(walletUUID);
}
// create a NodeList as an unassigned client
NodeList* nodeList = NodeList::createInstance(NodeType::Unassigned);
quint16 assignmentServerPort = DEFAULT_DOMAIN_SERVER_PORT;
// check for an overriden assignment server hostname
if (argumentVariantMap.contains(CUSTOM_ASSIGNMENT_SERVER_HOSTNAME_OPTION)) {
// change the hostname for our assignment server
_assignmentServerHostname = argumentVariantMap.value(CUSTOM_ASSIGNMENT_SERVER_HOSTNAME_OPTION).toString();
}
// check for an overriden assignment server port
if (argumentVariantMap.contains(CUSTOM_ASSIGNMENT_SERVER_PORT_OPTION)) {
assignmentServerPort =
argumentVariantMap.value(CUSTOM_ASSIGNMENT_SERVER_PORT_OPTION).toString().toUInt();
}
_assignmentServerSocket = HifiSockAddr(_assignmentServerHostname, assignmentServerPort, true);
nodeList->setAssignmentServerSocket(_assignmentServerSocket);
qDebug() << "Assignment server socket is" << _assignmentServerSocket;
// call a timer function every ASSIGNMENT_REQUEST_INTERVAL_MSECS to ask for assignment, if required
qDebug() << "Waiting for assignment -" << _requestAssignment;
QTimer* timer = new QTimer(this);
connect(timer, SIGNAL(timeout()), SLOT(sendAssignmentRequest()));
timer->start(ASSIGNMENT_REQUEST_INTERVAL_MSECS);
// connect our readPendingDatagrams method to the readyRead() signal of the socket
connect(&nodeList->getNodeSocket(), &QUdpSocket::readyRead, this, &AssignmentClient::readPendingDatagrams);
// connections to AccountManager for authentication
connect(&AccountManager::getInstance(), &AccountManager::authRequired,
this, &AssignmentClient::handleAuthenticationRequest);
// Create Singleton objects on main thread
NetworkAccessManager::getInstance();
SoundCache::getInstance();
}
示例8: rp
void
ScriptEngine::resolve( const Tomahawk::query_ptr& query )
{
qDebug() << Q_FUNC_INFO << query->toString();
QString eval = QString( "resolve( '%1', '%2', '%3', '%4' );" )
.arg( query->id().replace( "'", "\\'" ) )
.arg( query->artist().replace( "'", "\\'" ) )
.arg( query->album().replace( "'", "\\'" ) )
.arg( query->track().replace( "'", "\\'" ) );
QList< Tomahawk::result_ptr > results;
QVariantMap m = mainFrame()->evaluateJavaScript( eval ).toMap();
qDebug() << "JavaScript Result:" << m;
const QString qid = query->id();
const QVariantList reslist = m.value( "results" ).toList();
foreach( const QVariant& rv, reslist )
{
QVariantMap m = rv.toMap();
qDebug() << "RES" << m;
Tomahawk::result_ptr rp( new Tomahawk::Result() );
Tomahawk::artist_ptr ap = Tomahawk::Artist::get( 0, m.value( "artist" ).toString() );
rp->setArtist( ap );
rp->setAlbum( Tomahawk::Album::get( 0, m.value( "album" ).toString(), ap ) );
rp->setTrack( m.value( "track" ).toString() );
rp->setBitrate( m.value( "bitrate" ).toUInt() );
rp->setUrl( m.value( "url" ).toString() );
rp->setSize( m.value( "size" ).toUInt() );
rp->setScore( m.value( "score" ).toFloat() * ( (float)m_parent->weight() / 100.0 ) );
rp->setRID( uuid() );
rp->setFriendlySource( m_parent->name() );
if ( m.contains( "year" ) )
{
QVariantMap attr;
attr[ "releaseyear" ] = m.value( "year" );
rp->setAttributes( attr );
}
rp->setDuration( m.value( "duration", 0 ).toUInt() );
if ( rp->duration() <= 0 && m.contains( "durationString" ) )
{
QTime time = QTime::fromString( m.value( "durationString" ).toString(), "hh:mm:ss" );
rp->setDuration( time.secsTo( QTime( 0, 0 ) ) * -1 );
}
rp->setMimetype( m.value( "mimetype" ).toString() );
if ( rp->mimetype().isEmpty() )
{
rp->setMimetype( TomahawkUtils::extensionToMimetype( m.value( "extension" ).toString() ) );
Q_ASSERT( !rp->mimetype().isEmpty() );
}
results << rp;
}
示例9: fromMap
void BlackBerryDeviceConfiguration::fromMap(const QVariantMap &map)
{
RemoteLinux::LinuxDevice::fromMap(map);
m_debugToken = map.value(QLatin1String(Constants::QNX_DEBUG_TOKEN_KEY)).toString();
}
示例10: onDataReceived
void VLongPollClient::onDataReceived()
{
QNetworkReply *reply = qobject_cast<QNetworkReply *>(sender());
reply->deleteLater();
QByteArray rawData = reply->readAll();
debug() << Q_FUNC_INFO << rawData;
QVariantMap data = Json::parse(rawData).toMap();
if (data.contains("failed")) {
requestServer();
return;
} else if (data.isEmpty() || reply->error() != QNetworkReply::NoError) {
if (m_connection->connectionState() == Connected)
QTimer::singleShot(1000, this, SLOT(requestServer()));
return;
}
QVariantList updates = data.value("updates").toList();
for (int i = 0; i < updates.size(); i++) {
QVariantList update = updates.at(i).toList();
int updateType = update.value(0, -1).toInt();
switch (updateType) {
case MessageAdded: {
MessageFlags flags(update.value(2).toInt());
if (flags & MessageOutbox)
continue;
QString id = update.value(3).toString();
QString messageId = update.value(1).toString();
QString subject = update.value(5).toString();
QString text = update.value(6).toString();
VContact *contact = m_connection->account()->getContact(id, true);
qutim_sdk_0_3::Message message;
message.setChatUnit(contact);
message.setProperty("subject", subject);
message.setText(unescape(text));
message.setProperty("mid",messageId);
//message.setProperty("html",text);
message.setTime(QDateTime::currentDateTime());
message.setIncoming(true);
ChatSession *s = ChatLayer::get(contact, true);
s->appendMessage(message);
connect(s,SIGNAL(unreadChanged(qutim_sdk_0_3::MessageList)),SLOT(onUnreadChanged(qutim_sdk_0_3::MessageList)));
m_unread_mess[s].append(message);
contact->setChatState(ChatStateActive);
break;
}
case UserOnline:
case UserOffline: {
// WTF? Why VKontakte sends minus as first char of id?
QString id = update.value(1).toString().mid(1);
VContact *contact = m_connection->account()->getContact(id, false);
if (contact)
contact->setOnline(updateType == UserOnline);
break;
}
}
}
if (m_connection->connectionState() == Connected)
requestData(data.value("ts").toString());
}
示例11: handleCommand
void RemoteComponent::handleCommand(QHttpRequest* request, QHttpResponse* response)
{
QVariantMap queryMap = QueryToMap(request->url());
QVariantMap headerMap = HeaderToMap(request->headers());
QString identifier = headerMap["x-plex-client-identifier"].toString();
response->addHeader("Access-Control-Allow-Origin", "*");
response->addHeader("X-Plex-Client-Identifier", SettingsComponent::Get().value(SETTINGS_SECTION_WEBCLIENT, "clientID").toByteArray());
// handle CORS requests here
if ((request->method() == qhttp::EHTTP_OPTIONS) && headerMap.contains("access-control-request-method"))
{
response->addHeader("Content-Type", "text/plain");
response->addHeader("Access-Control-Allow-Methods", "POST, GET, OPTIONS, DELETE, PUT, HEAD");
response->addHeader("Access-Control-Max-Age", "1209600");
response->addHeader("Connection", "close");
if (headerMap.contains("access-control-request-headers"))
{
response->addHeader("Access-Control-Allow-Headers", headerMap.value("access-control-request-headers").toByteArray());
}
response->setStatusCode(qhttp::ESTATUS_OK);
response->end();
return;
}
// we want to handle the subscription events in the host
// since we are going to handle the updating later.
//
if (request->url().path() == "/player/timeline/subscribe")
{
handleSubscription(request, response, false);
return;
}
else if (request->url().path() == "/player/timeline/unsubscribe")
{
subscriberRemove(request->headers()["x-plex-client-identifier"]);
response->setStatusCode(qhttp::ESTATUS_OK);
response->end();
return;
}
else if ((request->url().path() == "/player/timeline/poll"))
{
QMutexLocker lk(&m_subscriberLock);
if (!m_subscriberMap.contains(identifier))
{
lk.unlock();
handleSubscription(request, response, true);
lk.relock();
}
RemotePollSubscriber *subscriber = (RemotePollSubscriber *)m_subscriberMap[identifier];
if (subscriber)
{
subscriber->reSubscribe();
subscriber->setHTTPResponse(response);
// if we don't have to wait, just ship the update right away
// otherwise, this will wait until next update
if (! (queryMap.contains("wait") && (queryMap["wait"].toList()[0].toInt() == 1)))
{
subscriber->sendUpdate();
}
}
return;
}
// handle commandID
if (!headerMap.contains("x-plex-client-identifier") || !queryMap.contains("commandID"))
{
QLOG_WARN() << "Can't find a X-Plex-Client-Identifier header";
response->setStatusCode(qhttp::ESTATUS_NOT_ACCEPTABLE);
response->end();
return;
}
quint64 commandId = 0;
{
QMutexLocker lk(&m_responseLock);
commandId = ++m_commandId;
m_responseMap[commandId] = response;
connect(response, &QHttpResponse::done, this, &RemoteComponent::responseDone);
}
{
QMutexLocker lk(&m_subscriberLock);
if (!m_subscriberMap.contains(identifier))
{
QLOG_WARN() << "Failed to lock up subscriber" << identifier;
response->setStatusCode(qhttp::ESTATUS_NOT_ACCEPTABLE);
response->end();
return;
}
RemoteSubscriber* subscriber = m_subscriberMap[identifier];
//.........这里部分代码省略.........
示例12: fromMap
void IRunConfigurationAspect::fromMap(const QVariantMap &map)
{
m_projectSettings->fromMap(map);
m_useGlobalSettings = map.value(m_id.toString() + QLatin1String(".UseGlobalSettings"), true).toBool();
}
示例13: fetchMore
void SoundCloudSearchPlugin::fetchMore(const QVariantMap ¶ms) {
request()->get(params.value("path").toString());
}
示例14: commentLessThan
static bool commentLessThan(const QVariantMap &a, const QVariantMap &b)
{
return a.value("cid").toInt() < b.value("cid").toInt();
}
示例15: fromMap
void IosSimulator::fromMap(const QVariantMap &map)
{
IDevice::fromMap(map);
m_simulatorPath = Utils::FileName::fromString(map.value(QLatin1String(SIMULATOR_PATH_KEY))
.toString());
}