本文整理汇总了C++中QLocale::language方法的典型用法代码示例。如果您正苦于以下问题:C++ QLocale::language方法的具体用法?C++ QLocale::language怎么用?C++ QLocale::language使用的例子?那么, 这里精选的方法代码示例或许可以为您提供帮助。您也可以进一步了解该方法所在类QLocale
的用法示例。
在下文中一共展示了QLocale::language方法的10个代码示例,这些例子默认根据受欢迎程度排序。您可以为喜欢或者感觉有用的代码点赞,您的评价将有助于系统推荐出更棒的C++代码示例。
示例1: interpretResourceFile
bool RCCResourceLibrary::interpretResourceFile(QIODevice *inputDevice,
const QString &fname, QString currentPath, bool ignoreErrors)
{
Q_ASSERT(m_errorDevice);
const QChar slash = QLatin1Char('/');
if (!currentPath.isEmpty() && !currentPath.endsWith(slash))
currentPath += slash;
QXmlStreamReader reader(inputDevice);
QStack<RCCXmlTag> tokens;
QString prefix;
QLocale::Language language = QLocale::c().language();
QLocale::Country country = QLocale::c().country();
QString alias;
int compressLevel = m_compressLevel;
int compressThreshold = m_compressThreshold;
while (!reader.atEnd()) {
QXmlStreamReader::TokenType t = reader.readNext();
switch (t) {
case QXmlStreamReader::StartElement:
if (reader.name() == m_strings.TAG_RCC) {
if (!tokens.isEmpty())
reader.raiseError(QLatin1String("expected <RCC> tag"));
else
tokens.push(RccTag);
} else if (reader.name() == m_strings.TAG_RESOURCE) {
if (tokens.isEmpty() || tokens.top() != RccTag) {
reader.raiseError(QLatin1String("unexpected <RESOURCE> tag"));
} else {
tokens.push(ResourceTag);
QXmlStreamAttributes attributes = reader.attributes();
language = QLocale::c().language();
country = QLocale::c().country();
if (attributes.hasAttribute(m_strings.ATTRIBUTE_LANG)) {
QString attribute = attributes.value(m_strings.ATTRIBUTE_LANG).toString();
QLocale lang = QLocale(attribute);
language = lang.language();
if (2 == attribute.length()) {
// Language only
country = QLocale::AnyCountry;
} else {
country = lang.country();
}
}
prefix.clear();
if (attributes.hasAttribute(m_strings.ATTRIBUTE_PREFIX))
prefix = attributes.value(m_strings.ATTRIBUTE_PREFIX).toString();
if (!prefix.startsWith(slash))
prefix.prepend(slash);
if (!prefix.endsWith(slash))
prefix += slash;
}
} else if (reader.name() == m_strings.TAG_FILE) {
if (tokens.isEmpty() || tokens.top() != ResourceTag) {
reader.raiseError(QLatin1String("unexpected <FILE> tag"));
} else {
tokens.push(FileTag);
QXmlStreamAttributes attributes = reader.attributes();
alias.clear();
if (attributes.hasAttribute(m_strings.ATTRIBUTE_ALIAS))
alias = attributes.value(m_strings.ATTRIBUTE_ALIAS).toString();
compressLevel = m_compressLevel;
if (attributes.hasAttribute(m_strings.ATTRIBUTE_COMPRESS))
compressLevel = attributes.value(m_strings.ATTRIBUTE_COMPRESS).toString().toInt();
compressThreshold = m_compressThreshold;
if (attributes.hasAttribute(m_strings.ATTRIBUTE_THRESHOLD))
compressThreshold = attributes.value(m_strings.ATTRIBUTE_THRESHOLD).toString().toInt();
// Special case for -no-compress. Overrides all other settings.
if (m_compressLevel == -2)
compressLevel = 0;
}
} else {
reader.raiseError(QString(QLatin1String("unexpected tag: %1")).arg(reader.name().toString()));
}
break;
case QXmlStreamReader::EndElement:
if (reader.name() == m_strings.TAG_RCC) {
if (!tokens.isEmpty() && tokens.top() == RccTag)
tokens.pop();
else
reader.raiseError(QLatin1String("unexpected closing tag"));
} else if (reader.name() == m_strings.TAG_RESOURCE) {
if (!tokens.isEmpty() && tokens.top() == ResourceTag)
tokens.pop();
else
reader.raiseError(QLatin1String("unexpected closing tag"));
} else if (reader.name() == m_strings.TAG_FILE) {
if (!tokens.isEmpty() && tokens.top() == FileTag)
tokens.pop();
else
//.........这里部分代码省略.........
示例2: findNode
int QResourceRoot::findNode(const QString &_path, const QLocale &locale) const
{
QString path = QDir::cleanPath(_path);
// QDir::cleanPath does not remove two trailing slashes under _Windows_
// due to support for UNC paths. Remove those manually.
if (path.startsWith(QLatin1String("//")))
path.remove(0, 1);
{
QString root = mappingRoot();
if(!root.isEmpty()) {
if(root == path) {
path = QLatin1String("/");
} else {
if(!root.endsWith(QLatin1String("/")))
root += QLatin1String("/");
if(path.size() >= root.size() && path.startsWith(root))
path = path.mid(root.length()-1);
if(path.isEmpty())
path = QLatin1String("/");
}
}
}
#ifdef DEBUG_RESOURCE_MATCH
qDebug() << "!!!!" << "START" << path << locale.country() << locale.language();
#endif
if(path == QLatin1String("/"))
return 0;
//the root node is always first
int child_count = (tree[6] << 24) + (tree[7] << 16) +
(tree[8] << 8) + (tree[9] << 0);
int child = (tree[10] << 24) + (tree[11] << 16) +
(tree[12] << 8) + (tree[13] << 0);
//now iterate up the tree
int node = -1;
QStringList segments = path.split(QLatin1Char('/'), QString::SkipEmptyParts);
#ifdef DEBUG_RESOURCE_MATCH
qDebug() << "****" << segments;
#endif
for(int i = 0; child_count && i < segments.size(); ++i) {
const QString &segment = segments[i];
#ifdef DEBUG_RESOURCE_MATCH
qDebug() << " CHILDREN" << segment;
for(int j = 0; j < child_count; ++j) {
qDebug() << " " << child+j << " :: " << name(child+j);
}
#endif
const int h = qHash(segment);
//do the binary search for the hash
int l = 0, r = child_count-1;
int sub_node = (l+r+1)/2;
while(r != l) {
const int sub_node_hash = hash(child+sub_node);
if(h == sub_node_hash)
break;
else if(h < sub_node_hash)
r = sub_node - 1;
else
l = sub_node;
sub_node = (l + r + 1) / 2;
}
sub_node += child;
//now do the "harder" compares
bool found = false;
if(hash(sub_node) == h) {
while(sub_node > child && hash(sub_node-1) == h) //backup for collisions
--sub_node;
for(; sub_node < child+child_count && hash(sub_node) == h; ++sub_node) { //here we go...
if(name(sub_node) == segment) {
found = true;
int offset = findOffset(sub_node);
#ifdef DEBUG_RESOURCE_MATCH
qDebug() << " TRY" << sub_node << name(sub_node) << offset;
#endif
offset += 4; //jump past name
const short flags = (tree[offset+0] << 8) +
(tree[offset+1] << 0);
offset += 2;
if(i == segments.size()-1) {
if(!(flags & Directory)) {
const short country = (tree[offset+0] << 8) +
(tree[offset+1] << 0);
offset += 2;
const short language = (tree[offset+0] << 8) +
(tree[offset+1] << 0);
offset += 2;
#ifdef DEBUG_RESOURCE_MATCH
qDebug() << " " << "LOCALE" << country << language;
#endif
if(country == locale.country() && language == locale.language()) {
#ifdef DEBUG_RESOURCE_MATCH
qDebug() << "!!!!" << "FINISHED" << __LINE__ << sub_node;
//.........这里部分代码省略.........
示例3: QLocaleToString
QString QLocaleToString (const QLocale &locale)
{
return QString ("%1/%2")
.arg (QLocale::languageToString (locale.language()))
.arg (QLocale::countryToString(locale.country()));
}
示例4: displayName
QString QAndroidTimeZonePrivate::displayName(QTimeZone::TimeType timeType, QTimeZone::NameType nameType,
const QLocale &locale) const
{
QString name;
if (androidTimeZone.isValid()) {
jboolean daylightTime = (timeType == QTimeZone::DaylightTime); // treat QTimeZone::GenericTime as QTimeZone::StandardTime
// treat all NameTypes as java TimeZone style LONG (value 1), except of course QTimeZone::ShortName which is style SHORT (value 0);
jint style = (nameType == QTimeZone::ShortName ? 0 : 1);
QJNIObjectPrivate jlanguage = QJNIObjectPrivate::fromString(QLocale::languageToString(locale.language()));
QJNIObjectPrivate jcountry = QJNIObjectPrivate::fromString(QLocale::countryToString(locale.country()));
QJNIObjectPrivate jvariant = QJNIObjectPrivate::fromString(QLocale::scriptToString(locale.script()));
QJNIObjectPrivate jlocale("java.util.Locale", "(Ljava/lang/String;Ljava/lang/String;Ljava/lang/String;)V", static_cast<jstring>(jlanguage.object()), static_cast<jstring>(jcountry.object()), static_cast<jstring>(jvariant.object()));
QJNIObjectPrivate jname = androidTimeZone.callObjectMethod("getDisplayName", "(ZILjava/util/Locale;)Ljava/lang/String;", daylightTime, style, jlocale.object());
name = jname.toString();
}
return name;
}
示例5: connect
UpgradeCheck::updateStatus UpgradeCheck::checkForUpgrade(
const QString ¤tVersionIn,
const QDateTime &lastCheckTime,
bool allowBeta)
{
currentVersion = currentVersionIn;
currentVersion.remove("GPSBabel Version ");
QDateTime soonestCheckTime = lastCheckTime.addDays(1);
if (!testing && QDateTime::currentDateTime() < soonestCheckTime) {
// Not time to check yet.
return UpgradeCheck::updateUnknown;
}
http = new QHttp;
connect(http, SIGNAL(requestFinished(int, bool)),
this, SLOT(httpRequestFinished(int, bool)));
connect(http, SIGNAL(responseHeaderReceived(const QHttpResponseHeader &)),
this, SLOT(readResponseHeader(const QHttpResponseHeader &)));
QHttpRequestHeader header("POST", "/upgrade_check.html");
const QString host("www.gpsbabel.org" );
header.setValue("Host", host);
header.setContentType("application/x-www-form-urlencoded");
QLocale locale;
QString args = "current_version=" + currentVersion;
args += "¤t_gui_version=" VERSION;
args += "&installation=" + bd_.installationUuid;
args += "&os=" + getOsName();
#if HAVE_UNAME
struct utsname utsname;
if (0 == uname(&utsname)) {
args += "&cpu=" + QString(utsname.machine);
}
#endif
args += "&os_ver=" + getOsVersion();
args += QString("&beta_ok=%1").arg(allowBeta);
args += "&lang=" + QLocale::languageToString(locale.language());
args += "&last_checkin=" + lastCheckTime.toString(Qt::ISODate);
args += QString("&ugcb=%1").arg(bd_.upgradeCallbacks);
args += QString("&ugdec=%1").arg(bd_.upgradeDeclines);
args += QString("&ugoff=%1").arg(bd_.upgradeOffers);
args += QString("&ugerr=%1").arg(bd_.upgradeErrors);
int j = 0;
for (int i = 0; i < formatList_.size(); i++) {
int rc = formatList_[i].getReadUseCount();
int wc = formatList_[i].getWriteUseCount();
QString formatName = formatList_[i].getName();
if (rc)
args += QString("&uc%1=rd/%2/%3").arg(j++).arg(formatName).arg(rc);
if (wc)
args += QString("&uc%1=wr/%2/%3").arg(j++).arg(formatName).arg(wc);
}
if (j && bd_.reportStatistics)
args += QString("&uc=%1").arg(j);
if (false && testing)
fprintf(stderr, "Posting %s\n", qPrintable(args));
http->setHost(host, 80);
httpRequestId = http->request(header, args.toUtf8());
return UpgradeCheck::updateUnknown;
}
示例6: applySimpleProperty
//.........这里部分代码省略.........
if (mask & QFont::StrikeOutResolved)
fnt->setElementStrikeOut(font.strikeOut());
if (mask & QFont::UnderlineResolved)
fnt->setElementUnderline(font.underline());
if (mask & QFont::KerningResolved)
fnt->setElementKerning(font.kerning());
if (mask & QFont::StyleStrategyResolved) {
const QMetaEnum styleStrategy_enum = metaEnum<QAbstractFormBuilderGadget>("styleStrategy");
fnt->setElementStyleStrategy(QLatin1String(styleStrategy_enum.valueToKey(font.styleStrategy())));
}
dom_prop->setElementFont(fnt);
}
return true;
#ifndef QT_NO_CURSOR
case QVariant::Cursor: {
const QMetaEnum cursorShape_enum = metaEnum<QAbstractFormBuilderGadget>("cursorShape");
dom_prop->setElementCursorShape(QLatin1String(cursorShape_enum.valueToKey(qvariant_cast<QCursor>(v).shape())));
}
return true;
#endif
case QVariant::KeySequence: {
DomString *s = new DomString();
s->setText(qvariant_cast<QKeySequence>(v).toString(QKeySequence::PortableText));
dom_prop->setElementString(s);
}
return true;
case QVariant::Locale: {
DomLocale *dom = new DomLocale();
const QLocale locale = qvariant_cast<QLocale>(v);
const QMetaEnum language_enum = metaEnum<QAbstractFormBuilderGadget>("language");
const QMetaEnum country_enum = metaEnum<QAbstractFormBuilderGadget>("country");
dom->setAttributeLanguage(QLatin1String(language_enum.valueToKey(locale.language())));
dom->setAttributeCountry(QLatin1String(country_enum.valueToKey(locale.country())));
dom_prop->setElementLocale(dom);
}
return true;
case QVariant::SizePolicy: {
DomSizePolicy *dom = new DomSizePolicy();
const QSizePolicy sizePolicy = qvariant_cast<QSizePolicy>(v);
dom->setElementHorStretch(sizePolicy.horizontalStretch());
dom->setElementVerStretch(sizePolicy.verticalStretch());
const QMetaEnum sizeType_enum = metaEnum<QAbstractFormBuilderGadget>("sizeType");
dom->setAttributeHSizeType(QLatin1String(sizeType_enum.valueToKey(sizePolicy.horizontalPolicy())));
dom->setAttributeVSizeType(QLatin1String(sizeType_enum.valueToKey(sizePolicy.verticalPolicy())));
dom_prop->setElementSizePolicy(dom);
}
return true;
case QVariant::Date: {
DomDate *dom = new DomDate();
const QDate date = qvariant_cast<QDate>(v);
dom->setElementYear(date.year());
dom->setElementMonth(date.month());
dom->setElementDay(date.day());
示例7: QDialog
About::About(QWidget *parent, QString language) : QDialog(parent)
{
_language = language;
// Setup UI:
setupUi(this);
#ifdef SMALL_RESOLUTION
// https://bugreports.qt.io/browse/QTBUG-16034
// Workaround for window not showing always fullscreen
setWindowFlags( Qt::Window );
#endif
// Display title/program version:
progversion_label->setText(progversion_label->text() + " " + QApplication::applicationVersion());
// Load licence text and changelog:
QFile changelog_file;
if (language == "de")
changelog_file.setFileName(":/changelog_de.txt");
else
changelog_file.setFileName(":/changelog_en.txt");
changelog_file.open(QIODevice::ReadOnly | QIODevice::Text);
QString changelog_content = static_cast<QString>(changelog_file.readAll());
changelog_textBrowser->setText(changelog_content);
changelog_file.close();
// *** Definitions:
SSMprotocol2_def_en ssmp_defs;
// Display number of supported DTCs:
int nrofDTCs_SUB = ssmp_defs.SUBDTCrawDefs().size();
int nrofDTCs_OBD = ssmp_defs.OBDDTCrawDefs().size();
int nrofDTCs_CC = ssmp_defs.CCCCrawDefs().size();
QString dtcstr = QString::number( nrofDTCs_SUB ) + " / " + QString::number( nrofDTCs_OBD ) + " / " + QString::number( nrofDTCs_CC );
nrofsupportedDTCs_label->setText( dtcstr );
// Display number of supported measuring blocks / switches:
int nrofMBs = ssmp_defs.MBrawDefs().size();
int nrofSWs = ssmp_defs.SWrawDefs().size();
QString mbswstr = QString::number( nrofMBs ) + " / " + QString::number( nrofSWs );
nrofsupportedMBsSWs_label->setText( mbswstr );
// Display number of supported Adjustment values:
int ecu_adjustments = 0;
int tcu_adjustments = 0;
QStringList adjustmentdefs = ssmp_defs.AdjustmentRawDefs();
for (int k=0; k< adjustmentdefs.size(); k++)
{
if (adjustmentdefs.at(k).section(';', 1, 1).toInt() == 0)
{
ecu_adjustments++;
}
else if (adjustmentdefs.at(k).section(';', 1, 1).toInt() == 1)
{
tcu_adjustments++;
}
}
QString adjustmentsstr = QString::number( ecu_adjustments ) + " / " + QString::number( tcu_adjustments );
nrofadjustmentvalues_label->setText( adjustmentsstr );
// Display number of supported system tests:
int nrofSysTests = ssmp_defs.ActuatorRawDefs().size();
QString systestsstr = QString::number( nrofSysTests ) + " / 1";
nrofActuatortests_label->setText(systestsstr);
// Display supported program languages:
QString langstr;
for (int k=0; k<__supportedLocales.size(); k++)
{
QLocale locale = __supportedLocales.at(k);
QString langname = QLocale::languageToString( locale.language() );
QString langname_tr = QCoreApplication::translate( "Language", langname.toUtf8() );
if (k > 0)
langstr.append(", ");
langstr.append(langname_tr);
}
languages_label->setText( langstr );
// Connect buttons:
connect( showlicense_pushButton, SIGNAL( released() ), this, SLOT( showLicense() ) );
connect( close_pushButton, SIGNAL( released() ), this, SLOT( close() ) );
}
示例8: isChinese
bool Utils::isChinese()
{
QLocale locale;
return locale.language() == QLocale::Chinese;
}
示例9: interpretResourceFile
bool RCCResourceLibrary::interpretResourceFile(QIODevice *inputDevice,
const QString &fname, QString currentPath, bool ignoreErrors)
{
Q_ASSERT(m_errorDevice);
const QChar slash = QLatin1Char('/');
if (!currentPath.isEmpty() && !currentPath.endsWith(slash))
currentPath += slash;
QDomDocument document;
{
QString errorMsg;
int errorLine = 0;
int errorColumn = 0;
if (!document.setContent(inputDevice, &errorMsg, &errorLine, &errorColumn)) {
if (ignoreErrors)
return true;
const QString msg = QString::fromUtf8("RCC Parse Error: '%1' Line: %2 Column: %3 [%4]\n").arg(fname).arg(errorLine).arg(errorColumn).arg(errorMsg);
m_errorDevice->write(msg.toUtf8());
return false;
}
}
QDomElement domRoot = document.firstChildElement(m_strings.TAG_RCC).toElement();
if (!domRoot.isNull() && domRoot.tagName() == m_strings.TAG_RCC) {
for (QDomNode node = domRoot.firstChild(); !node.isNull(); node = node.nextSibling()) {
if (!node.isElement())
continue;
QDomElement child = node.toElement();
if (!child.isNull() && child.tagName() == m_strings.TAG_RESOURCE) {
QLocale::Language language = QLocale::c().language();
QLocale::Country country = QLocale::c().country();
if (child.hasAttribute(m_strings.ATTRIBUTE_LANG)) {
QString attribute = child.attribute(m_strings.ATTRIBUTE_LANG);
QLocale lang = QLocale(attribute);
language = lang.language();
if (2 == attribute.length()) {
// Language only
country = QLocale::AnyCountry;
} else {
country = lang.country();
}
}
QString prefix;
if (child.hasAttribute(m_strings.ATTRIBUTE_PREFIX))
prefix = child.attribute(m_strings.ATTRIBUTE_PREFIX);
if (!prefix.startsWith(slash))
prefix.prepend(slash);
if (!prefix.endsWith(slash))
prefix += slash;
for (QDomNode res = child.firstChild(); !res.isNull(); res = res.nextSibling()) {
if (res.isElement() && res.toElement().tagName() == m_strings.TAG_FILE) {
QString fileName(res.firstChild().toText().data());
if (fileName.isEmpty()) {
const QString msg = QString::fromUtf8("RCC: Warning: Null node in XML of '%1'\n").arg(fname);
m_errorDevice->write(msg.toUtf8());
}
QString alias;
if (res.toElement().hasAttribute(m_strings.ATTRIBUTE_ALIAS))
alias = res.toElement().attribute(m_strings.ATTRIBUTE_ALIAS);
else
alias = fileName;
int compressLevel = m_compressLevel;
if (res.toElement().hasAttribute(m_strings.ATTRIBUTE_COMPRESS))
compressLevel = res.toElement().attribute(m_strings.ATTRIBUTE_COMPRESS).toInt();
int compressThreshold = m_compressThreshold;
if (res.toElement().hasAttribute(m_strings.ATTRIBUTE_THRESHOLD))
compressThreshold = res.toElement().attribute(m_strings.ATTRIBUTE_THRESHOLD).toInt();
// Special case for -no-compress. Overrides all other settings.
if (m_compressLevel == -2)
compressLevel = 0;
alias = QDir::cleanPath(alias);
while (alias.startsWith(QLatin1String("../")))
alias.remove(0, 3);
alias = QDir::cleanPath(m_resourceRoot) + prefix + alias;
QString absFileName = fileName;
if (QDir::isRelativePath(absFileName))
absFileName.prepend(currentPath);
QFileInfo file(absFileName);
if (!file.exists()) {
m_failedResources.push_back(absFileName);
const QString msg = QString::fromUtf8("RCC: Error in '%1': Cannot find file '%2'\n").arg(fname).arg(fileName);
m_errorDevice->write(msg.toUtf8());
if (ignoreErrors)
continue;
else
return false;
} else if (file.isFile()) {
const bool arc =
addFile(alias,
RCCFileInfo(alias.section(slash, -1),
file,
//.........这里部分代码省略.........
示例10: main
int main (int argc, char* argv[])
{
// Q_INIT_RESOURCE(stylesheet);
csApplet = new CryptostickApplet;
int i;
char* p;
StartUpParameter_tst StartupInfo_st;
QApplication a (argc, argv);
// initialize i18n
QTranslator qtTranslator;
#if defined(Q_WS_WIN)
qtTranslator.load("qt_" + QLocale::system().name());
#else
qtTranslator.load("qt_" + QLocale::system().name(),
QLibraryInfo::location(QLibraryInfo::TranslationsPath));
#endif
a.installTranslator(&qtTranslator);
QTranslator myappTranslator;
#if QT_VERSION >= 0x040800 && !defined(Q_WS_MAC)
QLocale loc = QLocale::system();
QString lang = QLocale::languageToString(loc.language());
if (lang != "en") {
bool success;
success = myappTranslator.load(QLocale::system(), // locale
"", // file name
"nitrokey_", // prefix
":/i18n/", // folder
".qm"); // suffix
if (!success) {
myappTranslator.load(QString(":/i18n/nitrokey_%1.qm").arg(QLocale::system().name()));
}
}
#else
myappTranslator.load(QString(":/i18n/nitrokey_%1.qm").arg(QLocale::system().name()));
#endif
a.installTranslator(&myappTranslator);
// Check for multiple instances
// GUID from http://www.guidgenerator.com/online-guid-generator.aspx
/*
QSharedMemory shared("6b50960df-f5f3-4562-bbdc-84c3bc004ef4");
if( !shared.create( 512, QSharedMemory::ReadWrite) ) { // An instance is already running. Quit the current instance QMessageBox msgBox;
msgBox.setText( QObject::tr("Can't start more than one instance of the application.") ); msgBox.setIcon( QMessageBox::Critical );
msgBox.exec(); exit(0); } else { */
qDebug () << "Application started successfully.";
// }
/*
SplashScreen *splash = 0; splash = new SplashScreen; splash->show();
QFile qss( ":/qss/default.qss" ); if( ! qss.open( QIODevice::ReadOnly ) ) { qss.setFileName( ":/qss/default.qss" ); qss.open(
QIODevice::ReadOnly ); }
if( qss.isOpen() ) { a.setStyleSheet( qss.readAll() ); }
QTimer::singleShot(3000,splash,SLOT(deleteLater())); */
StartupInfo_st.ExtendedConfigActive = FALSE;
StartupInfo_st.FlagDebug = DEBUG_STATUS_NO_DEBUGGING;
StartupInfo_st.PasswordMatrix = FALSE;
StartupInfo_st.LockHardware = FALSE;
StartupInfo_st.Cmd = FALSE;
HID_Stick20Init ();
// Check for commandline parameter
for (i = 2; i <= argc; i++)
{
p = argv[i - 1];
if ((0 == strcmp (p, "--help")) || (0 == strcmp (p, "-h")))
{
HelpInfos ();
exit (0);
}
if ((0 == strcmp (p, "--debug")) || (0 == strcmp (p, "-d")))
{
StartupInfo_st.FlagDebug = DEBUG_STATUS_LOCAL_DEBUG;
}
if (0 == strcmp (p, "--debugAll"))
{
StartupInfo_st.FlagDebug = DEBUG_STATUS_DEBUG_ALL;
}
if ((0 == strcmp (p, "--admin")) || (0 == strcmp (p, "-a")))
{
StartupInfo_st.ExtendedConfigActive = TRUE;
}
/* Disable password matrix if (0 == strcmp (p,"--PWM")) { StartupInfo_st.PasswordMatrix = TRUE; } */
if (0 == strcmp (p, "--lock-hardware"))
//.........这里部分代码省略.........