gui works

This commit is contained in:
Dhanya Maliakal 2017-02-28 13:42:56 +01:00
parent 3aac30b8ee
commit 447c5bb8fe
10 changed files with 254 additions and 95 deletions

View File

@ -84,11 +84,6 @@ class DataStreamer : private virtual slsReceiverDefs, public ThreadObject {
*/ */
void ResetParametersforNewMeasurement(); void ResetParametersforNewMeasurement();
/**
* Create Part1 of Json Header which includes common attributes in an acquisition
*/
void CreateHeaderPart1();
/** /**
* Set GeneralData pointer to the one given * Set GeneralData pointer to the one given
* @param g address of GeneralData (Detector Data) pointer * @param g address of GeneralData (Detector Data) pointer
@ -129,6 +124,11 @@ class DataStreamer : private virtual slsReceiverDefs, public ThreadObject {
*/ */
bool IsRunning(); bool IsRunning();
/**
* Create Part1 of Json Header which includes common attributes in an acquisition
*/
void CreateHeaderPart1();
/** /**
* Record First Indices (firstAcquisitionIndex, firstMeasurementIndex) * Record First Indices (firstAcquisitionIndex, firstMeasurementIndex)
* @param fnum frame index to record * @param fnum frame index to record
@ -172,9 +172,10 @@ class DataStreamer : private virtual slsReceiverDefs, public ThreadObject {
/** /**
* Create and send Json Header * Create and send Json Header
* @param fnum frame number * @param fnum frame number
* @param dummy true if its a dummy header
* @returns 0 if error, else 1 * @returns 0 if error, else 1
*/ */
int SendHeader(uint64_t fnum); int SendHeader(uint64_t fnum, bool dummy = false);
/** type of thread */ /** type of thread */
static const std::string TypeName; static const std::string TypeName;

View File

@ -10,10 +10,15 @@
#include "ansi.h" #include "ansi.h"
#include <zmq.h> #include <zmq.h>
#include <rapidjson/document.h> //json header in zmq stream
#include <errno.h> #include <errno.h>
#include <netdb.h> //gethostbyname()
#include <arpa/inet.h> //inet_ntoa
#include <rapidjson/document.h> //json header in zmq stream
using namespace rapidjson;
#define DEFAULT_ZMQ_PORTNO 70001 #define DEFAULT_ZMQ_PORTNO 70001
#define DUMMY_MSG_SIZE 3
#define DUMMY_MSG "end"
class ZmqSocket { class ZmqSocket {
@ -33,20 +38,25 @@ public:
* @param hostname hostname or ip of server * @param hostname hostname or ip of server
* @param portnumber port number * @param portnumber port number
*/ */
ZmqSocket (const char* const hostname, const uint32_t portnumber): ZmqSocket (const char* const hostname_or_ip, const uint32_t portnumber):
portno (portnumber), portno (portnumber),
server (false), server (false),
contextDescriptor (NULL), contextDescriptor (NULL),
socketDescriptor (NULL) socketDescriptor (NULL)
{ {
char ip[MAX_STR_LENGTH] = "";
strcpy(ip, hostname_or_ip);
// construct address // construct address
if (strchr (hostname, '.') != NULL) { if (strchr (hostname_or_ip, '.') != NULL) {
// convert hostname to ip // convert hostname to ip
hostname = ConvertHostnameToIp (hostname); char* ptr = ConvertHostnameToIp (hostname_or_ip);
if (hostname == NULL) if (ptr == NULL)
return; return;
strcpy(ip, ptr);
delete ptr;
} }
sprintf (serverAddress, "tcp://%s:%d", hostname, portno); sprintf (serverAddress, "tcp://%s:%d", ip, portno);
// create context // create context
contextDescriptor = zmq_ctx_new(); contextDescriptor = zmq_ctx_new();
@ -63,7 +73,7 @@ public:
//Socket Options provided above //Socket Options provided above
//connect socket //connect socket
if (zmq_connect(socketDescriptor, serverAddress)) { if (zmq_connect(socketDescriptor, serverAddress) < 0) {
PrintError (); PrintError ();
Close (); Close ();
} }
@ -97,7 +107,7 @@ public:
// construct address // construct address
sprintf (serverAddress,"tcp://*:%d", portno); sprintf (serverAddress,"tcp://*:%d", portno);
// bind address // bind address
if (zmq_bind (socketDescriptor, serverAddress)) { if (zmq_bind (socketDescriptor, serverAddress) < 0) {
PrintError (); PrintError ();
Close (); Close ();
} }
@ -113,9 +123,9 @@ public:
/** /**
* Returns error status * Returns error status
* @returns 1 if error else 0 * @returns true if error else false
*/ */
int GetErrorStatus() { if (socketDescriptor == NULL) return 1; return 0; }; bool IsError() { if (socketDescriptor == NULL) return true; return false; };
/** /**
* Returns Server Address * Returns Server Address
@ -134,7 +144,7 @@ public:
* @reutns Socket descriptor * @reutns Socket descriptor
*/ */
int GetsocketDescriptor () { return socketDescriptor; }; void* GetsocketDescriptor () { return socketDescriptor; };
/** /**
* Unbinds the Socket * Unbinds the Socket
@ -179,40 +189,153 @@ public:
* @returns 0 if error, else 1 * @returns 0 if error, else 1
*/ */
int SendHeaderData (char* buf, int length) { int SendHeaderData (char* buf, int length) {
if(!zmq_send (socketDescriptor, buf, length, ZMQ_SNDMORE)) if(zmq_send (socketDescriptor, buf, length, ZMQ_SNDMORE) < 0) {
return 1; PrintError ();
PrintError(); return 0;
return 0; }
return 1;
}; };
/** /**
* Send Message Body * Send Message Body
* @returns 0 if error, else 1 * @returns 0 if error, else 1
*/ */
int SendDataOnly (char* buf, int length) { int SendData (char* buf, int length) {
if(!zmq_send (socketDescriptor, buf, length, 0)) if(zmq_send (socketDescriptor, buf, length, 0) < 0) {
return 1; PrintError ();
PrintError (); return 0;
return 0; }
return 1;
}; };
/** /**
* Receive Message (header/data) * Receive Message
* @param index self index for debugging * @param index self index for debugging
* @returns length of message, -1 if error * @returns length of message, -1 if error
*/ */
int ReceiveData(int index, zmq_msg_t& message) { int ReceiveMessage(const int index) {
// scan header
zmq_msg_init (&message);
int length = zmq_msg_recv (&message, socketDescriptor, 0); int length = zmq_msg_recv (&message, socketDescriptor, 0);
if (length == -1) { if (length == -1) {
PrintError (); PrintError ();
cprintf (BG_RED,"Error: Could not read header for socket %d\n",index); cprintf (BG_RED,"Error: Could not read header for socket %d\n",index);
zmq_msg_close (&message);
} }
return length; return length;
}; };
/**
* Receive Header
* @param index self index for debugging
* @param acqIndex address of acquisition index
* @param frameIndex address of frame index
* @param subframeIndex address of subframe index
* @param filename address of file name
* @returns 0 if error, else 1
*/
int ReceiveHeader(const int index, uint64_t &acqIndex,
uint64_t &frameIndex, uint64_t &subframeIndex, string &filename)
{
zmq_msg_init (&message);
if (ReceiveMessage(index) > 0) {
if (ParseHeader(index, acqIndex, frameIndex, subframeIndex, filename)) {
zmq_msg_close(&message);
#ifdef VERBOSE
cprintf(BLUE,"%d header rxd\n",index);
#endif
return 1;
}
}
zmq_msg_close(&message);
return 0;
};
/**
* Receive Data
* @param index self index for debugging
* @param buf buffer to copy image data to
* @param size size of image
* @returns 0 if error, else 1
*/
int ReceiveData(const int index, int* buf, const int size)
{
zmq_msg_init (&message);
int length = ReceiveMessage(index);
//dummy
if (length == DUMMY_MSG_SIZE) {
#ifdef VERBOSE
cprintf(RED,"%d Received end of acquisition\n", index);
#endif
zmq_msg_close(&message);
return 0;
}
//actual data
if (length == size) {
#ifdef VERBOSE
cprintf(BLUE,"%d actual data\n", index);
#endif
memcpy((char*)buf, (char*)zmq_msg_data(&message), size);
}
//incorrect size
else {
cprintf(RED,"Error: Received weird packet size %d for socket %d\n", length, index);
memset((char*)buf,0xFF,size);
}
zmq_msg_close(&message);
return 1;
};
/**
* Parse Header
* @param index self index for debugging
* @param acqIndex address of acquisition index
* @param frameIndex address of frame index
* @param subframeIndex address of subframe index
* @param filename address of file name
*/
int ParseHeader(const int index, uint64_t &acqIndex,
uint64_t &frameIndex, uint64_t &subframeIndex, string &filename)
{
Document d;
if (d.Parse( (char*)zmq_msg_data(&message), zmq_msg_size(&message)).HasParseError()) {
cprintf (RED,"Error: Could not parse header for socket %d\n",index);
return 0;
}
#ifdef VERYVERBOSE
// htype is an array of strings
rapidjson::Value::Array htype = d["htype"].GetArray();
for (int i = 0; i < htype.Size(); i++)
printf("%d: htype: %s\n", index, htype[i].GetString());
// shape is an array of ints
rapidjson::Value::Array shape = d["shape"].GetArray();
printf("%d: shape: ", index);
for (int i = 0; i < shape.Size(); i++)
printf("%d: %d ", index, shape[i].GetInt());
printf("\n");
printf("%d: type: %s\n", index, d["type"].GetString());
#endif
if(d["acqIndex"].GetInt()!=-1){
acqIndex = d["acqIndex"].GetInt();
frameIndex = d["fIndex"].GetInt();
subframeIndex = d["subfnum"].GetInt();
filename = d["fname"].GetString();
#ifdef VERYVERBOSE
cout << "Acquisition index: " << acqIndex << endl;
cout << "Frame index: " << frameIndex << endl;
cout << "Subframe index: " << subframeIndex << endl;
cout << "File name: " << filename << endl;
#endif
}
return 1;
};
/** /**
* Print error * Print error
*/ */
@ -285,4 +408,7 @@ private:
/** Server Address */ /** Server Address */
char serverAddress[1000]; char serverAddress[1000];
/** Zmq Message */
zmq_msg_t message;
}; };

View File

@ -71,7 +71,7 @@ using namespace std;
#define DEFAULT_BACKLOG 5 #define DEFAULT_BACKLOG 5
#define DEFAULT_UDP_PORTNO 50001 #define DEFAULT_UDP_PORTNO 50001
#define DEFAULT_GUI_PORTNO 65000 #define DEFAULT_GUI_PORTNO 65000
//#define DEFAULT_ZMQ_PORTNO 70001 #define DEFAULT_ZMQ_PORTNO 70001
class genericSocket{ class genericSocket{

View File

@ -284,7 +284,9 @@ void DataProcessor::StopProcessing(char* buf) {
file->CloseCurrentFile(); file->CloseCurrentFile();
StopRunning(); StopRunning();
cprintf(BLUE,"%d: Processing Completed\n", index); #ifdef VERBOSE
printf("%d: Processing Completed\n", index);
#endif
} }

View File

@ -27,7 +27,7 @@ const char* DataStreamer::jsonHeaderFormat_part1 =
"{" "{"
"\"htype\":[\"chunk-1.0\"], " "\"htype\":[\"chunk-1.0\"], "
"\"type\":\"%s\", " "\"type\":\"%s\", "
"\"shape\":%s, "; "\"shape\":[%d, %d], ";
const char* DataStreamer::jsonHeaderFormat = const char* DataStreamer::jsonHeaderFormat =
"%s" "%s"
@ -52,7 +52,6 @@ DataStreamer::DataStreamer(Fifo*& f, uint32_t* dr, uint32_t* freq, uint32_t* tim
firstAcquisitionIndex(0), firstAcquisitionIndex(0),
firstMeasurementIndex(0) firstMeasurementIndex(0)
{ {
memset(timerBegin, 0xFF, sizeof(timespec));
if(ThreadObject::CreateThread()){ if(ThreadObject::CreateThread()){
pthread_mutex_lock(&Mutex); pthread_mutex_lock(&Mutex);
ErrorMask ^= (1<<index); ErrorMask ^= (1<<index);
@ -62,11 +61,14 @@ DataStreamer::DataStreamer(Fifo*& f, uint32_t* dr, uint32_t* freq, uint32_t* tim
NumberofDataStreamers++; NumberofDataStreamers++;
FILE_LOG (logDEBUG) << "Number of DataStreamers: " << NumberofDataStreamers; FILE_LOG (logDEBUG) << "Number of DataStreamers: " << NumberofDataStreamers;
memset((void*)&timerBegin, 0, sizeof(timespec));
currentHeader = new char[255];
} }
DataStreamer::~DataStreamer() { DataStreamer::~DataStreamer() {
CloseZmqSocket(); CloseZmqSocket();
delete currentHeader;
ThreadObject::DestroyThread(); ThreadObject::DestroyThread();
NumberofDataStreamers--; NumberofDataStreamers--;
} }
@ -128,7 +130,7 @@ void DataStreamer::ResetParametersforNewMeasurement(){
void DataStreamer::CreateHeaderPart1() { void DataStreamer::CreateHeaderPart1() {
char *type; char type[10] = "";
switch (*dynamicRange) { switch (*dynamicRange) {
case 4: strcpy(type, "uint8"); break; case 4: strcpy(type, "uint8"); break;
case 8: strcpy(type, "uint8"); break; case 8: strcpy(type, "uint8"); break;
@ -136,14 +138,15 @@ void DataStreamer::CreateHeaderPart1() {
case 32: strcpy(type, "uint32"); break; case 32: strcpy(type, "uint32"); break;
default: default:
strcpy(type, "unknown"); strcpy(type, "unknown");
cprintf(RED," Unknown datatype in json format\n"); cprintf(RED," Unknown datatype in json format %d\n", *dynamicRange);
break; break;
} }
char *shape= "[%d, %d]"; sprintf(currentHeader, jsonHeaderFormat_part1,
sprintf(shape, shape, generalData->nPixelsX, generalData->nPixelsY); type, generalData->nPixelsX, generalData->nPixelsY);
#ifdef VERBOSE
sprintf(currentHeader, jsonHeaderFormat_part1, type, shape); cprintf(BLUE, "%d currentheader: %s\n", index, currentHeader);
#endif
} }
@ -182,14 +185,13 @@ int DataStreamer::SetThreadPriority(int priority) {
int DataStreamer::CreateZmqSockets(int* dindex, int* nunits) { int DataStreamer::CreateZmqSockets(int* dindex, int* nunits) {
uint32_t portnum = DEFAULT_ZMQ_PORTNO + ((*dindex) * (*nunits) + index); uint32_t portnum = DEFAULT_ZMQ_PORTNO + ((*dindex) * (*nunits) + index);
printf("%d Streamer: Port number: %d\n", index, portnum);
zmqSocket = new ZmqSocket(portnum); zmqSocket = new ZmqSocket(portnum);
if (zmqSocket->GetErrorStatus()) { if (zmqSocket->IsError()) {
cprintf(RED, "Error: Could not create Zmq socket on port %d for Streamer %d\n", portnum, index); cprintf(RED, "Error: Could not create Zmq socket on port %d for Streamer %d\n", portnum, index);
return FAIL; return FAIL;
} }
printf("%d Streamer: Zmq Server started at %s\n",zmqSocket->GetZmqServerAddress()); printf("%d Streamer: Zmq Server started at %s\n",index, zmqSocket->GetZmqServerAddress());
return OK; return OK;
} }
@ -226,9 +228,19 @@ void DataStreamer::ThreadExecution() {
void DataStreamer::StopProcessing(char* buf) { void DataStreamer::StopProcessing(char* buf) {
//send dummy header and data
if (!SendHeader(0, true))
cprintf(RED,"Error: Could not send zmq dummy header for streamer %d\n", index);
if (!zmqSocket->SendData(DUMMY_MSG, DUMMY_MSG_SIZE))
cprintf(RED,"Error: Could not send zmq dummy message for streamer %d\n", index);
fifo->FreeAddress(buf); fifo->FreeAddress(buf);
StopRunning(); StopRunning();
cprintf(MAGENTA,"%d: Streaming Completed\n", index); #ifdef VERBOSE
printf("%d: Streaming Completed\n", index);
#endif
} }
@ -258,14 +270,17 @@ void DataStreamer::ProcessAnImage(char* buf) {
return; return;
} }
if(!SendHeader(fnum)) if (!SendHeader(fnum))
cprintf(RED,"Error: Could not send zmq header for fnum %lld and streamer %d\n", cprintf(RED,"Error: Could not send zmq header for fnum %lld and streamer %d\n",
(long long int) fnum, index); (long long int) fnum, index);
if (!zmqSocket->SendData(buf + FILE_FRAME_HEADER_SIZE, generalData->imageSize))
Send Datat(); cprintf(RED,"Error: Could not send zmq data for fnum %lld and streamer %d\n",
(long long int) fnum, index);
} }
bool DataStreamer::CheckTimer() { bool DataStreamer::CheckTimer() {
struct timespec end; struct timespec end;
clock_gettime(CLOCK_REALTIME, &end); clock_gettime(CLOCK_REALTIME, &end);
@ -273,7 +288,7 @@ bool DataStreamer::CheckTimer() {
cprintf(BLUE,"%d Timer elapsed time:%f seconds\n", index, ( end.tv_sec - timerBegin.tv_sec ) + ( end.tv_nsec - timerBegin.tv_nsec ) / 1000000000.0); cprintf(BLUE,"%d Timer elapsed time:%f seconds\n", index, ( end.tv_sec - timerBegin.tv_sec ) + ( end.tv_nsec - timerBegin.tv_nsec ) / 1000000000.0);
#endif #endif
//still less than streaming timer, keep waiting //still less than streaming timer, keep waiting
if((( end.tv_sec - timerBegin.tv_sec ) + ( end.tv_nsec - timerBegin.tv_nsec ) / 1000000000.0) < (streamingTimerInMs/1000)) if((( end.tv_sec - timerBegin.tv_sec ) + ( end.tv_nsec - timerBegin.tv_nsec ) / 1000000000.0) < (*streamingTimerInMs/1000))
return false; return false;
//restart timer //restart timer
@ -281,6 +296,7 @@ bool DataStreamer::CheckTimer() {
return true; return true;
} }
bool DataStreamer::CheckCount() { bool DataStreamer::CheckCount() {
if (currentFreqCount == *streamingFrequency ) { if (currentFreqCount == *streamingFrequency ) {
currentFreqCount = 1; currentFreqCount = 1;
@ -290,11 +306,24 @@ bool DataStreamer::CheckCount() {
return false; return false;
} }
int DataStreamer::SendHeader(uint64_t fnum) {
uint64_t frameIndex = fnum - firstMeasurementIndex; int DataStreamer::SendHeader(uint64_t fnum, bool dummy) {
uint64_t acquisitionIndex = fnum - firstAcquisitionIndex; uint64_t frameIndex = -1;
uint64_t subframeIndex = -1; /* subframe to be included in fifo buffer? */ uint64_t acquisitionIndex = -1;
char buf[1000]; uint64_t subframeIndex = -1;
int len = sprintf(buf, jsonHeaderFormat, jsonHeaderFormat_part1, acquisitionIndex, frameIndex, subframeIndex,completeFileName[ithread]); char fname[MAX_STR_LENGTH] = "run";
return zmqSocket->SendDataOnly(buf, len); char buf[1000] = "";
if (!dummy) {
frameIndex = fnum - firstMeasurementIndex;
acquisitionIndex = fnum - firstAcquisitionIndex;
subframeIndex = -1; /* subframe to be included in fifo buffer? */
/* fname to be included in fifo buffer? */
}
int len = sprintf(buf, jsonHeaderFormat, currentHeader, acquisitionIndex, frameIndex, subframeIndex,fname);
#ifdef VERBOSE
printf("%d Streamer: buf:%s\n", index, buf);
#endif
return zmqSocket->SendHeaderData(buf, len);
} }

View File

@ -164,7 +164,7 @@ void Listener::RecordFirstIndices(uint64_t fnum) {
acquisitionStartedFlag = true; acquisitionStartedFlag = true;
firstAcquisitionIndex = fnum; firstAcquisitionIndex = fnum;
} }
if (!index) cprintf(GREEN,"%d First Acquisition Index:%lld\n" if (!index) cprintf(BLUE,"%d First Acquisition Index:%lld\n"
"%d First Measurement Index:%lld\n", "%d First Measurement Index:%lld\n",
index, (long long int)firstAcquisitionIndex, index, (long long int)firstAcquisitionIndex,
index, (long long int)firstMeasurementIndex); index, (long long int)firstMeasurementIndex);
@ -205,7 +205,7 @@ int Listener::CreateUDPSockets() {
generalData->packetSize, (strlen(eth)?eth:NULL), generalData->headerPacketSize); generalData->packetSize, (strlen(eth)?eth:NULL), generalData->headerPacketSize);
int iret = udpSocket->getErrorStatus(); int iret = udpSocket->getErrorStatus();
if(!iret){ if(!iret){
cout << "UDP port opened at port " << *udpPortNumber << endl; cout << index << ": UDP port opened at port " << *udpPortNumber << endl;
}else{ }else{
FILE_LOG(logERROR) << "Could not create UDP socket on port " << *udpPortNumber << " error: " << iret; FILE_LOG(logERROR) << "Could not create UDP socket on port " << *udpPortNumber << " error: " << iret;
return FAIL; return FAIL;
@ -218,7 +218,7 @@ int Listener::CreateUDPSockets() {
void Listener::ShutDownUDPSocket() { void Listener::ShutDownUDPSocket() {
if(udpSocket){ if(udpSocket){
udpSocket->ShutDownSocket(); udpSocket->ShutDownSocket();
FILE_LOG(logINFO) << "Shut down UDP Socket " << index; FILE_LOG(logINFO) << "Shut down of UDP port " << *udpPortNumber;
delete udpSocket; delete udpSocket;
udpSocket = 0; udpSocket = 0;
} }
@ -280,8 +280,8 @@ void Listener::StopListening(char* buf) {
StopRunning(); StopRunning();
#ifdef VERBOSE #ifdef VERBOSE
cprintf(GREEN,"%d: Listening Packets (%d) : %d\n", index, *udpPortNumber, numPacketsCaught); cprintf(GREEN,"%d: Listening Packets (%d) : %d\n", index, *udpPortNumber, numPacketsCaught);
printf("%d: Listening Completed\n", index);
#endif #endif
cprintf(GREEN,"%d: Listening Completed\n", index);
} }

View File

@ -61,7 +61,7 @@ int ThreadObject::CreateThread() {
return FAIL; return FAIL;
} }
alive = true; alive = true;
FILE_LOG (logINFO) << GetType() << " thread " << index << " created successfully."; FILE_LOG (logDEBUG) << GetType() << " thread " << index << " created successfully.";
return OK; return OK;
} }

View File

@ -254,7 +254,7 @@ void UDPBaseImplementation::setFileFormat(const fileFormat f){
break; break;
} }
FILE_LOG(logINFO) << "File Format:" << getFileFormatType(fileFormatType); FILE_LOG(logINFO) << "File Format: " << getFileFormatType(fileFormatType);
} }
@ -263,7 +263,7 @@ void UDPBaseImplementation::setFileName(const char c[]){
if(strlen(c)) if(strlen(c))
strcpy(fileName, c); strcpy(fileName, c);
FILE_LOG(logINFO) << "File name:" << fileName; FILE_LOG(logINFO) << "File name: " << fileName;
} }
void UDPBaseImplementation::setFilePath(const char c[]){ void UDPBaseImplementation::setFilePath(const char c[]){
@ -276,18 +276,18 @@ void UDPBaseImplementation::setFilePath(const char c[]){
strcpy(filePath,c); strcpy(filePath,c);
else{ else{
strcpy(filePath,""); strcpy(filePath,"");
FILE_LOG(logWARNING) << "FilePath does not exist:" << filePath; FILE_LOG(logWARNING) << "FilePath does not exist: " << filePath;
} }
strcpy(filePath, c); strcpy(filePath, c);
} }
FILE_LOG(logDEBUG) << "Info: File path:" << filePath; FILE_LOG(logDEBUG) << "Info: File path: " << filePath;
} }
void UDPBaseImplementation::setFileIndex(const uint64_t i){ void UDPBaseImplementation::setFileIndex(const uint64_t i){
FILE_LOG(logDEBUG) << __AT__ << " starting"; FILE_LOG(logDEBUG) << __AT__ << " starting";
fileIndex = i; fileIndex = i;
FILE_LOG(logINFO) << "File Index:" << fileIndex; FILE_LOG(logINFO) << "File Index: " << fileIndex;
} }
//FIXME: needed? //FIXME: needed?
@ -295,7 +295,7 @@ void UDPBaseImplementation::setScanTag(const int i){
FILE_LOG(logDEBUG) << __AT__ << " starting"; FILE_LOG(logDEBUG) << __AT__ << " starting";
scanTag = i; scanTag = i;
FILE_LOG(logINFO) << "Scan Tag:" << scanTag; FILE_LOG(logINFO) << "Scan Tag: " << scanTag;
} }
@ -336,14 +336,14 @@ void UDPBaseImplementation::setUDPPortNumber(const uint32_t i){
FILE_LOG(logDEBUG) << __AT__ << " starting"; FILE_LOG(logDEBUG) << __AT__ << " starting";
udpPortNum[0] = i; udpPortNum[0] = i;
FILE_LOG(logINFO) << "UDP Port Number[0]:" << udpPortNum[0]; FILE_LOG(logINFO) << "UDP Port Number[0]: " << udpPortNum[0];
} }
void UDPBaseImplementation::setUDPPortNumber2(const uint32_t i){ void UDPBaseImplementation::setUDPPortNumber2(const uint32_t i){
FILE_LOG(logDEBUG) << __AT__ << " starting"; FILE_LOG(logDEBUG) << __AT__ << " starting";
udpPortNum[1] = i; udpPortNum[1] = i;
FILE_LOG(logINFO) << "UDP Port Number[1]:" << udpPortNum[1]; FILE_LOG(logINFO) << "UDP Port Number[1]: " << udpPortNum[1];
} }
void UDPBaseImplementation::setEthernetInterface(const char* c){ void UDPBaseImplementation::setEthernetInterface(const char* c){
@ -368,7 +368,7 @@ int UDPBaseImplementation::setFrameToGuiFrequency(const uint32_t freq){
FILE_LOG(logDEBUG) << __AT__ << " starting"; FILE_LOG(logDEBUG) << __AT__ << " starting";
frameToGuiFrequency = freq; frameToGuiFrequency = freq;
FILE_LOG(logINFO) << "Frame To Gui Frequency:" << frameToGuiFrequency; FILE_LOG(logINFO) << "Frame To Gui Frequency: " << frameToGuiFrequency;
//overrridden child classes might return FAIL //overrridden child classes might return FAIL
return OK; return OK;
@ -378,7 +378,7 @@ void UDPBaseImplementation::setFrameToGuiTimer(const uint32_t time_in_ms){
FILE_LOG(logDEBUG) << __AT__ << " starting"; FILE_LOG(logDEBUG) << __AT__ << " starting";
frameToGuiTimerinMS = time_in_ms; frameToGuiTimerinMS = time_in_ms;
FILE_LOG(logINFO) << "Frame To Gui Timer:" << frameToGuiTimerinMS; FILE_LOG(logINFO) << "Frame To Gui Timer: " << frameToGuiTimerinMS;
} }
@ -386,7 +386,7 @@ int UDPBaseImplementation::setDataStreamEnable(const bool enable){
FILE_LOG(logDEBUG) << __AT__ << " starting"; FILE_LOG(logDEBUG) << __AT__ << " starting";
dataStreamEnable = enable; dataStreamEnable = enable;
FILE_LOG(logINFO) << "Streaming Data from Receiver:" << dataStreamEnable; FILE_LOG(logINFO) << "Streaming Data from Receiver: " << dataStreamEnable;
//overrridden child classes might return FAIL //overrridden child classes might return FAIL
return OK; return OK;
@ -397,7 +397,7 @@ int UDPBaseImplementation::setAcquisitionPeriod(const uint64_t i){
FILE_LOG(logDEBUG) << __AT__ << " starting"; FILE_LOG(logDEBUG) << __AT__ << " starting";
acquisitionPeriod = i; acquisitionPeriod = i;
FILE_LOG(logINFO) << "Acquisition Period:" << (double)acquisitionPeriod/(1E9) << "s"; FILE_LOG(logINFO) << "Acquisition Period: " << (double)acquisitionPeriod/(1E9) << "s";
//overrridden child classes might return FAIL //overrridden child classes might return FAIL
return OK; return OK;
@ -407,7 +407,7 @@ int UDPBaseImplementation::setAcquisitionTime(const uint64_t i){
FILE_LOG(logDEBUG) << __AT__ << " starting"; FILE_LOG(logDEBUG) << __AT__ << " starting";
acquisitionTime = i; acquisitionTime = i;
FILE_LOG(logINFO) << "Acquisition Time:" << (double)acquisitionTime/(1E9) << "s"; FILE_LOG(logINFO) << "Acquisition Time: " << (double)acquisitionTime/(1E9) << "s";
//overrridden child classes might return FAIL //overrridden child classes might return FAIL
return OK; return OK;
@ -417,7 +417,7 @@ int UDPBaseImplementation::setNumberOfFrames(const uint64_t i){
FILE_LOG(logDEBUG) << __AT__ << " starting"; FILE_LOG(logDEBUG) << __AT__ << " starting";
numberOfFrames = i; numberOfFrames = i;
FILE_LOG(logINFO) << "Number of Frames:" << numberOfFrames; FILE_LOG(logINFO) << "Number of Frames: " << numberOfFrames;
//overrridden child classes might return FAIL //overrridden child classes might return FAIL
return OK; return OK;
@ -427,7 +427,7 @@ int UDPBaseImplementation::setDynamicRange(const uint32_t i){
FILE_LOG(logDEBUG) << __AT__ << " starting"; FILE_LOG(logDEBUG) << __AT__ << " starting";
dynamicRange = i; dynamicRange = i;
FILE_LOG(logINFO) << "Dynamic Range:" << dynamicRange; FILE_LOG(logINFO) << "Dynamic Range: " << dynamicRange;
//overrridden child classes might return FAIL //overrridden child classes might return FAIL
return OK; return OK;
@ -465,7 +465,7 @@ int UDPBaseImplementation::setDetectorType(const detectorType d){
myDetectorType = d; myDetectorType = d;
//if eiger, set numberofListeningThreads = 2; //if eiger, set numberofListeningThreads = 2;
FILE_LOG(logINFO) << "Detector Type:" << getDetectorType(d); FILE_LOG(logINFO) << "Detector Type: " << getDetectorType(d);
return OK; return OK;
} }
@ -473,7 +473,7 @@ void UDPBaseImplementation::setDetectorPositionId(const int i){
FILE_LOG(logDEBUG) << __AT__ << " starting"; FILE_LOG(logDEBUG) << __AT__ << " starting";
detID = i; detID = i;
FILE_LOG(logINFO) << "Detector Position Id:" << detID; FILE_LOG(logINFO) << "Detector Position Id: " << detID;
} }
void UDPBaseImplementation::initialize(const char *c){ void UDPBaseImplementation::initialize(const char *c){
@ -481,7 +481,7 @@ void UDPBaseImplementation::initialize(const char *c){
if(strlen(c)) if(strlen(c))
strcpy(detHostname, c); strcpy(detHostname, c);
FILE_LOG(logINFO) << "Detector Hostname:" << detHostname; FILE_LOG(logINFO) << "Detector Hostname: " << detHostname;
} }

View File

@ -216,9 +216,9 @@ int UDPStandardImplementation::setDataStreamEnable(const bool enable) {
if (enable) { if (enable) {
bool error = false; bool error = false;
for ( int i = 0; i < numThreads; ++i ) { for ( int i = 0; i < numThreads; ++i ) {
dataStreamer.push_back(new DataStreamer(fifo[i], &frameToGuiFrequency, &frameToGuiTimerinMS, &dynamicRange)); dataStreamer.push_back(new DataStreamer(fifo[i], &dynamicRange, &frameToGuiFrequency, &frameToGuiTimerinMS));
dataStreamer[i]->SetGeneralData(generalData); dataStreamer[i]->SetGeneralData(generalData);
if (dataStreamer[i]->CreateZmqSockets() == FAIL) { if (dataStreamer[i]->CreateZmqSockets(&detID, &numThreads) == FAIL) {
error = true; error = true;
break; break;
} }
@ -478,6 +478,9 @@ int UDPStandardImplementation::VerifyCallBackAction() {
} }
int UDPStandardImplementation::startReceiver(char *c) { int UDPStandardImplementation::startReceiver(char *c) {
cout << endl << endl;
FILE_LOG(logINFO) << "Starting Receiver";
ResetParametersforNewMeasurement(); ResetParametersforNewMeasurement();
//listener //listener
@ -486,7 +489,6 @@ int UDPStandardImplementation::startReceiver(char *c) {
FILE_LOG(logERROR) << c; FILE_LOG(logERROR) << c;
return FAIL; return FAIL;
} }
cout << "Listener Ready ..." << endl;
//callbacks //callbacks
callbackAction = DO_EVERYTHING; callbackAction = DO_EVERYTHING;
@ -502,9 +504,9 @@ int UDPStandardImplementation::startReceiver(char *c) {
return FAIL; return FAIL;
} }
} else } else
cout << "Data will not be saved" << endl; cout << " Data will not be saved" << endl;
cout << "Processor Ready ..." << endl;
cout << "Ready ..." << endl;
//status //status
pthread_mutex_lock(&statusMutex); pthread_mutex_lock(&statusMutex);
@ -550,15 +552,15 @@ void UDPStandardImplementation::stopReceiver(){
tot += dataProcessor[i]->GetNumFramesCaught(); tot += dataProcessor[i]->GetNumFramesCaught();
if (dataProcessor[i]->GetNumFramesCaught() < numberOfFrames) { if (dataProcessor[i]->GetNumFramesCaught() < numberOfFrames) {
cprintf(RED, "\nPort %d\n",udpPortNum[i]); cprintf(RED, "\n[Port %d]\n",udpPortNum[i]);
cprintf(RED, "Missing Packets \t: %lld\n",(long long int)numberOfFrames*generalData->packetsPerFrame-listener[i]->GetTotalPacketsCaught()); cprintf(RED, "Missing Packets\t\t: %lld\n",(long long int)numberOfFrames*generalData->packetsPerFrame-listener[i]->GetTotalPacketsCaught());
cprintf(RED, "Frames Caught \t\t: %lld\n",(long long int)dataProcessor[i]->GetNumFramesCaught()); cprintf(RED, "Frames Caught\t\t: %lld\n",(long long int)dataProcessor[i]->GetNumFramesCaught());
cprintf(RED, "Last Frame Number Caught :%lld\n",(long long int)listener[i]->GetLastFrameIndexCaught()); cprintf(RED, "Last Frame Caught\t: %lld\n",(long long int)listener[i]->GetLastFrameIndexCaught());
}else{ }else{
cprintf(GREEN, "\nPort %d\n",udpPortNum[i]); cprintf(GREEN, "\n[Port %d]\n",udpPortNum[i]);
cprintf(GREEN, "Missing Packets \t: %lld\n",(long long int)numberOfFrames*generalData->packetsPerFrame-listener[i]->GetTotalPacketsCaught()); cprintf(GREEN, "Missing Packets\t\t: %lld\n",(long long int)numberOfFrames*generalData->packetsPerFrame-listener[i]->GetTotalPacketsCaught());
cprintf(GREEN, "Frames Caught \t\t: %lld\n",(long long int)dataProcessor[i]->GetNumFramesCaught()); cprintf(GREEN, "Frames Caught\t\t: %lld\n",(long long int)dataProcessor[i]->GetNumFramesCaught());
cprintf(GREEN, "Last Frame Number Caught :%lld\n",(long long int)listener[i]->GetLastFrameIndexCaught()); cprintf(GREEN, "Last Frame Caught\t: %lld\n",(long long int)listener[i]->GetLastFrameIndexCaught());
} }
} }
if(!activated) if(!activated)
@ -575,7 +577,6 @@ void UDPStandardImplementation::stopReceiver(){
FILE_LOG(logINFO) << "Receiver Stopped"; FILE_LOG(logINFO) << "Receiver Stopped";
FILE_LOG(logINFO) << "Status: " << runStatusType(status); FILE_LOG(logINFO) << "Status: " << runStatusType(status);
cout << endl << endl;
} }
@ -816,7 +817,6 @@ int UDPStandardImplementation::SetupWriter() {
return FAIL; return FAIL;
} }
cout << "Writer Ready ..." << endl;
return OK; return OK;
} }

View File

@ -2339,6 +2339,7 @@ int slsReceiverTCPIPInterface::set_multi_detector_size() {
else if (receiverBase == NULL){ else if (receiverBase == NULL){
strcpy(mess,SET_RECEIVER_ERR_MESSAGE); strcpy(mess,SET_RECEIVER_ERR_MESSAGE);
ret=FAIL; ret=FAIL;
cprintf(RED, "%s", mess);
} }
else if(receiverBase->getStatus()!= IDLE){ else if(receiverBase->getStatus()!= IDLE){
strcpy(mess,"Can not set position file id while receiver not idle\n"); strcpy(mess,"Can not set position file id while receiver not idle\n");