JsonUtils & improvements (#476)

* add JsonUtils

* update

* repair

* update

* ident

* Schema correct msg other adjusts

* fix effDel, ExceptionLog, cleanup

* fix travis qt5.2

* not so funny

* use Qthread interrupt instead abort bool

* update services
This commit is contained in:
brindosch 2017-10-12 11:55:03 +02:00 committed by GitHub
parent 47641012ee
commit 838008568a
42 changed files with 940 additions and 701 deletions

View File

@ -58,7 +58,7 @@ sudo make install/strip
# to uninstall (not very well tested, please keep that in mind) # to uninstall (not very well tested, please keep that in mind)
sudo make uninstall sudo make uninstall
# ... or run it from compile directory # ... or run it from compile directory
bin/hyperiond myconfig.json bin/hyperiond
# webui is located on localhost:8099 # webui is located on localhost:8099
``` ```
@ -143,5 +143,3 @@ This will install to ``/home/pi/apps/share/hyperion``
### Integrating hyperion into your system ### Integrating hyperion into your system
... ToDo ... ToDo

View File

@ -2,13 +2,13 @@ $(document).ready( function() {
performTranslation(); performTranslation();
var oldDelList = []; var oldDelList = [];
var effectName = ""; var effectName = "";
var effects_editor = null; var effects_editor = null;
var effectPy = ""; var effectPy = "";
var testrun; var testrun;
if(showOptHelp) if(showOptHelp)
createHintH("intro", $.i18n('effectsconfigurator_label_intro'), "intro_effc"); createHintH("intro", $.i18n('effectsconfigurator_label_intro'), "intro_effc");
function updateDelEffectlist(){ function updateDelEffectlist(){
var newDelList = serverInfo.effects; var newDelList = serverInfo.effects;
if(newDelList.length != oldDelList.length) if(newDelList.length != oldDelList.length)
@ -27,25 +27,25 @@ $(document).ready( function() {
oldDelList = newDelList; oldDelList = newDelList;
} }
} }
function triggerTestEffect() { function triggerTestEffect() {
testrun = true; testrun = true;
var args = effects_editor.getEditor('root.args'); var args = effects_editor.getEditor('root.args');
requestTestEffect(effectName, ":/effects/" + effectPy.slice(1), JSON.stringify(args.getValue())); requestTestEffect(effectName, ":/effects/" + effectPy.slice(1), JSON.stringify(args.getValue()));
}; };
$("#effectslist").off().on("change", function(event) { $("#effectslist").off().on("change", function(event) {
if(effects_editor != null) if(effects_editor != null)
effects_editor.destroy(); effects_editor.destroy();
for(var idx=0; idx<effects.length; idx++){ for(var idx=0; idx<effects.length; idx++){
if (effects[idx].schemaContent.script == this.value) if (effects[idx].schemaContent.script == this.value)
{ {
effects_editor = createJsonEditor('editor_container', { effects_editor = createJsonEditor('editor_container', {
args : effects[idx].schemaContent, args : effects[idx].schemaContent,
},false, true, false); },false, true, false);
effectPy = ':'; effectPy = ':';
effectPy += effects[idx].schemaContent.script; effectPy += effects[idx].schemaContent.script;
$("#name-input").trigger("change"); $("#name-input").trigger("change");
@ -69,7 +69,7 @@ $(document).ready( function() {
} }
}); });
}); });
$("#name-input").on('change keyup', function(event) { $("#name-input").on('change keyup', function(event) {
effectName = $(this).val(); effectName = $(this).val();
if ($(this).val() == '') { if ($(this).val() == '') {
@ -80,32 +80,32 @@ $(document).ready( function() {
$("#eff_footer").children().attr('disabled',false); $("#eff_footer").children().attr('disabled',false);
} }
}); });
$('#btn_write').off().on('click',function() { $('#btn_write').off().on('click',function() {
requestWriteEffect(effectName,effectPy,JSON.stringify(effects_editor.getValue())); requestWriteEffect(effectName,effectPy,JSON.stringify(effects_editor.getValue()));
$(hyperion).one("cmd-create-effect", function(event) { $(hyperion).one("cmd-create-effect", function(event) {
if (event.response.success) if (event.response.success)
showInfoDialog('success', "", $.i18n('infoDialog_effconf_created_text', effectName)); showInfoDialog('success', "", $.i18n('infoDialog_effconf_created_text', effectName));
}); });
if (testrun) if (testrun)
setTimeout(requestPriorityClear,100); setTimeout(requestPriorityClear,100);
}); });
$('#btn_start_test').off().on('click',function() { $('#btn_start_test').off().on('click',function() {
triggerTestEffect(); triggerTestEffect();
}); });
$('#btn_stop_test').off().on('click',function() { $('#btn_stop_test').off().on('click',function() {
requestPriorityClear(); requestPriorityClear();
testrun = false; testrun = false;
}); });
$('#btn_cont_test').off().on('click',function() { $('#btn_cont_test').off().on('click',function() {
toggleClass('#btn_cont_test', "btn-success", "btn-danger"); toggleClass('#btn_cont_test', "btn-success", "btn-danger");
}); });
$('#btn_delete').off().on('click',function() { $('#btn_delete').off().on('click',function() {
var name = $("#effectsdellist").val(); var name = $("#effectsdellist").val();
requestDeleteEffect(name); requestDeleteEffect(name);
@ -114,15 +114,15 @@ $(document).ready( function() {
showInfoDialog('success', "", $.i18n('infoDialog_effconf_deleted_text', name)); showInfoDialog('success', "", $.i18n('infoDialog_effconf_deleted_text', name));
}); });
}); });
$('#effectsdellist').off().on('change', function(){ $('#effectsdellist').off().on('change', function(){
$(this).val() == null ? $('#btn_edit, #btn_delete').prop('disabled',true) : ""; $(this).val() == null ? $('#btn_edit, #btn_delete').prop('disabled',true) : "";
$(this).val().startsWith("int_") ? $('#btn_delete').prop('disabled',true) : $('#btn_delete').prop('disabled',false); $(this).val().startsWith("int_") ? $('#btn_delete').prop('disabled',true) : $('#btn_delete').prop('disabled',false);
}); });
$('#btn_edit').off().on('click', function(){ $('#btn_edit').off().on('click', function(){
var name = $("#effectsdellist").val(); var name = $("#effectsdellist").val().replace("ext_","");
if(name.startsWith("int_")) if(name.startsWith("int_"))
{ name = name.split("_").pop(); { name = name.split("_").pop();
$("#name-input").val("My Modded Effect"); $("#name-input").val("My Modded Effect");
@ -151,7 +151,7 @@ $(document).ready( function() {
} }
} }
}); });
//create basic effect list //create basic effect list
var effects = serverSchema.properties.effectSchemas.internal var effects = serverSchema.properties.effectSchemas.internal
for(var idx=0; idx<effects.length; idx++) for(var idx=0; idx<effects.length; idx++)
@ -159,11 +159,11 @@ $(document).ready( function() {
$("#effectslist").append(createSelOpt(effects[idx].schemaContent.script, $.i18n(effects[idx].schemaContent.title))); $("#effectslist").append(createSelOpt(effects[idx].schemaContent.script, $.i18n(effects[idx].schemaContent.title)));
} }
$("#effectslist").trigger("change"); $("#effectslist").trigger("change");
updateDelEffectlist(); updateDelEffectlist();
//interval update //interval update
$(hyperion).on("cmd-serverinfo",updateDelEffectlist); $(hyperion).on("cmd-serverinfo",updateDelEffectlist);
removeOverlay(); removeOverlay();
}); });

View File

@ -274,7 +274,7 @@ function requestWriteEffect(effectName,effectPy,effectArgs)
function requestTestEffect(effectName,effectPy,effectArgs) function requestTestEffect(effectName,effectPy,effectArgs)
{ {
sendToHyperion("effect", "", '"effect":{"name":"'+effectName+'", "args":'+effectArgs+'}, "priority":'+webPrio+', "origin":"'+webOrigin+'", "pythonScript":"'+effectPy+'"}'); sendToHyperion("effect", "", '"effect":{"name":"'+effectName+'", "args":'+effectArgs+'}, "priority":'+webPrio+', "origin":"'+webOrigin+'", "pythonScript":"'+effectPy+'"');
} }
function requestDeleteEffect(effectName) function requestDeleteEffect(effectName)

View File

@ -13,7 +13,6 @@
### END INIT INFO ### END INIT INFO
DAEMON=hyperiond DAEMON=hyperiond
DAEMONOPTS="/etc/hyperion/hyperion.config.json"
DAEMON_PATH="/usr/bin" DAEMON_PATH="/usr/bin"
NAME=$DAEMON NAME=$DAEMON
@ -29,7 +28,7 @@ start)
else else
printf "%-50s" "Starting $NAME..." printf "%-50s" "Starting $NAME..."
cd $DAEMON_PATH cd $DAEMON_PATH
PID=`$DAEMON $DAEMONOPTS > /dev/null 2>&1 & echo $!` PID=`$DAEMON > /dev/null 2>&1 & echo $!`
#echo "Saving PID" $PID " to " $PIDFILE #echo "Saving PID" $PID " to " $PIDFILE
if [ -z $PID ]; then if [ -z $PID ]; then
printf "%s\n" "Fail" printf "%s\n" "Fail"

View File

@ -8,4 +8,4 @@ stop on (runlevel [!2345])
respawn respawn
exec /usr/bin/hyperiond /etc/hyperion/hyperion.config.json exec /usr/bin/hyperiond

View File

@ -3,7 +3,7 @@ Description=Hyperion ambient light systemd service
After=network.target After=network.target
[Service] [Service]
ExecStart=/usr/bin/hyperiond /etc/hyperion/hyperion.config.json ExecStart=/usr/bin/hyperiond
WorkingDirectory=/usr/share/hyperion/bin WorkingDirectory=/usr/share/hyperion/bin
TimeoutStopSec=5 TimeoutStopSec=5
KillMode=mixed KillMode=mixed

View File

@ -319,17 +319,18 @@
{ {
"enable" : true, "enable" : true,
"document_root" : "/path/to/files", "document_root" : "/path/to/files",
"port" : 8099 "port" : 8090
}, },
/// The configuration of the effect engine, contains the following items: /// The configuration of the effect engine, contains the following items:
/// * paths : An array with absolute/relative location(s) of directories with effects /// * paths : An array with absolute location(s) of directories with effects,
/// $ROOT is a keyword which will be replaced with the current rootPath that can be specified on startup from the commandline (defaults to your home directory)
/// * disable : An array with effect names that shouldn't be loaded /// * disable : An array with effect names that shouldn't be loaded
"effects" : "effects" :
{ {
"paths" : "paths" :
[ [
"/storage/hyperion/effects", "$ROOT/custom-effects",
"/usr/share/hyperion/effects" "/usr/share/hyperion/effects"
], ],
"disable" : "disable" :

View File

@ -181,12 +181,12 @@
{ {
"enable" : true, "enable" : true,
"document_root" : "", "document_root" : "",
"port" : 8099 "port" : 8090
}, },
"effects" : "effects" :
{ {
"paths" : ["../custom-effects"], "paths" : ["$ROOT/custom-effects"],
"disable": [""] "disable": [""]
}, },

View File

@ -57,7 +57,7 @@ public slots:
void allChannelsCleared(); void allChannelsCleared();
private slots: private slots:
void effectFinished(Effect * effect); void effectFinished();
private: private:
bool loadEffectDefinition(const QString & path, const QString & effectConfigFile, EffectDefinition &effectDefinition); bool loadEffectDefinition(const QString & path, const QString & effectConfigFile, EffectDefinition &effectDefinition);
@ -77,7 +77,7 @@ private:
std::list<Effect *> _activeEffects; std::list<Effect *> _activeEffects;
std::list<ActiveEffectDefinition> _availableActiveEffects; std::list<ActiveEffectDefinition> _availableActiveEffects;
std::list<EffectSchema> _effectSchemas; std::list<EffectSchema> _effectSchemas;
PyThreadState * _mainThreadState; PyThreadState * _mainThreadState;

View File

@ -80,7 +80,18 @@ public:
/// ///
void freeObjects(bool emitCloseSignal=false); void freeObjects(bool emitCloseSignal=false);
static Hyperion* initInstance(const QJsonObject& qjsonConfig, const QString configFile); ///
/// @brief creates a new Hyperion instance, usually called from the Hyperion Daemon
/// @param[in] qjsonConfig The configuration file
/// @param[in] rootPath Root path of all hyperion userdata
/// @return Hyperion instance pointer
///
static Hyperion* initInstance(const QJsonObject& qjsonConfig, const QString configFile, const QString rootPath);
///
/// @brief Get a pointer of this Hyperion instance
/// @return Hyperion instance pointer
///
static Hyperion* getInstance(); static Hyperion* getInstance();
/// ///
@ -189,15 +200,17 @@ public:
/// gets the methode how image is maped to leds /// gets the methode how image is maped to leds
int getLedMappingType() { return _ledMAppingType; }; int getLedMappingType() { return _ledMAppingType; };
int getConfigVersionId() { return _configVersionId; }; /// get the configuration
QJsonObject getConfig() { return _qjsonConfig; }; QJsonObject getConfig() { return _qjsonConfig; };
/// get the root path for all hyperion user data files
QString getRootPath() { return _rootPath; };
/// unique id per instance /// unique id per instance
QString id; QString id;
int getLatchTime() const; int getLatchTime() const;
/// forward smoothing config /// forward smoothing config
unsigned addSmoothingConfig(int settlingTime_ms, double ledUpdateFrequency_hz=25.0, unsigned updateDelay=0); unsigned addSmoothingConfig(int settlingTime_ms, double ledUpdateFrequency_hz=25.0, unsigned updateDelay=0);
@ -297,7 +310,7 @@ public slots:
/// @param[in] mode The new video mode /// @param[in] mode The new video mode
/// ///
void setVideoMode(VideoMode mode); void setVideoMode(VideoMode mode);
/// ///
/// Set the grabbing mode /// Set the grabbing mode
/// @param[in] mode The new grabbing mode /// @param[in] mode The new grabbing mode
@ -375,7 +388,7 @@ private:
/// ///
/// @param[in] qjsonConfig The Json configuration /// @param[in] qjsonConfig The Json configuration
/// ///
Hyperion(const QJsonObject& qjsonConfig, const QString configFile); Hyperion(const QJsonObject& qjsonConfig, const QString configFile, const QString rootPath);
/// The specifiation of the led frame construction and picture integration /// The specifiation of the led frame construction and picture integration
LedString _ledString; LedString _ledString;
@ -409,6 +422,9 @@ private:
/// the name of config file /// the name of config file
QString _configFile; QString _configFile;
/// root path for all hyperion user data files
QString _rootPath;
/// The timer for handling priority channel timeouts /// The timer for handling priority channel timeouts
QTimer _timer; QTimer _timer;
QTimer _timerBonjourResolver; QTimer _timerBonjourResolver;
@ -439,8 +455,6 @@ private:
int _ledMAppingType; int _ledMAppingType;
int _configVersionId;
hyperion::Components _prevCompId; hyperion::Components _prevCompId;
BonjourServiceBrowser _bonjourBrowser; BonjourServiceBrowser _bonjourBrowser;
BonjourServiceResolver _bonjourResolver; BonjourServiceResolver _bonjourResolver;
@ -461,8 +475,8 @@ private:
/// timers to handle severinfo blocking /// timers to handle severinfo blocking
QTimer _fsi_timer; QTimer _fsi_timer;
QTimer _fsi_blockTimer; QTimer _fsi_blockTimer;
VideoMode _videoMode; VideoMode _videoMode;
GrabbingMode _grabbingMode; GrabbingMode _grabbingMode;
}; };

View File

