I recently developed a video content management system, and rather than store hidden files to track versioning and movement of physical files, I wanted to modify the internal file meta information of the videos themselves. I planned to stuff a database ID into the comment tag within each video file, but this proved to be very challenging given the very disoraganised way in which various operating system handled different file types.
Possible Solutions
MediaInfo - http://sourceforge.net/projects/mediainfo/. Cool API, updated a lot, but there is no support for setting file meta information. The entire API is READ ONLY!
TagLib - https://taglib.github.io/. Again, good API with scope to set file tag meta information. So I decided to try this API out and see how far I could get with it. I started hitting it's limits when I couldn't set file meta information for a LOT of video file types: MKV, MOV, 3GP, ASF and more.
DsoFile - http://support.microsoft.com/en-gb/kb/224351. Microsoft's answer to tagging Microsoft Office file tag information. It's able to set Office file tags but also totally new custom properties within each file. You cannot see these values in Windows Explorer without a handy Powershell script plugin, but it works for ALL file types, not just office documents. It's written in C++ and includes the source code also. The downside is that it's a COM component, 32bit and no longer supported. However, somebody compiled a 64bit version here
The Ideal Solution
DsoFile seems like a great solution to the problem. TagLib works hard to achieve an ideal solution, but there are too many file types out there ever changing and the library finds it hard to keep up. I decided to use DsoFile for my project for the time being. I have provided some sample code below so you can see how TagLib and DsoFile libraries modify file meta tag information.
TagLib Sample Code - How to Get and Set the Comment File Meta Tag Field
Code Snippet
- using System;
- using TagLib;
- /// <summary>
- /// (c) GinkoSolutions.com
- /// This sample class enables you to set meta file information within physical files.
- /// This is similar to EXIF information for picture files.
- /// TagLib doesn't seem to work for a lot of file types: MKV, MOV etc
- /// It seems to work ok for MP4 files though.
- /// </summary>
- public static class TagLibExample
- {
- /// <summary>
- /// Gets the comment tag from a files meta information
- /// </summary>
- /// <param name="filename">Path to the file</param>
- /// <returns>Our custom value stored in the files comment tag</returns>
- public static string GetCommentField(string filename)
- {
- string comment = string.Empty;
- TagLib.File file = null;
- try
- {
- file = TagLib.File.Create(filename);
- comment = file.Tag.Comment;
- }
- catch (Exception ex)
- {
- // This library works with limited file types, so unsupported file types are
- // thrown here when trying to use "TagLib.File.Create()"
- }
- finally
- {
- if (file != null) file.Dispose(); // Clean up
- }
- return comment;
- }
- /// <summary>
- /// Sets the comment tag within a files meta information
- /// </summary>
- /// <param name="filename">Path to the file</param>
- /// <param name="value">Value to store in the comment tag</param>
- public static void SetCommentField(string filename, string value)
- {
- TagLib.File file = null;
- try
- {
- file = TagLib.File.Create(filename);
- // Set comment tag
- // NOTE: file.Tag.Comment cannot be an empty string, it defaults to null if empty
- file.Tag.Comment = GetCommentField;
- file.Save();
- // Check comment was added successfully.
- // For some reason, TagLib won't throw an error if the property doesnt save
- // for certain file types, yet they appear to be supported.
- // So we have to check it actually worked...
- file = TagLib.File.Create(filename);
- if (file.Tag.Comment != value)
- }
- catch (Exception ex)
- {
- // Handle errors here
- }
- finally // Always called, even when throwing in Exception block
- {
- if (file != null) file.Dispose(); // Clean up
- }
- }
- }
End of Code Snippet
DsoFile Sample Code - How to Store a Value into a Custom Property and Get it back!
Code Snippet
- using System;
- using DSOFile;
- /// <summary>
- /// (c) GinkoSolutions.com
- /// This sample class enables you to set meta file information within physical files.
- /// This is similar to EXIF information for picture files.
- /// DSOFile works for every file type, not just office files.
- ///
- /// NOTE
- /// DsoFile is an unmnaged 32bit dll. We need to compile in x86 mode or we get 'class not registered exception'
- /// There is a third party 64bit version available online, or recompile the C++ source manually.
- /// </summary>
- public static class DSOFileExample
- {
- /// <summary>
- /// A property name that this sample code uses to store tag information.
- /// </summary>
- private static string FILE_PROPERTY = "CustomFileTag";
- /// <summary>
- /// Gets value stored in a custom tag
- /// </summary>
- /// <param name="filename">Path to the file</param>
- /// <returns>Our custom value stored in the custom file tag</returns>
- public static string GetCustomPropertyValue(string filename)
- {
- string comment = string.Empty;
- try
- {
- // Open file
- file.Open(filename, false, DSOFile.dsoFileOpenOptions.dsoOptionDefault);
- comment = GetTagField(file);
- }
- catch (Exception ex)
- {
- // Handle errors here
- }
- finally
- {
- if (file != null) file.Close(); // Clean up
- }
- return comment;
- }
- /// <summary>
- /// Sets value stored in a files custom tag
- /// </summary>
- /// <param name="filename">Path to the file</param>
- /// <param name="value">Value to store in the custom file tag</param>
- public static void SetCustomPropertyValue(string filename, string value)
- {
- try
- {
- file.Open(filename, false, DSOFile.dsoFileOpenOptions.dsoOptionDefault);
- SetTagField(file, value);
- }
- catch (Exception ex)
- {
- // Handle errors here
- }
- finally // Always called, even when throwing in Exception block
- {
- if (file != null) file.Close(); // Clean up
- }
- }
- /// <summary>
- /// Gets the value of the file tag property
- /// </summary>
- /// <param name="file">Ole Document File</param>
- /// <returns>Contents of the file tag property. Can be null or empty.</returns>
- private static string GetTagField(DSOFile.OleDocumentProperties file)
- {
- string result = string.Empty;
- foreach (DSOFile.CustomProperty property in file.CustomProperties)
- {
- if (property.Name == FILE_PROPERTY) // Check property exists
- {
- result = property.get_Value();
- break;
- }
- }
- return result;
- }
- /// <summary>
- /// Sets the value of the file tag property
- /// </summary>
- /// <param name="file">Ole Document File</param>
- /// <param name="value">Value to set as the property value</param>
- /// <param name="saveDocument">Saves document if set to true</param>
- /// <param name="closeDocument">Closes the document if set to true</param>
- private static void SetTagField(DSOFile.OleDocumentProperties file, string value, bool saveDocument = true, bool closeDocument = true)
- {
- bool found = false;
- foreach (DSOFile.CustomProperty property in file.CustomProperties)
- {
- if (property.Name == FILE_PROPERTY) // Check property exists
- {
- property.set_Value(value);
- found = true;
- break;
- }
- }
- if (!found)
- file.CustomProperties.Add(FILE_PROPERTY, value);
- if (saveDocument)
- file.Save();
- if (closeDocument)
- file.Close();
- }
- }
End of Code Snippet
52 comments:
Congratulations! Extremely useful... I'll try to do that in my project too... Do you no if its possible to add a read only tag... Avoiding future modifications on tags?
Nice information. Is it or windows filesystem, I mean, if we set a metadata of a video file in windows and copy it to Linux, does the metadata show up there too?.
Mumbai Escorts, VIP escorts in Mumbai
Celebrity Escorts Mumbai
Mumbai escorts, Escorts in Mumbai
Escorts service in Mumbai
Delhi Escorts, Escorts services in Delhi
Escort girls in Mumbai, Escorts in Mumbai
mumbai escorts, VIP escorts in mumbai
Escorts Mumbai
Delhi Escorts, VIP escorts Delhi
Escorts in Delhi, Delhi Escorts
High profile Escorts in Delhi
Escorts Service in Delhi
Escorts Service in Delhi
Dwarka Escorts, Escorts in Dwarka
http://www.thecallgirlsdelhi.com/
Escorts Service in Delhi
Thanks for sharing this informative blog. Such a useful Blog. I hope to keep sharing this type of blog.
Website Meta Tag Extractor
Thanks for this!
any sample of the "handy Powershell script plugin" to see these values in Windows Explorer?
:-)
We can contact you at our WhatsApp number to join Kotputli Escorts Independent Celebrity Call Girls Service in Katputli, in Kotputli, meeting with our high class Affair Rate Model VIP Women Premium Call Girls Agency.Katputali Escort
When it comes to dating professional Call Girls In Delhi With Photo and Mobile Number, there are many aspects which you should consider as escort dating is not as simple as it seems. Needless to mention, it is more about having erotic fun with the Cheap Girls.Female Escort in Delhi With Photo
Want to experiment pleasure and excitement in life? We have the perfect answer to your imagination! Enjoy the warm company of Call Girls in Delhi With Photo and take your senses to a new level of pleasure. When it comes to providing best Delhi girls, Mobile no one does it better than us. Delhi Escorts With Photos
Escorts Goa
Escorts Panaji
Escorts Bangalore
Escorts In Bangalore
Escorts Services Bangalore
MG Road Escorts
Jayanagar Escorts
JP Nagar Escorts
Koramangala Escorts
Whitefield Escorts
Visit here___
Independent escort in Chandigarh--->>
Independent Escorts In Chandigarh--->>
Chandigarh Independent Escorts--->>
Chandigarh Independent Escort--->>
Chandigarh call girls center--->>
Chandigarh call girls--->>
Chandigarh call girl--->>
call girls in Chandigarh--->>
call girl in Chandigarh--->>
………… /´¯/) click for supper hot sexy escort Service girls
……….,/¯../ /
………/…./ /
…./´¯/’…’/´¯¯.`•¸
/’/…/…./…..:^.¨¯\
(‘(…´…´…. ¯_/’…’/
\……………..’…../
..\’…\………. _.•´
…\…………..(
….\…………..\.
Visit here___
Chandigarh Call Girl | Chandigarh Call Girls
Chandigarh Escort | Chandigarh Escorts
Chandigarh Escort Service | Chandigarh Escorts Services
Escort In Chandigarh | Escorts In Chandigarh
Call Girl In Chandigarh | Call Girls In Chandigarh
Escort Service In Chandigarh | Escorts Services In Chandigarh
Chandigarh Independent Escort | Chandigarh Independent Escorts
Good job in presenting the correct content with the clear explanation. The content looks real with valid information.
Dot Net Training in Chennai | Dot Net Training in anna nagar | Dot Net Training in omr | Dot Net Training in porur | Dot Net Training in tambaram | Dot Net Training in velachery
In these companies most attractive and elegant girls are working and when you will come across these ladies you will always feel horny. The people who want to spend time with sexy and elegant ladies can now hire our Delhi escorts. Our escorts are the best for men who are feeling lonely and sexually frustrated. We are offering our best escorts in this location of Delhi so that we can meet the choice of elite class men of the society. Thus, when you will be hiring our escort services you will always feel delighted.
Escorts Service In Delhi
Aerocity Escorts
Mahipalpur Escorts
Connaught Place Escorts
Karol Bbagh Escorts
Paharganj Escorts
We can assure that we have different range of service ingredients stocked where you will find elite escort services, medium range and cheap ones too. We keep these type of ranges in order to be able to cater all kinds of clients. Some clients want to have the luxurious services including of all kinds of facilities and some simply want to medium range services such as housewife, home-makers, college going girls etc. But there are many who want to have nightstand with beautiful air-hostesses etc. and no matter what type of escort our clients want, we accordingly present them all those kinds to cater and satisfy their needs.
Call Girls In Delhi
Rohini Escorts
Laxmi Nagar Escorts
Paschim Vihar escorts
Shahdara Escorts
For information about call girls in Connaught Place, you can get information by reading our blog, you can get call girls service in Connaught Place anytime. Escort service in connaught place
Escorts Tajpur
Ashok Nagar Escorts
Alipore Escorts
Bhatpara Escorts
Behala Escorts
Belgachia Escorts
Bara Bazar Escorts
Ballygunge Escorts
Dharmatala Escorts
Hyderabad Escorts
Jubilee Hills Escorts
Banjara Hills Escorts
Visakhapatnam Escorts
Secunderabad Escorts
Hitech City Escorts
Secunderabad Escorts
Somajiguda Escorts
Begumpet Escorts
Manikonda Escorts
Uppal Escorts
Kukatpally Escorts
Miyapur Escorts
Market Street Escorts
Somajiguda Escorts
Doodh Bowli Escorts
Hill Fort Escorts
Chennai Escorts
Vellore Escorts
Tiruchirappalli Escorts
Visakhapatnam Escorts
Besant Nagar Escorts
Anakaputhur Escorts
Sarkhej Escorts
Thaltej Escorts
Naroda Escorts
Hansol Escorts
Naranpura Escorts
Sabarmati Escorts
Paldi Escorts
Chandkheda Escorts
Adalaj Escorts
Ahmedabad Escorts
CG Road Escorts
SG Highway Escorts
Mani Nagar Escorts
Satellite Escorts
Gota Escorts
Vastra Nagar Escorts
Interesting topic I might say this is good and everybody should aware of it.
Dehradun escorts
Interesting topic I might say this is good and everybody should aware of it.
love Shayari
kaspersky free
Welcome to the Escortbangalore.in for the happiness and fun that you are missing in your life. The website offers all kind of escort services to the sexually unsatisfied, unhappy and stressed men in Bangalore.
best escort service
https://www.escortbangalore.in/
best escort service
call girls in bangalore
https://www.escortbangalore.in/
call girls in bangalore
escort in kasturba road
https://www.escortbangalore.in/
escort in kasturba road
escort in gandhinagar
https://www.escortbangalore.in/
escort in gandhinagar
escort in bellandur
https://www.escortbangalore.in/
escort in bellandur
vipescortinbangalore
https://www.escortbangalore.in/
vipescortinbangalore
vip escort service
https://www.escortbangalore.in/
vip escort service
vip call girls
https://www.escortbangalore.in/
vip call girls
hifi escort in bangalore
https://www.escortbangalore.in/
hifi escort in bangalore
escort in sankey road
https://www.escortbangalore.in/
escort in sankey road
escort in infantry road
https://www.escortbangalore.in/
escort in infantry road
vip escort in bangalore
https://www.escortbangalore.in/
vip escort in bangalore
vip call girls bangalore
https://www.escortbangalore.in/
vip call girls bangalore
vip escorts bangalore
https://www.escortbangalore.in/
vip escorts bangalore
vip escort bangalore
https://www.escortbangalore.in/
vip escort bangalore
bangalore red light area contact number
https://www.escortbangalore.in/
vip call girls bangalore
bangalore red light area phone number
https://www.escortbangalore.in/
bangalore red light area phone number
escort in hsr layout
https://www.escortbangalore.in/
escort in hsr layout
Andheri Escorts
Escorts in Andheri
Escorts Andheri
Independent Escorts Andheri
Escorts Ahmedabad
Ahmedabad Escorts
Ahmedabad Escorts
Ahmedabad Escorts
Ahmedabad Escorts
Ahmedabad Escorts
Ahmedabad Escorts
Ahmedabad Escorts
Ahmedabad Escorts
Ahmedabad Escorts
Ahmedabad Escorts
Ahmedabad Escorts
Ahmedabad Escorts
Ahmedabad Escorts
Ahmedabad Escorts
Ahmedabad Escorts
Ahmedabad Escorts
Ahmedabad Escorts
Ahmedabad Escorts
Ahmedabad Escorts
BUY WEED ONLINE
BUY IBOGAINE ONLINE
BUY XANAX ONLINE
BUY DANK VAPE ONLINE
BUY COCAINE ONLINE
BUY LSD ONLINE
BUY BLUE DREAM DANK VAPE ONLINE
BUY MOONROCKS ONLINE
BUY CARFENTANYL ONLINE
BUY IBOGAINE HCL ONLINE
Gurgaon is a famous place for receiving gurgaon call girls. Here call girls are categorized as many categories, you can contact us on our website to get them. Escorts Service In Gurgaon
If you are one of those who don’t know how to update the Garmin map, below are some of the ways by which you can update it. You just need to use the Garmin Express application in the matter of getting the Garmin Map updates. With the help of Garmin Express, you will be able to update your Garmin Map by downloading it from the official website of Garmin.
garmin updates
garmin map updates
garmin gps updates
garmin nuvi updates
garmin express updates
When it comes to talking about its features, this Magellan device or Magellan GPS updates are loaded; with various sorts of exciting features. Once you start using this great device, you’ll learn about the traffic alerts, weather conditions, and a lot more. While using it, you’ll get to know which road route you should choose and which you should avoid. As many GPS devices are available in the market, one can opt for Magellan to make traveling easy and smooth. It will happen only just because of this advanced and modified device. But there is the thing about it that it needs updates from time to time. Simply put, you will need to update this device to have a comfortable experience of your journey.
magellan gps update
tomtom gps update
magellan gps updates
tomtom gps updates
Hello everyone, Delhi Escort is giving you a high profile Female Escort Service in Delhi for Vip men if you are looking for memorable experience then most welcome to you. Book here Call Girls in Chennai
.
Bangalore Escorts
Bangalore Escorts
Bangalore Escorts
Bangalore Escorts
Bangalore Escorts
Bangalore Escorts
Bangalore Escorts
Bangalore Escorts
Bangalore Escorts
Bangalore Escorts
Bangalore Escorts
Bangalore Escorts
Bangalore Escorts
Bangalore Escorts
Bangalore Escorts
Bangalore Escorts
Bangalore Escorts
Bangalore Escorts
Bangalore Escorts
Bangalore Escorts
Bangalore Escorts
Bangalore Escorts
Bangalore Escorts
Bangalore Escorts
Bangalore Escorts
Bangalore Escorts
Bangalore Escorts
Bangalore Escorts
Bangalore Escorts
Bangalore Escorts
Bangalore Escorts
Bangalore Escorts
Bangalore Escorts
Read all the amazing and beneficial blogs from netrockdeals to know the tips and tricks to be a smart shopper and save your money while shopping from top brands.
netrockdeals
makemytrip offers
amazon prime video
amazon prime
flipkart upcoming sale
flipkart upcoming sale
amazon upcoming sale
amazon prime membership
tata cliq offers
nike sale
Mumbai Escort Service offering hot greater Mumbai escorts. for meet me VIP escorts in Mumbai, online call girls in Mumbai and independent call girls Mumbai.
Mumbai Escort Agency
independent Mumbai Escort
Escort in Goregaon
Escort in Versova
Your article is very informative, thanks for this amazing post. I have also written some:
https://www.shayariholic.com/attitude-shayari-in-hindi/
https://www.shayariholic.com/sad-shayari-in-hindi/
https://www.shayari99.com/sad-shayari-in-hindi/
https://www.shayariholic.com/attitude-shayari-in-hindi/
Hi Class Verity of Independent Gurgaon Escort Service Real and Fair Deal Cash on Delivery No Advance we have Good Looking Independent Call Girls in Gurgaon. Full Satisfaction Guarantee With Body Massage Spa and All Services Available 24X7 Full Facilities. Hotel, Home and Hotels. Very Frank and Friendly Behavior with Very Trustable Your Privacy is My Privacy Thanks.
Very Knowledgeable and Helpful Content Best Activity in Your Post:- https://apsaraofindia.com/escorts-in-gurgaon.html
I am less praised by your writing way keep writing
Mumbai Escort
Call girl
Mumbai Call girl
Andheri Escort
No.1 Trusted call girls and escort services provider in connaught place nearby hotel. Dear if you have confirm hotel booking contact us for service.
Russian Escort
Russian Escorts in Delhi
Connaught Place Escort
Aerocity Place Escort
Mahipalpur Place Escort
Our services have remained unaffected by the rising prices of everything around. We have emphasized maintaining nominal prices of everDWARKA ESCORTS as we believe that everyone has the right to content himself. Prices on the other hand are kept fixed for the basic duration or number of shots, which rises proportionately with the rise in duration of hire or shots.
our locations
KAROL BAGH ESCORTS
GK PART-1 ESCORTS
GK PART-2 ESCORTS
MAHIPALPUR ESCORTS
AEROCITY ESCORTS
FARIDABAD ESCORTS
DWARKA ESCORTS
VASANT KUNJ ESCORTS
PAHAR GANJ ESCORTS
GURGAON ESCORTS
The concept behind starting aerocity escorts agency was to provide harmony and pleasure to the men sick of their personal as well as professional life. We aim to provide safe sexual affairs to all. Safety and health are two main concerns of all individuals contacting a call girl agency. This hot Russian escort in Delhi is more than a pretty face as she makes the ideal dinner, social, and party companion.
Our Service Locations
aerocity escorts
connaught-place-escorts
gurgaon-escorts
mahipalpur-escorts
noida-escorts
This article is very good and quite unique. People like such posts very much, I also like such articles, you are an inspiration for today's youth. Thank you.
blue eyes Girls In Gurugram
air Hostess Girls
College Girls
cheap Girls In Gurgaon
Premium Girls Bhiwadi
Top Rated Girls Manesar
Russian Girls In Gurugram
Jhansi
Nightlife Girls Working Hours
Today if someone asks me what you saw best then I would like to say that I saw your post best today and it is a very beautifully written post which I appreciate. And I also think that if you see someone's post and it is beautiful and well written, that should be appreciated.
Busty girls In Noida
Gurugram Low Price Girls
Sector 54 Girls Gurugram
Real Girl Number Gurugram
Real Photos Girl Gurugram
Gurugram Girl Number
Hyderabad Party Girl
College Girl Gurugram
VIP girl mahipalpur
college girl aerocity
Thank you so much, nice to see such a post to write such a beautiful post, and when I saw this post of yours, I was very happy to see its design and when I read it, I love to appreciate it. Because those who write such a beautiful post must get credit for it.
Real Girl Number Gurugram
Real Photos Girl Gurugram
Gurugram Girl Number
Hyderabad Party Girl
College Girl Gurugram
VIP girl mahipalpur
college girl aerocity
Gurugram Girls Number
Golden Girls service Gurugram
Family Tree Maker 2019 The release year of FTM Software is 1989 and it’s been almost more than thirty years since then. Today, FTM stands as the World’s Favourite Genealogy Software. FTM is making it much easier than ever before to discover your family history, preserve your legacy, and share your unique heritage. This software is still a sensation because of its user-friendly feature that allows the user to easily build your family history with simple navigation, tree-building tools, and built-in Web searching.
visit us on:Family tree maker 2019
Find the complete Family Tree Maker Online Software SupportAt the beginning of the genealogy Family, Tree Maker Software for Android and Mac Users has given users, the advantage of keeping track of information gathered when doing research and collecting data through reports, charts, or books. bn One can easily exhibit one's family story with images, historical documents, audio, and even video content using this method. This can be digitally passed down to many ages as a legacy.
visit us on:Family tree maker online
Family Tree Maker 2019 Move to New Computer
Family Tree Maker has become a new-generation tool where an individual can keep track of their past and future generations without any hassle digitally. It is user-friendly software and with ease, you can move it from one device to the other.
Transferring FTM from one computer to another You can easily export FTM both Family Tree Maker 2019 altogether safely. This is because while you are moving from one computer to another, the file will still remain in your old device. It happens because you will be making a new folder to transfer.
visit us on:familytreemaker2019movetonewcomputer
Post a Comment