libmist backport from new metadata branch with improved typing and styling

This commit is contained in:
Erik Zandvliet 2018-11-28 12:16:00 +01:00 committed by Thulinma
parent 7a03d3e96c
commit 10fa4b7e7b
88 changed files with 5957 additions and 5757 deletions

View file

@ -39,7 +39,8 @@ int AMF::Object::hasContent() {
return contents.size();
}
/// Adds an AMF::Object to this object. Works for all types, but only makes sense for container types.
/// Adds an AMF::Object to this object. Works for all types, but only makes sense for container
/// types.
void AMF::Object::addContent(AMF::Object c){
contents.push_back(c);
}
@ -48,9 +49,7 @@ void AMF::Object::addContent(AMF::Object c) {
/// Returns AMF::AMF0_DDV_CONTAINER of indice "error" if no object is held at this indice.
/// \param i The indice of the object in this container.
AMF::Object *AMF::Object::getContentP(unsigned int i){
if (i >= contents.size()) {
return 0;
}
if (i >= contents.size()){return 0;}
return &contents.at(i);
}
@ -66,9 +65,7 @@ AMF::Object AMF::Object::getContent(unsigned int i) {
/// \param s The indice of the object in this container.
AMF::Object *AMF::Object::getContentP(std::string s){
for (std::vector<AMF::Object>::iterator it = contents.begin(); it != contents.end(); it++){
if (it->Indice() == s) {
return &(*it);
}
if (it->Indice() == s){return &(*it);}
}
return 0;
}
@ -78,9 +75,7 @@ AMF::Object * AMF::Object::getContentP(std::string s) {
/// \param s The indice of the object in this container.
AMF::Object AMF::Object::getContent(std::string s){
for (std::vector<AMF::Object>::iterator it = contents.begin(); it != contents.end(); it++){
if (it->Indice() == s) {
return *it;
}
if (it->Indice() == s){return *it;}
}
return AMF::Object("error", AMF0_DDV_CONTAINER);
}
@ -93,9 +88,9 @@ AMF::Object::Object() {
/// Constructor for numeric objects.
/// The object type is by default AMF::AMF0_NUMBER, but this can be forced to a different value.
/// \param indice The string indice of this object in its container, or empty string if none. Numeric indices are automatic.
/// \param val The numeric value of this object. Numeric AMF0 objects only support double-type values.
/// \param setType The object type to force this object to.
/// \param indice The string indice of this object in its container, or empty string if none.
/// Numeric indices are automatic. \param val The numeric value of this object. Numeric AMF0 objects
/// only support double-type values. \param setType The object type to force this object to.
AMF::Object::Object(std::string indice, double val, AMF::obj0type setType){// num type initializer
myIndice = indice;
myType = setType;
@ -105,11 +100,26 @@ AMF::Object::Object(std::string indice, double val, AMF::obj0type setType) { //n
/// Constructor for string objects.
/// The object type is by default AMF::AMF0_STRING, but this can be forced to a different value.
/// There is no need to manually change the type to AMF::AMF0_LONGSTRING, this will be done automatically.
/// \param indice The string indice of this object in its container, or empty string if none. Numeric indices are automatic.
/// \param val The string value of this object.
/// \param setType The object type to force this object to.
AMF::Object::Object(std::string indice, std::string val, AMF::obj0type setType) { //str type initializer
/// There is no need to manually change the type to AMF::AMF0_LONGSTRING, this will be done
/// automatically. \param indice The string indice of this object in its container, or empty string
/// if none. Numeric indices are automatic. \param val The string value of this object. \param
/// setType The object type to force this object to.
AMF::Object::Object(std::string indice, std::string val,
AMF::obj0type setType){// str type initializer
myIndice = indice;
myType = setType;
strval = val;
numval = 0;
}
/// Constructor for string objects.
/// The object type is by default AMF::AMF0_STRING, but this can be forced to a different value.
/// There is no need to manually change the type to AMF::AMF0_LONGSTRING, this will be done
/// automatically. \param indice The string indice of this object in its container, or empty string
/// if none. Numeric indices are automatic. \param val The string value of this object. \param
/// setType The object type to force this object to.
AMF::Object::Object(std::string indice, const char *val,
AMF::obj0type setType){// str type initializer
myIndice = indice;
myType = setType;
strval = val;
@ -118,8 +128,8 @@ AMF::Object::Object(std::string indice, std::string val, AMF::obj0type setType)
/// Constructor for container objects.
/// The object type is by default AMF::AMF0_OBJECT, but this can be forced to a different value.
/// \param indice The string indice of this object in its container, or empty string if none. Numeric indices are automatic.
/// \param setType The object type to force this object to.
/// \param indice The string indice of this object in its container, or empty string if none.
/// Numeric indices are automatic. \param setType The object type to force this object to.
AMF::Object::Object(std::string indice, AMF::obj0type setType){// object type initializer
myIndice = indice;
myType = setType;
@ -135,61 +145,25 @@ std::string AMF::Object::Print(std::string indent) {
st << indent;
// print my type
switch (myType){
case AMF::AMF0_NUMBER:
st << "Number";
break;
case AMF::AMF0_BOOL:
st << "Bool";
break;
case AMF::AMF0_NUMBER: st << "Number"; break;
case AMF::AMF0_BOOL: st << "Bool"; break;
case AMF::AMF0_STRING: // short string
case AMF::AMF0_LONGSTRING:
st << "String";
break;
case AMF::AMF0_OBJECT:
st << "Object";
break;
case AMF::AMF0_MOVIECLIP:
st << "MovieClip";
break;
case AMF::AMF0_NULL:
st << "Null";
break;
case AMF::AMF0_UNDEFINED:
st << "Undefined";
break;
case AMF::AMF0_REFERENCE:
st << "Reference";
break;
case AMF::AMF0_ECMA_ARRAY:
st << "ECMA Array";
break;
case AMF::AMF0_OBJ_END:
st << "Object end";
break;
case AMF::AMF0_STRICT_ARRAY:
st << "Strict Array";
break;
case AMF::AMF0_DATE:
st << "Date";
break;
case AMF::AMF0_UNSUPPORTED:
st << "Unsupported";
break;
case AMF::AMF0_RECORDSET:
st << "Recordset";
break;
case AMF::AMF0_XMLDOC:
st << "XML Document";
break;
case AMF::AMF0_TYPED_OBJ:
st << "Typed Object";
break;
case AMF::AMF0_UPGRADE:
st << "Upgrade to AMF3";
break;
case AMF::AMF0_DDV_CONTAINER:
st << "DDVTech Container";
break;
case AMF::AMF0_LONGSTRING: st << "String"; break;
case AMF::AMF0_OBJECT: st << "Object"; break;
case AMF::AMF0_MOVIECLIP: st << "MovieClip"; break;
case AMF::AMF0_NULL: st << "Null"; break;
case AMF::AMF0_UNDEFINED: st << "Undefined"; break;
case AMF::AMF0_REFERENCE: st << "Reference"; break;
case AMF::AMF0_ECMA_ARRAY: st << "ECMA Array"; break;
case AMF::AMF0_OBJ_END: st << "Object end"; break;
case AMF::AMF0_STRICT_ARRAY: st << "Strict Array"; break;
case AMF::AMF0_DATE: st << "Date"; break;
case AMF::AMF0_UNSUPPORTED: st << "Unsupported"; break;
case AMF::AMF0_RECORDSET: st << "Recordset"; break;
case AMF::AMF0_XMLDOC: st << "XML Document"; break;
case AMF::AMF0_TYPED_OBJ: st << "Typed Object"; break;
case AMF::AMF0_UPGRADE: st << "Upgrade to AMF3"; break;
case AMF::AMF0_DDV_CONTAINER: st << "DDVTech Container"; break;
}
// print my string indice, if available
st << " " << myIndice << " ";
@ -198,17 +172,12 @@ std::string AMF::Object::Print(std::string indent) {
case AMF::AMF0_NUMBER:
case AMF::AMF0_BOOL:
case AMF::AMF0_REFERENCE:
case AMF::AMF0_DATE:
st << numval;
break;
case AMF::AMF0_DATE: st << numval; break;
case AMF::AMF0_STRING:
case AMF::AMF0_LONGSTRING:
case AMF::AMF0_XMLDOC:
case AMF::AMF0_TYPED_OBJ:
st << strval;
break;
default:
break; //we don't care about the rest, and don't want a compiler warning...
case AMF::AMF0_TYPED_OBJ: st << strval; break;
default: break; // we don't care about the rest, and don't want a compiler warning...
}
st << std::endl;
// if I hold other objects, print those too, recursively.
@ -221,18 +190,15 @@ std::string AMF::Object::Print(std::string indent) {
}// print
/// Packs the AMF object to a std::string for transfer over the network.
/// If the object is a container type, this function will call itself recursively and contain all contents.
/// Tip: When sending multiple AMF objects in one go, put them in a single AMF::AMF0_DDV_CONTAINER for easy transfer.
/// If the object is a container type, this function will call itself recursively and contain all
/// contents. Tip: When sending multiple AMF objects in one go, put them in a single
/// AMF::AMF0_DDV_CONTAINER for easy transfer.
std::string AMF::Object::Pack(){
std::string r = "";
// check for string/longstring conversion
if ((myType == AMF::AMF0_STRING) && (strval.size() > 0xFFFF)) {
myType = AMF::AMF0_LONGSTRING;
}
if ((myType == AMF::AMF0_STRING) && (strval.size() > 0xFFFF)){myType = AMF::AMF0_LONGSTRING;}
// skip output of DDV container types, they do not exist. Only output their contents.
if (myType != AMF::AMF0_DDV_CONTAINER) {
r += myType;
}
if (myType != AMF::AMF0_DDV_CONTAINER){r += myType;}
// output the properly formatted AMF0 data stream for this object's contents.
switch (myType){
case AMF::AMF0_NUMBER:
@ -257,9 +223,7 @@ std::string AMF::Object::Pack() {
r += (char)0; // timezone always 0
r += (char)0; // timezone always 0
break;
case AMF::AMF0_BOOL:
r += (char)numval;
break;
case AMF::AMF0_BOOL: r += (char)numval; break;
case AMF::AMF0_STRING:
r += strval.size() / 256;
r += strval.size() % 256;
@ -327,8 +291,7 @@ std::string AMF::Object::Pack() {
r += (char)0;
r += (char)0;
r += (char)9;
}
break;
}break;
case AMF::AMF0_STRICT_ARRAY:{
int arrlen = 0;
if (contents.size() > 0){
@ -346,8 +309,7 @@ std::string AMF::Object::Pack() {
r += (char)0;
r += (char)0;
}
}
break;
}break;
case AMF::AMF0_DDV_CONTAINER: // only send contents
if (contents.size() > 0){
for (std::vector<AMF::Object>::iterator it = contents.begin(); it != contents.end(); it++){
@ -366,7 +328,8 @@ std::string AMF::Object::Pack() {
/// \param i Current parsing position in the raw data.
/// \param name Indice name for any new object created.
/// \returns A single AMF::Object, parsed from the raw data.
AMF::Object AMF::parseOne(const unsigned char *& data, unsigned int & len, unsigned int & i, std::string name) {
AMF::Object AMF::parseOne(const unsigned char *&data, unsigned int &len, unsigned int &i,
std::string name){
std::string tmpstr;
unsigned int tmpi = 0;
unsigned char tmpdbl[8];
@ -412,14 +375,16 @@ AMF::Object AMF::parseOne(const unsigned char *& data, unsigned int & len, unsig
return AMF::Object(name, (double)tmpi, AMF::AMF0_REFERENCE);
break;
case AMF::AMF0_XMLDOC:
tmpi = data[i + 1] * 256 * 256 * 256 + data[i + 2] * 256 * 256 + data[i + 3] * 256 + data[i + 4]; //set tmpi to UTF-8-long length
tmpi = data[i + 1] * 256 * 256 * 256 + data[i + 2] * 256 * 256 + data[i + 3] * 256 +
data[i + 4]; // set tmpi to UTF-8-long length
tmpstr.clear(); // clean tmpstr, just to be sure
tmpstr.append((const char *)data + i + 5, (size_t)tmpi); // add the string data
i += tmpi + 5; // skip length+size+1 forwards
return AMF::Object(name, tmpstr, AMF::AMF0_XMLDOC);
break;
case AMF::AMF0_LONGSTRING:
tmpi = data[i + 1] * 256 * 256 * 256 + data[i + 2] * 256 * 256 + data[i + 3] * 256 + data[i + 4]; //set tmpi to UTF-8-long length
tmpi = data[i + 1] * 256 * 256 * 256 + data[i + 2] * 256 * 256 + data[i + 3] * 256 +
data[i + 4]; // set tmpi to UTF-8-long length
tmpstr.clear(); // clean tmpstr, just to be sure
tmpstr.append((const char *)data + i + 5, (size_t)tmpi); // add the string data
i += tmpi + 5; // skip length+size+1 forwards
@ -446,12 +411,13 @@ AMF::Object AMF::parseOne(const unsigned char *& data, unsigned int & len, unsig
tmpstr.clear(); // clean tmpstr, just to be sure
tmpstr.append((const char *)data + i + 2, (size_t)tmpi); // add the string data
i += tmpi + 2; // skip length+size forwards
ret.addContent(AMF::parseOne(data, len, i, tmpstr)); //add content, recursively parsed, updating i, setting indice to tmpstr
ret.addContent(AMF::parseOne(
data, len, i,
tmpstr)); // add content, recursively parsed, updating i, setting indice to tmpstr
}
i += 3; // skip 0x000009
return ret;
}
break;
}break;
case AMF::AMF0_TYPED_OBJ:{
++i;
tmpi = data[i] * 256 + data[i + 1]; // set tmpi to the UTF-8 length
@ -463,12 +429,13 @@ AMF::Object AMF::parseOne(const unsigned char *& data, unsigned int & len, unsig
tmpstr.clear(); // clean tmpstr, just to be sure
tmpstr.append((const char *)data + i + 2, (size_t)tmpi); // add the string data
i += tmpi + 2; // skip length+size forwards
ret.addContent(AMF::parseOne(data, len, i, tmpstr)); //add content, recursively parsed, updating i, setting indice to tmpstr
ret.addContent(AMF::parseOne(
data, len, i,
tmpstr)); // add content, recursively parsed, updating i, setting indice to tmpstr
}
i += 3; // skip 0x000009
return ret;
}
break;
}break;
case AMF::AMF0_ECMA_ARRAY:{
++i;
AMF::Object ret(name, AMF::AMF0_ECMA_ARRAY);
@ -478,25 +445,27 @@ AMF::Object AMF::parseOne(const unsigned char *& data, unsigned int & len, unsig
tmpstr.clear(); // clean tmpstr, just to be sure
tmpstr.append((const char *)data + i + 2, (size_t)tmpi); // add the string data
i += tmpi + 2; // skip length+size forwards
ret.addContent(AMF::parseOne(data, len, i, tmpstr)); //add content, recursively parsed, updating i, setting indice to tmpstr
ret.addContent(AMF::parseOne(
data, len, i,
tmpstr)); // add content, recursively parsed, updating i, setting indice to tmpstr
}
i += 3; // skip 0x000009
return ret;
}
break;
}break;
case AMF::AMF0_STRICT_ARRAY:{
AMF::Object ret(name, AMF::AMF0_STRICT_ARRAY);
tmpi = data[i + 1] * 256 * 256 * 256 + data[i + 2] * 256 * 256 + data[i + 3] * 256 + data[i + 4]; //set tmpi to array length
tmpi = data[i + 1] * 256 * 256 * 256 + data[i + 2] * 256 * 256 + data[i + 3] * 256 +
data[i + 4]; // set tmpi to array length
i += 5; // skip size+1 forwards
while (tmpi > 0){// while not done parsing array
ret.addContent(AMF::parseOne(data, len, i, "arrVal")); //add content, recursively parsed, updating i
ret.addContent(
AMF::parseOne(data, len, i, "arrVal")); // add content, recursively parsed, updating i
--tmpi;
}
return ret;
}break;
}
break;
}
DEBUG_MSG(DLVL_ERROR, "Error: Unimplemented AMF type %hhx - returning.", data[i]);
ERROR_MSG("Error: Unimplemented AMF type %hhx - returning.", data[i]);
return AMF::Object("error", AMF::AMF0_DDV_CONTAINER);
}// parseOne
@ -565,7 +534,8 @@ int AMF::Object3::hasContent() {
return contents.size();
}
/// Adds an AMF::Object to this object. Works for all types, but only makes sense for container types.
/// Adds an AMF::Object to this object. Works for all types, but only makes sense for container
/// types.
void AMF::Object3::addContent(AMF::Object3 c){
contents.push_back(c);
}
@ -589,9 +559,7 @@ AMF::Object3 AMF::Object3::getContent(int i) {
/// \param s The indice of the object in this container.
AMF::Object3 *AMF::Object3::getContentP(std::string s){
for (std::vector<AMF::Object3>::iterator it = contents.begin(); it != contents.end(); it++){
if (it->Indice() == s) {
return &(*it);
}
if (it->Indice() == s){return &(*it);}
}
return 0;
}
@ -601,9 +569,7 @@ AMF::Object3 * AMF::Object3::getContentP(std::string s) {
/// \param s The indice of the object in this container.
AMF::Object3 AMF::Object3::getContent(std::string s){
for (std::vector<AMF::Object3>::iterator it = contents.begin(); it != contents.end(); it++){
if (it->Indice() == s) {
return *it;
}
if (it->Indice() == s){return *it;}
}
return AMF::Object3("error", AMF3_DDV_CONTAINER);
}
@ -616,10 +582,11 @@ AMF::Object3::Object3() {
/// Constructor for double objects.
/// The object type is by default AMF::AMF3_DOUBLE, but this can be forced to a different value.
/// \param indice The string indice of this object in its container, or empty string if none. Numeric indices are automatic.
/// \param val The numeric value of this object. Double AMF3 objects only support double-type values.
/// \param setType The object type to force this object to.
AMF::Object3::Object3(std::string indice, double val, AMF::obj3type setType) { //num type initializer
/// \param indice The string indice of this object in its container, or empty string if none.
/// Numeric indices are automatic. \param val The numeric value of this object. Double AMF3 objects
/// only support double-type values. \param setType The object type to force this object to.
AMF::Object3::Object3(std::string indice, double val,
AMF::obj3type setType){// num type initializer
myIndice = indice;
myType = setType;
strval = "";
@ -629,9 +596,9 @@ AMF::Object3::Object3(std::string indice, double val, AMF::obj3type setType) { /
/// Constructor for integer objects.
/// The object type is by default AMF::AMF3_INTEGER, but this can be forced to a different value.
/// \param indice The string indice of this object in its container, or empty string if none. Numeric indices are automatic.
/// \param val The numeric value of this object. Integer AMF3 objects only support integer-type values.
/// \param setType The object type to force this object to.
/// \param indice The string indice of this object in its container, or empty string if none.
/// Numeric indices are automatic. \param val The numeric value of this object. Integer AMF3 objects
/// only support integer-type values. \param setType The object type to force this object to.
AMF::Object3::Object3(std::string indice, int val, AMF::obj3type setType){// num type initializer
myIndice = indice;
myType = setType;
@ -642,11 +609,12 @@ AMF::Object3::Object3(std::string indice, int val, AMF::obj3type setType) { //nu
/// Constructor for string objects.
/// The object type is by default AMF::AMF0_STRING, but this can be forced to a different value.
/// There is no need to manually change the type to AMF::AMF0_LONGSTRING, this will be done automatically.
/// \param indice The string indice of this object in its container, or empty string if none. Numeric indices are automatic.
/// \param val The string value of this object.
/// \param setType The object type to force this object to.
AMF::Object3::Object3(std::string indice, std::string val, AMF::obj3type setType) { //str type initializer
/// There is no need to manually change the type to AMF::AMF0_LONGSTRING, this will be done
/// automatically. \param indice The string indice of this object in its container, or empty string
/// if none. Numeric indices are automatic. \param val The string value of this object. \param
/// setType The object type to force this object to.
AMF::Object3::Object3(std::string indice, std::string val,
AMF::obj3type setType){// str type initializer
myIndice = indice;
myType = setType;
strval = val;
@ -656,8 +624,8 @@ AMF::Object3::Object3(std::string indice, std::string val, AMF::obj3type setType
/// Constructor for container objects.
/// The object type is by default AMF::AMF0_OBJECT, but this can be forced to a different value.
/// \param indice The string indice of this object in its container, or empty string if none. Numeric indices are automatic.
/// \param setType The object type to force this object to.
/// \param indice The string indice of this object in its container, or empty string if none.
/// Numeric indices are automatic. \param setType The object type to force this object to.
AMF::Object3::Object3(std::string indice, AMF::obj3type setType){// object type initializer
myIndice = indice;
myType = setType;
@ -674,59 +642,27 @@ std::string AMF::Object3::Print(std::string indent) {
st << indent;
// print my type
switch (myType){
case AMF::AMF3_UNDEFINED:
st << "Undefined";
break;
case AMF::AMF3_NULL:
st << "Null";
break;
case AMF::AMF3_FALSE:
st << "False";
break;
case AMF::AMF3_TRUE:
st << "True";
break;
case AMF::AMF3_INTEGER:
st << "Integer";
break;
case AMF::AMF3_DOUBLE:
st << "Double";
break;
case AMF::AMF3_STRING:
st << "String";
break;
case AMF::AMF3_XMLDOC:
st << "XML Doc";
break;
case AMF::AMF3_DATE:
st << "Date";
break;
case AMF::AMF3_ARRAY:
st << "Array";
break;
case AMF::AMF3_OBJECT:
st << "Object";
break;
case AMF::AMF3_XML:
st << "XML";
break;
case AMF::AMF3_BYTES:
st << "ByteArray";
break;
case AMF::AMF3_DDV_CONTAINER:
st << "DDVTech Container";
break;
case AMF::AMF3_UNDEFINED: st << "Undefined"; break;
case AMF::AMF3_NULL: st << "Null"; break;
case AMF::AMF3_FALSE: st << "False"; break;
case AMF::AMF3_TRUE: st << "True"; break;
case AMF::AMF3_INTEGER: st << "Integer"; break;
case AMF::AMF3_DOUBLE: st << "Double"; break;
case AMF::AMF3_STRING: st << "String"; break;
case AMF::AMF3_XMLDOC: st << "XML Doc"; break;
case AMF::AMF3_DATE: st << "Date"; break;
case AMF::AMF3_ARRAY: st << "Array"; break;
case AMF::AMF3_OBJECT: st << "Object"; break;
case AMF::AMF3_XML: st << "XML"; break;
case AMF::AMF3_BYTES: st << "ByteArray"; break;
case AMF::AMF3_DDV_CONTAINER: st << "DDVTech Container"; break;
}
// print my string indice, if available
st << " " << myIndice << " ";
// print my numeric or string contents
switch (myType){
case AMF::AMF3_INTEGER:
st << intval;
break;
case AMF::AMF3_DOUBLE:
st << dblval;
break;
case AMF::AMF3_INTEGER: st << intval; break;
case AMF::AMF3_DOUBLE: st << dblval; break;
case AMF::AMF3_STRING:
case AMF::AMF3_XMLDOC:
case AMF::AMF3_XML:
@ -746,12 +682,9 @@ std::string AMF::Object3::Print(std::string indent) {
break;
case AMF::AMF3_ARRAY:
case AMF::AMF3_OBJECT:
if (intval > 0) {
st << "REF" << intval;
}
if (intval > 0){st << "REF" << intval;}
break;
default:
break; //we don't care about the rest, and don't want a compiler warning...
default: break; // we don't care about the rest, and don't want a compiler warning...
}
st << std::endl;
// if I hold other objects, print those too, recursively.
@ -764,8 +697,9 @@ std::string AMF::Object3::Print(std::string indent) {
}// print
/// Packs the AMF object to a std::string for transfer over the network.
/// If the object is a container type, this function will call itself recursively and contain all contents.
/// Tip: When sending multiple AMF objects in one go, put them in a single AMF::AMF0_DDV_CONTAINER for easy transfer.
/// If the object is a container type, this function will call itself recursively and contain all
/// contents. Tip: When sending multiple AMF objects in one go, put them in a single
/// AMF::AMF0_DDV_CONTAINER for easy transfer.
std::string AMF::Object3::Pack(){
std::string r = "";
return r;
@ -778,7 +712,8 @@ std::string AMF::Object3::Pack() {
/// \param i Current parsing position in the raw data.
/// \param name Indice name for any new object created.
/// \returns A single AMF::Object3, parsed from the raw data.
AMF::Object3 AMF::parseOne3(const unsigned char *& data, unsigned int & len, unsigned int & i, std::string name) {
AMF::Object3 AMF::parseOne3(const unsigned char *&data, unsigned int &len, unsigned int &i,
std::string name){
std::string tmpstr;
unsigned int tmpi = 0;
unsigned int arrsize = 0;
@ -1039,16 +974,17 @@ AMF::Object3 AMF::parseOne3(const unsigned char *& data, unsigned int & len, uns
if (tmpi > 0){
tmpstr.clear(); // clean tmpstr, just to be sure
tmpstr.append((const char *)data + i, (size_t)tmpi); // add the string data
ret.addContent(AMF::parseOne3(data, len, i, tmpstr)); //add content, recursively parsed, updating i
ret.addContent(
AMF::parseOne3(data, len, i, tmpstr)); // add content, recursively parsed, updating i
}
}while (tmpi > 0);
while (arrsize > 0){// while not done parsing array
ret.addContent(AMF::parseOne3(data, len, i, "arrVal")); //add content, recursively parsed, updating i
ret.addContent(
AMF::parseOne3(data, len, i, "arrVal")); // add content, recursively parsed, updating i
--arrsize;
}
return ret;
}
break;
}break;
case AMF::AMF3_OBJECT:{
if (data[i + 1] < 0x80){
tmpi = data[i + 1];
@ -1110,15 +1046,15 @@ AMF::Object3 AMF::parseOne3(const unsigned char *& data, unsigned int & len, uns
if (tmpi > 0){
tmpstr.clear(); // clean tmpstr, just to be sure
tmpstr.append((const char *)data + i, (size_t)tmpi); // add the string data
ret.addContent(AMF::parseOne3(data, len, i, tmpstr)); //add content, recursively parsed, updating i
ret.addContent(
AMF::parseOne3(data, len, i, tmpstr)); // add content, recursively parsed, updating i
}
}while (tmpi > 0); // keep reading dynamic values until empty string
}// dynamic types
return ret;
}break;
}
break;
}
DEBUG_MSG(DLVL_ERROR, "Error: Unimplemented AMF3 type %hhx - returning.", data[i]);
ERROR_MSG("Error: Unimplemented AMF3 type %hhx - returning.", data[i]);
return AMF::Object3("error", AMF::AMF3_DDV_CONTAINER);
}// parseOne
@ -1145,3 +1081,4 @@ AMF::Object3 AMF::parse3(const unsigned char * data, unsigned int len) {
AMF::Object3 AMF::parse3(std::string data){
return AMF::parse3((const unsigned char *)data.c_str(), data.size());
}// parse

View file

@ -2,9 +2,9 @@
/// Holds all headers for the AMF namespace.
#pragma once
#include <vector>
#include <iostream>
#include <string>
#include <vector>
/// Holds all AMF parsing and creation related functions and classes.
namespace AMF{
@ -51,7 +51,8 @@ namespace AMF {
};
/// Recursive class that holds AMF0 objects.
/// It supports all AMF0 types (defined in AMF::obj0type), adding support for a special DDVTECH container type.
/// It supports all AMF0 types (defined in AMF::obj0type), adding support for a special DDVTECH
/// container type.
class Object{
public:
std::string Indice();
@ -68,9 +69,11 @@ namespace AMF {
Object();
Object(std::string indice, double val, obj0type setType = AMF0_NUMBER);
Object(std::string indice, std::string val, obj0type setType = AMF0_STRING);
Object(std::string indice, const char *val, obj0type setType = AMF0_STRING);
Object(std::string indice, obj0type setType = AMF0_OBJECT);
std::string Print(std::string indent = "");
std::string Pack();
protected:
std::string myIndice; ///< Holds this objects indice, if any.
obj0type myType; ///< Holds this objects AMF0 type.
@ -88,7 +91,8 @@ namespace AMF {
Object parseOne(const unsigned char *&data, unsigned int &len, unsigned int &i, std::string name);
/// Recursive class that holds AMF3 objects.
/// It supports all AMF3 types (defined in AMF::obj3type), adding support for a special DDVTECH container type.
/// It supports all AMF3 types (defined in AMF::obj3type), adding support for a special DDVTECH
/// container type.
class Object3{
public:
std::string Indice();
@ -110,6 +114,7 @@ namespace AMF {
Object3(std::string indice, obj3type setType = AMF3_OBJECT);
std::string Print(std::string indent = "");
std::string Pack();
protected:
std::string myIndice; ///< Holds this objects indice, if any.
obj3type myType; ///< Holds this objects AMF0 type.
@ -125,6 +130,8 @@ namespace AMF {
/// Parses a std::string to a valid AMF::Object3.
Object3 parse3(std::string data);
/// Parses a single AMF3 type - used recursively by the AMF::parse3() functions.
Object3 parseOne3(const unsigned char *& data, unsigned int & len, unsigned int & i, std::string name);
Object3 parseOne3(const unsigned char *&data, unsigned int &len, unsigned int &i,
std::string name);
}// namespace AMF
} //AMF namespace

View file

@ -1,10 +1,10 @@
#include "bitfields.h"
#include <string.h>
/// Takes a pointer, offset bitcount and data bitcount, returning the unsigned int read from the givens.
/// offsetBits may be > 7, in which case offsetBits / 8 is added to the pointer automatically.
/// This function assumes Most Significant Bits first.
/// If dataBits > 64, only the last 64 bits are returned.
/// Takes a pointer, offset bitcount and data bitcount, returning the unsigned int read from the
/// givens. offsetBits may be > 7, in which case offsetBits / 8 is added to the pointer
/// automatically. This function assumes Most Significant Bits first. If dataBits > 64, only the
/// last 64 bits are returned.
unsigned long long Bit::getMSB(char *pointer, unsigned int offsetBits, unsigned int dataBits){
// If the offset is a whole byte or more, add the whole bytes to the pointer instead.
pointer += offsetBits >> 3;
@ -17,12 +17,11 @@ unsigned long long Bit::getMSB(char * pointer, unsigned int offsetBits, unsigned
// We assume all except for the offset
unsigned int curBits = 8 - offsetBits;
// If that is too much, we use the remainder instead
if (curBits > dataBits){
curBits = dataBits;
}
if (curBits > dataBits){curBits = dataBits;}
// First, shift the current return value by the amount of bits we're adding
retVal <<= curBits;
//Next, add those bits from the current pointer position at the correct offset, increasing the pointer by one
// Next, add those bits from the current pointer position at the correct offset, increasing the
// pointer by one
retVal |= ((int)(*(pointer++)) << offsetBits) >> (8 - curBits);
// Finally, set the offset to zero and remove curBits from dataBits.
offsetBits = 0;
@ -36,7 +35,8 @@ unsigned long long Bit::getMSB(char * pointer, unsigned int offsetBits, unsigned
/// This function assumes Most Significant Bits first.
/// WARNING: UNFINISHED. DO NOT USE.
/// \todo Finish writing this - untested atm.
void Bit::setMSB(char * pointer, unsigned int offsetBits, unsigned int dataBits, unsigned long long value){
void Bit::setMSB(char *pointer, unsigned int offsetBits, unsigned int dataBits,
unsigned long long value){
// Set the pointer to the last byte we need to be setting
pointer += (offsetBits + dataBits) >> 3;
// The offset is now guaranteed less than a whole byte.
@ -48,9 +48,7 @@ void Bit::setMSB(char * pointer, unsigned int offsetBits, unsigned int dataBits,
// We assume all that will fit in the current byte
unsigned int curBits = offsetBits;
// If that is too much, we use the remainder instead
if (curBits > dataBits){
curBits = dataBits;
}
if (curBits > dataBits){curBits = dataBits;}
// Set the current pointer position at the correct offset, increasing the pointer by one
retVal |= ((int)(*(pointer++)) << offsetBits) >> (8 - curBits);
*pointer = (((*pointer) << offsetBits) >> offsetBits) | ((value & 0xFF) << (8 - offsetBits));
@ -64,17 +62,15 @@ void Bit::setMSB(char * pointer, unsigned int offsetBits, unsigned int dataBits,
}
/// Parses a string reference to a boolean.
/// Returns true if the string, with whitespace removed and converted to lowercase, prefix-matches any of: "1", "yes", "true", "cont".
/// Returns false otherwise.
/// Returns true if the string, with whitespace removed and converted to lowercase, prefix-matches
/// any of: "1", "yes", "true", "cont". Returns false otherwise.
bool Util::stringToBool(std::string &str){
std::string tmp;
tmp.reserve(4);
for (unsigned int i = 0; i < str.size() && tmp.size() < 4; ++i){
if (!::isspace(str[i])){
tmp.push_back((char)tolower(str[i]));
if (!::isspace(str[i])){tmp.push_back((char)tolower(str[i]));}
}
}
return (strncmp(tmp.c_str(), "1", 1) == 0 || strncmp(tmp.c_str(), "yes", 3) == 0 || strncmp(tmp.c_str(), "true", 4) == 0 || strncmp(tmp.c_str(), "cont", 4) == 0);
return (strncmp(tmp.c_str(), "1", 1) == 0 || strncmp(tmp.c_str(), "yes", 3) == 0 ||
strncmp(tmp.c_str(), "true", 4) == 0 || strncmp(tmp.c_str(), "cont", 4) == 0);
}

View file

@ -1,6 +1,6 @@
#pragma once
#include "defines.h"
#include <string>
#include <stdint.h>
namespace Util{
bool stringToBool(std::string &str);
@ -11,29 +11,28 @@ namespace Bit{
unsigned long long getMSB(char *pointer, unsigned int offsetBits, unsigned int dataBits);
unsigned long long getByName(char *pointer);
// bitfield setters
void setMSB(char * pointer, unsigned int offsetBits, unsigned int dataBits, unsigned long long value);
void setMSB(char *pointer, unsigned int offsetBits, unsigned int dataBits,
unsigned long long value);
void setByName(char *pointer);
// Host to binary/binary to host functions - similar to kernel ntoh/hton functions.
/// Retrieves a short in network order from the pointer p.
inline unsigned short btohs(const char * p) {
return ((unsigned short)p[0] << 8) | p[1];
}
inline uint16_t btohs(const char *p){return ((uint16_t)p[0] << 8) | p[1];}
/// Stores a short value of val in network order to the pointer p.
inline void htobs(char * p, unsigned short val) {
inline void htobs(char *p, uint16_t val){
p[0] = (val >> 8) & 0xFF;
p[1] = val & 0xFF;
}
/// Retrieves a long in network order from the pointer p.
inline unsigned long btohl(const char * p) {
return ((unsigned long)p[0] << 24) | ((unsigned long)p[1] << 16) | ((unsigned long)p[2] << 8) | p[3];
inline uint32_t btohl(const char *p){
return ((uint32_t)p[0] << 24) | ((uint32_t)p[1] << 16) | ((uint32_t)p[2] << 8) | p[3];
}
/// Stores a long value of val in network order to the pointer p.
inline void htobl(char * p, unsigned long val) {
inline void htobl(char *p, uint32_t val){
p[0] = (val >> 24) & 0xFF;
p[1] = (val >> 16) & 0xFF;
p[2] = (val >> 8) & 0xFF;
@ -54,7 +53,8 @@ namespace Bit{
/// Retrieves a 40-bit uint in network order from the pointer p.
inline uint64_t btoh40(const char *p){
return ((uint64_t)p[0] << 32) | ((uint64_t)p[1] << 24) | ((uint64_t)p[2] << 16) | ((uint64_t)p[3] << 8) | p[4];
return ((uint64_t)p[0] << 32) | ((uint64_t)p[1] << 24) | ((uint64_t)p[2] << 16) |
((uint64_t)p[3] << 8) | p[4];
}
/// Stores a 40-bit uint value of val in network order to the pointer p.
@ -68,7 +68,8 @@ namespace Bit{
/// Retrieves a 48-bit uint in network order from the pointer p.
inline uint64_t btoh48(const char *p){
return ((uint64_t)p[0] << 40) | ((uint64_t)p[1] << 32) | ((uint64_t)p[2] << 24) | ((uint64_t)p[3] << 16) | ((uint64_t)p[4] << 8) | p[5];
return ((uint64_t)p[0] << 40) | ((uint64_t)p[1] << 32) | ((uint64_t)p[2] << 24) |
((uint64_t)p[3] << 16) | ((uint64_t)p[4] << 8) | p[5];
}
/// Stores a 48-bit uint value of val in network order to the pointer p.
@ -83,7 +84,8 @@ namespace Bit{
/// Retrieves a 56-bit uint in network order from the pointer p.
inline uint64_t btoh56(const char *p){
return ((uint64_t)p[0] << 48) | ((uint64_t)p[1] << 40) | ((uint64_t)p[2] << 32) | ((uint64_t)p[3] << 24) | ((uint64_t)p[4] << 16) | ((uint64_t)p[5] << 8) | p[6];
return ((uint64_t)p[0] << 48) | ((uint64_t)p[1] << 40) | ((uint64_t)p[2] << 32) |
((uint64_t)p[3] << 24) | ((uint64_t)p[4] << 16) | ((uint64_t)p[5] << 8) | p[6];
}
/// Stores a 56-bit uint value of val in network order to the pointer p.
@ -98,8 +100,10 @@ namespace Bit{
}
/// Retrieves a long long in network order from the pointer p.
inline unsigned long long btohll(const char * p) {
return ((unsigned long long)p[0] << 56) | ((unsigned long long)p[1] << 48) | ((unsigned long long)p[2] << 40) | ((unsigned long long)p[3] << 32) | ((unsigned long)p[4] << 24) | ((unsigned long)p[5] << 16) | ((unsigned long)p[6] << 8) | p[7];
inline uint64_t btohll(const char *p){
return ((uint64_t)p[0] << 56) | ((uint64_t)p[1] << 48) | ((uint64_t)p[2] << 40) |
((uint64_t)p[3] << 32) | ((uint64_t)p[4] << 24) | ((uint64_t)p[5] << 16) |
((uint64_t)p[6] << 8) | p[7];
}
/// Stores a long value of val in network order to the pointer p.
@ -119,23 +123,17 @@ namespace Bit{
return *reinterpret_cast<float *>(&tmp);
}
inline void htobf(char * p, float val){
htobl(p, *reinterpret_cast<unsigned long*>(&val));
}
inline void htobf(char *p, float val){htobl(p, *reinterpret_cast<uint32_t *>(&val));}
inline double btohd(const char *p){
uint64_t tmp = btohll(p);
return *reinterpret_cast<double *>(&tmp);
}
inline void htobd(char * p, double val){
htobll(p, *reinterpret_cast<unsigned long*>(&val));
}
inline void htobd(char *p, double val){htobll(p, *reinterpret_cast<uint32_t *>(&val));}
/// Retrieves a short in little endian from the pointer p.
inline unsigned short btohs_le(const char * p) {
return ((unsigned short)p[1] << 8) | p[0];
}
inline uint16_t btohs_le(const char *p){return ((uint16_t)p[1] << 8) | p[0];}
/// Stores a short value of val in little endian to the pointer p.
inline void htobs_le(char *p, unsigned short val){
@ -145,7 +143,8 @@ namespace Bit{
/// Retrieves a long in network order from the pointer p.
inline unsigned long btohl_le(const char *p){
return ((unsigned long)p[3] << 24) | ((unsigned long)p[2] << 16) | ((unsigned long)p[1] << 8) | p[0];
return ((unsigned long)p[3] << 24) | ((unsigned long)p[2] << 16) | ((unsigned long)p[1] << 8) |
p[0];
}
/// Stores a long value of val in little endian to the pointer p.
@ -170,7 +169,10 @@ namespace Bit{
/// Retrieves a long long in little endian from the pointer p.
inline unsigned long long btohll_le(const char *p){
return ((unsigned long long)p[7] << 56) | ((unsigned long long)p[6] << 48) | ((unsigned long long)p[5] << 40) | ((unsigned long long)p[4] << 32) | ((unsigned long)p[3] << 24) | ((unsigned long)p[2] << 16) | ((unsigned long)p[1] << 8) | p[0];
return ((unsigned long long)p[7] << 56) | ((unsigned long long)p[6] << 48) |
((unsigned long long)p[5] << 40) | ((unsigned long long)p[4] << 32) |
((unsigned long)p[3] << 24) | ((unsigned long)p[2] << 16) | ((unsigned long)p[1] << 8) |
p[0];
}
/// Stores a long value of val in little endian to the pointer p.
@ -185,5 +187,5 @@ namespace Bit{
p[0] = val & 0xFF;
}
}
}// namespace Bit

View file

@ -11,19 +11,23 @@ namespace Utils {
bufferSize = 0;
}
bitstream::~bitstream(){
if (!data){return;}
free(data);
bufferSize = 0;
dataSize = 0;
offset = 0;
}
bool bitstream::checkBufferSize(unsigned int size){
if (size > bufferSize) {
if (size <= bufferSize){return true;}
void *temp = realloc(data, size);
if (temp) {
if (!temp){return false;}
data = (char *)temp;
bufferSize = size;
return true;
} else {
return false;
}
} else {
return true;
}
}
void bitstream::append(const char *input, size_t bytes){
@ -33,9 +37,7 @@ namespace Utils {
}
}
void bitstream::append(const std::string & input) {
append((char *)input.c_str(), input.size());
}
void bitstream::append(const std::string &input){append((char *)input.c_str(), input.size());}
bool bitstream::peekOffset(size_t peekOffset){
peekOffset += offset;
@ -48,7 +50,8 @@ namespace Utils {
// return 0;
}
if (count > size()){
DEBUG_MSG(DLVL_ERROR, "Not enough bits left in stream. Left: %d requested: %d", (int)size(), (int)count);
DEBUG_MSG(DLVL_ERROR, "Not enough bits left in stream. Left: %d requested: %d", (int)size(),
(int)count);
return 0;
}
long long unsigned int retval = 0;
@ -63,8 +66,8 @@ namespace Utils {
if (readOff != 0){
// if we start our read not on the start of a byte
// curplace and retval should both be 0
//this should be the first read that aligns reading to bytes, if we read over the end of read byte
//we cut the MSb off of the buffer by bit mask
// this should be the first read that aligns reading to bytes, if we read over the end of
// read byte we cut the MSb off of the buffer by bit mask
readSize -= readOff; // defining starting bit
readBuff = readBuff & ((1 << readSize) - 1); // bitmasking
}
@ -97,12 +100,9 @@ namespace Utils {
}else{
offset = dataSize * 8;
}
}
long long unsigned int bitstream::size() {
return (dataSize * 8) - offset;
}
long long unsigned int bitstream::size(){return (dataSize * 8) - offset;}
void bitstream::clear(){
dataSize = 0;
@ -117,40 +117,33 @@ namespace Utils {
long long unsigned int bitstream::golombPeeker(){
for (size_t i = 0; i < 64 && i < size(); i++){
if (peekOffset(i)) {
return peek((i * 2) + 1);
}
if (peekOffset(i)){return peek((i * 2) + 1);}
}
return 0;
}
long long unsigned int bitstream::golombGetter(){
for (size_t i = 0; i < 64 && i < size(); i++){
if (peekOffset(i)) {
return get((i * 2) + 1);
}
if (peekOffset(i)){return get((i * 2) + 1);}
}
return 0;
}
long long int bitstream::getExpGolomb(){
long long unsigned int temp = golombGetter();
return (temp >> 1) * (1 - ((temp & 1) << 1)); //Is actually return (temp / 2) * (1 - (temp & 1) * 2);
return (temp >> 1) *
(1 - ((temp & 1) << 1)); // Is actually return (temp / 2) * (1 - (temp & 1) * 2);
}
long long unsigned int bitstream::getUExpGolomb() {
return golombGetter() - 1;
}
long long unsigned int bitstream::getUExpGolomb(){return golombGetter() - 1;}
long long int bitstream::peekExpGolomb(){
long long unsigned int temp = golombPeeker();
return (temp >> 1) * (1 - ((temp & 1) << 1)); //Is actually return (temp / 2) * (1 - (temp & 1) * 2);
}
long long unsigned int bitstream::peekUExpGolomb() {
return golombPeeker() - 1;
return (temp >> 1) *
(1 - ((temp & 1) << 1)); // Is actually return (temp / 2) * (1 - (temp & 1) * 2);
}
long long unsigned int bitstream::peekUExpGolomb(){return golombPeeker() - 1;}
bitWriter::bitWriter(){
dataBuffer = NULL;
@ -160,9 +153,7 @@ namespace Utils {
}
bitWriter::~bitWriter(){
if (dataBuffer != NULL){
free(dataBuffer);
}
if (dataBuffer != NULL){free(dataBuffer);}
}
void bitWriter::reallocate(size_t newSize){
@ -182,14 +173,10 @@ namespace Utils {
}
}
size_t bitWriter::size() {
return dataSize;
}
size_t bitWriter::size(){return dataSize;}
void bitWriter::append(uint64_t value, size_t bitLength){
if (dataSize + bitLength > bufferSize){
reallocate(dataSize + bitLength);
}
if (dataSize + bitLength > bufferSize){reallocate(dataSize + bitLength);}
int64_t fullShift = (bitLength / 8) * 8;
uint64_t firstMask = ((0x01ull << (bitLength % 8)) - 1) << fullShift;
@ -240,7 +227,6 @@ namespace Utils {
append(value + 1, UExpGolombEncodedSize(value));
}
// Note: other bitstream here
bitstreamLSBF::bitstreamLSBF(){
readBufferOffset = 0;
@ -257,9 +243,7 @@ namespace Utils {
fixData();
}
long long unsigned int bitstreamLSBF::size() {
return data.size() * 8 + readBufferOffset;
}
long long unsigned int bitstreamLSBF::size(){return data.size() * 8 + readBufferOffset;}
long long unsigned int bitstreamLSBF::get(size_t count){
if (count <= 32 && count <= readBufferOffset){
@ -281,9 +265,7 @@ namespace Utils {
}
long long unsigned int bitstreamLSBF::peek(size_t count){
if (count <= 32 && count <= readBufferOffset) {
return readBuffer & ((1 << count) - 1);
}
if (count <= 32 && count <= readBufferOffset){return readBuffer & ((1 << count) - 1);}
return 0;
}
@ -302,4 +284,5 @@ namespace Utils {
}
data.erase(0, pos);
}
}
}// namespace Utils

View file

@ -1,6 +1,6 @@
#pragma once
#include<string>
#include "defines.h"
#include <string>
namespace Utils{
class bitstream{
@ -9,11 +9,12 @@ namespace Utils {
bitstream &operator<<(std::string input){
append(input);
return *this;
};
}
bitstream &operator<<(char input){
append(std::string(input, 1));
return *this;
};
}
~bitstream();
void append(const char *input, size_t bytes);
void append(const std::string &input);
long long unsigned int size();
@ -58,6 +59,7 @@ namespace Utils {
void appendUExpGolomb(uint64_t value);
static size_t UExpGolombEncodedSize(uint64_t value);
std::string str(){return std::string(dataBuffer, (dataSize / 8) + (dataSize % 8 ? 1 : 0));}
protected:
void reallocate(size_t newSize);
void appendData(uint8_t data, size_t len);
@ -75,7 +77,7 @@ namespace Utils {
bitstreamLSBF &operator<<(std::string input){
append(input);
return *this;
};
}
void append(char *input, size_t bytes);
void append(std::string &input);
long long unsigned int size();
@ -84,11 +86,11 @@ namespace Utils {
long long unsigned int peek(size_t count);
void clear();
std::string data;
private:
long long unsigned int readBuffer;
unsigned int readBufferOffset;
void fixData();
};
}
}// namespace Utils

View file

@ -3,11 +3,11 @@
#include "config.h"
#include "defines.h"
#include "stream.h"
#include "timing.h"
#include "tinythread.h"
#include "stream.h"
#include <string.h>
#include <signal.h>
#include <string.h>
#ifdef __CYGWIN__
#include <windows.h>
@ -21,22 +21,22 @@
#if defined(__APPLE__)
#include <mach-o/dyld.h>
#endif
#include "procs.h"
#include <dirent.h> //for getMyExec
#include <errno.h>
#include <fcntl.h>
#include <fstream>
#include <getopt.h>
#include <iostream>
#include <pwd.h>
#include <signal.h>
#include <stdlib.h>
#include <sys/types.h>
#include <unistd.h>
#include <fcntl.h>
#include <pwd.h>
#include <getopt.h>
#include <stdlib.h>
#include <fstream>
#include <dirent.h> //for getMyExec
#include "procs.h"
bool Util::Config::is_active = false;
static Socket::Server *serv_sock_pointer = 0;
unsigned int Util::Config::printDebugLevel = DEBUG;//
uint32_t Util::Config::printDebugLevel = DEBUG; //
std::string Util::Config::streamName;
Util::Config::Config(){
@ -45,7 +45,7 @@ Util::Config::Config() {
vals["debug"]["short"] = "g";
vals["debug"]["arg"] = "integer";
vals["debug"]["help"] = "The debug level at which messages need to be printed.";
vals["debug"]["value"].append((long long)DEBUG);
vals["debug"]["value"].append((int64_t)DEBUG);
}
/// Creates a new configuration manager.
@ -63,19 +63,20 @@ Util::Config::Config(std::string cmd) {
vals["debug"]["short"] = "g";
vals["debug"]["arg"] = "integer";
vals["debug"]["help"] = "The debug level at which messages need to be printed.";
vals["debug"]["value"].append((long long)DEBUG);
vals["debug"]["value"].append((int64_t)DEBUG);
}
/// Adds an option to the configuration parser.
/// The option needs an unique name (doubles will overwrite the previous) and can contain the following in the option itself:
/// The option needs an unique name (doubles will overwrite the previous) and can contain the
/// following in the option itself:
///\code
///{
/// "short":"o", //The short option letter
/// "long":"onName", //The long option
/// "arg":"integer", //The type of argument, if required.
/// "value":[], //The default value(s) for this option if it is not given on the commandline.
/// "arg_num":1, //The count this value has on the commandline, after all the options have been processed.
/// "help":"Blahblahblah" //The helptext for this option.
/// "value":[], //The default value(s) for this option if it is not given on the
/// commandline. "arg_num":1, //The count this value has on the commandline, after all
/// the options have been processed. "help":"Blahblahblah" //The helptext for this option.
///}
///\endcode
void Util::Config::addOption(std::string optname, JSON::Value option){
@ -86,9 +87,7 @@ void Util::Config::addOption(std::string optname, JSON::Value option) {
}
long_count = 0;
jsonForEach(vals, it){
if (it->isMember("long")) {
long_count++;
}
if (it->isMember("long")){long_count++;}
}
}
@ -98,24 +97,14 @@ void Util::Config::printHelp(std::ostream & output) {
std::map<long long int, std::string> args;
jsonForEach(vals, it){
unsigned int current = 0;
if (it->isMember("long")) {
current += (*it)["long"].asString().size() + 4;
}
if (it->isMember("short")) {
current += (*it)["short"].asString().size() + 3;
}
if (current > longest) {
longest = current;
}
if (it->isMember("long")){current += (*it)["long"].asString().size() + 4;}
if (it->isMember("short")){current += (*it)["short"].asString().size() + 3;}
if (current > longest){longest = current;}
current = 0;
if (current > longest) {
longest = current;
}
if (current > longest){longest = current;}
if (it->isMember("arg_num")){
current = it.key().size() + 3;
if (current > longest) {
longest = current;
}
if (current > longest){longest = current;}
args[(*it)["arg_num"].asInt()] = it.key();
}
}
@ -134,28 +123,22 @@ void Util::Config::printHelp(std::ostream & output) {
if (it->isMember("long") && it->isMember("short")){
f = "--" + (*it)["long"].asString() + ", -" + (*it)["short"].asString();
}else{
if (it->isMember("long")) {
f = "--" + (*it)["long"].asString();
}
if (it->isMember("short")) {
f = "-" + (*it)["short"].asString();
}
}
while (f.size() < longest) {
f.append(" ");
if (it->isMember("long")){f = "--" + (*it)["long"].asString();}
if (it->isMember("short")){f = "-" + (*it)["short"].asString();}
}
while (f.size() < longest){f.append(" ");}
if (it->isMember("arg")){
output << f << "(" << (*it)["arg"].asString() << ") " << (*it)["help"].asString() << std::endl;
output << f << "(" << (*it)["arg"].asString() << ") " << (*it)["help"].asString()
<< std::endl;
}else{
output << f << (*it)["help"].asString() << std::endl;
}
}
if (it->isMember("arg_num")){
f = it.key();
while (f.size() < longest) {
f.append(" ");
}
output << f << "(" << (*it)["arg"].asString() << ") " << (*it)["help"].asString() << std::endl;
while (f.size() < longest){f.append(" ");}
output << f << "(" << (*it)["arg"].asString() << ") " << (*it)["help"].asString()
<< std::endl;
}
}
}
@ -172,22 +155,16 @@ bool Util::Config::parseArgs(int & argc, char ** & argv) {
jsonForEach(vals, it){
if (it->isMember("short")){
shortopts += (*it)["short"].asString();
if (it->isMember("arg")) {
shortopts += ":";
}
if (it->isMember("arg")){shortopts += ":";}
}
if (it->isMember("long")){
longOpts[long_i].name = (*it)["long"].asStringRef().c_str();
longOpts[long_i].val = (*it)["short"].asString()[0];
if (it->isMember("arg")) {
longOpts[long_i].has_arg = 1;
}
if (it->isMember("arg")){longOpts[long_i].has_arg = 1;}
long_i++;
}
if (it->isMember("arg_num") && !(it->isMember("value") && (*it)["value"].size())){
if ((*it)["arg_num"].asInt() > arg_count) {
arg_count = (*it)["arg_num"].asInt();
}
if ((*it)["arg_num"].asInt() > arg_count){arg_count = (*it)["arg_num"].asInt();}
}
}
}
@ -195,32 +172,43 @@ bool Util::Config::parseArgs(int & argc, char ** & argv) {
while ((opt = getopt_long(argc, argv, shortopts.c_str(), longOpts, 0)) != -1){
switch (opt){
case 'h':
case '?':
printHelp(std::cout);
case 'v':
std::cout << "Version: " PACKAGE_VERSION ", release " RELEASE << std::endl;
case '?': printHelp(std::cout);
case 'v': std::cout << "Version: " PACKAGE_VERSION ", release " RELEASE << std::endl;
#ifdef NOCRASHCHECK
std::cout << "- Flag: No crash check. Will not attempt to detect and kill crashed processes." << std::endl;
std::cout << "- Flag: No crash check. Will not attempt to detect and kill crashed processes."
<< std::endl;
#endif
#ifndef SHM_ENABLED
std::cout << "- Flag: Shared memory disabled. Will use shared files in stead of shared memory as IPC method." << std::endl;
std::cout << "- Flag: Shared memory disabled. Will use shared files in stead of shared "
"memory as IPC method."
<< std::endl;
#endif
#ifdef WITH_THREADNAMES
std::cout << "- Flag: With threadnames. Debuggers will show sensible human-readable thread names." << std::endl;
std::cout
<< "- Flag: With threadnames. Debuggers will show sensible human-readable thread names."
<< std::endl;
#endif
/*LTS-START*/
#ifndef UPDATER
std::cout << "- Flag: Updater disabled. Server will not call back home and attempt to search for updates at regular intervals." << std::endl;
std::cout << "- Flag: Updater disabled. Server will not call back home and attempt to search "
"for updates at regular intervals."
<< std::endl;
#endif
#ifdef NOAUTH
std::cout << "- Flag: No authentication. API calls do not require logging in with a valid account first. Make sure access to API port isn't public!" << std::endl;
std::cout << "- Flag: No authentication. API calls do not require logging in with a valid "
"account first. Make sure access to API port isn't public!"
<< std::endl;
#endif
#ifdef KILLONEXIT
std::cout << "- Flag: Kill on exit. All binaries will forcibly shut down all their children on exit. This disabled rolling restart support." << std::endl;
std::cout << "- Flag: Kill on exit. All binaries will forcibly shut down all their children "
"on exit. This disabled rolling restart support."
<< std::endl;
#endif
#ifdef STATS_DELAY
if (STATS_DELAY != 15){
std::cout << "- Setting: Stats delay " << STATS_DELAY << ". Statistics of viewer counts are delayed by " << STATS_DELAY << " seconds as opposed to the default of 15 seconds. ";
std::cout << "- Setting: Stats delay " << STATS_DELAY
<< ". Statistics of viewer counts are delayed by " << STATS_DELAY
<< " seconds as opposed to the default of 15 seconds. ";
if (STATS_DELAY > 15){
std::cout << "This makes them more accurate." << std::endl;
}else{
@ -236,9 +224,9 @@ bool Util::Config::parseArgs(int & argc, char ** & argv) {
jsonForEach(vals, it){
if (it->isMember("short") && (*it)["short"].asString()[0] == opt){
if (it->isMember("arg")){
(*it)["value"].append((std::string)optarg);
(*it)["value"].append(optarg);
}else{
(*it)["value"].append((long long int)1);
(*it)["value"].append((int64_t)1);
}
break;
}
@ -258,9 +246,7 @@ bool Util::Config::parseArgs(int & argc, char ** & argv) {
optind++;
long_i++;
}
if (long_i <= arg_count) {
return false;
}
if (long_i <= arg_count){return false;}
printDebugLevel = getInteger("debug");
return true;
}
@ -273,25 +259,22 @@ bool Util::Config::hasOption(const std::string & optname) {
/// If the option does not exist, this exits the application with a return code of 37.
JSON::Value &Util::Config::getOption(std::string optname, bool asArray){
if (!vals.isMember(optname)){
std::cout << "Fatal error: a non-existent option '" << optname << "' was accessed." << std::endl;
std::cout << "Fatal error: a non-existent option '" << optname << "' was accessed."
<< std::endl;
exit(37);
}
if (!vals[optname].isMember("value") || !vals[optname]["value"].isArray()){
vals[optname]["value"].append(JSON::Value());
vals[optname]["value"].shrink(0);
}
if (asArray) {
return vals[optname]["value"];
} else {
if (asArray){return vals[optname]["value"];}
int n = vals[optname]["value"].size();
if (!n){
static JSON::Value empty = "";
return empty;
}else{
}
return vals[optname]["value"][n - 1];
}
}
}
/// Returns the current value of an option or default if none was set as a string.
/// Calls getOption internally.
@ -301,7 +284,7 @@ std::string Util::Config::getString(std::string optname) {
/// Returns the current value of an option or default if none was set as a long long int.
/// Calls getOption internally.
long long int Util::Config::getInteger(std::string optname) {
int64_t Util::Config::getInteger(std::string optname){
return getOption(optname).asInt();
}
@ -317,16 +300,17 @@ struct callbackData {
};
static void callThreadCallback(void *cDataArg){
DEBUG_MSG(DLVL_INSANE, "Thread for %p started", cDataArg);
INSANE_MSG("Thread for %p started", cDataArg);
callbackData *cData = (callbackData *)cDataArg;
cData->cb(*(cData->sock));
cData->sock->close();
delete cData->sock;
delete cData;
DEBUG_MSG(DLVL_INSANE, "Thread for %p ended", cDataArg);
INSANE_MSG("Thread for %p ended", cDataArg);
}
int Util::Config::threadServer(Socket::Server & server_socket, int (*callback)(Socket::Connection &)) {
int Util::Config::threadServer(Socket::Server &server_socket,
int (*callback)(Socket::Connection &)){
Util::Procs::socketList.insert(server_socket.getSocket());
while (is_active && server_socket.connected()){
Socket::Connection S = server_socket.accept();
@ -338,7 +322,7 @@ int Util::Config::threadServer(Socket::Server & server_socket, int (*callback)(S
tthread::thread T(callThreadCallback, (void *)cData);
// detach it, no need to keep track of it anymore
T.detach();
DEBUG_MSG(DLVL_HIGH, "Spawned new thread for socket %i", S.getSocket());
HIGH_MSG("Spawned new thread for socket %i", S.getSocket());
}else{
Util::sleep(10); // sleep 10ms
}
@ -358,7 +342,7 @@ int Util::Config::forkServer(Socket::Server & server_socket, int (*callback)(Soc
server_socket.drop();
return callback(S);
}else{// otherwise, do nothing or output debugging text
DEBUG_MSG(DLVL_HIGH, "Forked new process %i for socket %i", (int)myid, S.getSocket());
HIGH_MSG("Forked new process %i for socket %i", (int)myid, S.getSocket());
S.drop();
}
}else{
@ -379,11 +363,11 @@ int Util::Config::serveThreadedSocket(int (*callback)(Socket::Connection &)) {
server_socket = Socket::Server(getInteger("port"), getString("interface"), false);
}
if (!server_socket.connected()){
DEBUG_MSG(DLVL_DEVEL, "Failure to open socket");
DEVEL_MSG("Failure to open socket");
return 1;
}
serv_sock_pointer = &server_socket;
DEBUG_MSG(DLVL_DEVEL, "Activating threaded server: %s", getString("cmd").c_str());
DEVEL_MSG("Activating threaded server: %s", getString("cmd").c_str());
activate();
int r = threadServer(server_socket, callback);
serv_sock_pointer = 0;
@ -399,11 +383,11 @@ int Util::Config::serveForkedSocket(int (*callback)(Socket::Connection & S)) {
server_socket = Socket::Server(getInteger("port"), getString("interface"), false);
}
if (!server_socket.connected()){
DEBUG_MSG(DLVL_DEVEL, "Failure to open socket");
DEVEL_MSG("Failure to open socket");
return 1;
}
serv_sock_pointer = &server_socket;
DEBUG_MSG(DLVL_DEVEL, "Activating forked server: %s", getString("cmd").c_str());
DEVEL_MSG("Activating forked server: %s", getString("cmd").c_str());
activate();
int r = forkServer(server_socket, callback);
serv_sock_pointer = 0;
@ -457,11 +441,10 @@ void Util::Config::signal_handler(int signum, siginfo_t * sigInfo, void * ignore
case SI_TIMER:
case SI_ASYNCIO:
case SI_MESGQ:
INFO_MSG("Received signal %s (%d) from process %d", strsignal(signum), signum, sigInfo->si_pid);
break;
default:
INFO_MSG("Received signal %s (%d)", strsignal(signum), signum);
INFO_MSG("Received signal %s (%d) from process %d", strsignal(signum), signum,
sigInfo->si_pid);
break;
default: INFO_MSG("Received signal %s (%d)", strsignal(signum), signum); break;
}
break;
case SIGCHLD:{// when a child dies, reap it.
@ -469,9 +452,7 @@ void Util::Config::signal_handler(int signum, siginfo_t * sigInfo, void * ignore
pid_t ret = -1;
while (ret != 0){
ret = waitpid(-1, &status, WNOHANG);
if (ret < 0 && errno != EINTR) {
break;
}
if (ret < 0 && errno != EINTR){break;}
}
HIGH_MSG("Received signal %s (%d) from process %d", strsignal(signum), signum, sigInfo->si_pid);
break;
@ -483,7 +464,6 @@ void Util::Config::signal_handler(int signum, siginfo_t * sigInfo, void * ignore
}
}// signal_handler
/// Adds the options from the given JSON capabilities structure.
/// Recurses into optional and required, added options as needed.
void Util::Config::addOptionsFromCapabilities(const JSON::Value &capa){
@ -505,9 +485,7 @@ void Util::Config::addOptionsFromCapabilities(const JSON::Value & capa){
opt["arg"] = "string";
}
}
if (it->isMember("default")){
opt["value"].append((*it)["default"]);
}
if (it->isMember("default")){opt["value"].append((*it)["default"]);}
opt["help"] = (*it)["help"];
addOption(it.key(), opt);
}
@ -531,24 +509,23 @@ void Util::Config::addOptionsFromCapabilities(const JSON::Value & capa){
opt["arg"] = "string";
}
}
if (it->isMember("default")){
opt["value"].append((*it)["default"]);
}
if (it->isMember("default")){opt["value"].append((*it)["default"]);}
opt["help"] = (*it)["help"];
addOption(it.key(), opt);
}
}
}
/// Adds the default connector options. Also updates the capabilities structure with the default options.
/// Besides the options addBasicConnectorOptions adds, this function also adds port and interface options.
/// Adds the default connector options. Also updates the capabilities structure with the default
/// options. Besides the options addBasicConnectorOptions adds, this function also adds port and
/// interface options.
void Util::Config::addConnectorOptions(int port, JSON::Value &capabilities){
capabilities["optional"]["port"]["name"] = "TCP port";
capabilities["optional"]["port"]["help"] = "TCP port to listen on";
capabilities["optional"]["port"]["type"] = "uint";
capabilities["optional"]["port"]["short"] = "p";
capabilities["optional"]["port"]["option"] = "--port";
capabilities["optional"]["port"]["default"] = (long long)port;
capabilities["optional"]["port"]["default"] = (int64_t)port;
capabilities["optional"]["interface"]["name"] = "Interface";
capabilities["optional"]["interface"]["help"] = "Address of the interface to listen on";
@ -560,10 +537,12 @@ void Util::Config::addConnectorOptions(int port, JSON::Value & capabilities) {
addBasicConnectorOptions(capabilities);
}// addConnectorOptions
/// Adds the default connector options. Also updates the capabilities structure with the default options.
/// Adds the default connector options. Also updates the capabilities structure with the default
/// options.
void Util::Config::addBasicConnectorOptions(JSON::Value &capabilities){
capabilities["optional"]["username"]["name"] = "Username";
capabilities["optional"]["username"]["help"] = "Username to drop privileges to - default if unprovided means do not drop privileges";
capabilities["optional"]["username"]["help"] =
"Username to drop privileges to - default if unprovided means do not drop privileges";
capabilities["optional"]["username"]["option"] = "--username";
capabilities["optional"]["username"]["short"] = "u";
capabilities["optional"]["username"]["default"] = "root";
@ -575,12 +554,10 @@ void Util::Config::addBasicConnectorOptions(JSON::Value & capabilities) {
option["long"] = "json";
option["short"] = "j";
option["help"] = "Output connector info in JSON format, then exit.";
option["value"].append(0ll);
option["value"].append((int64_t)0);
addOption("json", option);
}
/// Gets directory the current executable is stored in.
std::string Util::getMyPath(){
char mypath[500];
@ -604,9 +581,7 @@ std::string Util::getMyPath() {
size_t slash = tPath.rfind('/');
if (slash == std::string::npos){
slash = tPath.rfind('\\');
if (slash == std::string::npos) {
return "";
}
if (slash == std::string::npos){return "";}
}
tPath.resize(slash + 1);
return tPath;
@ -628,16 +603,12 @@ void Util::getMyExec(std::deque<std::string> & execs) {
}
#else
DIR *d = opendir(path.c_str());
if (!d) {
return;
}
if (!d){return;}
struct dirent *dp;
do{
errno = 0;
if ((dp = readdir(d))){
if (strncmp(dp->d_name, "Mist", 4) == 0) {
execs.push_back(dp->d_name);
}
if (strncmp(dp->d_name, "Mist", 4) == 0){execs.push_back(dp->d_name);}
}
}while (dp != NULL);
closedir(d);
@ -649,13 +620,13 @@ void Util::setUser(std::string username) {
if (username != "root"){
struct passwd *user_info = getpwnam(username.c_str());
if (!user_info){
DEBUG_MSG(DLVL_ERROR, "Error: could not setuid %s: could not get PID", username.c_str());
ERROR_MSG("Error: could not setuid %s: could not get PID", username.c_str());
return;
}else{
if (setuid(user_info->pw_uid) != 0){
DEBUG_MSG(DLVL_ERROR, "Error: could not setuid %s: not allowed", username.c_str());
ERROR_MSG("Error: could not setuid %s: not allowed", username.c_str());
}else{
DEBUG_MSG(DLVL_DEVEL, "Change user to %s", username.c_str());
DEVEL_MSG("Change user to %s", username.c_str());
}
}
}

View file

@ -7,9 +7,9 @@
#define PACKAGE_VERSION "unknown"
#endif
#include <string>
#include "json.h"
#include <signal.h>
#include <string>
/// Contains utility code, not directly related to streaming media
namespace Util{
@ -20,10 +20,11 @@ namespace Util {
JSON::Value vals; ///< Holds all current config values
int long_count;
static void signal_handler(int signum, siginfo_t *sigInfo, void *ignore);
public:
// variables
static bool is_active; ///< Set to true by activate(), set to false by the signal handler.
static unsigned int printDebugLevel;
static uint32_t printDebugLevel;
static std::string streamName; ///< Used by debug messages to identify the stream name
// functions
Config();
@ -34,7 +35,7 @@ namespace Util {
bool hasOption(const std::string &optname);
JSON::Value &getOption(std::string optname, bool asArray = false);
std::string getString(std::string optname);
long long int getInteger(std::string optname);
int64_t getInteger(std::string optname);
bool getBool(std::string optname);
void activate();
int threadServer(Socket::Server &server_socket, int (*callback)(Socket::Connection &S));
@ -56,4 +57,5 @@ namespace Util {
/// Will set the active user to the named username.
void setUser(std::string user);
}
}// namespace Util

View file

@ -18,7 +18,9 @@
#define PRETTY_ARG_TIME(t) (int)(t)/86400, ((int)(t)%86400)/3600, ((int)(t)%3600)/60, (int)(t)%60
#if DEBUG > -1
#define __STDC_FORMAT_MACROS 1
#include <stdio.h>
#include <unistd.h>
#include <inttypes.h>
#include <stdint.h>
#include "config.h"

View file

@ -1,7 +1,7 @@
#include "downloader.h"
#include "defines.h"
#include "timing.h"
#include "encode.h"
#include "timing.h"
namespace HTTP{
@ -66,7 +66,8 @@ namespace HTTP{
}
/// Sends a request for the given URL, does no waiting.
void Downloader::doRequest(const HTTP::URL &link, const std::string &method, const std::string &body){
void Downloader::doRequest(const HTTP::URL &link, const std::string &method,
const std::string &body){
if (!canRequest(link)){return;}
bool needSSL = (link.protocol == "https");
H.Clean();
@ -116,9 +117,7 @@ namespace HTTP{
H.SetHeader("Host", link.host);
}
}
if (method.size()){
H.method = method;
}
if (method.size()){H.method = method;}
H.SetHeader("User-Agent", "MistServer " PACKAGE_VERSION);
H.SetHeader("X-Version", PACKAGE_VERSION);
H.SetHeader("Accept", "*/*");
@ -142,9 +141,10 @@ namespace HTTP{
/// Makes at most 5 attempts, and will wait no longer than 5 seconds without receiving data.
bool Downloader::get(const HTTP::URL &link, uint8_t maxRecursiveDepth){
if (!canRequest(link)){return false;}
unsigned int loop = retryCount+1; // max 5 attempts
size_t loop = retryCount + 1; // max 5 attempts
while (--loop){// loop while we are unsuccessful
MEDIUM_MSG("Retrieving %s (%lu/%lu)", link.getUrl().c_str(), retryCount-loop+1, retryCount);
MEDIUM_MSG("Retrieving %s (%zu/%" PRIu32 ")", link.getUrl().c_str(), retryCount - loop + 1,
retryCount);
doRequest(link);
uint64_t reqTime = Util::bootSecs();
while (getSocket() && Util::bootSecs() < reqTime + dataTimeout){
@ -179,10 +179,12 @@ namespace HTTP{
reqTime = Util::bootSecs();
}
if (getSocket()){
FAIL_MSG("Timeout while retrieving %s (%lu/%lu)", link.getUrl().c_str(), retryCount-loop+1, retryCount);
FAIL_MSG("Timeout while retrieving %s (%zu/%" PRIu32 ")", link.getUrl().c_str(),
retryCount - loop + 1, retryCount);
getSocket().close();
}else{
FAIL_MSG("Lost connection while retrieving %s (%lu/%lu)", link.getUrl().c_str(), retryCount-loop+1, retryCount);
FAIL_MSG("Lost connection while retrieving %s (%zu/%" PRIu32 ")", link.getUrl().c_str(),
retryCount - loop + 1, retryCount);
}
Util::sleep(500); // wait a bit before retrying
}
@ -190,11 +192,13 @@ namespace HTTP{
return false;
}
bool Downloader::post(const HTTP::URL &link, const std::string &payload, bool sync, uint8_t maxRecursiveDepth){
bool Downloader::post(const HTTP::URL &link, const std::string &payload, bool sync,
uint8_t maxRecursiveDepth){
if (!canRequest(link)){return false;}
unsigned int loop = retryCount; // max 5 attempts
size_t loop = retryCount; // max 5 attempts
while (--loop){// loop while we are unsuccessful
MEDIUM_MSG("Posting to %s (%lu/%lu)", link.getUrl().c_str(), retryCount-loop+1, retryCount);
MEDIUM_MSG("Posting to %s (%zu/%" PRIu32 ")", link.getUrl().c_str(), retryCount - loop + 1,
retryCount);
doRequest(link, "POST", payload);
// Not synced? Ignore the response and immediately return false.
if (!sync){return false;}
@ -261,9 +265,7 @@ namespace HTTP{
setHeader("Cookie", cookie.substr(0, cookie.find(';')));
}
uint32_t sCode = getStatusCode();
if (sCode == 401 || sCode == 407 || (sCode >= 300 && sCode < 400)){
return true;
}
if (sCode == 401 || sCode == 407 || (sCode >= 300 && sCode < 400)){return true;}
return false;
}
@ -285,9 +287,7 @@ namespace HTTP{
}
if (getStatusCode() == 407){
// retry with authentication
if (H.hasHeader("Proxy-Authenticate")){
proxyAuthStr = H.GetHeader("Proxy-Authenticate");
}
if (H.hasHeader("Proxy-Authenticate")){proxyAuthStr = H.GetHeader("Proxy-Authenticate");}
if (!proxyAuthStr.size()){
FAIL_MSG("Proxy authentication required but no Proxy-Authenticate header present");
return false;

View file

@ -7,16 +7,20 @@ namespace HTTP{
Downloader();
std::string &data();
const std::string &const_data() const;
void doRequest(const HTTP::URL &link, const std::string &method="", const std::string &body="");
void doRequest(const HTTP::URL &link, const std::string &method = "",
const std::string &body = "");
bool get(const std::string &link);
bool get(const HTTP::URL &link, uint8_t maxRecursiveDepth = 6);
bool post(const HTTP::URL &link, const std::string &payload, bool sync = true, uint8_t maxRecursiveDepth = 6);
bool post(const HTTP::URL &link, const std::string &payload, bool sync = true,
uint8_t maxRecursiveDepth = 6);
std::string getHeader(const std::string &headerName);
std::string &getStatusText();
uint32_t getStatusCode();
bool isOk(); ///< True if the request was successful.
bool shouldContinue(); ///<True if the request should be followed-up with another. E.g. redirect or authenticate.
bool canContinue(const HTTP::URL &link);///<True if the request is able to continue, false if there is a state error or some such.
bool shouldContinue(); ///< True if the request should be followed-up with another. E.g.
///< redirect or authenticate.
bool canContinue(const HTTP::URL &link); ///< True if the request is able to continue, false if
///< there is a state error or some such.
bool (*progressCallback)(); ///< Called every time the socket stalls, up to 4X per second.
void setHeader(const std::string &name, const std::string &val);
void clearHeaders();

View file

@ -80,22 +80,22 @@ namespace DTSC {
Scan();
Scan(char * pointer, size_t len);
operator bool() const;
std::string toPrettyString(unsigned int indent = 0);
bool hasMember(std::string indice);
bool hasMember(const char * indice, const unsigned int ind_len);
Scan getMember(std::string indice);
Scan getMember(const char * indice);
Scan getMember(const char * indice, const unsigned int ind_len);
Scan getIndice(unsigned int num);
std::string getIndiceName(unsigned int num);
unsigned int getSize();
std::string toPrettyString(size_t indent = 0) const;
bool hasMember(const std::string & indice) const;
bool hasMember(const char * indice, size_t ind_len) const;
Scan getMember(const std::string & indice) const;
Scan getMember(const char * indice) const;
Scan getMember(const char * indice, size_t ind_len) const;
Scan getIndice(size_t num) const;
std::string getIndiceName(size_t num) const;
size_t getSize() const;
char getType();
bool asBool();
long long asInt();
std::string asString();
void getString(char *& result, unsigned int & len);
JSON::Value asJSON();
char getType() const;
bool asBool() const;
int64_t asInt() const;
std::string asString() const;
void getString(char *& result, size_t & len) const;
JSON::Value asJSON() const;
private:
char * p;
size_t len;
@ -111,7 +111,7 @@ namespace DTSC {
Packet();
Packet(const Packet & rhs);
Packet(const char * data_, unsigned int len, bool noCopy = false);
~Packet();
virtual ~Packet();
void null();
void operator = (const Packet & rhs);
operator bool() const;
@ -119,7 +119,8 @@ namespace DTSC {
void reInit(Socket::Connection & src);
void reInit(const char * data_, unsigned int len, bool noCopy = false);
void genericFill(long long packTime, long long packOffset, long long packTrack, const char * packData, long long packDataSize, uint64_t packBytePos, bool isKeyframe, int64_t bootMsOffset = 0);
void getString(const char * identifier, char *& result, unsigned int & len) const;
void appendData(const char * appendData, uint32_t appendLen);
void getString(const char * identifier, char *& result, size_t & len) const;
void getString(const char * identifier, std::string & result) const;
void getInt(const char * identifier, uint64_t & result) const;
uint64_t getInt(const char * identifier) const;
@ -129,23 +130,24 @@ namespace DTSC {
void appendNal(const char * appendData, uint32_t appendLen);
void upgradeNal(const char * appendData, uint32_t appendLen);
void setKeyFrame(bool kf);
virtual long long unsigned int getTime() const;
long int getTrackId() const;
virtual uint64_t getTime() const;
void setTime(uint64_t _time);
size_t getTrackId() const;
char * getData() const;
int getDataLen() const;
int getPayloadLen() const;
uint32_t getDataStringLen();
uint32_t getDataStringLenOffset();
size_t getDataLen() const;
size_t getPayloadLen() const;
size_t getDataStringLen();
size_t getDataStringLenOffset();
JSON::Value toJSON() const;
std::string toSummary() const;
Scan getScan() const;
protected:
bool master;
packType version;
void resize(unsigned int size);
void resize(size_t size);
char * data;
unsigned int bufferLen;
unsigned int dataLen;
size_t bufferLen;
size_t dataLen;
uint64_t prevNalSize;
};
@ -162,7 +164,7 @@ namespace DTSC {
RetimedPacket(uint64_t reTime, const char * data_, unsigned int len, bool noCopy = false) : Packet(data_, len, noCopy){
timeOverride = reTime;
}
virtual long long unsigned int getTime() const{return timeOverride;}
virtual uint64_t getTime() const{return timeOverride;}
protected:
uint64_t timeOverride;
};

View file

@ -60,19 +60,19 @@ namespace DTSC {
/// Valid packets have a length of at least 8, known header type, and length equal to the length set in the header.
Packet::operator bool() const {
if (!data) {
DEBUG_MSG(DLVL_DONTEVEN, "No data");
DONTEVEN_MSG("No data");
return false;
}
if (dataLen < 8) {
DEBUG_MSG(DLVL_VERYHIGH, "Datalen < 8");
VERYHIGH_MSG("Datalen < 8");
return false;
}
if (version == DTSC_INVALID) {
DEBUG_MSG(DLVL_VERYHIGH, "No valid version");
VERYHIGH_MSG("No valid version");
return false;
}
if (ntohl(((int *)data)[1]) + 8 > dataLen) {
DEBUG_MSG(DLVL_VERYHIGH, "Length mismatch");
VERYHIGH_MSG("Length mismatch");
return false;
}
return true;
@ -100,14 +100,14 @@ namespace DTSC {
/// Internally used resize function for when operating in copy mode and the internal buffer is too small.
/// It will only resize up, never down.
///\param len The length th scale the buffer up to if necessary
void Packet::resize(unsigned int len) {
void Packet::resize(size_t len) {
if (master && len > bufferLen) {
char * tmp = (char *)realloc(data, len);
if (tmp) {
data = tmp;
bufferLen = len;
} else {
DEBUG_MSG(DLVL_FAIL, "Out of memory on parsing a packet");
FAIL_MSG("Out of memory on parsing a packet");
}
}
}
@ -156,7 +156,7 @@ namespace DTSC {
if (data_[0] != 'D' || data_[1] != 'T') {
unsigned int twlen = len;
if (twlen > 20){twlen = 20;}
DEBUG_MSG(DLVL_HIGH, "ReInit received a pointer that didn't start with 'DT' but with %s (%u) - data corruption?", JSON::Value(std::string(data_, twlen)).toString().c_str(), len);
HIGH_MSG("ReInit received a pointer that didn't start with 'DT' but with %s (%u) - data corruption?", JSON::Value(std::string(data_, twlen)).toString().c_str(), len);
null();
return;
}
@ -179,28 +179,24 @@ namespace DTSC {
//check header type and store packet length
dataLen = len;
version = DTSC_INVALID;
if (len > 3) {
if (len < 4) {
FAIL_MSG("ReInit received a packet with size < 4");
return;
}
if (!memcmp(data, Magic_Packet2, 4)) {
version = DTSC_V2;
} else {
}
if (!memcmp(data, Magic_Packet, 4)) {
version = DTSC_V1;
} else {
}
if (!memcmp(data, Magic_Header, 4)) {
version = DTSC_HEAD;
} else {
}
if (!memcmp(data, Magic_Command, 4)) {
version = DTCM;
} else {
DEBUG_MSG(DLVL_FAIL, "ReInit received a packet with invalid header");
return;
}
}
}
}
} else {
DEBUG_MSG(DLVL_FAIL, "ReInit received a packet with size < 4");
return;
if (version == DTSC_INVALID){
FAIL_MSG("ReInit received a packet with invalid header");
}
}
@ -298,12 +294,21 @@ namespace DTSC {
}
}
void Packet::appendData(const char * appendData, uint32_t appendLen){
resize(dataLen + appendLen);
memcpy(data + dataLen-3, appendData, appendLen);
memcpy(data + dataLen-3 + appendLen, "\000\000\356", 3); //end container
dataLen += appendLen;
Bit::htobl(data+4, Bit::btohl(data +4)+appendLen);
uint32_t offset = getDataStringLenOffset();
Bit::htobl(data+offset, Bit::btohl(data+offset)+appendLen);
}
void Packet::appendNal(const char * appendData, uint32_t appendLen){
if(appendLen ==0){
return;
}
// INFO_MSG("totallen: %d, appendLen: %d",totalLen,appendLen);
resize(dataLen + appendLen +4);
Bit::htobl(data+dataLen -3, appendLen);
memcpy(data + dataLen-3+4, appendData, appendLen);
@ -336,13 +341,13 @@ namespace DTSC {
Bit::htobl(data+offset, Bit::btohl(data+offset)+appendLen);
}
uint32_t Packet::getDataStringLen(){
size_t Packet::getDataStringLen(){
return Bit::btohl(data+getDataStringLenOffset());
}
///Method can only be used when using internal functions to build the data.
uint32_t Packet::getDataStringLenOffset(){
uint32_t offset = 23;
size_t Packet::getDataStringLenOffset(){
size_t offset = 23;
while (data[offset] != 'd'){
switch (data[offset]){
case 'o': offset += 17; break;
@ -408,7 +413,7 @@ namespace DTSC {
///\param identifier The name of the parameter
///\param result A location on which the string will be returned
///\param len An integer in which the length of the string will be returned
void Packet::getString(const char * identifier, char *& result, unsigned int & len) const {
void Packet::getString(const char * identifier, char *& result, size_t & len) const {
getScan().getMember(identifier).getString(result, len);
}
@ -441,7 +446,7 @@ namespace DTSC {
void Packet::getFlag(const char * identifier, bool & result) const {
uint64_t result_;
getInt(identifier, result_);
result = (bool)result_;
result = result_;
}
///\brief Retrieves a single parameter as a boolean
@ -462,7 +467,7 @@ namespace DTSC {
///\brief Returns the timestamp of the packet.
///\return The timestamp of this packet.
long long unsigned int Packet::getTime() const {
uint64_t Packet::getTime() const {
if (version != DTSC_V2) {
if (!data) {
return 0;
@ -472,9 +477,17 @@ namespace DTSC {
return Bit::btohll(data + 12);
}
void Packet::setTime(uint64_t _time) {
if (!master){
INFO_MSG("Can't set the time for this packet, as it is not master.");
return;
}
Bit::htobll(data + 12, _time);
}
///\brief Returns the track id of the packet.
///\return The track id of this packet.
long int Packet::getTrackId() const {
size_t Packet::getTrackId() const {
if (version != DTSC_V2) {
return getInt("trackid");
}
@ -489,13 +502,13 @@ namespace DTSC {
///\brief Returns the size of this packet.
///\return The size of this packet.
int Packet::getDataLen() const {
uint64_t Packet::getDataLen() const {
return dataLen;
}
///\brief Returns the size of the payload of this packet.
///\return The size of the payload of this packet.
int Packet::getPayloadLen() const {
size_t Packet::getPayloadLen() const {
if (version == DTSC_V2) {
return dataLen - 20;
} else {
@ -516,12 +529,12 @@ namespace DTSC {
///\return A JSON::Value representation of this packet.
JSON::Value Packet::toJSON() const {
JSON::Value result;
unsigned int i = 8;
uint32_t i = 8;
if (getVersion() == DTSC_V1) {
JSON::fromDTMI((const unsigned char *)data, dataLen, i, result);
JSON::fromDTMI(data, dataLen, i, result);
}
if (getVersion() == DTSC_V2) {
JSON::fromDTMI2((const unsigned char *)data, dataLen, i, result);
JSON::fromDTMI2(data, dataLen, i, result);
}
return result;
}
@ -529,7 +542,7 @@ namespace DTSC {
std::string Packet::toSummary() const {
std::stringstream out;
char * res = 0;
unsigned int len = 0;
size_t len = 0;
getString("data", res, len);
out << getTrackId() << "@" << getTime() << ": " << len << " bytes";
if (hasMember("keyframe")){
@ -558,13 +571,13 @@ namespace DTSC {
/// Returns an object representing the named indice of this object.
/// Returns an invalid object if this indice doesn't exist or this isn't an object type.
Scan Scan::getMember(std::string indice) {
Scan Scan::getMember(const std::string & indice) const {
return getMember(indice.data(), indice.size());
}
/// Returns an object representing the named indice of this object.
/// Returns an invalid object if this indice doesn't exist or this isn't an object type.
Scan Scan::getMember(const char * indice, const unsigned int ind_len) {
Scan Scan::getMember(const char * indice, const size_t ind_len) const {
if (getType() != DTSC_OBJ && getType() != DTSC_CON) {
return Scan();
}
@ -574,79 +587,75 @@ namespace DTSC {
if (i + 2 >= p + len) {
return Scan();//out of packet!
}
unsigned int strlen = Bit::btohs(i);
uint16_t strlen = Bit::btohs(i);
i += 2;
if (ind_len == strlen && strncmp(indice, i, strlen) == 0) {
return Scan(i + strlen, len - (i - p));
} else {
}
i = skipDTSC(i + strlen, p + len);
if (!i) {
return Scan();
}
}
}
return Scan();
}
/// Returns an object representing the named indice of this object.
/// Returns an invalid object if this indice doesn't exist or this isn't an object type.
bool Scan::hasMember(std::string indice){
bool Scan::hasMember(const std::string & indice) const{
return getMember(indice.data(), indice.size());
}
/// Returns whether an object representing the named indice of this object exists.
/// Returns false if this indice doesn't exist or this isn't an object type.
bool Scan::hasMember(const char * indice, const unsigned int ind_len) {
bool Scan::hasMember(const char * indice, const size_t ind_len) const {
return getMember(indice, ind_len);
}
/// Returns an object representing the named indice of this object.
/// Returns an invalid object if this indice doesn't exist or this isn't an object type.
Scan Scan::getMember(const char * indice) {
Scan Scan::getMember(const char * indice) const {
return getMember(indice, strlen(indice));
}
/// Returns the amount of indices if an array, the amount of members if an object, or zero otherwise.
unsigned int Scan::getSize() {
size_t Scan::getSize() const {
uint32_t arr_indice = 0;
if (getType() == DTSC_ARR) {
char * i = p + 1;
unsigned int arr_indice = 0;
//array, scan contents
while (i[0] + i[1] != 0 && i < p + len) { //while not encountering 0x0000 (we assume 0x0000EE)
//search through contents...
arr_indice++;
i = skipDTSC(i, p + len);
if (!i) {
return arr_indice;
break;
}
}
return arr_indice;
}
if (getType() == DTSC_OBJ || getType() == DTSC_CON) {
char * i = p + 1;
unsigned int arr_indice = 0;
//object, scan contents
while (i[0] + i[1] != 0 && i < p + len) { //while not encountering 0x0000 (we assume 0x0000EE)
if (i + 2 >= p + len) {
return Scan();//out of packet!
}
unsigned int strlen = Bit::btohs(i);
uint16_t strlen = Bit::btohs(i);
i += 2;
arr_indice++;
i = skipDTSC(i + strlen, p + len);
if (!i) {
return arr_indice;
break;
}
}
}
return arr_indice;
}
return 0;
}
/// Returns an object representing the num-th indice of this array.
/// If not an array but an object, it returns the num-th member, instead.
/// Returns an invalid object if this indice doesn't exist or this isn't an array or object type.
Scan Scan::getIndice(unsigned int num) {
Scan Scan::getIndice(size_t num) const {
if (getType() == DTSC_ARR) {
char * i = p + 1;
unsigned int arr_indice = 0;
@ -690,7 +699,7 @@ namespace DTSC {
/// Returns the name of the num-th member of this object.
/// Returns an empty string on error or when not an object.
std::string Scan::getIndiceName(unsigned int num) {
std::string Scan::getIndiceName(size_t num) const {
if (getType() == DTSC_OBJ || getType() == DTSC_CON) {
char * i = p + 1;
unsigned int arr_indice = 0;
@ -716,7 +725,7 @@ namespace DTSC {
}
/// Returns the first byte of this DTSC value, or 0 on error.
char Scan::getType() {
char Scan::getType() const {
if (!p) {
return 0;
}
@ -728,7 +737,7 @@ namespace DTSC {
/// Strings are checked for non-zero length.
/// Objects and arrays are checked for content.
/// Returns false on error or in other cases.
bool Scan::asBool() {
bool Scan::asBool() const {
switch (getType()) {
case DTSC_STR:
return (p[1] | p[2] | p[3] | p[4]);
@ -746,13 +755,13 @@ namespace DTSC {
/// Returns the long long value of this DTSC number value.
/// Will convert string values to numbers, taking octal and hexadecimal types into account.
/// Illegal or invalid values return 0.
long long Scan::asInt() {
int64_t Scan::asInt() const {
switch (getType()) {
case DTSC_INT:
return Bit::btohll(p+1);
case DTSC_STR:
char * str;
unsigned int strlen;
size_t strlen;
getString(str, strlen);
if (!strlen) {
return 0;
@ -767,7 +776,7 @@ namespace DTSC {
/// Uses getString internally, if a string.
/// Converts integer values to strings.
/// Returns an empty string on error.
std::string Scan::asString() {
std::string Scan::asString() const {
switch (getType()) {
case DTSC_INT:{
std::stringstream st;
@ -777,7 +786,7 @@ namespace DTSC {
break;
case DTSC_STR:{
char * str;
unsigned int strlen;
size_t strlen;
getString(str, strlen);
return std::string(str, strlen);
}
@ -789,25 +798,22 @@ namespace DTSC {
/// Sets result to a pointer to the string, and strlen to the length of it.
/// Sets both to zero if this isn't a DTSC string value.
/// Attempts absolutely no conversion.
void Scan::getString(char *& result, unsigned int & strlen) {
switch (getType()) {
case DTSC_STR:
void Scan::getString(char *& result, size_t & strlen) const {
if (getType() == DTSC_STR){
result = p + 5;
strlen = Bit::btohl(p+1);
return;
default:
}
result = 0;
strlen = 0;
return;
}
}
/// Returns the DTSC scan object as a JSON value
/// Returns an empty object on error.
JSON::Value Scan::asJSON(){
JSON::Value Scan::asJSON() const {
JSON::Value result;
unsigned int i = 0;
JSON::fromDTMI((const unsigned char*)p, len, i, result);
JSON::fromDTMI(p, len, i, result);
return result;
}
@ -826,7 +832,7 @@ namespace DTSC {
static std::string string_escape(const std::string val) {
std::stringstream out;
out << "\"";
for (unsigned int i = 0; i < val.size(); ++i) {
for (size_t i = 0; i < val.size(); ++i) {
switch (val.data()[i]) {
case '"':
out << "\\\"";
@ -864,10 +870,10 @@ namespace DTSC {
return out.str();
}
std::string Scan::toPrettyString(unsigned int indent) {
std::string Scan::toPrettyString(size_t indent) const {
switch (getType()) {
case DTSC_STR: {
unsigned int strlen = Bit::btohl(p+1);
uint32_t strlen = Bit::btohl(p+1);
if (strlen > 250) {
std::stringstream ret;
ret << "\"" << strlen << " bytes of data\"";
@ -891,25 +897,25 @@ namespace DTSC {
while (i[0] + i[1] != 0 && i < p + len) { //while not encountering 0x0000 (we assume 0x0000EE)
if (i + 2 >= p + len) {
indent -= 2;
ret << std::string((size_t)indent, ' ') << "} //walked out of object here";
ret << std::string(indent, ' ') << "} //walked out of object here";
return ret.str();
}
if (!first){
ret << "," << std::endl;
}
first = false;
unsigned int strlen = Bit::btohs(i);
uint16_t strlen = Bit::btohs(i);
i += 2;
ret << std::string((size_t)indent, ' ') << "\"" << std::string(i, strlen) << "\": " << Scan(i + strlen, len - (i - p)).toPrettyString(indent);
ret << std::string(indent, ' ') << "\"" << std::string(i, strlen) << "\": " << Scan(i + strlen, len - (i - p)).toPrettyString(indent);
i = skipDTSC(i + strlen, p + len);
if (!i) {
indent -= 2;
ret << std::string((size_t)indent, ' ') << "} //could not locate next object";
ret << std::string(indent, ' ') << "} //could not locate next object";
return ret.str();
}
}
indent -= 2;
ret << std::endl << std::string((size_t)indent, ' ') << "}";
ret << std::endl << std::string(indent, ' ') << "}";
return ret.str();
}
case DTSC_ARR: {
@ -926,11 +932,11 @@ namespace DTSC {
ret << "," << std::endl;
}
first = false;
ret << std::string((size_t)indent, ' ') << tmpScan.toPrettyString(indent);
ret << std::string(indent, ' ') << tmpScan.toPrettyString(indent);
}
} while (tmpScan.getType());
indent -= 2;
ret << std::endl << std::string((size_t)indent, ' ') << "]";
ret << std::endl << std::string(indent, ' ') << "]";
return ret.str();
}
default:
@ -1205,26 +1211,26 @@ namespace DTSC {
Track::Track(Scan & trackRef) {
if (trackRef.getMember("fragments").getType() == DTSC_STR) {
char * tmp = 0;
unsigned int tmplen = 0;
size_t tmplen = 0;
trackRef.getMember("fragments").getString(tmp, tmplen);
fragments = std::deque<Fragment>((Fragment *)tmp, ((Fragment *)tmp) + (tmplen / PACKED_FRAGMENT_SIZE));
}
if (trackRef.getMember("keys").getType() == DTSC_STR) {
char * tmp = 0;
unsigned int tmplen = 0;
size_t tmplen = 0;
trackRef.getMember("keys").getString(tmp, tmplen);
keys = std::deque<Key>((Key *)tmp, ((Key *)tmp) + (tmplen / PACKED_KEY_SIZE));
}
if (trackRef.getMember("parts").getType() == DTSC_STR) {
char * tmp = 0;
unsigned int tmplen = 0;
size_t tmplen = 0;
trackRef.getMember("parts").getString(tmp, tmplen);
parts = std::deque<Part>((Part *)tmp, ((Part *)tmp) + (tmplen / 9));
}
/*LTS-START*/
if (trackRef.getMember("ivecs").getType() == DTSC_STR) {
char * tmp = 0;
unsigned int tmplen = 0;
size_t tmplen = 0;
trackRef.getMember("ivecs").getString(tmp, tmplen);
ivecs = std::deque<Ivec>((Ivec *)tmp, ((Ivec *)tmp) + (tmplen / 8));
}
@ -1253,7 +1259,7 @@ namespace DTSC {
}
if (trackRef.getMember("keysizes").getType() == DTSC_STR) {
char * tmp = 0;
unsigned int tmplen = 0;
size_t tmplen = 0;
trackRef.getMember("keysizes").getString(tmp, tmplen);
for (unsigned int i = 0; i < tmplen; i += 4){
keySizes.push_back((((long unsigned)tmp[i]) << 24) | (((long unsigned)tmp[i+1]) << 16) | (((long unsigned int)tmp[i+2]) << 8) | tmp[i+3]);
@ -1547,10 +1553,10 @@ namespace DTSC {
///\brief Updates a meta object given a DTSC::Packet
void Meta::update(const DTSC::Packet & pack, unsigned long segment_size) {
char * data;
unsigned int dataLen;
size_t dataLen;
pack.getString("data", data, dataLen);
char * ivec;
unsigned int ivecLen;
size_t ivecLen;
pack.getString("ivec", ivec, ivecLen);
/*LTS
update(pack.getTime(), pack.hasMember("offset")?pack.getInt("offset"):0, pack.getTrackId(), dataLen, pack.hasMember("bpos")?pack.getInt("bpos"):0, pack.hasMember("keyframe"), pack.getDataLen(), segment_size);
@ -1564,13 +1570,13 @@ namespace DTSC {
///\brief Updates a meta object given a DTSC::Packet with byte position override.
void Meta::updatePosOverride(DTSC::Packet & pack, uint64_t bpos) {
char * data;
unsigned int dataLen;
size_t dataLen;
pack.getString("data", data, dataLen);
/*LTS
update(pack.getTime(), pack.hasMember("offset")?pack.getInt("offset"):0, pack.getTrackId(), dataLen, bpos, pack.hasMember("keyframe"), pack.getDataLen());
LTS*/
char * ivec;
unsigned int ivecLen;
size_t ivecLen;
pack.getString("ivec", ivec, ivecLen);
update(pack.getTime(), pack.hasMember("offset")?pack.getInt("offset"):0, pack.getTrackId(), dataLen, bpos, pack.hasMember("keyframe"), pack.getDataLen(), 5000, ivecLen?ivec:0);
}

View file

@ -37,11 +37,8 @@ namespace EBML{
uint64_t UniInt::readInt(const char *p){
switch (readSize(p)){
case 1:
if (p[0] == 0xFF){
return 0xFFFFFFFFFFFFFFFFull;
}else{
if (p[0] == 0xFF){return 0xFFFFFFFFFFFFFFFFull;}
return p[0] & 0x7F;
}
case 2: return Bit::btohs(p) & 0x3FFFull;
case 3: return Bit::btoh24(p) & 0x1FFFFFull;
case 4: return Bit::btohl(p) & 0xFFFFFFFull;
@ -66,8 +63,8 @@ namespace EBML{
}
}
/// Reads an EBML-encoded singed integer from a pointer. Expects the whole number to be readable without
/// bounds checking.
/// Reads an EBML-encoded singed integer from a pointer. Expects the whole number to be readable
/// without bounds checking.
int64_t UniInt::readSInt(const char *p){
switch (readSize(p)){
case 1: return ((int64_t)readInt(p)) - 0x3Fll;
@ -99,9 +96,7 @@ namespace EBML{
// ELEM_MASTER types do not contain payload if minimal is true
if (minimal && Element(p, true).getType() == ELEM_MASTER){return needed;}
uint64_t pSize = UniInt::readInt(sizeOffset);
if (pSize != 0xFFFFFFFFFFFFFFFFull){
needed += pSize;
}
if (pSize != 0xFFFFFFFFFFFFFFFFull){needed += pSize;}
return needed;
}
@ -476,7 +471,7 @@ namespace EBML{
case 6: val = Bit::btoh48(payDat); break;
case 7: val = Bit::btoh56(payDat); break;
case 8: val = Bit::btohll(payDat); break;
default: WARN_MSG("UInt payload size %llu not implemented", getPayloadLen());
default: WARN_MSG("UInt payload size %" PRIu64 " not implemented", getPayloadLen());
}
return val;
}
@ -493,7 +488,7 @@ namespace EBML{
case 6: val = (((int64_t)Bit::btoh48(payDat)) << 16) >> 16; break;
case 7: val = (((int64_t)Bit::btoh56(payDat)) << 8) >> 8; break;
case 8: val = Bit::btohll(payDat); break;
default: WARN_MSG("Int payload size %llu not implemented", getPayloadLen());
default: WARN_MSG("Int payload size %" PRIu64 " not implemented", getPayloadLen());
}
return val;
}
@ -504,7 +499,7 @@ namespace EBML{
switch (getPayloadLen()){
case 4: val = Bit::btohf(payDat); break;
case 8: val = Bit::btohd(payDat); break;
default: WARN_MSG("Float payload size %llu not implemented", getPayloadLen());
default: WARN_MSG("Float payload size %" PRIu64 " not implemented", getPayloadLen());
}
return val;
}
@ -609,12 +604,8 @@ namespace EBML{
uint64_t laceNo = 0;
uint32_t currSize = 0;
while ((laceNo < frames - 1) && offset < getPayloadLen()){
if (laceNo < no){
currSize += getPayload()[offset];
}
if (getPayload()[offset] != 255){
++laceNo;
}
if (laceNo < no){currSize += getPayload()[offset];}
if (getPayload()[offset] != 255){++laceNo;}
++offset;
}
return getPayload() + offset + currSize;
@ -633,9 +624,7 @@ namespace EBML{
}else{
currSize += UniInt::readSInt(pl + offset);
}
if (laceNo < no){
totSize += currSize;
}
if (laceNo < no){totSize += currSize;}
++laceNo;
offset += UniInt::readSize(pl + offset);
}
@ -657,8 +646,7 @@ namespace EBML{
if (isInvisible()){ret << " [Invisible]";}
if (isDiscardable()){ret << " [Discardable]";}
switch (getLacing()){
case 0:
break; // No lacing
case 0: break; // No lacing
case 1: ret << " [Lacing: Xiph]"; break;
case 3: ret << " [Lacing: EMBL]"; break;
case 2: ret << " [Lacing: Fixed]"; break;
@ -668,7 +656,8 @@ namespace EBML{
for (uint32_t frameNo = 0; frameNo < getFrameCount(); ++frameNo){
const char *payDat = getFrameData(frameNo);
const uint64_t payLen = getFrameSize(frameNo);
ret << std::dec << std::string(indent + 4, ' ') << "Frame " << (frameNo+1) << " (" << payLen << "b):";
ret << std::dec << std::string(indent + 4, ' ') << "Frame " << (frameNo + 1) << " ("
<< payLen << "b):";
if (!payDat || !payLen || detail < 6){
ret << std::endl;
continue;
@ -693,5 +682,5 @@ namespace EBML{
ret << std::endl;
return ret.str();
}
}
}// namespace EBML

View file

@ -120,5 +120,5 @@ namespace EBML{
const char *getFrameData(uint8_t no) const;
virtual std::string toPrettyString(const uint8_t indent = 0, const uint8_t detail = 3) const;
};
}
}// namespace EBML

View file

@ -33,9 +33,8 @@ namespace EBML{
return 3;
}else if (val >= 0x100ull){
return 2;
}else{
return 1;
}
return 1;
}
uint32_t sizeElemUInt(uint32_t ID, const uint64_t val){
@ -80,7 +79,6 @@ namespace EBML{
}
void sendElemID(Socket::Connection &C, uint32_t ID, const uint64_t val){
char tmp[8];
uint8_t wSize = UniInt::writeSize(val);
sendElemHead(C, ID, wSize);
sendUniInt(C, val);
@ -119,11 +117,11 @@ namespace EBML{
}
void sendElemInfo(Socket::Connection &C, const std::string &appName, double duration){
sendElemHead(C, EID_INFO, 13 + 2 * appName.size() + (duration>0?sizeElemDbl(EID_DURATION, duration):0));
sendElemHead(C, EID_INFO,
13 + 2 * appName.size() +
(duration > 0 ? sizeElemDbl(EID_DURATION, duration) : 0));
sendElemUInt(C, EID_TIMECODESCALE, 1000000);
if (duration > 0){
sendElemDbl(C, EID_DURATION, duration);
}
if (duration > 0){sendElemDbl(C, EID_DURATION, duration);}
sendElemStr(C, EID_MUXINGAPP, appName);
sendElemStr(C, EID_WRITINGAPP, appName);
}
@ -133,24 +131,23 @@ namespace EBML{
}
uint32_t sizeElemInfo(const std::string &appName, double duration){
return 13 + 2 * appName.size() + (duration>0?sizeElemDbl(EID_DURATION, duration):0) + sizeElemHead(EID_INFO, 13 + 2 * appName.size() + (duration>0?sizeElemDbl(EID_DURATION, duration):0));
return 13 + 2 * appName.size() + (duration > 0 ? sizeElemDbl(EID_DURATION, duration) : 0) +
sizeElemHead(EID_INFO, 13 + 2 * appName.size() +
(duration > 0 ? sizeElemDbl(EID_DURATION, duration) : 0));
}
void sendSimpleBlock(Socket::Connection &C, DTSC::Packet & pkt, uint64_t clusterTime, bool forceKeyframe){
unsigned int dataLen = 0;
void sendSimpleBlock(Socket::Connection &C, DTSC::Packet &pkt, uint64_t clusterTime,
bool forceKeyframe){
size_t dataLen = 0;
char *dataPointer = 0;
pkt.getString("data", dataPointer, dataLen);
uint32_t blockSize = UniInt::writeSize(pkt.getTrackId()) + 3 + dataLen;
sendElemHead(C, EID_SIMPLEBLOCK, blockSize);
sendUniInt(C, pkt.getTrackId());
char blockHead[3] ={0, 0, 0};
if (pkt.hasMember("keyframe") || forceKeyframe){
blockHead[2] = 0x80;
}
if (pkt.hasMember("keyframe") || forceKeyframe){blockHead[2] = 0x80;}
int offset = 0;
if (pkt.hasMember("offset")){
offset = pkt.getInt("offset");
}
if (pkt.hasMember("offset")){offset = pkt.getInt("offset");}
Bit::htobs(blockHead, (int16_t)(pkt.getTime() + offset - clusterTime));
C.SendNow(blockHead, 3);
C.SendNow(dataPointer, dataLen);
@ -173,7 +170,8 @@ namespace EBML{
return sizeElemHead(EID_SEEK, elems) + elems;
}
void sendElemCuePoint(Socket::Connection &C, uint64_t time, uint64_t track, uint64_t clusterPos, uint64_t relaPos){
void sendElemCuePoint(Socket::Connection &C, uint64_t time, uint64_t track, uint64_t clusterPos,
uint64_t relaPos){
uint32_t elemsA = 0, elemsB = 0;
elemsA += sizeElemUInt(EID_CUETRACK, track);
elemsA += sizeElemUInt(EID_CUECLUSTERPOSITION, clusterPos);
@ -197,6 +195,5 @@ namespace EBML{
return sizeElemHead(EID_CUEPOINT, elems) + elems;
}
}
}// namespace EBML

View file

@ -1,10 +1,10 @@
#include "ebml.h"
#include "socket.h"
#include "bitfields.h"
#include "dtsc.h"
#include "ebml.h"
#include "socket.h"
namespace EBML{
static void sendUniInt(Socket::Connection &C, const uint64_t val);
void sendUniInt(Socket::Connection &C, const uint64_t val);
void sendElemHead(Socket::Connection &C, uint32_t ID, const uint64_t size);
void sendElemUInt(Socket::Connection &C, uint32_t ID, const uint64_t val);
void sendElemID(Socket::Connection &C, uint32_t ID, const uint64_t val);
@ -17,7 +17,8 @@ namespace EBML{
void sendElemSeek(Socket::Connection &C, uint32_t ID, uint64_t bytePos);
uint32_t sizeElemSeek(uint32_t ID, uint64_t bytePos);
void sendElemCuePoint(Socket::Connection &C, uint64_t time, uint64_t track, uint64_t clusterPos, uint64_t relaPos);
void sendElemCuePoint(Socket::Connection &C, uint64_t time, uint64_t track, uint64_t clusterPos,
uint64_t relaPos);
uint32_t sizeElemCuePoint(uint64_t time, uint64_t track, uint64_t clusterPos, uint64_t relaPos);
uint8_t sizeUInt(const uint64_t val);
@ -27,7 +28,8 @@ namespace EBML{
uint32_t sizeElemDbl(uint32_t ID, const double val);
uint32_t sizeElemStr(uint32_t ID, const std::string &val);
void sendSimpleBlock(Socket::Connection &C, DTSC::Packet & pkt, uint64_t clusterTime, bool forceKeyframe = false);
void sendSimpleBlock(Socket::Connection &C, DTSC::Packet &pkt, uint64_t clusterTime,
bool forceKeyframe = false);
uint32_t sizeSimpleBlock(uint64_t trackId, uint32_t dataSize);
}
}// namespace EBML

View file

@ -80,6 +80,12 @@ namespace Encodings{
return r;
}
std::string Hex::encode(const std::string &in){
std::string res;
for (size_t i = 0; i < in.size(); i++){res += chr(in[i]);}
return res;
}
/// Decodes a hex-encoded std::string to a raw binary std::string.
std::string Hex::decode(const std::string &in){
std::string ret(in.size() / 2, '\000');
@ -97,8 +103,10 @@ namespace Encodings{
for (int i = 0; i < max; i++){
if (('0' <= c[i] && c[i] <= '9') || ('a' <= c[i] && c[i] <= 'z') ||
('A' <= c[i] && c[i] <= 'Z') ||
(c[i] == '$' || c[i] == '-' || c[i] == '_' || c[i] == '.' || c[i] == ',' || c[i] == '!' || c[i] == '~' || c[i] == ';' ||
c[i] == '*' || c[i] == '(' || c[i] == ')' || c[i] == '\'') || (ign.size() && ign.find(c[i]) != std::string::npos)){
(c[i] == '$' || c[i] == '-' || c[i] == '_' || c[i] == '.' || c[i] == ',' || c[i] == '!' ||
c[i] == '~' || c[i] == ';' || c[i] == '*' || c[i] == '(' || c[i] == ')' ||
c[i] == '\'') ||
(ign.size() && ign.find(c[i]) != std::string::npos)){
escaped.append(&c[i], 1);
}else{
if (c[i] == ' '){

View file

@ -9,6 +9,7 @@ namespace Encodings {
private:
static const std::string chars;
static inline bool is_base64(unsigned char c);
public:
static std::string encode(std::string const input);
static std::string decode(std::string const &encoded_string);
@ -21,22 +22,22 @@ namespace Encodings {
static std::string decode(const std::string &in);
/// urlencodes std::string data, leaving only the characters A-Za-z0-9~!&()' alone.
static std::string encode(const std::string &c, const std::string &ign = "");
};
/// Hexadecimal-related functions
class Hex{
public:
/// Decodes a single hexadecimal character to integer, case-insensitive.
static inline int ord(char c){
return ((c&15) + (((c&64)>>6) | ((c&64)>>3)));
}
static inline int ord(char c){return ((c & 15) + (((c & 64) >> 6) | ((c & 64) >> 3)));}
/// Encodes a single character as two hex digits in string form.
static std::string chr(char dec);
/// Decodes a hex-encoded std::string to a raw binary std::string.
static std::string decode(const std::string &in);
/// Encodes a raw binary std::string to its hex-encoded form
static std::string encode(const std::string &in);
};
}
}// namespace Encodings

View file

@ -115,7 +115,7 @@ namespace Encryption {
void encryptPlayReady(DTSC::Packet & thisPack, std::string & codec, const char * iVec, const char * key) {
char * data;
unsigned int dataLen;
size_t dataLen;
thisPack.getString("data", data, dataLen);
if (codec == "H264") {

View file

@ -1,18 +1,17 @@
/// \file flv_tag.cpp
/// Holds all code for the FLV namespace.
#include "flv_tag.h"
#include "defines.h"
#include "rtmpchunks.h"
#include "flv_tag.h"
#include "timing.h"
#include "util.h"
#include <stdio.h> //for Tag::FileLoader
#include <unistd.h> //for Tag::FileLoader
#include <fcntl.h> //for Tag::FileLoader
#include <sstream>
#include <stdio.h> //for Tag::FileLoader
#include <stdlib.h> //malloc
#include <string.h> //memcpy
#include <sstream>
#include <unistd.h> //for Tag::FileLoader
#include "h264.h" //Needed for init data parsing in case of invalid values from FLV init
@ -20,7 +19,8 @@
/// Defaults to a audio+video header on FLV version 0x01 if no header received yet.
char FLV::Header[13] ={'F', 'L', 'V', 0x01, 0x05, 0, 0, 0, 0x09, 0, 0, 0, 0};
bool FLV::Parse_Error = false; ///< This variable is set to true if a problem is encountered while parsing the FLV.
bool FLV::Parse_Error =
false; ///< This variable is set to true if a problem is encountered while parsing the FLV.
std::string FLV::Error_Str = "";
/// Checks a FLV Header for validness. Returns true if the header is valid, false
@ -54,7 +54,6 @@ bool FLV::is_header(char * header) {
return true;
}// FLV::is_header
/// Helper function that can quickly skip through a file looking for a particular tag type
bool FLV::seekToTagType(FILE *f, uint8_t t){
long long startPos = Util::ftell(f);
@ -65,29 +64,23 @@ bool FLV::seekToTagType(FILE * f, uint8_t t){
switch (buf[0]){
case 0x09:
case 0x08:
case 0x12:
{
case 0x12:{
if (t == buf[0]){
if (fseek(f, -4, SEEK_CUR)){
WARN_MSG("Could not seek back in FLV stream!");
}
INSANE_MSG("Found tag of type %u at %lld", t, Util::ftell(f));
if (fseek(f, -4, SEEK_CUR)){WARN_MSG("Could not seek back in FLV stream!");}
INSANE_MSG("Found tag of type %u at %" PRIu64, t, Util::ftell(f));
return true;
}
long len = (buf[1] << 16) | (buf[2] << 8) | buf[3];
if (fseek(f, len + 11, SEEK_CUR)){
WARN_MSG("Could not seek forward in FLV stream!");
}else{
DONTEVEN_MSG("Seeking %ld+4 bytes forward, now at %lld", len+11, Util::ftell(f));
DONTEVEN_MSG("Seeking %ld+4 bytes forward, now at %" PRIu64, len + 11, Util::ftell(f));
}
if (fread(buf, 4, 1, f) != 1){return false;}
}
break;
}break;
default:
WARN_MSG("Invalid FLV tag detected! Aborting search.");
if (fseek(f, -4, SEEK_CUR)){
WARN_MSG("Could not seek back in FLV stream!");
}
if (fseek(f, -4, SEEK_CUR)){WARN_MSG("Could not seek back in FLV stream!");}
return false;
}
}
@ -102,31 +95,17 @@ bool FLV::Tag::needsInitData() {
switch (data[0]){
case 0x09:
switch (data[11] & 0x0F){
case 2:
return true;
break; //H263 requires init data
case 7:
return true;
break; //AVC requires init data
default:
return false;
break; //other formats do not
case 2: return true; break; // H263 requires init data
case 7: return true; break; // AVC requires init data
default: return false; break; // other formats do not
}
break;
case 0x08:
switch (data[11] & 0xF0){
case 0x20:
return false;
break; //MP3 does not...? Unsure.
case 0xA0:
return true;
break; //AAC requires init data
case 0xE0:
return false;
break; //MP38kHz does not...?
default:
return false;
break; //other formats do not
case 0x20: return false; break; // MP3 does not...? Unsure.
case 0xA0: return true; break; // AAC requires init data
case 0xE0: return false; break; // MP38kHz does not...?
default: return false; break; // other formats do not
}
break;
}
@ -138,22 +117,16 @@ bool FLV::Tag::isInitData() {
switch (data[0]){
case 0x09:
switch (data[11] & 0xF0){
case 0x50:
return true;
break;
case 0x50: return true; break;
}
if ((data[11] & 0x0F) == 7){
switch (data[12]){
case 0:
return true;
break;
case 0: return true; break;
}
}
break;
case 0x08:
if ((data[12] == 0) && ((data[11] & 0xF0) == 0xA0)) {
return true;
}
if ((data[12] == 0) && ((data[11] & 0xF0) == 0xA0)){return true;}
break;
}
return false;
@ -161,22 +134,14 @@ bool FLV::Tag::isInitData() {
const char *FLV::Tag::getVideoCodec(){
switch (data[11] & 0x0F){
case 1:
return "JPEG";
case 2:
return "H263";
case 3:
return "ScreenVideo1";
case 4:
return "VP6";
case 5:
return "VP6Alpha";
case 6:
return "ScreenVideo2";
case 7:
return "H264";
default:
return "unknown";
case 1: return "JPEG";
case 2: return "H263";
case 3: return "ScreenVideo1";
case 4: return "VP6";
case 5: return "VP6Alpha";
case 6: return "ScreenVideo2";
case 7: return "H264";
default: return "unknown";
}
}
@ -188,32 +153,20 @@ const char * FLV::Tag::getAudioCodec() {
}else{
return "PCM"; // 8 bit is always regular PCM
}
case 0x10:
return "ADPCM";
case 0x20:
return "MP3";
case 0x30:
return "PCM";
case 0x10: return "ADPCM";
case 0x20: return "MP3";
case 0x30: return "PCM";
case 0x40:
case 0x50:
case 0x60:
return "Nellymoser";
case 0x70:
return "ALAW";
case 0x80:
return "ULAW";
case 0x90:
return "reserved";
case 0xA0:
return "AAC";
case 0xB0:
return "Speex";
case 0xE0:
return "MP3";
case 0xF0:
return "DeviceSpecific";
default:
return "unknown";
case 0x60: return "Nellymoser";
case 0x70: return "ALAW";
case 0x80: return "ULAW";
case 0x90: return "reserved";
case 0xA0: return "AAC";
case 0xB0: return "Speex";
case 0xE0: return "MP3";
case 0xF0: return "DeviceSpecific";
default: return "unknown";
}
}
@ -228,72 +181,38 @@ std::string FLV::Tag::tagType() {
case 0x09:
R << getVideoCodec() << " video ";
switch (data[11] & 0xF0){
case 0x10:
R << "keyframe";
break;
case 0x20:
R << "iframe";
break;
case 0x30:
R << "disposableiframe";
break;
case 0x40:
R << "generatedkeyframe";
break;
case 0x50:
R << "videoinfo";
break;
case 0x10: R << "keyframe"; break;
case 0x20: R << "iframe"; break;
case 0x30: R << "disposableiframe"; break;
case 0x40: R << "generatedkeyframe"; break;
case 0x50: R << "videoinfo"; break;
}
if ((data[11] & 0x0F) == 7){
switch (data[12]){
case 0:
R << " header";
break;
case 1:
R << " NALU";
break;
case 2:
R << " endofsequence";
break;
case 0: R << " header"; break;
case 1: R << " NALU"; break;
case 2: R << " endofsequence"; break;
}
}
break;
case 0x08:
R << getAudioCodec();
switch (data[11] & 0x0C){
case 0x0:
R << " 5.5kHz";
break;
case 0x4:
R << " 11kHz";
break;
case 0x8:
R << " 22kHz";
break;
case 0xC:
R << " 44kHz";
break;
case 0x0: R << " 5.5kHz"; break;
case 0x4: R << " 11kHz"; break;
case 0x8: R << " 22kHz"; break;
case 0xC: R << " 44kHz"; break;
}
switch (data[11] & 0x02){
case 0:
R << " 8bit";
break;
case 2:
R << " 16bit";
break;
case 0: R << " 8bit"; break;
case 2: R << " 16bit"; break;
}
switch (data[11] & 0x01){
case 0:
R << " mono";
break;
case 1:
R << " stereo";
break;
case 0: R << " mono"; break;
case 1: R << " stereo"; break;
}
R << " audio";
if ((data[12] == 0) && ((data[11] & 0xF0) == 0xA0)) {
R << " initdata";
}
if ((data[12] == 0) && ((data[11] & 0xF0) == 0xA0)){R << " initdata";}
break;
case 0x12:{
R << "(meta)data: ";
@ -301,38 +220,33 @@ std::string FLV::Tag::tagType() {
R << metadata.Print();
break;
}
default:
R << "unknown";
break;
default: R << "unknown"; break;
}
return R.str();
}// FLV::Tag::tagtype
/// Returns the 24-bit offset of this tag.
/// Returns 0 if the tag isn't H264
int FLV::Tag::offset() {
if ((data[11] & 0x0F) == 7) {
int64_t FLV::Tag::offset(){
if ((data[11] & 0x0F) != 7){return 0;}
return (((data[13] << 16) + (data[14] << 8) + data[15]) << 8) >> 8;
} else {
return 0;
}
}// offset getter
/// Sets the 24-bit offset of this tag.
/// Ignored if the tag isn't H264
void FLV::Tag::offset(int o) {
void FLV::Tag::offset(int64_t o){
data[13] = (o >> 16) & 0xFF;
data[14] = (o >> 8) & 0XFF;
data[15] = o & 0xFF;
}// offset setter
/// Returns the 32-bit timestamp of this tag.
unsigned int FLV::Tag::tagTime() {
return (data[4] << 16) + (data[5] << 8) + data[6] + (data[7] << 24);
uint64_t FLV::Tag::tagTime(){
return ((uint64_t)data[4] << 16) + ((uint64_t)data[5] << 8) + data[6] + ((uint64_t)data[7] << 24);
}// tagTime getter
/// Sets the 32-bit timestamp of this tag.
void FLV::Tag::tagTime(unsigned int T) {
void FLV::Tag::tagTime(uint64_t T){
data[4] = ((T >> 16) & 0xFF);
data[5] = ((T >> 8) & 0xFF);
data[6] = (T & 0xFF);
@ -361,9 +275,7 @@ FLV::Tag::Tag(const Tag & O) {
len = O.len;
data = 0;
if (len > 0){
if (checkBufferSize()) {
memcpy(data, O.data, len);
}
if (checkBufferSize()){memcpy(data, O.data, len);}
}
isKeyframe = O.isKeyframe;
}// copy constructor
@ -416,15 +328,11 @@ bool FLV::Tag::DTSCLoader(DTSC::Packet & packData, DTSC::Track & track) {
len = 0;
if (track.type == "video"){
char *tmpData = 0;
unsigned int tmpLen = 0;
size_t tmpLen = 0;
packData.getString("data", tmpData, tmpLen);
len = tmpLen + 16;
if (track.codec == "H264") {
len += 4;
}
if (!checkBufferSize()) {
return false;
}
if (track.codec == "H264"){len += 4;}
if (!checkBufferSize()){return false;}
if (track.codec == "H264"){
memcpy(data + 16, tmpData, len - 20);
data[12] = 1;
@ -433,47 +341,27 @@ bool FLV::Tag::DTSCLoader(DTSC::Packet & packData, DTSC::Track & track) {
memcpy(data + 12, tmpData, len - 16);
}
data[11] = 0;
if (track.codec == "H264") {
data[11] |= 7;
}
if (track.codec == "ScreenVideo2") {
data[11] |= 6;
}
if (track.codec == "VP6Alpha") {
data[11] |= 5;
}
if (track.codec == "VP6") {
data[11] |= 4;
}
if (track.codec == "ScreenVideo1") {
data[11] |= 3;
}
if (track.codec == "H263") {
data[11] |= 2;
}
if (track.codec == "JPEG") {
data[11] |= 1;
}
if (track.codec == "H264"){data[11] |= 7;}
if (track.codec == "ScreenVideo2"){data[11] |= 6;}
if (track.codec == "VP6Alpha"){data[11] |= 5;}
if (track.codec == "VP6"){data[11] |= 4;}
if (track.codec == "ScreenVideo1"){data[11] |= 3;}
if (track.codec == "H263"){data[11] |= 2;}
if (track.codec == "JPEG"){data[11] |= 1;}
if (packData.getFlag("keyframe")){
data[11] |= 0x10;
}else{
data[11] |= 0x20;
}
if (packData.getFlag("disposableframe")) {
data[11] |= 0x30;
}
if (packData.getFlag("disposableframe")){data[11] |= 0x30;}
}
if (track.type == "audio"){
char *tmpData = 0;
unsigned int tmpLen = 0;
size_t tmpLen = 0;
packData.getString("data", tmpData, tmpLen);
len = tmpLen + 16;
if (track.codec == "AAC") {
len ++;
}
if (!checkBufferSize()) {
return false;
}
if (track.codec == "AAC"){len++;}
if (!checkBufferSize()){return false;}
if (track.codec == "AAC"){
memcpy(data + 13, tmpData, len - 17);
data[12] = 1; // raw AAC data, not sequence header
@ -482,9 +370,7 @@ bool FLV::Tag::DTSCLoader(DTSC::Packet & packData, DTSC::Track & track) {
}
unsigned int datarate = track.rate;
data[11] = 0;
if (track.codec == "AAC") {
data[11] |= 0xA0;
}
if (track.codec == "AAC"){data[11] |= 0xA0;}
if (track.codec == "MP3"){
if (datarate == 8000){
data[11] |= 0xE0;
@ -492,12 +378,8 @@ bool FLV::Tag::DTSCLoader(DTSC::Packet & packData, DTSC::Track & track) {
data[11] |= 0x20;
}
}
if (track.codec == "ADPCM") {
data[11] |= 0x10;
}
if (track.codec == "PCM") {
data[11] |= 0x30;
}
if (track.codec == "ADPCM"){data[11] |= 0x10;}
if (track.codec == "PCM"){data[11] |= 0x30;}
if (track.codec == "Nellymoser"){
if (datarate == 8000){
data[11] |= 0x50;
@ -507,15 +389,9 @@ bool FLV::Tag::DTSCLoader(DTSC::Packet & packData, DTSC::Track & track) {
data[11] |= 0x60;
}
}
if (track.codec == "ALAW") {
data[11] |= 0x70;
}
if (track.codec == "ULAW") {
data[11] |= 0x80;
}
if (track.codec == "Speex") {
data[11] |= 0xB0;
}
if (track.codec == "ALAW"){data[11] |= 0x70;}
if (track.codec == "ULAW"){data[11] |= 0x80;}
if (track.codec == "Speex"){data[11] |= 0xB0;}
if (datarate >= 44100){
data[11] |= 0x0C;
}else if (datarate >= 22050){
@ -523,26 +399,14 @@ bool FLV::Tag::DTSCLoader(DTSC::Packet & packData, DTSC::Track & track) {
}else if (datarate >= 11025){
data[11] |= 0x04;
}
if (track.size != 8) {
data[11] |= 0x02;
}
if (track.channels > 1) {
data[11] |= 0x01;
}
}
if (!len) {
return false;
if (track.size != 8){data[11] |= 0x02;}
if (track.channels > 1){data[11] |= 0x01;}
}
if (!len){return false;}
setLen();
if (track.type == "video") {
data[0] = 0x09;
}
if (track.type == "audio") {
data[0] = 0x08;
}
if (track.type == "meta") {
data[0] = 0x12;
}
if (track.type == "video"){data[0] = 0x09;}
if (track.type == "audio"){data[0] = 0x08;}
if (track.type == "meta"){data[0] = 0x12;}
data[1] = ((len - 15) >> 16) & 0xFF;
data[2] = ((len - 15) >> 8) & 0xFF;
data[3] = (len - 15) & 0xFF;
@ -570,15 +434,9 @@ void FLV::Tag::setLen() {
bool FLV::Tag::DTSCVideoInit(DTSC::Track &video){
// Unknown? Assume H264.
len = 0;
if (video.codec == "?") {
video.codec = "H264";
}
if (video.codec == "H264") {
len = video.init.size() + 20;
}
if (len <= 0 || !checkBufferSize()) {
return false;
}
if (video.codec == "?"){video.codec = "H264";}
if (video.codec == "H264"){len = video.init.size() + 20;}
if (len <= 0 || !checkBufferSize()){return false;}
memcpy(data + 16, video.init.c_str(), len - 20);
data[12] = 0; // H264 sequence header
data[13] = 0;
@ -601,24 +459,14 @@ bool FLV::Tag::DTSCVideoInit(DTSC::Track & video) {
bool FLV::Tag::DTSCAudioInit(DTSC::Track &audio){
len = 0;
// Unknown? Assume AAC.
if (audio.codec == "?") {
audio.codec = "AAC";
}
if (audio.codec == "AAC") {
len = audio.init.size() + 17;
}
if (len <= 0 || !checkBufferSize()) {
return false;
}
if (audio.codec == "?"){audio.codec = "AAC";}
if (audio.codec == "AAC"){len = audio.init.size() + 17;}
if (len <= 0 || !checkBufferSize()){return false;}
memcpy(data + 13, audio.init.c_str(), len - 17);
data[12] = 0; // AAC sequence header
data[11] = 0;
if (audio.codec == "AAC") {
data[11] += 0xA0;
}
if (audio.codec == "MP3") {
data[11] += 0x20;
}
if (audio.codec == "AAC"){data[11] += 0xA0;}
if (audio.codec == "MP3"){data[11] += 0x20;}
unsigned int datarate = audio.rate;
if (datarate >= 44100){
data[11] += 0x0C;
@ -627,12 +475,8 @@ bool FLV::Tag::DTSCAudioInit(DTSC::Track & audio) {
}else if (datarate >= 11025){
data[11] += 0x04;
}
if (audio.size != 8) {
data[11] += 0x02;
}
if (audio.channels > 1) {
data[11] += 0x01;
}
if (audio.size != 8){data[11] += 0x02;}
if (audio.channels > 1){data[11] += 0x01;}
setLen();
data[0] = 0x08;
data[1] = ((len - 15) >> 16) & 0xFF;
@ -658,63 +502,86 @@ bool FLV::Tag::DTSCMetaInit(DTSC::Meta & M, std::set<long unsigned int> & selTra
}
if (M.tracks[*it].type == "video"){
trinfo.addContent(AMF::Object("", AMF::AMF0_OBJECT));
trinfo.getContentP(i)->addContent(AMF::Object("length", ((double)M.tracks[*it].lastms / 1000) * ((double)M.tracks[*it].fpks / 1000.0), AMF::AMF0_NUMBER));
trinfo.getContentP(i)->addContent(AMF::Object("timescale", ((double)M.tracks[*it].fpks / 1000.0), AMF::AMF0_NUMBER));
trinfo.getContentP(i)->addContent(AMF::Object(
"length", ((double)M.tracks[*it].lastms / 1000) * ((double)M.tracks[*it].fpks / 1000.0),
AMF::AMF0_NUMBER));
trinfo.getContentP(i)->addContent(
AMF::Object("timescale", ((double)M.tracks[*it].fpks / 1000.0), AMF::AMF0_NUMBER));
trinfo.getContentP(i)->addContent(AMF::Object("sampledescription", AMF::AMF0_STRICT_ARRAY));
amfdata.getContentP(1)->addContent(AMF::Object("hasVideo", 1, AMF::AMF0_BOOL));
if (M.tracks[*it].codec == "H264"){
amfdata.getContentP(1)->addContent(AMF::Object("videocodecid", 7, AMF::AMF0_NUMBER));
trinfo.getContentP(i)->getContentP(2)->addContent(AMF::Object("sampletype", (std::string)"avc1"));
trinfo.getContentP(i)->getContentP(2)->addContent(
AMF::Object("sampletype", (std::string) "avc1"));
}
if (M.tracks[*it].codec == "ScreenVideo2"){
amfdata.getContentP(1)->addContent(AMF::Object("videocodecid", 6, AMF::AMF0_NUMBER));
trinfo.getContentP(i)->getContentP(2)->addContent(AMF::Object("sampletype", (std::string)"sv2"));
trinfo.getContentP(i)->getContentP(2)->addContent(
AMF::Object("sampletype", (std::string) "sv2"));
}
if (M.tracks[*it].codec == "VP6Alpha"){
amfdata.getContentP(1)->addContent(AMF::Object("videocodecid", 5, AMF::AMF0_NUMBER));
trinfo.getContentP(i)->getContentP(2)->addContent(AMF::Object("sampletype", (std::string)"vp6a"));
trinfo.getContentP(i)->getContentP(2)->addContent(
AMF::Object("sampletype", (std::string) "vp6a"));
}
if (M.tracks[*it].codec == "VP6"){
amfdata.getContentP(1)->addContent(AMF::Object("videocodecid", 4, AMF::AMF0_NUMBER));
trinfo.getContentP(i)->getContentP(2)->addContent(AMF::Object("sampletype", (std::string)"vp6"));
trinfo.getContentP(i)->getContentP(2)->addContent(
AMF::Object("sampletype", (std::string) "vp6"));
}
if (M.tracks[*it].codec == "ScreenVideo1"){
amfdata.getContentP(1)->addContent(AMF::Object("videocodecid", 3, AMF::AMF0_NUMBER));
trinfo.getContentP(i)->getContentP(2)->addContent(AMF::Object("sampletype", (std::string)"sv1"));
trinfo.getContentP(i)->getContentP(2)->addContent(
AMF::Object("sampletype", (std::string) "sv1"));
}
if (M.tracks[*it].codec == "H263"){
amfdata.getContentP(1)->addContent(AMF::Object("videocodecid", 2, AMF::AMF0_NUMBER));
trinfo.getContentP(i)->getContentP(2)->addContent(AMF::Object("sampletype", (std::string)"h263"));
trinfo.getContentP(i)->getContentP(2)->addContent(
AMF::Object("sampletype", (std::string) "h263"));
}
if (M.tracks[*it].codec == "JPEG"){
amfdata.getContentP(1)->addContent(AMF::Object("videocodecid", 1, AMF::AMF0_NUMBER));
trinfo.getContentP(i)->getContentP(2)->addContent(AMF::Object("sampletype", (std::string)"jpeg"));
trinfo.getContentP(i)->getContentP(2)->addContent(
AMF::Object("sampletype", (std::string) "jpeg"));
}
amfdata.getContentP(1)->addContent(AMF::Object("width", M.tracks[*it].width, AMF::AMF0_NUMBER));
amfdata.getContentP(1)->addContent(AMF::Object("height", M.tracks[*it].height, AMF::AMF0_NUMBER));
amfdata.getContentP(1)->addContent(AMF::Object("videoframerate", (double)M.tracks[*it].fpks / 1000.0, AMF::AMF0_NUMBER));
amfdata.getContentP(1)->addContent(AMF::Object("videodatarate", (double)M.tracks[*it].bps / 128.0, AMF::AMF0_NUMBER));
amfdata.getContentP(1)->addContent(
AMF::Object("width", M.tracks[*it].width, AMF::AMF0_NUMBER));
amfdata.getContentP(1)->addContent(
AMF::Object("height", M.tracks[*it].height, AMF::AMF0_NUMBER));
amfdata.getContentP(1)->addContent(
AMF::Object("videoframerate", (double)M.tracks[*it].fpks / 1000.0, AMF::AMF0_NUMBER));
amfdata.getContentP(1)->addContent(
AMF::Object("videodatarate", (double)M.tracks[*it].bps / 128.0, AMF::AMF0_NUMBER));
++i;
}
if (M.tracks[*it].type == "audio"){
trinfo.addContent(AMF::Object("", AMF::AMF0_OBJECT));
trinfo.getContentP(i)->addContent(AMF::Object("length", ((double)M.tracks[*it].lastms) * ((double)M.tracks[*it].rate), AMF::AMF0_NUMBER));
trinfo.getContentP(i)->addContent(AMF::Object("timescale", M.tracks[*it].rate, AMF::AMF0_NUMBER));
trinfo.getContentP(i)->addContent(
AMF::Object("length", ((double)M.tracks[*it].lastms) * ((double)M.tracks[*it].rate),
AMF::AMF0_NUMBER));
trinfo.getContentP(i)->addContent(
AMF::Object("timescale", M.tracks[*it].rate, AMF::AMF0_NUMBER));
trinfo.getContentP(i)->addContent(AMF::Object("sampledescription", AMF::AMF0_STRICT_ARRAY));
amfdata.getContentP(1)->addContent(AMF::Object("hasAudio", 1, AMF::AMF0_BOOL));
amfdata.getContentP(1)->addContent(AMF::Object("audiodelay", 0, AMF::AMF0_NUMBER));
amfdata.getContentP(1)->addContent(AMF::Object("audiodelay", 0.0, AMF::AMF0_NUMBER));
if (M.tracks[*it].codec == "AAC"){
amfdata.getContentP(1)->addContent(AMF::Object("audiocodecid", (std::string) "mp4a"));
trinfo.getContentP(i)->getContentP(2)->addContent(AMF::Object("sampletype", (std::string)"mp4a"));
trinfo.getContentP(i)->getContentP(2)->addContent(
AMF::Object("sampletype", (std::string) "mp4a"));
}
if (M.tracks[*it].codec == "MP3"){
amfdata.getContentP(1)->addContent(AMF::Object("audiocodecid", (std::string) "mp3"));
trinfo.getContentP(i)->getContentP(2)->addContent(AMF::Object("sampletype", (std::string)"mp3"));
trinfo.getContentP(i)->getContentP(2)->addContent(
AMF::Object("sampletype", (std::string) "mp3"));
}
amfdata.getContentP(1)->addContent(AMF::Object("audiochannels", M.tracks[*it].channels, AMF::AMF0_NUMBER));
amfdata.getContentP(1)->addContent(AMF::Object("audiosamplerate", M.tracks[*it].rate, AMF::AMF0_NUMBER));
amfdata.getContentP(1)->addContent(AMF::Object("audiosamplesize", M.tracks[*it].size, AMF::AMF0_NUMBER));
amfdata.getContentP(1)->addContent(AMF::Object("audiodatarate", (double)M.tracks[*it].bps / 128.0, AMF::AMF0_NUMBER));
amfdata.getContentP(1)->addContent(
AMF::Object("audiochannels", M.tracks[*it].channels, AMF::AMF0_NUMBER));
amfdata.getContentP(1)->addContent(
AMF::Object("audiosamplerate", M.tracks[*it].rate, AMF::AMF0_NUMBER));
amfdata.getContentP(1)->addContent(
AMF::Object("audiosamplesize", M.tracks[*it].size, AMF::AMF0_NUMBER));
amfdata.getContentP(1)->addContent(
AMF::Object("audiodatarate", (double)M.tracks[*it].bps / 128.0, AMF::AMF0_NUMBER));
++i;
}
}
@ -725,9 +592,7 @@ bool FLV::Tag::DTSCMetaInit(DTSC::Meta & M, std::set<long unsigned int> & selTra
std::string tmp = amfdata.Pack();
len = tmp.length() + 15;
if (len <= 0 || !checkBufferSize()) {
return false;
}
if (len <= 0 || !checkBufferSize()){return false;}
memcpy(data + 11, tmp.data(), len - 15);
setLen();
data[0] = 0x12;
@ -746,9 +611,7 @@ bool FLV::Tag::DTSCMetaInit(DTSC::Meta & M, std::set<long unsigned int> & selTra
bool FLV::Tag::ChunkLoader(const RTMPStream::Chunk &O){
len = O.len + 15;
if (len > 0){
if (!checkBufferSize()) {
return false;
}
if (!checkBufferSize()){return false;}
memcpy(data + 11, &(O.data[0]), O.len);
}
setLen();
@ -772,10 +635,9 @@ bool FLV::Tag::ChunkLoader(const RTMPStream::Chunk & O) {
/// \param S The size of the data buffer.
/// \param P The current position in the data buffer. Will be updated to reflect new position.
/// \return True if count bytes are read succesfully, false otherwise.
bool FLV::Tag::MemReadUntil(char * buffer, unsigned int count, unsigned int & sofar, char * D, unsigned int S, unsigned int & P) {
if (sofar >= count) {
return true;
}
bool FLV::Tag::MemReadUntil(char *buffer, unsigned int count, unsigned int &sofar, char *D,
unsigned int S, unsigned int &P){
if (sofar >= count){return true;}
int r = 0;
if (P + (count - sofar) > S){
r = S - P;
@ -785,26 +647,19 @@ bool FLV::Tag::MemReadUntil(char * buffer, unsigned int count, unsigned int & so
memcpy(buffer + sofar, D + P, r);
P += r;
sofar += r;
if (sofar >= count) {
return true;
}
if (sofar >= count){return true;}
return false;
}// Tag::MemReadUntil
/// Try to load a tag from a data buffer in memory.
/// This is a stateful function - if fed incorrect data, it will most likely never return true again!
/// While this function returns false, the Tag might not contain valid data.
/// \param D The location of the data buffer.
/// \param S The size of the data buffer.
/// \param P The current position in the data buffer. Will be updated to reflect new position.
/// \return True if a whole tag is succesfully read, false otherwise.
/// This is a stateful function - if fed incorrect data, it will most likely never return true
/// again! While this function returns false, the Tag might not contain valid data. \param D The
/// location of the data buffer. \param S The size of the data buffer. \param P The current position
/// in the data buffer. Will be updated to reflect new position. \return True if a whole tag is
/// succesfully read, false otherwise.
bool FLV::Tag::MemLoader(char *D, unsigned int S, unsigned int &P){
if (len < 15) {
len = 15;
}
if (!checkBufferSize()) {
return false;
}
if (len < 15){len = 15;}
if (!checkBufferSize()){return false;}
if (done){
// read a header
if (MemReadUntil(data, 11, sofar, D, S, P)){
@ -825,9 +680,7 @@ bool FLV::Tag::MemLoader(char * D, unsigned int S, unsigned int & P) {
len = data[3] + 15;
len += (data[2] << 8);
len += (data[1] << 16);
if (!checkBufferSize()) {
return false;
}
if (!checkBufferSize()){return false;}
if (data[0] > 0x12){
data[0] += 32;
FLV::Parse_Error = true;
@ -861,9 +714,7 @@ bool FLV::Tag::MemLoader(char * D, unsigned int S, unsigned int & P) {
/// \param f File to read from.
/// \return True if count bytes are read succesfully, false otherwise.
bool FLV::Tag::FileReadUntil(char *buffer, unsigned int count, unsigned int &sofar, FILE *f){
if (sofar >= count) {
return true;
}
if (sofar >= count){return true;}
int r = 0;
r = fread(buffer + sofar, 1, count - sofar, f);
if (r < 0){
@ -872,28 +723,21 @@ bool FLV::Tag::FileReadUntil(char * buffer, unsigned int count, unsigned int & s
return false;
}
sofar += r;
if (sofar >= count) {
return true;
}
if (sofar >= count){return true;}
return false;
}
/// Try to load a tag from a file.
/// This is a stateful function - if fed incorrect data, it will most likely never return true again!
/// While this function returns false, the Tag might not contain valid data.
/// \param f The file to read from.
/// \return True if a whole tag is succesfully read, false otherwise.
/// This is a stateful function - if fed incorrect data, it will most likely never return true
/// again! While this function returns false, the Tag might not contain valid data. \param f The
/// file to read from. \return True if a whole tag is succesfully read, false otherwise.
bool FLV::Tag::FileLoader(FILE *f){
int preflags = fcntl(fileno(f), F_GETFL, 0);
int postflags = preflags | O_NONBLOCK;
fcntl(fileno(f), F_SETFL, postflags);
if (len < 15) {
len = 15;
}
if (!checkBufferSize()) {
return false;
}
if (len < 15){len = 15;}
if (!checkBufferSize()){return false;}
if (done){
// read a header
@ -917,9 +761,7 @@ bool FLV::Tag::FileLoader(FILE * f) {
len = data[3] + 15;
len += (data[2] << 8);
len += (data[1] << 16);
if (!checkBufferSize()) {
return false;
}
if (!checkBufferSize()){return false;}
if (data[0] > 0x12){
data[0] += 32;
FLV::Parse_Error = true;
@ -962,12 +804,8 @@ unsigned int FLV::Tag::getTrackID(){
/// Returns a pointer to the raw media data for this packet.
char *FLV::Tag::getData(){
if (data[0] == 0x08 && (data[11] & 0xF0) == 0xA0) {
return data+13;
}
if (data[0] == 0x09 && (data[11] & 0x0F) == 7) {
return data+16;
}
if (data[0] == 0x08 && (data[11] & 0xF0) == 0xA0){return data + 13;}
if (data[0] == 0x09 && (data[11] & 0x0F) == 7){return data + 16;}
return data + 12;
}
@ -997,59 +835,47 @@ void FLV::Tag::toMeta(DTSC::Meta & metadata, AMF::Object & amf_storage, unsigned
if (data[0] == 0x12){
AMF::Object meta_in = AMF::parse((unsigned char *)data + 11, len - 15);
AMF::Object *tmp = 0;
if (meta_in.getContentP(1) && meta_in.getContentP(0) && (meta_in.getContentP(0)->StrValue() == "onMetaData")) {
if (meta_in.getContentP(1) && meta_in.getContentP(0) &&
(meta_in.getContentP(0)->StrValue() == "onMetaData")){
tmp = meta_in.getContentP(1);
}else{
if (meta_in.getContentP(2) && meta_in.getContentP(1) && (meta_in.getContentP(1)->StrValue() == "onMetaData")) {
if (meta_in.getContentP(2) && meta_in.getContentP(1) &&
(meta_in.getContentP(1)->StrValue() == "onMetaData")){
tmp = meta_in.getContentP(2);
}
}
if (tmp) {
amf_storage = *tmp;
}
if (tmp){amf_storage = *tmp;}
return;
}
if (data[0] == 0x08 && (metadata.tracks[reTrack].codec == "" || metadata.tracks[reTrack].codec != getAudioCodec() || (needsInitData() && isInitData()))) {
if (data[0] == 0x08 &&
(metadata.tracks[reTrack].codec == "" || metadata.tracks[reTrack].codec != getAudioCodec() ||
(needsInitData() && isInitData()))){
char audiodata = data[11];
metadata.tracks[reTrack].trackID = reTrack;
metadata.tracks[reTrack].type = "audio";
metadata.tracks[reTrack].codec = getAudioCodec();
switch (audiodata & 0x0C){
case 0x0:
metadata.tracks[reTrack].rate = 5512;
break;
case 0x4:
metadata.tracks[reTrack].rate = 11025;
break;
case 0x8:
metadata.tracks[reTrack].rate = 22050;
break;
case 0xC:
metadata.tracks[reTrack].rate = 44100;
break;
case 0x0: metadata.tracks[reTrack].rate = 5512; break;
case 0x4: metadata.tracks[reTrack].rate = 11025; break;
case 0x8: metadata.tracks[reTrack].rate = 22050; break;
case 0xC: metadata.tracks[reTrack].rate = 44100; break;
}
if (amf_storage.getContentP("audiosamplerate")){
metadata.tracks[reTrack].rate = (long long int)amf_storage.getContentP("audiosamplerate")->NumValue();
metadata.tracks[reTrack].rate =
(long long int)amf_storage.getContentP("audiosamplerate")->NumValue();
}
switch (audiodata & 0x02){
case 0x0:
metadata.tracks[reTrack].size = 8;
break;
case 0x2:
metadata.tracks[reTrack].size = 16;
break;
case 0x0: metadata.tracks[reTrack].size = 8; break;
case 0x2: metadata.tracks[reTrack].size = 16; break;
}
if (amf_storage.getContentP("audiosamplesize")){
metadata.tracks[reTrack].size = (long long int)amf_storage.getContentP("audiosamplesize")->NumValue();
metadata.tracks[reTrack].size =
(long long int)amf_storage.getContentP("audiosamplesize")->NumValue();
}
switch (audiodata & 0x01){
case 0x0:
metadata.tracks[reTrack].channels = 1;
break;
case 0x1:
metadata.tracks[reTrack].channels = 2;
break;
case 0x0: metadata.tracks[reTrack].channels = 1; break;
case 0x1: metadata.tracks[reTrack].channels = 2; break;
}
if (amf_storage.getContentP("stereo")){
if (amf_storage.getContentP("stereo")->NumValue() == 1){
@ -1067,7 +893,8 @@ void FLV::Tag::toMeta(DTSC::Meta & metadata, AMF::Object & amf_storage, unsigned
}
}
if (data[0] == 0x09 && ((needsInitData() && isInitData()) || !metadata.tracks[reTrack].codec.size())){
if (data[0] == 0x09 &&
((needsInitData() && isInitData()) || !metadata.tracks[reTrack].codec.size())){
char videodata = data[11];
metadata.tracks[reTrack].codec = getVideoCodec();
metadata.tracks[reTrack].type = "video";
@ -1076,29 +903,30 @@ void FLV::Tag::toMeta(DTSC::Meta & metadata, AMF::Object & amf_storage, unsigned
metadata.tracks[reTrack].width = (long long int)amf_storage.getContentP("width")->NumValue();
}
if (amf_storage.getContentP("height")){
metadata.tracks[reTrack].height = (long long int)amf_storage.getContentP("height")->NumValue();
metadata.tracks[reTrack].height =
(long long int)amf_storage.getContentP("height")->NumValue();
}
if (!metadata.tracks[reTrack].fpks && amf_storage.getContentP("videoframerate")){
if (amf_storage.getContentP("videoframerate")->NumValue()){
metadata.tracks[reTrack].fpks = (long long int)(amf_storage.getContentP("videoframerate")->NumValue() * 1000.0);
metadata.tracks[reTrack].fpks =
(long long int)(amf_storage.getContentP("videoframerate")->NumValue() * 1000.0);
}else{
metadata.tracks[reTrack].fpks = atoi(amf_storage.getContentP("videoframerate")->StrValue().c_str()) * 1000.0;
metadata.tracks[reTrack].fpks =
atoi(amf_storage.getContentP("videoframerate")->StrValue().c_str()) * 1000.0;
}
}
if (needsInitData() && isInitData()){
if ((videodata & 0x0F) == 7){
if (len < 21) {
return;
}
if (len < 21){return;}
metadata.tracks[reTrack].init = std::string((char *)data + 16, (size_t)len - 20);
}else{
if (len < 17) {
return;
}
if (len < 17){return;}
metadata.tracks[reTrack].init = std::string((char *)data + 12, (size_t)len - 16);
}
///this is a hacky way around invalid FLV data (since it gets ignored nearly everywhere, but we do need correct data...
if (!metadata.tracks[reTrack].width || !metadata.tracks[reTrack].height || !metadata.tracks[reTrack].fpks){
/// this is a hacky way around invalid FLV data (since it gets ignored nearly everywhere, but
/// we do need correct data...
if (!metadata.tracks[reTrack].width || !metadata.tracks[reTrack].height ||
!metadata.tracks[reTrack].fpks){
h264::sequenceParameterSet sps;
sps.fromDTSCInit(metadata.tracks[reTrack].init);
h264::SPSMeta spsChar = sps.getCharacteristics();
@ -1127,3 +955,4 @@ bool FLV::Tag::checkBufferSize() {
}
return true;
}

View file

@ -2,12 +2,11 @@
/// Holds all headers for the FLV namespace.
#pragma once
#include "socket.h"
#include "dtsc.h"
#include "amf.h"
#include "dtsc.h"
#include "socket.h"
#include <string>
// forward declaration of RTMPStream::Chunk to avoid circular dependencies.
namespace RTMPStream{
class Chunk;
@ -17,8 +16,10 @@ namespace RTMPStream {
namespace FLV{
// variables
extern char Header[13]; ///< Holds the last FLV header parsed.
extern bool Parse_Error; ///< This variable is set to true if a problem is encountered while parsing the FLV.
extern std::string Error_Str; ///< This variable is set if a problem is encountered while parsing the FLV.
extern bool Parse_Error; ///< This variable is set to true if a problem is encountered while
///< parsing the FLV.
extern std::string
Error_Str; ///< This variable is set if a problem is encountered while parsing the FLV.
// functions
bool check_header(char *header); ///< Checks a FLV Header for validness.
@ -38,13 +39,14 @@ namespace FLV {
const char *getAudioCodec(); ///< Returns a c-string with the audio codec name.
const char *getVideoCodec(); ///< Returns a c-string with the video codec name.
std::string tagType(); ///< Returns a std::string describing the tag in detail.
unsigned int tagTime();
void tagTime(unsigned int T);
int offset();
void offset(int o);
uint64_t tagTime();
void tagTime(uint64_t T);
int64_t offset();
void offset(int64_t o);
Tag(); ///< Constructor for a new, empty, tag.
Tag(const Tag &O); ///< Copy constructor, copies the contents of an existing tag.
Tag & operator=(const Tag & O); ///< Assignment operator - works exactly like the copy constructor.
Tag &
operator=(const Tag &O); ///< Assignment operator - works exactly like the copy constructor.
Tag(const RTMPStream::Chunk &O); ///< Copy constructor from a RTMP chunk.
~Tag(); ///< Generic destructor.
// loader functions
@ -59,6 +61,7 @@ namespace FLV {
unsigned int getTrackID();
char *getData();
unsigned int getDataLen();
protected:
int buf; ///< Maximum length of buffer space.
bool done; ///< Body reading done?
@ -66,9 +69,11 @@ namespace FLV {
void setLen();
bool checkBufferSize();
// loader helper functions
bool MemReadUntil(char * buffer, unsigned int count, unsigned int & sofar, char * D, unsigned int S, unsigned int & P);
bool MemReadUntil(char *buffer, unsigned int count, unsigned int &sofar, char *D,
unsigned int S, unsigned int &P);
bool FileReadUntil(char *buffer, unsigned int count, unsigned int &sofar, FILE *f);
};
// Tag
}//FLV namespace
}// namespace FLV

View file

@ -2,12 +2,12 @@
#define _GNU_SOURCE
#endif
#include "h264.h"
#include <cmath>
#include <cstring>
#include <iomanip>
#include "bitfields.h"
#include "bitstream.h"
#include "defines.h"
#include <cmath>
#include <cstring>
#include <iomanip>
namespace h264{
@ -34,9 +34,7 @@ namespace h264 {
// 3: SP - Switching predictive slice (at most 1 reference)
// 4: SI - Switching intra slice (no external references)
// 5-9: 0-4, but all in picture of same type
if (sliceType == 2 || sliceType == 4 || sliceType == 7 || sliceType == 9){
return true;
}
if (sliceType == 2 || sliceType == 4 || sliceType == 7 || sliceType == 9){return true;}
return false;
}
@ -55,9 +53,11 @@ namespace h264 {
return res;
}
sequenceParameterSet::sequenceParameterSet(const char * _data, size_t _dataLen) : data(_data), dataLen(_dataLen) {}
sequenceParameterSet::sequenceParameterSet(const char *_data, size_t _dataLen)
: data(_data), dataLen(_dataLen){}
//DTSC Initdata is the payload for an avcc box. init[8+] is data, init[6-7] is a network-encoded length
// DTSC Initdata is the payload for an avcc box. init[8+] is data, init[6-7] is a network-encoded
// length
void sequenceParameterSet::fromDTSCInit(const std::string &dtscInit){
data = dtscInit.data() + 8;
dataLen = Bit::btohs(dtscInit.data() + 6);
@ -80,17 +80,18 @@ namespace h264 {
result.sep_col_plane = false;
// For calculating width
unsigned int widthInMbs = 0;
unsigned int cropHorizontal = 0;
uint32_t widthInMbs = 0;
uint32_t cropHorizontal = 0;
// For calculating height
unsigned int heightInMapUnits = 0;
unsigned int cropVertical = 0;
uint32_t heightInMapUnits = 0;
uint32_t cropVertical = 0;
// Fill the bitstream
Utils::bitstream bs;
for (unsigned int i = 1; i < dataLen; i++) {
if (i + 2 < dataLen && (memcmp(data + i, "\000\000\003", 3) == 0)){//Emulation prevention bytes
for (size_t i = 1; i < dataLen; i++){
if (i + 2 < dataLen &&
(memcmp(data + i, "\000\000\003", 3) == 0)){// Emulation prevention bytes
// Yes, we increase i here
bs.append(data + i, 2);
i += 2;
@ -106,12 +107,12 @@ namespace h264 {
bs.skip(8);
result.level = bs.get(8);
bs.getUExpGolomb();
if (profileIdc == 100 || profileIdc == 110 || profileIdc == 122 || profileIdc == 244 || profileIdc == 44 || profileIdc == 83 || profileIdc == 86 || profileIdc == 118 || profileIdc == 128) {
if (profileIdc == 100 || profileIdc == 110 || profileIdc == 122 || profileIdc == 244 ||
profileIdc == 44 || profileIdc == 83 || profileIdc == 86 || profileIdc == 118 ||
profileIdc == 128){
// chroma format idc
char chromaFormatIdc = bs.getUExpGolomb();
if (chromaFormatIdc == 3) {
result.sep_col_plane = (bs.get(1) == 1);
}
if (chromaFormatIdc == 3){result.sep_col_plane = (bs.get(1) == 1);}
bs.getUExpGolomb(); // luma
bs.getUExpGolomb(); // chroma
bs.skip(1); // transform bypass
@ -134,20 +135,18 @@ namespace h264 {
if (!result.cnt_type){
result.log2_max_order_cnt = bs.getUExpGolomb() + 4;
}else if (result.cnt_type == 1){
DEBUG_MSG(DLVL_DEVEL, "This part of the implementation is incomplete(2), to be continued. If this message is shown, contact developers immediately.");
ERROR_MSG("This part of the implementation is incomplete(2), to be continued. If this "
"message is shown, contact developers immediately.");
}
result.max_ref_frames = bs.getUExpGolomb(); // max_num_ref_frames
result.gaps = (bs.get(1) == 1); // gaps in frame num allowed
// Stop skipping data and start doing useful stuff
widthInMbs = bs.getUExpGolomb() + 1;
heightInMapUnits = bs.getUExpGolomb() + 1;
result.mbs_only = (bs.get(1) == 1); // Gets used in height calculation
if (!result.mbs_only) {
bs.skip(1);
}
if (!result.mbs_only){bs.skip(1);}
bs.skip(1);
// cropping flag
if (bs.get(1)){
@ -162,18 +161,12 @@ namespace h264 {
if (bs.get(1)){
// Skipping all the paramters we dont use
if (bs.get(1)){
if (bs.get(8) == 255) {
bs.skip(32);
}
}
if (bs.get(1)) {
bs.skip(1);
if (bs.get(8) == 255){bs.skip(32);}
}
if (bs.get(1)){bs.skip(1);}
if (bs.get(1)){
bs.skip(4);
if (bs.get(1)) {
bs.skip(24);
}
if (bs.get(1)){bs.skip(24);}
}
if (bs.get(1)){
bs.getUExpGolomb();
@ -182,8 +175,8 @@ namespace h264 {
// Decode timing info
if (bs.get(1)){
unsigned int unitsInTick = bs.get(32);
unsigned int timeScale = bs.get(32);
uint32_t unitsInTick = bs.get(32);
uint32_t timeScale = bs.get(32);
result.fps = (double)timeScale / (2 * unitsInTick);
bs.skip(1);
}
@ -194,9 +187,10 @@ namespace h264 {
return result;
}
void spsUnit::scalingList(uint64_t * scalingList, size_t sizeOfScalingList, bool & useDefaultScalingMatrixFlag, Utils::bitstream & bs){
int lastScale = 8;
int nextScale = 8;
void spsUnit::scalingList(uint64_t *scalingList, size_t sizeOfScalingList,
bool &useDefaultScalingMatrixFlag, Utils::bitstream &bs){
int32_t lastScale = 8;
int32_t nextScale = 8;
for (int i = 0; i < sizeOfScalingList; i++){
if (nextScale){
int64_t deltaScale = bs.getExpGolomb();
@ -254,9 +248,7 @@ namespace h264 {
case 118:
case 128:
chromaFormatIdc = bs.getUExpGolomb();
if (chromaFormatIdc == 3){
separateColourPlaneFlag = bs.get(1);
}
if (chromaFormatIdc == 3){separateColourPlaneFlag = bs.get(1);}
if (chromaFormatIdc == 1){
derived_subWidthC = 2;
derived_subHeightC = 2;
@ -280,7 +272,8 @@ namespace h264 {
bitDepthChromaMinus8 = bs.getUExpGolomb();
derived_bitDepth_C = 8 + bitDepthChromaMinus8;
derived_qpBdOffset_C = 6 * bitDepthChromaMinus8;
derived_rawMbBits = 256 * derived_bitDepth_Y + 2 * derived_mbWidthC * derived_mbHeightC * derived_bitDepth_C;
derived_rawMbBits =
256 * derived_bitDepth_Y + 2 * derived_mbWidthC * derived_mbHeightC * derived_bitDepth_C;
qpprimeYZeroTransformBypassFlag = bs.get(1);
seqScalingMatrixPresentFlag = bs.get(1);
if (seqScalingMatrixPresentFlag){
@ -289,16 +282,17 @@ namespace h264 {
derived_scalingList4x4Amount = 6;
scalingList4x4 = (uint64_t **)malloc(derived_scalingList4x4Amount * sizeof(uint64_t *));
useDefaultScalingMatrix4x4Flag = (bool*)malloc(derived_scalingList4x4Amount * sizeof(bool));
useDefaultScalingMatrix4x4Flag =
(bool *)malloc(derived_scalingList4x4Amount * sizeof(bool));
for (int i = 0; i < derived_scalingList4x4Amount; i++){
scalingList4x4[i] = NULL;
useDefaultScalingMatrix4x4Flag[i] = false;
}
derived_scalingList8x8Amount = derived_scalingListSize - 6;
scalingList8x8 = (uint64_t **)malloc(derived_scalingList8x8Amount * sizeof(uint64_t *));
useDefaultScalingMatrix8x8Flag = (bool*)malloc(derived_scalingList8x8Amount * sizeof(bool));
useDefaultScalingMatrix8x8Flag =
(bool *)malloc(derived_scalingList8x8Amount * sizeof(bool));
for (int i = 0; i < derived_scalingList8x8Amount; i++){
scalingList8x8[i] = NULL;
useDefaultScalingMatrix8x8Flag[i] = false;
@ -318,8 +312,7 @@ namespace h264 {
}
}
break;
default:
break;
default: break;
}
log2MaxFrameNumMinus4 = bs.getUExpGolomb();
derived_maxFrameNum = pow(2, log2MaxFrameNumMinus4 + 4);
@ -342,9 +335,7 @@ namespace h264 {
derived_picSizeInMapUnits = derived_picWidthInMbs * derived_picHeightInMapUnits;
frameMbsOnlyFlag = bs.get(1);
derived_frameHeightInMbs = (2 - (frameMbsOnlyFlag ? 1 : 0)) * derived_picHeightInMapUnits;
if (!frameMbsOnlyFlag){
mbAdaptiveFrameFieldFlag = bs.get(1);
}
if (!frameMbsOnlyFlag){mbAdaptiveFrameFieldFlag = bs.get(1);}
direct8x8InferenceFlag = bs.get(1);
frameCroppingFlag = bs.get(1);
if (frameCroppingFlag){
@ -354,26 +345,28 @@ namespace h264 {
frameCropBottomOffset = bs.getUExpGolomb();
}
vuiParametersPresentFlag = bs.get(1);
if (vuiParametersPresentFlag){
vuiParams = vui_parameters(bs);
}
if (vuiParametersPresentFlag){vuiParams = vui_parameters(bs);}
}
void spsUnit::setSPSNumber(size_t newNumber){
// for now, can only convert from 0 to 16
if (seqParameterSetId != 0){
return;
}
if (seqParameterSetId != 0){return;}
seqParameterSetId = 16;
payload.insert(4, 1, 0x08);
}
void spsUnit::toPrettyString(std::ostream &out){
out << "Nal unit of type " << (((uint8_t)payload[0]) & 0x1F) << " [Sequence Parameter Set] , " << payload.size() << " bytes long" << std::endl;
out << " profile_idc: 0x" << std::setw(2) << std::setfill('0') << std::hex << (int)profileIdc << std::dec << " (" << (int)profileIdc << ")" << std::endl;
out << " contraints: " << (constraintSet0Flag ? "0 " : "") << (constraintSet1Flag ? "1 " : "") << (constraintSet2Flag ? "2 " : "") << (constraintSet3Flag ? "3 " : "") << (constraintSet4Flag ? "4 " : "") << (constraintSet5Flag ? "5" : "") << std::endl;
out << " level_idc: 0x" << std::setw(2) << std::setfill('0') << std::hex << (int)levelIdc << std::dec << " (" << (int)profileIdc << ")" << std::endl;
out << " seq_parameter_set_id: " << seqParameterSetId << (seqParameterSetId >= 32 ? " INVALID" : "") << std::endl;
out << "Nal unit of type " << (((uint8_t)payload[0]) & 0x1F) << " [Sequence Parameter Set] , "
<< payload.size() << " bytes long" << std::endl;
out << " profile_idc: 0x" << std::setw(2) << std::setfill('0') << std::hex << (int)profileIdc
<< std::dec << " (" << (int)profileIdc << ")" << std::endl;
out << " contraints: " << (constraintSet0Flag ? "0 " : "") << (constraintSet1Flag ? "1 " : "")
<< (constraintSet2Flag ? "2 " : "") << (constraintSet3Flag ? "3 " : "")
<< (constraintSet4Flag ? "4 " : "") << (constraintSet5Flag ? "5" : "") << std::endl;
out << " level_idc: 0x" << std::setw(2) << std::setfill('0') << std::hex << (int)levelIdc
<< std::dec << " (" << (int)profileIdc << ")" << std::endl;
out << " seq_parameter_set_id: " << seqParameterSetId
<< (seqParameterSetId >= 32 ? " INVALID" : "") << std::endl;
switch (profileIdc){
case 100:
case 110:
@ -384,51 +377,63 @@ namespace h264 {
case 86:
case 118:
case 128:
out << " chroma_format_idc: " << chromaFormatIdc << (chromaFormatIdc >= 4 ? " INVALID" : "") << std::endl;
out << " chroma_format_idc: " << chromaFormatIdc << (chromaFormatIdc >= 4 ? " INVALID" : "")
<< std::endl;
if (chromaFormatIdc == 3){
out << " separate_colour_plane_flag: " << (separateColourPlaneFlag ? 1 : 0) << std::endl;
}
out << " bit_depth_luma_minus_8: " << bitDepthLumaMinus8 << (bitDepthLumaMinus8 >= 7 ? " INVALID": "") << std::endl;
out << " bit_depth_luma_minus_8: " << bitDepthLumaMinus8
<< (bitDepthLumaMinus8 >= 7 ? " INVALID" : "") << std::endl;
out << " -> BitDepth_Y: " << derived_bitDepth_Y << std::endl;
out << " -> QpBdOffset_Y: " << derived_qpBdOffset_Y << std::endl;
out << " bit_depth_chroma_minus_8: " << bitDepthChromaMinus8 << (bitDepthChromaMinus8 >= 7 ? " INVALID": "") << std::endl;
out << " bit_depth_chroma_minus_8: " << bitDepthChromaMinus8
<< (bitDepthChromaMinus8 >= 7 ? " INVALID" : "") << std::endl;
out << " -> BitDepth_C: " << derived_bitDepth_C << std::endl;
out << " -> QpBdOffset_C: " << derived_qpBdOffset_C << std::endl;
out << " -> RawMbBits: " << derived_rawMbBits << std::endl;
out << " qpprime_y_zero-transform_bypass_flag: " << (qpprimeYZeroTransformBypassFlag ? 1 : 0) << std::endl;
out << " seq_scaling_matrix_present_flag: " << (seqScalingMatrixPresentFlag ? 1 : 0) << std::endl;
out << " qpprime_y_zero-transform_bypass_flag: " << (qpprimeYZeroTransformBypassFlag ? 1 : 0)
<< std::endl;
out << " seq_scaling_matrix_present_flag: " << (seqScalingMatrixPresentFlag ? 1 : 0)
<< std::endl;
if (seqScalingMatrixPresentFlag){
for (int i = 0; i < derived_scalingListSize; i++){
out << " seq_scaling_list_present_flag[" << i << "]: " << (scalingListPresentFlags[i] ? 1 : 0) << std::endl;
out << " seq_scaling_list_present_flag[" << i
<< "]: " << (scalingListPresentFlags[i] ? 1 : 0) << std::endl;
if (scalingListPresentFlags[i]){
if (i < 6){
for (int j = 0; j < 16; j++){
out << " scalingMatrix4x4[" << i << "][" << j << "]: " << scalingList4x4[i][j] << std::endl;
out << " scalingMatrix4x4[" << i << "][" << j << "]: " << scalingList4x4[i][j]
<< std::endl;
}
out << " useDefaultScalingMatrix4x4Flag[" << i << "]: " << (useDefaultScalingMatrix4x4Flag[i] ? 1 : 0) << std::endl;
out << " useDefaultScalingMatrix4x4Flag[" << i
<< "]: " << (useDefaultScalingMatrix4x4Flag[i] ? 1 : 0) << std::endl;
}else{
for (int j = 0; j < 64; j++){
out << " scalingMatrix8x8[" << i-6 << "][" << j << "]: " << scalingList8x8[i-6][j] << std::endl;
out << " scalingMatrix8x8[" << i - 6 << "][" << j
<< "]: " << scalingList8x8[i - 6][j] << std::endl;
}
out << " useDefaultScalingMatrix8x8Flag[" << i - 6 << "]: " << (useDefaultScalingMatrix8x8Flag[i - 6] ? 1 : 0) << std::endl;
out << " useDefaultScalingMatrix8x8Flag[" << i - 6
<< "]: " << (useDefaultScalingMatrix8x8Flag[i - 6] ? 1 : 0) << std::endl;
}
}
}
}
break;
default:
break;
default: break;
}
out << " log2_max_frame_num_minus4: " << log2MaxFrameNumMinus4 << (log2MaxFrameNumMinus4 >= 13 ? " INVALID" : "") << std::endl;
out << " log2_max_frame_num_minus4: " << log2MaxFrameNumMinus4
<< (log2MaxFrameNumMinus4 >= 13 ? " INVALID" : "") << std::endl;
out << " -> MaxFrameNum: " << derived_maxFrameNum << std::endl;
out << " pic_order_cnt_type: " << picOrderCntType << (picOrderCntType >= 3 ? " INVALID" : "") << std::endl;
out << " pic_order_cnt_type: " << picOrderCntType << (picOrderCntType >= 3 ? " INVALID" : "")
<< std::endl;
if (!picOrderCntType){
out << " log2_max_pic_order_cnt_lsb_minus4: " << log2MaxPicOrderCntLsbMinus4 << (log2MaxPicOrderCntLsbMinus4 >= 13 ? " INVALID" : "") << std::endl;
out << " log2_max_pic_order_cnt_lsb_minus4: " << log2MaxPicOrderCntLsbMinus4
<< (log2MaxPicOrderCntLsbMinus4 >= 13 ? " INVALID" : "") << std::endl;
out << " -> MaxPicOrderCntLsb: " << derived_maxPicOrderCntLsb << std::endl;
}
out << " max_num_ref_frames: " << maxNumRefFrames << std::endl;
out << " gaps_in_frame_num_value_allowed_flag: " << (gapsInFrameNumValueAllowedFlag ? 1 : 0) << std::endl;
out << " gaps_in_frame_num_value_allowed_flag: " << (gapsInFrameNumValueAllowedFlag ? 1 : 0)
<< std::endl;
out << " pic_width_in_mbs_minus_1: " << picWidthInMbsMinus1 << std::endl;
out << " -> PicWidthInMbs: " << derived_picWidthInMbs << std::endl;
out << " -> PicWidthInSamples_L: " << derived_picWidthInSamples_L << std::endl;
@ -450,9 +455,7 @@ namespace h264 {
out << " frame_crop_bottom_offset: " << frameCropBottomOffset << std::endl;
}
out << " vui_parameter_present_flag: " << vuiParametersPresentFlag << std::endl;
if (vuiParametersPresentFlag){
vuiParams.toPrettyString(out, 2);
}
if (vuiParametersPresentFlag){vuiParams.toPrettyString(out, 2);}
}
std::string spsUnit::generate(){
@ -479,35 +482,26 @@ namespace h264 {
case 118:
case 128:
bw.appendUExpGolomb(chromaFormatIdc);
if (chromaFormatIdc == 3){
bw.append(separateColourPlaneFlag ? 1 : 0, 1);
}
if (chromaFormatIdc == 3){bw.append(separateColourPlaneFlag ? 1 : 0, 1);}
bw.appendUExpGolomb(bitDepthLumaMinus8);
bw.appendUExpGolomb(bitDepthChromaMinus8);
bw.append(qpprimeYZeroTransformBypassFlag, 1);
bw.append(seqScalingMatrixPresentFlag, 1);
if (seqScalingMatrixPresentFlag){
for (int i = 0; i < derived_scalingListSize; i++){
bw.append(0, 1);
}
for (int i = 0; i < derived_scalingListSize; i++){bw.append(0, 1);}
}
break;
default:
break;
default: break;
}
bw.appendUExpGolomb(log2MaxFrameNumMinus4);
bw.appendUExpGolomb(picOrderCntType);
if (picOrderCntType == 0){
bw.appendUExpGolomb(log2MaxPicOrderCntLsbMinus4);
}
if (picOrderCntType == 0){bw.appendUExpGolomb(log2MaxPicOrderCntLsbMinus4);}
bw.appendUExpGolomb(maxNumRefFrames);
bw.append(gapsInFrameNumValueAllowedFlag ? 1 : 0, 1);
bw.appendUExpGolomb(picWidthInMbsMinus1);
bw.appendUExpGolomb(picHeightInMapUnitsMinus1);
bw.append(frameMbsOnlyFlag ? 1 : 0, 1);
if (!frameMbsOnlyFlag){
bw.append(mbAdaptiveFrameFieldFlag ? 1 : 0, 1);
}
if (!frameMbsOnlyFlag){bw.append(mbAdaptiveFrameFieldFlag ? 1 : 0, 1);}
bw.append(direct8x8InferenceFlag ? 1 : 0, 1);
bw.append(frameCroppingFlag ? 1 : 0, 1);
if (frameCroppingFlag){
@ -517,9 +511,7 @@ namespace h264 {
bw.appendUExpGolomb(frameCropBottomOffset);
}
bw.append(vuiParametersPresentFlag ? 1 : 0, 1);
if (vuiParametersPresentFlag){
vuiParams.generate(bw);
}
if (vuiParametersPresentFlag){vuiParams.generate(bw);}
bw.append(1, 1);
std::string tmp = bw.str();
std::string res;
@ -535,13 +527,12 @@ namespace h264 {
}
bool more_rbsp_data(Utils::bitstream &bs){
if (bs.size() < 8){
return false;
}
if (bs.size() < 8){return false;}
return true;
}
void ppsUnit::scalingList(uint64_t * scalingList, size_t sizeOfScalingList, bool & useDefaultScalingMatrixFlag, Utils::bitstream & bs){
void ppsUnit::scalingList(uint64_t *scalingList, size_t sizeOfScalingList,
bool &useDefaultScalingMatrixFlag, Utils::bitstream &bs){
int lastScale = 8;
int nextScale = 8;
for (int i = 0; i < sizeOfScalingList; i++){
@ -594,10 +585,10 @@ namespace h264 {
transform8x8ModeFlag = bs.get(1);
picScalingMatrixPresentFlag = bs.get(1);
if (picScalingMatrixPresentFlag){
derived_scalingListSize = 6 + (chromaFormatIdc ? ((chromaFormatIdc == 3 ? 6 : 2) * transform8x8ModeFlag) : 0);
derived_scalingListSize =
6 + (chromaFormatIdc ? ((chromaFormatIdc == 3 ? 6 : 2) * transform8x8ModeFlag) : 0);
picScalingMatrixPresentFlags = (uint8_t *)malloc(derived_scalingListSize * sizeof(uint8_t));
derived_scalingList4x4Amount = 6;
scalingList4x4 = (uint64_t **)malloc(derived_scalingList4x4Amount * sizeof(uint64_t *));
useDefaultScalingMatrix4x4Flag = (bool *)malloc(derived_scalingList4x4Amount * sizeof(bool));
@ -606,7 +597,6 @@ namespace h264 {
useDefaultScalingMatrix4x4Flag[i] = false;
}
derived_scalingList8x8Amount = derived_scalingListSize - 6;
scalingList8x8 = (uint64_t **)malloc(derived_scalingList8x8Amount * sizeof(uint64_t *));
useDefaultScalingMatrix8x8Flag = (bool *)malloc(derived_scalingList8x8Amount * sizeof(bool));
@ -638,32 +628,35 @@ namespace h264 {
void ppsUnit::setSPSNumber(size_t newNumber){
// for now, can only convert from 0 to 16
if (seqParameterSetId != 0 || picParameterSetId != 16){
return;
}
if (seqParameterSetId != 0 || picParameterSetId != 16){return;}
seqParameterSetId = 16;
payload.insert(2, 1, 0x84);
payload[3] &= 0x7F;
}
void ppsUnit::toPrettyString(std::ostream &out){
out << "Nal unit of type " << (((uint8_t)payload[0]) & 0x1F) << " [Picture Parameter Set] , " << payload.size() << " bytes long" << std::endl;
out << " pic_parameter_set_id: " << picParameterSetId << (picParameterSetId >= 256 ? " INVALID" : "") << std::endl;
out << " seq_parameter_set_id: " << seqParameterSetId << (seqParameterSetId >= 32 ? " INVALID" : "") << std::endl;
out << "Nal unit of type " << (((uint8_t)payload[0]) & 0x1F) << " [Picture Parameter Set] , "
<< payload.size() << " bytes long" << std::endl;
out << " pic_parameter_set_id: " << picParameterSetId
<< (picParameterSetId >= 256 ? " INVALID" : "") << std::endl;
out << " seq_parameter_set_id: " << seqParameterSetId
<< (seqParameterSetId >= 32 ? " INVALID" : "") << std::endl;
out << " entropy_coding_mode_flag: " << (entropyCodingModeFlag ? 1 : 0) << std::endl;
out << " bottom_field_pic_order_in_frame_present_flag: " << (bottomFieldPicOrderInFramePresentFlag ? 1 : 0) << std::endl;
out << " bottom_field_pic_order_in_frame_present_flag: "
<< (bottomFieldPicOrderInFramePresentFlag ? 1 : 0) << std::endl;
out << " num_slice_groups_minus1: " << numSliceGroupsMinus1 << std::endl;
if (numSliceGroupsMinus1 > 0){
return;
}
out << " num_ref_idx_10_default_active_minus1: " << numrefIdx10DefaultActiveMinus1 << std::endl;
out << " num_ref_idx_11_default_active_minus1: " << numrefIdx11DefaultActiveMinus1 << std::endl;
if (numSliceGroupsMinus1 > 0){return;}
out << " num_ref_idx_10_default_active_minus1: " << numrefIdx10DefaultActiveMinus1
<< std::endl;
out << " num_ref_idx_11_default_active_minus1: " << numrefIdx11DefaultActiveMinus1
<< std::endl;
out << " weighted_pred_flag: " << (weightedPredFlag ? 1 : 0) << std::endl;
out << " weighted_bipred_idc: " << (uint32_t)weightedBipredIdc << std::endl;
out << " pic_init_qp_minus26: " << picInitQpMinus26 << std::endl;
out << " pic_init_qs_minus26: " << picInitQsMinus26 << std::endl;
out << " chroma_qp_index_offset: " << chromaQpIndexOffset << std::endl;
out << " deblocking_filter_control_present_flag: " << deblockingFilterControlPresentFlag << std::endl;
out << " deblocking_filter_control_present_flag: " << deblockingFilterControlPresentFlag
<< std::endl;
out << " constrained_intra_pred_flag: " << constrainedIntraPredFlag << std::endl;
out << " redundant_pic_cnt_present_flag: " << redundantPicCntPresentFlag << std::endl;
if (status_moreRBSP){
@ -671,18 +664,23 @@ namespace h264 {
out << " pic_scaling_matrix_present_flag: " << picScalingMatrixPresentFlag << std::endl;
if (picScalingMatrixPresentFlag){
for (int i = 0; i < derived_scalingListSize; i++){
out << " pic_scaling_matrix_present_flag[" << i << "]: " << (picScalingMatrixPresentFlags[i] ? 1 : 0) << std::endl;
out << " pic_scaling_matrix_present_flag[" << i
<< "]: " << (picScalingMatrixPresentFlags[i] ? 1 : 0) << std::endl;
if (picScalingMatrixPresentFlags[i]){
if (i < 6){
for (int j = 0; j < 16; j++){
out << " scalingMatrix4x4[" << i << "][" << j << "]: " << scalingList4x4[i][j] << std::endl;
out << " scalingMatrix4x4[" << i << "][" << j << "]: " << scalingList4x4[i][j]
<< std::endl;
}
out << " useDefaultScalingMatrix4x4Flag[" << i << "]: " << (useDefaultScalingMatrix4x4Flag[i] ? 1 : 0) << std::endl;
out << " useDefaultScalingMatrix4x4Flag[" << i
<< "]: " << (useDefaultScalingMatrix4x4Flag[i] ? 1 : 0) << std::endl;
}else{
for (int j = 0; j < 64; j++){
out << " scalingMatrix8x8[" << i-6 << "][" << j << "]: " << scalingList8x8[i-6][j] << std::endl;
out << " scalingMatrix8x8[" << i - 6 << "][" << j
<< "]: " << scalingList8x8[i - 6][j] << std::endl;
}
out << " useDefaultScalingMatrix8x8Flag[" << i - 6 << "]: " << (useDefaultScalingMatrix8x8Flag[i - 6] ? 1 : 0) << std::endl;
out << " useDefaultScalingMatrix8x8Flag[" << i - 6
<< "]: " << (useDefaultScalingMatrix8x8Flag[i - 6] ? 1 : 0) << std::endl;
}
}
}
@ -698,9 +696,7 @@ namespace h264 {
bw.appendUExpGolomb(seqParameterSetId);
bw.append(entropyCodingModeFlag ? 1 : 0, 1);
bw.append(bottomFieldPicOrderInFramePresentFlag ? 1 : 0, 1);
if(numSliceGroupsMinus1 > 0){
INFO_MSG("Forcing to numSliceGroupsMinus1 == 0");
}
if (numSliceGroupsMinus1 > 0){INFO_MSG("Forcing to numSliceGroupsMinus1 == 0");}
bw.appendUExpGolomb(0); // numSliceGroupsMinus1
bw.appendUExpGolomb(numrefIdx10DefaultActiveMinus1);
bw.appendUExpGolomb(numrefIdx11DefaultActiveMinus1);
@ -757,25 +753,24 @@ namespace h264 {
void codedSliceUnit::setPPSNumber(size_t newNumber){
// for now, can only convert from 0 to 16
if (picParameterSetId != 0){
return;
}
if (picParameterSetId != 0){return;}
size_t bitOffset = 0;
bitOffset += Utils::bitstream::bitSizeUExpGolomb(firstMbInSlice);
bitOffset += Utils::bitstream::bitSizeUExpGolomb(sliceType);
size_t byteOffset = bitOffset / 8;
bitOffset -= (byteOffset * 8);
INFO_MSG("Offset for this value: %d bytes and %d bits", byteOffset, bitOffset);
INFO_MSG("Offset for this value: %zu bytes and %zu bits", byteOffset, bitOffset);
size_t firstBitmask = ((1 << bitOffset) - 1) << (8 - bitOffset);
size_t secondBitmask = (1 << (8 - bitOffset)) - 1;
INFO_MSG("Bitmasks: %0.2X, %0.2X", firstBitmask, secondBitmask);
INFO_MSG("Bitmasks: %.2zX, %.2zX", firstBitmask, secondBitmask);
char toCopy = payload[1 + byteOffset];
payload.insert(1 + byteOffset, 1, toCopy);
payload[1 + byteOffset] &= firstBitmask;
payload[1 + byteOffset] |= (0x08 >> bitOffset);
payload[2 + byteOffset] &= secondBitmask;
payload[2 + byteOffset] |= (0x08 << (8 - bitOffset));
INFO_MSG("Translated %0.2X to %0.2X %0.2X", toCopy, payload[1+byteOffset], payload[2+byteOffset]);
INFO_MSG("Translated %.2X to %.2X %.2X", toCopy, payload[1 + byteOffset],
payload[2 + byteOffset]);
}
void codedSliceUnit::toPrettyString(std::ostream &out){
@ -792,13 +787,14 @@ namespace h264 {
case 9:
case 4: strSliceType = " SI - Switching intra slice (no external references)"; break;
}
out << "Nal unit of type " << (((uint8_t)payload[0]) & 0x1F) << " [Coded Slice] , " << payload.size() << " bytes long" << std::endl;
out << "Nal unit of type " << (((uint8_t)payload[0]) & 0x1F) << " [Coded Slice] , "
<< payload.size() << " bytes long" << std::endl;
out << " first_mb_in_slice: " << firstMbInSlice << std::endl;
out << " slice_type " << sliceType << ": " << strSliceType << std::endl;
out << " pic_parameter_set_id: " << picParameterSetId << (picParameterSetId >= 256 ? " INVALID" : "") << std::endl;
out << " pic_parameter_set_id: " << picParameterSetId
<< (picParameterSetId >= 256 ? " INVALID" : "") << std::endl;
}
seiUnit::seiUnit(const char *data, size_t len) : nalUnit(data, len){
Utils::bitstream bs;
payloadOffset = 1;
@ -834,7 +830,8 @@ namespace h264 {
}
void seiUnit::toPrettyString(std::ostream &out){
out << "Nal unit of type " << (((uint8_t)payload[0]) & 0x1F) << " [Supplemental Enhancement Unit] , " << payload.size() << " bytes long" << std::endl;
out << "Nal unit of type " << (((uint8_t)payload[0]) & 0x1F)
<< " [Supplemental Enhancement Unit] , " << payload.size() << " bytes long" << std::endl;
switch (payloadType){
case 5:{// User data, unregistered
out << " Type 5: User data, unregistered." << std::endl;
@ -846,11 +843,12 @@ namespace h264 {
uuid.str("x264 encoder configuration");
}
out << " UUID: " << uuid.str() << std::endl;
out << " Payload: " << std::string(payload.data()+payloadOffset+16, payloadSize - 17) << std::endl;
}
break;
out << " Payload: " << std::string(payload.data() + payloadOffset + 16, payloadSize - 17)
<< std::endl;
}break;
default:
out << " Message of type " << payloadType << ", " << payloadSize << " bytes long" << std::endl;
out << " Message of type " << payloadType << ", " << payloadSize << " bytes long"
<< std::endl;
}
}
@ -863,7 +861,10 @@ namespace h264 {
FAIL_MSG("Encountered bullshit AnnexB data..?");
return 0;
}
if (_data[i] == 1){offset = i+1; break;}
if (_data[i] == 1){
offset = i + 1;
break;
}
}
}
// now we know we're starting at real data. Yay!
@ -877,7 +878,7 @@ namespace h264 {
// read the 4b size in front
pktLen = Bit::btohl(_data + offset);
if (_len - offset < 4 + pktLen){
WARN_MSG("Not at least 4+%lu bytes available - cancelling", pktLen);
WARN_MSG("Not at least 4+%" PRIu32 " bytes available - cancelling", pktLen);
return 0;
}
offset += 4;
@ -904,16 +905,11 @@ namespace h264 {
switch (data[0] & 0x1F){
case 1:
case 5:
case 19:
return new codedSliceUnit(data, pktLen);
case 6:
return new seiUnit(data, pktLen);
case 7:
return new spsUnit(data, pktLen);
case 8:
return new ppsUnit(data, pktLen);
default:
return new nalUnit(data, pktLen);
case 19: return new codedSliceUnit(data, pktLen);
case 6: return new seiUnit(data, pktLen);
case 7: return new spsUnit(data, pktLen);
case 8: return new ppsUnit(data, pktLen);
default: return new nalUnit(data, pktLen);
}
}
@ -923,44 +919,29 @@ namespace h264 {
if (fread(size, 4, 1, in)){
if (annexb){
size_t curPos = ftell(in);
if (size[2] == 0x01){
curPos --;
}
if (size[2] == 0x01){curPos--;}
fseek(in, curPos, SEEK_SET);
char *data = (char *)malloc(1024 * 1024 * sizeof(char)); // allocate 1MB in size
size_t len = fread(data, 1, 1024 * 1024, in);
if (len){
std::string str(data, len);
size_t nextPos = str.find("\000\000\001", 0, 3);
if (nextPos == std::string::npos && feof(in)){
nextPos = len;
}
if (nextPos == std::string::npos && feof(in)){nextPos = len;}
if (nextPos != std::string::npos){
if (str[nextPos - 1] == 0x00){
nextPos --;
}
if (str[nextPos - 1] == 0x00){nextPos--;}
switch (data[0] & 0x1F){
case 1:
case 5:
case 19:
result = new codedSliceUnit(data, nextPos);
break;
case 6:
result = new seiUnit(data, nextPos);
break;
case 7:
result = new spsUnit(data, nextPos);
break;
case 8:
result = new ppsUnit(data, nextPos);
break;
default:
result = new nalUnit(data, nextPos);
break;
case 19: result = new codedSliceUnit(data, nextPos); break;
case 6: result = new seiUnit(data, nextPos); break;
case 7: result = new spsUnit(data, nextPos); break;
case 8: result = new ppsUnit(data, nextPos); break;
default: result = new nalUnit(data, nextPos); break;
}
fseek(in, curPos + nextPos, SEEK_SET);
}else{
FAIL_MSG("NAL Unit of over 1MB, unexpected behaviour until next AnnexB boundary in file");
FAIL_MSG(
"NAL Unit of over 1MB, unexpected behaviour until next AnnexB boundary in file");
}
}
free(data);
@ -969,12 +950,8 @@ namespace h264 {
char *data = (char *)malloc(len * sizeof(char));
if (fread(data, len, 1, in)){
switch (data[0] & 0x1F){
case 7:
result = new spsUnit(data, len);
break;
default:
result = new nalUnit(data, len);
break;
case 7: result = new spsUnit(data, len); break;
default: result = new nalUnit(data, len); break;
}
}
free(data);
@ -993,13 +970,12 @@ namespace h264 {
}
}
overscanInfoPresentFlag = bs.get(1);
if (overscanInfoPresentFlag){
overscanAppropriateFlag = bs.get(1);
}
if (overscanInfoPresentFlag){overscanAppropriateFlag = bs.get(1);}
videoSignalTypePresentFlag = bs.get(1);
if (videoSignalTypePresentFlag){
videoFormat = bs.get(3);
videoFullRangeFlag = bs.get(1);;
videoFullRangeFlag = bs.get(1);
;
colourDescriptionPresentFlag = bs.get(1);
if (colourDescriptionPresentFlag){
colourPrimaries = bs.get(8);
@ -1022,9 +998,7 @@ namespace h264 {
// hrd param nal
vclHrdParametersPresentFlag = bs.get(1);
// hrd param vcl
if (nalHrdParametersPresentFlag || vclHrdParametersPresentFlag){
lowDelayHrdFlag = bs.get(1);
}
if (nalHrdParametersPresentFlag || vclHrdParametersPresentFlag){lowDelayHrdFlag = bs.get(1);}
picStructPresentFlag = bs.get(1);
bitstreamRestrictionFlag = bs.get(1);
if (bitstreamRestrictionFlag){
@ -1048,9 +1022,7 @@ namespace h264 {
}
}
bw.append(overscanInfoPresentFlag ? 1 : 0, 1);
if (overscanInfoPresentFlag){
bw.append(overscanAppropriateFlag ? 1 : 0, 1);
}
if (overscanInfoPresentFlag){bw.append(overscanAppropriateFlag ? 1 : 0, 1);}
bw.append(videoSignalTypePresentFlag ? 1 : 0, 1);
if (videoSignalTypePresentFlag){
bw.append(videoFormat, 3);
@ -1074,13 +1046,9 @@ namespace h264 {
bw.append(fixedFrameRateFlag ? 1 : 0, 1);
}
bw.append(nalHrdParametersPresentFlag ? 1 : 0, 1);
if (nalHrdParametersPresentFlag){
}
if (nalHrdParametersPresentFlag){}
bw.append(vclHrdParametersPresentFlag ? 1 : 0, 1);
if (vclHrdParametersPresentFlag){
}
if (vclHrdParametersPresentFlag){}
if (nalHrdParametersPresentFlag || vclHrdParametersPresentFlag){
bw.append(lowDelayHrdFlag ? 1 : 0, 1);
}
@ -1099,57 +1067,83 @@ namespace h264 {
void vui_parameters::toPrettyString(std::ostream &out, size_t indent){
out << std::string(indent, ' ') << "Vui parameters" << std::endl;
out << std::string(indent + 2, ' ') << "aspect_ratio_info_present_flag: " << aspectRatioInfoPresentFlag << std::endl;
out << std::string(indent + 2, ' ')
<< "aspect_ratio_info_present_flag: " << aspectRatioInfoPresentFlag << std::endl;
if (aspectRatioInfoPresentFlag){
out << std::string(indent + 2, ' ') << "aspect_ratio_idc: " << (int32_t)aspectRatioIdc << std::endl;
out << std::string(indent + 2, ' ') << "aspect_ratio_idc: " << (int32_t)aspectRatioIdc
<< std::endl;
if (aspectRatioIdc == 255){
out << std::string(indent + 2, ' ') << "sar_width: " << sarWidth << std::endl;
out << std::string(indent + 2, ' ') << "sar_height: " << sarHeight << std::endl;
}
}
out << std::string(indent + 2, ' ') << "overscan_info_present_flag: " << overscanInfoPresentFlag << std::endl;
out << std::string(indent + 2, ' ') << "overscan_info_present_flag: " << overscanInfoPresentFlag
<< std::endl;
if (overscanInfoPresentFlag){
out << std::string(indent + 2, ' ') << "overscan_appropriate_present_flag: " << overscanAppropriateFlag << std::endl;
out << std::string(indent + 2, ' ')
<< "overscan_appropriate_present_flag: " << overscanAppropriateFlag << std::endl;
}
out << std::string(indent + 2, ' ') << "video_signal_type_present_flag: " << videoSignalTypePresentFlag << std::endl;
out << std::string(indent + 2, ' ')
<< "video_signal_type_present_flag: " << videoSignalTypePresentFlag << std::endl;
if (videoSignalTypePresentFlag){
out << std::string(indent + 2, ' ') << "video_format" << videoFormat << std::endl;
out << std::string(indent + 2, ' ') << "video_full_range_flag" << videoFullRangeFlag << std::endl;
out << std::string(indent + 2, ' ') << "colour_description_present_flag" << colourDescriptionPresentFlag << std::endl;
out << std::string(indent + 2, ' ') << "video_full_range_flag" << videoFullRangeFlag
<< std::endl;
out << std::string(indent + 2, ' ') << "colour_description_present_flag"
<< colourDescriptionPresentFlag << std::endl;
if (colourDescriptionPresentFlag){
out << std::string(indent + 2, ' ') << "colour_primaries" << colourPrimaries << std::endl;
out << std::string(indent + 2, ' ') << "transfer_characteristics" << transferCharacteristics << std::endl;
out << std::string(indent + 2, ' ') << "matrix_coefficients" << matrixCoefficients << std::endl;
out << std::string(indent + 2, ' ') << "transfer_characteristics" << transferCharacteristics
<< std::endl;
out << std::string(indent + 2, ' ') << "matrix_coefficients" << matrixCoefficients
<< std::endl;
}
}
out << std::string(indent + 2, ' ') << "chroma_loc_info_present_flag: " << chromaLocInfoPresentFlag << std::endl;
out << std::string(indent + 2, ' ')
<< "chroma_loc_info_present_flag: " << chromaLocInfoPresentFlag << std::endl;
if (chromaLocInfoPresentFlag){
out << std::string(indent + 2, ' ') << "chroma_sample_loc_type_top_field" << chromaSampleLocTypeTopField << std::endl;
out << std::string(indent + 2, ' ') << "chroma_sample_loc_type_bottom_field" << chromaSampleLocTypeBottomField << std::endl;
out << std::string(indent + 2, ' ') << "chroma_sample_loc_type_top_field"
<< chromaSampleLocTypeTopField << std::endl;
out << std::string(indent + 2, ' ') << "chroma_sample_loc_type_bottom_field"
<< chromaSampleLocTypeBottomField << std::endl;
}
out << std::string(indent + 2, ' ') << "timing_info_present_flag: " << timingInfoPresentFlag << std::endl;
out << std::string(indent + 2, ' ') << "timing_info_present_flag: " << timingInfoPresentFlag
<< std::endl;
if (timingInfoPresentFlag){
out << std::string(indent + 2, ' ') << "num_units_in_tick: " << numUnitsInTick << std::endl;
out << std::string(indent + 2, ' ') << "time_scale: " << timeScale << std::endl;
out << std::string(indent + 2, ' ') << "fixed_frame_rate_flag: " << fixedFrameRateFlag << std::endl;
out << std::string(indent + 2, ' ') << "fixed_frame_rate_flag: " << fixedFrameRateFlag
<< std::endl;
}
out << std::string(indent + 2, ' ') << "nal_hrd_parameters_present_flag: " << nalHrdParametersPresentFlag << std::endl;
out << std::string(indent + 2, ' ')
<< "nal_hrd_parameters_present_flag: " << nalHrdParametersPresentFlag << std::endl;
out << std::string(indent + 2, ' ') << "vcl_hrd_parameters_present_flag: " << vclHrdParametersPresentFlag << std::endl;
out << std::string(indent + 2, ' ')
<< "vcl_hrd_parameters_present_flag: " << vclHrdParametersPresentFlag << std::endl;
if (nalHrdParametersPresentFlag || vclHrdParametersPresentFlag){
out << std::string(indent + 2, ' ') << "low_delay_hrd_flag: " << lowDelayHrdFlag << std::endl;
}
out << std::string(indent + 2, ' ') << "pic_struct_present_flag: " << picStructPresentFlag << std::endl;
out << std::string(indent + 2, ' ') << "bitstream_restiction_flag: " << bitstreamRestrictionFlag << std::endl;
out << std::string(indent + 2, ' ') << "pic_struct_present_flag: " << picStructPresentFlag
<< std::endl;
out << std::string(indent + 2, ' ') << "bitstream_restiction_flag: " << bitstreamRestrictionFlag
<< std::endl;
if (bitstreamRestrictionFlag){
out << std::string(indent + 2, ' ') << "motion_vectors_over_pic_boundaries_flag: " << motionVectorsOverPicBoundariesFlag << std::endl;
out << std::string(indent + 2, ' ') << "max_bytes_per_pic_denom: " << maxBytesPerPicDenom << std::endl;
out << std::string(indent + 2, ' ') << "max_bits_per_mb_denom: " << maxBitsPerMbDenom << std::endl;
out << std::string(indent + 2, ' ') << "log2_max_mv_length_horizontal: " << log2MaxMvLengthHorizontal << std::endl;
out << std::string(indent + 2, ' ') << "log2_max_mv_length_vertical: " << log2MaxMvLengthVertical << std::endl;
out << std::string(indent + 2, ' ') << "num_reorder_frames: " << numReorderFrames << std::endl;
out << std::string(indent + 2, ' ') << "max_dec_frame_buffering: " << maxDecFrameBuffering << std::endl;
}
out << std::string(indent + 2, ' ')
<< "motion_vectors_over_pic_boundaries_flag: " << motionVectorsOverPicBoundariesFlag
<< std::endl;
out << std::string(indent + 2, ' ') << "max_bytes_per_pic_denom: " << maxBytesPerPicDenom
<< std::endl;
out << std::string(indent + 2, ' ') << "max_bits_per_mb_denom: " << maxBitsPerMbDenom
<< std::endl;
out << std::string(indent + 2, ' ')
<< "log2_max_mv_length_horizontal: " << log2MaxMvLengthHorizontal << std::endl;
out << std::string(indent + 2, ' ')
<< "log2_max_mv_length_vertical: " << log2MaxMvLengthVertical << std::endl;
out << std::string(indent + 2, ' ') << "num_reorder_frames: " << numReorderFrames
<< std::endl;
out << std::string(indent + 2, ' ') << "max_dec_frame_buffering: " << maxDecFrameBuffering
<< std::endl;
}
}
}// namespace h264

View file

@ -1,21 +1,22 @@
#pragma once
#include <cstdio>
#include <cstdlib>
#include <deque>
#include <string>
#include <cstdlib>
#include <cstdio>
#include "nal.h"
#include "bitfields.h"
#include "bitstream.h"
#include "nal.h"
namespace h264{
std::deque<nalu::nalData> analysePackets(const char * data, unsigned long len);
std::deque<nalu::nalData> analysePackets(const char *data, size_t len);
///Struct containing pre-calculated metadata of an SPS nal unit. Width and height in pixels, fps in Hz
/// Struct containing pre-calculated metadata of an SPS nal unit. Width and height in pixels, fps
/// in Hz
struct SPSMeta{
unsigned int width;
unsigned int height;
uint32_t width;
uint32_t height;
double fps;
uint8_t profile;
uint8_t level;
@ -38,8 +39,9 @@ namespace h264 {
std::string SizePrepended();
int Type();
std::string getData();
protected:
unsigned int chroma_format_idc;///<the value of chroma_format_idc
uint32_t chroma_format_idc; ///< the value of chroma_format_idc
std::string MyData; ///< The h264 nal unit data
};
// NAL class
@ -47,7 +49,7 @@ namespace h264 {
/// Special instance of NAL class for analyzing SPS nal units
class SPS : public NAL{
public:
SPS(): NAL() {};
SPS() : NAL(){}
SPS(std::string &InputData, bool raw = false);
SPSMeta getCharacteristics();
void analyzeSPS();
@ -56,17 +58,17 @@ namespace h264 {
/// Special instance of NAL class for analyzing PPS nal units
class PPS : public NAL{
public:
PPS(): NAL() {};
PPS(std::string & InputData): NAL(InputData) {};
PPS() : NAL(){}
PPS(std::string &InputData) : NAL(InputData){}
void analyzePPS();
};
class sequenceParameterSet{
public:
sequenceParameterSet(const char *_data = NULL, size_t _dataLen = 0);
void fromDTSCInit(const std::string &dtscInit);
SPSMeta getCharacteristics() const;
private:
const char *data;
size_t dataLen;
@ -77,10 +79,13 @@ namespace h264 {
class nalUnit{
public:
nalUnit(const char *data, size_t len) : payload(data, len){}
virtual ~nalUnit(){}
uint8_t getType(){return payload[0] & 0x1F;}
uint32_t getSize(){return payload.size();}
size_t getSize(){return payload.size();}
virtual void toPrettyString(std::ostream &out){
out << "Nal unit of type " << (((uint8_t)payload[0]) & 0x1F) << ", " << payload.size() << " bytes long" << std::endl;
out << "Nal unit of type " << (((uint8_t)payload[0]) & 0x1F) << ", " << payload.size()
<< " bytes long" << std::endl;
}
void write(std::ostream &out){
// always writes in annex_b style
@ -90,6 +95,7 @@ namespace h264 {
virtual std::string generate(){return "";}
virtual void setSPSNumber(size_t newNumber){}
virtual void setPPSNumber(size_t newNumber){}
protected:
std::string payload;
};
@ -107,7 +113,7 @@ namespace h264 {
class vui_parameters{
public:
vui_parameters() {};
vui_parameters(){}
vui_parameters(Utils::bitstream &bs);
void generate(Utils::bitWriter &bw);
void toPrettyString(std::ostream &out, size_t indent = 0);
@ -152,13 +158,12 @@ namespace h264 {
public:
spsUnit(const char *data, size_t len);
~spsUnit(){
if (scalingListPresentFlags != NULL){
free(scalingListPresentFlags);
}
if (scalingListPresentFlags != NULL){free(scalingListPresentFlags);}
}
std::string generate();
void toPrettyString(std::ostream &out);
void scalingList(uint64_t * scalingList, size_t sizeOfScalingList, bool & useDefaultScalingMatrixFlag, Utils::bitstream & bs);
void scalingList(uint64_t *scalingList, size_t sizeOfScalingList,
bool &useDefaultScalingMatrixFlag, Utils::bitstream &bs);
void setSPSNumber(size_t newNumber);
uint8_t profileIdc;
bool constraintSet0Flag;
@ -184,7 +189,6 @@ namespace h264 {
uint64_t **scalingList8x8;
bool *useDefaultScalingMatrix8x8Flag;
uint64_t log2MaxFrameNumMinus4;
uint64_t picOrderCntType;
uint64_t log2MaxPicOrderCntLsbMinus4;
@ -233,11 +237,10 @@ namespace h264 {
public:
ppsUnit(const char *data, size_t len, uint8_t chromaFormatIdc = 0);
~ppsUnit(){
if (picScalingMatrixPresentFlags != NULL){
free(picScalingMatrixPresentFlags);
if (picScalingMatrixPresentFlags != NULL){free(picScalingMatrixPresentFlags);}
}
}
void scalingList(uint64_t * scalingList, size_t sizeOfScalingList, bool & useDefaultScalingMatrixFlag, Utils::bitstream & bs);
void scalingList(uint64_t *scalingList, size_t sizeOfScalingList,
bool &useDefaultScalingMatrixFlag, Utils::bitstream &bs);
void setPPSNumber(size_t newNumber);
void setSPSNumber(size_t newNumber);
void toPrettyString(std::ostream &out);
@ -297,8 +300,7 @@ namespace h264 {
uint32_t payloadOffset;
};
nalUnit *nalFactory(FILE *in, bool annexb = true);
nalUnit *nalFactory(const char *data, size_t len, size_t &offset, bool annexb = true);
}
}// namespace h264

View file

@ -64,7 +64,8 @@ namespace h265 {
hvccBox.setPayload(hvccData);
std::deque<MP4::HVCCArrayEntry> arrays = hvccBox.getArrays();
for (std::deque<MP4::HVCCArrayEntry>::iterator it = arrays.begin(); it != arrays.end(); it++){
for (std::deque<std::string>::iterator nalIt = it->nalUnits.begin(); nalIt != it->nalUnits.end(); nalIt++){
for (std::deque<std::string>::iterator nalIt = it->nalUnits.begin();
nalIt != it->nalUnits.end(); nalIt++){
nalUnits[it->nalUnitType].insert(*nalIt);
}
}
@ -88,8 +89,7 @@ namespace h265 {
return nalUnits.at(34);
}
void initData::addUnit(char * data) {
void initData::addUnit(const char *data){
unsigned long nalSize = Bit::btohl(data);
unsigned long nalType = (data[4] & 0x7E) >> 1;
switch (nalType){
@ -102,14 +102,14 @@ namespace h265 {
void initData::addUnit(const std::string &data){
if (data.size() <= 1){return;}
unsigned long nalType = (data[0] & 0x7E) >> 1;
uint8_t nalType = (data[0] & 0x7E) >> 1;
switch (nalType){
case 32: // vps
case 33: // sps
case 34: // pps
nalUnits[nalType].insert(data);
}
INFO_MSG("added nal of type %u" , nalType);
INFO_MSG("added nal of type %" PRIu8, nalType);
if (nalType == 32){
vpsUnit vps(data);
std::cout << vps.toPrettyString(0);
@ -135,7 +135,8 @@ namespace h265 {
spsUnit sps(*nalIt);
sps.updateHVCC(hvccBox);
}
//NOTE: We dont parse the ppsUnit, as the only information it contains is parallelism mode, which is set to 0 for 'unknown'
// NOTE: We dont parse the ppsUnit, as the only information it contains is parallelism mode,
// which is set to 0 for 'unknown'
std::deque<MP4::HVCCArrayEntry> hvccArrays;
hvccArrays.resize(3);
hvccArrays[0].arrayCompleteness = 0;
@ -160,9 +161,7 @@ namespace h265 {
metaInfo initData::getMeta(){
metaInfo res;
if (!nalUnits.count(33)){
return res;
}
if (!nalUnits.count(33)){return res;}
spsUnit sps(*nalUnits[33].begin());
sps.getMeta(res);
return res;
@ -181,9 +180,7 @@ namespace h265 {
levelPresent.push_back(bs.get(1));
}
if (maxSubLayersMinus1){
for (int i = maxSubLayersMinus1; i < 8; i++){
bs.skip(2);
}
for (int i = maxSubLayersMinus1; i < 8; i++){bs.skip(2);}
}
for (int i = 0; i < maxSubLayersMinus1; i++){
if (profilePresent[i]){
@ -192,22 +189,24 @@ namespace h265 {
bs.skip(4);
bs.skip(44); // reserved_zero
}
if (levelPresent[i]){
bs.skip(8);
}
if (levelPresent[i]){bs.skip(8);}
}
}
std::string printProfileTierLevel(Utils::bitstream & bs, unsigned int maxSubLayersMinus1, size_t indent){
std::string printProfileTierLevel(Utils::bitstream &bs, unsigned int maxSubLayersMinus1,
size_t indent){
std::stringstream r;
r << std::string(indent, ' ') << "general_profile_space: " << bs.get(2) << std::endl;
r << std::string(indent, ' ') << "general_tier_flag: " << bs.get(1) << std::endl;
r << std::string(indent, ' ') << "general_profile_idc: " << bs.get(5) << std::endl;
r << std::string(indent, ' ') << "general_profile_compatibility_flags: 0x" << std::hex << bs.get(32) << std::dec << std::endl;
r << std::string(indent, ' ') << "general_profile_compatibility_flags: 0x" << std::hex
<< bs.get(32) << std::dec << std::endl;
r << std::string(indent, ' ') << "general_progressive_source_flag: " << bs.get(1) << std::endl;
r << std::string(indent, ' ') << "general_interlaced_source_flag: " << bs.get(1) << std::endl;
r << std::string(indent, ' ') << "general_non_packed_constraint_flag: " << bs.get(1) << std::endl;
r << std::string(indent, ' ') << "general_frame_only_constraint_flag: " << bs.get(1) << std::endl;
r << std::string(indent, ' ') << "general_non_packed_constraint_flag: " << bs.get(1)
<< std::endl;
r << std::string(indent, ' ') << "general_frame_only_constraint_flag: " << bs.get(1)
<< std::endl;
r << std::string(indent, ' ') << "general_reserved_zero_44bits: " << bs.get(44) << std::endl;
r << std::string(indent, ' ') << "general_level_idc: " << bs.get(8) << std::endl;
std::deque<bool> profilePresent;
@ -217,13 +216,16 @@ namespace h265 {
bool level = bs.get(1);
profilePresent.push_back(profile);
levelPresent.push_back(level);
r << std::string(indent + 1, ' ') << "sub_layer_profile_present_flag[" << i << "]: " << (profile ? 1 : 0) << std::endl;
r << std::string(indent + 1, ' ') << "sub_layer_level_present_flag[" << i << "]: " << (level ? 1 : 0) << std::endl;
r << std::string(indent + 1, ' ') << "sub_layer_profile_present_flag[" << i
<< "]: " << (profile ? 1 : 0) << std::endl;
r << std::string(indent + 1, ' ') << "sub_layer_level_present_flag[" << i
<< "]: " << (level ? 1 : 0) << std::endl;
}
if (maxSubLayersMinus1){
for (int i = maxSubLayersMinus1; i < 8; i++){
r << std::string(indent + 1, ' ') << "reserver_zero_2_bits[" << i << "]: " << bs.get(2) << std::endl;
r << std::string(indent + 1, ' ') << "reserver_zero_2_bits[" << i << "]: " << bs.get(2)
<< std::endl;
}
}
for (int i = 0; i < maxSubLayersMinus1; i++){
@ -232,12 +234,18 @@ namespace h265 {
r << std::string(indent + 2, ' ') << "sub_layer_profile_space: " << bs.get(2) << std::endl;
r << std::string(indent + 2, ' ') << "sub_layer_tier_flag: " << bs.get(1) << std::endl;
r << std::string(indent + 2, ' ') << "sub_layer_profile_idc: " << bs.get(5) << std::endl;
r << std::string(indent + 2, ' ') << "sub_layer_profile_compatibility_flags: " << std::hex << bs.get(32) << std::dec << std::endl;
r << std::string(indent + 2, ' ') << "sub_layer_progressive_source_flag: " << bs.get(1) << std::endl;
r << std::string(indent + 2, ' ') << "sub_layer_interlaced_source_flag: " << bs.get(1) << std::endl;
r << std::string(indent + 2, ' ') << "sub_layer_non_packed_constraint_flag: " << bs.get(1) << std::endl;
r << std::string(indent + 2, ' ') << "sub_layer_frame_only_constraint_flag: " << bs.get(1) << std::endl;
r << std::string(indent + 2, ' ') << "sub_layer_reserved_zero_44bits: " << bs.get(44) << std::endl;
r << std::string(indent + 2, ' ') << "sub_layer_profile_compatibility_flags: " << std::hex
<< bs.get(32) << std::dec << std::endl;
r << std::string(indent + 2, ' ') << "sub_layer_progressive_source_flag: " << bs.get(1)
<< std::endl;
r << std::string(indent + 2, ' ') << "sub_layer_interlaced_source_flag: " << bs.get(1)
<< std::endl;
r << std::string(indent + 2, ' ') << "sub_layer_non_packed_constraint_flag: " << bs.get(1)
<< std::endl;
r << std::string(indent + 2, ' ') << "sub_layer_frame_only_constraint_flag: " << bs.get(1)
<< std::endl;
r << std::string(indent + 2, ' ') << "sub_layer_reserved_zero_44bits: " << bs.get(44)
<< std::endl;
}
if (levelPresent[i]){
r << std::string(indent + 2, ' ') << "sub_layer_level_idc: " << bs.get(8) << std::endl;
@ -246,13 +254,17 @@ namespace h265 {
return r.str();
}
void updateProfileTierLevel(Utils::bitstream & bs, MP4::HVCC & hvccBox, unsigned int maxSubLayersMinus1){
void updateProfileTierLevel(Utils::bitstream &bs, MP4::HVCC &hvccBox,
unsigned int maxSubLayersMinus1){
hvccBox.setGeneralProfileSpace(bs.get(2));
unsigned int tierFlag = bs.get(1);
hvccBox.setGeneralProfileIdc(std::max((unsigned long long)hvccBox.getGeneralProfileIdc(), bs.get(5)));
hvccBox.setGeneralProfileCompatibilityFlags(hvccBox.getGeneralProfileCompatibilityFlags() & bs.get(32));
hvccBox.setGeneralConstraintIndicatorFlags(hvccBox.getGeneralConstraintIndicatorFlags() & bs.get(48));
hvccBox.setGeneralProfileIdc(
std::max((unsigned long long)hvccBox.getGeneralProfileIdc(), bs.get(5)));
hvccBox.setGeneralProfileCompatibilityFlags(hvccBox.getGeneralProfileCompatibilityFlags() &
bs.get(32));
hvccBox.setGeneralConstraintIndicatorFlags(hvccBox.getGeneralConstraintIndicatorFlags() &
bs.get(48));
unsigned int levelIdc = bs.get(8);
if (tierFlag && !hvccBox.getGeneralTierFlag()){
@ -262,7 +274,6 @@ namespace h265 {
}
hvccBox.setGeneralTierFlag(tierFlag || hvccBox.getGeneralTierFlag());
// Remainder is for synchronsation of the parser
std::deque<bool> profilePresent;
std::deque<bool> levelPresent;
@ -273,9 +284,7 @@ namespace h265 {
}
if (maxSubLayersMinus1){
for (int i = maxSubLayersMinus1; i < 8; i++){
bs.skip(2);
}
for (int i = maxSubLayersMinus1; i < 8; i++){bs.skip(2);}
}
for (int i = 0; i < maxSubLayersMinus1; i++){
@ -284,15 +293,11 @@ namespace h265 {
bs.skip(32);
bs.skip(24);
}
if (levelPresent[i]){
bs.skip(8);
}
if (levelPresent[i]){bs.skip(8);}
}
}
vpsUnit::vpsUnit(const std::string & _data){
data = nalu::removeEmulationPrevention(_data);
}
vpsUnit::vpsUnit(const std::string &_data){data = nalu::removeEmulationPrevention(_data);}
void vpsUnit::updateHVCC(MP4::HVCC &hvccBox){
Utils::bitstream bs;
@ -302,7 +307,8 @@ namespace h265 {
unsigned int maxSubLayers = bs.get(3) + 1;
hvccBox.setNumberOfTemporalLayers(std::max((unsigned int)hvccBox.getNumberOfTemporalLayers(), maxSubLayers));
hvccBox.setNumberOfTemporalLayers(
std::max((unsigned int)hvccBox.getNumberOfTemporalLayers(), maxSubLayers));
bs.skip(17);
@ -318,35 +324,43 @@ namespace h265 {
r << std::string(indent, ' ') << "vps_reserved_three_2bits: " << bs.get(2) << std::endl;
r << std::string(indent, ' ') << "vps_max_layers_minus1: " << bs.get(6) << std::endl;
unsigned int maxSubLayersMinus1 = bs.get(3);
r << std::string(indent, ' ') << "vps_max_sub_layers_minus1: " << maxSubLayersMinus1 << std::endl;
r << std::string(indent, ' ') << "vps_max_sub_layers_minus1: " << maxSubLayersMinus1
<< std::endl;
r << std::string(indent, ' ') << "vps_temporal_id_nesting_flag: " << bs.get(1) << std::endl;
r << std::string(indent, ' ') << "vps_reserved_0xffff_16bits: " << std::hex << bs.get(16) << std::dec << std::endl;
r << std::string(indent, ' ') << "profile_tier_level(): " << std::endl << printProfileTierLevel(bs, maxSubLayersMinus1, indent + 1);
r << std::string(indent, ' ') << "vps_reserved_0xffff_16bits: " << std::hex << bs.get(16)
<< std::dec << std::endl;
r << std::string(indent, ' ') << "profile_tier_level(): " << std::endl
<< printProfileTierLevel(bs, maxSubLayersMinus1, indent + 1);
bool sub_layer_ordering_info = bs.get(1);
r << std::string(indent, ' ') << "vps_sub_layer_ordering_info_present_flag: " << sub_layer_ordering_info << std::endl;
r << std::string(indent, ' ')
<< "vps_sub_layer_ordering_info_present_flag: " << sub_layer_ordering_info << std::endl;
for (int i = (sub_layer_ordering_info ? 0 : maxSubLayersMinus1); i <= maxSubLayersMinus1; i++){
r << std::string(indent, ' ') << "vps_max_dec_pic_buffering_minus1[" << i << "]: " << bs.getUExpGolomb() << std::endl;
r << std::string(indent, ' ') << "vps_max_num_reorder_pics[" << i << "]: " << bs.getUExpGolomb() << std::endl;
r << std::string(indent, ' ') << "vps_max_latency_increase_plus1[" << i << "]: " << bs.getUExpGolomb() << std::endl;
r << std::string(indent, ' ') << "vps_max_dec_pic_buffering_minus1[" << i
<< "]: " << bs.getUExpGolomb() << std::endl;
r << std::string(indent, ' ') << "vps_max_num_reorder_pics[" << i
<< "]: " << bs.getUExpGolomb() << std::endl;
r << std::string(indent, ' ') << "vps_max_latency_increase_plus1[" << i
<< "]: " << bs.getUExpGolomb() << std::endl;
}
unsigned int vps_max_layer_id = bs.get(6);
uint64_t vps_num_layer_sets_minus1 = bs.getUExpGolomb();
r << std::string(indent, ' ') << "vps_max_layer_id: " << vps_max_layer_id << std::endl;
r << std::string(indent, ' ') << "vps_num_layer_sets_minus1: " << vps_num_layer_sets_minus1 << std::endl;
r << std::string(indent, ' ') << "vps_num_layer_sets_minus1: " << vps_num_layer_sets_minus1
<< std::endl;
for (int i = 1; i <= vps_num_layer_sets_minus1; i++){
for (int j = 0; j < vps_max_layer_id; j++){
r << std::string(indent, ' ') << "layer_id_included_flag[" << i << "][" << j << "]: " << bs.get(1) << std::endl;
r << std::string(indent, ' ') << "layer_id_included_flag[" << i << "][" << j
<< "]: " << bs.get(1) << std::endl;
}
}
bool vps_timing_info = bs.get(1);
r << std::string(indent, ' ') << "vps_timing_info_present_flag: " << (vps_timing_info ? 1 : 0) << std::endl;
r << std::string(indent, ' ') << "vps_timing_info_present_flag: " << (vps_timing_info ? 1 : 0)
<< std::endl;
return r.str();
}
spsUnit::spsUnit(const std::string & _data){
data = nalu::removeEmulationPrevention(_data);
}
spsUnit::spsUnit(const std::string &_data){data = nalu::removeEmulationPrevention(_data);}
void skipShortTermRefPicSet(Utils::bitstream &bs, unsigned int idx, size_t count){
static std::map<int, int> negativePics;
@ -356,23 +370,17 @@ namespace h265 {
positivePics.clear();
}
bool interPrediction = false;
if (idx != 0){
interPrediction = bs.get(1);
}
if (idx != 0){interPrediction = bs.get(1);}
if (interPrediction){
uint64_t deltaIdxMinus1 = 0;
if (idx == count){
deltaIdxMinus1 = bs.getUExpGolomb();
}
if (idx == count){deltaIdxMinus1 = bs.getUExpGolomb();}
bs.skip(1);
bs.getUExpGolomb();
uint64_t refRpsIdx = idx - deltaIdxMinus1 - 1;
uint64_t deltaPocs = negativePics[refRpsIdx] + positivePics[refRpsIdx];
for (int j = 0; j < deltaPocs; j++){
bool usedByCurrPicFlag = bs.get(1);
if (!usedByCurrPicFlag){
bs.skip(1);
}
if (!usedByCurrPicFlag){bs.skip(1);}
}
}else{
negativePics[idx] = bs.getUExpGolomb();
@ -393,7 +401,8 @@ namespace h265 {
bool interPrediction = false;
if (idx != 0){
interPrediction = bs.get(1);
r << std::string(indent, ' ') << "inter_ref_pic_set_predicition_flag: " << (interPrediction ? 1 : 0) << std::endl;
r << std::string(indent, ' ')
<< "inter_ref_pic_set_predicition_flag: " << (interPrediction ? 1 : 0) << std::endl;
}
if (interPrediction){
WARN_MSG("interprediciton not yet handled");
@ -403,12 +412,16 @@ namespace h265 {
r << std::string(indent, ' ') << "num_negative_pics: " << negativePics << std::endl;
r << std::string(indent, ' ') << "num_positive_pics: " << positivePics << std::endl;
for (int i = 0; i < negativePics; i++){
r << std::string(indent + 1, ' ') << "delta_poc_s0_minus1[" << i << "]: " << bs.getUExpGolomb() << std::endl;
r << std::string(indent + 1, ' ') << "used_by_curr_pic_s0_flag[" << i << "]: " << bs.get(1) << std::endl;
r << std::string(indent + 1, ' ') << "delta_poc_s0_minus1[" << i
<< "]: " << bs.getUExpGolomb() << std::endl;
r << std::string(indent + 1, ' ') << "used_by_curr_pic_s0_flag[" << i << "]: " << bs.get(1)
<< std::endl;
}
for (int i = 0; i < positivePics; i++){
r << std::string(indent + 1, ' ') << "delta_poc_s1_minus1[" << i << "]: " << bs.getUExpGolomb() << std::endl;
r << std::string(indent + 1, ' ') << "used_by_curr_pic_s1_flag[" << i << "]: " << bs.get(1) << std::endl;
r << std::string(indent + 1, ' ') << "delta_poc_s1_minus1[" << i
<< "]: " << bs.getUExpGolomb() << std::endl;
r << std::string(indent + 1, ' ') << "used_by_curr_pic_s1_flag[" << i << "]: " << bs.get(1)
<< std::endl;
}
}
return r.str();
@ -418,21 +431,15 @@ namespace h265 {
bool aspectRatio = bs.get(1);
if (aspectRatio){
uint16_t aspectRatioIdc = bs.get(8);
if (aspectRatioIdc == 255){
bs.skip(32);
}
if (aspectRatioIdc == 255){bs.skip(32);}
}
bool overscanInfo = bs.get(1);
if (overscanInfo){
bs.skip(1);
}
if (overscanInfo){bs.skip(1);}
bool videoSignalTypePresent = bs.get(1);
if (videoSignalTypePresent){
bs.skip(4);
bool colourDescription = bs.get(1);
if (colourDescription){
bs.skip(24);
}
if (colourDescription){bs.skip(24);}
}
bool chromaLocPresent = bs.get(1);
if (chromaLocPresent){
@ -458,7 +465,8 @@ namespace h265 {
std::string printVuiParameters(Utils::bitstream &bs, size_t indent){
std::stringstream r;
bool aspectRatio = bs.get(1);
r << std::string(indent, ' ') << "aspect_ratio_info_present_flag: " << (aspectRatio ? 1 : 0) << std::endl;
r << std::string(indent, ' ') << "aspect_ratio_info_present_flag: " << (aspectRatio ? 1 : 0)
<< std::endl;
if (aspectRatio){
uint16_t aspectRatioIdc = bs.get(8);
r << std::string(indent, ' ') << "aspect_ratio_idc: " << aspectRatioIdc << std::endl;
@ -478,12 +486,8 @@ namespace h265 {
bs.getUExpGolomb();
}else{
size_t coefNum = std::min(64, (1 << (4 + (sizeId << 1))));
if (sizeId > 1){
bs.getExpGolomb();
}
for (int i = 0; i < coefNum; i++){
bs.getExpGolomb();
}
if (sizeId > 1){bs.getExpGolomb();}
for (int i = 0; i < coefNum; i++){bs.getExpGolomb();}
}
}
}
@ -500,18 +504,16 @@ namespace h265 {
bs.getUExpGolomb();
uint64_t chromaFormatIdc = bs.getUExpGolomb();
bool separateColorPlane = false;
if (chromaFormatIdc == 3){
separateColorPlane = bs.get(1);
}
if (chromaFormatIdc == 3){separateColorPlane = bs.get(1);}
res.width = bs.getUExpGolomb();
res.height = bs.getUExpGolomb();
bool conformanceWindow = bs.get(1);
if (conformanceWindow){
uint8_t subWidthC = ((chromaFormatIdc == 1 || chromaFormatIdc == 2) ? 2 : 1);
uint8_t subHeightC = (chromaFormatIdc == 1 ? 2 : 1);
uint64_t left = bs.getUExpGolomb();
bs.getUExpGolomb(); // Skip left
uint64_t right = bs.getUExpGolomb();
uint64_t top = bs.getUExpGolomb();
bs.getUExpGolomb(); // Skip top
uint64_t bottom = bs.getUExpGolomb();
res.width -= (subWidthC * right);
res.height -= (subHeightC * bottom);
@ -534,9 +536,7 @@ namespace h265 {
bool scalingListEnabled = bs.get(1);
if (scalingListEnabled){
bool scalingListPresent = bs.get(1);
if (scalingListPresent){
skipScalingList(bs);
}
if (scalingListPresent){skipScalingList(bs);}
}
bs.skip(2);
bool pcmEnabled = bs.get(1);
@ -547,9 +547,7 @@ namespace h265 {
bs.skip(1);
}
uint64_t shortTermPicSets = bs.getUExpGolomb();
for (int i= 0; i < shortTermPicSets; i++){
skipShortTermRefPicSet(bs, i, shortTermPicSets);
}
for (int i = 0; i < shortTermPicSets; i++){skipShortTermRefPicSet(bs, i, shortTermPicSets);}
bool longTermRefPics = bs.get(1);
if (longTermRefPics){
uint64_t numLongTermPics = bs.getUExpGolomb();
@ -560,9 +558,7 @@ namespace h265 {
}
bs.skip(2);
bool vuiParams = bs.get(1);
if (vuiParams){
parseVuiParameters(bs, res);
}
if (vuiParams){parseVuiParameters(bs, res);}
}
std::string spsUnit::toPrettyString(size_t indent){
@ -572,72 +568,93 @@ namespace h265 {
std::stringstream r;
r << std::string(indent, ' ') << "sps_video_parameter_set_id: " << bs.get(4) << std::endl;
unsigned int maxSubLayersMinus1 = bs.get(3);
r << std::string(indent, ' ') << "sps_max_sub_layers_minus1: " << maxSubLayersMinus1 << std::endl;
r << std::string(indent, ' ') << "sps_max_sub_layers_minus1: " << maxSubLayersMinus1
<< std::endl;
r << std::string(indent, ' ') << "sps_temporal_id_nesting_flag: " << bs.get(1) << std::endl;
r << std::string(indent, ' ') << "profile_tier_level(): " << std::endl << printProfileTierLevel(bs, maxSubLayersMinus1, indent + 1);
r << std::string(indent, ' ') << "sps_seq_parameter_set_id: " << bs.getUExpGolomb() << std::endl;
r << std::string(indent, ' ') << "profile_tier_level(): " << std::endl
<< printProfileTierLevel(bs, maxSubLayersMinus1, indent + 1);
r << std::string(indent, ' ') << "sps_seq_parameter_set_id: " << bs.getUExpGolomb()
<< std::endl;
uint64_t chromaFormatIdc = bs.getUExpGolomb();
r << std::string(indent, ' ') << "chroma_format_idc: " << chromaFormatIdc << std::endl;
if (chromaFormatIdc == 3){
r << std::string(indent, ' ') << "separate_colour_plane_flag: " << bs.get(1) << std::endl;
}
r << std::string(indent, ' ') << "pic_width_in_luma_samples: " << bs.getUExpGolomb() << std::endl;
r << std::string(indent, ' ') << "pic_height_in_luma_samples: " << bs.getUExpGolomb() << std::endl;
r << std::string(indent, ' ') << "pic_width_in_luma_samples: " << bs.getUExpGolomb()
<< std::endl;
r << std::string(indent, ' ') << "pic_height_in_luma_samples: " << bs.getUExpGolomb()
<< std::endl;
bool conformance_window_flag = bs.get(1);
r << std::string(indent, ' ') << "conformance_window_flag: " << conformance_window_flag << std::endl;
r << std::string(indent, ' ') << "conformance_window_flag: " << conformance_window_flag
<< std::endl;
if (conformance_window_flag){
r << std::string(indent, ' ') << "conf_window_left_offset: " << bs.getUExpGolomb() << std::endl;
r << std::string(indent, ' ') << "conf_window_right_offset: " << bs.getUExpGolomb() << std::endl;
r << std::string(indent, ' ') << "conf_window_top_offset: " << bs.getUExpGolomb() << std::endl;
r << std::string(indent, ' ') << "conf_window_bottom_offset: " << bs.getUExpGolomb() << std::endl;
r << std::string(indent, ' ') << "conf_window_left_offset: " << bs.getUExpGolomb()
<< std::endl;
r << std::string(indent, ' ') << "conf_window_right_offset: " << bs.getUExpGolomb()
<< std::endl;
r << std::string(indent, ' ') << "conf_window_top_offset: " << bs.getUExpGolomb()
<< std::endl;
r << std::string(indent, ' ') << "conf_window_bottom_offset: " << bs.getUExpGolomb()
<< std::endl;
}
r << std::string(indent, ' ') << "bit_depth_luma_minus8: " << bs.getUExpGolomb() << std::endl;
r << std::string(indent, ' ') << "bit_depth_chroma_minus8: " << bs.getUExpGolomb() << std::endl;
r << std::string(indent, ' ') << "log2_max_pic_order_cnt_lsb_minus4: " << bs.getUExpGolomb() << std::endl;
r << std::string(indent, ' ') << "log2_max_pic_order_cnt_lsb_minus4: " << bs.getUExpGolomb()
<< std::endl;
bool subLayerOrdering = bs.get(1);
r << std::string(indent, ' ') << "sps_sub_layer_ordering_info_present_flag: " << subLayerOrdering << std::endl;
r << std::string(indent, ' ')
<< "sps_sub_layer_ordering_info_present_flag: " << subLayerOrdering << std::endl;
for (int i = (subLayerOrdering ? 0 : maxSubLayersMinus1); i <= maxSubLayersMinus1; i++){
r << std::string(indent + 1, ' ') << "sps_max_dec_pic_buffering_minus1[" << i << "]: " << bs.getUExpGolomb() << std::endl;
r << std::string(indent + 1, ' ') << "sps_max_num_reorder_pics[" << i << "]: " << bs.getUExpGolomb() << std::endl;
r << std::string(indent + 1, ' ') << "sps_max_latency_increase_plus1[" << i << "]: " << bs.getUExpGolomb() << std::endl;
r << std::string(indent + 1, ' ') << "sps_max_dec_pic_buffering_minus1[" << i
<< "]: " << bs.getUExpGolomb() << std::endl;
r << std::string(indent + 1, ' ') << "sps_max_num_reorder_pics[" << i
<< "]: " << bs.getUExpGolomb() << std::endl;
r << std::string(indent + 1, ' ') << "sps_max_latency_increase_plus1[" << i
<< "]: " << bs.getUExpGolomb() << std::endl;
}
r << std::string(indent, ' ') << "log2_min_luma_coding_block_size_minus3: " << bs.getUExpGolomb() << std::endl;
r << std::string(indent, ' ') << "log2_diff_max_min_luma_coding_block_size: " << bs.getUExpGolomb() << std::endl;
r << std::string(indent, ' ') << "log2_min_transform_block_size_minus2: " << bs.getUExpGolomb() << std::endl;
r << std::string(indent, ' ') << "log2_diff_max_min_transform_block_size: " << bs.getUExpGolomb() << std::endl;
r << std::string(indent, ' ') << "max_transform_hierarchy_depth_inter: " << bs.getUExpGolomb() << std::endl;
r << std::string(indent, ' ') << "max_transform_hierarchy_depth_intra: " << bs.getUExpGolomb() << std::endl;
r << std::string(indent, ' ')
<< "log2_min_luma_coding_block_size_minus3: " << bs.getUExpGolomb() << std::endl;
r << std::string(indent, ' ')
<< "log2_diff_max_min_luma_coding_block_size: " << bs.getUExpGolomb() << std::endl;
r << std::string(indent, ' ') << "log2_min_transform_block_size_minus2: " << bs.getUExpGolomb()
<< std::endl;
r << std::string(indent, ' ')
<< "log2_diff_max_min_transform_block_size: " << bs.getUExpGolomb() << std::endl;
r << std::string(indent, ' ') << "max_transform_hierarchy_depth_inter: " << bs.getUExpGolomb()
<< std::endl;
r << std::string(indent, ' ') << "max_transform_hierarchy_depth_intra: " << bs.getUExpGolomb()
<< std::endl;
bool scalingListEnabled = bs.get(1);
r << std::string(indent, ' ') << "scaling_list_enabled_flag: " << scalingListEnabled << std::endl;
if (scalingListEnabled){
WARN_MSG("Not implemented scaling list in HEVC sps");
}
r << std::string(indent, ' ') << "scaling_list_enabled_flag: " << scalingListEnabled
<< std::endl;
if (scalingListEnabled){WARN_MSG("Not implemented scaling list in HEVC sps");}
r << std::string(indent, ' ') << "amp_enabled_flag: " << bs.get(1) << std::endl;
r << std::string(indent, ' ') << "sample_adaptive_offset_enabled_flag: " << bs.get(1) << std::endl;
r << std::string(indent, ' ') << "sample_adaptive_offset_enabled_flag: " << bs.get(1)
<< std::endl;
bool pcmEnabled = bs.get(1);
r << std::string(indent, ' ') << "pcm_enabled_flag: " << pcmEnabled << std::endl;
if (pcmEnabled){
WARN_MSG("Not implemented pcm_enabled in HEVC sps");
}
if (pcmEnabled){WARN_MSG("Not implemented pcm_enabled in HEVC sps");}
uint64_t shortTermPicSets = bs.getUExpGolomb();
r << std::string(indent, ' ') << "num_short_term_ref_pic_sets: " << shortTermPicSets << std::endl;
r << std::string(indent, ' ') << "num_short_term_ref_pic_sets: " << shortTermPicSets
<< std::endl;
for (int i = 0; i < shortTermPicSets; i++){
r << std::string(indent, ' ') << "short_term_ref_pic_set(" << i << "):" << std::endl << printShortTermRefPicSet(bs, i, indent + 1);
r << std::string(indent, ' ') << "short_term_ref_pic_set(" << i << "):" << std::endl
<< printShortTermRefPicSet(bs, i, indent + 1);
}
bool longTermRefPics = bs.get(1);
r << std::string(indent, ' ') << "long_term_ref_pics_present_flag: " << (longTermRefPics ? 1 : 0) << std::endl;
if (longTermRefPics){
WARN_MSG("Implement longTermRefPics");
}
r << std::string(indent, ' ')
<< "long_term_ref_pics_present_flag: " << (longTermRefPics ? 1 : 0) << std::endl;
if (longTermRefPics){WARN_MSG("Implement longTermRefPics");}
r << std::string(indent, ' ') << "sps_temporal_mvp_enabled_flag: " << bs.get(1) << std::endl;
r << std::string(indent, ' ') << "strong_intra_smoothing_enabled_flag: " << bs.get(1) << std::endl;
r << std::string(indent, ' ') << "strong_intra_smoothing_enabled_flag: " << bs.get(1)
<< std::endl;
bool vuiParams = bs.get(1);
r << std::string(indent, ' ') << "vui_parameters_present_flag: " << (vuiParams ? 1 : 0) << std::endl;
r << std::string(indent, ' ') << "vui_parameters_present_flag: " << (vuiParams ? 1 : 0)
<< std::endl;
if (vuiParams){
r << std::string(indent, ' ') << "vui_parameters:" << std::endl << printVuiParameters(bs, indent + 1);
r << std::string(indent, ' ') << "vui_parameters:" << std::endl
<< printVuiParameters(bs, indent + 1);
}
return r.str();
}
@ -650,7 +667,8 @@ namespace h265 {
unsigned int maxSubLayers = bs.get(3) + 1;
hvccBox.setNumberOfTemporalLayers(std::max((unsigned int)hvccBox.getNumberOfTemporalLayers(), maxSubLayers));
hvccBox.setNumberOfTemporalLayers(
std::max((unsigned int)hvccBox.getNumberOfTemporalLayers(), maxSubLayers));
hvccBox.setTemporalIdNested(bs.get(1));
updateProfileTierLevel(bs, hvccBox, maxSubLayers - 1);
@ -658,9 +676,7 @@ namespace h265 {
hvccBox.setChromaFormat(bs.getUExpGolomb());
if (hvccBox.getChromaFormat() == 3){
bs.skip(1);
}
if (hvccBox.getChromaFormat() == 3){bs.skip(1);}
bs.getUExpGolomb();
bs.getUExpGolomb();
@ -697,13 +713,9 @@ namespace h265 {
bs.getUExpGolomb();
}else{
int numCoeffs = std::min(64, 1 << (4 + (i << 1)));
if (i > 1){
bs.getExpGolomb();
}
if (i > 1){bs.getExpGolomb();}
for (int k = 0; k < numCoeffs; k++){
bs.getExpGolomb();
}
for (int k = 0; k < numCoeffs; k++){bs.getExpGolomb();}
}
}
}
@ -724,13 +736,9 @@ namespace h265 {
}
if (bs.get(1)){
if (log2MaxPicOrderCntLsb > 16){
log2MaxPicOrderCntLsb = 16;
}
if (log2MaxPicOrderCntLsb > 16){log2MaxPicOrderCntLsb = 16;}
int numLongTermRefPicsSps = bs.getUExpGolomb();
for (int i = 0; i < numLongTermRefPicsSps; i++){
bs.skip(log2MaxPicOrderCntLsb + 1);
}
for (int i = 0; i < numLongTermRefPicsSps; i++){bs.skip(log2MaxPicOrderCntLsb + 1);}
}
bs.skip(2);
@ -763,22 +771,16 @@ namespace h265 {
if (bs.get(1)){
bs.skip(32);
bs.skip(32);
if (bs.get(1)){
bs.getUExpGolomb();
}
if (bs.get(1)){bs.getUExpGolomb();}
if (bs.get(1)){
int nalHrd = bs.get(1);
int vclHrd = bs.get(1);
int subPicPresent = 0;
if (nalHrd || vclHrd){
subPicPresent = bs.get(1);
if (subPicPresent){
bs.skip(19);
}
if (subPicPresent){bs.skip(19);}
bs.skip(8);
if (subPicPresent){
bs.skip(4);
}
if (subPicPresent){bs.skip(4);}
bs.skip(15);
}
@ -789,9 +791,7 @@ namespace h265 {
int fixedRateCvs = 0;
int fixedRateGeneral = bs.get(1);
if (fixedRateGeneral){
fixedRateCvs = bs.get(1);
}
if (fixedRateGeneral){fixedRateCvs = bs.get(1);}
if (fixedRateCvs){
bs.getUExpGolomb();
@ -799,9 +799,7 @@ namespace h265 {
lowDelay = bs.get(1);
}
if (!lowDelay){
cpbCnt = bs.getUExpGolomb() + 1;
}
if (!lowDelay){cpbCnt = bs.getUExpGolomb() + 1;}
if (nalHrd){
for (int i = 0; i < cpbCnt; i++){
@ -826,7 +824,6 @@ namespace h265 {
bs.skip(1);
}
}
}
}
}
@ -834,7 +831,8 @@ namespace h265 {
if (bs.get(1)){
bs.skip(3);
int spatialSegmentIdc = bs.getUExpGolomb();
hvccBox.setMinSpatialSegmentationIdc(std::min((int)hvccBox.getMinSpatialSegmentationIdc(),spatialSegmentIdc));
hvccBox.setMinSpatialSegmentationIdc(
std::min((int)hvccBox.getMinSpatialSegmentationIdc(), spatialSegmentIdc));
bs.getUExpGolomb();
bs.getUExpGolomb();
bs.getUExpGolomb();
@ -842,4 +840,5 @@ namespace h265 {
}
}
}
}
}// namespace h265

View file

@ -3,9 +3,9 @@
#include <map>
#include <set>
#include "nal.h"
#include "mp4_generic.h"
#include "bitstream.h"
#include "mp4_generic.h"
#include "nal.h"
namespace h265{
std::deque<nalu::nalData> analysePackets(const char *data, unsigned long len);
@ -13,8 +13,10 @@ namespace h265 {
const char *typeToStr(uint8_t type);
bool isKeyframe(const char *data, uint32_t len);
void updateProfileTierLevel(Utils::bitstream & bs, MP4::HVCC & hvccBox, unsigned long maxSubLayersMinus1);
std::string printProfileTierLevel(Utils::bitstream & bs, unsigned long maxSubLayersMinus1, size_t indent);
void updateProfileTierLevel(Utils::bitstream &bs, MP4::HVCC &hvccBox,
unsigned long maxSubLayersMinus1);
std::string printProfileTierLevel(Utils::bitstream &bs, unsigned long maxSubLayersMinus1,
size_t indent);
struct metaInfo{
unsigned int width;
@ -26,7 +28,7 @@ namespace h265 {
public:
initData();
initData(const std::string &hvccData);
void addUnit(char * data);
void addUnit(const char *data);
void addUnit(const std::string &data);
bool haveRequired();
std::string generateHVCC();
@ -34,6 +36,7 @@ namespace h265 {
const std::set<std::string> &getVPS() const;
const std::set<std::string> &getSPS() const;
const std::set<std::string> &getPPS() const;
protected:
std::map<unsigned int, std::set<std::string> > nalUnits;
};
@ -43,6 +46,7 @@ namespace h265 {
vpsUnit(const std::string &_data);
void updateHVCC(MP4::HVCC &hvccBox);
std::string toPrettyString(size_t indent);
private:
std::string data;
};
@ -53,9 +57,12 @@ namespace h265 {
void updateHVCC(MP4::HVCC &hvccBox);
std::string toPrettyString(size_t indent = 0);
void getMeta(metaInfo &res);
private:
std::string data;
};
//NOTE: no ppsUnit, as the only information it contains is parallelism mode, which can be set to 0 for 'unknown'
}
// NOTE: no ppsUnit, as the only information it contains is parallelism mode, which can be set to
// 0 for 'unknown'
}// namespace h265

File diff suppressed because it is too large Load diff

View file

@ -1,21 +1,20 @@
/// \file json.h Holds all JSON-related headers.
#pragma once
#include <string>
#include <deque>
#include <map>
#include <istream>
#include <vector>
#include <set>
#include "socket.h"
#include <deque>
#include <istream>
#include <map>
#include <set>
#include <stdint.h>
#include <string>
#include <vector>
/// JSON-related classes and functions
namespace JSON{
/// Lists all types of JSON::Value.
enum ValueType {
EMPTY, BOOL, INTEGER, DOUBLE, STRING, ARRAY, OBJECT
};
enum ValueType{EMPTY, BOOL, INTEGER, DOUBLE, STRING, ARRAY, OBJECT};
/// JSON-string-escapes a value
std::string string_escape(const std::string &val);
@ -24,6 +23,7 @@ namespace JSON {
class Value{
friend class Iter;
friend class ConstIter;
private:
ValueType myType;
long long int intVal;
@ -32,6 +32,7 @@ namespace JSON {
double dblDivider;
std::deque<Value *> arrVal;
std::map<std::string, Value *> objVal;
public:
// constructors/destructors
Value();
@ -41,6 +42,10 @@ namespace JSON {
Value(const std::string &val);
Value(const char *val);
Value(long long int val);
Value(int32_t val);
Value(int64_t val);
Value(uint32_t val);
Value(uint64_t val);
Value(double val);
Value(bool val);
// comparison operators
@ -54,39 +59,41 @@ namespace JSON {
Value &operator=(const std::string &rhs);
Value &operator=(const char *rhs);
Value &operator=(const long long int &rhs);
Value & operator=(const int & rhs);
Value &operator=(const int64_t &rhs);
Value &operator=(const int32_t &rhs);
Value &operator=(const uint64_t &rhs);
Value &operator=(const uint32_t &rhs);
Value &operator=(const double &rhs);
Value & operator=(const unsigned int & rhs);
Value &operator=(const bool &rhs);
// converts to basic types
operator long long int() const;
operator int64_t() const;
operator std::string() const;
operator bool() const;
operator double() const;
const std::string asString() const;
const long long int asInt() const;
std::string asString() const;
int64_t asInt() const;
bool asBool() const;
const double asDouble() const;
const bool asBool() const;
const std::string &asStringRef() const;
const char *c_str() const;
// array operator for maps and arrays
Value & operator[](const std::string i);
Value &operator[](const std::string &i);
Value &operator[](const char *i);
Value & operator[](unsigned int i);
const Value & operator[](const std::string i) const;
Value &operator[](uint32_t i);
const Value &operator[](const std::string &i) const;
const Value &operator[](const char *i) const;
const Value & operator[](unsigned int i) const;
const Value &operator[](uint32_t i) const;
// handy functions and others
std::string toPacked() const;
void sendTo(Socket::Connection &socket) const;
unsigned int packedSize() const;
uint64_t packedSize() const;
void netPrepare();
std::string &toNetPacked();
std::string toString() const;
std::string toPrettyString(int indentation = 0) const;
std::string toPrettyString(size_t indent = 0) const;
void append(const Value &rhs);
void prepend(const Value &rhs);
void shrink(unsigned int size);
void shrink(uint32_t size);
void removeMember(const std::string &name);
void removeMember(const std::deque<Value *>::iterator &it);
void removeMember(const std::map<std::string, Value *>::iterator &it);
@ -99,21 +106,21 @@ namespace JSON {
bool isObject() const;
bool isArray() const;
bool isNull() const;
unsigned int size() const;
uint32_t size() const;
void null();
};
Value fromDTMI2(std::string & data);
Value fromDTMI2(const unsigned char * data, unsigned int len, unsigned int & i);
Value fromDTMI(std::string & data);
Value fromDTMI(const unsigned char * data, unsigned int len, unsigned int & i);
Value fromDTMI2(const std::string &data);
Value fromDTMI2(const char *data, uint64_t len, uint32_t &i);
Value fromDTMI(const std::string &data);
Value fromDTMI(const char *data, uint64_t len, uint32_t &i);
Value fromString(const std::string &json);
Value fromString(const char * data, const uint32_t data_len);
Value fromFile(std::string filename);
void fromDTMI2(std::string & data, Value & ret);
void fromDTMI2(const unsigned char * data, unsigned int len, unsigned int & i, Value & ret);
void fromDTMI(std::string & data, Value & ret);
void fromDTMI(const unsigned char * data, unsigned int len, unsigned int & i, Value & ret);
Value fromString(const char *data, uint32_t data_len);
Value fromFile(const std::string &filename);
void fromDTMI2(const std::string &data, Value &ret);
void fromDTMI2(const char *data, uint64_t len, uint32_t &i, Value &ret);
void fromDTMI(const std::string &data, Value &ret);
void fromDTMI(const char *data, uint64_t len, uint32_t &i, Value &ret);
class Iter{
public:
@ -123,12 +130,12 @@ namespace JSON {
operator bool() const; ///< True if not done iterating.
Iter &operator++(); ///< Go to next iteration.
const std::string &key() const; ///< Return the name of the current indice.
unsigned int num() const;///<Return the number of the current indice.
uint32_t num() const; ///< Return the number of the current indice.
void remove(); ///< Delete the current indice from the parent JSON::Value.
private:
ValueType myType;
Value *r;
unsigned int i;
uint32_t i;
std::deque<Value *>::iterator aIt;
std::map<std::string, Value *>::iterator oIt;
};
@ -140,78 +147,15 @@ namespace JSON {
operator bool() const; ///< True if not done iterating.
ConstIter &operator++(); ///< Go to next iteration.
const std::string &key() const; ///< Return the name of the current indice.
unsigned int num() const;///<Return the number of the current indice.
uint32_t num() const; ///< Return the number of the current indice.
private:
ValueType myType;
const Value *r;
unsigned int i;
uint32_t i;
std::deque<Value *>::const_iterator aIt;
std::map<std::string, Value *>::const_iterator oIt;
};
#define jsonForEach(val, i) for (JSON::Iter i(val); i; ++i)
#define jsonForEachConst(val, i) for (JSON::ConstIter i(val); i; ++i)
}// namespace JSON
template <typename T>
std::string encodeVector(T begin, T end) {
std::string result;
for (T it = begin; it != end; it++) {
long long int tmp = (*it);
while (tmp >= 0xFFFF) {
result += (char)0xFF;
result += (char)0xFF;
tmp -= 0xFFFF;
}
result += (char)(tmp / 256);
result += (char)(tmp % 256);
}
return result;
}
template <typename T>
void decodeVector(std::string input, T & result) {
result.clear();
unsigned int tmp = 0;
for (int i = 0; i < input.size(); i += 2) {
unsigned int curLen = (input[i] << 8) + input[i + 1];
tmp += curLen;
if (curLen != 0xFFFF) {
result.push_back(tmp);
tmp = 0;
}
}
}
template <typename T>
std::string encodeVector4(T begin, T end) {
std::string result;
for (T it = begin; it != end; it++) {
long long int tmp = (*it);
while (tmp >= 0xFFFFFFFF) {
result += (char)0xFF;
result += (char)0xFF;
result += (char)0xFF;
result += (char)0xFF;
tmp -= 0xFFFFFFFF;
}
result += (char)((tmp & 0xFF000000) >> 24);
result += (char)((tmp & 0x00FF0000) >> 16);
result += (char)((tmp & 0x0000FF00) >> 8);
result += (char)((tmp & 0x000000FF));
}
return result;
}
template <typename T>
void decodeVector4(std::string input, T & result) {
result.clear();
unsigned int tmp = 0;
for (int i = 0; i < input.size(); i += 4) {
unsigned int curLen = (input[i] << 24) + (input[i + 1] << 16) + (input[i + 2] << 8) + (input[i + 3]);
tmp += curLen;
if (curLen != 0xFFFFFFFF) {
result.push_back(tmp);
tmp = 0;
}
}
}
}

View file

@ -10,6 +10,7 @@
#include "json.h"
#include "defines.h"
#include "bitfields.h"
/// Contains all MP4 format related code.
namespace MP4 {
@ -80,7 +81,7 @@ namespace MP4 {
payloadOffset = rs.payloadOffset;
}
/// Returns the values at byte positions 4 through 7.
std::string Box::getType() {
std::string Box::getType() const {
return std::string(data + 4, 4);
}
@ -190,7 +191,7 @@ namespace MP4 {
}
/// Returns the total boxed size of this box, including the header.
uint64_t Box::boxedSize() {
uint64_t Box::boxedSize() const {
if (payloadOffset == 16) {
return ((uint64_t)ntohl(((int *)data)[2]) << 32) | ntohl(((int *)data)[3]);
}
@ -199,7 +200,7 @@ namespace MP4 {
/// Retruns the size of the payload of thix box, excluding the header.
/// This value is defined as boxedSize() - 8.
uint64_t Box::payloadSize() {
uint64_t Box::payloadSize() const {
return boxedSize() - payloadOffset;
}
@ -232,7 +233,7 @@ namespace MP4 {
/// Attempts to typecast this Box to a more specific type and call the toPrettyString() function of that type.
/// If this failed, it will print out a message saying pretty-printing is not implemented for boxtype.
std::string Box::toPrettyString(uint32_t indent) {
std::string Box::toPrettyString(uint32_t indent) const {
switch (ntohl(*((int *)(data + 4)))) { //type is at this address
case 0x6D666864:
return ((MFHD *)this)->toPrettyString(indent);
@ -382,10 +383,10 @@ namespace MP4 {
return ((HEV1 *)this)->toPrettyString(indent);
break;
case 0x61766331:
case 0x656E6376://encv
return ((AVC1 *)this)->toPrettyString(indent);
break;
case 0x68323634://h264
case 0x656E6376://encv
return ((H264 *)this)->toPrettyString(indent);
break;
case 0x6669656C:
@ -451,9 +452,24 @@ namespace MP4 {
INFO_MSG("FTAB box found!");
return ((FontTableBox *)this)->toPrettyString(indent);
break;
case 0x70737368:
return ((PSSH *)this)->toPrettyString(indent);
break;
case 0x73656E63:
return ((SENC *)this)->toPrettyString(indent);
break;
case 0x74656E63:
return ((TENC *)this)->toPrettyString(indent);
break;
case 0x7361697A:
return ((SAIZ *)this)->toPrettyString(indent);
break;
case 0x7361696F:
return ((SAIO *)this)->toPrettyString(indent);
break;
/*LTS-END*/
default:
INFO_MSG("no code found: 0x%0.8x",ntohl(*((int *)(data + 4))));
INFO_MSG("no code found: 0x%.8x",Bit::btohl(data + 4));
break;
}
std::stringstream retval;
@ -489,6 +505,16 @@ namespace MP4 {
return data[index];
}
/// Gets the 8 bits integer at the given index.
/// Returns zero if out of bounds.
char Box::getInt8(size_t index) const {
index += payloadOffset;
if (index >= boxedSize()) {
return 0;
}
return data[index];
}
/// Sets the 16 bits integer at the given index.
/// Attempts to resize the data pointer if the index is out of range.
/// Fails silently if resizing failed.
@ -499,8 +525,7 @@ namespace MP4 {
return;
}
}
newData = htons(newData);
memcpy(data + index, (char *) &newData, 2);
Bit::htobs(data + index, newData);
}
/// Gets the 16 bits integer at the given index.
@ -514,9 +539,18 @@ namespace MP4 {
}
setInt16(0, index - payloadOffset);
}
short result;
memcpy((char *) &result, data + index, 2);
return ntohs(result);
return Bit::btohs(data + index);
}
/// Gets the 16 bits integer at the given index.
/// Attempts to resize the data pointer if the index is out of range.
/// Returns zero if resizing failed.
short Box::getInt16(size_t index) const {
index += payloadOffset;
if (index + 1 >= boxedSize()) {
return 0;
}
return Bit::btohs(data + index);
}
/// Sets the 24 bits integer at the given index.
@ -529,9 +563,7 @@ namespace MP4 {
return;
}
}
data[index] = (newData & 0x00FF0000) >> 16;
data[index + 1] = (newData & 0x0000FF00) >> 8;
data[index + 2] = (newData & 0x000000FF);
Bit::htob24(data + index, newData);
}
/// Gets the 24 bits integer at the given index.
@ -545,12 +577,18 @@ namespace MP4 {
}
setInt24(0, index - payloadOffset);
}
uint32_t result = data[index];
result <<= 8;
result += data[index + 1];
result <<= 8;
result += data[index + 2];
return result;
return Bit::btoh24(data + index);
}
/// Gets the 24 bits integer at the given index.
/// Attempts to resize the data pointer if the index is out of range.
/// Returns zero if resizing failed.
uint32_t Box::getInt24(size_t index) const {
index += payloadOffset;
if (index + 2 >= boxedSize()) {
return 0;
}
return Bit::btoh24(data + index);
}
/// Sets the 32 bits integer at the given index.
@ -563,7 +601,7 @@ namespace MP4 {
return;
}
}
((int *)(data + index))[0] = htonl(newData);
Bit::htobl(data + index, newData);
}
/// Gets the 32 bits integer at the given index.
@ -577,7 +615,18 @@ namespace MP4 {
}
setInt32(0, index - payloadOffset);
}
return ntohl(((int *)(data + index))[0]);
return Bit::btohl(data + index);
}
/// Gets the 32 bits integer at the given index.
/// Attempts to resize the data pointer if the index is out of range.
/// Returns zero if resizing failed.
uint32_t Box::getInt32(size_t index) const {
index += payloadOffset;
if (index + 3 >= boxedSize()) {
return 0;
}
return Bit::btohl(data + index);
}
/// Sets the 64 bits integer at the given index.
@ -590,8 +639,7 @@ namespace MP4 {
return;
}
}
((int *)(data + index))[0] = htonl((int)(newData >> 32));
((int *)(data + index))[1] = htonl((int)(newData & 0xFFFFFFFF));
Bit::htobll(data + index, newData);
}
/// Gets the 64 bits integer at the given index.
@ -605,10 +653,18 @@ namespace MP4 {
}
setInt64(0, index - payloadOffset);
}
uint64_t result = ntohl(((int *)(data + index))[0]);
result <<= 32;
result += ntohl(((int *)(data + index))[1]);
return result;
return Bit::btohll(data + index);
}
/// Gets the 64 bits integer at the given index.
/// Attempts to resize the data pointer if the index is out of range.
/// Returns zero if resizing failed.
uint64_t Box::getInt64(size_t index) const {
index += payloadOffset;
if (index + 7 >= boxedSize()) {
return 0;
}
return Bit::btohll(data + index);
}
/// Sets the NULL-terminated string at the given index.
@ -653,7 +709,7 @@ namespace MP4 {
/// Returns the length of the NULL-terminated string at the given index.
/// Returns 0 if out of range.
size_t Box::getStringLen(size_t index) {
size_t Box::getStringLen(size_t index) const {
index += payloadOffset;
if (index >= boxedSize()) {
return 0;
@ -682,8 +738,8 @@ namespace MP4 {
/// Returns the size of the box at the given position.
/// Returns undefined values if there is no box at the given position.
/// Returns 0 if out of range.
size_t Box::getBoxLen(size_t index) {
if ((index + payloadOffset + 8) > boxedSize()) {
size_t Box::getBoxLen(size_t index) const {
if ((index + payloadOffset + 8) >= boxedSize()) {
return 0;
}
return calcBoxSize(data + index + payloadOffset);
@ -746,7 +802,7 @@ namespace MP4 {
setInt8(newVersion, 0);
}
char fullBox::getVersion() {
char fullBox::getVersion() const {
return getInt8(0);
}
@ -754,11 +810,11 @@ namespace MP4 {
setInt24(newFlags, 1);
}
uint32_t fullBox::getFlags() {
uint32_t fullBox::getFlags() const {
return getInt24(1);
}
std::string fullBox::toPrettyString(uint32_t indent) {
std::string fullBox::toPrettyString(uint32_t indent) const {
std::stringstream r;
r << std::string(indent + 1, ' ') << "Version: " << (int)getVersion() << std::endl;
r << std::string(indent + 1, ' ') << "Flags: " << getFlags() << std::endl;

View file

@ -31,40 +31,47 @@ namespace MP4 {
}
void copyFrom(const Box & rs);
std::string getType();
std::string getType() const;
bool isType(const char * boxType) const;
bool read(FILE * newData);
bool read(std::string & newData);
uint64_t boxedSize();
uint64_t payloadSize();
uint64_t boxedSize() const;
uint64_t payloadSize() const;
char * asBox();
char * payload();
void clear();
std::string toPrettyString(uint32_t indent = 0);
std::string toPrettyString(uint32_t indent = 0) const;
protected:
//integer functions
void setInt8(char newData, size_t index);
char getInt8(size_t index);
char getInt8(size_t index) const;
void setInt16(short newData, size_t index);
short getInt16(size_t index);
short getInt16(size_t index) const;
void setInt24(uint32_t newData, size_t index);
uint32_t getInt24(size_t index);
uint32_t getInt24(size_t index) const;
void setInt32(uint32_t newData, size_t index);
uint32_t getInt32(size_t index);
uint32_t getInt32(size_t index) const;
void setInt64(uint64_t newData, size_t index);
uint64_t getInt64(size_t index);
uint64_t getInt64(size_t index) const;
//string functions
void setString(std::string newData, size_t index);
void setString(char * newData, size_t size, size_t index);
char * getString(size_t index);
size_t getStringLen(size_t index);
size_t getStringLen(size_t index) const;
//box functions
Box & getBox(size_t index);
size_t getBoxLen(size_t index);
size_t getBoxLen(size_t index) const;
void setBox(Box & newEntry, size_t index);
//data functions
bool reserve(size_t position, size_t current, size_t wanted);
bool reserve(size_t position, size_t current, size_t wanted) const {return false;}
//internal variables
char * data; ///< Holds the data of this box
unsigned int data_size; ///< Currently reserved size
@ -77,10 +84,10 @@ namespace MP4 {
public:
fullBox();
void setVersion(char newVersion);
char getVersion();
char getVersion() const;
void setFlags(uint32_t newFlags);
uint32_t getFlags();
std::string toPrettyString(uint32_t indent = 0);
uint32_t getFlags() const;
std::string toPrettyString(uint32_t indent = 0) const ;
};
class containerBox: public Box {

View file

@ -69,14 +69,14 @@ namespace MP4 {
uint32_t tmp = (newRef.referenceType ? 0x80000000 : 0) | newRef.referencedSize;
setInt32(tmp, offset);
setInt32(newRef.subSegmentDuration, offset + 4);
tmp = (newRef.sapStart ? 0x80000000 : 0) | ((newRef.sapType & 0x7) << 24) | newRef.sapDeltaTime;
tmp = (newRef.sapStart ? 0x80000000 : 0) | ((uint32_t)(newRef.sapType & 0x70) << 24) | newRef.sapDeltaTime;
setInt32(tmp, offset + 8);
}
sidxReference SIDX::getReference(size_t index) {
sidxReference result;
if (index >= getReferenceCount()) {
DEBUG_MSG(DLVL_DEVEL, "Warning, attempt to obtain reference out of bounds");
DEVEL_MSG("Warning, attempt to obtain reference out of bounds");
return result;
}
uint32_t offset = 24 + (index * 12) + (getVersion() == 0 ? 0 : 8);
@ -115,8 +115,9 @@ namespace MP4 {
TFDT::TFDT() {
memcpy(data + 4, "tfdt", 4);
setVersion(0);
setVersion(1);
setFlags(0);
setBaseMediaDecodeTime(0);
}
void TFDT::setBaseMediaDecodeTime(uint64_t newBaseMediaDecodeTime) {

View file

@ -1,11 +1,309 @@
#include "mp4_encryption.h"
#include "defines.h"
namespace MP4 {
PSSH::PSSH() {
memcpy(data + 4, "pssh", 4);
}
std::string PSSH::toPrettyString(uint32_t indent) {
std::stringstream r;
r << std::string(indent, ' ') << "[pssh] Protection System Specific Header Box (" << boxedSize() << ")" << std::endl;
r << fullBox::toPrettyString(indent);
r << std::string(indent + 1, ' ') << "SystemID: " << getSystemIDHex() << std::endl;
if (getVersion()){
r << std::string(indent + 1, ' ') << "KID_count: " << getKIDCount() << std::endl;
}
r << std::string(indent + 1, ' ') << "DataSize: " << getDataSize() << std::endl;
r << std::string(indent + 1, ' ') << "Data: ";
size_t dataSize = getDataSize();
char * data = getData();
for (size_t i = 0; i < dataSize; ++i){
r << std::hex << std::setw(2) << std::setfill('0') << (int)data[i] << std::dec << "";
}
r << std::endl;
return r.str();
}
std::string PSSH::getSystemIDHex() {
char * systemID = getString(4);
std::stringstream res;
for (size_t i = 0; i < 16; ++i){
res << std::hex << std::setw(2) << std::setfill('0') << (int)systemID[i] << std::dec;
}
return "0x" + res.str();
}
void PSSH::setSystemIDHex(const std::string & systemID) {
setString(systemID, 4);
}
size_t PSSH::getKIDCount(){
return getVersion() ? getInt32(20) : 0;
}
size_t PSSH::getDataSize(){
if (getVersion()){
size_t kidCount = getInt32(20);
return getInt32(24 + (kidCount * 16));
}
return getInt32(20);
}
char * PSSH::getData(){
if (getVersion()){
size_t kidCount = getInt32(20);
return getString(24 + (kidCount * 16) + 4);
}
return getString(24);
}
void PSSH::setData(const std::string & data){
if (getVersion()){
WARN_MSG("Not implemented yet!");
return;
}
for (int i = 0; i < data.size(); i++){
setInt8(data[i], 24 + i);
}
setInt32(data.size(), 20);
}
std::string TENC::toPrettyString(uint32_t indent) {
std::stringstream r;
r << std::string(indent, ' ') << "[tenc] Track Encryption Box (" << boxedSize() << ")" << std::endl;
r << fullBox::toPrettyString(indent);
r << std::string(indent + 1, ' ') << "default_isEncrypted: " << getDefaultIsEncrypted() << std::endl;
r << std::string(indent + 1, ' ') << "default_IV_size: " << getDefaultIVSize() << std::endl;
r << std::string(indent + 1, ' ') << "default_KID: ";
std::string defaultKID = getDefaultKID();
for (int i = 0; i < 16; i++){
r << std::hex << std::setw(2) << std::setfill('0') << (int)defaultKID[i] << std::dec << " ";
}
r << std::endl;
return r.str();
}
TENC::TENC() {
memcpy(data + 4, "tenc", 4);
setDefaultIsEncrypted(1);
setDefaultIVSize(8);
}
size_t TENC::getDefaultIsEncrypted(){
return getInt24(4);
}
void TENC::setDefaultIsEncrypted(size_t isEncrypted){
setInt24(isEncrypted, 4);
}
size_t TENC::getDefaultIVSize(){
return getInt8(7);
}
void TENC::setDefaultIVSize(uint8_t ivSize){
setInt8(ivSize, 7);
}
std::string TENC::getDefaultKID(){
std::string result;
for (int i = 8; i < 24; i++){
result += getInt8(i);
}
return result;
}
void TENC::setDefaultKID(const std::string & kid){
for (int i = 0; i < 16; i++){
if (i < kid.size()){
setInt8(kid[i], i + 8);
}else{
setInt8(0, i + 8);
}
}
}
SENC::SENC() {
memcpy(data + 4, "senc", 4);
setFlags(2);
}
uint32_t SENC::getSampleCount() const {
return getInt32(4);
}
#define IV_SIZE 8
void SENC::setSample(UUID_SampleEncryption_Sample newSample, size_t index) {
int myOffset = 8;
for (unsigned int i = 0; i < std::min(index, (size_t)getSampleCount()); i++) {
myOffset += IV_SIZE;
if (getFlags() & 0x02) {
int entryCount = getInt16(myOffset);
myOffset += 2 + (entryCount * 6);
}
}
if (index > getSampleCount()) {
ERROR_MSG("First fill intermediate entries!");
return;
/*
//we are now at the end of currently reserved space, reserve more and adapt offset accordingly.
int reserveSize = ((index - getSampleCount())) * (IV_SIZE + (getFlags() & 0x02));
reserveSize += IV_SIZE;
if (getFlags() & 0x02) {
reserveSize += 2 + newSample.Entries.size();
}
if (!reserve(myOffset, 0, reserveSize)) {
return;//Memory errors...
}
myOffset += (index - getSampleCount()) * (IV_SIZE + (getFlags() & 0x02));
*/
}
//write box.
for (int i = 0; i < IV_SIZE; i++) {
setInt8(newSample.InitializationVector[i], myOffset ++);//set and skip
}
if (getFlags() & 0x02) {
setInt16(newSample.Entries.size(), myOffset);
myOffset += 2;
for (std::vector<UUID_SampleEncryption_Sample_Entry>::iterator it = newSample.Entries.begin(); it != newSample.Entries.end(); it++) {
setInt16(it->BytesClear, myOffset);
myOffset += 2;
setInt32(it->BytesEncrypted, myOffset);
myOffset += 4;
}
}
if (index >= getSampleCount()) {
setInt32(index + 1, 4);
}
}
UUID_SampleEncryption_Sample SENC::getSample(size_t index) const {
if (index >= getSampleCount()) {
return UUID_SampleEncryption_Sample();
}
int myOffset = 8;
for (unsigned int i = 0; i < index; i++) {
myOffset += IV_SIZE;
if (getFlags() & 0x02) {
int entryCount = getInt16(myOffset);
myOffset += 2;//skip over entrycount
myOffset += entryCount * 6;//skip entryCount sample entries
}
}
UUID_SampleEncryption_Sample result;
for (int i = 0; i < IV_SIZE; i++) {
result.InitializationVector += (char)getInt8(myOffset++);//read and skip
}
if (getFlags() & 0x02) {
result.NumberOfEntries = getInt16(myOffset);
myOffset += 2;
for (unsigned int i = 0; i < result.NumberOfEntries; i++) {
result.Entries.push_back(UUID_SampleEncryption_Sample_Entry());
result.Entries[i].BytesClear = getInt16(myOffset);
myOffset += 2;
result.Entries[i].BytesEncrypted = getInt32(myOffset);
myOffset += 4;
}
}
return result;
}
std::string SENC::toPrettyString(uint32_t indent) const {
std::stringstream r;
r << std::string(indent, ' ') << "[senc] Sample Encryption Box (" << boxedSize() << ")" << std::endl;
r << fullBox::toPrettyString(indent);
r << std::string(indent + 1, ' ') << "Sample Count: " << getSampleCount() << std::endl;
for (unsigned int i = 0; i < getSampleCount(); i++) {
UUID_SampleEncryption_Sample tmpSample = getSample(i);
r << std::string(indent + 1, ' ') << "[" << i << "]" << std::endl;
r << std::string(indent + 3, ' ') << "Initialization Vector: 0x";
for (unsigned int j = 0; j < tmpSample.InitializationVector.size(); j++) {
r << std::hex << std::setw(2) << std::setfill('0') << (int)tmpSample.InitializationVector[j] << std::dec;
}
r << std::endl;
if (getFlags() & 0x02) {
r << std::string(indent + 3, ' ') << "Number of entries: " << tmpSample.NumberOfEntries << std::endl;
for (unsigned int j = 0; j < tmpSample.NumberOfEntries; j++) {
r << std::string(indent + 3, ' ') << "[" << j << "]" << std::endl;
r << std::string(indent + 5, ' ') << "Bytes clear: " << tmpSample.Entries[j].BytesClear << std::endl;
r << std::string(indent + 5, ' ') << "Bytes encrypted: " << tmpSample.Entries[j].BytesEncrypted << std::endl;
}
}
}
return r.str();
}
SAIZ::SAIZ(size_t entryCount){
memcpy(data + 4, "saiz", 4);
setFlags(0);
setVersion(0);
setInt24(0, 4); //Default sample size
setInt16(entryCount, 7);//EntryCount Samples
for (int i = 0; i < entryCount; i++){
setInt8(16, i+9);//16 bytes IV's
}
}
size_t SAIZ::getDefaultSampleSize(){
return getInt24(4);
}
size_t SAIZ::getEntryCount(){
return getInt16(7);
}
size_t SAIZ::getEntrySize(size_t entryNo){
if (entryNo >= getEntryCount()){return -1;}
return getInt8(9 + entryNo);
}
std::string SAIZ::toPrettyString(uint32_t indent) {
std::stringstream r;
r << std::string(indent, ' ') << "[saiz] Sample Auxiliary Information Size Box (" << boxedSize() << ")" << std::endl;
r << fullBox::toPrettyString(indent);
r << std::string(indent + 1, ' ') << "Default Sample Size: " << getDefaultSampleSize() << std::endl;
r << std::string(indent + 1, ' ') << "Entry Count: " << getEntryCount() << std::endl;
for (size_t i = 0; i < getEntryCount(); ++i){
r << std::string(indent + 2, ' ') << "[" << i << "]: " << getEntrySize(i) << std::endl;
}
return r.str();
}
SAIO::SAIO(size_t offset){
memcpy(data + 4, "saio", 4);
setInt32(1, 4);
setInt32(offset, 8);
}
size_t SAIO::getEntryCount(){
return getInt32(4);
}
size_t SAIO::getEntrySize(size_t entryNo){
if (entryNo >= getEntryCount()){return -1;}
return getInt32(8 + (entryNo * 4));
}
std::string SAIO::toPrettyString(uint32_t indent) {
std::stringstream r;
r << std::string(indent, ' ') << "[saio] Sample Auxiliary Information Offset Box (" << boxedSize() << ")" << std::endl;
r << fullBox::toPrettyString(indent);
r << std::string(indent + 1, ' ') << "Entry Count: " << getEntryCount() << std::endl;
for (size_t i = 0; i < getEntryCount(); ++i){
r << std::string(indent + 2, ' ') << "[" << i << "]: " << getEntrySize(i) << std::endl;
}
return r.str();
}
UUID_SampleEncryption::UUID_SampleEncryption() {
setUUID((std::string)"a2394f52-5a9b-4f14-a244-6c427c648df4");
}
UUID_SampleEncryption::UUID_SampleEncryption(const SENC & senc){
setUUID((std::string)"a2394f52-5a9b-4f14-a244-6c427c648df4");
setVersion(0);
setFlags(2);
size_t sampleCount = senc.getSampleCount();
for (size_t i = 0; i < sampleCount; ++i){
setSample(senc.getSample(i), i);
}
}
void UUID_SampleEncryption::setVersion(uint32_t newVersion) {
setInt8(newVersion, 16);
}
@ -93,17 +391,9 @@ namespace MP4 {
myOffset += 2 + (entryCount * 6);
}
}
if (index >= getSampleCount()) {
//we are now at the end of currently reserved space, reserve more and adapt offset accordingly.
int reserveSize = ((index - getSampleCount())) * (IV_SIZE + (getFlags() & 0x02));
reserveSize += IV_SIZE;
if (getFlags() & 0x02) {
reserveSize += 2 + newSample.Entries.size();
}
if (!reserve(myOffset, 0, reserveSize)) {
return;//Memory errors...
}
myOffset += (index - getSampleCount()) * (IV_SIZE + (getFlags() & 0x02));
if (index > getSampleCount()) {
ERROR_MSG("First fill intermediate entries!");
return;
}
//write box.
for (int i = 0; i < IV_SIZE; i++) {
@ -339,15 +629,13 @@ namespace MP4 {
Box & SINF::getEntry(uint32_t no) {
static Box ret = Box((char *)"\000\000\000\010erro", false);
if (no > 4) {
ret = Box((char *)"\000\000\000\010erro", false);
return ret;
}
int tempLoc = 0;
for (unsigned int i = 0; i < no; i++) {
tempLoc += Box(getBox(tempLoc).asBox(), false).boxedSize();
tempLoc += getBoxLen(tempLoc);
}
ret = Box(getBox(tempLoc).asBox(), false);
return ret;
return getBox(tempLoc);
}
std::string SINF::toPrettyString(uint32_t indent) {
@ -363,11 +651,12 @@ namespace MP4 {
return r.str();
}
FRMA::FRMA() {
FRMA::FRMA(const std::string & originalFormat) {
memcpy(data + 4, "frma", 4);
setOriginalFormat(originalFormat);
}
void FRMA::setOriginalFormat(std::string newFormat) {
void FRMA::setOriginalFormat(const std::string & newFormat) {
for (unsigned int i = 0; i < 4; i++) {
if (i < newFormat.size()) {
setInt8(newFormat[i], i);
@ -388,8 +677,10 @@ namespace MP4 {
return r.str();
}
SCHM::SCHM() {
SCHM::SCHM(uint32_t schemeType, uint32_t schemeVersion){
memcpy(data + 4, "schm", 4);
setSchemeType(schemeType);
setSchemeVersion(schemeVersion);
}
void SCHM::setSchemeType(uint32_t newType) {

View file

@ -14,9 +14,60 @@ namespace MP4 {
std::vector<UUID_SampleEncryption_Sample_Entry> Entries;
};
class PSSH: public fullBox {
public:
PSSH();
std::string getSystemIDHex();
void setSystemIDHex(const std::string & systemID);
std::string toPrettyString(uint32_t indent = 0);
size_t getKIDCount();
size_t getDataSize();
char * getData();
void setData(const std::string & data);
};
class TENC: public fullBox {
public:
TENC();
std::string toPrettyString(uint32_t indent = 0);
size_t getDefaultIsEncrypted();
void setDefaultIsEncrypted(size_t isEncrypted);
size_t getDefaultIVSize();
void setDefaultIVSize(uint8_t ivSize);
std::string getDefaultKID();
void setDefaultKID(const std::string & kid);
};
class SENC: public fullBox {
public:
SENC();
uint32_t getSampleCount() const;
void setSample(UUID_SampleEncryption_Sample newSample, size_t index);
UUID_SampleEncryption_Sample getSample(size_t index) const;
std::string toPrettyString(uint32_t indent = 0) const;
};
class SAIZ : public fullBox {
public:
SAIZ(size_t entryCount = 0);
size_t getDefaultSampleSize();
size_t getEntryCount();
size_t getEntrySize(size_t entryNo);
std::string toPrettyString(uint32_t indent = 0);
};
class SAIO : public fullBox {
public:
SAIO(size_t offset = 0);
size_t getEntryCount();
size_t getEntrySize(size_t entryNo);
std::string toPrettyString(uint32_t indent = 0);
};
class UUID_SampleEncryption: public UUID {
public:
UUID_SampleEncryption();
UUID_SampleEncryption(const SENC & senc);
void setVersion(uint32_t newVersion);
uint32_t getVersion();
void setFlags(uint32_t newFlags);
@ -75,15 +126,15 @@ namespace MP4 {
class FRMA: public Box {
public:
FRMA();
void setOriginalFormat(std::string newFormat);
FRMA(const std::string & originalFormat = "");
void setOriginalFormat(const std::string & newFormat);
std::string getOriginalFormat();
std::string toPrettyString(uint32_t indent = 0);
};
class SCHM: public fullBox {
public:
SCHM();
SCHM(uint32_t schemeType = 0x636E6563, uint32_t schemeVersion = 0x00000100);//CENC defaults
void setSchemeType(uint32_t newType);
uint32_t getSchemeType();
void setSchemeVersion(uint32_t newVersion);

View file

@ -474,6 +474,10 @@ namespace MP4 {
return getInt32(offset);
}
bool TFHD::getDefaultBaseIsMoof() {
return getFlags() & tfhdBaseIsMoof;
}
std::string TFHD::toPrettyString(uint32_t indent) {
std::stringstream r;
r << std::string(indent, ' ') << "[tfhd] Track Fragment Header (" << boxedSize() << ")" << std::endl;
@ -499,6 +503,9 @@ namespace MP4 {
if (flags & tfhdNoDuration) {
r << " NoDuration";
}
if (flags & tfhdBaseIsMoof) {
r << " BaseIsMoof";
}
r << std::endl;
r << std::string(indent + 1, ' ') << "TrackID " << getTrackID() << std::endl;
@ -513,7 +520,7 @@ namespace MP4 {
r << std::string(indent + 1, ' ') << "Default Sample Duration " << getDefaultSampleDuration() << std::endl;
}
if (flags & tfhdSampleSize) {
r << std::string(indent + 1, ' ') << "Default Same Size " << getDefaultSampleSize() << std::endl;
r << std::string(indent + 1, ' ') << "Default Sample Size " << getDefaultSampleSize() << std::endl;
}
if (flags & tfhdSampleFlag) {
r << std::string(indent + 1, ' ') << "Default Sample Flags " << prettySampleFlags(getDefaultSampleFlags()) << std::endl;
@ -569,6 +576,10 @@ namespace MP4 {
}
void AVCC::setSPS(std::string newSPS, size_t index) {
setSPS(newSPS.data(), newSPS.size(), index);
}
void AVCC::setSPS(const char * data, size_t len, size_t index) {
if (index >= getSPSCount()){
WARN_MSG("Cannot set entry at position %zu/%u: Out of bounds", index, getSPSCount());
}
@ -576,9 +587,9 @@ namespace MP4 {
for (size_t i = 0; i < index; i++){
offset += getInt16(offset) + 2;
}
setInt16(newSPS.size(), offset);
for (unsigned int i = 0; i < newSPS.size(); i++) {
setInt8(newSPS[i], offset + 2 + i);
setInt16(len, offset);
for (unsigned int i = 0; i < len; i++) {
setInt8(data[i], offset + 2 + i);
} //not null-terminated
}
@ -648,6 +659,9 @@ namespace MP4 {
}
void AVCC::setPPS(std::string newPPS, size_t index) {
setPPS(newPPS.data(), newPPS.size(), index);
}
void AVCC::setPPS(const char * data, size_t len, size_t index) {
if (index >= getPPSCount()){
WARN_MSG("Cannot set entry at position %zu/%u: Out of bounds", index, getPPSCount());
}
@ -655,9 +669,9 @@ namespace MP4 {
for (size_t i = 0; i < index; i++){
offset += getInt16(offset) + 2;
}
setInt16(newPPS.size(), offset);
for (unsigned int i = 0; i < newPPS.size(); i++) {
setInt8(newPPS[i], offset + 2 + i);
setInt16(len, offset);
for (unsigned int i = 0; i < len; i++) {
setInt8(data[i], offset + 2 + i);
} //not null-terminated
}
@ -742,11 +756,90 @@ namespace MP4 {
}
void AVCC::setPayload(std::string newPayload) {
if (!reserve(0, payloadSize(), newPayload.size())) {
setPayload(newPayload.data(), newPayload.size());
}
void AVCC::setPayload(const char * data, size_t len){
if (!reserve(0, payloadSize(), len)){
ERROR_MSG("Cannot allocate enough memory for payload");
return;
}
memcpy((char *)payload(), (char *)newPayload.c_str(), newPayload.size());
memcpy((char *)payload(), (char *)data, len);
}
bool AVCC::sanitize(){
bool needSanitization = false;
size_t count = getSPSCount();
for (size_t i = 0; i < count; i++){
char * sps = getSPS(i);
if (memcmp("\000\000\000\001", sps, 4) == 0 || memcmp("\000\000\001", sps, 3)){
needSanitization = true;
break;
}
}
if (!needSanitization){
count = getPPSCount();
for (size_t i = 0; i < count; i++){
char * pps = getPPS(i);
if (memcmp("\000\000\000\001", pps, 4) == 0 || memcmp("\000\000\001", pps, 3)){
needSanitization = true;
break;
}
}
}
if (!needSanitization){return false;}
AVCC sanitized;
sanitized.setVersion(getVersion());
sanitized.setProfile(getProfile());
sanitized.setCompatibleProfiles(getCompatibleProfiles());
sanitized.setLevel(getLevel());
count = getSPSCount();
sanitized.setSPSCount(count);
for (size_t i = 0; i < count; i++){
char * sps = getSPS(i);
size_t len = getSPSLen(i);
bool modded = true;
while (modded){
modded = false;
if (memcmp("\000\000\001", sps, 3) == 0){
modded = true;
len -= 3;
sps += 3;
}
if (memcmp("\000\000\000\001", sps, 4) == 0){
modded = true;
len -= 4;
sps += 4;
}
}
sanitized.setSPS(sps, len, i);
}
count = getPPSCount();
sanitized.setPPSCount(count);
for (size_t i = 0; i < count; i++){
char * pps = getPPS(i);
size_t len = getPPSLen(i);
bool modded = true;
while (modded){
modded = false;
if (memcmp("\000\000\001", pps, 3) == 0){
modded = true;
len -= 3;
pps += 3;
}
if (memcmp("\000\000\000\001", pps, 4) == 0){
modded = true;
len -= 4;
pps += 4;
}
}
sanitized.setPPS(pps, len, i);
}
clear();
memcpy(data + 4, "avcC", 4);
setInt8(0xFF, 4); //reserved + 4-bytes NAL length
setPayload(sanitized.payload(), sanitized.payloadSize());
return true;
}
HVCC::HVCC() {
@ -2692,13 +2785,17 @@ namespace MP4 {
r << std::string(indent, ' ') << "[stts] Sample Table Box (" << boxedSize() << ")" << std::endl;
r << fullBox::toPrettyString(indent);
r << std::string(indent + 1, ' ') << "EntryCount: " << getEntryCount() << std::endl;
r << std::string(indent + 2, ' ') << "[";
for (unsigned int i = 0; i < getEntryCount(); i++) {
static STTSEntry temp;
temp = getSTTSEntry(i);
r << std::string(indent + 1, ' ') << "Entry[" << i << "]: " << temp.sampleCount << " sample(s) of " << temp.sampleDelta << "ms each" << std::endl;
r << "(" << temp.sampleCount << " x " << temp.sampleDelta << "ms)";
if (i < getEntryCount() - 1){
r << ", ";
}
}
r << "]" << std::endl;
return r.str();
}
CTTS::CTTS() {
@ -2742,13 +2839,16 @@ namespace MP4 {
r << std::string(indent, ' ') << "[ctts] Composition Time To Sample Box (" << boxedSize() << ")" << std::endl;
r << fullBox::toPrettyString(indent);
r << std::string(indent + 1, ' ') << "EntryCount: " << getEntryCount() << std::endl;
r << std::string(indent + 2, ' ') << "[";
for (unsigned int i = 0; i < getEntryCount(); i++) {
static CTTSEntry temp;
temp = getCTTSEntry(i);
r << std::string(indent + 1, ' ') << "Entry[" << i << "]:" << std::endl;
r << std::string(indent + 2, ' ') << "SampleCount: " << temp.sampleCount << std::endl;
r << std::string(indent + 2, ' ') << "SampleOffset: " << temp.sampleOffset << std::endl;
r << "(" << temp.sampleCount << " x " << temp.sampleOffset << ")";
if (i < getEntryCount() - 1){
r << ", ";
}
}
r << "]" << std::endl;
return r.str();
}
@ -3081,10 +3181,10 @@ namespace MP4 {
return r.str();
}
PASP::PASP() {
PASP::PASP(uint32_t hSpacing, uint32_t vSpacing) {
memcpy(data + 4, "pasp", 4);
setHSpacing(1);
setVSpacing(1);
setHSpacing(hSpacing);
setVSpacing(vSpacing);
}
void PASP::setHSpacing(uint32_t newVal) {
@ -3134,6 +3234,8 @@ namespace MP4 {
setCLAP(hvccBox);
}
/*LTS-END*/
MP4::PASP paspBox;
setPASP(paspBox);
}
void VisualSampleEntry::initialize(){
@ -3238,12 +3340,61 @@ namespace MP4 {
}
if (payloadSize() < 78 + getBoxLen(78) + 8) {
return ret;
} else {
}
return getBox(78 + getBoxLen(78));
}
size_t VisualSampleEntry::getBoxEntryCount() {
if (payloadSize() < 84) { //if the EntryBox is not big enough to hold any box
return 0;
}
size_t count = 0;
size_t offset = 78;
while (offset < payloadSize()){
offset +=getBoxLen(offset);
count++;
}
return count;
}
Box & VisualSampleEntry::getBoxEntry(size_t index){
static Box ret = Box((char *)"\000\000\000\010erro", false);
if (index >= getBoxEntryCount()){
return ret;
}
size_t count = 0;
size_t offset = 78;
while (offset < payloadSize()){
if (count == index){
return getBox(offset);
}
offset +=getBoxLen(offset);
count++;
}
return ret;
}
void VisualSampleEntry::setBoxEntry(size_t index, Box & box){
if (index > getBoxEntryCount()){
index = getBoxEntryCount();
WARN_MSG("This function can not leave empty spaces, appending at index %zu nstead!", index);
}
size_t count = 0;
size_t offset = 78;
while (offset < payloadSize()){
if (count == index){
setBox(box, offset);
return;
}
offset +=getBoxLen(offset);
count++;
}
if (count == index){
setBox(box, offset);
}else{
INFO_MSG("Should not be here! Index is %zu, count is %zu, offset is %zu, payloadSize is %zu", index, count, offset, payloadSize());
}
}
@ -3258,12 +3409,20 @@ namespace MP4 {
r << std::string(indent + 1, ' ') << "FrameCount: " << getFrameCount() << std::endl;
r << std::string(indent + 1, ' ') << "CompressorName: " << getCompressorName() << std::endl;
r << std::string(indent + 1, ' ') << "Depth: " << getDepth() << std::endl;
r << std::string(indent + 1, ' ') << "Box Count: " << getBoxEntryCount() << std::endl;
if (!getCLAP().isType("erro")) {
r << getCLAP().toPrettyString(indent + 1);
}
if (!getPASP().isType("erro")) {
r << getPASP().toPrettyString(indent + 1);
}
if (getBoxEntryCount() > 2){
for (size_t index = 2; index < getBoxEntryCount(); ++index){
MP4::Box tmpBox = getBoxEntry(index);
r << tmpBox.toPrettyString(indent + 1);
}
}
return r.str();
}

View file

@ -2,7 +2,7 @@
#include "mp4.h"
namespace h265 {
class metaInfo;
struct metaInfo;
}
namespace MP4 {
@ -79,6 +79,7 @@ namespace MP4 {
tfhdSampleSize = 0x000010,
tfhdSampleFlag = 0x000020,
tfhdNoDuration = 0x010000,
tfhdBaseIsMoof = 0x020000,
};
class TFHD: public Box {
public:
@ -97,6 +98,7 @@ namespace MP4 {
uint32_t getDefaultSampleSize();
void setDefaultSampleFlags(uint32_t newFlags);
uint32_t getDefaultSampleFlags();
bool getDefaultBaseIsMoof();
std::string toPrettyString(uint32_t indent = 0);
};
@ -116,6 +118,7 @@ namespace MP4 {
void setSPSCount(uint32_t _count);
uint32_t getSPSCount();
void setSPS(std::string newSPS, size_t index = 0);
void setSPS(const char * data, size_t len, size_t index = 0);
uint32_t getSPSLen(size_t index = 0);
char * getSPS(size_t index = 0);
std::string hexSPS(size_t index = 0);
@ -124,12 +127,17 @@ namespace MP4 {
void setPPSCount(uint32_t _count);
uint32_t getPPSCount();
void setPPS(std::string newPPS, size_t index = 0);
void setPPS(const char * data, size_t len, size_t index = 0);
uint32_t getPPSLen(size_t index = 0);
char * getPPS(size_t index = 0);
void multiplyPPS(size_t newAmount);
std::string hexPPS(size_t index = 0);
std::string asAnnexB();
void setPayload(std::string newPayload);
void setPayload(const char * data, size_t len);
bool sanitize();
std::string toPrettyString(uint32_t indent = 0);
};
@ -651,7 +659,7 @@ namespace MP4 {
class PASP: public Box { //PixelAspectRatioBox
public:
PASP();
PASP(uint32_t hSpacing = 1, uint32_t vSpacing = 1);
void setHSpacing(uint32_t newVal);
uint32_t getHSpacing();
void setVSpacing(uint32_t newVal);
@ -684,6 +692,11 @@ namespace MP4 {
void setCLAP(Box & clap);
Box & getPASP();
void setPASP(Box & pasp);
size_t getBoxEntryCount();
Box & getBoxEntry(size_t index);
void setBoxEntry(size_t index, Box & box);
std::string toPrettyVisualString(uint32_t index = 0, std::string = "");
};

View file

@ -13,6 +13,7 @@ namespace Mpeg{
// samplerate is encoded in bits 0x0C of header[2];
res.sampleRate = sampleRates[mpegVersion][((hdr[2] >> 2) & 0x03)] * 1000;
res.channels = 2 - (hdr[3] >> 7);
res.layer = 4 - (hdr[1] >> 1) & 0x03;
return res;
}
@ -44,7 +45,7 @@ namespace Mpeg{
return true;
}
if (hdr[3] == 0x00){// Picture header
mpInfo.tempSeq = (((uint16_t)hdr[4]) << 2) || (hdr[5] >> 6);
mpInfo.tempSeq = ((uint16_t)hdr[4] << 2) | (hdr[5] >> 6);
mpInfo.frameType = (hdr[5] & 0x38) >> 3;
return true;
}

View file

@ -15,6 +15,7 @@ namespace Mpeg{
struct MP2Info{
uint64_t sampleRate;
uint8_t channels;
uint8_t layer;
};
MP2Info parseMP2Header(const std::string &hdr);
@ -40,5 +41,5 @@ namespace Mpeg{
bool parseMPEG2Header(const char *hdr, MPEG2Info &mpInfo);
void parseMPEG2Headers(const char *hdr, uint32_t len, MPEG2Info &mpInfo);
MPEG2Info parseMPEG2Headers(const char *hdr, uint32_t len);
}
}// namespace Mpeg

View file

@ -14,7 +14,7 @@ namespace nalu{
std::deque<int> parseNalSizes(DTSC::Packet &pack){
std::deque<int> result;
char *data;
unsigned int dataLen;
size_t dataLen;
pack.getString("data", data, dataLen);
int offset = 0;
while (offset < dataLen){
@ -30,9 +30,9 @@ namespace nalu{
result.resize(data.size());
result[0] = data[0];
result[1] = data[1];
unsigned int dataPtr = 2;
unsigned int dataLen = data.size();
unsigned int resPtr = 2;
size_t dataPtr = 2;
size_t dataLen = data.size();
size_t resPtr = 2;
while (dataPtr + 2 < dataLen){
if (!data[dataPtr] && !data[dataPtr + 1] &&
data[dataPtr + 2] == 3){// We have found an emulation prevention

View file

@ -1,14 +1,13 @@
#pragma once
#include <deque>
#include <string>
#include "dtsc.h"
#include <cstdio>
#include <deque>
#include "dtsc.h"
#include <string>
namespace nalu{
struct nalData{
unsigned char nalType;
unsigned long nalSize;
uint8_t nalType;
size_t nalSize;
};
std::deque<int> parseNalSizes(DTSC::Packet &pack);
@ -18,4 +17,5 @@ namespace nalu {
unsigned long fromAnnexB(const char *data, unsigned long dataSize, char *&result);
const char *scanAnnexB(const char *data, uint32_t dataSize);
const char *nalEndPosition(const char *data, uint32_t dataSize);
}
}// namespace nalu

View file

@ -113,7 +113,7 @@ namespace OGG {
return false;
}
if (newData.substr(0, 4) != "OggS"){
DEBUG_MSG(DLVL_FAIL, "Invalid Ogg page encountered (magic number wrong: %s) - cannot continue", newData.c_str());
FAIL_MSG("Invalid Ogg page encountered (magic number wrong: %s) - cannot continue", newData.c_str());
return false;
}
memcpy(data, newData.c_str(), 27);//copying the header, always 27 bytes
@ -154,7 +154,7 @@ namespace OGG {
return false;
}
if (std::string(data, 4) != "OggS"){
DEBUG_MSG(DLVL_FAIL, "Invalid Ogg page encountered (magic number wrong: %s) - cannot continue bytePos %d", data, oriPos);
FAIL_MSG("Invalid Ogg page encountered (magic number wrong: %s) - cannot continue bytePos %d", data, oriPos);
return false;
}
if (!fread(data + 27, getPageSegments(), 1, inFile)){
@ -167,10 +167,10 @@ namespace OGG {
if (*it){
char * thisSeg = (char *)malloc(*it * sizeof(char));
if (!thisSeg){
DEBUG_MSG(DLVL_WARN, "malloc failed");
WARN_MSG("malloc failed");
}
if (!fread(thisSeg, *it, 1, inFile)){
DEBUG_MSG(DLVL_WARN, "Unable to read a segment @ pos %d segment size: %d getPageSegments: %d", oriPos, *it, getPageSegments());
WARN_MSG("Unable to read a segment @ pos %d segment size: %d getPageSegments: %d", oriPos, *it, getPageSegments());
fseek(inFile, oriPos, SEEK_SET);
return false;
}
@ -536,7 +536,7 @@ namespace OGG {
///\todo Rewrite this
void Page::sendTo(Socket::Connection & destination, int calcGranule){ //combines all data and sends it to socket
if (!oggSegments.size()){
DEBUG_MSG(DLVL_HIGH, "!segments.size()");
HIGH_MSG("!segments.size()");
return;
}
if (codec == OGG::VORBIS){
@ -599,7 +599,7 @@ namespace OGG {
checksum = crc32(checksum, &tableSize, 1); //calculating the checksum over the segment Table Size
checksum = crc32(checksum, table, tableSize);//calculating the checksum over the segment Table
DEBUG_MSG(DLVL_DONTEVEN, "numSegments: %d", numSegments);
DONTEVEN_MSG("numSegments: %d", numSegments);
for (unsigned int i = 0; i < numSegments; i++){
//INFO_MSG("checksum, i: %d", i);

View file

@ -1,4 +1,5 @@
#include <string>
#include <stdint.h>
namespace Opus{
uint16_t getPreSkip(const char * initData);

View file

@ -130,7 +130,7 @@ void Util::Procs::exit_handler() {
//send sigkill to all remaining
if (!listcopy.empty()) {
for (it = listcopy.begin(); it != listcopy.end(); it++) {
DEBUG_MSG(DLVL_DEVEL, "SIGKILL %d", *it);
INFO_MSG("SIGKILL %d", *it);
kill(*it, SIGKILL);
}
}
@ -272,14 +272,13 @@ pid_t Util::Procs::StartPiped(std::deque<std::string> & argDeq, int * fdin, int
pid_t Util::Procs::StartPiped(const char * const * argv, int * fdin, int * fdout, int * fderr) {
pid_t pid;
int pipein[2], pipeout[2], pipeerr[2];
//DEBUG_MSG(DLVL_DEVEL, "setHandler");
setHandler();
if (fdin && *fdin == -1 && pipe(pipein) < 0) {
DEBUG_MSG(DLVL_ERROR, "stdin pipe creation failed for process %s, reason: %s", argv[0], strerror(errno));
ERROR_MSG("stdin pipe creation failed for process %s, reason: %s", argv[0], strerror(errno));
return 0;
}
if (fdout && *fdout == -1 && pipe(pipeout) < 0) {
DEBUG_MSG(DLVL_ERROR, "stdout pipe creation failed for process %s, reason: %s", argv[0], strerror(errno));
ERROR_MSG("stdout pipe creation failed for process %s, reason: %s", argv[0], strerror(errno));
if (*fdin == -1) {
close(pipein[0]);
close(pipein[1]);
@ -287,7 +286,7 @@ pid_t Util::Procs::StartPiped(const char * const * argv, int * fdin, int * fdout
return 0;
}
if (fderr && *fderr == -1 && pipe(pipeerr) < 0) {
DEBUG_MSG(DLVL_ERROR, "stderr pipe creation failed for process %s, reason: %s", argv[0], strerror(errno));
ERROR_MSG("stderr pipe creation failed for process %s, reason: %s", argv[0], strerror(errno));
if (*fdin == -1) {
close(pipein[0]);
close(pipein[1]);
@ -302,7 +301,7 @@ pid_t Util::Procs::StartPiped(const char * const * argv, int * fdin, int * fdout
if (!fdin || !fdout || !fderr) {
devnull = open("/dev/null", O_RDWR);
if (devnull == -1) {
DEBUG_MSG(DLVL_ERROR, "Could not open /dev/null for process %s, reason: %s", argv[0], strerror(errno));
ERROR_MSG("Could not open /dev/null for process %s, reason: %s", argv[0], strerror(errno));
if (*fdin == -1) {
close(pipein[0]);
close(pipein[1]);
@ -365,10 +364,10 @@ pid_t Util::Procs::StartPiped(const char * const * argv, int * fdin, int * fdout
}
//Because execvp requires a char* const* and we have a const char* const*
execvp(argv[0], (char* const*)argv);
DEBUG_MSG(DLVL_ERROR, "execvp failed for process %s, reason: %s", argv[0], strerror(errno));
ERROR_MSG("execvp failed for process %s, reason: %s", argv[0], strerror(errno));
exit(42);
} else if (pid == -1) {
DEBUG_MSG(DLVL_ERROR, "fork failed for process %s, reason: %s", argv[0], strerror(errno));
ERROR_MSG("fork failed for process %s, reason: %s", argv[0], strerror(errno));
if (fdin && *fdin == -1) {
close(pipein[0]);
close(pipein[1]);
@ -390,7 +389,7 @@ pid_t Util::Procs::StartPiped(const char * const * argv, int * fdin, int * fdout
tthread::lock_guard<tthread::mutex> guard(plistMutex);
plist.insert(pid);
}
DEBUG_MSG(DLVL_HIGH, "Piped process %s started, PID %d", argv[0], pid);
HIGH_MSG("Piped process %s started, PID %d", argv[0], pid);
if (devnull != -1) {
close(devnull);
}

View file

@ -5,7 +5,7 @@ namespace RIFF{
Chunk::Chunk(const void *_p, uint32_t len){
p = (const char *)_p;
if (len && len < getPayloadSize() + 8){
FAIL_MSG("Chunk %s (%lub) does not fit in %lu bytes length!", getType().c_str(),
FAIL_MSG("Chunk %s (%" PRIu32 "b) does not fit in %" PRIu32 " bytes length!", getType().c_str(),
getPayloadSize() + 8, len);
p = 0;
}

View file

@ -2,22 +2,22 @@
/// Holds all code for the RTMPStream namespace.
#include "rtmpchunks.h"
#include "auth.h"
#include "defines.h"
#include "flv_tag.h"
#include "timing.h"
#include "auth.h"
std::string RTMPStream::handshake_in; ///< Input for the handshake.
std::string RTMPStream::handshake_out; ///< Output for the handshake.
unsigned int RTMPStream::chunk_rec_max = 128;
unsigned int RTMPStream::chunk_snd_max = 128;
unsigned int RTMPStream::rec_window_size = 2500000;
unsigned int RTMPStream::snd_window_size = 2500000;
unsigned int RTMPStream::rec_window_at = 0;
unsigned int RTMPStream::snd_window_at = 0;
unsigned int RTMPStream::rec_cnt = 0;
unsigned int RTMPStream::snd_cnt = 0;
size_t RTMPStream::chunk_rec_max = 128;
size_t RTMPStream::chunk_snd_max = 128;
size_t RTMPStream::rec_window_size = 2500000;
size_t RTMPStream::snd_window_size = 2500000;
size_t RTMPStream::rec_window_at = 0;
size_t RTMPStream::snd_window_at = 0;
size_t RTMPStream::rec_cnt = 0;
size_t RTMPStream::snd_cnt = 0;
timeval RTMPStream::lastrec;
@ -27,23 +27,27 @@ std::map<unsigned int, RTMPStream::Chunk> RTMPStream::lastsend;
std::map<unsigned int, RTMPStream::Chunk> RTMPStream::lastrecv;
#define P1024 \
"FFFFFFFFFFFFFFFFC90FDAA22168C234C4C6628B80DC1CD129024E088A67CC74020BBEA63B139B22514A08798E3404DD" \
"EF9519B3CD3A431B302B0A6DF25F14374FE1356D6D51C245E485B576625E7EC6F44C42E9A637ED6B0BFF5CB6F406B7ED" \
"FFFFFFFFFFFFFFFFC90FDAA22168C234C4C6628B80DC1CD129024E088A67CC74020BBEA63B139B22514A08798E3404" \
"DD" \
"EF9519B3CD3A431B302B0A6DF25F14374FE1356D6D51C245E485B576625E7EC6F44C42E9A637ED6B0BFF5CB6F406B7" \
"ED" \
"EE386BFB5A899FA5AE9F24117C4B1FE649286651ECE65381FFFFFFFFFFFFFFFF"
char genuineFMSKey[] = {0x47, 0x65, 0x6e, 0x75, 0x69, 0x6e, 0x65, 0x20, 0x41, 0x64, 0x6f, 0x62, 0x65, 0x20, 0x46, 0x6c, 0x61, 0x73, 0x68, 0x20,
0x4d, 0x65, 0x64, 0x69, 0x61, 0x20, 0x53, 0x65, 0x72,
char genuineFMSKey[] ={
0x47, 0x65, 0x6e, 0x75, 0x69, 0x6e, 0x65, 0x20, 0x41, 0x64, 0x6f, 0x62, 0x65, 0x20, 0x46,
0x6c, 0x61, 0x73, 0x68, 0x20, 0x4d, 0x65, 0x64, 0x69, 0x61, 0x20, 0x53, 0x65, 0x72,
0x76, // Genuine Adobe Flash Media Server 001
0x65, 0x72, 0x20, 0x30, 0x30, 0x31, 0xf0, 0xee, 0xc2, 0x4a, 0x80, 0x68, 0xbe, 0xe8, 0x2e, 0x00, 0xd0, 0xd1, 0x02, 0x9e, 0x7e, 0x57, 0x6e, 0xec,
0x5d, 0x2d, 0x29, 0x80, 0x6f, 0xab, 0x93, 0xb8, 0xe6, 0x36, 0xcf, 0xeb, 0x31, 0xae
}; // 68
0x65, 0x72, 0x20, 0x30, 0x30, 0x31, 0xf0, 0xee, 0xc2, 0x4a, 0x80, 0x68, 0xbe, 0xe8, 0x2e,
0x00, 0xd0, 0xd1, 0x02, 0x9e, 0x7e, 0x57, 0x6e, 0xec, 0x5d, 0x2d, 0x29, 0x80, 0x6f, 0xab,
0x93, 0xb8, 0xe6, 0x36, 0xcf, 0xeb, 0x31, 0xae}; // 68
char genuineFPKey[] = {0x47, 0x65, 0x6e, 0x75, 0x69, 0x6e, 0x65, 0x20, 0x41, 0x64, 0x6f, 0x62, 0x65, 0x20, 0x46, 0x6c, 0x61, 0x73, 0x68, 0x20,
0x50, 0x6c, 0x61,
char genuineFPKey[] ={
0x47, 0x65, 0x6e, 0x75, 0x69, 0x6e, 0x65, 0x20, 0x41, 0x64, 0x6f, 0x62, 0x65,
0x20, 0x46, 0x6c, 0x61, 0x73, 0x68, 0x20, 0x50, 0x6c, 0x61,
0x79, // Genuine Adobe Flash Player 001
0x65, 0x72, 0x20, 0x30, 0x30, 0x31, 0xf0, 0xee, 0xc2, 0x4a, 0x80, 0x68, 0xbe, 0xe8, 0x2e, 0x00, 0xd0, 0xd1, 0x02, 0x9e, 0x7e, 0x57, 0x6e, 0xec,
0x5d, 0x2d, 0x29, 0x80, 0x6f, 0xab, 0x93, 0xb8, 0xe6, 0x36, 0xcf, 0xeb, 0x31, 0xae
}; // 62
0x65, 0x72, 0x20, 0x30, 0x30, 0x31, 0xf0, 0xee, 0xc2, 0x4a, 0x80, 0x68, 0xbe,
0xe8, 0x2e, 0x00, 0xd0, 0xd1, 0x02, 0x9e, 0x7e, 0x57, 0x6e, 0xec, 0x5d, 0x2d,
0x29, 0x80, 0x6f, 0xab, 0x93, 0xb8, 0xe6, 0x36, 0xcf, 0xeb, 0x31, 0xae}; // 62
inline uint32_t GetDigestOffset(uint8_t *pBuffer, uint8_t scheme){
if (scheme == 0){
@ -57,11 +61,12 @@ bool ValidateClientScheme(uint8_t * pBuffer, uint8_t scheme) {
uint32_t clientDigestOffset = GetDigestOffset(pBuffer, scheme);
uint8_t pTempBuffer[1536 - 32];
memcpy(pTempBuffer, pBuffer, clientDigestOffset);
memcpy(pTempBuffer + clientDigestOffset, pBuffer + clientDigestOffset + 32, 1536 - clientDigestOffset - 32);
memcpy(pTempBuffer + clientDigestOffset, pBuffer + clientDigestOffset + 32,
1536 - clientDigestOffset - 32);
char pTempHash[32];
Secure::hmac_sha256bin((char *)pTempBuffer, 1536 - 32, genuineFPKey, 30, pTempHash);
bool result = (memcmp(pBuffer + clientDigestOffset, pTempHash, 32) == 0);
DEBUG_MSG(DLVL_MEDIUM, "Client scheme validation %hhi %s", scheme, result ? "success" : "failed");
MEDIUM_MSG("Client scheme validation %hhi %s", scheme, result ? "success" : "failed");
return result;
}
@ -87,10 +92,9 @@ std::string & RTMPStream::Chunk::Pack() {
}
}
}
//override - we always sent type 0x00 if the timestamp has decreased since last chunk in this channel
if (timestamp < prev.timestamp) {
chtype = 0x00;
}
// override - we always sent type 0x00 if the timestamp has decreased since last chunk in this
// channel
if (timestamp < prev.timestamp){chtype = 0x00;}
}
if (cs_id <= 63){
output += (unsigned char)(chtype | cs_id);
@ -139,9 +143,7 @@ std::string & RTMPStream::Chunk::Pack() {
}
}else{
ts_header = prev.ts_header;
if (ts_header == 0xffffff){
ntime = timestamp;
}
if (ts_header == 0xffffff){ntime = timestamp;}
}
// support for 0x00ffffff timestamps
if (ntime){
@ -153,9 +155,7 @@ std::string & RTMPStream::Chunk::Pack() {
len_left = 0;
while (len_left < len){
tmpi = len - len_left;
if (tmpi > RTMPStream::chunk_snd_max) {
tmpi = RTMPStream::chunk_snd_max;
}
if (tmpi > RTMPStream::chunk_snd_max){tmpi = RTMPStream::chunk_snd_max;}
output.append(data, len_left, tmpi);
len_left += tmpi;
if (len_left < len){
@ -198,7 +198,8 @@ RTMPStream::Chunk::Chunk() {
}// constructor
/// Packs up a chunk with the given arguments as properties.
std::string & RTMPStream::SendChunk(unsigned int cs_id, unsigned char msg_type_id, unsigned int msg_stream_id, std::string data) {
std::string &RTMPStream::SendChunk(unsigned int cs_id, unsigned char msg_type_id,
unsigned int msg_stream_id, std::string data){
static RTMPStream::Chunk ch;
ch.cs_id = cs_id;
ch.timestamp = 0;
@ -216,7 +217,8 @@ std::string & RTMPStream::SendChunk(unsigned int cs_id, unsigned char msg_type_i
/// \param data Contents of the media data.
/// \param len Length of the media data, in bytes.
/// \param ts Timestamp of the media data, relative to current system time.
std::string & RTMPStream::SendMedia(unsigned char msg_type_id, unsigned char * data, int len, unsigned int ts) {
std::string &RTMPStream::SendMedia(unsigned char msg_type_id, unsigned char *data, int len,
unsigned int ts){
static RTMPStream::Chunk ch;
ch.cs_id = msg_type_id + 42;
ch.timestamp = ts;
@ -331,24 +333,18 @@ std::string & RTMPStream::SendUSR(unsigned char type, unsigned int data, unsigne
bool RTMPStream::Chunk::Parse(Socket::Buffer &buffer){
gettimeofday(&RTMPStream::lastrec, 0);
unsigned int i = 0;
if (!buffer.available(3)) {
return false;
} //we want at least 3 bytes
if (!buffer.available(3)){return false;}// we want at least 3 bytes
std::string indata = buffer.copy(3);
unsigned char chunktype = indata[i++];
// read the chunkstream ID properly
switch (chunktype & 0x3F){
case 0:
cs_id = indata[i++ ] + 64;
break;
case 0: cs_id = indata[i++] + 64; break;
case 1:
cs_id = indata[i++] + 64;
cs_id += indata[i++] * 256;
break;
default:
cs_id = chunktype & 0x3F;
break;
default: cs_id = chunktype & 0x3F; break;
}
bool allow_short = lastrecv.count(cs_id);
@ -357,13 +353,12 @@ bool RTMPStream::Chunk::Parse(Socket::Buffer & buffer) {
// process the rest of the header, for each chunk type
headertype = chunktype & 0xC0;
DEBUG_MSG(DLVL_DONTEVEN, "Parsing RTMP chunk header (%#.2hhX) at offset %#X", chunktype, RTMPStream::rec_cnt);
DONTEVEN_MSG("Parsing RTMP chunk header (%#.2hhX) at offset %#zx", chunktype,
RTMPStream::rec_cnt);
switch (headertype){
case 0x00:
if (!buffer.available(i + 11)) {
return false;
} //can't read whole header
if (!buffer.available(i + 11)){return false;}// can't read whole header
indata = buffer.copy(i + 11);
timestamp = indata[i++] * 256 * 256;
timestamp += indata[i++] * 256;
@ -381,13 +376,9 @@ bool RTMPStream::Chunk::Parse(Socket::Buffer & buffer) {
msg_stream_id += indata[i++] * 256 * 256 * 256;
break;
case 0x40:
if (!buffer.available(i + 7)) {
return false;
} //can't read whole header
if (!buffer.available(i + 7)){return false;}// can't read whole header
indata = buffer.copy(i + 7);
if (!allow_short) {
DEBUG_MSG(DLVL_WARN, "Warning: Header type 0x40 with no valid previous chunk!");
}
if (!allow_short){WARN_MSG("Warning: Header type 0x40 with no valid previous chunk!");}
timestamp = indata[i++] * 256 * 256;
timestamp += indata[i++] * 256;
timestamp += indata[i++];
@ -404,13 +395,9 @@ bool RTMPStream::Chunk::Parse(Socket::Buffer & buffer) {
msg_stream_id = prev.msg_stream_id;
break;
case 0x80:
if (!buffer.available(i + 3)) {
return false;
} //can't read whole header
if (!buffer.available(i + 3)){return false;}// can't read whole header
indata = buffer.copy(i + 3);
if (!allow_short) {
DEBUG_MSG(DLVL_WARN, "Warning: Header type 0x80 with no valid previous chunk!");
}
if (!allow_short){WARN_MSG("Warning: Header type 0x80 with no valid previous chunk!");}
timestamp = indata[i++] * 256 * 256;
timestamp += indata[i++] * 256;
timestamp += indata[i++];
@ -425,17 +412,13 @@ bool RTMPStream::Chunk::Parse(Socket::Buffer & buffer) {
msg_stream_id = prev.msg_stream_id;
break;
case 0xC0:
if (!allow_short) {
DEBUG_MSG(DLVL_WARN, "Warning: Header type 0xC0 with no valid previous chunk!");
}
if (!allow_short){WARN_MSG("Warning: Header type 0xC0 with no valid previous chunk!");}
timestamp = prev.timestamp + prev.ts_delta;
ts_header = prev.ts_header;
ts_delta = prev.ts_delta;
len = prev.len;
len_left = prev.len_left;
if (len_left > 0){
timestamp = prev.timestamp;
}
if (len_left > 0){timestamp = prev.timestamp;}
msg_type_id = prev.msg_type_id;
msg_stream_id = prev.msg_stream_id;
break;
@ -452,27 +435,23 @@ bool RTMPStream::Chunk::Parse(Socket::Buffer & buffer) {
real_len = RTMPStream::chunk_rec_max;
}
DEBUG_MSG(DLVL_DONTEVEN, "Parsing RTMP chunk result: len_left=%d, real_len=%d", len_left, real_len);
DONTEVEN_MSG("Parsing RTMP chunk result: len_left=%d, real_len=%d", len_left, real_len);
// read extended timestamp, if necessary
if (ts_header == 0x00ffffff){
if (!buffer.available(i + 4)) {
return false;
} //can't read timestamp
if (!buffer.available(i + 4)){return false;}// can't read timestamp
indata = buffer.copy(i + 4);
timestamp += indata[i++] * 256 * 256 * 256;
timestamp += indata[i++] * 256 * 256;
timestamp += indata[i++] * 256;
timestamp = indata[i++];
ts_delta = timestamp;
DEBUG_MSG(DLVL_DONTEVEN, "Extended timestamp: %u", timestamp);
DONTEVEN_MSG("Extended timestamp: %u", timestamp);
}
// read data if length > 0, and allocate it
if (real_len > 0){
if (!buffer.available(i + real_len)) {
return false;
} //can't read all data (yet)
if (!buffer.available(i + real_len)){return false;}// can't read all data (yet)
buffer.remove(i); // remove the header
if (prev.len_left > 0){
data = prev.data + buffer.remove(real_len); // append the data and remove from buffer
@ -504,7 +483,7 @@ bool RTMPStream::doHandshake() {
char Version;
// Read C0
if (handshake_in.size() < 1537){
DEBUG_MSG(DLVL_FAIL, "Handshake wasn't filled properly (%lu/1537) - aborting!", handshake_in.size());
FAIL_MSG("Handshake wasn't filled properly (%lu/1537) - aborting!", handshake_in.size());
return false;
}
Version = RTMPStream::handshake_in[0];
@ -521,19 +500,20 @@ bool RTMPStream::doHandshake() {
}//"random" data
bool encrypted = (Version == 6);
DEBUG_MSG(DLVL_HIGH, "Handshake version is %hhi", Version);
HIGH_MSG("Handshake version is %hhi", Version);
uint8_t _validationScheme = 5;
if (ValidateClientScheme(Client, 0)) _validationScheme = 0;
if (ValidateClientScheme(Client, 1)) _validationScheme = 1;
DEBUG_MSG(DLVL_HIGH, "Handshake type is %hhi, encryption is %s", _validationScheme, encrypted ? "on" : "off");
HIGH_MSG("Handshake type is %hhi, encryption is %s", _validationScheme, encrypted ? "on" : "off");
uint32_t serverDigestOffset = GetDigestOffset(Server, _validationScheme);
uint32_t keyChallengeIndex = GetDigestOffset(Client, _validationScheme);
// FIRST 1536 bytes for server response
char pTempBuffer[1504];
memcpy(pTempBuffer, Server, serverDigestOffset);
memcpy(pTempBuffer + serverDigestOffset, Server + serverDigestOffset + 32, 1504 - serverDigestOffset);
memcpy(pTempBuffer + serverDigestOffset, Server + serverDigestOffset + 32,
1504 - serverDigestOffset);
Secure::hmac_sha256bin(pTempBuffer, 1504, genuineFMSKey, 36, (char *)Server + serverDigestOffset);
// SECOND 1536 bytes for server response
@ -543,7 +523,8 @@ bool RTMPStream::doHandshake() {
}else{
char pTempHash[32];
Secure::hmac_sha256bin((char *)Client + keyChallengeIndex, 32, genuineFMSKey, 68, pTempHash);
Secure::hmac_sha256bin((char*)Server + 1536, 1536 - 32, pTempHash, 32, (char*)Server + 1536 * 2 - 32);
Secure::hmac_sha256bin((char *)Server + 1536, 1536 - 32, pTempHash, 32,
(char *)Server + 1536 * 2 - 32);
}
Server[-1] = Version;

View file

@ -2,16 +2,28 @@
/// Holds all headers for the RTMPStream namespace.
#pragma once
#include <map>
#include <string.h>
#include <stdlib.h>
#include <sys/time.h>
#include <string>
#include <arpa/inet.h>
#include "socket.h"
#include <arpa/inet.h>
#include <map>
#include <stdlib.h>
#include <string.h>
#include <string>
#include <sys/time.h>
#ifndef FILLER_DATA
#define FILLER_DATA "Lorem ipsum dolor sit amet, consectetur adipiscing elit. Praesent commodo vulputate urna eu commodo. Cras tempor velit nec nulla placerat volutpat. Proin eleifend blandit quam sit amet suscipit. Pellentesque vitae tristique lorem. Maecenas facilisis consequat neque, vitae iaculis eros vulputate ut. Suspendisse ut arcu non eros vestibulum pulvinar id sed erat. Nam dictum tellus vel tellus rhoncus ut mollis tellus fermentum. Fusce volutpat consectetur ante, in mollis nisi euismod vulputate. Curabitur vitae facilisis ligula. Sed sed gravida dolor. Integer eu eros a dolor lobortis ullamcorper. Mauris interdum elit non neque interdum dictum. Suspendisse imperdiet eros sed sapien cursus pulvinar. Vestibulum ut dolor lectus, id commodo elit. Cras convallis varius leo eu porta. Duis luctus sapien nec dui adipiscing quis interdum nunc congue. Morbi pharetra aliquet mauris vitae tristique. Etiam feugiat sapien quis augue elementum id ultricies magna vulputate. Phasellus luctus, leo id egestas consequat, eros tortor commodo neque, vitae hendrerit nunc sem ut odio."
#define FILLER_DATA \
"Lorem ipsum dolor sit amet, consectetur adipiscing elit. Praesent commodo vulputate urna eu " \
"commodo. Cras tempor velit nec nulla placerat volutpat. Proin eleifend blandit quam sit amet " \
"suscipit. Pellentesque vitae tristique lorem. Maecenas facilisis consequat neque, vitae " \
"iaculis eros vulputate ut. Suspendisse ut arcu non eros vestibulum pulvinar id sed erat. Nam " \
"dictum tellus vel tellus rhoncus ut mollis tellus fermentum. Fusce volutpat consectetur ante, " \
"in mollis nisi euismod vulputate. Curabitur vitae facilisis ligula. Sed sed gravida dolor. " \
"Integer eu eros a dolor lobortis ullamcorper. Mauris interdum elit non neque interdum dictum. " \
"Suspendisse imperdiet eros sed sapien cursus pulvinar. Vestibulum ut dolor lectus, id commodo " \
"elit. Cras convallis varius leo eu porta. Duis luctus sapien nec dui adipiscing quis interdum " \
"nunc congue. Morbi pharetra aliquet mauris vitae tristique. Etiam feugiat sapien quis augue " \
"elementum id ultricies magna vulputate. Phasellus luctus, leo id egestas consequat, eros " \
"tortor commodo neque, vitae hendrerit nunc sem ut odio."
#endif
// forward declaration of FLV::Tag to avoid circular dependencies.
@ -22,21 +34,22 @@ namespace FLV {
/// Contains all functions and classes needed for RTMP connections.
namespace RTMPStream{
extern unsigned int chunk_rec_max; ///< Maximum size for a received chunk.
extern unsigned int chunk_snd_max; ///< Maximum size for a sent chunk.
extern unsigned int rec_window_size; ///< Window size for receiving.
extern unsigned int snd_window_size; ///< Window size for sending.
extern unsigned int rec_window_at; ///< Current position of the receiving window.
extern unsigned int snd_window_at; ///< Current position of the sending window.
extern unsigned int rec_cnt; ///< Counter for total data received, in bytes.
extern unsigned int snd_cnt; ///< Counter for total data sent, in bytes.
extern size_t chunk_rec_max; ///< Maximum size for a received chunk.
extern size_t chunk_snd_max; ///< Maximum size for a sent chunk.
extern size_t rec_window_size; ///< Window size for receiving.
extern size_t snd_window_size; ///< Window size for sending.
extern size_t rec_window_at; ///< Current position of the receiving window.
extern size_t snd_window_at; ///< Current position of the sending window.
extern size_t rec_cnt; ///< Counter for total data received, in bytes.
extern size_t snd_cnt; ///< Counter for total data sent, in bytes.
extern timeval lastrec; ///< Timestamp of last time data was received.
/// Holds a single RTMP chunk, either send or receive direction.
class Chunk{
public:
unsigned char headertype; ///< For input chunks, the type of header. This is calculated automatically for output chunks.
unsigned char headertype; ///< For input chunks, the type of header. This is calculated
///< automatically for output chunks.
unsigned int cs_id; ///< ContentStream ID
unsigned int timestamp; ///< Timestamp of this chunk.
unsigned int ts_delta; ///< Last timestamp delta.
@ -57,7 +70,8 @@ namespace RTMPStream {
extern std::map<unsigned int, Chunk> lastsend;
extern std::map<unsigned int, Chunk> lastrecv;
std::string & SendChunk(unsigned int cs_id, unsigned char msg_type_id, unsigned int msg_stream_id, std::string data);
std::string &SendChunk(unsigned int cs_id, unsigned char msg_type_id, unsigned int msg_stream_id,
std::string data);
std::string &SendMedia(unsigned char msg_type_id, unsigned char *data, int len, unsigned int ts);
std::string &SendMedia(FLV::Tag &tag);
std::string &SendCTL(unsigned char type, unsigned int data);
@ -71,4 +85,5 @@ namespace RTMPStream {
extern std::string handshake_out;
/// Does the handshake. Expects handshake_in to be filled, and fills handshake_out.
bool doHandshake();
} //RTMPStream namespace
}// namespace RTMPStream

View file

@ -40,53 +40,6 @@ namespace IPC {
}
#endif
/// Stores a long value of val in network order to the pointer p.
static void htobl(char * p, long val) {
p[0] = (val >> 24) & 0xFF;
p[1] = (val >> 16) & 0xFF;
p[2] = (val >> 8) & 0xFF;
p[3] = val & 0xFF;
}
/// Stores a short value of val in network order to the pointer p.
static void htobs(char * p, short val) {
p[0] = (val >> 8) & 0xFF;
p[1] = val & 0xFF;
}
/// Stores a long long value of val in network order to the pointer p.
static void htobll(char * p, long long val) {
p[0] = (val >> 56) & 0xFF;
p[1] = (val >> 48) & 0xFF;
p[2] = (val >> 40) & 0xFF;
p[3] = (val >> 32) & 0xFF;
p[4] = (val >> 24) & 0xFF;
p[5] = (val >> 16) & 0xFF;
p[6] = (val >> 8) & 0xFF;
p[7] = val & 0xFF;
}
/// Reads a long value of p in host order to val.
static void btohl(char * p, long & val) {
val = ((long)p[0] << 24) | ((long)p[1] << 16) | ((long)p[2] << 8) | p[3];
}
/// Reads a short value of p in host order to val.
static void btohs(char * p, unsigned short & val) {
val = ((short)p[0] << 8) | p[1];
}
/// Reads a long value of p in host order to val.
static void btohl(char * p, unsigned int & val) {
val = ((long)p[0] << 24) | ((long)p[1] << 16) | ((long)p[2] << 8) | p[3];
}
/// Reads a long long value of p in host order to val.
static void btohll(char * p, long long & val) {
val = ((long long)p[0] << 56) | ((long long)p[1] << 48) | ((long long)p[2] << 40) | ((long long)p[3] << 32) | ((long long)p[4] << 24) | ((long long)p[5] << 16) | ((long long)p[6] << 8) | p[7];
}
///\brief Empty semaphore constructor, clears all values
semaphore::semaphore() {
#if defined(__CYGWIN__) || defined(_WIN32)
@ -262,8 +215,8 @@ namespace IPC {
}
#elif defined(__APPLE__)
/// \todo (roxlu) test tryWaitOneSecond, shared_memory.cpp
long long unsigned int now = Util::getMicros();
long long unsigned int timeout = now + 1e6;
uint64_t now = Util::getMicros();
uint64_t timeout = now + 1e6;
while (now < timeout) {
if (0 == sem_trywait(mySem)) {
isLocked = true;
@ -363,7 +316,7 @@ namespace IPC {
///\param len_ The size to make the page
///\param master_ Whether to create or merely open the page
///\param autoBackoff When only opening the page, wait for it to appear or fail
sharedPage::sharedPage(std::string name_, unsigned int len_, bool master_, bool autoBackoff) {
sharedPage::sharedPage(const std::string & name_, uint64_t len_, bool master_, bool autoBackoff) {
handle = 0;
len = 0;
master = false;
@ -453,7 +406,7 @@ namespace IPC {
///\param len_ The size to make the page
///\param master_ Whether to create or merely open the page
///\param autoBackoff When only opening the page, wait for it to appear or fail
void sharedPage::init(std::string name_, unsigned int len_, bool master_, bool autoBackoff) {
void sharedPage::init(const std::string & name_, uint64_t len_, bool master_, bool autoBackoff) {
close();
name = name_;
len = len_;
@ -486,9 +439,9 @@ namespace IPC {
}
//Under cygwin, the extra 4 bytes contain the real size of the page.
if (master) {
((unsigned int *)mapped)[0] = len_;
Bit::htobl(mapped, len);
} else {
len = ((unsigned int *)mapped)[0];
len = Bit::btohl(mapped);
}
//Now shift by those 4 bytes.
mapped += 4;
@ -496,7 +449,7 @@ namespace IPC {
handle = shm_open(name.c_str(), (master ? O_CREAT | O_EXCL : 0) | O_RDWR, ACCESSPERMS);
if (handle == -1) {
if (master) {
DEBUG_MSG(DLVL_HIGH, "Overwriting old page for %s", name.c_str());
ERROR_MSG("Overwriting old page for %s", name.c_str());
handle = shm_open(name.c_str(), O_CREAT | O_RDWR, ACCESSPERMS);
} else {
int i = 0;
@ -515,7 +468,7 @@ namespace IPC {
}
if (master) {
if (ftruncate(handle, len) < 0) {
FAIL_MSG("truncate to %lld for page %s failed: %s", len, name.c_str(), strerror(errno));
FAIL_MSG("truncate to %" PRIu64 " for page %s failed: %s", len, name.c_str(), strerror(errno));
return;
}
} else {
@ -547,7 +500,7 @@ namespace IPC {
///\param len_ The size to make the file
///\param master_ Whether to create or merely open the file
///\param autoBackoff When only opening the file, wait for it to appear or fail
sharedFile::sharedFile(std::string name_, unsigned int len_, bool master_, bool autoBackoff) : handle(0), name(name_), len(len_), master(master_), mapped(NULL) {
sharedFile::sharedFile(const std::string & name_, uint64_t len_, bool master_, bool autoBackoff) : handle(0), name(name_), len(len_), master(master_), mapped(NULL) {
handle = 0;
name = name_;
len = len_;
@ -612,7 +565,7 @@ namespace IPC {
///\param len_ The size to make the page
///\param master_ Whether to create or merely open the page
///\param autoBackoff When only opening the page, wait for it to appear or fail
void sharedFile::init(std::string name_, unsigned int len_, bool master_, bool autoBackoff) {
void sharedFile::init(const std::string & name_, uint64_t len_, bool master_, bool autoBackoff) {
close();
name = name_;
len = len_;
@ -623,7 +576,7 @@ namespace IPC {
handle = open(std::string(Util::getTmpFolder() + name).c_str(), (master ? O_CREAT | O_TRUNC | O_EXCL : 0) | O_RDWR, (mode_t)0600);
if (handle == -1) {
if (master) {
DEBUG_MSG(DLVL_HIGH, "Overwriting old file for %s", name.c_str());
HIGH_MSG("Overwriting old file for %s", name.c_str());
handle = open(std::string(Util::getTmpFolder() + name).c_str(), O_CREAT | O_TRUNC | O_RDWR, (mode_t)0600);
} else {
int i = 0;
@ -670,19 +623,18 @@ namespace IPC {
///\brief Sets timestamp of the current stats
void statExchange::now(long long int time) {
htobll(data, time);
Bit::htobll(data, time);
}
///\brief Gets timestamp of the current stats
long long int statExchange::now() {
long long int result;
btohll(data, result);
return result;
return Bit::btohll(data);
}
///\brief Sets time currently connected
void statExchange::time(long time) {
htobl(data + 8, time);
Bit::htobl(data + 8, time);
}
/// Calculates session ID from CRC, stream name, connector and host.
@ -692,45 +644,37 @@ namespace IPC {
///\brief Gets time currently connected
long statExchange::time() {
long result;
btohl(data + 8, result);
return result;
return Bit::btohl(data + 8);
}
///\brief Sets the last viewing second of this user
void statExchange::lastSecond(long time) {
htobl(data + 12, time);
Bit::htobl(data + 12, time);
}
///\brief Gets the last viewing second of this user
long statExchange::lastSecond() {
long result;
btohl(data + 12, result);
return result;
return Bit::btohl(data + 12);
}
///\brief Sets the amount of bytes received
void statExchange::down(long long int bytes) {
htobll(data + 16, bytes);
Bit::htobll(data + 16, bytes);
}
///\brief Gets the amount of bytes received
long long int statExchange::down() {
long long int result;
btohll(data + 16, result);
return result;
return Bit::btohll(data + 16);
}
///\brief Sets the amount of bytes sent
void statExchange::up(long long int bytes) {
htobll(data + 24, bytes);
Bit::htobll(data + 24, bytes);
}
///\brief Gets the amount of bytes sent
long long int statExchange::up() {
long long int result;
btohll(data + 24, result);
return result;
return Bit::btohll(data + 24);
}
///\brief Sets the host of this connection
@ -772,14 +716,12 @@ namespace IPC {
///\brief Sets checksum field
void statExchange::crc(unsigned int sum) {
htobl(data + 168, sum);
Bit::htobl(data + 168, sum);
}
///\brief Gets checksum field
unsigned int statExchange::crc() {
unsigned int result;
btohl(data + 168, result);
return result;
return Bit::btohl(data + 168);
}
///\brief Sets checksum field

View file

@ -103,11 +103,11 @@ namespace IPC {
///\brief A class for managing shared files.
class sharedFile {
public:
sharedFile(std::string name_ = "", unsigned int len_ = 0, bool master_ = false, bool autoBackoff = true);
sharedFile(const std::string & name_ = "", uint64_t len_ = 0, bool master_ = false, bool autoBackoff = true);
sharedFile(const sharedFile & rhs);
~sharedFile();
operator bool() const;
void init(std::string name_, unsigned int len_, bool master_ = false, bool autoBackoff = true);
void init(const std::string & name_, uint64_t len_, bool master_ = false, bool autoBackoff = true);
void operator =(sharedFile & rhs);
bool operator < (const sharedFile & rhs) const {
return name < rhs.name;
@ -120,7 +120,7 @@ namespace IPC {
///\brief The name of the opened shared file
std::string name;
///\brief The size in bytes of the opened shared file
long long int len;
uint64_t len;
///\brief Whether this class should unlink the shared file upon deletion or not
bool master;
///\brief A pointer to the payload of the file file
@ -136,11 +136,11 @@ namespace IPC {
///\brief A class for managing shared memory pages.
class sharedPage {
public:
sharedPage(std::string name_ = "", unsigned int len_ = 0, bool master_ = false, bool autoBackoff = true);
sharedPage(const std::string & name_ = "", uint64_t len_ = 0, bool master_ = false, bool autoBackoff = true);
sharedPage(const sharedPage & rhs);
~sharedPage();
operator bool() const;
void init(std::string name_, unsigned int len_, bool master_ = false, bool autoBackoff = true);
void init(const std::string & name_, uint64_t len_, bool master_ = false, bool autoBackoff = true);
void operator =(sharedPage & rhs);
bool operator < (const sharedPage & rhs) const {
return name < rhs.name;
@ -169,7 +169,7 @@ namespace IPC {
///Uses shared files at its backbone, defined for portability
class sharedPage: public sharedFile {
public:
sharedPage(std::string name_ = "", unsigned int len_ = 0, bool master_ = false, bool autoBackoff = true);
sharedPage(const std::string & name_ = "", uint64_t len_ = 0, bool master_ = false, bool autoBackoff = true);
sharedPage(const sharedPage & rhs);
~sharedPage();
};

View file

@ -6,13 +6,13 @@
#include "defines.h"
#include "timing.h"
#include <cstdlib>
#include <ifaddrs.h>
#include <netdb.h>
#include <netinet/in.h>
#include <poll.h>
#include <sstream>
#include <sys/socket.h>
#include <sys/stat.h>
#include <ifaddrs.h>
#define BUFFER_BLOCKSIZE 4096 // set buffer blocksize to 4KiB
@ -37,14 +37,11 @@ static std::string getIPv6BinAddr(const struct sockaddr_in6 & remoteaddr){
char tmpBuffer[17] = "\000\000\000\000\000\000\000\000\000\000\377\377\000\000\000\000";
switch (remoteaddr.sin6_family){
case AF_INET:
memcpy(tmpBuffer + 12, &(reinterpret_cast<const sockaddr_in*>(&remoteaddr)->sin_addr.s_addr), 4);
break;
case AF_INET6:
memcpy(tmpBuffer, &(remoteaddr.sin6_addr.s6_addr), 16);
break;
default:
return "";
memcpy(tmpBuffer + 12, &(reinterpret_cast<const sockaddr_in *>(&remoteaddr)->sin_addr.s_addr),
4);
break;
case AF_INET6: memcpy(tmpBuffer, &(remoteaddr.sin6_addr.s6_addr), 16); break;
default: return ""; break;
}
return std::string(tmpBuffer, 16);
}
@ -70,9 +67,7 @@ bool Socket::isLocal(const std::string & remotehost){
getifaddrs(&ifAddrStruct);
for (ifa = ifAddrStruct; ifa != NULL; ifa = ifa->ifa_next){
if (!ifa->ifa_addr){
continue;
}
if (!ifa->ifa_addr){continue;}
if (ifa->ifa_addr->sa_family == AF_INET){// check it is IP4
tmpAddrPtr = &((struct sockaddr_in *)ifa->ifa_addr)->sin_addr;
inet_ntop(AF_INET, tmpAddrPtr, addressBuffer, INET_ADDRSTRLEN);
@ -176,8 +171,8 @@ std::string Socket::getBinForms(std::string addr){
return ret;
}
/// Checks bytes (length len) containing a binary-encoded IPv4 or IPv6 IP address, and writes it in human-readable notation to target.
/// Writes "unknown" if it cannot decode to a sensible value.
/// Checks bytes (length len) containing a binary-encoded IPv4 or IPv6 IP address, and writes it in
/// human-readable notation to target. Writes "unknown" if it cannot decode to a sensible value.
void Socket::hostBytesToStr(const char *bytes, size_t len, std::string &target){
switch (len){
case 4:
@ -192,7 +187,7 @@ void Socket::hostBytesToStr(const char *bytes, size_t len, std::string &target){
target = tmpstr;
}else{
char tmpstr[40];
snprintf(tmpstr, 40, "%0.2x%0.2x:%0.2x%0.2x:%0.2x%0.2x:%0.2x%0.2x:%0.2x%0.2x:%0.2x%0.2x:%0.2x%0.2x:%0.2x%0.2x", bytes[0], bytes[1],
snprintf(tmpstr, 40, "%.2x%.2x:%.2x%.2x:%.2x%.2x:%.2x%.2x:%.2x%.2x:%.2x%.2x:%.2x%.2x:%.2x%.2x", bytes[0], bytes[1],
bytes[2], bytes[3], bytes[4], bytes[5], bytes[6], bytes[7], bytes[8], bytes[9], bytes[10], bytes[11], bytes[12], bytes[13],
bytes[14], bytes[15]);
target = tmpstr;
@ -235,7 +230,8 @@ unsigned int Socket::Buffer::bytesToSplit(){
unsigned int i = 0;
for (std::deque<std::string>::reverse_iterator it = data.rbegin(); it != data.rend(); ++it){
i += (*it).size();
if ((*it).size() >= splitter.size() && (*it).substr((*it).size()-splitter.size()) == splitter){
if ((*it).size() >= splitter.size() &&
(*it).substr((*it).size() - splitter.size()) == splitter){
return i;
}
}
@ -243,7 +239,8 @@ unsigned int Socket::Buffer::bytesToSplit(){
}
/// Appends this string to the internal std::deque of std::string objects.
/// It is automatically split every BUFFER_BLOCKSIZE bytes and when the splitter string is encountered.
/// It is automatically split every BUFFER_BLOCKSIZE bytes and when the splitter string is
/// encountered.
void Socket::Buffer::append(const std::string &newdata){
append(newdata.data(), newdata.size());
}
@ -257,7 +254,8 @@ inline bool string_compare(const char *a, const char *b, const size_t len){
}
/// Appends this data block to the internal std::deque of std::string objects.
/// It is automatically split every BUFFER_BLOCKSIZE bytes and when the splitter string is encountered.
/// It is automatically split every BUFFER_BLOCKSIZE bytes and when the splitter string is
/// encountered.
void Socket::Buffer::append(const char *newdata, const unsigned int newdatasize){
uint32_t i = 0;
while (i < newdatasize){
@ -272,7 +270,9 @@ void Socket::Buffer::append(const char *newdata, const unsigned int newdatasize)
while (j + i < newdatasize && j < BUFFER_BLOCKSIZE){
j++;
if (j >= splitter.size()){
if (string_compare(newdata+i+j-splitter.size(), splitter.data(), splitter.size())){break;}
if (string_compare(newdata + i + j - splitter.size(), splitter.data(), splitter.size())){
break;
}
}
}
}
@ -286,7 +286,7 @@ void Socket::Buffer::append(const char *newdata, const unsigned int newdatasize)
}
}
if (data.size() > 5000){
DEBUG_MSG(DLVL_WARN, "Warning: After %d new bytes, buffer has %d parts containing over %u bytes!", newdatasize, (int)data.size(),
WARN_MSG("Warning: After %d new bytes, buffer has %d parts containing over %u bytes!", newdatasize, (int)data.size(),
bytes(9000));
}
}
@ -372,8 +372,8 @@ void Socket::Buffer::clear(){
data.clear();
}
/// Create a new base socket. This is a basic constructor for converting any valid socket to a Socket::Connection.
/// \param sockNo Integer representing the socket to convert.
/// Create a new base socket. This is a basic constructor for converting any valid socket to a
/// Socket::Connection. \param sockNo Integer representing the socket to convert.
Socket::Connection::Connection(int sockNo){
sSend = sockNo;
sRecv = -1;
@ -509,7 +509,8 @@ int Socket::Connection::getPureSocket(){
}
/// Returns a string describing the last error that occured.
/// Only reports errors if an error actually occured - returns the host address or empty string otherwise.
/// Only reports errors if an error actually occured - returns the host address or empty string
/// otherwise.
std::string Socket::Connection::getError(){
return remotehost;
}
@ -572,7 +573,7 @@ Socket::Connection::Connection(std::string host, int port, bool nonblock){
hints.ai_flags = AI_ADDRCONFIG;
int s = getaddrinfo(host.c_str(), ss.str().c_str(), &hints, &result);
if (s != 0){
DEBUG_MSG(DLVL_FAIL, "Could not connect to %s:%i! Error: %s", host.c_str(), port, gai_strerror(s));
FAIL_MSG("Could not connect to %s:%i! Error: %s", host.c_str(), port, gai_strerror(s));
close();
return;
}
@ -588,7 +589,7 @@ Socket::Connection::Connection(std::string host, int port, bool nonblock){
freeaddrinfo(result);
if (rp == 0){
DEBUG_MSG(DLVL_FAIL, "Could not connect to %s! Error: %s", host.c_str(), remotehost.c_str());
FAIL_MSG("Could not connect to %s! Error: %s", host.c_str(), remotehost.c_str());
close();
}else{
if (nonblock){
@ -629,7 +630,8 @@ uint64_t Socket::Connection::dataDown(){
/// Returns a std::string of stats, ended by a newline.
/// Requires the current connector name as an argument.
std::string Socket::Connection::getStats(std::string C){
return "S " + getHost() + " " + C + " " + uint2string(Util::epoch() - conntime) + " " + uint2string(up) + " " + uint2string(down) + "\n";
return "S " + getHost() + " " + C + " " + uint2string(Util::epoch() - conntime) + " " +
uint2string(up) + " " + uint2string(down) + "\n";
}
/// Updates the downbuffer internal variable.
@ -660,7 +662,9 @@ void Socket::Connection::SendNow(const char *data, size_t len){
bool bing = isBlocking();
if (!bing){setBlocking(true);}
unsigned int i = iwrite(data, std::min((long unsigned int)len, SOCKETSIZE));
while (i < len && connected()){i += iwrite(data + i, std::min((long unsigned int)(len - i), SOCKETSIZE));}
while (i < len && connected()){
i += iwrite(data + i, std::min((long unsigned int)(len - i), SOCKETSIZE));
}
if (!bing){setBlocking(false);}
}
@ -678,7 +682,7 @@ void Socket::Connection::SendNow(const std::string &data){
}
void Socket::Connection::skipBytes(uint32_t byteCount){
INFO_MSG("Skipping first %lu bytes going to socket", byteCount);
INFO_MSG("Skipping first %" PRIu32 " bytes going to socket", byteCount);
skipCount = byteCount;
}
@ -802,7 +806,7 @@ std::string Socket::Connection::getBinHost(){
/// Overwrites the detected host, thus possibily making it incorrect.
void Socket::Connection::setHost(std::string host){
remotehost = host;
struct addrinfo *result, *rp, hints;
struct addrinfo *result, hints;
memset(&hints, 0, sizeof(struct addrinfo));
hints.ai_family = AF_UNSPEC;
hints.ai_socktype = SOCK_STREAM;
@ -813,9 +817,7 @@ void Socket::Connection::setHost(std::string host){
hints.ai_next = NULL;
int s = getaddrinfo(host.c_str(), 0, &hints, &result);
if (s != 0){return;}
if (result){
remoteaddr = *((sockaddr_in6 *)result->ai_addr);
}
if (result){remoteaddr = *((sockaddr_in6 *)result->ai_addr);}
freeaddrinfo(result);
}
@ -865,7 +867,8 @@ static void my_debug(void *ctx, int level, const char *file, int line, const cha
fflush((FILE *)ctx);
}
Socket::SSLConnection::SSLConnection(std::string hostname, int port, bool nonblock) : Socket::Connection(){
Socket::SSLConnection::SSLConnection(std::string hostname, int port, bool nonblock)
: Socket::Connection(){
mbedtls_debug_set_threshold(0);
isConnected = true;
server_fd = new mbedtls_net_context;
@ -879,14 +882,15 @@ Socket::SSLConnection::SSLConnection(std::string hostname, int port, bool nonblo
mbedtls_ctr_drbg_init(ctr_drbg);
mbedtls_entropy_init(entropy);
DONTEVEN_MSG("SSL init");
if (mbedtls_ctr_drbg_seed(ctr_drbg, mbedtls_entropy_func, entropy, (const unsigned char*)"meow", 4) != 0){
if (mbedtls_ctr_drbg_seed(ctr_drbg, mbedtls_entropy_func, entropy, (const unsigned char *)"meow",
4) != 0){
FAIL_MSG("SSL socket init failed");
close();
return;
}
DONTEVEN_MSG("SSL connect");
int ret = 0;
if ((ret = mbedtls_net_connect(server_fd, hostname.c_str(), JSON::Value((long long)port).asString().c_str(), MBEDTLS_NET_PROTO_TCP)) != 0){
if ((ret = mbedtls_net_connect(server_fd, hostname.c_str(), JSON::Value(port).asString().c_str(), MBEDTLS_NET_PROTO_TCP)) != 0){
FAIL_MSG(" failed\n ! mbedtls_net_connect returned %d\n\n", ret);
close();
return;
@ -923,9 +927,7 @@ Socket::SSLConnection::SSLConnection(std::string hostname, int port, bool nonblo
}
}
Blocking = true;
if (nonblock){
setBlocking(false);
}
if (nonblock){setBlocking(false);}
}
void Socket::SSLConnection::close(){
@ -1050,7 +1052,8 @@ void Socket::SSLConnection::setBlocking(bool blocking){
#endif
/// Create a new base Server. The socket is never connected, and a placeholder for later connections.
/// Create a new base Server. The socket is never connected, and a placeholder for later
/// connections.
Socket::Server::Server(){
sock = -1;
}// Socket::Server base Constructor
@ -1060,10 +1063,11 @@ Socket::Server::Server(){
/// Any further connections coming in will be dropped.
/// \param port The TCP port to listen on
/// \param hostname (optional) The interface to bind to. The default is 0.0.0.0 (all interfaces).
/// \param nonblock (optional) Whether accept() calls will be nonblocking. Default is false (blocking).
/// \param nonblock (optional) Whether accept() calls will be nonblocking. Default is false
/// (blocking).
Socket::Server::Server(int port, std::string hostname, bool nonblock){
if (!IPv6bind(port, hostname, nonblock) && !IPv4bind(port, hostname, nonblock)){
DEBUG_MSG(DLVL_FAIL, "Could not create socket %s:%i! Error: %s", hostname.c_str(), port, errors.c_str());
FAIL_MSG("Could not create socket %s:%i! Error: %s", hostname.c_str(), port, errors.c_str());
sock = -1;
}
}// Socket::Server TCP Constructor
@ -1077,7 +1081,7 @@ bool Socket::Server::IPv6bind(int port, std::string hostname, bool nonblock){
sock = socket(AF_INET6, SOCK_STREAM, 0);
if (sock < 0){
errors = strerror(errno);
DEBUG_MSG(DLVL_ERROR, "Could not create IPv6 socket %s:%i! Error: %s", hostname.c_str(), port, errors.c_str());
ERROR_MSG("Could not create IPv6 socket %s:%i! Error: %s", hostname.c_str(), port, errors.c_str());
return false;
}
int on = 1;
@ -1110,17 +1114,17 @@ bool Socket::Server::IPv6bind(int port, std::string hostname, bool nonblock){
if (ret == 0){
ret = listen(sock, 100); // start listening, backlog of 100 allowed
if (ret == 0){
DEBUG_MSG(DLVL_DEVEL, "IPv6 socket success @ %s:%i", hostname.c_str(), port);
DEVEL_MSG("IPv6 socket success @ %s:%i", hostname.c_str(), port);
return true;
}else{
errors = strerror(errno);
DEBUG_MSG(DLVL_ERROR, "IPv6 listen failed! Error: %s", errors.c_str());
ERROR_MSG("IPv6 listen failed! Error: %s", errors.c_str());
close();
return false;
}
}else{
errors = strerror(errno);
DEBUG_MSG(DLVL_ERROR, "IPv6 Binding %s:%i failed (%s)", hostname.c_str(), port, errors.c_str());
ERROR_MSG("IPv6 Binding %s:%i failed (%s)", hostname.c_str(), port, errors.c_str());
close();
return false;
}
@ -1135,7 +1139,7 @@ bool Socket::Server::IPv4bind(int port, std::string hostname, bool nonblock){
sock = socket(AF_INET, SOCK_STREAM, 0);
if (sock < 0){
errors = strerror(errno);
DEBUG_MSG(DLVL_ERROR, "Could not create IPv4 socket %s:%i! Error: %s", hostname.c_str(), port, errors.c_str());
ERROR_MSG("Could not create IPv4 socket %s:%i! Error: %s", hostname.c_str(), port, errors.c_str());
return false;
}
int on = 1;
@ -1164,17 +1168,17 @@ bool Socket::Server::IPv4bind(int port, std::string hostname, bool nonblock){
if (ret == 0){
ret = listen(sock, 100); // start listening, backlog of 100 allowed
if (ret == 0){
DEBUG_MSG(DLVL_DEVEL, "IPv4 socket success @ %s:%i", hostname.c_str(), port);
DEVEL_MSG("IPv4 socket success @ %s:%i", hostname.c_str(), port);
return true;
}else{
errors = strerror(errno);
DEBUG_MSG(DLVL_ERROR, "IPv4 listen failed! Error: %s", errors.c_str());
ERROR_MSG("IPv4 listen failed! Error: %s", errors.c_str());
close();
return false;
}
}else{
errors = strerror(errno);
DEBUG_MSG(DLVL_ERROR, "IPv4 Binding %s:%i failed (%s)", hostname.c_str(), port, errors.c_str());
ERROR_MSG("IPv4 Binding %s:%i failed (%s)", hostname.c_str(), port, errors.c_str());
close();
return false;
}
@ -1183,16 +1187,16 @@ bool Socket::Server::IPv4bind(int port, std::string hostname, bool nonblock){
/// Create a new Unix Server. The socket is immediately bound and set to listen.
/// A maximum of 100 connections will be accepted between accept() calls.
/// Any further connections coming in will be dropped.
/// The address used will first be unlinked - so it succeeds if the Unix socket already existed. Watch out for this behaviour - it will delete
/// any file located at address!
/// \param address The location of the Unix socket to bind to.
/// \param nonblock (optional) Whether accept() calls will be nonblocking. Default is false (blocking).
/// The address used will first be unlinked - so it succeeds if the Unix socket already existed.
/// Watch out for this behaviour - it will delete any file located at address! \param address The
/// location of the Unix socket to bind to. \param nonblock (optional) Whether accept() calls will
/// be nonblocking. Default is false (blocking).
Socket::Server::Server(std::string address, bool nonblock){
unlink(address.c_str());
sock = socket(AF_UNIX, SOCK_STREAM, 0);
if (sock < 0){
errors = strerror(errno);
DEBUG_MSG(DLVL_ERROR, "Could not create unix socket %s! Error: %s", address.c_str(), errors.c_str());
ERROR_MSG("Could not create unix socket %s! Error: %s", address.c_str(), errors.c_str());
return;
}
if (nonblock){
@ -1210,22 +1214,23 @@ Socket::Server::Server(std::string address, bool nonblock){
return;
}else{
errors = strerror(errno);
DEBUG_MSG(DLVL_ERROR, "Unix listen failed! Error: %s", errors.c_str());
ERROR_MSG("Unix listen failed! Error: %s", errors.c_str());
close();
return;
}
}else{
errors = strerror(errno);
DEBUG_MSG(DLVL_ERROR, "Unix Binding %s failed (%s)", address.c_str(), errors.c_str());
ERROR_MSG("Unix Binding %s failed (%s)", address.c_str(), errors.c_str());
close();
return;
}
}// Socket::Server Unix Constructor
/// Accept any waiting connections. If the Socket::Server is blocking, this function will block until there is an incoming connection.
/// If the Socket::Server is nonblocking, it might return a Socket::Connection that is not connected, so check for this.
/// \param nonblock (optional) Whether the newly connected socket should be nonblocking. Default is false (blocking).
/// \returns A Socket::Connection, which may or may not be connected, depending on settings and circumstances.
/// Accept any waiting connections. If the Socket::Server is blocking, this function will block
/// until there is an incoming connection. If the Socket::Server is nonblocking, it might return a
/// Socket::Connection that is not connected, so check for this. \param nonblock (optional) Whether
/// the newly connected socket should be nonblocking. Default is false (blocking). \returns A
/// Socket::Connection, which may or may not be connected, depending on settings and circumstances.
Socket::Connection Socket::Server::accept(bool nonblock){
if (sock < 0){return Socket::Connection(-1);}
struct sockaddr_in6 tmpaddr;
@ -1254,14 +1259,15 @@ Socket::Connection Socket::Server::accept(bool nonblock){
tmp.remoteaddr = tmpaddr;
if (tmpaddr.sin6_family == AF_INET6){
tmp.remotehost = inet_ntop(AF_INET6, &(tmpaddr.sin6_addr), addrconv, INET6_ADDRSTRLEN);
DEBUG_MSG(DLVL_HIGH, "IPv6 addr [%s]", tmp.remotehost.c_str());
HIGH_MSG("IPv6 addr [%s]", tmp.remotehost.c_str());
}
if (tmpaddr.sin6_family == AF_INET){
tmp.remotehost = inet_ntop(AF_INET, &(((sockaddr_in *)&tmpaddr)->sin_addr), addrconv, INET6_ADDRSTRLEN);
DEBUG_MSG(DLVL_HIGH, "IPv4 addr [%s]", tmp.remotehost.c_str());
tmp.remotehost =
inet_ntop(AF_INET, &(((sockaddr_in *)&tmpaddr)->sin_addr), addrconv, INET6_ADDRSTRLEN);
HIGH_MSG("IPv4 addr [%s]", tmp.remotehost.c_str());
}
if (tmpaddr.sin6_family == AF_UNIX){
DEBUG_MSG(DLVL_HIGH, "Unix connection");
HIGH_MSG("Unix connection");
tmp.remotehost = "UNIX_SOCKET";
}
return tmp;
@ -1294,7 +1300,7 @@ void Socket::Server::close(){
void Socket::Server::drop(){
if (connected()){
if (sock != -1){
DEBUG_MSG(DLVL_HIGH, "ServerSocket %d closed", sock);
HIGH_MSG("ServerSocket %d closed", sock);
errno = EINTR;
while (::close(sock) != 0 && errno == EINTR){}
sock = -1;
@ -1327,7 +1333,7 @@ Socket::UDPConnection::UDPConnection(bool nonblock){
sock = socket(AF_INET, SOCK_DGRAM, 0);
family = AF_INET;
}
if (sock == -1){DEBUG_MSG(DLVL_FAIL, "Could not create UDP socket: %s", strerror(errno));}
if (sock == -1){FAIL_MSG("Could not create UDP socket: %s", strerror(errno));}
up = 0;
down = 0;
destAddr = 0;
@ -1347,7 +1353,7 @@ Socket::UDPConnection::UDPConnection(const UDPConnection &o){
sock = socket(AF_INET, SOCK_DGRAM, 0);
family = AF_INET;
}
if (sock == -1){DEBUG_MSG(DLVL_FAIL, "Could not create UDP socket: %s", strerror(errno));}
if (sock == -1){FAIL_MSG("Could not create UDP socket: %s", strerror(errno));}
up = 0;
down = 0;
if (o.destAddr && o.destAddr_size){
@ -1394,9 +1400,7 @@ Socket::UDPConnection::~UDPConnection(){
void Socket::UDPConnection::SetDestination(std::string destIp, uint32_t port){
// UDP sockets can switch between IPv4 and IPv6 on demand.
// We change IPv4-mapped IPv6 addresses into IPv4 addresses for Windows-sillyness reasons.
if (destIp.substr(0, 7) == "::ffff:"){
destIp = destIp.substr(7);
}
if (destIp.substr(0, 7) == "::ffff:"){destIp = destIp.substr(7);}
struct addrinfo *result, *rp, hints;
std::stringstream ss;
ss << port;
@ -1411,7 +1415,7 @@ void Socket::UDPConnection::SetDestination(std::string destIp, uint32_t port){
hints.ai_next = NULL;
int s = getaddrinfo(destIp.c_str(), ss.str().c_str(), &hints, &result);
if (s != 0){
DEBUG_MSG(DLVL_FAIL, "Could not connect UDP socket to %s:%i! Error: %s", destIp.c_str(), port, gai_strerror(s));
FAIL_MSG("Could not connect UDP socket to %s:%i! Error: %s", destIp.c_str(), port, gai_strerror(s));
return;
}
@ -1426,7 +1430,8 @@ void Socket::UDPConnection::SetDestination(std::string destIp, uint32_t port){
if (!destAddr){return;}
memcpy(destAddr, rp->ai_addr, rp->ai_addrlen);
if (family != rp->ai_family){
INFO_MSG("Socket is wrong type (%s), re-opening as %s", addrFam(family), addrFam(rp->ai_family));
INFO_MSG("Socket is wrong type (%s), re-opening as %s", addrFam(family),
addrFam(rp->ai_family));
close();
family = rp->ai_family;
sock = socket(family, SOCK_DGRAM, 0);
@ -1439,7 +1444,7 @@ void Socket::UDPConnection::SetDestination(std::string destIp, uint32_t port){
freeaddrinfo(result);
free(destAddr);
destAddr = 0;
DEBUG_MSG(DLVL_FAIL, "Could not set destination for UDP socket: %s:%d", destIp.c_str(), port);
FAIL_MSG("Could not set destination for UDP socket: %s:%d", destIp.c_str(), port);
}// Socket::UDPConnection SetDestination
/// Gets the properties of the receiving end of this UDP socket.
@ -1453,14 +1458,16 @@ void Socket::UDPConnection::GetDestination(std::string &destIp, uint32_t &port){
char addr_str[INET6_ADDRSTRLEN + 1];
addr_str[INET6_ADDRSTRLEN] = 0; // set last byte to zero, to prevent walking out of the array
if (((struct sockaddr_in *)destAddr)->sin_family == AF_INET6){
if (inet_ntop(AF_INET6, &(((struct sockaddr_in6 *)destAddr)->sin6_addr), addr_str, INET6_ADDRSTRLEN) != 0){
if (inet_ntop(AF_INET6, &(((struct sockaddr_in6 *)destAddr)->sin6_addr), addr_str,
INET6_ADDRSTRLEN) != 0){
destIp = addr_str;
port = ntohs(((struct sockaddr_in6 *)destAddr)->sin6_port);
return;
}
}
if (((struct sockaddr_in *)destAddr)->sin_family == AF_INET){
if (inet_ntop(AF_INET, &(((struct sockaddr_in *)destAddr)->sin_addr), addr_str, INET6_ADDRSTRLEN) != 0){
if (inet_ntop(AF_INET, &(((struct sockaddr_in *)destAddr)->sin_addr), addr_str,
INET6_ADDRSTRLEN) != 0){
destIp = addr_str;
port = ntohs(((struct sockaddr_in *)destAddr)->sin_port);
return;
@ -1468,15 +1475,19 @@ void Socket::UDPConnection::GetDestination(std::string &destIp, uint32_t &port){
}
destIp = "";
port = 0;
DEBUG_MSG(DLVL_FAIL, "Could not get destination for UDP socket");
FAIL_MSG("Could not get destination for UDP socket");
}// Socket::UDPConnection GetDestination
/// Returns the port number of the receiving end of this socket.
/// Returns 0 on error.
uint32_t Socket::UDPConnection::getDestPort() const{
if (!destAddr || !destAddr_size){return 0;}
if (((struct sockaddr_in *)destAddr)->sin_family == AF_INET6){return ntohs(((struct sockaddr_in6 *)destAddr)->sin6_port);}
if (((struct sockaddr_in *)destAddr)->sin_family == AF_INET){return ntohs(((struct sockaddr_in *)destAddr)->sin_port);}
if (((struct sockaddr_in *)destAddr)->sin_family == AF_INET6){
return ntohs(((struct sockaddr_in6 *)destAddr)->sin6_port);
}
if (((struct sockaddr_in *)destAddr)->sin_family == AF_INET){
return ntohs(((struct sockaddr_in *)destAddr)->sin_port);
}
return 0;
}
@ -1509,7 +1520,7 @@ void Socket::UDPConnection::SendNow(const char *sdata, size_t len){
if (r > 0){
up += r;
}else{
DEBUG_MSG(DLVL_FAIL, "Could not send UDP data through %d: %s", sock, strerror(errno));
FAIL_MSG("Could not send UDP data through %d: %s", sock, strerror(errno));
}
}
@ -1517,12 +1528,12 @@ void Socket::UDPConnection::SendNow(const char *sdata, size_t len){
/// If that fails, returns zero.
/// \arg port Port to bind to, required.
/// \arg iface Interface address to listen for packets on (may be multicast address)
/// \arg multicastInterfaces Comma-separated list of interfaces to listen on for multicast packets. Optional, left out means automatically chosen
/// by kernel.
/// \return Actually bound port number, or zero on error.
uint16_t Socket::UDPConnection::bind(int port, std::string iface, const std::string &multicastInterfaces){
/// \arg multicastInterfaces Comma-separated list of interfaces to listen on for multicast packets.
/// Optional, left out means automatically chosen by kernel. \return Actually bound port number, or
/// zero on error.
uint16_t Socket::UDPConnection::bind(int port, std::string iface,
const std::string &multicastInterfaces){
close(); // we open a new socket for each attempt
int result = 0;
int addr_ret;
bool multicast = false;
struct addrinfo hints, *addr_result, *rp;
@ -1559,13 +1570,13 @@ uint16_t Socket::UDPConnection::bind(int port, std::string iface, const std::str
if (sock == -1){continue;}
char human_addr[INET6_ADDRSTRLEN];
char human_port[16];
getnameinfo(rp->ai_addr, rp->ai_addrlen, human_addr, INET6_ADDRSTRLEN, human_port, 16, NI_NUMERICHOST | NI_NUMERICSERV);
getnameinfo(rp->ai_addr, rp->ai_addrlen, human_addr, INET6_ADDRSTRLEN, human_port, 16,
NI_NUMERICHOST | NI_NUMERICSERV);
MEDIUM_MSG("Attempting bind to %s:%s (%s)", human_addr, human_port, addrFam(rp->ai_family));
family = rp->ai_family;
hints.ai_family = family;
if (family == AF_INET6){
sockaddr_in6 *addr6 = (sockaddr_in6 *)(rp->ai_addr);
result = ntohs(addr6->sin6_port);
if (memcmp((char *)&(addr6->sin6_addr), "\000\000\000\000\000\000\000\000\000\000\377\377", 12) == 0){
// IPv6-mapped IPv4 address - 13th byte ([12]) holds the first IPv4 byte
multicast = (((char *)&(addr6->sin6_addr))[12] & 0xF0) == 0xE0;
@ -1575,7 +1586,6 @@ uint16_t Socket::UDPConnection::bind(int port, std::string iface, const std::str
}
}else{
sockaddr_in *addr4 = (sockaddr_in *)(rp->ai_addr);
result = ntohs(addr4->sin_port);
// multicast has a "1110" bit prefix
multicast = (((char *)&(addr4->sin_addr))[0] & 0xF0) == 0xE0;
}
@ -1626,11 +1636,11 @@ uint16_t Socket::UDPConnection::bind(int port, std::string iface, const std::str
if (!multicastInterfaces.length()){
if (family == AF_INET6){
memcpy(&mreq6.ipv6mr_multiaddr, &((sockaddr_in6 *)resmulti->ai_addr)->sin6_addr, sizeof(mreq6.ipv6mr_multiaddr));
memcpy(&mreq6.ipv6mr_multiaddr, &((sockaddr_in6 *)resmulti->ai_addr)->sin6_addr,
sizeof(mreq6.ipv6mr_multiaddr));
if (setsockopt(sock, IPPROTO_IPV6, IPV6_JOIN_GROUP, (char *)&mreq6, sizeof(mreq6)) != 0){
FAIL_MSG("Unable to register for IPv6 multicast on all interfaces: %s", strerror(errno));
close();
result = -1;
}
}else{
mreq4.imr_multiaddr = ((sockaddr_in *)resmulti->ai_addr)->sin_addr;
@ -1638,15 +1648,16 @@ uint16_t Socket::UDPConnection::bind(int port, std::string iface, const std::str
if (setsockopt(sock, IPPROTO_IP, IP_ADD_MEMBERSHIP, (char *)&mreq4, sizeof(mreq4)) != 0){
FAIL_MSG("Unable to register for IPv4 multicast on all interfaces: %s", strerror(errno));
close();
result = -1;
}
}
}else{
size_t nxtPos = std::string::npos;
bool atLeastOne = false;
for (size_t loc = 0; loc != std::string::npos; loc = (nxtPos == std::string::npos ? nxtPos : nxtPos + 1)){
for (size_t loc = 0; loc != std::string::npos;
loc = (nxtPos == std::string::npos ? nxtPos : nxtPos + 1)){
nxtPos = multicastInterfaces.find(',', loc);
std::string curIface = multicastInterfaces.substr(loc, (nxtPos == std::string::npos ? nxtPos : nxtPos - loc));
std::string curIface =
multicastInterfaces.substr(loc, (nxtPos == std::string::npos ? nxtPos : nxtPos - loc));
// do a bit of filtering for IPv6, removing the []-braces, if any
if (curIface[0] == '['){
if (curIface[curIface.size() - 1] == ']'){
@ -1658,34 +1669,38 @@ uint16_t Socket::UDPConnection::bind(int port, std::string iface, const std::str
if (family == AF_INET6){
INFO_MSG("Registering for IPv6 multicast on interface %s", curIface.c_str());
if ((addr_ret = getaddrinfo(curIface.c_str(), 0, &hints, &reslocal)) != 0){
WARN_MSG("Unable to resolve IPv6 interface address %s: %s", curIface.c_str(), gai_strerror(addr_ret));
WARN_MSG("Unable to resolve IPv6 interface address %s: %s", curIface.c_str(),
gai_strerror(addr_ret));
continue;
}
memcpy(&mreq6.ipv6mr_multiaddr, &((sockaddr_in6 *)resmulti->ai_addr)->sin6_addr, sizeof(mreq6.ipv6mr_multiaddr));
memcpy(&mreq6.ipv6mr_multiaddr, &((sockaddr_in6 *)resmulti->ai_addr)->sin6_addr,
sizeof(mreq6.ipv6mr_multiaddr));
mreq6.ipv6mr_interface = ((sockaddr_in6 *)reslocal->ai_addr)->sin6_scope_id;
if (setsockopt(sock, IPPROTO_IPV6, IPV6_JOIN_GROUP, (char *)&mreq6, sizeof(mreq6)) != 0){
FAIL_MSG("Unable to register for IPv6 multicast on interface %s (%u): %s", curIface.c_str(),
((sockaddr_in6 *)reslocal->ai_addr)->sin6_scope_id, strerror(errno));
FAIL_MSG("Unable to register for IPv6 multicast on interface %s (%u): %s",
curIface.c_str(), ((sockaddr_in6 *)reslocal->ai_addr)->sin6_scope_id,
strerror(errno));
}else{
atLeastOne = true;
}
}else{
INFO_MSG("Registering for IPv4 multicast on interface %s", curIface.c_str());
if ((addr_ret = getaddrinfo(curIface.c_str(), 0, &hints, &reslocal)) != 0){
WARN_MSG("Unable to resolve IPv4 interface address %s: %s", curIface.c_str(), gai_strerror(addr_ret));
WARN_MSG("Unable to resolve IPv4 interface address %s: %s", curIface.c_str(),
gai_strerror(addr_ret));
continue;
}
mreq4.imr_multiaddr = ((sockaddr_in *)resmulti->ai_addr)->sin_addr;
mreq4.imr_interface = ((sockaddr_in *)reslocal->ai_addr)->sin_addr;
if (setsockopt(sock, IPPROTO_IP, IP_ADD_MEMBERSHIP, (char *)&mreq4, sizeof(mreq4)) != 0){
FAIL_MSG("Unable to register for IPv4 multicast on interface %s: %s", curIface.c_str(), strerror(errno));
FAIL_MSG("Unable to register for IPv4 multicast on interface %s: %s", curIface.c_str(),
strerror(errno));
}else{
atLeastOne = true;
}
}
if (!atLeastOne){
close();
result = -1;
}
freeaddrinfo(reslocal); // free resolved interface addr
}// loop over all interfaces
@ -1728,11 +1743,10 @@ bool Socket::UDPConnection::Receive(){
down += r;
data_len = r;
return true;
}else{
}
data_len = 0;
return false;
}
}
int Socket::UDPConnection::getSock(){
return sock;

View file

@ -1,20 +1,20 @@
/// \file stream.cpp
/// Utilities for handling streams.
#include "stream.h"
#include "config.h"
#include "defines.h"
#include "dtsc.h"
#include "json.h"
#include "procs.h"
#include "shared_memory.h"
#include "socket.h"
#include "triggers.h" //LTS
#include <semaphore.h>
#include <stdlib.h>
#include <sys/stat.h>
#include <sys/types.h>
#include <unistd.h>
#include <stdlib.h>
#include <semaphore.h>
#include "json.h"
#include "stream.h"
#include "procs.h"
#include "config.h"
#include "socket.h"
#include "defines.h"
#include "shared_memory.h"
#include "dtsc.h"
#include "triggers.h"//LTS
/// Calls strftime using the current local time, returning empty string on any error.
static std::string strftime_now(const std::string &format){
@ -38,7 +38,8 @@ static void replace(std::string& str, const std::string& from, const std::string
}
/// Replaces all stream-related variables in the given 'str' with their values.
void Util::streamVariables(std::string &str, const std::string & streamname, const std::string & source) {
void Util::streamVariables(std::string &str, const std::string &streamname,
const std::string &source){
replace(str, "$source", source);
replace(str, "$datetime", "$year.$month.$day.$hour.$minute.$second");
replace(str, "$day", strftime_now("%d"));
@ -68,15 +69,9 @@ void Util::streamVariables(std::string &str, const std::string & streamname, con
std::string Util::getTmpFolder(){
std::string dir;
char *tmp_char = 0;
if (!tmp_char) {
tmp_char = getenv("TMP");
}
if (!tmp_char) {
tmp_char = getenv("TEMP");
}
if (!tmp_char) {
tmp_char = getenv("TMPDIR");
}
if (!tmp_char){tmp_char = getenv("TMP");}
if (!tmp_char){tmp_char = getenv("TEMP");}
if (!tmp_char){tmp_char = getenv("TMPDIR");}
if (tmp_char){
dir = tmp_char;
dir += "/mist";
@ -88,7 +83,8 @@ std::string Util::getTmpFolder() {
#endif
}
if (access(dir.c_str(), 0) != 0){
mkdir(dir.c_str(), S_IRWXU | S_IRWXG | S_IRWXO); //attempt to create mist folder - ignore failures
mkdir(dir.c_str(),
S_IRWXU | S_IRWXG | S_IRWXO); // attempt to create mist folder - ignore failures
}
return dir + "/";
}
@ -126,7 +122,8 @@ void Util::sanitizeName(std::string & streamname) {
JSON::Value Util::getStreamConfig(const std::string &streamname){
JSON::Value result;
if (streamname.size() > 100){
FAIL_MSG("Stream opening denied: %s is longer than 100 characters (%lu).", streamname.c_str(), streamname.size());
FAIL_MSG("Stream opening denied: %s is longer than 100 characters (%lu).", streamname.c_str(),
streamname.size());
return result;
}
std::string smp = streamname.substr(0, streamname.find_first_of("+ "));
@ -176,12 +173,14 @@ bool Util::streamAlive(std::string & streamname){
/// Assures the input for the given stream name is active.
/// Does stream name sanitation first, followed by a stream name length check (<= 100 chars).
/// Then, checks if an input is already active by running streamAlive(). If yes, return true.
/// If no, loads up the server configuration and attempts to start the given stream according to current configuration.
/// At this point, fails and aborts if MistController isn't running.
bool Util::startInput(std::string streamname, std::string filename, bool forkFirst, bool isProvider, const std::map<std::string, std::string> & overrides, pid_t * spawn_pid ) {
/// If no, loads up the server configuration and attempts to start the given stream according to
/// current configuration. At this point, fails and aborts if MistController isn't running.
bool Util::startInput(std::string streamname, std::string filename, bool forkFirst, bool isProvider,
const std::map<std::string, std::string> &overrides, pid_t *spawn_pid){
sanitizeName(streamname);
if (streamname.size() > 100){
FAIL_MSG("Stream opening denied: %s is longer than 100 characters (%lu).", streamname.c_str(), streamname.size());
FAIL_MSG("Stream opening denied: %s is longer than 100 characters (%lu).", streamname.c_str(),
streamname.size());
return false;
}
// Check if the stream is already active.
@ -192,15 +191,14 @@ bool Util::startInput(std::string streamname, std::string filename, bool forkFir
uint8_t streamStat = getStreamStatus(streamname);
// Wait for a maximum of 240 x 250ms sleeps = 60 seconds
size_t sleeps = 0;
while (++sleeps < 240 && streamStat != STRMSTAT_OFF && streamStat != STRMSTAT_READY && (!isProvider || streamStat != STRMSTAT_WAIT)){
if (streamStat == STRMSTAT_BOOT && overrides.count("throughboot")){
break;
}
while (++sleeps < 240 && streamStat != STRMSTAT_OFF && streamStat != STRMSTAT_READY &&
(!isProvider || streamStat != STRMSTAT_WAIT)){
if (streamStat == STRMSTAT_BOOT && overrides.count("throughboot")){break;}
Util::sleep(250);
streamStat = getStreamStatus(streamname);
}
if (streamAlive(streamname) && !overrides.count("alwaysStart")){
DEBUG_MSG(DLVL_MEDIUM, "Stream %s already active; continuing", streamname.c_str());
MEDIUM_MSG("Stream %s already active; continuing", streamname.c_str());
return true;
}
@ -224,17 +222,13 @@ bool Util::startInput(std::string streamname, std::string filename, bool forkFir
// check if base name (everything before + or space) exists
const JSON::Value stream_cfg = getStreamConfig(streamname);
if (!stream_cfg){
DEBUG_MSG(DLVL_HIGH, "Stream %s not configured - attempting to ignore", streamname.c_str());
HIGH_MSG("Stream %s not configured - attempting to ignore", streamname.c_str());
}
/*LTS-START*/
if (!filename.size()){
if (stream_cfg && stream_cfg.isMember("hardlimit_active")) {
return false;
}
if (stream_cfg && stream_cfg.isMember("hardlimit_active")){return false;}
if (Triggers::shouldTrigger("STREAM_LOAD", smp)){
if (!Triggers::doTrigger("STREAM_LOAD", streamname, smp)){
return false;
}
if (!Triggers::doTrigger("STREAM_LOAD", streamname, smp)){return false;}
}
if (Triggers::shouldTrigger("STREAM_SOURCE", smp)){
Triggers::doTrigger("STREAM_SOURCE", streamname, smp, false, filename);
@ -242,11 +236,10 @@ bool Util::startInput(std::string streamname, std::string filename, bool forkFir
}
/*LTS-END*/
// Only use configured source if not manually overridden. Abort if no config is available.
if (!filename.size()){
if (!stream_cfg){
DEBUG_MSG(DLVL_MEDIUM, "Stream %s not configured, no source manually given, cannot start", streamname.c_str());
MEDIUM_MSG("Stream %s not configured, no source manually given, cannot start", streamname.c_str());
return false;
}
filename = stream_cfg["source"].asStringRef();
@ -267,7 +260,8 @@ bool Util::startInput(std::string streamname, std::string filename, bool forkFir
str_args[opt] = overrides.at(opt);
}else{
if (!stream_cfg.isMember(prm.key())){
FAIL_MSG("Required parameter %s for stream %s missing", prm.key().c_str(), streamname.c_str());
FAIL_MSG("Required parameter %s for stream %s missing", prm.key().c_str(),
streamname.c_str());
return false;
}
str_args[opt] = stream_cfg[opt].asStringRef();
@ -282,13 +276,9 @@ bool Util::startInput(std::string streamname, std::string filename, bool forkFir
if (overrides.count(opt)){
str_args[opt] = overrides.at(opt);
}else{
if (stream_cfg.isMember(prm.key())){
str_args[opt] = stream_cfg[prm.key()].asStringRef();
}
}
if (!prm->isMember("type") && str_args.count(opt)){
str_args[opt] = "";
if (stream_cfg.isMember(prm.key())){str_args[opt] = stream_cfg[prm.key()].asStringRef();}
}
if (!prm->isMember("type") && str_args.count(opt)){str_args[opt] = "";}
}
}
@ -299,19 +289,19 @@ bool Util::startInput(std::string streamname, std::string filename, bool forkFir
std::string player_bin = Util::getMyPath() + "MistIn" + input["name"].asStringRef();
INFO_MSG("Starting %s -s %s %s", player_bin.c_str(), streamname.c_str(), filename.c_str());
char * argv[30] = {(char *)player_bin.c_str(), (char *)"-s", (char *)streamname.c_str(), (char *)filename.c_str()};
char *argv[30] ={(char *)player_bin.c_str(), (char *)"-s", (char *)streamname.c_str(),
(char *)filename.c_str()};
int argNum = 3;
std::string debugLvl;
if (Util::Config::printDebugLevel != DEBUG && !str_args.count("--debug")){
debugLvl = JSON::Value((long long)Util::Config::printDebugLevel).asString();
debugLvl = JSON::Value(Util::Config::printDebugLevel).asString();
argv[++argNum] = (char *)"--debug";
argv[++argNum] = (char *)debugLvl.c_str();
}
for (std::map<std::string, std::string>::iterator it = str_args.begin(); it != str_args.end(); ++it){
for (std::map<std::string, std::string>::iterator it = str_args.begin(); it != str_args.end();
++it){
argv[++argNum] = (char *)it->first.c_str();
if (it->second.size()){
argv[++argNum] = (char *)it->second.c_str();
}
if (it->second.size()){argv[++argNum] = (char *)it->second.c_str();}
}
argv[++argNum] = (char *)0;
@ -319,7 +309,7 @@ bool Util::startInput(std::string streamname, std::string filename, bool forkFir
int pid = 0;
if (forkFirst){
DEBUG_MSG(DLVL_DONTEVEN, "Forking");
DONTEVEN_MSG("Forking");
pid = fork();
if (pid == -1){
FAIL_MSG("Forking process for stream %s failed: %s", streamname.c_str(), strerror(errno));
@ -330,15 +320,16 @@ bool Util::startInput(std::string streamname, std::string filename, bool forkFir
Util::Procs::remember(pid);
}
}else{
DEBUG_MSG(DLVL_DONTEVEN, "Not forking");
DONTEVEN_MSG("Not forking");
}
if (pid == 0){
Socket::Connection io(0, 1);
io.drop();
DEBUG_MSG(DLVL_DONTEVEN, "execvp");
DONTEVEN_MSG("execvp");
execvp(argv[0], argv);
FAIL_MSG("Starting process %s for stream %s failed: %s", argv[0], streamname.c_str(), strerror(errno));
FAIL_MSG("Starting process %s for stream %s failed: %s", argv[0], streamname.c_str(),
strerror(errno));
_exit(42);
}else if (spawn_pid != NULL){
*spawn_pid = pid;
@ -384,9 +375,11 @@ JSON::Value Util::getInputBySource(const std::string &filename, bool isProvider)
std::string source = tmp_input.getMember("source_match").getIndice(j).asString();
std::string front = source.substr(0, source.find('*'));
std::string back = source.substr(source.find('*') + 1);
MEDIUM_MSG("Checking input %s: %s (%s)", inputs.getIndiceName(i).c_str(), tmp_input.getMember("name").asString().c_str(), source.c_str());
MEDIUM_MSG("Checking input %s: %s (%s)", inputs.getIndiceName(i).c_str(),
tmp_input.getMember("name").asString().c_str(), source.c_str());
if (filename.substr(0,front.size()) == front && filename.substr(filename.size()-back.size()) == back){
if (filename.substr(0, front.size()) == front &&
filename.substr(filename.size() - back.size()) == back){
if (tmp_input.getMember("non-provider") && !isProvider){
noProviderNoPick = true;
continue;
@ -400,9 +393,11 @@ JSON::Value Util::getInputBySource(const std::string &filename, bool isProvider)
std::string source = tmp_input.getMember("source_match").asString();
std::string front = source.substr(0, source.find('*'));
std::string back = source.substr(source.find('*') + 1);
MEDIUM_MSG("Checking input %s: %s (%s)", inputs.getIndiceName(i).c_str(), tmp_input.getMember("name").asString().c_str(), source.c_str());
MEDIUM_MSG("Checking input %s: %s (%s)", inputs.getIndiceName(i).c_str(),
tmp_input.getMember("name").asString().c_str(), source.c_str());
if (filename.substr(0,front.size()) == front && filename.substr(filename.size()-back.size()) == back){
if (filename.substr(0, front.size()) == front &&
filename.substr(filename.size() - back.size()) == back){
if (tmp_input.getMember("non-provider") && !isProvider){
noProviderNoPick = true;
continue;
@ -412,7 +407,6 @@ JSON::Value Util::getInputBySource(const std::string &filename, bool isProvider)
input = tmp_input;
}
}
}
}
if (!selected){
@ -427,7 +421,6 @@ JSON::Value Util::getInputBySource(const std::string &filename, bool isProvider)
return ret;
}
/// Attempt to start a push for streamname to target.
/// streamname MUST be pre-sanitized
/// target gets variables replaced and may be altered by the PUSH_OUT_START trigger response.
@ -466,9 +459,11 @@ pid_t Util::startPush(const std::string & streamname, std::string & target) {
std::string tar_match = output.getMember("push_urls").getIndice(j).asString();
std::string front = tar_match.substr(0, tar_match.find('*'));
std::string back = tar_match.substr(tar_match.find('*') + 1);
MEDIUM_MSG("Checking output %s: %s (%s)", outputs.getIndiceName(i).c_str(), output.getMember("name").asString().c_str(), checkTarget.c_str());
MEDIUM_MSG("Checking output %s: %s (%s)", outputs.getIndiceName(i).c_str(),
output.getMember("name").asString().c_str(), checkTarget.c_str());
if (checkTarget.substr(0,front.size()) == front && checkTarget.substr(checkTarget.size()-back.size()) == back){
if (checkTarget.substr(0, front.size()) == front &&
checkTarget.substr(checkTarget.size() - back.size()) == back){
output_bin = Util::getMyPath() + "MistOut" + output.getMember("name").asString();
break;
}
@ -483,16 +478,11 @@ pid_t Util::startPush(const std::string & streamname, std::string & target) {
}
INFO_MSG("Pushing %s to %s through %s", streamname.c_str(), target.c_str(), output_bin.c_str());
// Start output.
char* argv[] = {
(char*)output_bin.c_str(),
(char*)"--stream", (char*)streamname.c_str(),
(char*)target.c_str(),
(char*)NULL
};
char *argv[] ={(char *)output_bin.c_str(), (char *)"--stream", (char *)streamname.c_str(),
(char *)target.c_str(), (char *)NULL};
int stdErr = 2;
return Util::Procs::StartPiped(argv, 0, 0, &stdErr);
}
uint8_t Util::getStreamStatus(const std::string &streamname){

View file

@ -61,8 +61,8 @@ namespace theora {
if (length < 7){
return false;
}
if (! newData[0] & 0x80){
DEBUG_MSG(DLVL_FAIL, "newdata != 0x80: %.2X", newData[0]);
if (!(newData[0] & 0x80)){
FAIL_MSG("newdata != 0x80: %.2X", newData[0]);
return false;
}
if (memcmp(newData + 1, "theora", 6) != 0){

View file

@ -29,15 +29,15 @@ void clock_gettime(int ign, struct timespec * ts) {
/// Will not sleep for longer than 10 minutes (600000ms).
/// If interrupted by signal, resumes sleep until at least ms milliseconds have passed.
/// Can be slightly off (in positive direction only) depending on OS accuracy.
void Util::wait(int ms){
void Util::wait(int64_t ms){
if (ms < 0) {
return;
}
if (ms > 600000) {
ms = 600000;
}
long long int start = getMS();
long long int now = start;
uint64_t start = getMS();
uint64_t now = start;
while (now < start+ms){
sleep(start+ms-now);
now = getMS();
@ -49,7 +49,7 @@ void Util::wait(int ms){
/// Will not sleep for longer than 100 seconds (100000ms).
/// Can be interrupted early by a signal, no guarantee of minimum sleep time.
/// Can be slightly off depending on OS accuracy.
void Util::sleep(int ms) {
void Util::sleep(int64_t ms) {
if (ms < 0) {
return;
}
@ -62,20 +62,20 @@ void Util::sleep(int ms) {
nanosleep(&T, 0);
}
long long Util::getNTP() {
uint64_t Util::getNTP() {
struct timespec t;
clock_gettime(CLOCK_REALTIME, &t);
return ((((long long int)t.tv_sec) + 2208988800ll) << 32) + (t.tv_nsec * 4.2949);
return ((uint64_t)(t.tv_sec + 2208988800ull) << 32) + (t.tv_nsec * 4.2949);
}
/// Gets the current time in milliseconds.
long long int Util::getMS() {
uint64_t Util::getMS() {
struct timespec t;
clock_gettime(CLOCK_REALTIME, &t);
return ((long long int)t.tv_sec) * 1000 + t.tv_nsec / 1000000;
return (uint64_t)t.tv_sec * 1000 + t.tv_nsec / 1000000;
}
long long int Util::bootSecs() {
uint64_t Util::bootSecs() {
struct timespec t;
clock_gettime(CLOCK_MONOTONIC, &t);
return t.tv_sec;
@ -88,30 +88,30 @@ uint64_t Util::bootMS() {
}
/// Gets the current time in microseconds.
long long unsigned int Util::getMicros() {
uint64_t Util::getMicros() {
struct timespec t;
clock_gettime(CLOCK_REALTIME, &t);
return ((long long unsigned int)t.tv_sec) * 1000000 + t.tv_nsec / 1000;
return (uint64_t)t.tv_sec * 1000000 + t.tv_nsec / 1000;
}
/// Gets the time difference in microseconds.
long long unsigned int Util::getMicros(long long unsigned int previous) {
uint64_t Util::getMicros(uint64_t previous) {
struct timespec t;
clock_gettime(CLOCK_REALTIME, &t);
return ((long long unsigned int)t.tv_sec) * 1000000 + t.tv_nsec / 1000 - previous;
return (uint64_t)t.tv_sec * 1000000 + t.tv_nsec / 1000 - previous;
}
/// Gets the amount of seconds since 01/01/1970.
long long int Util::epoch() {
uint64_t Util::epoch() {
return time(0);
}
std::string Util::getUTCString(long long int epoch){
std::string Util::getUTCString(uint64_t epoch){
if (!epoch){epoch = time(0);}
time_t rawtime = epoch;
struct tm * ptm;
ptm = gmtime(&rawtime);
char result[20];
snprintf(result, 20, "%0.4d-%0.2d-%0.2dT%0.2d:%0.2d:%0.2d", ptm->tm_year+1900, ptm->tm_mon+1, ptm->tm_mday, ptm->tm_hour, ptm->tm_min, ptm->tm_sec);
snprintf(result, 20, "%.4d-%.2d-%.2dT%.2d:%.2d:%.2d", ptm->tm_year+1900, ptm->tm_mon+1, ptm->tm_mday, ptm->tm_hour, ptm->tm_min, ptm->tm_sec);
return std::string(result);
}

View file

@ -2,18 +2,19 @@
/// Utilities for handling time and timestamps.
#pragma once
#include <stdint.h>
#include <string>
#include <stdint.h>
namespace Util {
void wait(int ms); ///< Sleeps for the indicated amount of milliseconds or longer.
void sleep(int ms); ///< Sleeps for roughly the indicated amount of milliseconds.
long long int getMS(); ///< Gets the current time in milliseconds.
long long int bootSecs(); ///< Gets the current system uptime in seconds.
void wait(int64_t ms); ///< Sleeps for the indicated amount of milliseconds or longer.
void sleep(int64_t ms); ///< Sleeps for roughly the indicated amount of milliseconds.
uint64_t getMS(); ///< Gets the current time in milliseconds.
uint64_t bootSecs(); ///< Gets the current system uptime in seconds.
uint64_t bootMS(); ///< Gets the current system uptime in milliseconds.
long long unsigned int getMicros();///<Gets the current time in microseconds.
long long unsigned int getMicros(long long unsigned int previous);///<Gets the time difference in microseconds.
long long int getNTP();
long long int epoch(); ///< Gets the amount of seconds since 01/01/1970.
std::string getUTCString(long long int epoch = 0);
uint64_t getMicros();///<Gets the current time in microseconds
uint64_t getMicros(uint64_t previous);///<Gets the time difference in microseconds.
uint64_t getNTP();
uint64_t epoch(); ///< Gets the amount of seconds since 01/01/1970.
std::string getUTCString(uint64_t epoch = 0);
}

View file

@ -63,7 +63,7 @@ namespace TS {
}
INFO_MSG("Skipping invalid TS packet...");
}
FAIL_MSG("Failed to read a good packet @ %lld bytes", bPos);
FAIL_MSG("Failed to read a good packet @ %" PRIu64 " bytes", bPos);
return false;
}
@ -499,7 +499,7 @@ namespace TS {
/// \return A character pointer to the internal packet buffer data
const char * Packet::checkAndGetBuffer() const{
if (pos != 188) {
DEBUG_MSG(DLVL_HIGH, "Size invalid (%d) - invalid data from this point on", pos);
HIGH_MSG("Size invalid (%d) - invalid data from this point on", pos);
}
return strBuf;
}

View file

@ -11,8 +11,7 @@
namespace TS{
void ADTSRemainder::setRemainder(const aac::adts &p, const void *source, const uint32_t avail,
const uint64_t bPos){
void ADTSRemainder::setRemainder(const aac::adts &p, const void *source, uint32_t avail, uint64_t bPos){
if (!p.getCompleteSize()){return;}
if (max < p.getCompleteSize()){
@ -62,11 +61,11 @@ namespace TS{
}
}
uint32_t ADTSRemainder::getLength(){return len;}
uint64_t ADTSRemainder::getLength(){return len;}
uint64_t ADTSRemainder::getBpos(){return bpos;}
uint32_t ADTSRemainder::getTodo(){return len - now;}
uint64_t ADTSRemainder::getTodo(){return len - now;}
char *ADTSRemainder::getData(){return data;}
Stream::Stream(bool _threaded){
@ -76,7 +75,7 @@ namespace TS{
Stream::~Stream(){
}
void Stream::parse(char *newPack, unsigned long long bytePos){
void Stream::parse(char * newPack, uint64_t bytePos) {
Packet newPacket;
newPacket.FromPointer(newPack);
parse(newPacket, bytePos);
@ -115,21 +114,21 @@ namespace TS{
tthread::lock_guard<tthread::recursive_mutex> guard(tMutex);
if (!pesStreams.size()){return;}
for (std::map<unsigned long, std::deque<Packet> >::const_iterator i = pesStreams.begin();
for (std::map<size_t, std::deque<Packet> >::const_iterator i = pesStreams.begin();
i != pesStreams.end(); i++){
parsePES(i->first, true);
}
}
void Stream::add(char *newPack, unsigned long long bytePos){
void Stream::add(char * newPack, uint64_t bytePos) {
Packet newPacket;
newPacket.FromPointer(newPack);
add(newPacket, bytePos);
}
void Stream::add(Packet &newPack, unsigned long long bytePos){
void Stream::add(Packet & newPack, uint64_t bytePos) {
tthread::lock_guard<tthread::recursive_mutex> guard(tMutex);
int tid = newPack.getPID();
uint32_t tid = newPack.getPID();
bool unitStart = newPack.getUnitStart();
std::deque<Packet> & PS = pesStreams[tid];
if ((unitStart || PS.size()) &&
@ -142,7 +141,7 @@ namespace TS{
}
}
bool Stream::isDataTrack(unsigned long tid){
bool Stream::isDataTrack(size_t tid) const {
if (tid == 0){return false;}
{
tthread::lock_guard<tthread::recursive_mutex> guard(tMutex);
@ -150,7 +149,7 @@ namespace TS{
}
}
void Stream::parse(unsigned long tid){
void Stream::parse(size_t tid){
tthread::lock_guard<tthread::recursive_mutex> guard(tMutex);
if (!pesStreams.count(tid) || pesStreams[tid].size() == 0){
return;
@ -165,8 +164,8 @@ namespace TS{
associationTable.parsePIDs();
lastPAT = Util::bootSecs();
int pmtCount = associationTable.getProgramCount();
for (int i = 0; i < pmtCount; i++){pmtTracks.insert(associationTable.getProgramPID(i));}
size_t pmtCount = associationTable.getProgramCount();
for (size_t i = 0; i < pmtCount; i++){pmtTracks.insert(associationTable.getProgramPID(i));}
pesStreams.erase(0);
return;
@ -183,8 +182,8 @@ namespace TS{
lastPMT[tid] = Util::bootSecs();
ProgramMappingEntry entry = mappingTable[tid].getEntry(0);
while (entry){
unsigned long pid = entry.getElementaryPid();
unsigned long sType = entry.getStreamType();
uint32_t pid = entry.getElementaryPid();
uint32_t sType = entry.getStreamType();
switch (sType){
case H264:
case AAC:
@ -198,8 +197,7 @@ namespace TS{
metaInit[pid] = std::string(entry.getESInfo(), entry.getESInfoLength());
}
break;
default:
break;
default: break;
}
entry.advance();
}
@ -213,7 +211,7 @@ namespace TS{
}
}
void Stream::parse(Packet &newPack, unsigned long long bytePos){
void Stream::parse(Packet & newPack, uint64_t bytePos) {
add(newPack, bytePos);
if (newPack.getUnitStart()){
parse(newPack.getPID());
@ -227,10 +225,9 @@ namespace TS{
// pidToCodec.size(), outPackets.size());
return false;
}
unsigned int missing = 0;
size_t missing = 0;
uint64_t firstTime = 0xffffffffffffffffull, lastTime = 0;
for (std::map<unsigned long, unsigned long>::const_iterator it = pidToCodec.begin();
for (std::map<size_t, uint32_t>::const_iterator it = pidToCodec.begin();
it != pidToCodec.end(); it++){
if (!hasPacket(it->first)){
missing++;
@ -247,7 +244,7 @@ namespace TS{
return (!missing || (missing != pidToCodec.size() && lastTime - firstTime > 2000));
}
bool Stream::hasPacket(unsigned long tid) const{
bool Stream::hasPacket(size_t tid) const {
tthread::lock_guard<tthread::recursive_mutex> guard(tMutex);
std::map<unsigned long, std::deque<Packet> >::const_iterator pesIt = pesStreams.find(tid);
if (pesIt == pesStreams.end()){
@ -269,7 +266,7 @@ namespace TS{
}
if (outPackets.size()){
for (std::map<unsigned long, std::deque<DTSC::Packet> >::const_iterator i =
for (std::map<size_t, std::deque<DTSC::Packet> >::const_iterator i =
outPackets.begin();
i != outPackets.end(); i++){
if (i->second.size()){
@ -288,18 +285,18 @@ namespace TS{
return false;
}
unsigned long long decodePTS(const char *data){
unsigned long long time;
uint64_t decodePTS(const char * data){
uint64_t time;
time = ((data[0] >> 1) & 0x07);
time <<= 15;
time |= ((int)data[1] << 7) | ((data[2] >> 1) & 0x7F);
time |= ((uint32_t)data[1] << 7) | ((data[2] >> 1) & 0x7F);
time <<= 15;
time |= ((int)data[3] << 7) | ((data[4] >> 1) & 0x7F);
time |= ((uint32_t)data[3] << 7) | ((data[4] >> 1) & 0x7F);
time /= 90;
return time;
}
void Stream::parsePES(unsigned long tid, bool finished){
void Stream::parsePES(size_t tid, bool finished){
if (!pidToCodec.count(tid)){
return; // skip unknown codecs
}
@ -309,8 +306,7 @@ namespace TS{
return;
}
// Find number of packets before unit Start
int packNum = 1;
size_t packNum = 1;
std::deque<Packet>::iterator curPack = inStream.begin();
if (seenUnitStart[tid] == 2 && inStream.begin()->getUnitStart() && inStream.rbegin()->getUnitStart()){
@ -325,23 +321,23 @@ namespace TS{
}
}
if (!finished && curPack == inStream.end()){
FAIL_MSG("No PES packets to parse (%lu)", seenUnitStart[tid]);
FAIL_MSG("No PES packets to parse (%" PRIu32 ")", seenUnitStart[tid]);
return;
}
// We now know we're deleting 1 UnitStart, so we can pop the pesPositions and lower the seenUnitStart counter.
--(seenUnitStart[tid]);
std::deque<unsigned long long> &inPositions = pesPositions[tid];
std::deque<size_t> &inPositions = pesPositions[tid];
uint64_t bPos = inPositions.front();
inPositions.pop_front();
// Create a buffer for the current PES, and remove it from the pesStreams buffer.
int paySize = 0;
uint32_t paySize = 0;
// Loop over the packets we need, and calculate the total payload size
curPack = inStream.begin();
int lastCtr = curPack->getContinuityCounter() - 1;
for (int i = 0; i < packNum; i++){
for (size_t i = 0; i < packNum; i++){
if (curPack->getContinuityCounter() == lastCtr){
curPack++;
continue;
@ -350,7 +346,7 @@ namespace TS{
paySize += curPack->getPayloadLength();
curPack++;
}
VERYHIGH_MSG("Parsing PES for track %lu, length %i", tid, paySize);
VERYHIGH_MSG("Parsing PES for track %zu, length %" PRIu32, tid, paySize);
// allocate a buffer, do it all again, but this time also copy the data bytes over to char*
// payload
char *payload = (char *)malloc(paySize);
@ -368,7 +364,7 @@ namespace TS{
continue;
}
if (curPack->getContinuityCounter() - lastCtr != 1 && curPack->getContinuityCounter()){
INFO_MSG("Parsing PES on track %d, missed %d packets", tid,
INFO_MSG("Parsing PES on track %zu, missed %d packets", tid,
curPack->getContinuityCounter() - lastCtr - 1);
}
lastCtr = curPack->getContinuityCounter();
@ -381,21 +377,21 @@ namespace TS{
// headers)
// Parse the PES header
int offset = 0;
uint32_t offset = 0;
while (offset < paySize){
const char *pesHeader = payload + offset;
// Check for large enough buffer
if ((paySize - offset) < 9 || (paySize - offset) < 9 + pesHeader[8]){
INFO_MSG("Not enough data on track %lu (%d / %d), discarding remainder of data", tid,
INFO_MSG("Not enough data on track %zu (%d / %d), discarding remainder of data", tid,
paySize - offset, 9 + pesHeader[8]);
break;
}
// Check for valid PES lead-in
if (pesHeader[0] != 0 || pesHeader[1] != 0x00 || pesHeader[2] != 0x01){
INFO_MSG("Invalid PES Lead in on track %lu, discarding it", tid);
INFO_MSG("Invalid PES Lead in on track %zu, discarding it", tid);
break;
}
@ -403,7 +399,7 @@ namespace TS{
// Note: if the payload size is 0, then we assume the pes packet will cover the entire TS
// Unit.
// Note: this is technically only allowed for video pes streams.
unsigned long long realPayloadSize = (((int)pesHeader[4] << 8) | pesHeader[5]);
uint64_t realPayloadSize = Bit::btohs(pesHeader + 4);
if (!realPayloadSize){
realPayloadSize = paySize; // PES header size already included here
}else{
@ -417,9 +413,8 @@ namespace TS{
// Read the metadata for this PES Packet
///\todo Determine keyframe-ness
uint64_t timeStamp = 0;
int64_t timeOffset = 0;
unsigned int pesOffset = 9; // mandatory headers
uint64_t pesOffset = 9; // mandatory headers
if ((pesHeader[7] >> 6) & 0x02){// Check for PTS presence
timeStamp = decodePTS(pesHeader + pesOffset);
pesOffset += 5;
@ -457,7 +452,7 @@ namespace TS{
}
if (paySize - offset - pesOffset < realPayloadSize){
WARN_MSG("Packet loss detected (%lu != %lu), glitches will occur", (uint32_t)(paySize-offset-pesOffset), (uint32_t)realPayloadSize);
WARN_MSG("Packet loss detected (%" PRIu64 " != %" PRIu64 "), glitches will occur", paySize-offset-pesOffset, realPayloadSize);
realPayloadSize = paySize - offset - pesOffset;
}
@ -472,26 +467,24 @@ namespace TS{
free(payload);
}
void Stream::setLastms(unsigned long tid, uint64_t timestamp){
void Stream::setLastms(size_t tid, uint64_t timestamp){
lastms[tid] = timestamp;
rolloverCount[tid] = timestamp / TS_PTS_ROLLOVER;
}
void Stream::parseBitstream(uint32_t tid, const char *pesPayload, uint32_t realPayloadSize,
void Stream::parseBitstream(size_t tid, const char *pesPayload, uint64_t realPayloadSize,
uint64_t timeStamp, int64_t timeOffset, uint64_t bPos, bool alignment){
//INFO_MSG("timestamp: %llu offset: %lld", timeStamp, timeOffset);
// Create a new (empty) DTSC Packet at the end of the buffer
unsigned long thisCodec = pidToCodec[tid];
std::deque<DTSC::Packet> & out = outPackets[tid];
if (thisCodec == AAC){
// Parse all the ADTS packets
unsigned long offsetInPes = 0;
uint64_t offsetInPes = 0;
uint64_t msRead = 0;
if (remainders.count(tid) && remainders[tid].getLength()){
offsetInPes =
std::min((unsigned long)(remainders[tid].getTodo()), (unsigned long)realPayloadSize);
offsetInPes = std::min(remainders[tid].getTodo(), realPayloadSize);
remainders[tid].append(pesPayload, offsetInPes);
if (remainders[tid].isComplete()){
@ -563,7 +556,7 @@ namespace TS{
nextPtr = pesEnd;
nalSize = realPayloadSize;
if(!alignment && timeStamp && buildPacket.count(tid) && timeStamp != buildPacket[tid].getTime()){
FAIL_MSG("No startcode in packet @ %llu ms, and time is not equal to %llu ms so can't merge", timeStamp, buildPacket[tid].getTime());
FAIL_MSG("No startcode in packet @ %" PRIu64 " ms, and time is not equal to %" PRIu64 " ms so can't merge", timeStamp, buildPacket[tid].getTime());
return;
}
if (alignment){
@ -573,11 +566,11 @@ namespace TS{
// Add the finished DTSC packet to our output buffer
out.push_back(buildPacket[tid]);
uint32_t size;
size_t size;
char * tmp ;
buildPacket[tid].getString("data", tmp, size);
INFO_MSG("buildpacket: size: %d, timestamp: %llu", size, buildPacket[tid].getTime())
INFO_MSG("buildpacket: size: %zu, timestamp: %" PRIu64, size, buildPacket[tid].getTime())
// Create a new empty packet with the key frame bit set to true
buildPacket[tid].null();
@ -630,7 +623,7 @@ namespace TS{
// Add the finished DTSC packet to our output buffer
out.push_back(buildPacket[tid]);
uint32_t size;
size_t size;
char * tmp ;
buildPacket[tid].getString("data", tmp, size);
@ -657,7 +650,6 @@ namespace TS{
size_t origSize = realPayloadSize;
const char *nextPtr;
const char *pesEnd = pesPayload+realPayloadSize;
uint32_t nalSize = 0;
bool isKeyFrame = false;
@ -672,7 +664,7 @@ namespace TS{
while (nextPtr < pesEnd && nalno < 8){
if (!nextPtr){nextPtr = pesEnd;}
//Calculate size of NAL unit, removing null bytes from the end
nalSize = nalu::nalEndPosition(pesPayload, nextPtr - pesPayload) - pesPayload;
nalu::nalEndPosition(pesPayload, nextPtr - pesPayload);
// Check if this is a keyframe
parseNal(tid, pesPayload, nextPtr, isKeyFrame);
@ -688,11 +680,11 @@ namespace TS{
}
}
void Stream::getPacket(unsigned long tid, DTSC::Packet &pack){
void Stream::getPacket(size_t tid, DTSC::Packet & pack) {
tthread::lock_guard<tthread::recursive_mutex> guard(tMutex);
pack.null();
if (!hasPacket(tid)){
ERROR_MSG("Trying to obtain a packet on track %lu, but no full packet is available", tid);
ERROR_MSG("Trying to obtain a packet on track %zu, but no full packet is available", tid);
return;
}
@ -715,8 +707,7 @@ namespace TS{
}
void Stream::parseNal(uint32_t tid, const char *pesPayload, const char *nextPtr,
bool &isKeyFrame){
void Stream::parseNal(size_t tid, const char *pesPayload, const char *nextPtr, bool &isKeyFrame){
bool firstSlice = true;
char typeNal;
@ -813,14 +804,31 @@ namespace TS{
}
}
uint32_t Stream::getEarliestPID(){
tthread::lock_guard<tthread::recursive_mutex> guard(tMutex);
uint64_t packTime = 0xFFFFFFFFull;
uint32_t packTrack = 0;
for (std::map<size_t, std::deque<DTSC::Packet> >::iterator it = outPackets.begin();
it != outPackets.end(); it++){
if (it->second.front().getTime() < packTime){
packTrack = it->first;
packTime = it->second.front().getTime();
}
}
return packTrack;
}
void Stream::getEarliestPacket(DTSC::Packet &pack){
tthread::lock_guard<tthread::recursive_mutex> guard(tMutex);
pack.null();
unsigned long packTime = 0xFFFFFFFFull;
unsigned long packTrack = 0;
uint64_t packTime = 0xFFFFFFFFull;
uint64_t packTrack = 0;
for (std::map<unsigned long, std::deque<DTSC::Packet> >::iterator it = outPackets.begin();
for (std::map<size_t, std::deque<DTSC::Packet> >::iterator it = outPackets.begin();
it != outPackets.end(); it++){
if (it->second.size() && it->second.front().getTime() < packTime){
packTrack = it->first;
@ -831,16 +839,14 @@ namespace TS{
if (packTrack){getPacket(packTrack, pack);}
}
void Stream::initializeMetadata(DTSC::Meta &meta, unsigned long tid, unsigned long mappingId){
void Stream::initializeMetadata(DTSC::Meta &meta, size_t tid, size_t mappingId){
tthread::lock_guard<tthread::recursive_mutex> guard(tMutex);
unsigned long mId = mappingId;
for (std::map<unsigned long, unsigned long>::const_iterator it = pidToCodec.begin();
for (std::map<size_t, uint32_t>::const_iterator it = pidToCodec.begin();
it != pidToCodec.end(); it++){
if (tid && it->first != tid){continue;}
if (mId == 0){mId = it->first;}
size_t mId = it->first;
if (meta.tracks.count(mId) && meta.tracks[mId].codec.size()){continue;}
@ -946,9 +952,9 @@ namespace TS{
}break;
}
int pmtCount = associationTable.getProgramCount();
for (int i = 0; i < pmtCount; i++){
int pid = associationTable.getProgramPID(i);
size_t pmtCount = associationTable.getProgramCount();
for (size_t i = 0; i < pmtCount; i++){
uint32_t pid = associationTable.getProgramPID(i);
ProgramMappingEntry entry = mappingTable[pid].getEntry(0);
while (entry){
if (entry.getElementaryPid() == tid){
@ -965,15 +971,15 @@ namespace TS{
std::set<unsigned long> Stream::getActiveTracks(){
tthread::lock_guard<tthread::recursive_mutex> guard(tMutex);
std::set<unsigned long> result;
std::set<size_t> result;
// Track 0 is always active
result.insert(0);
// IF PAT updated in the last 5 seconds, check for contents
if (Util::bootSecs() - lastPAT < 5){
int pmtCount = associationTable.getProgramCount();
size_t pmtCount = associationTable.getProgramCount();
// For each PMT
for (int i = 0; i < pmtCount; i++){
int pid = associationTable.getProgramPID(i);
for (size_t i = 0; i < pmtCount; i++){
size_t pid = associationTable.getProgramPID(i);
// Add PMT track
result.insert(pid);
// IF PMT updated in last 5 seconds, check for contents
@ -1000,7 +1006,7 @@ namespace TS{
return result;
}
void Stream::eraseTrack(unsigned long tid){
void Stream::eraseTrack(size_t tid){
tthread::lock_guard<tthread::recursive_mutex> guard(tMutex);
pesStreams.erase(tid);
pesPositions.erase(tid);

View file

@ -15,20 +15,19 @@ namespace TS{
class ADTSRemainder{
private:
char *data;
uint32_t max;
uint32_t now;
uint32_t len;
uint64_t max;
uint64_t now;
uint64_t len;
uint64_t bpos;
public:
void setRemainder(const aac::adts &p, const void *source, const uint32_t avail,
const uint64_t bPos);
void setRemainder(const aac::adts & p, const void * source, uint32_t avail, uint64_t bPos);
ADTSRemainder();
~ADTSRemainder();
uint32_t getLength();
uint64_t getLength();
uint64_t getBpos();
uint32_t getTodo();
uint64_t getTodo();
char *getData();
void append(const char *p, uint32_t pLen);
@ -40,62 +39,63 @@ namespace TS{
public:
Stream(bool _threaded = false);
~Stream();
void add(char *newPack, unsigned long long bytePos = 0);
void add(Packet &newPack, unsigned long long bytePos = 0);
void parse(Packet &newPack, unsigned long long bytePos);
void parse(char *newPack, unsigned long long bytePos);
void parse(unsigned long tid);
void parseNal(uint32_t tid, const char *pesPayload, const char *packetPtr, bool &isKeyFrame);
void add(char * newPack, uint64_t bytePos = 0);
void add(Packet & newPack, uint64_t bytePos = 0);
void parse(Packet & newPack, uint64_t bytePos);
void parse(char * newPack, uint64_t bytePos);
void parse(size_t tid);
void parseNal(size_t tid, const char * pesPayload, const char * packetPtr, bool & isKeyFrame);
bool hasPacketOnEachTrack() const;
bool hasPacket(unsigned long tid) const;
bool hasPacket(size_t tid) const;
bool hasPacket() const;
void getPacket(unsigned long tid, DTSC::Packet &pack);
void getPacket(size_t tid, DTSC::Packet &pack);
uint32_t getEarliestPID();
void getEarliestPacket(DTSC::Packet &pack);
void initializeMetadata(DTSC::Meta &meta, unsigned long tid = 0, unsigned long mappingId = 0);
void initializeMetadata(DTSC::Meta &meta, size_t tid = 0, size_t mappingId = 0);
void partialClear();
void clear();
void finish();
void eraseTrack(unsigned long tid);
bool isDataTrack(unsigned long tid);
void parseBitstream(uint32_t tid, const char *pesPayload, uint32_t realPayloadSize,
void eraseTrack(size_t tid);
bool isDataTrack(size_t tid) const;
void parseBitstream(size_t tid, const char * pesPayload, uint64_t realPayloadSize,
uint64_t timeStamp, int64_t timeOffset, uint64_t bPos, bool alignment);
std::set<unsigned long> getActiveTracks();
std::set<size_t> getActiveTracks();
void setLastms(unsigned long tid, uint64_t timestamp);
void setLastms(size_t tid, uint64_t timestamp);
private:
unsigned long long lastPAT;
uint64_t lastPAT;
ProgramAssociationTable associationTable;
std::map<unsigned long, ADTSRemainder> remainders;
std::map<size_t, ADTSRemainder> remainders;
std::map<unsigned long, unsigned long long> lastPMT;
std::map<unsigned long, ProgramMappingTable> mappingTable;
std::map<size_t, uint64_t> lastPMT;
std::map<size_t, ProgramMappingTable> mappingTable;
std::map<unsigned long, std::deque<Packet> > pesStreams;
std::map<unsigned long, std::deque<unsigned long long> > pesPositions;
std::map<unsigned long, std::deque<DTSC::Packet> > outPackets;
std::map<unsigned long, DTSC::Packet> buildPacket;
std::map<unsigned long, unsigned long> pidToCodec;
std::map<unsigned long, aac::adts> adtsInfo;
std::map<unsigned long, std::string> spsInfo;
std::map<unsigned long, std::string> ppsInfo;
std::map<unsigned long, h265::initData> hevcInfo;
std::map<unsigned long, std::string> metaInit;
std::map<unsigned long, std::string> descriptors;
std::map<unsigned long, uint32_t> seenUnitStart;
std::map<unsigned long, std::string> mpeg2SeqHdr;
std::map<unsigned long, std::string> mpeg2SeqExt;
std::map<unsigned long, std::string> mp2Hdr;
std::map<size_t, std::deque<Packet> > pesStreams;
std::map<size_t, std::deque<uint64_t> > pesPositions;
std::map<size_t, std::deque<DTSC::Packet> > outPackets;
std::map<size_t, DTSC::Packet> buildPacket;
std::map<size_t, uint32_t> pidToCodec;
std::map<size_t, aac::adts > adtsInfo;
std::map<size_t, std::string > spsInfo;
std::map<size_t, std::string > ppsInfo;
std::map<size_t, h265::initData > hevcInfo;
std::map<size_t, std::string> metaInit;
std::map<size_t, std::string> descriptors;
std::map<size_t, uint32_t> seenUnitStart;
std::map<size_t, std::string> mpeg2SeqHdr;
std::map<size_t, std::string> mpeg2SeqExt;
std::map<size_t, std::string> mp2Hdr;
std::map<unsigned long, size_t> rolloverCount;
std::map<unsigned long, unsigned long long> lastms;
std::map<size_t, size_t> rolloverCount;
std::map<size_t, unsigned long long> lastms;
mutable tthread::recursive_mutex tMutex;
bool threaded;
std::set<unsigned long> pmtTracks;
std::set<size_t> pmtTracks;
void parsePES(unsigned long tid, bool finished = false);
void parsePES(size_t tid, bool finished = false);
};
}

View file

@ -369,14 +369,18 @@ namespace Util{
close(in);
}
FieldAccX::FieldAccX(RelAccX * _src, RelAccXFieldData _field, char * _data) : src(_src), field(_field), data(_data) {}
FieldAccX::FieldAccX(RelAccX * _src, RelAccXFieldData _field) : src(_src), field(_field) {}
uint64_t FieldAccX::uint(size_t recordNo) const {
return src->getInt(field, recordNo);
}
std::string FieldAccX::string(size_t recordNo) const {
return std::string(src->getPointer(field, recordNo), field.size) ;
std::string res(src->getPointer(field, recordNo));
if (res.size() > field.size){
res.resize(field.size);
}
return res;
}
void FieldAccX::set(uint64_t val, size_t recordNo){
@ -448,9 +452,15 @@ namespace Util{
/// Gets the size in bytes of a single record in the structure.
uint32_t RelAccX::getRSize() const{return RAXHDR_RECORDSIZE;}
/// Gets the position in the records where the entries start
uint32_t RelAccX::getStartPos() const{return RAXHDR_STARTPOS;}
/// Gets the number of deleted records
uint64_t RelAccX::getDeleted() const{return RAXHDR_DELETED;}
///Gets the number of records present
size_t RelAccX::getPresent() const{return RAXHDR_PRESENT;}
/// Gets the number of the last valid index
uint64_t RelAccX::getEndPos() const{return RAXHDR_ENDPOS;}
@ -497,20 +507,22 @@ namespace Util{
/// For other types, returns the maximum size possible.
/// Returns 0 if the field does not exist.
uint32_t RelAccX::getSize(const std::string &name, uint64_t recordNo) const{
const RelAccXFieldData &fd = fields.at(name);
if (!isRecordAvailable(recordNo)){ return 0;}
std::map<std::string, RelAccXFieldData>::const_iterator it = fields.find(name);
if (it == fields.end()){return 0;}
const RelAccXFieldData &fd = it->second;
if ((fd.type & 0xF0) == RAX_STRING){
if (!fields.count(name) || !isRecordAvailable(recordNo)){return 0;}
return strnlen(RECORD_POINTER, fd.size);
}else{
return fd.size;
}
return fd.size;
}
/// Returns a pointer to the given field in the given record number.
/// Returns a null pointer if the field does not exist.
char *RelAccX::getPointer(const std::string &name, uint64_t recordNo) const{
if (!fields.count(name)){return 0;}
return getPointer(fields.at(name), recordNo);
std::map<std::string, RelAccXFieldData>::const_iterator it = fields.find(name);
if (it == fields.end()){return 0;}
return getPointer(it->second, recordNo);
}
char * RelAccX::getPointer(const RelAccXFieldData & fd, uint64_t recordNo) const{
@ -520,8 +532,9 @@ namespace Util{
/// Returns the value of the given integer-type field in the given record, as an uint64_t type.
/// Returns 0 if the field does not exist or is not an integer type.
uint64_t RelAccX::getInt(const std::string &name, uint64_t recordNo) const{
if (!fields.count(name)){return 0;}
return getInt(fields.at(name), recordNo);
std::map<std::string, RelAccXFieldData>::const_iterator it = fields.find(name);
if (it == fields.end()){return 0;}
return getInt(it->second, recordNo);
}
uint64_t RelAccX::getInt(const RelAccXFieldData & fd, uint64_t recordNo) const{
@ -703,9 +716,16 @@ namespace Util{
/// Sets the record counter to the given value.
void RelAccX::setRCount(uint32_t count){RAXHDR_RECORDCNT = count;}
/// Sets the position in the records where the entries start
void RelAccX::setStartPos(uint32_t n){RAXHDR_STARTPOS = n;}
/// Sets the number of deleted records
void RelAccX::setDeleted(uint64_t n){RAXHDR_DELETED = n;}
/// Sets the number of records present
/// Defaults to the record count if set to zero.
void RelAccX::setPresent(uint32_t n){RAXHDR_PRESENT = n;}
/// Sets the number of the last valid index
void RelAccX::setEndPos(uint64_t n){RAXHDR_ENDPOS = n;}
@ -732,13 +752,17 @@ namespace Util{
/// Fails if ready is not set.
/// Ensures the last byte is always a zero.
void RelAccX::setString(const std::string &name, const std::string &val, uint64_t recordNo){
if (!fields.count(name)){
std::map<std::string, RelAccXFieldData>::const_iterator it = fields.find(name);
if (it == fields.end()){
WARN_MSG("Setting non-existent string %s", name.c_str());
return;
}
const RelAccXFieldData &fd = fields.at(name);
setString(it->second, val, recordNo);
}
void RelAccX::setString(const RelAccXFieldData & fd, const std::string &val, uint64_t recordNo){
if ((fd.type & 0xF0) != RAX_STRING){
WARN_MSG("Setting non-string %s", name.c_str());
WARN_MSG("Setting non-string");
return;
}
char *ptr = RECORD_POINTER;
@ -749,11 +773,12 @@ namespace Util{
/// Writes the given int to the given field in the given record.
/// Fails if ready is not set or the field is not an integer type.
void RelAccX::setInt(const std::string &name, uint64_t val, uint64_t recordNo){
if (!fields.count(name)){
std::map<std::string, RelAccXFieldData>::const_iterator it = fields.find(name);
if (it == fields.end()){
WARN_MSG("Setting non-existent integer %s", name.c_str());
return;
}
return setInt(fields.at(name), val, recordNo);
setInt(it->second, val, recordNo);
}
void RelAccX::setInt(const RelAccXFieldData & fd, uint64_t val, uint64_t recordNo){
@ -781,12 +806,15 @@ namespace Util{
WARN_MSG("Setting non-integer field (%u) to integer value!", fd.type);
}
///Writes the given int to the given field in the given record.
///Fails if ready is not set or the field is not an integer type.
void RelAccX::setInts(const std::string & name, uint64_t * values, size_t len){
if (!fields.count(name)){
std::map<std::string, RelAccXFieldData>::const_iterator it = fields.find(name);
if (it == fields.end()){
WARN_MSG("Setting non-existent integer %s", name.c_str());
return;
}
const RelAccXFieldData & fd = fields.at(name);
const RelAccXFieldData & fd = it->second;
for (uint64_t recordNo = 0; recordNo < len; recordNo++){
setInt(fd, values[recordNo], recordNo);
}
@ -795,17 +823,124 @@ namespace Util{
/// Updates the deleted record counter, the start position and the present record counter,
/// shifting the ring buffer start position forward without moving the ring buffer end position.
void RelAccX::deleteRecords(uint32_t amount){
RAXHDR_DELETED += amount; // update deleted record counter
uint32_t &startPos = RAXHDR_STARTPOS;
uint64_t &deletedRecs = RAXHDR_DELETED;
uint32_t &recsPresent = RAXHDR_PRESENT;
startPos += amount; // update start position
deletedRecs += amount; // update deleted record counter
if (recsPresent >= amount){
recsPresent -= amount; // decrease records present
}else{
WARN_MSG("Depleting recordCount!");
recsPresent = 0;
}
}
/// Updates the present record counter, shifting the ring buffer end position forward without
/// moving the ring buffer start position.
void RelAccX::addRecords(uint32_t amount){
RAXHDR_ENDPOS += amount;
uint32_t & recsPresent = RAXHDR_PRESENT;
uint32_t & recordsCount = RAXHDR_RECORDCNT;
uint64_t & recordEndPos = RAXHDR_ENDPOS;
if (recsPresent+amount > recordsCount){
WARN_MSG("Exceeding recordCount (%d [%d + %d] > %d)", recsPresent + amount, recsPresent, amount, recordsCount);
recsPresent = 0;
}else{
recsPresent += amount;
}
recordEndPos += amount;
}
void RelAccX::minimalFrom(const RelAccX & src){
copyFieldsFrom(src, true);
uint64_t rCount = src.getPresent();
setRCount(rCount);
setReady();
addRecords(rCount);
flowFrom(src);
}
void RelAccX::copyFieldsFrom(const RelAccX & src, bool minimal){
fields.clear();
if (!minimal){
for (std::map<std::string, RelAccXFieldData>::const_iterator it = src.fields.begin(); it != src.fields.end(); it++){
addField(it->first, it->second.type, it->second.size);
}
return;
}
for (std::map<std::string, RelAccXFieldData>::const_iterator it = src.fields.begin(); it != src.fields.end(); it++){
switch(it->second.type & 0xF0){
case 0x00: //nested RelAccX
{
uint64_t maxSize = 0;
for (int i = 0; i < src.getPresent(); i++){
Util::RelAccX child(src.getPointer(it->first, i), false);
char * tmpBuf = (char*)malloc(src.getOffset() + (src.getRCount() * src.getRSize()));
Util::RelAccX minChild(tmpBuf, false);
minChild.minimalFrom(child);
uint64_t thisSize = minChild.getOffset() + (minChild.getRSize() * minChild.getPresent());
maxSize = std::max(thisSize, maxSize);
free(tmpBuf);
}
addField(it->first, it->second.type, maxSize);
}
break;
default:
addField(it->first, it->second.type, it->second.size);
break;
}
}
}
void RelAccX::flowFrom(const RelAccX & src){
uint64_t rCount = src.getPresent();
if (getRCount() == 0){
setRCount(rCount);
}
if (rCount > getRCount()){
FAIL_MSG("Abandoning reflow, target does not have enough records available (%" PRIu64 " records, %d available)", rCount, getRCount());
return;
}
addRecords(rCount - getPresent());
for (int i = 0; i < rCount; i++){
for (std::map<std::string, RelAccXFieldData>::const_iterator it = src.fields.begin(); it != src.fields.end(); it++){
if (!fields.count(it->first)){
INFO_MSG("Field %s in source but not in target", it->first.c_str());
continue;
}
switch(it->second.type & 0xF0){
case RAX_RAW:
memcpy(getPointer(it->first, i), src.getPointer(it->first, i), std::min(it->second.size, fields.at(it->first).size));
break;
case RAX_INT:
case RAX_UINT:
setInt(it->first, src.getInt(it->first, i), i);
break;
case RAX_STRING:
setString(it->first, src.getPointer(it->first, i), i);
break;
case 0x00: //nested RelAccX
{
Util::RelAccX srcChild(src.getPointer(it->first, i), false);
Util::RelAccX child(getPointer(it->first, i), false);
child.flowFrom(srcChild);
}
break;
default:
break;
}
}
}
}
FieldAccX RelAccX::getFieldAccX(const std::string & fName){
return FieldAccX(this, fields.at(fName), p + getOffset());
return FieldAccX(this, fields.at(fName));
}
RelAccXFieldData RelAccX::getFieldData(const std::string & fName) const {
return fields.at(fName);
}
}

View file

@ -26,7 +26,7 @@ namespace Util{
public:
ResizeablePointer();
~ResizeablePointer();
inline uint32_t& size(){return currSize;}
inline size_t& size(){return currSize;}
bool assign(const void * p, uint32_t l);
bool append(const void * p, uint32_t l);
bool allocate(uint32_t l);
@ -34,8 +34,8 @@ namespace Util{
inline operator void*(){return ptr;}
private:
void * ptr;
uint32_t currSize;
uint32_t maxSize;
size_t currSize;
size_t maxSize;
};
@ -117,8 +117,10 @@ namespace Util{
uint32_t getRCount() const;
uint32_t getRSize() const;
uint16_t getOffset() const;
uint32_t getStartPos() const;
uint64_t getDeleted() const;
uint64_t getEndPos() const;
size_t getPresent() const;
uint32_t getFieldCount() const;
bool isReady() const;
bool isExit() const;
@ -138,12 +140,15 @@ namespace Util{
//Read-write functions:
void addField(const std::string & name, uint8_t fType, uint32_t fLen=0);
void setRCount(uint32_t count);
void setStartPos(uint32_t n);
void setDeleted(uint64_t n);
void setEndPos(uint64_t n);
void setPresent(uint32_t n);
void setReady();
void setExit();
void setReload();
void setString(const std::string & name, const std::string & val, uint64_t recordNo=0);
void setString(const RelAccXFieldData & fd, const std::string & val, uint64_t recordNo=0);
void setInt(const std::string & name, uint64_t val, uint64_t recordNo=0);
void setInt(const RelAccXFieldData & fd, uint64_t val, uint64_t recordNo=0);
void setInts(const std::string & name, uint64_t * values, size_t len);
@ -155,6 +160,7 @@ namespace Util{
void flowFrom(const RelAccX & src);
FieldAccX getFieldAccX(const std::string & fName);
RelAccXFieldData getFieldData(const std::string & fName) const;
protected:
static uint32_t getDefaultSize(uint8_t fType);
std::map<std::string, RelAccXFieldData> fields;
@ -164,7 +170,7 @@ namespace Util{
class FieldAccX {
public:
FieldAccX(RelAccX * _src = NULL, RelAccXFieldData _field = RelAccXFieldData(), char * _data = NULL);
FieldAccX(RelAccX * _src = NULL, RelAccXFieldData _field = RelAccXFieldData());
uint64_t uint(size_t recordNo) const;
std::string string(size_t recordNo) const;
void set(uint64_t val, size_t recordNo = 0);
@ -172,6 +178,5 @@ namespace Util{
private:
RelAccX * src;
RelAccXFieldData field;
char * data;
};
}

View file

@ -198,7 +198,7 @@ namespace vorbis{
for (int i = 0; i < codebook_count; i++){
long long unsigned int CMN = stream.get(24);
if (CMN != 0x564342){
DEBUG_MSG(DLVL_WARN,"Is dit het? VCB != %c%c%c", (char)(CMN >> 16), (char)(CMN >> 8), (char)CMN);
WARN_MSG("Is dit het? VCB != %c%c%c", (char)(CMN >> 16), (char)(CMN >> 8), (char)CMN);
exit(1);
}
unsigned short codebook_dimensions = stream.get(16);
@ -256,7 +256,7 @@ namespace vorbis{
long long unsigned int floorType = stream.get(16);
switch(floorType){
case 0:{
DEBUG_MSG(DLVL_WARN, "FloorType 0 in vorbis setup header not tested!");
WARN_MSG("FloorType 0 in vorbis setup header not tested!");
stream.skip(8);//order
stream.skip(16);//rate
stream.skip(16);//bark_map_size
@ -359,7 +359,7 @@ namespace vorbis{
}
char meh = stream.get(2);
if (meh != 0){
DEBUG_MSG(DLVL_ERROR, "Sanity check ==0 : %i", (int)meh);
ERROR_MSG("Sanity check ==0 : %i", (int)meh);
exit(0);
}
if (mappingSubmaps > 1){

View file

@ -53,7 +53,7 @@ bool AnalyserDTSC::parsePacket(){
}
if (detail >= 8){
char * payDat;
unsigned int payLen;
size_t payLen;
P.getString("data", payDat, payLen);
for (uint64_t i = 0; i < payLen; ++i){
if ((i % 32) == 0){std::cout << std::endl;}

View file

@ -12,7 +12,7 @@ void AnalyserRTSP::init(Util::Config &conf){
void AnalyserRTSP::incoming(const DTSC::Packet &pkt){
char *dataPtr;
uint32_t dataSize;
size_t dataSize;
pkt.getString("data", dataPtr, dataSize);
DETAIL_MED("Received %ub %sfor track %lu (%s) @ %llums", dataSize, pkt.getFlag("keyframe")?"keyframe ":"", pkt.getTrackId(),
myMeta.tracks[pkt.getTrackId()].getIdentifier().c_str(), pkt.getTime());

View file

@ -385,7 +385,7 @@ int main_loop(int argc, char **argv){
// Check if we have a usable server, if not, print messages with helpful hints
{
std::string web_port = JSON::Value((long long)Controller::conf.getInteger("port")).asString();
std::string web_port = JSON::Value(Controller::conf.getInteger("port")).asString();
// check for username
if (!Controller::Storage.isMember("account") || Controller::Storage["account"].size() < 1){
Controller::Log("CONF",
@ -530,7 +530,6 @@ int main(int argc, char **argv){
Util::Procs::setHandler(); // set child handler
{
struct sigaction new_action;
struct sigaction cur_action;
new_action.sa_sigaction = handleUSR1;
sigemptyset(&new_action.sa_mask);
new_action.sa_flags = 0;
@ -547,7 +546,6 @@ int main(int argc, char **argv){
Util::Procs::reaper_thread = 0;
{
struct sigaction new_action;
struct sigaction cur_action;
new_action.sa_sigaction = handleUSR1;
sigemptyset(&new_action.sa_mask);
new_action.sa_flags = 0;
@ -584,7 +582,7 @@ int main(int argc, char **argv){
execvp(myFile.c_str(), argv);
FAIL_MSG("Error restarting: %s", strerror(errno));
}
INFO_MSG("Controller uncleanly shut down! Restarting in %llu...", reTimer);
INFO_MSG("Controller uncleanly shut down! Restarting in %" PRIu64 "...", reTimer);
Util::wait(reTimer);
reTimer += 1000;
}

View file

@ -7,6 +7,7 @@
#include <mist/defines.h>
#include <mist/timing.h>
#include <mist/procs.h>
#include <mist/bitfields.h>
#include "controller_api.h"
#include "controller_storage.h"
#include "controller_streams.h"
@ -190,7 +191,7 @@ void Controller::handleWebSocket(HTTP::Parser & H, Socket::Connection & C){
sent = true;
JSON::Value tmp;
tmp[0u] = "log";
tmp[1u].append((long long)rlxLog.getInt("time", logPos));
tmp[1u].append(rlxLog.getInt("time", logPos));
tmp[1u].append(rlxLog.getPointer("kind", logPos));
tmp[1u].append(rlxLog.getPointer("msg", logPos));
W.sendFrame(tmp.toString());
@ -200,14 +201,14 @@ void Controller::handleWebSocket(HTTP::Parser & H, Socket::Connection & C){
sent = true;
JSON::Value tmp;
tmp[0u] = "access";
tmp[1u].append((long long)rlxAccs.getInt("time", accsPos));
tmp[1u].append(rlxAccs.getInt("time", accsPos));
tmp[1u].append(rlxAccs.getPointer("session", accsPos));
tmp[1u].append(rlxAccs.getPointer("stream", accsPos));
tmp[1u].append(rlxAccs.getPointer("connector", accsPos));
tmp[1u].append(rlxAccs.getPointer("host", accsPos));
tmp[1u].append((long long)rlxAccs.getInt("duration", accsPos));
tmp[1u].append((long long)rlxAccs.getInt("up", accsPos));
tmp[1u].append((long long)rlxAccs.getInt("down", accsPos));
tmp[1u].append(rlxAccs.getInt("duration", accsPos));
tmp[1u].append(rlxAccs.getInt("up", accsPos));
tmp[1u].append(rlxAccs.getInt("down", accsPos));
tmp[1u].append(rlxAccs.getPointer("tags", accsPos));
W.sendFrame(tmp.toString());
accsPos++;
@ -228,10 +229,10 @@ void Controller::handleWebSocket(HTTP::Parser & H, Socket::Connection & C){
JSON::Value tmp;
tmp[0u] = "stream";
tmp[1u].append(strm);
tmp[1u].append((long long)tmpStat.status);
tmp[1u].append((long long)tmpStat.viewers);
tmp[1u].append((long long)tmpStat.inputs);
tmp[1u].append((long long)tmpStat.outputs);
tmp[1u].append(tmpStat.status);
tmp[1u].append(tmpStat.viewers);
tmp[1u].append(tmpStat.inputs);
tmp[1u].append(tmpStat.outputs);
W.sendFrame(tmp.toString());
}
}
@ -241,10 +242,10 @@ void Controller::handleWebSocket(HTTP::Parser & H, Socket::Connection & C){
JSON::Value tmp;
tmp[0u] = "stream";
tmp[1u].append(strm);
tmp[1u].append((long long)0);
tmp[1u].append((long long)0);
tmp[1u].append((long long)0);
tmp[1u].append((long long)0);
tmp[1u].append(0u);
tmp[1u].append(0u);
tmp[1u].append(0u);
tmp[1u].append(0u);
W.sendFrame(tmp.toString());
strmRemove.erase(strm);
lastStrmStat.erase(strm);
@ -710,7 +711,7 @@ void Controller::handleAPICommands(JSON::Value & Request, JSON::Value & Response
/*LTS-END*/
if (!Request.isMember("minimal") || Request.isMember("streams") || Request.isMember("addstream") || Request.isMember("deletestream")){
if (!Request.isMember("streams") && (Request.isMember("addstream") || Request.isMember("deletestream"))){
Response["streams"]["incomplete list"] = 1ll;
Response["streams"]["incomplete list"] = 1u;
if (Request.isMember("addstream")){
jsonForEach(Request["addstream"], jit){
if (Controller::Storage["streams"].isMember(jit.key())){

View file

@ -2,6 +2,7 @@
#include <string.h>
#include <fstream>
#include <set>
#include <mist/defines.h>
#include <mist/config.h>
#include <mist/procs.h>
#include "controller_capabilities.h"
@ -381,23 +382,23 @@ namespace Controller {
}
continue;
}
long long int i;
if (sscanf(line, "MemTotal : %lli kB", &i) == 1){
uint64_t i;
if (sscanf(line, "MemTotal : %" PRIu64 " kB", &i) == 1){
capa["mem"]["total"] = i / 1024;
}
if (sscanf(line, "MemFree : %lli kB", &i) == 1){
if (sscanf(line, "MemFree : %" PRIu64 " kB", &i) == 1){
capa["mem"]["free"] = i / 1024;
}
if (sscanf(line, "SwapTotal : %lli kB", &i) == 1){
if (sscanf(line, "SwapTotal : %" PRIu64 " kB", &i) == 1){
capa["mem"]["swaptotal"] = i / 1024;
}
if (sscanf(line, "SwapFree : %lli kB", &i) == 1){
if (sscanf(line, "SwapFree : %" PRIu64 " kB", &i) == 1){
capa["mem"]["swapfree"] = i / 1024;
}
if (sscanf(line, "Buffers : %lli kB", &i) == 1){
if (sscanf(line, "Buffers : %" PRIu64 " kB", &i) == 1){
bufcache += i / 1024;
}
if (sscanf(line, "Cached : %lli kB", &i) == 1){
if (sscanf(line, "Cached : %" PRIu64 " kB", &i) == 1){
bufcache += i / 1024;
}
}
@ -413,23 +414,23 @@ namespace Controller {
//parse lines here
float onemin, fivemin, fifteenmin;
if (sscanf(line, "%f %f %f", &onemin, &fivemin, &fifteenmin) == 3){
capa["load"]["one"] = (long long int)(onemin * 100);
capa["load"]["five"] = (long long int)(fivemin * 100);
capa["load"]["fifteen"] = (long long int)(fifteenmin * 100);
capa["load"]["one"] = uint64_t(onemin * 100);
capa["load"]["five"] = uint64_t(fivemin * 100);
capa["load"]["fifteen"] = uint64_t(fifteenmin * 100);
}
}
std::ifstream cpustat("/proc/stat");
if (cpustat){
char line[300];
while (cpustat.getline(line, 300)){
static unsigned long long cl_total = 0, cl_idle = 0;
unsigned long long c_user, c_nice, c_syst, c_idle, c_total;
if (sscanf(line, "cpu %Lu %Lu %Lu %Lu", &c_user, &c_nice, &c_syst, &c_idle) == 4){
static uint64_t cl_total = 0, cl_idle = 0;
uint64_t c_user, c_nice, c_syst, c_idle, c_total;
if (sscanf(line, "cpu %" PRIu64 " %" PRIu64 " %" PRIu64 " %" PRIu64, &c_user, &c_nice, &c_syst, &c_idle) == 4){
c_total = c_user + c_nice + c_syst + c_idle;
if (c_total - cl_total > 0){
capa["cpu_use"] = (long long int)(1000 - ((c_idle - cl_idle) * 1000) / (c_total - cl_total));
capa["cpu_use"] = (1000 - ((c_idle - cl_idle) * 1000) / (c_total - cl_total));
}else{
capa["cpu_use"] = 0ll;
capa["cpu_use"] = 0u;
}
cl_total = c_total;
cl_idle = c_idle;

View file

@ -64,7 +64,10 @@ namespace Controller {
/// Deletes the shared memory page with connector information
/// in preparation of shutdown.
void prepareActiveConnectorsForShutdown(){
IPC::sharedPage f("MstCnns", 4096, true, false);
IPC::sharedPage f("MstCnns", 4096, false, false);
if (f){
f.master = true;
}
}
/// Forgets all active connectors, preventing them from being killed,
@ -104,7 +107,7 @@ namespace Controller {
}else{
if (it.key() == "debug"){
static std::string debugLvlStr;
debugLvlStr = JSON::Value((long long)Util::Config::printDebugLevel).asString();
debugLvlStr = JSON::Value(Util::Config::printDebugLevel).asString();
argarr[argnum++] = (char*)((*it)["option"].asStringRef().c_str());
argarr[argnum++] = (char*)debugLvlStr.c_str();
}

View file

@ -35,7 +35,7 @@ namespace Controller{
updateLicense("&boot=1");
checkLicense();
}else{
lastCheck = std::min(Util::epoch(), currentLicense["valid_from"].asInt());
lastCheck = std::min(Util::epoch(), (uint64_t)currentLicense["valid_from"].asInt());
}
}else{
updateLicense("&boot=1");
@ -46,7 +46,7 @@ namespace Controller{
bool isLicensed(){
uint64_t now = Util::epoch() + timeOffset;
#if DEBUG >= DLVL_DEVEL
INFO_MSG("Verifying license against %llu: %s", now, currentLicense.toString().c_str());
INFO_MSG("Verifying license against %" PRIu64 ": %s", now, currentLicense.toString().c_str());
#endif
//Print messages for user, if any
if (currentLicense.isMember("user_msg") && currentLicense["user_msg"].asStringRef().size()){
@ -104,7 +104,7 @@ namespace Controller{
if (currID){
char aesKey[16];
if (strlen(SUPER_SECRET) >= 32){
parseKey(SUPER_SECRET SUPER_SECRET + 7,aesKey,16);
parseKey((SUPER_SECRET SUPER_SECRET)+7,aesKey,16);
}else{
parseKey("4E56721C67306E1F473156F755FF5570",aesKey,16);
}
@ -128,7 +128,7 @@ namespace Controller{
void readLicense(uint64_t licID, const std::string & input, bool fromServer){
char aesKey[16];
if (strlen(SUPER_SECRET) >= 32){
parseKey(SUPER_SECRET SUPER_SECRET + 7,aesKey,16);
parseKey((SUPER_SECRET SUPER_SECRET)+ 7,aesKey,16);
}else{
parseKey("4E56721C67306E1F473156F755FF5570",aesKey,16);
}
@ -158,10 +158,10 @@ namespace Controller{
uint64_t localTime = Util::epoch();
uint64_t remoteTime = newLicense["time"].asInt();
if (localTime > remoteTime + 60){
WARN_MSG("Your computer clock is %u seconds ahead! Please ensure your computer clock is set correctly.", localTime - remoteTime);
WARN_MSG("Your computer clock is %" PRIu64 " seconds ahead! Please ensure your computer clock is set correctly.", localTime - remoteTime);
}
if (localTime < remoteTime - 60){
WARN_MSG("Your computer clock is %u seconds late! Please ensure your computer clock is set correctly.", remoteTime - localTime);
WARN_MSG("Your computer clock is %" PRIu64 " seconds late! Please ensure your computer clock is set correctly.", remoteTime - localTime);
}
timeOffset = remoteTime - localTime;
@ -177,7 +177,7 @@ namespace Controller{
if (currentLicense["store"].asBool()){
if (Storage["license"].asStringRef() != input){
Storage["license"] = input;
Storage["license_id"] = (long long)licID;
Storage["license_id"] = licID;
INFO_MSG("Stored license for offline use");
}
}

View file

@ -29,7 +29,7 @@ namespace Controller{
pid_t ret = Util::startPush(stream, target);
if (ret){
JSON::Value push;
push.append((long long)ret);
push.append(ret);
push.append(stream);
push.append(originalTarget);
push.append(target);
@ -114,10 +114,10 @@ namespace Controller{
static void readPushList(char * pwo){
activePushes.clear();
pid_t p = Bit::btohl(pwo);
HIGH_MSG("Recovering pushes: %lu", (uint32_t)p);
HIGH_MSG("Recovering pushes: %" PRIu32, (uint32_t)p);
while (p > 1){
JSON::Value push;
push.append((long long)p);
push.append(p);
pwo += 4;
for (uint8_t i = 0; i < 3; ++i){
uint16_t l = Bit::btohs(pwo);
@ -244,13 +244,13 @@ namespace Controller{
startTime = true;
}
if (request.isMember("completetime") && request["completetime"].isInt()){
if (!startTime){newPush.append(0ll);}
if (!startTime){newPush.append(0u);}
newPush.append(request["completetime"]);
}
}
long long epo = Util::epoch();
if (newPush.size() > 3 && newPush[3u].asInt() <= epo){
WARN_MSG("Automatic push not added: removal time is in the past! (%lld <= %lld)", newPush[3u].asInt(), Util::epoch());
WARN_MSG("Automatic push not added: removal time is in the past! (%" PRId64 " <= %" PRIu64 ")", newPush[3u].asInt(), Util::epoch());
return;
}
bool edited = false;

View file

@ -7,6 +7,7 @@
#include <mist/dtsc.h>
#include <mist/procs.h>
#include <mist/stream.h>
#include <mist/bitfields.h>
#include "controller_statistics.h"
#include "controller_limits.h"
#include "controller_push.h"
@ -76,24 +77,24 @@ void Controller::updateBandwidthConfig(){
//For server-wide totals. Local to this file only.
struct streamTotals {
unsigned long long upBytes;
unsigned long long downBytes;
unsigned long long inputs;
unsigned long long outputs;
unsigned long long viewers;
unsigned long long currIns;
unsigned long long currOuts;
unsigned long long currViews;
uint64_t upBytes;
uint64_t downBytes;
uint64_t inputs;
uint64_t outputs;
uint64_t viewers;
uint64_t currIns;
uint64_t currOuts;
uint64_t currViews;
uint8_t status;
};
static std::map<std::string, struct streamTotals> streamStats;
static unsigned long long servUpBytes = 0;
static unsigned long long servDownBytes = 0;
static unsigned long long servUpOtherBytes = 0;
static unsigned long long servDownOtherBytes = 0;
static unsigned long long servInputs = 0;
static unsigned long long servOutputs = 0;
static unsigned long long servViewers = 0;
static uint64_t servUpBytes = 0;
static uint64_t servDownBytes = 0;
static uint64_t servUpOtherBytes = 0;
static uint64_t servDownOtherBytes = 0;
static uint64_t servInputs = 0;
static uint64_t servOutputs = 0;
static uint64_t servViewers = 0;
Controller::sessIndex::sessIndex(std::string dhost, unsigned int dcrc, std::string dstreamName, std::string dconnector){
ID = "UNSET";
@ -317,7 +318,7 @@ void Controller::writeSessionCache(){
/// statistics from all connected clients, as well as wipes
/// old statistics that have disconnected over 10 minutes ago.
void Controller::SharedMemStats(void * config){
DEBUG_MSG(DLVL_HIGH, "Starting stats thread");
HIGH_MSG("Starting stats thread");
IPC::sharedServer statServer(SHM_STATISTICS, STAT_EX_SIZE, true);
statPointer = &statServer;
shmSessions = new IPC::sharedPage(SHM_SESSIONS, SHM_SESSIONS_SIZE, true);
@ -435,7 +436,7 @@ void Controller::SharedMemStats(void * config){
shmSessions->master = false;
}else{/*LTS-START*/
if (Controller::killOnExit){
DEBUG_MSG(DLVL_WARN, "Killing all connected clients to force full shutdown");
WARN_MSG("Killing all connected clients to force full shutdown");
statServer.finishEach();
}
/*LTS-END*/
@ -637,7 +638,7 @@ Controller::sessType Controller::statSession::getSessType(){
}
/// Archives the given connection.
void Controller::statSession::wipeOld(unsigned long long cutOff){
void Controller::statSession::wipeOld(uint64_t cutOff){
if (firstSec > cutOff){
return;
}
@ -675,7 +676,7 @@ void Controller::statSession::wipeOld(unsigned long long cutOff){
}
}
void Controller::statSession::ping(const Controller::sessIndex & index, unsigned long long disconnectPoint){
void Controller::statSession::ping(const Controller::sessIndex & index, uint64_t disconnectPoint){
if (!tracked){return;}
if (lastSec < disconnectPoint){
switch (sessionType){
@ -688,6 +689,8 @@ void Controller::statSession::ping(const Controller::sessIndex & index, unsigned
case SESS_VIEWER:
if (streamStats[index.streamName].currViews){streamStats[index.streamName].currViews--;}
break;
default:
break;
}
uint64_t duration = lastSec - firstActive;
if (duration < 1){duration = 1;}
@ -807,17 +810,17 @@ void Controller::statSession::switchOverTo(statSession & newSess, unsigned long
}
/// Returns the first measured timestamp in this session.
unsigned long long Controller::statSession::getStart(){
uint64_t Controller::statSession::getStart(){
return firstSec;
}
/// Returns the last measured timestamp in this session.
unsigned long long Controller::statSession::getEnd(){
uint64_t Controller::statSession::getEnd(){
return lastSec;
}
/// Returns true if there is data for this session at timestamp t.
bool Controller::statSession::hasDataFor(unsigned long long t){
bool Controller::statSession::hasDataFor(uint64_t t){
if (lastSec < t){return false;}
if (firstSec > t){return false;}
if (oldConns.size()){
@ -826,7 +829,7 @@ bool Controller::statSession::hasDataFor(unsigned long long t){
}
}
if (curConns.size()){
for (std::map<unsigned long, statStorage>::iterator it = curConns.begin(); it != curConns.end(); ++it){
for (std::map<uint64_t, statStorage>::iterator it = curConns.begin(); it != curConns.end(); ++it){
if (it->second.hasDataFor(t)){return true;}
}
}
@ -842,7 +845,7 @@ bool Controller::statSession::hasData(){
}
}
if (curConns.size()){
for (std::map<unsigned long, statStorage>::iterator it = curConns.begin(); it != curConns.end(); ++it){
for (std::map<uint64_t, statStorage>::iterator it = curConns.begin(); it != curConns.end(); ++it){
if (it->second.log.size()){return true;}
}
}
@ -850,7 +853,7 @@ bool Controller::statSession::hasData(){
}
/// Returns true if this session should count as a viewer on the given timestamp.
bool Controller::statSession::isViewerOn(unsigned long long t){
bool Controller::statSession::isViewerOn(uint64_t t){
return getUp(t) + getDown(t) > COUNTABLE_BYTES;
}
@ -877,8 +880,8 @@ bool Controller::statSession::isViewer(){
}
/// Returns the cumulative connected time for this session at timestamp t.
long long Controller::statSession::getConnTime(unsigned long long t){
long long retVal = 0;
uint64_t Controller::statSession::getConnTime(uint64_t t){
uint64_t retVal = 0;
if (oldConns.size()){
for (std::deque<statStorage>::iterator it = oldConns.begin(); it != oldConns.end(); ++it){
if (it->hasDataFor(t)){
@ -887,7 +890,7 @@ long long Controller::statSession::getConnTime(unsigned long long t){
}
}
if (curConns.size()){
for (std::map<unsigned long, statStorage>::iterator it = curConns.begin(); it != curConns.end(); ++it){
for (std::map<uint64_t, statStorage>::iterator it = curConns.begin(); it != curConns.end(); ++it){
if (it->second.hasDataFor(t)){
retVal += it->second.getDataFor(t).time;
}
@ -897,9 +900,9 @@ long long Controller::statSession::getConnTime(unsigned long long t){
}
/// Returns the last requested media timestamp for this session at timestamp t.
long long Controller::statSession::getLastSecond(unsigned long long t){
uint64_t Controller::statSession::getLastSecond(uint64_t t){
if (curConns.size()){
for (std::map<unsigned long, statStorage>::iterator it = curConns.begin(); it != curConns.end(); ++it){
for (std::map<uint64_t, statStorage>::iterator it = curConns.begin(); it != curConns.end(); ++it){
if (it->second.hasDataFor(t)){
return it->second.getDataFor(t).lastSecond;
}
@ -916,8 +919,8 @@ long long Controller::statSession::getLastSecond(unsigned long long t){
}
/// Returns the cumulative downloaded bytes for this session at timestamp t.
long long Controller::statSession::getDown(unsigned long long t){
long long retVal = wipedDown;
uint64_t Controller::statSession::getDown(uint64_t t){
uint64_t retVal = wipedDown;
if (oldConns.size()){
for (std::deque<statStorage>::iterator it = oldConns.begin(); it != oldConns.end(); ++it){
if (it->hasDataFor(t)){
@ -926,7 +929,7 @@ long long Controller::statSession::getDown(unsigned long long t){
}
}
if (curConns.size()){
for (std::map<unsigned long, statStorage>::iterator it = curConns.begin(); it != curConns.end(); ++it){
for (std::map<uint64_t, statStorage>::iterator it = curConns.begin(); it != curConns.end(); ++it){
if (it->second.hasDataFor(t)){
retVal += it->second.getDataFor(t).down;
}
@ -936,8 +939,8 @@ long long Controller::statSession::getDown(unsigned long long t){
}
/// Returns the cumulative uploaded bytes for this session at timestamp t.
long long Controller::statSession::getUp(unsigned long long t){
long long retVal = wipedUp;
uint64_t Controller::statSession::getUp(uint64_t t){
uint64_t retVal = wipedUp;
if (oldConns.size()){
for (std::deque<statStorage>::iterator it = oldConns.begin(); it != oldConns.end(); ++it){
if (it->hasDataFor(t)){
@ -946,7 +949,7 @@ long long Controller::statSession::getUp(unsigned long long t){
}
}
if (curConns.size()){
for (std::map<unsigned long, statStorage>::iterator it = curConns.begin(); it != curConns.end(); ++it){
for (std::map<uint64_t, statStorage>::iterator it = curConns.begin(); it != curConns.end(); ++it){
if (it->second.hasDataFor(t)){
retVal += it->second.getDataFor(t).up;
}
@ -956,8 +959,8 @@ long long Controller::statSession::getUp(unsigned long long t){
}
/// Returns the cumulative downloaded bytes for this session at timestamp t.
long long Controller::statSession::getDown(){
long long retVal = wipedDown;
uint64_t Controller::statSession::getDown(){
uint64_t retVal = wipedDown;
if (oldConns.size()){
for (std::deque<statStorage>::iterator it = oldConns.begin(); it != oldConns.end(); ++it){
if (it->log.size()){
@ -966,7 +969,7 @@ long long Controller::statSession::getDown(){
}
}
if (curConns.size()){
for (std::map<unsigned long, statStorage>::iterator it = curConns.begin(); it != curConns.end(); ++it){
for (std::map<uint64_t, statStorage>::iterator it = curConns.begin(); it != curConns.end(); ++it){
if (it->second.log.size()){
retVal += it->second.log.rbegin()->second.down;
}
@ -976,8 +979,8 @@ long long Controller::statSession::getDown(){
}
/// Returns the cumulative uploaded bytes for this session at timestamp t.
long long Controller::statSession::getUp(){
long long retVal = wipedUp;
uint64_t Controller::statSession::getUp(){
uint64_t retVal = wipedUp;
if (oldConns.size()){
for (std::deque<statStorage>::iterator it = oldConns.begin(); it != oldConns.end(); ++it){
if (it->log.size()){
@ -986,7 +989,7 @@ long long Controller::statSession::getUp(){
}
}
if (curConns.size()){
for (std::map<unsigned long, statStorage>::iterator it = curConns.begin(); it != curConns.end(); ++it){
for (std::map<uint64_t, statStorage>::iterator it = curConns.begin(); it != curConns.end(); ++it){
if (it->second.log.size()){
retVal += it->second.log.rbegin()->second.up;
}
@ -996,35 +999,31 @@ long long Controller::statSession::getUp(){
}
/// Returns the cumulative downloaded bytes per second for this session at timestamp t.
long long Controller::statSession::getBpsDown(unsigned long long t){
unsigned long long aTime = t - 5;
uint64_t Controller::statSession::getBpsDown(uint64_t t){
uint64_t aTime = t - 5;
if (aTime < firstSec){
aTime = firstSec;
}
long long valA = getDown(aTime);
long long valB = getDown(t);
if (t > aTime){
//INFO_MSG("Saying the speed from time %lli to %lli (being %lli - %lli) is %lli.", aTime, t, valB, valA, (valB - valA) / (t - aTime));
return (valB - valA) / (t - aTime);
}else{
//INFO_MSG("Saying the speed from time %lli to %lli (being %lli - %lli) is %lli.", aTime, t, valB, valA, 0);
if (t <= aTime){
return 0;
}
uint64_t valA = getDown(aTime);
uint64_t valB = getDown(t);
return (valB - valA) / (t - aTime);
}
/// Returns the cumulative uploaded bytes per second for this session at timestamp t.
long long Controller::statSession::getBpsUp(unsigned long long t){
unsigned long long aTime = t - 5;
uint64_t Controller::statSession::getBpsUp(uint64_t t){
uint64_t aTime = t - 5;
if (aTime < firstSec){
aTime = firstSec;
}
long long valA = getUp(aTime);
long long valB = getUp(t);
if (t > aTime){
return (valB - valA) / (t - aTime);
}else{
if (t <= aTime){
return 0;
}
uint64_t valA = getUp(aTime);
uint64_t valB = getUp(t);
return (valB - valA) / (t - aTime);
}
/// Returns true if there is data available for timestamp t.
@ -1068,7 +1067,7 @@ void Controller::statStorage::update(IPC::statExchange & data) {
/// This function is called by the shared memory page that holds statistics.
/// It updates the internally saved statistics data, moving across sessions or archiving when necessary.
void Controller::parseStatistics(char * data, size_t len, unsigned int id){
void Controller::parseStatistics(char * data, size_t len, uint32_t id){
//retrieve stats data
IPC::statExchange tmpEx(data);
//calculate the current session index, store as idx.
@ -1076,9 +1075,9 @@ void Controller::parseStatistics(char * data, size_t len, unsigned int id){
//if the connection was already indexed and it has changed, move it
if (connToSession.count(id) && connToSession[id] != idx){
if (sessions[connToSession[id]].getSessType() != SESS_UNSET){
INFO_MSG("Switching connection %lu from active session %s over to %s", id, connToSession[id].toStr().c_str(), idx.toStr().c_str());
INFO_MSG("Switching connection %" PRIu32 " from active session %s over to %s", id, connToSession[id].toStr().c_str(), idx.toStr().c_str());
}else{
INFO_MSG("Switching connection %lu from inactive session %s over to %s", id, connToSession[id].toStr().c_str(), idx.toStr().c_str());
INFO_MSG("Switching connection %" PRIu32 " from inactive session %s over to %s", id, connToSession[id].toStr().c_str(), idx.toStr().c_str());
}
sessions[connToSession[id]].switchOverTo(sessions[idx], id);
if (!sessions[connToSession[id]].hasData()){
@ -1086,7 +1085,7 @@ void Controller::parseStatistics(char * data, size_t len, unsigned int id){
}
}
if (!connToSession.count(id)){
INSANE_MSG("New connection: %lu as %s", id, idx.toStr().c_str());
INSANE_MSG("New connection: %" PRIu32 " as %s", id, idx.toStr().c_str());
}
//store the index for later comparison
connToSession[id] = idx;
@ -1096,7 +1095,7 @@ void Controller::parseStatistics(char * data, size_t len, unsigned int id){
char counter = (*(data - 1)) & 0x7F;
if (counter == 126 || counter == 127){
//the data is no longer valid - connection has gone away, store for later
INSANE_MSG("Ended connection: %lu as %s", id, idx.toStr().c_str());
INSANE_MSG("Ended connection: %" PRIu32 " as %s", id, idx.toStr().c_str());
sessions[idx].finish(id);
connToSession.erase(id);
}else{
@ -1157,7 +1156,7 @@ bool Controller::hasViewers(std::string streamName){
void Controller::fillClients(JSON::Value & req, JSON::Value & rep){
tthread::lock_guard<tthread::mutex> guard(statsMutex);
//first, figure out the timestamp wanted
long long int reqTime = 0;
uint64_t reqTime = 0;
if (req.isMember("time")){
reqTime = req["time"].asInt();
}
@ -1233,7 +1232,7 @@ void Controller::fillClients(JSON::Value & req, JSON::Value & rep){
if (fields & STAT_CLI_UP){d.append(it->second.getUp(time));}
if (fields & STAT_CLI_BPS_DOWN){d.append(it->second.getBpsDown(time));}
if (fields & STAT_CLI_BPS_UP){d.append(it->second.getBpsUp(time));}
if (fields & STAT_CLI_CRC){d.append((long long)it->first.crc);}
if (fields & STAT_CLI_CRC){d.append(it->first.crc);}
rep["data"].append(d);
}
}
@ -1311,7 +1310,7 @@ void Controller::fillActive(JSON::Value & req, JSON::Value & rep, bool onlyNow){
rep[*it].null();
jsonForEach(req, j){
if (j->asStringRef() == "clients"){
rep[*it].append((long long)clients[*it]);
rep[*it].append(clients[*it]);
}
if (j->asStringRef() == "lastms"){
char pageId[NAME_BUFFER_SIZE];
@ -1335,7 +1334,7 @@ void Controller::fillActive(JSON::Value & req, JSON::Value & rep, bool onlyNow){
rep[*it].append(lms);
metaLocker.post();
}else{
rep[*it].append(-1ll);
rep[*it].append(-1);
}
}
}
@ -1355,20 +1354,21 @@ class totalsData {
downbps = 0;
upbps = 0;
}
void add(unsigned int down, unsigned int up, Controller::sessType sT){
void add(uint64_t down, uint64_t up, Controller::sessType sT){
switch (sT){
case Controller::SESS_VIEWER: clients++; break;
case Controller::SESS_INPUT: inputs++; break;
case Controller::SESS_OUTPUT: outputs++; break;
default: break;
}
downbps += down;
upbps += up;
}
long long clients;
long long inputs;
long long outputs;
long long downbps;
long long upbps;
uint64_t clients;
uint64_t inputs;
uint64_t outputs;
uint64_t downbps;
uint64_t upbps;
};
/// This takes a "totals" request, and fills in the response data.
@ -1430,7 +1430,7 @@ void Controller::fillTotals(JSON::Value & req, JSON::Value & rep){
if (fields & STAT_TOT_BPS_DOWN){rep["fields"].append("downbps");}
if (fields & STAT_TOT_BPS_UP){rep["fields"].append("upbps");}
//start data collection
std::map<long long unsigned int, totalsData> totalsCount;
std::map<uint64_t, totalsData> totalsCount;
//loop over all sessions
/// \todo Make the interval configurable instead of 1 second
if (sessions.size()){
@ -1455,13 +1455,13 @@ void Controller::fillTotals(JSON::Value & req, JSON::Value & rep){
return;
}
//yay! We have data!
rep["start"] = (long long)totalsCount.begin()->first;
rep["end"] = (long long)totalsCount.rbegin()->first;
rep["start"] = totalsCount.begin()->first;
rep["end"] = totalsCount.rbegin()->first;
rep["data"].null();
rep["interval"].null();
long long prevT = 0;
uint64_t prevT = 0;
JSON::Value i;
for (std::map<long long unsigned int, totalsData>::iterator it = totalsCount.begin(); it != totalsCount.end(); it++){
for (std::map<uint64_t, totalsData>::iterator it = totalsCount.begin(); it != totalsCount.end(); it++){
JSON::Value d;
if (fields & STAT_TOT_CLIENTS){d.append(it->second.clients);}
if (fields & STAT_TOT_INPUTS){d.append(it->second.inputs);}
@ -1471,13 +1471,13 @@ void Controller::fillTotals(JSON::Value & req, JSON::Value & rep){
rep["data"].append(d);
if (prevT){
if (i.size() < 2){
i.append(1ll);
i.append((long long)(it->first - prevT));
i.append(1u);
i.append(it->first - prevT);
}else{
if (i[1u].asInt() != (long long)(it->first - prevT)){
if (i[1u].asInt() != it->first - prevT){
rep["interval"].append(i);
i[0u] = 1ll;
i[1u] = (long long)(it->first - prevT);
i[0u] = 1u;
i[1u] = it->first - prevT;
}else{
i[0u] = i[0u].asInt() + 1;
}
@ -1510,9 +1510,9 @@ void Controller::handlePrometheus(HTTP::Parser & H, Socket::Connection & conn, i
//Collect core server stats
long long int cpu_use = 0;
long long int mem_total = 0, mem_free = 0, mem_bufcache = 0;
long long int bw_up_total = 0, bw_down_total = 0;
uint64_t cpu_use = 0;
uint64_t mem_total = 0, mem_free = 0, mem_bufcache = 0;
uint64_t bw_up_total = 0, bw_down_total = 0;
{
std::ifstream cpustat("/proc/stat");
if (cpustat){
@ -1576,7 +1576,7 @@ void Controller::handlePrometheus(HTTP::Parser & H, Socket::Connection & conn, i
}
}
}
long long shm_total = 0, shm_free = 0;
uint64_t shm_total = 0, shm_free = 0;
#if !defined(__CYGWIN__) && !defined(_WIN32)
{
struct statvfs shmd;
@ -1698,7 +1698,7 @@ void Controller::handlePrometheus(HTTP::Parser & H, Socket::Connection & conn, i
resp["mem_used"] = (mem_total - mem_free - mem_bufcache);
resp["shm_total"] = shm_total;
resp["shm_used"] = (shm_total - shm_free);
resp["logs"] = (long long)Controller::logCounter;
resp["logs"] = Controller::logCounter;
{//Scope for shortest possible blocking of statsMutex
tthread::lock_guard<tthread::mutex> guard(statsMutex);
//collect the data first
@ -1732,34 +1732,34 @@ void Controller::handlePrometheus(HTTP::Parser & H, Socket::Connection & conn, i
}
}
resp["curr"].append((long long)totViewers);
resp["curr"].append((long long)totInputs);
resp["curr"].append((long long)totOutputs);
resp["curr"].append((long long)sessions.size());
resp["tot"].append((long long)servViewers);
resp["tot"].append((long long)servInputs);
resp["tot"].append((long long)servOutputs);
resp["st"].append((long long)bw_up_total);
resp["st"].append((long long)bw_down_total);
resp["bw"].append((long long)servUpBytes);
resp["bw"].append((long long)servDownBytes);
resp["bwlimit"] = (long long)bwLimit;
resp["obw"].append((long long)servUpOtherBytes);
resp["obw"].append((long long)servDownOtherBytes);
resp["curr"].append(totViewers);
resp["curr"].append(totInputs);
resp["curr"].append(totOutputs);
resp["curr"].append(sessions.size());
resp["tot"].append(servViewers);
resp["tot"].append(servInputs);
resp["tot"].append(servOutputs);
resp["st"].append(bw_up_total);
resp["st"].append(bw_down_total);
resp["bw"].append(servUpBytes);
resp["bw"].append(servDownBytes);
resp["bwlimit"] = bwLimit;
resp["obw"].append(servUpOtherBytes);
resp["obw"].append(servDownOtherBytes);
for (std::map<std::string, struct streamTotals>::iterator it = streamStats.begin(); it != streamStats.end(); ++it){
resp["streams"][it->first]["tot"].append((long long)it->second.viewers);
resp["streams"][it->first]["tot"].append((long long)it->second.inputs);
resp["streams"][it->first]["tot"].append((long long)it->second.outputs);
resp["streams"][it->first]["bw"].append((long long)it->second.upBytes);
resp["streams"][it->first]["bw"].append((long long)it->second.downBytes);
resp["streams"][it->first]["curr"].append((long long)it->second.currViews);
resp["streams"][it->first]["curr"].append((long long)it->second.currIns);
resp["streams"][it->first]["curr"].append((long long)it->second.currOuts);
resp["streams"][it->first]["tot"].append(it->second.viewers);
resp["streams"][it->first]["tot"].append(it->second.inputs);
resp["streams"][it->first]["tot"].append(it->second.outputs);
resp["streams"][it->first]["bw"].append(it->second.upBytes);
resp["streams"][it->first]["bw"].append(it->second.downBytes);
resp["streams"][it->first]["curr"].append(it->second.currViews);
resp["streams"][it->first]["curr"].append(it->second.currIns);
resp["streams"][it->first]["curr"].append(it->second.currOuts);
}
for (std::map<std::string, uint32_t>::iterator it = outputs.begin(); it != outputs.end(); ++it){
resp["outputs"][it->first] = (long long)it->second;
resp["outputs"][it->first] = it->second;
}
}

View file

@ -26,10 +26,10 @@ namespace Controller {
void updateBandwidthConfig();
struct statLog {
long time;
long lastSecond;
long long down;
long long up;
uint64_t time;
uint64_t lastSecond;
uint64_t down;
uint64_t up;
};
enum sessType {
@ -75,10 +75,10 @@ namespace Controller {
class statSession {
private:
uint64_t firstActive;
unsigned long long firstSec;
unsigned long long lastSec;
unsigned long long wipedUp;
unsigned long long wipedDown;
uint64_t firstSec;
uint64_t lastSec;
uint64_t wipedUp;
uint64_t wipedDown;
std::deque<statStorage> oldConns;
sessType sessionType;
bool tracked;
@ -88,30 +88,30 @@ namespace Controller {
uint32_t invalidate();
uint32_t kill();
char sync;
std::map<unsigned long, statStorage> curConns;
std::map<uint64_t, statStorage> curConns;
std::set<std::string> tags;
sessType getSessType();
void wipeOld(unsigned long long);
void finish(unsigned long index);
void switchOverTo(statSession & newSess, unsigned long index);
void update(unsigned long index, IPC::statExchange & data);
void ping(const sessIndex & index, unsigned long long disconnectPoint);
unsigned long long getStart();
unsigned long long getEnd();
bool isViewerOn(unsigned long long time);
void wipeOld(uint64_t);
void finish(uint64_t index);
void switchOverTo(statSession & newSess, uint64_t index);
void update(uint64_t index, IPC::statExchange & data);
void ping(const sessIndex & index, uint64_t disconnectPoint);
uint64_t getStart();
uint64_t getEnd();
bool isViewerOn(uint64_t time);
bool isViewer();
bool hasDataFor(unsigned long long time);
bool hasDataFor(uint64_t time);
bool hasData();
long long getConnTime(unsigned long long time);
long long getLastSecond(unsigned long long time);
long long getDown(unsigned long long time);
long long getUp();
long long getDown();
long long getUp(unsigned long long time);
long long getBpsDown(unsigned long long time);
long long getBpsUp(unsigned long long time);
long long getBpsDown(unsigned long long start, unsigned long long end);
long long getBpsUp(unsigned long long start, unsigned long long end);
uint64_t getConnTime(uint64_t time);
uint64_t getLastSecond(uint64_t time);
uint64_t getDown(uint64_t time);
uint64_t getUp();
uint64_t getDown();
uint64_t getUp(uint64_t time);
uint64_t getBpsDown(uint64_t time);
uint64_t getBpsUp(uint64_t time);
uint64_t getBpsDown(uint64_t start, uint64_t end);
uint64_t getBpsUp(uint64_t start, uint64_t end);
};

View file

@ -19,7 +19,7 @@ namespace Controller{
JSON::Value Storage; ///< Global storage of data.
tthread::mutex configMutex;
tthread::mutex logMutex;
unsigned long long logCounter = 0;
uint64_t logCounter = 0;
bool configChanged = false;
bool restarting = false;
bool isTerminal = false;
@ -54,7 +54,7 @@ namespace Controller{
tthread::lock_guard<tthread::mutex> guard(logMutex);
JSON::Value m;
uint64_t logTime = Util::epoch();
m.append((long long)logTime);
m.append(logTime);
m.append(kind);
m.append(message);
Storage["log"].append(m);

View file

@ -16,7 +16,7 @@ namespace Controller {
extern bool restarting;///< Signals if the controller is shutting down (false) or restarting (true).
extern bool isTerminal;///< True if connected to a terminal and not a log file.
extern bool isColorized;///< True if we colorize the output
extern unsigned long long logCounter; ///<Count of logged messages since boot
extern uint64_t logCounter; ///<Count of logged messages since boot
Util::RelAccX * logAccessor();
Util::RelAccX * accesslogAccessor();

View file

@ -138,7 +138,6 @@ namespace Controller {
///\param data The stream configuration for the server.
///\returns True if the server status changed
bool CheckAllStreams(JSON::Value & data){
long long int currTime = Util::epoch();
jsonForEach(data, jit) {
checkStream(jit.key(), (*jit));
}

View file

@ -87,7 +87,7 @@ namespace Controller{
void insertUpdateInfo(JSON::Value &ret){
tthread::lock_guard<tthread::mutex> guard(updaterMutex);
ret = updates;
if (updatePerc){ret["progress"] = (long long)updatePerc;}
if (updatePerc){ret["progress"] = (uint16_t)updatePerc;}
}
/// Downloads the latest details on updates

View file

@ -34,7 +34,7 @@ void Controller::uplinkConnection(void * np) {
return;
}
unsigned long long lastSend = Util::epoch() - 5;
uint64_t lastSend = Util::epoch() - 5;
Socket::Connection uplink;
while (Controller::conf.is_active) {
if (!uplink) {
@ -98,7 +98,7 @@ void Controller::uplinkConnection(void * np) {
}
JSON::Value totalsRequest;
Controller::fillClients(totalsRequest, data["clients"]);
totalsRequest["start"] = (long long)lastSend;
totalsRequest["start"] = lastSend;
Controller::fillTotals(totalsRequest, data["totals"]);
data["streams"] = Controller::Storage["streams"];
jsonForEach(data["streams"], it){

View file

@ -677,7 +677,7 @@ namespace Mist {
//Read in the metadata through a temporary JSON object
///\todo Optimize this part. Find a way to not have to store the metadata in JSON first, but read it from the page immediately
JSON::Value tempJSONForMeta;
JSON::fromDTMI((const unsigned char *)tMeta.mapped + 8, len, tempForReadingMeta, tempJSONForMeta);
JSON::fromDTMI((const char *)tMeta.mapped + 8, len, tempForReadingMeta, tempJSONForMeta);
tMeta.master = true;
@ -743,7 +743,7 @@ namespace Mist {
//Read in the metadata through a temporary JSON object
///\todo Optimize this part. Find a way to not have to store the metadata in JSON first, but read it from the page immediately
JSON::Value tempJSONForMeta;
JSON::fromDTMI((const unsigned char *)nProxy.metaPages[value].mapped + 8, len, tempForReadingMeta, tempJSONForMeta);
JSON::fromDTMI((const char *)nProxy.metaPages[value].mapped + 8, len, tempForReadingMeta, tempJSONForMeta);
//Construct a metadata object for the current track
DTSC::Meta trackMeta(tempJSONForMeta);
//If the track metadata does not contain the negotiated track, assume the metadata is currently being written, and skip the element for now. It will be instantiated in the next call.

View file

@ -118,7 +118,7 @@ namespace Mist {
//Do encryption/decryption here
int tid = thisPacket.getTrackId();
char * ivec;
unsigned int ivecLen;
size_t ivecLen;
thisPacket.getString("ivec", ivec, ivecLen);
char iVec[16];
if (ivecLen){

View file

@ -141,7 +141,7 @@ namespace Mist {
DTSC::Track & trk = myMeta.tracks[tmpTag.getTrackID()];
if (trk.codec == "PCM" && trk.size == 16){
char * ptr = 0;
uint32_t ptrSize = 0;
size_t ptrSize = 0;
thisPacket.getString("data", ptr, ptrSize);
for (uint32_t i = 0; i < ptrSize; i+=2){
char tmpchar = ptr[i];

View file

@ -414,7 +414,7 @@ namespace Mist{
int packetId = 0;
char *data;
unsigned int dataLen;
size_t dataLen;
for (std::vector<Playlist>::iterator pListIt = playlists.begin(); pListIt != playlists.end();
pListIt++){

View file

@ -217,7 +217,7 @@ namespace Mist{
trunBox.setSampleInformation(trunEntry, j);
++j;
}
trunBox.setDataOffset(88 + (12 * j) + 8);
trunBox.setDataOffset(92 + (12 * j) + 8);
}
if (Trk.type == "audio"){
trunBox.setFlags(MP4::trundataOffset | MP4::trunsampleSize | MP4::trunsampleDuration);
@ -230,7 +230,7 @@ namespace Mist{
trunBox.setSampleInformation(trunEntry, j);
++j;
}
trunBox.setDataOffset(88 + (8 * j) + 8);
trunBox.setDataOffset(92 + (8 * j) + 8);
}
trafBox.setContent(trunBox, 2);
moofBox.setContent(trafBox, 1);
@ -316,7 +316,7 @@ namespace Mist{
return;
}
char * data;
unsigned int dataLen;
size_t dataLen;
thisPacket.getString("data", data, dataLen);
H.Chunkify(data, dataLen, myConn);
}

View file

@ -50,7 +50,7 @@ namespace Mist{
void OutH264::sendNext(){
if (keysOnly && !thisPacket.getFlag("keyframe")){return;}
char *dataPointer = 0;
unsigned int len = 0;
size_t len = 0;
thisPacket.getString("data", dataPointer, len);
unsigned int i = 0;

View file

@ -74,7 +74,7 @@ namespace Mist {
return;
}
char * dataPointer = 0;
unsigned int len = 0;
size_t len = 0;
thisPacket.getString("data", dataPointer, len);
H.Chunkify(dataPointer, len, myConn);
}

View file

@ -37,7 +37,7 @@ namespace Mist {
JSON::Value jPack;
if (myMeta.tracks[thisPacket.getTrackId()].codec == "JSON"){
char * dPtr;
unsigned int dLen;
size_t dLen;
thisPacket.getString("data", dPtr, dLen);
jPack["data"] = JSON::fromString(dPtr, dLen);
jPack["time"] = (long long)thisPacket.getTime();

View file

@ -28,7 +28,7 @@ namespace Mist {
void OutProgressiveMP3::sendNext(){
char * dataPointer = 0;
unsigned int len = 0;
size_t len = 0;
thisPacket.getString("data", dataPointer, len);
myConn.SendNow(dataPointer, len);
}

View file

@ -66,7 +66,7 @@ namespace Mist{
+ 32 //MDHD Box
+ 33 + thisTrack.getIdentifier().size() // HDLR Box
+ 8 //MINF Box
+ 36 //DINF Box
+ 44 //DINF Box
+ 8; // STBL Box
if (myMeta.vod && thisTrack.firstms != firstms){
tmpRes += 12;// EDTS entry extra
@ -82,6 +82,7 @@ namespace Mist{
tmpRes += 20//VMHD Box
+ 16 //STSD
+ 86 //AVC1
+ 16 //PASP
+ 8 + thisTrack.init.size();//avcC
if (!fragmented){
tmpRes += 16 + (thisTrack.keys.size() * 4);//STSS
@ -917,7 +918,7 @@ namespace Mist{
//Obtain a pointer to the data of this packet
char * dataPointer = 0;
unsigned int len = 0;
size_t len = 0;
thisPacket.getString("data", dataPointer, len);
std::string subtitle;

View file

@ -264,7 +264,7 @@ namespace Mist{
unsigned int dheader_len = 1;
static Util::ResizeablePointer swappy;
char * tmpData = 0;//pointer to raw media data
unsigned int data_len = 0;//length of processed media data
size_t data_len = 0;//length of processed media data
thisPacket.getString("data", tmpData, data_len);
DTSC::Track & track = myMeta.tracks[thisPacket.getTrackId()];

View file

@ -32,7 +32,7 @@ namespace Mist{
/// \TODO Make this less inefficient. Seriously. Maybe use DTSC::RetimedPacket by extending with bmo functionality...?
static DTSC::Packet newPkt;
char * pktData;
unsigned int pktDataLen;
size_t pktDataLen;
pkt.getString("data", pktData, pktDataLen);
newPkt.genericFill(pkt.getTime() + packetOffset, pkt.getInt("offset"), pkt.getTrackId(), pktData, pktDataLen, 0, pkt.getFlag("keyframe"), bootMsOffset);
bufferLivePacket(newPkt);
@ -122,7 +122,7 @@ namespace Mist{
void OutRTSP::sendNext(){
char *dataPointer = 0;
unsigned int dataLen = 0;
size_t dataLen = 0;
thisPacket.getString("data", dataPointer, dataLen);
uint32_t tid = thisPacket.getTrackId();
uint64_t timestamp = thisPacket.getTime();

View file

@ -27,7 +27,7 @@ namespace Mist {
void OutProgressiveSRT::sendNext(){
char * dataPointer = 0;
unsigned int len = 0;
size_t len = 0;
thisPacket.getString("data", dataPointer, len);
// INFO_MSG("getting sub: %s", dataPointer);
//ignore empty subs

View file

@ -67,7 +67,7 @@ namespace Mist {
firstPack = true;
char * dataPointer = 0;
unsigned int tmpDataLen = 0;
size_t tmpDataLen = 0;
thisPacket.getString("data", dataPointer, tmpDataLen); //data
uint64_t dataLen = tmpDataLen;
//apple compatibility timestamp correction

View file

@ -33,7 +33,7 @@ namespace Mist{
void OutWAV::sendNext(){
char *dataPointer = 0;
unsigned int len = 0;
size_t len = 0;
thisPacket.getString("data", dataPointer, len);
//PCM must be converted to little-endian if > 8 bits per sample