@ -19,7 +19,7 @@
/// performed in two steps. First the average color per led-region is computed. Second a /// performed in two steps. First the average color per led-region is computed. Second a
/// color-tranform is applied based on a gamma-correction. /// color-tranform is applied based on a gamma-correction.
/// ///
class ImageProcessor : public QObject class ImageProcessor : public QObject
{ {
Q_OBJECT Q_OBJECT
@ -44,7 +44,7 @@ public:
/// Returns starte of black border detector /// Returns starte of black border detector
bool blackBorderDetectorEnabled(); bool blackBorderDetectorEnabled();
/// Returns starte of black border detector /// Returns starte of black border detector
int ledMappingType(); int ledMappingType();
@ -177,10 +177,10 @@ private:
delete _imageToLeds; delete _imageToLeds;
_imageToLeds = new hyperion::ImageToLedsMap(image.width(), image.height(), 0, 0, _ledString.leds()); _imageToLeds = new hyperion::ImageToLedsMap(image.width(), image.height(), 0, 0, _ledString.leds());
} }
if(_borderProcessor->enabled() && _borderProcessor->process(image)) if(_borderProcessor->enabled() && _borderProcessor->process(image))
{ {
Debug(Logger::getInstance("BLACKBORDER"), "BORDER SWITCH REQUIRED!!"); //Debug(Logger::getInstance("BLACKBORDER"), "BORDER SWITCH REQUIRED!!");
const hyperion::BlackBorder border = _borderProcessor->getCurrentBorder(); const hyperion::BlackBorder border = _borderProcessor->getCurrentBorder();
@ -198,8 +198,8 @@ private:
_imageToLeds = new hyperion::ImageToLedsMap(image.width(), image.height(), border.horizontalSize, border.verticalSize, _ledString.leds()); _imageToLeds = new hyperion::ImageToLedsMap(image.width(), image.height(), border.horizontalSize, border.verticalSize, _ledString.leds());
} }
Debug(Logger::getInstance("BLACKBORDER"), "CURRENT BORDER TYPE: unknown=%d hor.size=%d vert.size=%d", //Debug(Logger::getInstance("BLACKBORDER"), "CURRENT BORDER TYPE: unknown=%d hor.size=%d vert.size=%d",
border.unknown, border.horizontalSize, border.verticalSize ); // border.unknown, border.horizontalSize, border.verticalSize );
} }
} }

View File

@ -1,10 +1,64 @@
#pragma once #pragma once
// qt includes
#include <QFile>
#include <QString> #include <QString>
#include <QByteArray>
// util includes
#include "Logger.h"
namespace FileUtils { namespace FileUtils {
QString getBaseName( QString sourceFile); QString getBaseName( QString sourceFile);
QString getDirName( QString sourceFile); QString getDirName( QString sourceFile);
///
/// @brief check if the file exists
/// @param[in] path The file path to check
/// @param[in] log The logger of the caller to print errors
/// @param[in] ignError Ignore errors during file read (no log output)
/// @return true on success else false
///
bool fileExists(const QString& path, Logger* log, bool ignError=false);
///
/// @brief read a file given by path.
/// @param[in] path The file path to read
/// @param[out] data The read data o success
/// @param[in] log The logger of the caller to print errors
/// @param[in] ignError Ignore errors during file read (no log output)
/// @return true on success else false
///
bool readFile(const QString& path, QString& data, Logger* log, bool ignError=false);
///
/// write a file given by path.
/// @param[in] path The file path to read
/// @param[in] data The data to write
/// @param[in] log The logger of the caller to print errors
/// @return true on success else false
///
bool writeFile(const QString& path, const QByteArray& data, Logger* log);
///
/// @brief delete a file by given path
/// @param[in] path The file path to delete
/// @param[in] log The logger of the caller to print errors
/// @return true on success else false
///
bool removeFile(const QString& path, Logger* log);
///
/// @brief Convert a path that may contain special placeholders
/// @param[in] path The path to convert
///
QString convertPath(const QString path);
///
/// @brief resolve the file error and print a message
/// @param[in] file The file which caused the error
/// @param[in] log The logger of the caller
///
void resolveFileError(const QFile& file, Logger* log);
}; };

View File

@ -45,9 +45,10 @@ public:
/// Constructor /// Constructor
/// ///
/// @param peerAddress provide the Address of the peer /// @param peerAddress provide the Address of the peer
/// @param noListener if true, this instance won't listen for hyperion push events /// @param log The Logger class of the creator
/// @param noListener if true, this instance won't listen for hyperion push events
/// ///
JsonProcessor(QString peerAddress, bool noListener = false); JsonProcessor(QString peerAddress, Logger* log, bool noListener = false);
~JsonProcessor(); ~JsonProcessor();
/// ///
@ -272,16 +273,4 @@ private:
/// @param error String describing the error /// @param error String describing the error
/// ///
void sendErrorReply(const QString & error, const QString &command="", const int tan=0); void sendErrorReply(const QString & error, const QString &command="", const int tan=0);
///
/// Check if a JSON messag is valid according to a given JSON schema
///
/// @param message JSON message which need to be checked
/// @param schemaResource Qt Resource identifier with the JSON schema
/// @param errors Output error message
/// @param ignoreRequired ignore the required value in JSON schema
///
/// @return true if message conforms the given JSON schema
///
bool checkJson(const QJsonObject & message, const QString &schemaResource, QString & errors, bool ignoreRequired = false);
}; };

65
include/utils/JsonUtils.h Normal file
View File

@ -0,0 +1,65 @@
#pragma once
#include <utils/FileUtils.h>
#include <QJsonObject>
#include <utils/Logger.h>
namespace JsonUtils{
///
/// @brief read a json file and get the parsed result on success
/// @param[in] path The file path to read
/// @param[out] obj Returns the parsed QJsonObject
/// @param[in] log The logger of the caller to print errors
/// @param[in] ignError Ignore errors during file read (no log output)
/// @return true on success else false
///
bool readFile(const QString& path, QJsonObject& obj, Logger* log, bool ignError=false);
///
/// @brief read a schema file and resolve $refs
/// @param[in] path The file path to read
/// @param[out] obj Returns the parsed QJsonObject
/// @param[in] log The logger of the caller to print errors
/// @return true on success else false
///
bool readSchema(const QString& path, QJsonObject& obj, Logger* log);
///
/// @brief parse a json QString and get the result on success
/// @param[in] path The file path/name just used for log messages
/// @param[in] data Data to parse
/// @param[out] obj Retuns the parsed QJsonObject
/// @param[in] log The logger of the caller to print errors
/// @return true on success else false
///
bool parse(const QString& path, const QString& data, QJsonObject& obj, Logger* log);
///
/// @brief Validate json data against a schema
/// @param[in] file The path/name of json file just used for log messages
/// @param[in] json The json data
/// @param[in] schemaP The schema path
/// @param[in] log The logger of the caller to print errors
/// @return true on success else false
///
bool validate(const QString& file, const QJsonObject& json, const QString& schemaPath, Logger* log);
///
/// @brief Write json data to file
/// @param[in] filenameThe file path to write
/// @param[in] json The json data to write
/// @param[in] log The logger of the caller to print errors
/// @return true on success else false
///
bool write(const QString& filename, const QJsonObject& json, Logger* log);
///
/// @brief resolve schema $ref attribute
/// @param[in] schema the schema to iterate
/// @param[out] obj the resolved object
/// @param[in] log The logger of the caller to print errors
/// @return true on success else false
///
bool resolveRefs(const QJsonObject& schema, QJsonObject& obj, Logger* log);
};

View File

