delegatevoid

Members
  • Posts

    65
  • Joined

  • Last visited

  • Days Won

    1

Everything posted by delegatevoid

  1. It's a bullshit move. We (the entire community here) have been testing and providing feedback for btsync since the very beginning. I'm sure there are many like myself who have set up many sync folders, moving from other services such as Dropbox, GDrive, etc... to BTSync because of the promises made by the Bittorrent team. And now they want to limit us to 10 folders (which is a purely artificial limitation) unless we cough up money for every device in our sync setup? This doesn't just affect business users, it affects all users. Of course they have every right to make money (and they should), but business support should have been something like: 24/7 technical support active directory / ldap integration bla bla bla Here's what we'll do. Backup all binaries of the 1.4 versions for every platform and keep using those. Since it is supposed to be purely p2p they should continue to work, if they don't we'll know there's something in the middle and the product as a whole should not be trusted. When they come up with more acceptable terms for the 2.0 we can reconsider.
  2. This is rather important isn't it :-) Otherwise no commercial product would ever be able to support BTSync, so they'd only be able to support Dropbox, GDrive, OneDrive, etc, etc....
  3. The problem is I'm letting JSon.net do the parsing automatically, don't feel like doing it manually just because the BTSync team fix it. It still feels like this whole thing is someone's pet project :-)
  4. If you look at the preferences in the latest version of BTSync, the values of some settings are being prefixed with "*", even though, when you set them, they are pure integers. I've no idea what the meaning of this "*" is, but what I do know is that it breaks the API. If you look at the JSON returned by the API: You'll see it returns "*" as part of some values which means they can no longer be parsed as integers which in turn breaks the clients.
  5. @marck321 You are correct, thank you for pointing it out. Apparently the response to this API request has changed, I will have to check what is going on. @lg0 The open source repository for this projects can be found on BitBucket (I am not a fan of GIT) https://bitbucket.org/timothyp/arendee-btsynclib Feel free to post bug/feature requests there. As for 4.0 support, I'm afraid not, since the library relies heavily on async/await. That being said, you could backport it to use .NET 4.0 and the Async CTP for .NET 4.0, however I wouldn't suggest it. Today Windows XP is the only version of Windows not supported by .NET 4.5 and nobody should be running that anymore anyway. If you do want to backport it, perhaps you can fork the repository in GitHub, create a new branch for .net 4.0 and if it's good I'll pull it back into the main repo And of course I'd be more than willing to help out if need be. @mark321 I looked into it some more, it's actually a bug in the new version of BTSync The values marked with a * should actually just be integer values, and since the latest version they are not. Will post this as a bug Update: I've posted it here: http://forum.bittorrent.com/topic/31616-bug-preference-values-in-btsync-14x-contain/
  6. You are correct, should be public Program() { ... } I wrote that on my Surface using notepad, as I just received it and hadn't installed Visual Studio yet. A typo, my bad, sorry
  7. In this particular case, if your application doesn't do anything else at the same time, you can get away with using .Wait When you build bigger applications or desktop applications .Wait() will not be suitable. As for the BTSyncClient instance, there's no need to do that before the try. In fact, if you have a try/catch in a method you should always try and make it so that the try is the very first thing in the method.
  8. Hi, You are correct to say that the methods in the library are all asynchronous. By default this means fire and forget. You start a Task which gets executed somewhere else and your applications imply continues to execute whatever line of code follows. I'm sure you are using a console application so here's what's happening Your application starts at the entry point public static void Main() It executes the code in that method, starting with whatever logic you use to start BTSync It then creates the folder (be careful where you create it, your application may not have access to that location) Then you start a new task by calling client.AddFolder but that method is asynchronous, so it (to put it simply) gets executed somewhere else and your main thread does not wait for it, instead it continues to execute the next line in your main method. If there is nothing there, your application will close and the task along with it.While your answer, posted above, would work, it is not the correct way of using the code. Instead you should use the async/await pattern in C# (http://msdn.microsoft.com/en-us/library/hh191443.aspx) Consider the following (a little over simplified example): using Arendee.BTSyncLib;using System;using System.IO;using System.Threading;using System.Threading.Tasks;namespace BTSyncExample{ class Program { private bool exitApplication; private string server; private string username; private string password; private string deviceName; private int port; static void Main(string[] args) { new Program(); } new Program() { //Replace the values here to fit your setup Run("localhost", 8888, "spongebob", "squarepants", "HelloBTSync"); while (!exitApplication) { Thread.Sleep(500); } } public async void Run(string server, int port, string username = "", string password = "", string deviceName = "YourAppName") { this.server = server; this.port = port; this.username = username; this.password = password; this.deviceName = deviceName; StartBTSync(); await AddBTSyncFolder("c:\\test", "yoursecrethere"); Console.Write("Press any key to continue..."); Console.ReadKey(); exitApplication = true; } private async Task AddBTSyncFolder(string path, string secret) { try { if (!Directory.Exists(path)) { Console.WriteLine("Creating directory: '{0}'", path); Directory.CreateDirectory(path); } Console.WriteLine("Adding the folder to BTSync"); var client = new BTSyncClient(server, port, username, password, deviceName); await client.AddFolder(path, secret); } catch (Exception ex) { Console.ForegroundColor = ConsoleColor.Red; Console.WriteLine("Add folder failed: {0}", ex.Message); Console.ForegroundColor = ConsoleColor.White; } } private void StartBTSync() { //Do whatever you need to to start btsync } }}Start by looking at the AddBTSyncFolder method. It's signature includes the async keyword and returns a Task. Simply put, a Task is something that will get executed somewhere else and you can wait for it to complete. After creating the folder it creates an instance of BTSyncClient and calls AddFolder. await client.AddFolder(path, secret);Note the await keyword. This means the method execution will stop at this line, the AddFolder task will be started, and when it has been completed, method execution will resume as if nothing happened. (Note that the AddBTSyncFolder function is not a clean function, it does two things, creating a folder and adding it to BTSync, normally a function should do one thing and one thing only, but for the purpose of this example it should be fine) The Run method is also defined as async but it does not return a Task. An async method that does not return a task is truly fire and forget. It is started and there is no way to wait for it. It has to be like this because, otherwise any method calling Run would have to be asynchronous as well. The main entry point for your application and the constructor of the Program class cannot be asynchronous, so Run does not return a Task. (For more info on this check out articles referring to async/await being contagious). So finally there is the constructor of the Program class which calls Run. It will start executing the code in Run but it will not wait and if you do nothing after that line, your application will, once again, simply exit. So I've included a while loop which will put the main thread to sleep until exitApplication is set to true. It may seem a little counter-intuitive, but that's because async/await does not really lend itself for use in a console application. That doesn't mean it shouldn't be used in console applications, it just means that there's a little extra work to be done to make it behave properly. A desktop application for example, does not exit until all windows have been closed so there is no need for a wait loop. The async/await pattern is particularly useful in desktop application as a way to perform long running tasks without freezing the UI thread. (Remember the infamous 'Application xxx is not responding') Once you get the hang of async/await you'll wonder how you ever got things done without it, so if you can, invest some time in learning more about it, you will not regret it. I hope this helps, and if you have any more questions, just ask.
  9. Hi, I'm not aware of C++ implementations except for the first result on google: https://github.com/boxdot/btsync-cpp Perhaps that one can get you started.
  10. It would be nice if http://www.bittorrent.com/sync/developers/api would link to a page with a list of API implementations per programming language/platform. Since I assume the BTSync team has their hands full at this moment, it would be best if the community could manage this page. A forum post would be one option, but I'm pretty sure it'd get messy real soon. The API is great, but it's not for every developer and I don't think everybody should try to implement the API from scratch in their favorite language. Showing potential developers a list of available implementations might push them across the threshold as far as getting started with the BTSync API is concerned, thus expanding the user base of BTSync in general.
  11. Just a quick note/update: At some point the package on https://synocommunity.com was outdated, but once you've installed the package, you can simply overwrite the binary on the NAS every time a new version is released. Works like a charm.
  12. This was one of the first things that jumped to mind when I learned about the encrypted keys. - You set up a service where users can sign in - They would then be able to enter their encrypted key and the btsync on that server would start "backup up" their files - They could be charged by volume (since a storage service is being provided to them) - They could be charged by allowing others to sync data on their system Same applies to managing backups within a company. It's easy enough to set up one ore more backup servers and then allow users to sign in and add their various keys to the "sync network" using a web interface. This is why I love btsync so much, it's not just a piece of software, it's a platform on top of which you build.
  13. You will have to create the folder prior to adding it to BTSync, that of course is easy enough to do - If the specified folder does not exist create it - Add the newly created folder to BTSync Windows, MacOS, Linux, basically any desktop platform on which BTSync works, just not the mobile versions, since they don't currently expose an API
  14. Please see the attached screenshot, one time it specifies encryption the other type encrypted As for getting the encrypted secret for an existing folder I will try that again.
  15. It's possible on Windows, Linux and MacOS. Only the mobile versions are different.
  16. In version 1.3.105 this has finally been fixed! The correct type value is encryption, the API documentation is still outdated. However it only works if you don't specify any value for "secret". As soon as you do it doesn't work anymore. When is someone from the BTSync team going to deal with the API?
  17. Hi, Normally when you create an XMLHTTP request you can only do so to request a resource on the same domain/port as the one the website is hosted on. For example, your domain is example.com and you host a website on the subdomain www.example.com Now the JavaScript of the pages on that site can only create requests to resources on the same subdomain Consider this: $.ajax({ url: "test.html",})This is allowed, as it will request http://www.example.com/test.html The following is the same: $.ajax({ url: "http://www.example.com/test.html",})The last example however is not: $.ajax({ url: "http://example.com/test.html",})As you are sending a request to a different domain (or subdomain) than the one where the request originated from (www.example.com) This is called a cross-domain request and is not allowed for security reasons. Now let's say your website is hosted by a web server on your local machine, then you'd access it through: http://127.0.0.1:80 (you do not really type the port, but it's important to see the difference here) Then your JavaScript is making a request to http://127.0.0.1:8080 Which is the same computer but on a different port (different web server, yours vs the built-in one of btsync) so it's considered a cross domain request and blocked. There are ways to work around this but your mileage may vary. Here are some resources: More information on the same-origin domain policy: https://developer.mozilla.org/en-US/docs/Web/Security/Same-origin_policy W3C Recommendation: http://enable-cors.org/ and http://www.w3.org/TR/cors/ The HTML5 example might get you started.
  18. Hi, It's perfectly possible with BTSync, you will have to do some custom development though. Simplified workflow example: You have a server with BTSync and API enabled You create a website which will interact with BTSync Your registered users can then download the BTSync client or your own app (more on this later) They choose one ore more folders on their system and submit the keys for those folders to your website The website uses the API to add those keys to the BTsync instanceAPI methods such as GetFolders and AddFolders should be more than enough to get you started. As for customizing the BTSync client. Since it's closed source, you cannot. However, here's what you can do: You create your own application that implements all the API features required to for the functionality you want your client to provideYou then ship BTSync with your application (either as an embedded resource or as part of the installation package)Your client starts BTSync without a UI and controls it using the APIThe only piece of software your users will see and interact with is your own.This is also fairly simple to set up. As for syncing back to AWS. That shouldn't be to hard. I assume you already have backup procedures to AWS in place you could just keep using them. Hope this helps.