@ -25,7 +25,7 @@ public:
// create the validator // create the validator
QJsonSchemaChecker schemaChecker; QJsonSchemaChecker schemaChecker;
schemaChecker.setSchema(schemaTree); schemaChecker.setSchema(schemaTree);
QStringList messages = schemaChecker.getMessages(); QStringList messages = schemaChecker.getMessages();
if (!schemaChecker.validate(configTree).first) if (!schemaChecker.validate(configTree).first)
@ -40,7 +40,7 @@ public:
json = configTree; json = configTree;
return 0; return 0;
} }
static QJsonObject readConfig(const QString& path) static QJsonObject readConfig(const QString& path)
{ {
QFile file(path); QFile file(path);
@ -54,7 +54,7 @@ public:
//Allow Comments in Config //Allow Comments in Config
QString config = QString(file.readAll()); QString config = QString(file.readAll());
config.remove(QRegularExpression("([^:]?\\/\\/.*)")); config.remove(QRegularExpression("([^:]?\\/\\/.*)"));
QJsonDocument doc = QJsonDocument::fromJson(config.toUtf8(), &error); QJsonDocument doc = QJsonDocument::fromJson(config.toUtf8(), &error);
file.close(); file.close();
@ -94,7 +94,7 @@ public:
QByteArray schema = schemaData.readAll(); QByteArray schema = schemaData.readAll();
QJsonDocument doc = QJsonDocument::fromJson(schema, &error); QJsonDocument doc = QJsonDocument::fromJson(schema, &error);
schemaData.close(); schemaData.close();
if (error.error != QJsonParseError::NoError) if (error.error != QJsonParseError::NoError)
{ {
// report to the user the failure and their locations in the document. // report to the user the failure and their locations in the document.

View File

@ -22,6 +22,8 @@
/// - addtionalProperties /// - addtionalProperties
/// - minItems /// - minItems
/// - maxItems /// - maxItems
/// - minLength
/// - maxLength
class QJsonSchemaChecker class QJsonSchemaChecker
{ {
@ -39,7 +41,7 @@ public:
/// @brief Validate a JSON structure /// @brief Validate a JSON structure
/// @param value The JSON value to check /// @param value The JSON value to check
/// @param ignoreRequired Ignore the "required" keyword in hyperion schema. Default is false /// @param ignoreRequired Ignore the "required" keyword in hyperion schema. Default is false
/// @return The first boolean is true when the arguments is valid according to the schema. The second is true when the schema contains no errors /// @return The first boolean is true when the arguments is valid according to the schema. The second is true when the schema contains no errors
/// @return TODO: Check the Schema in SetSchema() function and remove the QPair result /// @return TODO: Check the Schema in SetSchema() function and remove the QPair result
/// ///
QPair<bool, bool> validate(const QJsonObject & value, bool ignoreRequired = false); QPair<bool, bool> validate(const QJsonObject & value, bool ignoreRequired = false);
@ -84,7 +86,7 @@ private:
/// @param[in] schema The specified type (as json-value) /// @param[in] schema The specified type (as json-value)
/// ///
void checkType(const QJsonValue & value, const QJsonValue & schema, const QJsonValue & defaultValue); void checkType(const QJsonValue & value, const QJsonValue & schema, const QJsonValue & defaultValue);
/// ///
/// Checks is required properties of an json-object exist and if all properties are of the /// Checks is required properties of an json-object exist and if all properties are of the
/// correct format. If this is not the case _error is set to true and an error-message is added /// correct format. If this is not the case _error is set to true and an error-message is added
@ -127,7 +129,7 @@ private:
/// Checks if the given value is hugher than the specified value. If this is the /// Checks if the given value is hugher than the specified value. If this is the
/// case _error is set to true and an error-message is added to the message-queue. /// case _error is set to true and an error-message is added to the message-queue.
/// ///
/// @param value The given value /// @param value The given value
/// @param schema The minimum size specification (as json-value) /// @param schema The minimum size specification (as json-value)
/// ///
void checkMinLength(const QJsonValue & value, const QJsonValue & schema, const QJsonValue & defaultValue); void checkMinLength(const QJsonValue & value, const QJsonValue & schema, const QJsonValue & defaultValue);
@ -136,7 +138,7 @@ private:
/// Checks if the given value is smaller than the specified value. If this is the /// Checks if the given value is smaller than the specified value. If this is the
/// case _error is set to true and an error-message is added to the message-queue. /// case _error is set to true and an error-message is added to the message-queue.
/// ///
/// @param value The given value /// @param value The given value
/// @param schema The maximum size specification (as json-value) /// @param schema The maximum size specification (as json-value)
/// ///
void checkMaxLength(const QJsonValue & value, const QJsonValue & schema, const QJsonValue & defaultValue); void checkMaxLength(const QJsonValue & value, const QJsonValue & schema, const QJsonValue & defaultValue);

View File

@ -78,9 +78,8 @@ void Effect::registerHyperionExtensionModule()
PyImport_AppendInittab("hyperion", &PyInit_hyperion); PyImport_AppendInittab("hyperion", &PyInit_hyperion);
} }
Effect::Effect(PyThreadState * mainThreadState, int priority, int timeout, const QString & script, const QString & name, const QJsonObject & args, const QString & origin, unsigned smoothCfg) Effect::Effect(int priority, int timeout, const QString & script, const QString & name, const QJsonObject & args, const QString & origin, unsigned smoothCfg)
: QThread() : QThread()
, _mainThreadState(mainThreadState)
, _priority(priority) , _priority(priority)
, _timeout(timeout) , _timeout(timeout)
, _script(script) , _script(script)
@ -89,7 +88,6 @@ Effect::Effect(PyThreadState * mainThreadState, int priority, int timeout, const
, _args(args) , _args(args)
, _endTime(-1) , _endTime(-1)
, _interpreterThreadState(nullptr) , _interpreterThreadState(nullptr)
, _abortRequested(false)
, _imageProcessor(ImageProcessorFactory::getInstance().newImageProcessor()) , _imageProcessor(ImageProcessorFactory::getInstance().newImageProcessor())
, _colors() , _colors()
, _origin(origin) , _origin(origin)
@ -99,15 +97,15 @@ Effect::Effect(PyThreadState * mainThreadState, int priority, int timeout, const
_colors.resize(_imageProcessor->getLedCount()); _colors.resize(_imageProcessor->getLedCount());
_colors.fill(ColorRgb::BLACK); _colors.fill(ColorRgb::BLACK);
_log = Logger::getInstance("EFFECTENGINE");
// disable the black border detector for effects // disable the black border detector for effects
_imageProcessor->enableBlackBorderDetector(false); _imageProcessor->enableBlackBorderDetector(false);
// init effect image for image based effects, size is based on led layout // init effect image for image based effects, size is based on led layout
_image.fill(Qt::black); _image.fill(Qt::black);
_painter = new QPainter(&_image); _painter = new QPainter(&_image);
// connect the finished signal
connect(this, SIGNAL(finished()), this, SLOT(effectFinished()));
Q_INIT_RESOURCE(EffectEngine); Q_INIT_RESOURCE(EffectEngine);
} }
@ -120,7 +118,7 @@ Effect::~Effect()
void Effect::run() void Effect::run()
{ {
// switch to the main thread state and acquire the GIL // switch to the main thread state and acquire the GIL
PyEval_RestoreThread(_mainThreadState); PyEval_AcquireLock();
// Initialize a new thread state // Initialize a new thread state
_interpreterThreadState = Py_NewInterpreter(); _interpreterThreadState = Py_NewInterpreter();
@ -158,13 +156,109 @@ void Effect::run()
} }
else else
{ {
Error(Logger::getInstance("EFFECTENGINE"), "Unable to open script file %s.", QSTRING_CSTR(_script)); Error(_log, "Unable to open script file %s.", QSTRING_CSTR(_script));
} }
file.close(); file.close();
if (!python_code.isEmpty()) if (!python_code.isEmpty())
{ {
PyRun_SimpleString(python_code.constData()); PyObject *main_module = PyImport_ImportModule("__main__"); // New Reference
PyObject *main_dict = PyModule_GetDict(main_module); // Borrowed reference
Py_INCREF(main_dict); // Incref "main_dict" to use it in PyRun_String(), because PyModule_GetDict() has decref "main_dict"
Py_DECREF(main_module); // // release "main_module" when done
PyObject *result = PyRun_String(python_code.constData(), Py_file_input, main_dict, main_dict); // New Reference
if (!result)
{
if (PyErr_Occurred()) // Nothing needs to be done for a borrowed reference
{
Error(_log,"###### PYTHON EXCEPTION ######");
Error(_log,"## In effect '%s'", QSTRING_CSTR(_name));
/* Objects all initialized to NULL for Py_XDECREF */
PyObject *errorType = NULL, *errorValue = NULL, *errorTraceback = NULL;
PyErr_Fetch(&errorType, &errorValue, &errorTraceback); // New Reference or NULL
PyErr_NormalizeException(&errorType, &errorValue, &errorTraceback);
// Extract exception message from "errorValue"
if(errorValue)
{
QString message;
if(PyObject_HasAttrString(errorValue, "__class__"))
{
PyObject *classPtr = PyObject_GetAttrString(errorValue, "__class__"); // New Reference
PyObject *class_name = NULL; /* Object "class_name" initialized to NULL for Py_XDECREF */
class_name = PyObject_GetAttrString(classPtr, "__name__"); // New Reference or NULL
if(class_name && PyString_Check(class_name))
message.append(PyString_AsString(class_name));
Py_DECREF(classPtr); // release "classPtr" when done
Py_XDECREF(class_name); // Use Py_XDECREF() to ignore NULL references
}
// Object "class_name" initialized to NULL for Py_XDECREF
PyObject *valueString = NULL;
valueString = PyObject_Str(errorValue); // New Reference or NULL
if(valueString && PyString_Check(valueString))
{
if(!message.isEmpty())
message.append(": ");
message.append(PyString_AsString(valueString));
}
Py_XDECREF(valueString); // Use Py_XDECREF() to ignore NULL references
Error(_log, "## %s", QSTRING_CSTR(message));
}
// Extract exception message from "errorTraceback"
if(errorTraceback)
{
// Object "tracebackList" initialized to NULL for Py_XDECREF
PyObject *tracebackModule = NULL, *methodName = NULL, *tracebackList = NULL;
QString tracebackMsg;
tracebackModule = PyImport_ImportModule("traceback"); // New Reference or NULL
methodName = PyString_FromString("format_exception"); // New Reference or NULL
tracebackList = PyObject_CallMethodObjArgs(tracebackModule, methodName, errorType, errorValue, errorTraceback, NULL); // New Reference or NULL
if(tracebackList)
{
PyObject* iterator = PyObject_GetIter(tracebackList); // New Reference
PyObject* item;
while( (item = PyIter_Next(iterator)) ) // New Reference
{
Error(_log, "## %s",QSTRING_CSTR(QString(PyString_AsString(item)).trimmed()));
Py_DECREF(item); // release "item" when done
}
Py_DECREF(iterator); // release "iterator" when done
}
// Use Py_XDECREF() to ignore NULL references
Py_XDECREF(tracebackModule);
Py_XDECREF(methodName);
Py_XDECREF(tracebackList);
// Give the exception back to python and print it to stderr in case anyone else wants it.
Py_XINCREF(errorType);
Py_XINCREF(errorValue);
Py_XINCREF(errorTraceback);
PyErr_Restore(errorType, errorValue, errorTraceback);
//PyErr_PrintEx(0); // Remove this line to switch off stderr output
}
Error(_log,"###### EXCEPTION END ######");
}
}
else
{
Py_DECREF(result); // release "result" when done
}
Py_DECREF(main_dict); // release "main_dict" when done
} }
// Clean up the thread state // Clean up the thread state
@ -173,28 +267,8 @@ void Effect::run()
PyEval_ReleaseLock(); PyEval_ReleaseLock();
} }
int Effect::getPriority() const
{
return _priority;
}
bool Effect::isAbortRequested() const
{
return _abortRequested;
}
void Effect::abort()
{
_abortRequested = true;
}
void Effect::effectFinished()
{
emit effectFinished(this);
}
PyObject *Effect::json2python(const QJsonValue &jsonData) const PyObject *Effect::json2python(const QJsonValue &jsonData) const
{ {
switch (jsonData.type()) switch (jsonData.type())
{ {
case QJsonValue::Null: case QJsonValue::Null:
@ -251,7 +325,7 @@ PyObject* Effect::wrapSetColor(PyObject *self, PyObject *args)
Effect * effect = getEffect(); Effect * effect = getEffect();
// check if we have aborted already // check if we have aborted already
if (effect->_abortRequested) if (effect->isInterruptionRequested())
{ {
return Py_BuildValue(""); return Py_BuildValue("");
} }
@ -333,7 +407,7 @@ PyObject* Effect::wrapSetImage(PyObject *self, PyObject *args)
Effect * effect = getEffect(); Effect * effect = getEffect();
// check if we have aborted already // check if we have aborted already
if (effect->_abortRequested) if (effect->isInterruptionRequested())
{ {
return Py_BuildValue(""); return Py_BuildValue("");
} }
@ -398,10 +472,10 @@ PyObject* Effect::wrapAbort(PyObject *self, PyObject *)
// Test if the effect has reached it end time // Test if the effect has reached it end time
if (effect->_timeout > 0 && QDateTime::currentMSecsSinceEpoch() > effect->_endTime) if (effect->_timeout > 0 && QDateTime::currentMSecsSinceEpoch() > effect->_endTime)
{ {
effect->_abortRequested = true; effect->requestInterruption();
} }
return Py_BuildValue("i", effect->_abortRequested ? 1 : 0); return Py_BuildValue("i", effect->isInterruptionRequested() ? 1 : 0);
} }
@ -453,7 +527,7 @@ PyObject* Effect::wrapImageShow(PyObject *self, PyObject *args)
binaryImage.append((char) qBlue(scanline[j])); binaryImage.append((char) qBlue(scanline[j]));
} }
} }
memcpy(image.memptr(), binaryImage.data(), binaryImage.size()); memcpy(image.memptr(), binaryImage.data(), binaryImage.size());
std::vector<ColorRgb> v = effect->_colors.toStdVector(); std::vector<ColorRgb> v = effect->_colors.toStdVector();
effect->_imageProcessor->process(image, v); effect->_imageProcessor->process(image, v);
@ -513,7 +587,7 @@ PyObject* Effect::wrapImageLinearGradient(PyObject *self, PyObject *args)
gradient.setSpread(static_cast<QGradient::Spread>(spread)); gradient.setSpread(static_cast<QGradient::Spread>(spread));
effect->_painter->fillRect(myQRect, gradient); effect->_painter->fillRect(myQRect, gradient);
return Py_BuildValue(""); return Py_BuildValue("");
} }
else else
@ -580,7 +654,7 @@ PyObject* Effect::wrapImageConicalGradient(PyObject *self, PyObject *args)
} }
effect->_painter->fillRect(myQRect, gradient); effect->_painter->fillRect(myQRect, gradient);
return Py_BuildValue(""); return Py_BuildValue("");
} }
else else
@ -616,7 +690,7 @@ PyObject* Effect::wrapImageRadialGradient(PyObject *self, PyObject *args)
if ( argCount == 12 && PyArg_ParseTuple(args, "iiiiiiiiiiOi", &startX, &startY, &width, &height, &centerX, &centerY, &radius, &focalX, &focalY, &focalRadius, &bytearray, &spread) ) if ( argCount == 12 && PyArg_ParseTuple(args, "iiiiiiiiiiOi", &startX, &startY, &width, &height, &centerX, &centerY, &radius, &focalX, &focalY, &focalRadius, &bytearray, &spread) )
{ {
argsOK = true; argsOK = true;
} }
if ( argCount == 9 && PyArg_ParseTuple(args, "iiiiiiiOi", &startX, &startY, &width, &height, &centerX, &centerY, &radius, &bytearray, &spread) ) if ( argCount == 9 && PyArg_ParseTuple(args, "iiiiiiiOi", &startX, &startY, &width, &height, &centerX, &centerY, &radius, &bytearray, &spread) )
{ {
argsOK = true; argsOK = true;
@ -635,7 +709,7 @@ PyObject* Effect::wrapImageRadialGradient(PyObject *self, PyObject *args)
focalY = centerY; focalY = centerY;
focalRadius = radius; focalRadius = radius;
} }
if (argsOK) if (argsOK)
{ {
if (PyByteArray_Check(bytearray)) if (PyByteArray_Check(bytearray))
@ -661,7 +735,7 @@ PyObject* Effect::wrapImageRadialGradient(PyObject *self, PyObject *args)
gradient.setSpread(static_cast<QGradient::Spread>(spread)); gradient.setSpread(static_cast<QGradient::Spread>(spread));
effect->_painter->fillRect(myQRect, gradient); effect->_painter->fillRect(myQRect, gradient);
return Py_BuildValue(""); return Py_BuildValue("");
} }
else else
@ -742,7 +816,7 @@ PyObject* Effect::wrapImageDrawPie(PyObject *self, PyObject *args)
{ {
Effect * effect = getEffect(); Effect * effect = getEffect();
PyObject * bytearray = nullptr; PyObject * bytearray = nullptr;
QString brush; QString brush;
int argCount = PyTuple_Size(args); int argCount = PyTuple_Size(args);
int radius, centerX, centerY; int radius, centerX, centerY;
@ -804,7 +878,7 @@ PyObject* Effect::wrapImageDrawPie(PyObject *self, PyObject *args)
)); ));
} }
painter->setBrush(gradient); painter->setBrush(gradient);
return Py_BuildValue(""); return Py_BuildValue("");
} }
else else
@ -908,7 +982,7 @@ PyObject* Effect::wrapImageDrawLine(PyObject *self, PyObject *args)
painter->setPen(newPen); painter->setPen(newPen);
painter->drawLine(startX, startY, endX, endY); painter->drawLine(startX, startY, endX, endY);
painter->setPen(oldPen); painter->setPen(oldPen);
return Py_BuildValue(""); return Py_BuildValue("");
} }
return nullptr; return nullptr;
@ -943,7 +1017,7 @@ PyObject* Effect::wrapImageDrawPoint(PyObject *self, PyObject *args)
painter->setPen(newPen); painter->setPen(newPen);
painter->drawPoint(x, y); painter->drawPoint(x, y);
painter->setPen(oldPen); painter->setPen(oldPen);
return Py_BuildValue(""); return Py_BuildValue("");
} }
return nullptr; return nullptr;
@ -983,7 +1057,7 @@ PyObject* Effect::wrapImageDrawRect(PyObject *self, PyObject *args)
painter->setPen(newPen); painter->setPen(newPen);
painter->drawRect(startX, startY, width, height); painter->drawRect(startX, startY, width, height);
painter->setPen(oldPen); painter->setPen(oldPen);
return Py_BuildValue(""); return Py_BuildValue("");
} }
return nullptr; return nullptr;
@ -1028,7 +1102,7 @@ PyObject* Effect::wrapImageSave(PyObject *self, PyObject *args)
QImage img(effect->_image.copy()); QImage img(effect->_image.copy());
effect->_imageStack.append(img); effect->_imageStack.append(img);
return Py_BuildValue("i", effect->_imageStack.size()-1); return Py_BuildValue("i", effect->_imageStack.size()-1);
} }
PyObject* Effect::wrapImageMinSize(PyObject *self, PyObject *args) PyObject* Effect::wrapImageMinSize(PyObject *self, PyObject *args)
@ -1045,7 +1119,7 @@ PyObject* Effect::wrapImageMinSize(PyObject *self, PyObject *args)
if (width<w || height<h) if (width<w || height<h)
{ {
delete effect->_painter; delete effect->_painter;
effect->_image = effect->_image.scaled(qMax(width,w),qMax(height,h), Qt::KeepAspectRatioByExpanding, Qt::SmoothTransformation); effect->_image = effect->_image.scaled(qMax(width,w),qMax(height,h), Qt::KeepAspectRatioByExpanding, Qt::SmoothTransformation);
effect->_imageSize = effect->_image.size(); effect->_imageSize = effect->_image.size();
effect->_painter = new QPainter(&(effect->_image)); effect->_painter = new QPainter(&(effect->_image));
@ -1070,10 +1144,10 @@ PyObject* Effect::wrapImageHeight(PyObject *self, PyObject *args)
PyObject* Effect::wrapImageCRotate(PyObject *self, PyObject *args) PyObject* Effect::wrapImageCRotate(PyObject *self, PyObject *args)
{ {
Effect * effect = getEffect(); Effect * effect = getEffect();
int argCount = PyTuple_Size(args); int argCount = PyTuple_Size(args);
int angle; int angle;
if ( argCount == 1 && PyArg_ParseTuple(args, "i", &angle ) ) if ( argCount == 1 && PyArg_ParseTuple(args, "i", &angle ) )
{ {
angle = qMax(qMin(angle,360),0); angle = qMax(qMin(angle,360),0);
@ -1086,16 +1160,16 @@ PyObject* Effect::wrapImageCRotate(PyObject *self, PyObject *args)
PyObject* Effect::wrapImageCOffset(PyObject *self, PyObject *args) PyObject* Effect::wrapImageCOffset(PyObject *self, PyObject *args)
{ {
Effect * effect = getEffect(); Effect * effect = getEffect();
int offsetX = 0; int offsetX = 0;
int offsetY = 0; int offsetY = 0;
int argCount = PyTuple_Size(args); int argCount = PyTuple_Size(args);
if ( argCount == 2 ) if ( argCount == 2 )
{ {
PyArg_ParseTuple(args, "ii", &offsetX, &offsetY ); PyArg_ParseTuple(args, "ii", &offsetX, &offsetY );
} }
effect->_painter->translate(QPoint(offsetX,offsetY)); effect->_painter->translate(QPoint(offsetX,offsetY));
return Py_BuildValue(""); return Py_BuildValue("");
} }
@ -1103,10 +1177,10 @@ PyObject* Effect::wrapImageCOffset(PyObject *self, PyObject *args)
PyObject* Effect::wrapImageCShear(PyObject *self, PyObject *args) PyObject* Effect::wrapImageCShear(PyObject *self, PyObject *args)
{ {
Effect * effect = getEffect(); Effect * effect = getEffect();
int sh,sv; int sh,sv;
int argCount = PyTuple_Size(args); int argCount = PyTuple_Size(args);
if ( argCount == 2 && PyArg_ParseTuple(args, "ii", &sh, &sv )) if ( argCount == 2 && PyArg_ParseTuple(args, "ii", &sh, &sv ))
{ {
effect->_painter->shear(sh,sv); effect->_painter->shear(sh,sv);

View File

@ -19,36 +19,26 @@ class Effect : public QThread
Q_OBJECT Q_OBJECT
public: public:
Effect(PyThreadState * mainThreadState, int priority, int timeout, const QString & script, const QString & name, const QJsonObject & args = QJsonObject(), const QString & origin="System", unsigned smoothCfg=0); Effect(int priority, int timeout, const QString & script, const QString & name, const QJsonObject & args = QJsonObject(), const QString & origin="System", unsigned smoothCfg=0);
virtual ~Effect(); virtual ~Effect();
virtual void run(); virtual void run();
int getPriority() const; int getPriority() const { return _priority; };
QString getScript() const { return _script; } QString getScript() const { return _script; }
QString getName() const { return _name; } QString getName() const { return _name; }
int getTimeout() const {return _timeout; }
QJsonObject getArgs() const { return _args; }
bool isAbortRequested() const; int getTimeout() const {return _timeout; }
QJsonObject getArgs() const { return _args; }
/// This function registers the extension module in Python /// This function registers the extension module in Python
static void registerHyperionExtensionModule(); static void registerHyperionExtensionModule();
public slots:
void abort();
signals: signals:
void effectFinished(Effect * effect);
void setColors(int priority, const std::vector<ColorRgb> &ledColors, const int timeout_ms, bool clearEffects, hyperion::Components componentconst, QString origin, unsigned smoothCfg); void setColors(int priority, const std::vector<ColorRgb> &ledColors, const int timeout_ms, bool clearEffects, hyperion::Components componentconst, QString origin, unsigned smoothCfg);
private slots:
void effectFinished();
private: private:
PyObject * json2python(const QJsonValue & jsonData) const; PyObject * json2python(const QJsonValue & jsonData) const;
@ -88,8 +78,6 @@ private:
void addImage(); void addImage();
PyThreadState * _mainThreadState;
const int _priority; const int _priority;
const int _timeout; const int _timeout;
@ -104,19 +92,17 @@ private:
PyThreadState * _interpreterThreadState; PyThreadState * _interpreterThreadState;
bool _abortRequested;
/// The processor for translating images to led-values /// The processor for translating images to led-values
ImageProcessor * _imageProcessor; ImageProcessor * _imageProcessor;
/// Buffer for colorData /// Buffer for colorData
QVector<ColorRgb> _colors; QVector<ColorRgb> _colors;
Logger* _log;
QString _origin; QString _origin;
QSize _imageSize; QSize _imageSize;
QImage _image; QImage _image;
QPainter* _painter; QPainter* _painter;
QVector<QImage> _imageStack; QVector<QImage> _imageStack;
}; };

View File

@ -11,7 +11,7 @@
// hyperion util includes // hyperion util includes
#include <utils/jsonschema/QJsonSchemaChecker.h> #include <utils/jsonschema/QJsonSchemaChecker.h>
#include <utils/FileUtils.h> #include <utils/JsonUtils.h>
#include <utils/Components.h> #include <utils/Components.h>
// effect engine includes // effect engine includes
@ -74,95 +74,21 @@ const std::list<ActiveEffectDefinition> &EffectEngine::getActiveEffects()
bool EffectEngine::loadEffectDefinition(const QString &path, const QString &effectConfigFile, EffectDefinition & effectDefinition) bool EffectEngine::loadEffectDefinition(const QString &path, const QString &effectConfigFile, EffectDefinition & effectDefinition)
{ {
Logger * log = Logger::getInstance("EFFECTENGINE");
QString fileName = path + QDir::separator() + effectConfigFile; QString fileName = path + QDir::separator() + effectConfigFile;
QJsonParseError error;
// ---------- Read the effect json config file ---------- // Read and parse the effect json config file
QJsonObject configEffect;
QFile file(fileName); if(!JsonUtils::readFile(fileName, configEffect, _log))
if (!file.open(QIODevice::ReadOnly))
{
Error( log, "Effect file '%s' could not be loaded", QSTRING_CSTR(fileName));
return false; return false;
}
QByteArray fileContent = file.readAll();
QJsonDocument configEffect = QJsonDocument::fromJson(fileContent, &error);
if (error.error != QJsonParseError::NoError)
{
// report to the user the failure and their locations in the document.
int errorLine(0), errorColumn(0);
for( int i=0, count=qMin( error.offset,fileContent.size()); i<count; ++i )
{
++errorColumn;
if(fileContent.at(i) == '\n' )
{
errorColumn = 0;
++errorLine;
}
}
Error( log, "Error while reading effect: '%s' at Line: '%i' , Column: %i",QSTRING_CSTR( error.errorString()), errorLine, errorColumn);
}
file.close();
// ---------- Read the effect json schema file ----------
Q_INIT_RESOURCE(EffectEngine); Q_INIT_RESOURCE(EffectEngine);
QFile schema(":effect-schema"); // validate effect config with effect schema(path)
if(!JsonUtils::validate(fileName, configEffect, ":effect-schema", _log))
if (!schema.open(QIODevice::ReadOnly))
{
Error( log, "Schema not found: %s", QSTRING_CSTR(schema.errorString()));
return false; return false;
}
QByteArray schemaContent = schema.readAll();
QJsonDocument configSchema = QJsonDocument::fromJson(schemaContent, &error);
if (error.error != QJsonParseError::NoError)
{
// report to the user the failure and their locations in the document.
int errorLine(0), errorColumn(0);
for( int i=0, count=qMin( error.offset,schemaContent.size()); i<count; ++i )
{
++errorColumn;
if(schemaContent.at(i) == '\n' )
{
errorColumn = 0;
++errorLine;
}
}
Error( log, "ERROR: Json schema wrong: '%s' at Line: '%i' , Column: %i", QSTRING_CSTR(error.errorString()), errorLine, errorColumn);
}
schema.close();
// ---------- validate effect config with effect schema ----------
QJsonSchemaChecker schemaChecker;
schemaChecker.setSchema(configSchema.object());
if (!schemaChecker.validate(configEffect.object()).first)
{
const QStringList & errors = schemaChecker.getMessages();
for (auto & error : errors)
{
Error( log, "Error while checking '%s':%s", QSTRING_CSTR(fileName), QSTRING_CSTR(error));
}
return false;
}
// ---------- setup the definition ----------
// setup the definition
effectDefinition.file = fileName; effectDefinition.file = fileName;
QJsonObject config = configEffect.object(); QJsonObject config = configEffect;
QString scriptName = config["script"].toString(); QString scriptName = config["script"].toString();
effectDefinition.name = config["name"].toString(); effectDefinition.name = config["name"].toString();
if (scriptName.isEmpty()) if (scriptName.isEmpty())
@ -200,48 +126,15 @@ bool EffectEngine::loadEffectDefinition(const QString &path, const QString &effe
bool EffectEngine::loadEffectSchema(const QString &path, const QString &effectSchemaFile, EffectSchema & effectSchema) bool EffectEngine::loadEffectSchema(const QString &path, const QString &effectSchemaFile, EffectSchema & effectSchema)
{ {
Logger * log = Logger::getInstance("EFFECTENGINE");
QString fileName = path + "schema/" + QDir::separator() + effectSchemaFile; QString fileName = path + "schema/" + QDir::separator() + effectSchemaFile;
QJsonParseError error;
// ---------- Read the effect schema file ---------- // Read and parse the effect schema file
QJsonObject schemaEffect;
QFile file(fileName); if(!JsonUtils::readFile(fileName, schemaEffect, _log))
if (!file.open(QIODevice::ReadOnly))
{
Error( log, "Effect schema '%s' could not be loaded", QSTRING_CSTR(fileName));
return false; return false;
}
QByteArray fileContent = file.readAll(); // setup the definition
QJsonDocument schemaEffect = QJsonDocument::fromJson(fileContent, &error); QString scriptName = schemaEffect["script"].toString();
if (error.error != QJsonParseError::NoError)
{
// report to the user the failure and their locations in the document.
int errorLine(0), errorColumn(0);
for( int i=0, count=qMin( error.offset,fileContent.size()); i<count; ++i )
{
++errorColumn;
if(fileContent.at(i) == '\n' )
{
errorColumn = 0;
++errorLine;
}
}
Error( log, "Error while reading effect schema: '%s' at Line: '%i' , Column: %i", QSTRING_CSTR(error.errorString()), errorLine, errorColumn);
return false;
}
file.close();
// ---------- setup the definition ----------
QJsonObject tempSchemaEffect = schemaEffect.object();
QString scriptName = tempSchemaEffect["script"].toString();
effectSchema.schemaFile = fileName; effectSchema.schemaFile = fileName;
fileName = path + QDir::separator() + scriptName; fileName = path + QDir::separator() + scriptName;
QFile pyFile(fileName); QFile pyFile(fileName);
@ -249,14 +142,14 @@ bool EffectEngine::loadEffectSchema(const QString &path, const QString &effectSc
if (scriptName.isEmpty() || !pyFile.open(QIODevice::ReadOnly)) if (scriptName.isEmpty() || !pyFile.open(QIODevice::ReadOnly))
{ {
fileName = path + "schema/" + QDir::separator() + effectSchemaFile; fileName = path + "schema/" + QDir::separator() + effectSchemaFile;
Error( log, "Python script '%s' in effect schema '%s' could not be loaded", QSTRING_CSTR(scriptName), QSTRING_CSTR(fileName)); Error( _log, "Python script '%s' in effect schema '%s' could not be loaded", QSTRING_CSTR(scriptName), QSTRING_CSTR(fileName));
return false; return false;
} }
pyFile.close(); pyFile.close();
effectSchema.pyFile = (scriptName.mid(0, 1) == ":" ) ? ":/effects/"+scriptName.mid(1) : path + QDir::separator() + scriptName; effectSchema.pyFile = (scriptName.mid(0, 1) == ":" ) ? ":/effects/"+scriptName.mid(1) : path + QDir::separator() + scriptName;
effectSchema.pySchema = tempSchemaEffect; effectSchema.pySchema = schemaEffect;
return true; return true;
} }
@ -277,7 +170,7 @@ void EffectEngine::readEffects()
for(auto p : paths) for(auto p : paths)
{ {
efxPathList << p.toString(); efxPathList << p.toString().replace("$ROOT",_hyperion->getRootPath());
} }
for(auto efx : disabledEfx) for(auto efx : disabledEfx)
{ {
@ -309,7 +202,7 @@ void EffectEngine::readEffects()
if (loadEffectDefinition(path, filename, def)) if (loadEffectDefinition(path, filename, def))
{ {
InfoIf(availableEffects.find(def.name) != availableEffects.end(), _log, InfoIf(availableEffects.find(def.name) != availableEffects.end(), _log,
"effect overload effect '%s' is now taken from %s'", QSTRING_CSTR(def.name), QSTRING_CSTR(path) ); "effect overload effect '%s' is now taken from '%s'", QSTRING_CSTR(def.name), QSTRING_CSTR(path) );
if ( disableList.contains(def.name) ) if ( disableList.contains(def.name) )
{ {
@ -326,7 +219,7 @@ void EffectEngine::readEffects()
// collect effect schemas // collect effect schemas
efxCount = 0; efxCount = 0;
directory = path + "schema/"; directory = path.endsWith("/") ? (path + "schema/") : (path + "/schema/");
QStringList pynames = directory.entryList(QStringList() << "*.json", QDir::Files, QDir::Name | QDir::IgnoreCase); QStringList pynames = directory.entryList(QStringList() << "*.json", QDir::Files, QDir::Name | QDir::IgnoreCase);
for (const QString & pyname : pynames) for (const QString & pyname : pynames)
{ {
@ -387,9 +280,9 @@ int EffectEngine::runEffectScript(const QString &script, const QString &name, co
channelCleared(priority); channelCleared(priority);
// create the effect // create the effect
Effect * effect = new Effect(_mainThreadState, priority, timeout, script, name, args, origin, smoothCfg); Effect * effect = new Effect(priority, timeout, script, name, args, origin, smoothCfg);
connect(effect, SIGNAL(setColors(int,std::vector<ColorRgb>,int,bool,hyperion::Components,const QString,unsigned)), _hyperion, SLOT(setColors(int,std::vector<ColorRgb>,int,bool,hyperion::Components,const QString,unsigned)), Qt::QueuedConnection); connect(effect, SIGNAL(setColors(int,std::vector<ColorRgb>,int,bool,hyperion::Components,const QString,unsigned)), _hyperion, SLOT(setColors(int,std::vector<ColorRgb>,int,bool,hyperion::Components,const QString,unsigned)), Qt::QueuedConnection);
connect(effect, SIGNAL(effectFinished(Effect*)), this, SLOT(effectFinished(Effect*))); connect(effect, &QThread::finished, this, &EffectEngine::effectFinished);
_activeEffects.push_back(effect); _activeEffects.push_back(effect);
// start the effect // start the effect
@ -405,7 +298,7 @@ void EffectEngine::channelCleared(int priority)
{ {
if (effect->getPriority() == priority) if (effect->getPriority() == priority)
{ {
effect->abort(); effect->requestInterruption();
} }
} }
} }
@ -414,13 +307,17 @@ void EffectEngine::allChannelsCleared()
{ {
for (Effect * effect : _activeEffects) for (Effect * effect : _activeEffects)
{ {
effect->abort(); if (effect->getPriority() != 254)
{
effect->requestInterruption();
}
} }
} }
void EffectEngine::effectFinished(Effect *effect) void EffectEngine::effectFinished()
{ {
if (!effect->isAbortRequested()) Effect* effect = qobject_cast<Effect*>(sender());
if (!effect->isInterruptionRequested())
{ {
// effect stopped by itself. Clear the channel // effect stopped by itself. Clear the channel
_hyperion->clear(effect->getPriority()); _hyperion->clear(effect->getPriority());

View File

@ -35,11 +35,11 @@
Hyperion* Hyperion::_hyperion = nullptr; Hyperion* Hyperion::_hyperion = nullptr;
Hyperion* Hyperion::initInstance(const QJsonObject& qjsonConfig, const QString configFile) // REMOVE jsonConfig variable when the conversion from jsonCPP to QtJSON is finished Hyperion* Hyperion::initInstance(const QJsonObject& qjsonConfig, const QString configFile, const QString rootPath)
{ {
if ( Hyperion::_hyperion != nullptr ) if ( Hyperion::_hyperion != nullptr )
throw std::runtime_error("Hyperion::initInstance can be called only one time"); throw std::runtime_error("Hyperion::initInstance can be called only one time");
Hyperion::_hyperion = new Hyperion(qjsonConfig, configFile); Hyperion::_hyperion = new Hyperion(qjsonConfig, configFile, rootPath);
return Hyperion::_hyperion; return Hyperion::_hyperion;
} }
@ -381,7 +381,7 @@ MessageForwarder * Hyperion::getForwarder()
return _messageForwarder; return _messageForwarder;
} }
Hyperion::Hyperion(const QJsonObject &qjsonConfig, const QString configFile) Hyperion::Hyperion(const QJsonObject &qjsonConfig, const QString configFile, const QString rootPath)
: _ledString(createLedString(qjsonConfig["leds"], createColorOrder(qjsonConfig["device"].toObject()))) : _ledString(createLedString(qjsonConfig["leds"], createColorOrder(qjsonConfig["device"].toObject())))
, _ledStringClone(createLedStringClone(qjsonConfig["leds"], createColorOrder(qjsonConfig["device"].toObject()))) , _ledStringClone(createLedStringClone(qjsonConfig["leds"], createColorOrder(qjsonConfig["device"].toObject())))
, _muxer(_ledString.leds().size()) , _muxer(_ledString.leds().size())
@ -390,6 +390,7 @@ Hyperion::Hyperion(const QJsonObject &qjsonConfig, const QString configFile)
, _messageForwarder(createMessageForwarder(qjsonConfig["forwarder"].toObject())) , _messageForwarder(createMessageForwarder(qjsonConfig["forwarder"].toObject()))
, _qjsonConfig(qjsonConfig) , _qjsonConfig(qjsonConfig)
, _configFile(configFile) , _configFile(configFile)
, _rootPath(rootPath)
, _timer() , _timer()
, _timerBonjourResolver() , _timerBonjourResolver()
, _log(CORE_LOGGER) , _log(CORE_LOGGER)
@ -439,7 +440,7 @@ Hyperion::Hyperion(const QJsonObject &qjsonConfig, const QString configFile)
_timerBonjourResolver.start(); _timerBonjourResolver.start();
// create the effect engine, must be initialized after smoothing! // create the effect engine, must be initialized after smoothing!
_effectEngine = new EffectEngine(this,qjsonConfig["effects"].toObject() ); _effectEngine = new EffectEngine(this,qjsonConfig["effects"].toObject());
const QJsonObject& device = qjsonConfig["device"].toObject(); const QJsonObject& device = qjsonConfig["device"].toObject();
unsigned int hwLedCount = device["ledCount"].toInt(getLedCount()); unsigned int hwLedCount = device["ledCount"].toInt(getLedCount());
@ -468,9 +469,6 @@ Hyperion::Hyperion(const QJsonObject &qjsonConfig, const QString configFile)
_fsi_timer.setSingleShot(true); _fsi_timer.setSingleShot(true);
_fsi_blockTimer.setSingleShot(true); _fsi_blockTimer.setSingleShot(true);
const QJsonObject & generalConfig = qjsonConfig["general"].toObject();
_configVersionId = generalConfig["configVersion"].toInt(-1);
// initialize the leds // initialize the leds
update(); update();
} }

View File

@ -15,7 +15,7 @@
"type" : "integer", "type" : "integer",
"required" : true, "required" : true,
"title" : "edt_conf_general_port_title", "title" : "edt_conf_general_port_title",
"minimum" : 0, "minimum" : 1024,
"maximum" : 65535, "maximum" : 65535,
"propertyOrder" : 2 "propertyOrder" : 2
}, },

View File

@ -7,7 +7,7 @@
{ {
"type" : "array", "type" : "array",
"title" : "edt_conf_effp_paths_title", "title" : "edt_conf_effp_paths_title",
"default" : ["../custom-effects"], "default" : ["$ROOT/custom-effects"],
"items" : { "items" : {
"type": "string", "type": "string",
"title" : "edt_conf_effp_paths_itemtitle" "title" : "edt_conf_effp_paths_itemtitle"

View File

@ -9,7 +9,7 @@
"type" : "integer", "type" : "integer",
"required" : true, "required" : true,
"title" : "edt_conf_general_port_title", "title" : "edt_conf_general_port_title",
"minimum" : 0, "minimum" : 1024,
"maximum" : 65535, "maximum" : 65535,
"default" : 19444 "default" : 19444
} }

View File

@ -1,6 +1,7 @@
{ {
"type":"array", "type":"array",
"required":true, "required":true,
"minItems":1,
"items": "items":
{ {
"type":"object", "type":"object",

View File

@ -9,7 +9,7 @@
"type" : "integer", "type" : "integer",
"required" : true, "required" : true,
"title" : "edt_conf_general_port_title", "title" : "edt_conf_general_port_title",
"minimum" : 0, "minimum" : 1024,
"maximum" : 65535, "maximum" : 65535,
"default" : 19445 "default" : 19445
} }

View File

@ -22,9 +22,9 @@
{ {
"type" : "integer", "type" : "integer",
"title" : "edt_conf_general_port_title", "title" : "edt_conf_general_port_title",
"minimum" : 0, "minimum" : 80,
"maximum" : 65535, "maximum" : 65535,
"default" : 8099, "default" : 8090,
"access" : "expert", "access" : "expert",
"propertyOrder" : 3 "propertyOrder" : 3
} }

View File

@ -25,7 +25,7 @@ JsonClientConnection::JsonClientConnection(QTcpSocket *socket)
connect(_socket, SIGNAL(readyRead()), this, SLOT(readData())); connect(_socket, SIGNAL(readyRead()), this, SLOT(readData()));
// create a new instance of JsonProcessor // create a new instance of JsonProcessor
_jsonProcessor = new JsonProcessor(_clientAddress.toString()); _jsonProcessor = new JsonProcessor(_clientAddress.toString(), _log);
// get the callback messages from JsonProcessor and send it to the client // get the callback messages from JsonProcessor and send it to the client
connect(_jsonProcessor,SIGNAL(callbackMessage(QJsonObject)),this,SLOT(sendMessage(QJsonObject))); connect(_jsonProcessor,SIGNAL(callbackMessage(QJsonObject)),this,SLOT(sendMessage(QJsonObject)));
} }
@ -65,7 +65,7 @@ void JsonClientConnection::readData()
void JsonClientConnection::handleRawJsonData() void JsonClientConnection::handleRawJsonData()
{ {
_receiveBuffer += _socket->readAll(); _receiveBuffer += _socket->readAll();
// raw socket data, handling as usual // raw socket data, handling as usual
int bytes = _receiveBuffer.indexOf('\n') + 1; int bytes = _receiveBuffer.indexOf('\n') + 1;
while(bytes > 0) while(bytes > 0)
@ -89,7 +89,7 @@ void JsonClientConnection::getWsFrameHeader(WebSocketHeader* header)
char fin_rsv_opcode, mask_length; char fin_rsv_opcode, mask_length;
_socket->getChar(&fin_rsv_opcode); _socket->getChar(&fin_rsv_opcode);
_socket->getChar(&mask_length); _socket->getChar(&mask_length);
header->fin = (fin_rsv_opcode & BHB0_FIN) == BHB0_FIN; header->fin = (fin_rsv_opcode & BHB0_FIN) == BHB0_FIN;
header->opCode = fin_rsv_opcode & BHB0_OPCODE; header->opCode = fin_rsv_opcode & BHB0_OPCODE;
header->masked = (mask_length & BHB1_MASK) == BHB1_MASK; header->masked = (mask_length & BHB1_MASK) == BHB1_MASK;
@ -116,7 +116,7 @@ void JsonClientConnection::getWsFrameHeader(WebSocketHeader* header)
} }
break; break;
} }
// if the data is masked we need to get the key for unmasking // if the data is masked we need to get the key for unmasking
if (header->masked) if (header->masked)
{ {
@ -240,7 +240,7 @@ void JsonClientConnection::sendClose(int status, QString reason)
ErrorIf(!reason.isEmpty(), _log, QSTRING_CSTR(reason)); ErrorIf(!reason.isEmpty(), _log, QSTRING_CSTR(reason));
_receiveBuffer.clear(); _receiveBuffer.clear();
QByteArray sendBuffer; QByteArray sendBuffer;
sendBuffer.append(136+(status-1000)); sendBuffer.append(136+(status-1000));
int length = reason.size(); int length = reason.size();
if(length >= 126) if(length >= 126)
@ -257,7 +257,7 @@ void JsonClientConnection::sendClose(int status, QString reason)
{ {
sendBuffer.append(quint8(length)); sendBuffer.append(quint8(length));
} }
sendBuffer.append(reason); sendBuffer.append(reason);
_socket->write(sendBuffer); _socket->write(sendBuffer);
@ -282,7 +282,7 @@ void JsonClientConnection::doWebSocketHandshake()
QByteArray hash = QCryptographicHash::hash(value, QCryptographicHash::Sha1).toBase64(); QByteArray hash = QCryptographicHash::hash(value, QCryptographicHash::Sha1).toBase64();
// prepare an answer // prepare an answer
QString data QString data
= QString("HTTP/1.1 101 Switching Protocols\r\n") = QString("HTTP/1.1 101 Switching Protocols\r\n")
+ QString("Upgrade: websocket\r\n") + QString("Upgrade: websocket\r\n")
+ QString("Connection: Upgrade\r\n") + QString("Connection: Upgrade\r\n")
@ -304,7 +304,7 @@ void JsonClientConnection::socketClosed()
QByteArray JsonClientConnection::makeFrameHeader(quint8 opCode, quint64 payloadLength, bool lastFrame) QByteArray JsonClientConnection::makeFrameHeader(quint8 opCode, quint64 payloadLength, bool lastFrame)
{ {
QByteArray header; QByteArray header;
if (payloadLength <= 0x7FFFFFFFFFFFFFFFULL) if (payloadLength <= 0x7FFFFFFFFFFFFFFFULL)
{ {
//FIN, RSV1-3, opcode (RSV-1, RSV-2 and RSV-3 are zero) //FIN, RSV1-3, opcode (RSV-1, RSV-2 and RSV-3 are zero)
@ -375,9 +375,10 @@ qint64 JsonClientConnection::sendMessage_Websockets(QByteArray &data)
quint64 position = i * FRAME_SIZE_IN_BYTES; quint64 position = i * FRAME_SIZE_IN_BYTES;
quint32 frameSize = (payloadSize-position >= FRAME_SIZE_IN_BYTES) ? FRAME_SIZE_IN_BYTES : (payloadSize-position); quint32 frameSize = (payloadSize-position >= FRAME_SIZE_IN_BYTES) ? FRAME_SIZE_IN_BYTES : (payloadSize-position);
QByteArray buf = makeFrameHeader(OPCODE::TEXT, frameSize, isLastFrame); QByteArray buf = makeFrameHeader(OPCODE::TEXT, frameSize, isLastFrame);
sendMessage_Raw(buf); sendMessage_Raw(buf);
qint64 written = sendMessage_Raw(payload+position,frameSize); qint64 written = sendMessage_Raw(payload+position,frameSize);
if (written > 0) if (written > 0)
{ {
@ -412,11 +413,10 @@ void JsonClientConnection::handleBinaryMessage(QByteArray &data)
Error(_log, "data size is not multiple of width"); Error(_log, "data size is not multiple of width");
return; return;
} }
Image<ColorRgb> image; Image<ColorRgb> image;
image.resize(width, height); image.resize(width, height);
memcpy(image.memptr(), data.data()+4, imgSize); memcpy(image.memptr(), data.data()+4, imgSize);
_hyperion->setImage(priority, image, duration_s*1000); _hyperion->setImage(priority, image, duration_s*1000);
} }

View File

@ -8,6 +8,7 @@
#include <QDateTime> #include <QDateTime>
#include "hyperion/Hyperion.h" #include "hyperion/Hyperion.h"
#include <utils/JsonUtils.h>
LedDeviceRegistry LedDevice::_ledDeviceMap = LedDeviceRegistry(); LedDeviceRegistry LedDevice::_ledDeviceMap = LedDeviceRegistry();
QString LedDevice::_activeDevice = ""; QString LedDevice::_activeDevice = "";
@ -91,7 +92,6 @@ QJsonObject LedDevice::getLedDeviceSchemas()
{ {
// make sure the resources are loaded (they may be left out after static linking) // make sure the resources are loaded (they may be left out after static linking)
Q_INIT_RESOURCE(LedDeviceSchemas); Q_INIT_RESOURCE(LedDeviceSchemas);
QJsonParseError error;
// read the json schema from the resource // read the json schema from the resource
QDir d(":/leddevices/"); QDir d(":/leddevices/");
@ -100,40 +100,22 @@ QJsonObject LedDevice::getLedDeviceSchemas()
for(QString &item : l) for(QString &item : l)
{ {
QFile schemaData(QString(":/leddevices/")+item); QString schemaPath(QString(":/leddevices/")+item);
QString devName = item.remove("schema-"); QString devName = item.remove("schema-");
if (!schemaData.open(QIODevice::ReadOnly)) QString data;
if(!FileUtils::readFile(schemaPath, data, Logger::getInstance("LedDevice")))
{ {
Error(Logger::getInstance("LedDevice"), "Schema not found: %s", QSTRING_CSTR(item));
throw std::runtime_error("ERROR: Schema not found: " + item.toStdString()); throw std::runtime_error("ERROR: Schema not found: " + item.toStdString());
} }
QByteArray schema = schemaData.readAll(); QJsonObject schema;
QJsonDocument doc = QJsonDocument::fromJson(schema, &error); if(!JsonUtils::parse(schemaPath, data, schema, Logger::getInstance("LedDevice")))
schemaData.close();
if (error.error != QJsonParseError::NoError)
{ {
// report to the user the failure and their locations in the document. throw std::runtime_error("ERROR: Json schema wrong of file: " + item.toStdString());
int errorLine(0), errorColumn(0);
for( int i=0, count=qMin( error.offset,schema.size()); i<count; ++i )
{
++errorColumn;
if(schema.at(i) == '\n' )
{
errorColumn = 0;
++errorLine;
}
}
QString errorMsg = error.errorString() + " at Line: " + QString::number(errorLine) + ", Column: " + QString::number(errorColumn);
Error(Logger::getInstance("LedDevice"), "LedDevice JSON schema error in %s (%s)", QSTRING_CSTR(item), QSTRING_CSTR(errorMsg));
throw std::runtime_error("ERROR: Json schema wrong: " + errorMsg.toStdString());
} }
schemaJson = doc.object(); schemaJson = schema;
schemaJson["title"] = QString("edt_dev_spec_header_title"); schemaJson["title"] = QString("edt_dev_spec_header_title");
result[devName] = schemaJson; result[devName] = schemaJson;

View File

@ -1,20 +1,146 @@
#include <utils/FileUtils.h> #include <utils/FileUtils.h>
// qt incl
#include <QFileInfo> #include <QFileInfo>
#include <QDebug>
// hyperion include
#include <hyperion/Hyperion.h>
namespace FileUtils { namespace FileUtils {
QString getBaseName( QString sourceFile)
{
QFileInfo fi( sourceFile );
return fi.fileName();
}
QString getDirName( QString sourceFile)
{
QFileInfo fi( sourceFile );
return fi.path();
}
}; QString getBaseName( QString sourceFile)
{
QFileInfo fi( sourceFile );
return fi.fileName();
}
QString getDirName( QString sourceFile)
{
QFileInfo fi( sourceFile );
return fi.path();
}
bool fileExists(const QString& path, Logger* log, bool ignError)
{
QFile file(path);
if(!file.exists())
{
ErrorIf((!ignError), log,"File does not exist: %s",QSTRING_CSTR(path));
return false;
}
return true;
}
bool readFile(const QString& path, QString& data, Logger* log, bool ignError)
{
QFile file(path);
if(!fileExists(path, log, ignError))
{
return false;
}
if(!file.open(QFile::ReadOnly | QFile::Text))
{
if(!ignError)
resolveFileError(file,log);
return false;
}
data = QString(file.readAll());
file.close();
return true;
}
bool writeFile(const QString& path, const QByteArray& data, Logger* log)
{
QFile file(path);
if (!file.open(QFile::WriteOnly | QFile::Truncate))
{
resolveFileError(file,log);
return false;
}
if(file.write(data) == -1)
{
resolveFileError(file,log);
return false;
}
file.close();
return true;
}
bool removeFile(const QString& path, Logger* log)
{
QFile file(path);
if(!file.remove())
{
resolveFileError(file,log);
return false;
}
return true;
}
QString convertPath(const QString path)
{
QString p = path;
return p.replace(QString("$ROOT"), Hyperion::getInstance()->getRootPath());
}
void resolveFileError(const QFile& file, Logger* log)
{
QFile::FileError error = file.error();
const char* fn = QSTRING_CSTR(file.fileName());
switch(error)
{
case QFileDevice::NoError:
Debug(log,"No error occurred while procesing file: %s",fn);
break;
case QFileDevice::ReadError:
Error(log,"Can't read file: %s",fn);
break;
case QFileDevice::WriteError:
Error(log,"Can't write file: %s",fn);
break;
case QFileDevice::FatalError:
Error(log,"Fatal error while processing file: %s",fn);
break;
case QFileDevice::ResourceError:
Error(log,"Resource Error while processing file: %s",fn);
break;
case QFileDevice::OpenError:
Error(log,"Can't open file: %s",fn);
break;
case QFileDevice::AbortError:
Error(log,"Abort Error while processing file: %s",fn);
break;
case QFileDevice::TimeOutError:
Error(log,"Timeout Error while processing file: %s",fn);
break;
case QFileDevice::UnspecifiedError:
Error(log,"Unspecified Error while processing file: %s",fn);
break;
case QFileDevice::RemoveError:
Error(log,"Failed to remove file: %s",fn);
break;
case QFileDevice::RenameError:
Error(log,"Failed to rename file: %s",fn);
break;
case QFileDevice::PositionError:
Error(log,"Position Error while processing file: %s",fn);
break;
case QFileDevice::ResizeError:
Error(log,"Resize Error while processing file: %s",fn);
break;
case QFileDevice::PermissionsError:
Error(log,"Permission Error at file: %s",fn);
break;
case QFileDevice::CopyError:
Error(log,"Error during file copy of file: %s",fn);
break;
default:
break;
}
}
};

View File

@ -1,4 +1,3 @@
// project includes // project includes
#include <utils/JsonProcessor.h> #include <utils/JsonProcessor.h>
@ -12,13 +11,11 @@
#include <QResource> #include <QResource>
#include <QDateTime> #include <QDateTime>
#include <QCryptographicHash> #include <QCryptographicHash>
#include <QFile>
#include <QFileInfo>
#include <QJsonDocument>
#include <QDir>
#include <QImage> #include <QImage>
#include <QBuffer> #include <QBuffer>
#include <QByteArray> #include <QByteArray>
#include <QFileInfo>
#include <QDir>
#include <QIODevice> #include <QIODevice>
#include <QDateTime> #include <QDateTime>
@ -32,24 +29,25 @@
#include <leddevice/LedDevice.h> #include <leddevice/LedDevice.h>
#include <hyperion/GrabberWrapper.h> #include <hyperion/GrabberWrapper.h>
#include <utils/Process.h> #include <utils/Process.h>
#include <utils/JsonUtils.h>
using namespace hyperion; using namespace hyperion;
std::map<hyperion::Components, bool> JsonProcessor::_componentsPrevState; std::map<hyperion::Components, bool> JsonProcessor::_componentsPrevState;
JsonProcessor::JsonProcessor(QString peerAddress, bool noListener) JsonProcessor::JsonProcessor(QString peerAddress, Logger* log, bool noListener)
: QObject() : QObject()
, _peerAddress(peerAddress) , _peerAddress(peerAddress)
, _log(Logger::getInstance("JSONRPCPROCESSOR")) , _log(log)
, _hyperion(Hyperion::getInstance()) , _hyperion(Hyperion::getInstance())
, _imageProcessor(ImageProcessorFactory::getInstance().newImageProcessor()) , _imageProcessor(ImageProcessorFactory::getInstance().newImageProcessor())
, _streaming_logging_activated(false) , _streaming_logging_activated(false)
, _image_stream_timeout(0) , _image_stream_timeout(0)
{ {
// notify hyperion about a jsonMessageForward // notify hyperion about a jsonMessageForward
connect(this, &JsonProcessor::forwardJsonMessage, _hyperion, &Hyperion::forwardJsonMessage); connect(this, &JsonProcessor::forwardJsonMessage, _hyperion, &Hyperion::forwardJsonMessage);
// notify hyperion about a push emit // notify hyperion about a push emit TODO: Remove! Make sure that the target of the commands trigger this (less error margin) instead this instance
connect(this, &JsonProcessor::pushReq, _hyperion, &Hyperion::hyperionStateChanged); connect(this, &JsonProcessor::pushReq, _hyperion, &Hyperion::hyperionStateChanged);
if(!noListener) if(!noListener)
{ {
@ -73,77 +71,51 @@ void JsonProcessor::handleMessage(const QString& messageString, const QString pe
if(!peerAddress.isNull()) if(!peerAddress.isNull())
_peerAddress = peerAddress; _peerAddress = peerAddress;
QString errors; const QString ident = "JsonRpc@"+_peerAddress;
Q_INIT_RESOURCE(JSONRPC_schemas);
QJsonObject message;
// parse the message
if(!JsonUtils::parse(ident, messageString, message, _log))
{
sendErrorReply("Errors during message parsing, please consult the Hyperion Log. Data:"+messageString);
return;
}
try // check basic message
{ if(!JsonUtils::validate(ident, message, ":schema", _log))
QJsonParseError error; {
QJsonDocument doc = QJsonDocument::fromJson(messageString.toUtf8(), &error); sendErrorReply("Errors during message validation, please consult the Hyperion Log.");
return;
}
if (error.error != QJsonParseError::NoError) // check specific message
{ const QString command = message["command"].toString();
// report to the user the failure and their locations in the document. if(!JsonUtils::validate(ident, message, QString(":schema-%1").arg(command), _log))
int errorLine(0), errorColumn(0); {
sendErrorReply("Errors during specific message validation, please consult the Hyperion Log");
return;
}
for( int i=0, count=qMin( error.offset,messageString.size()); i<count; ++i ) int tan = message["tan"].toInt();
{ // switch over all possible commands and handle them
++errorColumn; if (command == "color") handleColorCommand (message, command, tan);
if(messageString.at(i) == '\n' ) else if (command == "image") handleImageCommand (message, command, tan);
{ else if (command == "effect") handleEffectCommand (message, command, tan);
errorColumn = 0; else if (command == "create-effect") handleCreateEffectCommand (message, command, tan);
++errorLine; else if (command == "delete-effect") handleDeleteEffectCommand (message, command, tan);
} else if (command == "sysinfo") handleSysInfoCommand (message, command, tan);
} else if (command == "serverinfo") handleServerInfoCommand (message, command, tan);
else if (command == "clear") handleClearCommand (message, command, tan);
std::stringstream sstream; else if (command == "clearall") handleClearallCommand (message, command, tan);
sstream << "Error while parsing json: " << error.errorString().toStdString() << " at Line: " << errorLine << ", Column: " << errorColumn; else if (command == "adjustment") handleAdjustmentCommand (message, command, tan);
sendErrorReply(QString::fromStdString(sstream.str())); else if (command == "sourceselect") handleSourceSelectCommand (message, command, tan);
return; else if (command == "config") handleConfigCommand (message, command, tan);
} else if (command == "componentstate") handleComponentStateCommand(message, command, tan);
else if (command == "ledcolors") handleLedColorsCommand (message, command, tan);
const QJsonObject message = doc.object(); else if (command == "logging") handleLoggingCommand (message, command, tan);
else if (command == "processing") handleProcessingCommand (message, command, tan);
// check basic message else if (command == "videomode") handleVideoModeCommand (message, command, tan);
if (!checkJson(message, ":schema", errors)) else handleNotImplemented ();
{
sendErrorReply("Error while validating json: " + errors);
return;
}
// check specific message
const QString command = message["command"].toString();
if (!checkJson(message, QString(":schema-%1").arg(command), errors))
{
sendErrorReply("Error while validating json: " + errors);
return;
}
int tan = message["tan"].toInt(0);
// switch over all possible commands and handle them
if (command == "color") handleColorCommand (message, command, tan);
else if (command == "image") handleImageCommand (message, command, tan);
else if (command == "effect") handleEffectCommand (message, command, tan);
else if (command == "create-effect") handleCreateEffectCommand (message, command, tan);
else if (command == "delete-effect") handleDeleteEffectCommand (message, command, tan);
else if (command == "sysinfo") handleSysInfoCommand (message, command, tan);
else if (command == "serverinfo") handleServerInfoCommand (message, command, tan);
else if (command == "clear") handleClearCommand (message, command, tan);
else if (command == "clearall") handleClearallCommand (message, command, tan);
else if (command == "adjustment") handleAdjustmentCommand (message, command, tan);
else if (command == "sourceselect") handleSourceSelectCommand (message, command, tan);
else if (command == "config") handleConfigCommand (message, command, tan);
else if (command == "componentstate") handleComponentStateCommand(message, command, tan);
else if (command == "ledcolors") handleLedColorsCommand (message, command, tan);
else if (command == "logging") handleLoggingCommand (message, command, tan);
else if (command == "processing") handleProcessingCommand (message, command, tan);
else if (command == "videomode") handleVideoModeCommand (message, command, tan);
else handleNotImplemented ();
}
catch (std::exception& e)
{
sendErrorReply("Error while processing incoming json message: " + QString(e.what()) + " " + errors );
Warning(_log, "Error while processing incoming json message: %s (%s)", e.what(), errors.toStdString().c_str());
}
} }
void JsonProcessor::handleColorCommand(const QJsonObject& message, const QString& command, const int tan) void JsonProcessor::handleColorCommand(const QJsonObject& message, const QString& command, const int tan)
@ -247,114 +219,105 @@ void JsonProcessor::handleEffectCommand(const QJsonObject& message, const QStrin
void JsonProcessor::handleCreateEffectCommand(const QJsonObject& message, const QString &command, const int tan) void JsonProcessor::handleCreateEffectCommand(const QJsonObject& message, const QString &command, const int tan)
{ {
if(message.size() > 0) if (!message["args"].toObject().isEmpty())
{ {
if (!message["args"].toObject().isEmpty()) QString scriptName;
(message["script"].toString().mid(0, 1) == ":" )
? scriptName = ":/effects//" + message["script"].toString().mid(1)
: scriptName = message["script"].toString();
std::list<EffectSchema> effectsSchemas = _hyperion->getEffectSchemas();
std::list<EffectSchema>::iterator it = std::find_if(effectsSchemas.begin(), effectsSchemas.end(), find_schema(scriptName));
if (it != effectsSchemas.end())
{ {
QString scriptName; if(!JsonUtils::validate("JsonRpc@"+_peerAddress, message["args"].toObject(), it->schemaFile, _log))
(message["script"].toString().mid(0, 1) == ":" )
? scriptName = ":/effects//" + message["script"].toString().mid(1)
: scriptName = message["script"].toString();
std::list<EffectSchema> effectsSchemas = _hyperion->getEffectSchemas();
std::list<EffectSchema>::iterator it = std::find_if(effectsSchemas.begin(), effectsSchemas.end(), find_schema(scriptName));
if (it != effectsSchemas.end())
{ {
QString errors; sendErrorReply("Error during arg validation against schema, please consult the Hyperion Log", command, tan);
return;
}
if (!checkJson(message["args"].toObject(), it->schemaFile, errors)) QJsonObject effectJson;
QJsonArray effectArray;
effectArray = _hyperion->getQJsonConfig()["effects"].toObject()["paths"].toArray();
if (effectArray.size() > 0)
{
if (message["name"].toString().trimmed().isEmpty() || message["name"].toString().trimmed().startsWith("."))
{ {
sendErrorReply("Error while validating json: " + errors, command, tan); sendErrorReply("Can't save new effect. Effect name is empty or begins with a dot.", command, tan);
return; return;
} }
QJsonObject effectJson; effectJson["name"] = message["name"].toString();
QJsonArray effectArray; effectJson["script"] = message["script"].toString();
effectArray = _hyperion->getQJsonConfig()["effects"].toObject()["paths"].toArray(); effectJson["args"] = message["args"].toObject();
if (effectArray.size() > 0) std::list<EffectDefinition> availableEffects = _hyperion->getEffects();
std::list<EffectDefinition>::iterator iter = std::find_if(availableEffects.begin(), availableEffects.end(), find_effect(message["name"].toString()));
QFileInfo newFileName;
if (iter != availableEffects.end())
{ {
if (message["name"].toString().trimmed().isEmpty() || message["name"].toString().trimmed().startsWith(".")) newFileName.setFile(iter->file);
if (newFileName.absoluteFilePath().mid(0, 1) == ":")
{ {
sendErrorReply("Can't save new effect. Effect name is empty or begins with a dot.", command, tan); sendErrorReply("The effect name '" + message["name"].toString() + "' is assigned to an internal effect. Please rename your effekt.", command, tan);
return; return;
} }
effectJson["name"] = message["name"].toString();
effectJson["script"] = message["script"].toString();
effectJson["args"] = message["args"].toObject();
std::list<EffectDefinition> availableEffects = _hyperion->getEffects();
std::list<EffectDefinition>::iterator iter = std::find_if(availableEffects.begin(), availableEffects.end(), find_effect(message["name"].toString()));
QFileInfo newFileName;
if (iter != availableEffects.end())
{
newFileName.setFile(iter->file);
if (newFileName.absoluteFilePath().mid(0, 1) == ":")
{
sendErrorReply("The effect name '" + message["name"].toString() + "' is assigned to an internal effect. Please rename your effekt.", command, tan);
return;
}
} else
{
newFileName.setFile(effectArray[0].toString() + QDir::separator() + message["name"].toString().replace(QString(" "), QString("")) + QString(".json"));
while(newFileName.exists())
{
newFileName.setFile(effectArray[0].toString() + QDir::separator() + newFileName.baseName() + QString::number(qrand() % ((10) - 0) + 0) + QString(".json"));
}
}
QJsonFactory::writeJson(newFileName.absoluteFilePath(), effectJson);
Info(_log, "Reload effect list");
_hyperion->reloadEffects();
sendSuccessReply(command, tan);
} else } else
{ {
sendErrorReply("Can't save new effect. Effect path empty", command, tan); QString f = FileUtils::convertPath(effectArray[0].toString() + "/" + message["name"].toString().replace(QString(" "), QString("")) + QString(".json"));
newFileName.setFile(f);
}
if(!JsonUtils::write(newFileName.absoluteFilePath(), effectJson, _log))
{
sendErrorReply("Error while saving effect, please check the Hyperion Log", command, tan);
return; return;
} }
Info(_log, "Reload effect list");
_hyperion->reloadEffects();
sendSuccessReply(command, tan);
} else } else
sendErrorReply("Missing schema file for Python script " + message["script"].toString(), command, tan); {
sendErrorReply("Can't save new effect. Effect path empty", command, tan);
return;
}
} else } else
sendErrorReply("Missing or empty Object 'args'", command, tan); sendErrorReply("Missing schema file for Python script " + message["script"].toString(), command, tan);
} else } else
sendErrorReply("Error while parsing json: Message size " + QString(message.size()), command, tan); sendErrorReply("Missing or empty Object 'args'", command, tan);
} }
void JsonProcessor::handleDeleteEffectCommand(const QJsonObject& message, const QString& command, const int tan) void JsonProcessor::handleDeleteEffectCommand(const QJsonObject& message, const QString& command, const int tan)
{ {
if(message.size() > 0) QString effectName = message["name"].toString();
{ std::list<EffectDefinition> effectsDefinition = _hyperion->getEffects();
QString effectName = message["name"].toString(); std::list<EffectDefinition>::iterator it = std::find_if(effectsDefinition.begin(), effectsDefinition.end(), find_effect(effectName));
std::list<EffectDefinition> effectsDefinition = _hyperion->getEffects();
std::list<EffectDefinition>::iterator it = std::find_if(effectsDefinition.begin(), effectsDefinition.end(), find_effect(effectName));
if (it != effectsDefinition.end()) if (it != effectsDefinition.end())
{
QFileInfo effectConfigurationFile(it->file);
if (effectConfigurationFile.absoluteFilePath().mid(0, 1) != ":" )
{ {
QFileInfo effectConfigurationFile(it->file); if (effectConfigurationFile.exists())
if (effectConfigurationFile.absoluteFilePath().mid(0, 1) != ":" )
{ {
if (effectConfigurationFile.exists()) bool result = QFile::remove(effectConfigurationFile.absoluteFilePath());
if (result)
{ {
bool result = QFile::remove(effectConfigurationFile.absoluteFilePath()); Info(_log, "Reload effect list");
if (result) _hyperion->reloadEffects();
{ sendSuccessReply(command, tan);
Info(_log, "Reload effect list");
_hyperion->reloadEffects();
sendSuccessReply(command, tan);
} else
sendErrorReply("Can't delete effect configuration file: " + effectConfigurationFile.absoluteFilePath() + ". Please check permissions", command, tan);
} else } else
sendErrorReply("Can't find effect configuration file: " + effectConfigurationFile.absoluteFilePath(), command, tan); sendErrorReply("Can't delete effect configuration file: " + effectConfigurationFile.absoluteFilePath() + ". Please check permissions", command, tan);
} else } else
sendErrorReply("Can't delete internal effect: " + message["name"].toString(), command, tan); sendErrorReply("Can't find effect configuration file: " + effectConfigurationFile.absoluteFilePath(), command, tan);
} else } else
sendErrorReply("Effect " + message["name"].toString() + " not found", command, tan); sendErrorReply("Can't delete internal effect: " + message["name"].toString(), command, tan);
} else } else
sendErrorReply("Error while parsing json: Message size " + QString(message.size()), command, tan); sendErrorReply("Effect " + message["name"].toString() + " not found", command, tan);
} }
void JsonProcessor::handleSysInfoCommand(const QJsonObject&, const QString& command, const int tan) void JsonProcessor::handleSysInfoCommand(const QJsonObject&, const QString& command, const int tan)
@ -889,14 +852,7 @@ void JsonProcessor::handleConfigGetCommand(const QJsonObject& message, const QSt
result["command"] = command; result["command"] = command;
result["tan"] = tan; result["tan"] = tan;
try result["result"] = _hyperion->getQJsonConfig();
{
result["result"] = QJsonFactory::readConfig(_hyperion->getConfigFileName());
}
catch(...)
{
result["result"] = _hyperion->getQJsonConfig();
}
// send the result // send the result
emit callbackMessage(result); emit callbackMessage(result);
@ -1146,62 +1102,6 @@ void JsonProcessor::sendErrorReply(const QString &error, const QString &command,
emit callbackMessage(reply); emit callbackMessage(reply);
} }
bool JsonProcessor::checkJson(const QJsonObject& message, const QString& schemaResource, QString& errorMessage, bool ignoreRequired)
{
// make sure the resources are loaded (they may be left out after static linking)
Q_INIT_RESOURCE(JSONRPC_schemas);
QJsonParseError error;
// read the json schema from the resource
QFile schemaData(schemaResource);
if (!schemaData.open(QIODevice::ReadOnly))
{
errorMessage = "Schema error: " + schemaData.errorString();
return false;
}
// create schema checker
QByteArray schema = schemaData.readAll();
QJsonDocument schemaJson = QJsonDocument::fromJson(schema, &error);
schemaData.close();
if (error.error != QJsonParseError::NoError)
{
// report to the user the failure and their locations in the document.
int errorLine(0), errorColumn(0);
for( int i=0, count=qMin( error.offset,schema.size()); i<count; ++i )
{
++errorColumn;
if(schema.at(i) == '\n' )
{
errorColumn = 0;
++errorLine;
}
}
errorMessage = "Schema error: " + error.errorString() + " at Line: " + QString::number(errorLine) + ", Column: " + QString::number(errorColumn);
return false;
}
QJsonSchemaChecker schemaChecker;
schemaChecker.setSchema(schemaJson.object());
// check the message
if (!schemaChecker.validate(message, ignoreRequired).first)
{
const QStringList & errors = schemaChecker.getMessages();
errorMessage = "{";
foreach (auto & error, errors)
{
errorMessage += error + " ";
}
errorMessage += "}";
return false;
}
return true;
}
void JsonProcessor::streamLedcolorsUpdate() void JsonProcessor::streamLedcolorsUpdate()
{ {

129
libsrc/utils/JsonUtils.cpp Normal file
View File

@ -0,0 +1,129 @@
//project include
#include <utils/JsonUtils.h>
// util includes
#include <utils/jsonschema/QJsonSchemaChecker.h>
//qt includes
#include <QRegularExpression>
#include <QJsonObject>
#include <QJsonParseError>
#include <QDebug>
namespace JsonUtils {
bool readFile(const QString& path, QJsonObject& obj, Logger* log, bool ignError)
{
QString data;
if(!FileUtils::readFile(path, data, log, ignError))
return false;
if(!parse(path, data, obj, log))
return false;
return true;
}
bool readSchema(const QString& path, QJsonObject& obj, Logger* log)
{
QJsonObject schema;
if(!readFile(path, schema, log))
return false;
if(!resolveRefs(schema, obj, log))
return false;
return true;
}
bool parse(const QString& path, const QString& data, QJsonObject& obj, Logger* log)
{
//remove Comments in data
QString cleanData = data;
cleanData.remove(QRegularExpression("([^:]?\\/\\/.*)"));
QJsonParseError error;
QJsonDocument doc = QJsonDocument::fromJson(cleanData.toUtf8(), &error);
if (error.error != QJsonParseError::NoError)
{
// report to the user the failure and their locations in the document.
int errorLine(0), errorColumn(0);
for( int i=0, count=qMin( error.offset,cleanData.size()); i<count; ++i )
{
++errorColumn;
if(data.at(i) == '\n' )
{
errorColumn = 0;
++errorLine;
}
}
Error(log,"Failed to parse json data from %s: Error: %s at Line: %i, Column: %i", QSTRING_CSTR(path), QSTRING_CSTR(error.errorString()), errorLine, errorColumn);
return false;
}
obj = doc.object();
return true;
}
bool validate(const QString& file, const QJsonObject& json, const QString& schemaPath, Logger* log)
{
// get the schema data
QJsonObject schema;
if(!readFile(schemaPath, schema, log))
return false;
QJsonSchemaChecker schemaChecker;
schemaChecker.setSchema(schema);
if (!schemaChecker.validate(json).first)
{
const QStringList & errors = schemaChecker.getMessages();
for (auto & error : errors)
{
Error(log, "While validating schema against json data of '%s':%s", QSTRING_CSTR(file), QSTRING_CSTR(error));
}
return false;
}
return true;
}
bool write(const QString& filename, const QJsonObject& json, Logger* log)
{
QJsonDocument doc;
doc.setObject(json);
QByteArray data = doc.toJson(QJsonDocument::Indented);
if(!FileUtils::writeFile(filename, data, log))
return false;
return true;
}
bool resolveRefs(const QJsonObject& schema, QJsonObject& obj, Logger* log)
{
for (QJsonObject::const_iterator i = schema.begin(); i != schema.end(); ++i)
{
QString attribute = i.key();
const QJsonValue & attributeValue = *i;
if (attribute == "$ref" && attributeValue.isString())
{
if(!readSchema(":/" + attributeValue.toString(), obj, log))
{
Error(log,"Error while getting schema ref: %s",QSTRING_CSTR(QString(":/" + attributeValue.toString())));
return false;
}
}
else if (attributeValue.isObject())
obj.insert(attribute, resolveRefs(attributeValue.toObject(), obj, log));
else
{
qDebug() <<"ADD ATTR:VALUE"<<attribute<<attributeValue;
obj.insert(attribute, attributeValue);
}
}
return true;
}
};

View File

@ -24,7 +24,7 @@ Logger* Logger::getInstance(QString name, Logger::LogLevel minLevel)
{ {
LoggerMap = new std::map<QString,Logger*>; LoggerMap = new std::map<QString,Logger*>;
} }
if ( LoggerMap->find(name) == LoggerMap->end() ) if ( LoggerMap->find(name) == LoggerMap->end() )
{ {
log = new Logger(name,minLevel); log = new Logger(name,minLevel);
@ -44,7 +44,7 @@ void Logger::deleteInstance(QString name)
{ {
if (LoggerMap == nullptr) if (LoggerMap == nullptr)
return; return;
if ( name.isEmpty() ) if ( name.isEmpty() )
{ {
std::map<QString,Logger*>::iterator it; std::map<QString,Logger*>::iterator it;
@ -99,7 +99,7 @@ Logger::Logger ( QString name, LogLevel minLevel )
const char* _appname_char = getprogname(); const char* _appname_char = getprogname();
#endif #endif
_appname = QString(_appname_char).toLower(); _appname = QString(_appname_char).toLower();
loggerCount++; loggerCount++;
@ -111,7 +111,7 @@ Logger::Logger ( QString name, LogLevel minLevel )
Logger::~Logger() Logger::~Logger()
{ {
Debug(this, "logger '%s' destroyed", QSTRING_CSTR(_name) ); //Debug(this, "logger '%s' destroyed", QSTRING_CSTR(_name) );
loggerCount--; loggerCount--;
if ( loggerCount == 0 ) if ( loggerCount == 0 )
closelog(); closelog();

View File

@ -120,7 +120,7 @@ void Stats::resolveReply(QNetworkReply *reply)
bool Stats::trigger(bool set) bool Stats::trigger(bool set)
{ {
QString path = QDir::homePath()+"/.hyperion/misc/"; QString path = _hyperion->getRootPath()+"/misc/";
QDir dir; QDir dir;
QFile file(path + _hyperion->id); QFile file(path + _hyperion->id);

View File

@ -197,6 +197,7 @@ void QJsonSchemaChecker::checkType(const QJsonValue & value, const QJsonValue &
if (_correct == "modify") if (_correct == "modify")
QJsonUtils::modify(_autoCorrected, _currentPath, defaultValue); QJsonUtils::modify(_autoCorrected, _currentPath, defaultValue);
if (_correct == "") if (_correct == "")
setMessage(type + " expected"); setMessage(type + " expected");
} }
@ -222,7 +223,10 @@ void QJsonSchemaChecker::checkProperties(const QJsonObject & value, const QJsonO
_error = true; _error = true;
if (_correct == "create") if (_correct == "create")
{
QJsonUtils::modify(_autoCorrected, _currentPath, QJsonUtils::create(propertyValue, _ignoreRequired), property); QJsonUtils::modify(_autoCorrected, _currentPath, QJsonUtils::create(propertyValue, _ignoreRequired), property);
setMessage("Create property: "+property+" with value: "+propertyValue.toObject().find("default").value().toString());
}
if (_correct == "") if (_correct == "")
setMessage("missing member"); setMessage("missing member");
@ -250,7 +254,10 @@ void QJsonSchemaChecker::checkAdditionalProperties(const QJsonObject & value, co
_error = true; _error = true;
if (_correct == "remove") if (_correct == "remove")
{
QJsonUtils::modify(_autoCorrected, _currentPath); QJsonUtils::modify(_autoCorrected, _currentPath);
setMessage("Removed property: "+property);
}
if (_correct == "") if (_correct == "")
setMessage("no schema definition"); setMessage("no schema definition");
@ -280,9 +287,12 @@ void QJsonSchemaChecker::checkMinimum(const QJsonValue & value, const QJsonValue
_error = true; _error = true;
if (_correct == "modify") if (_correct == "modify")
{
(defaultValue != QJsonValue::Null) ? (defaultValue != QJsonValue::Null) ?
QJsonUtils::modify(_autoCorrected, _currentPath, defaultValue) : QJsonUtils::modify(_autoCorrected, _currentPath, defaultValue) :
QJsonUtils::modify(_autoCorrected, _currentPath, schema); QJsonUtils::modify(_autoCorrected, _currentPath, schema);
setMessage("Correct too small value: "+QString::number(value.toDouble())+" to: "+QString::number(defaultValue.toDouble()));
}
if (_correct == "") if (_correct == "")
setMessage("value is too small (minimum=" + QString::number(schema.toDouble()) + ")"); setMessage("value is too small (minimum=" + QString::number(schema.toDouble()) + ")");
@ -304,9 +314,12 @@ void QJsonSchemaChecker::checkMaximum(const QJsonValue & value, const QJsonValue
_error = true; _error = true;
if (_correct == "modify") if (_correct == "modify")
{
(defaultValue != QJsonValue::Null) ? (defaultValue != QJsonValue::Null) ?
QJsonUtils::modify(_autoCorrected, _currentPath, defaultValue) : QJsonUtils::modify(_autoCorrected, _currentPath, defaultValue) :
QJsonUtils::modify(_autoCorrected, _currentPath, schema); QJsonUtils::modify(_autoCorrected, _currentPath, schema);
setMessage("Correct too large value: "+QString::number(value.toDouble())+" to: "+QString::number(defaultValue.toDouble()));
}
if (_correct == "") if (_correct == "")
setMessage("value is too large (maximum=" + QString::number(schema.toDouble()) + ")"); setMessage("value is too large (maximum=" + QString::number(schema.toDouble()) + ")");
@ -328,10 +341,12 @@ void QJsonSchemaChecker::checkMinLength(const QJsonValue & value, const QJsonVal
_error = true; _error = true;
if (_correct == "modify") if (_correct == "modify")
{
(defaultValue != QJsonValue::Null) ? (defaultValue != QJsonValue::Null) ?
QJsonUtils::modify(_autoCorrected, _currentPath, defaultValue) : QJsonUtils::modify(_autoCorrected, _currentPath, defaultValue) :
QJsonUtils::modify(_autoCorrected, _currentPath, schema); QJsonUtils::modify(_autoCorrected, _currentPath, schema);
setMessage("Correct too short value: "+value.toString()+" to: "+defaultValue.toString());
}
if (_correct == "") if (_correct == "")
setMessage("value is too short (minLength=" + QString::number(schema.toInt()) + ")"); setMessage("value is too short (minLength=" + QString::number(schema.toInt()) + ")");
} }
@ -352,10 +367,12 @@ void QJsonSchemaChecker::checkMaxLength(const QJsonValue & value, const QJsonVal
_error = true; _error = true;
if (_correct == "modify") if (_correct == "modify")
{
(defaultValue != QJsonValue::Null) ? (defaultValue != QJsonValue::Null) ?
QJsonUtils::modify(_autoCorrected, _currentPath, defaultValue) : QJsonUtils::modify(_autoCorrected, _currentPath, defaultValue) :
QJsonUtils::modify(_autoCorrected, _currentPath, schema); QJsonUtils::modify(_autoCorrected, _currentPath, schema);
setMessage("Correct too long value: "+value.toString()+" to: "+defaultValue.toString());
}
if (_correct == "") if (_correct == "")
setMessage("value is too long (maxLength=" + QString::number(schema.toInt()) + ")"); setMessage("value is too long (maxLength=" + QString::number(schema.toInt()) + ")");
} }
@ -375,7 +392,10 @@ void QJsonSchemaChecker::checkItems(const QJsonValue & value, const QJsonObject
if (_correct == "remove") if (_correct == "remove")
if (jArray.isEmpty()) if (jArray.isEmpty())
{
QJsonUtils::modify(_autoCorrected, _currentPath); QJsonUtils::modify(_autoCorrected, _currentPath);
setMessage("Remove empty array");
}
for(int i = 0; i < jArray.size(); ++i) for(int i = 0; i < jArray.size(); ++i)
{ {
@ -402,9 +422,12 @@ void QJsonSchemaChecker::checkMinItems(const QJsonValue & value, const QJsonValu
_error = true; _error = true;
if (_correct == "modify") if (_correct == "modify")
{
(defaultValue != QJsonValue::Null) ? (defaultValue != QJsonValue::Null) ?
QJsonUtils::modify(_autoCorrected, _currentPath, defaultValue) : QJsonUtils::modify(_autoCorrected, _currentPath, defaultValue) :
QJsonUtils::modify(_autoCorrected, _currentPath, schema); QJsonUtils::modify(_autoCorrected, _currentPath, schema);
setMessage("Correct minItems: "+QString::number(jArray.size())+" to: "+QString::number(defaultValue.toArray().size()));
}
if (_correct == "") if (_correct == "")
setMessage("array is too small (minimum=" + QString::number(schema.toInt()) + ")"); setMessage("array is too small (minimum=" + QString::number(schema.toInt()) + ")");
@ -427,9 +450,12 @@ void QJsonSchemaChecker::checkMaxItems(const QJsonValue & value, const QJsonValu
_error = true; _error = true;
if (_correct == "modify") if (_correct == "modify")
{
(defaultValue != QJsonValue::Null) ? (defaultValue != QJsonValue::Null) ?
QJsonUtils::modify(_autoCorrected, _currentPath, defaultValue) : QJsonUtils::modify(_autoCorrected, _currentPath, defaultValue) :
QJsonUtils::modify(_autoCorrected, _currentPath, schema); QJsonUtils::modify(_autoCorrected, _currentPath, schema);
setMessage("Correct maxItems: "+QString::number(jArray.size())+" to: "+QString::number(defaultValue.toArray().size()));
}
if (_correct == "") if (_correct == "")
setMessage("array is too large (maximum=" + QString::number(schema.toInt()) + ")"); setMessage("array is too large (maximum=" + QString::number(schema.toInt()) + ")");
@ -472,11 +498,11 @@ void QJsonSchemaChecker::checkUniqueItems(const QJsonValue & value, const QJsonV
if (removeDuplicates && _correct == "modify") if (removeDuplicates && _correct == "modify")
{ {
QJsonArray uniqueItemsArray; QJsonArray uniqueItemsArray;
for(int i = 0; i < jArray.size(); ++i) for(int i = 0; i < jArray.size(); ++i)
if (!uniqueItemsArray.contains(jArray[i])) if (!uniqueItemsArray.contains(jArray[i]))
uniqueItemsArray.append(jArray[i]); uniqueItemsArray.append(jArray[i]);
QJsonUtils::modify(_autoCorrected, _currentPath, uniqueItemsArray); QJsonUtils::modify(_autoCorrected, _currentPath, uniqueItemsArray);
} }
} }
@ -501,9 +527,12 @@ void QJsonSchemaChecker::checkEnum(const QJsonValue & value, const QJsonValue &
_error = true; _error = true;
if (_correct == "modify") if (_correct == "modify")
{
(defaultValue != QJsonValue::Null) ? (defaultValue != QJsonValue::Null) ?
QJsonUtils::modify(_autoCorrected, _currentPath, defaultValue) : QJsonUtils::modify(_autoCorrected, _currentPath, defaultValue) :
QJsonUtils::modify(_autoCorrected, _currentPath, schema.toArray().first()); QJsonUtils::modify(_autoCorrected, _currentPath, schema.toArray().first());
setMessage("Correct unknown enum value: "+value.toString()+" to: "+defaultValue.toString());
}
if (_correct == "") if (_correct == "")
{ {

View File

@ -72,7 +72,7 @@ void CgiHandler::cmd_runscript()
{ {
QStringList scriptFilePathList(_args); QStringList scriptFilePathList(_args);
scriptFilePathList.removeAt(0); scriptFilePathList.removeAt(0);
QString scriptFilePath = scriptFilePathList.join('/'); QString scriptFilePath = scriptFilePathList.join('/');
// relative path not allowed // relative path not allowed
if (scriptFilePath.indexOf("..") >=0) if (scriptFilePath.indexOf("..") >=0)

View File

@ -60,9 +60,9 @@ void StaticFileServing::onServerStarted (quint16 port)
txtRecord txtRecord
); );
Debug(_log, "Web Config mDNS responder started"); Debug(_log, "Web Config mDNS responder started");
// json-rpc for http // json-rpc for http
_jsonProcessor = new JsonProcessor(QString("HTTP-API"),true); _jsonProcessor = new JsonProcessor(QString("HTTP-API"), _log, true);
} }
void StaticFileServing::onServerStopped () { void StaticFileServing::onServerStopped () {
@ -200,4 +200,3 @@ void StaticFileServing::onRequestNeedsReply (QtHttpRequest * request, QtHttpRepl
printErrorToReply (reply, QtHttpReply::MethodNotAllowed,"Unhandled HTTP/1.1 method " % command); printErrorToReply (reply, QtHttpReply::MethodNotAllowed,"Unhandled HTTP/1.1 method " % command);
} }
} }

View File

@ -24,6 +24,7 @@ add_executable(${PROJECT_NAME}
target_link_libraries(${PROJECT_NAME} target_link_libraries(${PROJECT_NAME}
effectengine effectengine
commandline commandline
hyperion-utils
Qt5::Gui Qt5::Gui
Qt5::Core Qt5::Core
Qt5::Network) Qt5::Network)

View File

@ -14,8 +14,12 @@
// hyperion-remote includes // hyperion-remote includes
#include "JsonConnection.h" #include "JsonConnection.h"
// util includes
#include <utils/JsonUtils.h>
JsonConnection::JsonConnection(const QString & address, bool printJson) JsonConnection::JsonConnection(const QString & address, bool printJson)
: _printJson(printJson) : _printJson(printJson)
, _log(Logger::getInstance("REMOTE"))
, _socket() , _socket()
{ {
QStringList parts = address.split(":"); QStringList parts = address.split(":");
@ -62,7 +66,7 @@ void JsonConnection::setColor(std::vector<QColor> colors, int priority, int dura
rgbValue.append(color.blue()); rgbValue.append(color.blue());
} }
command["color"] = rgbValue; command["color"] = rgbValue;
if (duration > 0) if (duration > 0)
{ {
command["duration"] = duration; command["duration"] = duration;
@ -125,37 +129,20 @@ void JsonConnection::setEffect(const QString &effectName, const QString & effect
command["origin"] = QString("hyperion-remote"); command["origin"] = QString("hyperion-remote");
command["priority"] = priority; command["priority"] = priority;
effect["name"] = effectName; effect["name"] = effectName;
if (effectArgs.size() > 0) if (effectArgs.size() > 0)
{ {
QJsonParseError error; QJsonObject effObj;
QJsonDocument doc = QJsonDocument::fromJson(effectArgs.toUtf8() ,&error); if(!JsonUtils::parse("hyperion-remote-args", effectArgs, effObj, _log))
if (error.error != QJsonParseError::NoError)
{ {
// report to the user the failure and their locations in the document. throw std::runtime_error("Error in effect arguments, abort");
int errorLine(0), errorColumn(0);
for( int i=0, count=qMin( error.offset,effectArgs.size()); i<count; ++i )
{
++errorColumn;
if(effectArgs.at(i) == '\n' )
{
errorColumn = 0;
++errorLine;
}
}
std::stringstream sstream;
sstream << "Error in effect arguments: " << error.errorString().toStdString() << " at Line: " << errorLine << ", Column: " << errorColumn;
throw std::runtime_error(sstream.str());
} }
effect["args"] = doc.object(); effect["args"] = effObj;
} }
command["effect"] = effect; command["effect"] = effect;
if (duration > 0) if (duration > 0)
{ {
command["duration"] = duration; command["duration"] = duration;
@ -177,33 +164,16 @@ void JsonConnection::createEffect(const QString &effectName, const QString &effe
effect["command"] = QString("create-effect"); effect["command"] = QString("create-effect");
effect["name"] = effectName; effect["name"] = effectName;
effect["script"] = effectScript; effect["script"] = effectScript;
if (effectArgs.size() > 0) if (effectArgs.size() > 0)
{ {
QJsonParseError error; QJsonObject effObj;
QJsonDocument doc = QJsonDocument::fromJson(effectArgs.toUtf8() ,&error); if(!JsonUtils::parse("hyperion-remote-args", effectScript, effObj, _log))
if (error.error != QJsonParseError::NoError)
{ {
// report to the user the failure and their locations in the document. throw std::runtime_error("Error in effect arguments, abort");
int errorLine(0), errorColumn(0);
for( int i=0, count=qMin( error.offset,effectArgs.size()); i<count; ++i )
{
++errorColumn;
if(effectArgs.at(i) == '\n' )
{
errorColumn = 0;
++errorLine;
}
}
std::stringstream sstream;
sstream << "Error in effect arguments: " << error.errorString().toStdString() << " at Line: " << errorLine << ", Column: " << errorColumn;
throw std::runtime_error(sstream.str());
} }
effect["args"] = doc.object(); effect["args"] = effObj;
} }
// send command message // send command message
@ -221,7 +191,7 @@ void JsonConnection::deleteEffect(const QString &effectName)
QJsonObject effect; QJsonObject effect;
effect["command"] = QString("delete-effect"); effect["command"] = QString("delete-effect");
effect["name"] = effectName; effect["name"] = effectName;
// send command message // send command message
QJsonObject reply = sendMessage(effect); QJsonObject reply = sendMessage(effect);
@ -380,7 +350,7 @@ QString JsonConnection::getConfig(std::string type)
{ {
throw std::runtime_error("No configuration file available in result"); throw std::runtime_error("No configuration file available in result");
} }
QJsonDocument doc(reply["result"].toObject()); QJsonDocument doc(reply["result"].toObject());
QString result(doc.toJson(QJsonDocument::Indented)); QString result(doc.toJson(QJsonDocument::Indented));
return result; return result;
@ -395,36 +365,22 @@ void JsonConnection::setConfig(const QString &jsonString)
QJsonObject command; QJsonObject command;
command["command"] = QString("config"); command["command"] = QString("config");
command["subcommand"] = QString("setconfig"); command["subcommand"] = QString("setconfig");
if (jsonString.size() > 0) if (jsonString.size() > 0)
{ {
QJsonParseError error; QJsonObject configObj;
QJsonDocument doc = QJsonDocument::fromJson(jsonString.toUtf8() ,&error); if(!JsonUtils::parse("hyperion-remote-args", jsonString, configObj, _log))
if (error.error != QJsonParseError::NoError)
{ {
// report to the user the failure and their locations in the document. throw std::runtime_error("Error in configset arguments, abort");
int errorLine(0), errorColumn(0);
for( int i=0, count=qMin( error.offset,jsonString.size()); i<count; ++i )
{
++errorColumn;
if(jsonString.at(i) == '\n' )
{
errorColumn = 0;
++errorLine;
}
}
std::stringstream sstream;
sstream << "Error in configset arguments: " << error.errorString().toStdString() << " at Line: " << errorLine << ", Column: " << errorColumn;
throw std::runtime_error(sstream.str());
} }
command["config"] = doc.object(); command["config"] = configObj;
} }
// send command message // send command message
QJsonObject reply = sendMessage(command); QJsonObject reply = sendMessage(command);
@ -460,7 +416,7 @@ void JsonConnection::setAdjustment(
{ {
adjust["id"] = adjustmentId; adjust["id"] = adjustmentId;
} }
if (redAdjustment.isValid()) if (redAdjustment.isValid())
{ {
QJsonArray red; QJsonArray red;

View File

@ -6,6 +6,9 @@
#include <QTcpSocket> #include <QTcpSocket>
#include <QJsonObject> #include <QJsonObject>
//forward class decl
class Logger;
/// ///
/// Connection class to setup an connection to the hyperion server and execute commands /// Connection class to setup an connection to the hyperion server and execute commands
/// ///
@ -61,7 +64,7 @@ public:
/// @param effectArgs The arguments of the effect /// @param effectArgs The arguments of the effect
/// ///
void createEffect(const QString &effectName, const QString &effectScript, const QString & effectArgs); void createEffect(const QString &effectName, const QString &effectScript, const QString & effectArgs);
/// ///
/// Delete a effect configuration file (.json) /// Delete a effect configuration file (.json)
/// ///
@ -116,7 +119,7 @@ public:
void setSourceAutoSelect(); void setSourceAutoSelect();
/// ///
/// Print the current loaded Hyperion configuration file /// Print the current loaded Hyperion configuration file
/// ///
QString getConfig(std::string type); QString getConfig(std::string type);
@ -188,10 +191,13 @@ private:
/// ///
bool parseReply(const QJsonObject & reply); bool parseReply(const QJsonObject & reply);
private:
/// Flag for printing all send and received json-messages to the standard out /// Flag for printing all send and received json-messages to the standard out
bool _printJson; bool _printJson;
// Logger class
Logger* _log;
/// The TCP-Socket with the connection to the server /// The TCP-Socket with the connection to the server
QTcpSocket _socket; QTcpSocket _socket;
}; };

View File

@ -20,6 +20,7 @@
#include <utils/jsonschema/QJsonFactory.h> #include <utils/jsonschema/QJsonFactory.h>
#include <utils/Components.h> #include <utils/Components.h>
#include <utils/JsonUtils.h>
#include <hyperion/Hyperion.h> #include <hyperion/Hyperion.h>
#include <hyperion/PriorityMuxer.h> #include <hyperion/PriorityMuxer.h>
@ -33,7 +34,9 @@
#include "hyperiond.h" #include "hyperiond.h"
HyperionDaemon::HyperionDaemon(QString configFile, QObject *parent) #include <QDebug>
HyperionDaemon::HyperionDaemon(QString configFile, const QString rootPath, QObject *parent)
: QObject(parent) : QObject(parent)
, _log(Logger::getInstance("MAIN")) , _log(Logger::getInstance("MAIN"))
, _kodiVideoChecker(nullptr) , _kodiVideoChecker(nullptr)
@ -73,7 +76,7 @@ HyperionDaemon::HyperionDaemon(QString configFile, QObject *parent)
WarningIf(_qconfig.contains("logger"), Logger::getInstance("LOGGER"), "Logger settings overridden by command line argument"); WarningIf(_qconfig.contains("logger"), Logger::getInstance("LOGGER"), "Logger settings overridden by command line argument");
} }
_hyperion = Hyperion::initInstance(_qconfig, configFile); _hyperion = Hyperion::initInstance(_qconfig, configFile, rootPath);
Info(_log, "Hyperion initialized"); Info(_log, "Hyperion initialized");
} }
@ -145,11 +148,12 @@ void HyperionDaemon::loadConfig(const QString & configFile)
Q_INIT_RESOURCE(resource); Q_INIT_RESOURCE(resource);
// read the json schema from the resource // read the json schema from the resource
QString schemaFile = ":/hyperion-schema"; QString schemaFile = ":/hyperion-schema";
QJsonObject schemaJson; QJsonObject schemaJson;
try try
{ {
//QJsonObject obj;
//JsonUtils::readSchema(schemaFile, obj, _log);
schemaJson = QJsonFactory::readSchema(schemaFile); schemaJson = QJsonFactory::readSchema(schemaFile);
} }
catch(const std::runtime_error& error) catch(const std::runtime_error& error)
@ -160,25 +164,31 @@ void HyperionDaemon::loadConfig(const QString & configFile)
QJsonSchemaChecker schemaChecker; QJsonSchemaChecker schemaChecker;
schemaChecker.setSchema(schemaJson); schemaChecker.setSchema(schemaJson);
_qconfig = QJsonFactory::readConfig(configFile); if(!JsonUtils::readFile(configFile, _qconfig, _log))
throw std::runtime_error("Failed to load config!");
// validate config with schema and correct it if required
QPair<bool, bool> validate = schemaChecker.validate(_qconfig); QPair<bool, bool> validate = schemaChecker.validate(_qconfig);
if (!validate.first && validate.second) // errors in schema syntax, abort
if (!validate.second)
{ {
Warning(_log,"Errors have been found in the configuration file. Automatic correction is applied"); foreach (auto & schemaError, schemaChecker.getMessages())
Error(_log, "Schema Syntax Error: %s", QSTRING_CSTR(schemaError));
throw std::runtime_error("ERROR: Hyperion schema has errors!");
}
// errors in configuration, correct it!
if (!validate.first)
{
Warning(_log,"Errors have been found in the configuration file. Automatic correction has been applied");
_qconfig = schemaChecker.getAutoCorrectedConfig(_qconfig); _qconfig = schemaChecker.getAutoCorrectedConfig(_qconfig);
if (!QJsonFactory::writeJson(configFile, _qconfig)) foreach (auto & schemaError, schemaChecker.getMessages())
throw std::runtime_error("ERROR: can not save configuration file, aborting "); Warning(_log, "Config Fix: %s", QSTRING_CSTR(schemaError));
}
else if (validate.first && !validate.second) //Error in Schema
{
QStringList schemaErrors = schemaChecker.getMessages();
foreach (auto & schemaError, schemaErrors)
std::cout << schemaError.toStdString() << std::endl;
throw std::runtime_error("ERROR: Json validation failed"); if (!JsonUtils::write(configFile, _qconfig, _log))
throw std::runtime_error("ERROR: Can't save configuration file, aborting");
} }
} }
@ -409,7 +419,7 @@ void HyperionDaemon::createSystemFrameGrabber()
#else #else
QString type = grabberConfig["type"].toString("auto"); QString type = grabberConfig["type"].toString("auto");
#endif #endif
// auto eval of type // auto eval of type
if ( type == "auto" ) if ( type == "auto" )
{ {

View File

@ -58,7 +58,7 @@ class HyperionDaemon : public QObject
friend SysTray; friend SysTray;
public: public:
HyperionDaemon(QString configFile, QObject *parent=nullptr); HyperionDaemon(QString configFile, QString rootPath, QObject *parent=nullptr);
~HyperionDaemon(); ~HyperionDaemon();
void loadConfig(const QString & configFile); void loadConfig(const QString & configFile);
@ -95,11 +95,11 @@ private:
X11Wrapper* _x11Grabber; X11Wrapper* _x11Grabber;
#endif #endif
AmlogicWrapper* _amlGrabber; AmlogicWrapper* _amlGrabber;
FramebufferWrapper* _fbGrabber; FramebufferWrapper* _fbGrabber;
OsxWrapper* _osxGrabber; OsxWrapper* _osxGrabber;
Hyperion* _hyperion; Hyperion* _hyperion;
Stats* _stats; Stats* _stats;
unsigned _grabber_width; unsigned _grabber_width;
unsigned _grabber_height; unsigned _grabber_height;
unsigned _grabber_frequency; unsigned _grabber_frequency;

View File

@ -92,7 +92,7 @@ QCoreApplication* createApplication(int &argc, char *argv[])
// if x11, then test if xserver is available // if x11, then test if xserver is available
#ifdef ENABLE_X11 #ifdef ENABLE_X11
Display* dpy = XOpenDisplay(NULL); Display* dpy = XOpenDisplay(NULL);
if (dpy != NULL) if (dpy != NULL)
{ {
XCloseDisplay(dpy); XCloseDisplay(dpy);
isGuiApp = true; isGuiApp = true;
@ -140,6 +140,7 @@ int main(int argc, char** argv)
parser.addHelpOption(); parser.addHelpOption();
BooleanOption & versionOption = parser.add<BooleanOption>(0x0, "version", "Show version information"); BooleanOption & versionOption = parser.add<BooleanOption>(0x0, "version", "Show version information");
Option & rootPathOption = parser.add<Option> (0x0, "rootPath", "Overwrite root path for all hyperion user files, defaults to home directory of current user");
IntOption & parentOption = parser.add<IntOption> ('p', "parent", "pid of parent hyperiond"); // 2^22 is the max for Linux IntOption & parentOption = parser.add<IntOption> ('p', "parent", "pid of parent hyperiond"); // 2^22 is the max for Linux
BooleanOption & silentOption = parser.add<BooleanOption>('s', "silent", "do not print any outputs"); BooleanOption & silentOption = parser.add<BooleanOption>('s', "silent", "do not print any outputs");
BooleanOption & verboseOption = parser.add<BooleanOption>('v', "verbose", "Increase verbosity"); BooleanOption & verboseOption = parser.add<BooleanOption>('v', "verbose", "Increase verbosity");
@ -207,7 +208,7 @@ int main(int argc, char** argv)
{ {
QFile::remove(destFileName); QFile::remove(destFileName);
} }
std::cout << "Extract: " << filename.toStdString() << " ... "; std::cout << "Extract: " << filename.toStdString() << " ... ";
if (QFile::copy(QString(":/effects/")+filename, destFileName)) if (QFile::copy(QString(":/effects/")+filename, destFileName))
{ {
@ -227,21 +228,48 @@ int main(int argc, char** argv)
return 1; return 1;
} }
// handle default config file // handle rootPath for user data, default path is home directory + /.hyperion
if (configFiles.size() == 0) QString rootPath = QDir::homePath() + "/.hyperion";
if (parser.isSet(rootPathOption))
{ {
QString hyperiond_path = QDir::homePath(); QDir rDir(rootPathOption.value(parser));
QString hyperiond_config = hyperiond_path+"/.hyperion.config.json"; if(!rDir.mkpath(rootPathOption.value(parser)))
QFileInfo hyperiond_pathinfo(hyperiond_path);
if ( ! hyperiond_pathinfo.isWritable() && ! QFile::exists(hyperiond_config) )
{ {
QFileInfo hyperiond_fileinfo(argv[0]); Error(log, "Can't create root path '%s', falling back to home directory", QSTRING_CSTR(rDir.absolutePath()));
hyperiond_config = hyperiond_fileinfo.absolutePath()+"/hyperion.config.json";
} }
else
{
rootPath = rDir.absolutePath();
}
}
// create /.hyperion folder for default path, check if the directory is read/writeable
// Note: No further checks inside Hyperion. FileUtils::writeFile() will resolve permission errors and others that occur during runtime
QDir mDir(rootPath);
QFileInfo mFi(rootPath);
if(!mDir.mkpath(rootPath) || !mFi.isWritable() || !mDir.isReadable())
{
throw std::runtime_error("The specified root path can't be created or isn't read/writeable. Please setup the permissions correctly!");
}
configFiles.append(hyperiond_config); // determine name of config file, defaults to hyperion_main.json
Info(log, "No config file given. Standard config file used: %s", QSTRING_CSTR(configFiles[0])); // create config folder
QString cPath(rootPath+"/config");
QDir().mkpath(rootPath+"/config");
if (configFiles.size() > 0)
{
// use argument config file
// check if file has a path and ends with .json
if(configFiles[0].contains("/"))
throw std::runtime_error("Don't provide a path to config file, just a config name is allowed!");
if(!configFiles[0].endsWith(".json"))
configFiles[0].append(".json");
configFiles.prepend(cPath+"/"+configFiles[0]);
}
else
{
// use default config file
configFiles.append(cPath+"/hyperion_main.json");
} }
bool exportDefaultConfig = false; bool exportDefaultConfig = false;
@ -257,7 +285,7 @@ int main(int argc, char** argv)
{ {
exportDefaultConfig = true; exportDefaultConfig = true;
exportConfigFileTarget = configFiles[0]; exportConfigFileTarget = configFiles[0];
Warning(log, "Your configuration file does not exist. hyperion writes default config"); Warning(log, "Create new config file (%s)",QSTRING_CSTR(configFiles[0]));
} }
if (exportDefaultConfig) if (exportDefaultConfig)
@ -277,11 +305,6 @@ int main(int argc, char** argv)
} }
} }
if (configFiles.size() > 1)
{
Warning(log, "You provided more than one config file. Hyperion will use only the first one");
}
int parentPid = parser.value(parentOption).toInt(); int parentPid = parser.value(parentOption).toInt();
if (parentPid > 0 ) if (parentPid > 0 )
{ {
@ -295,7 +318,7 @@ int main(int argc, char** argv)
HyperionDaemon* hyperiond = nullptr; HyperionDaemon* hyperiond = nullptr;
try try
{ {
hyperiond = new HyperionDaemon(configFiles[0], qApp); hyperiond = new HyperionDaemon(configFiles[0], rootPath, qApp);
hyperiond->run(); hyperiond->run();
} }
catch (std::exception& e) catch (std::exception& e)