topbanner_forum
  *

avatar image

Welcome, Guest. Please login or register.
Did you miss your activation email?

Login with username, password and session length
  • Saturday April 27, 2024, 1:21 am
  • Proudly celebrating 15+ years online.
  • Donate now to become a lifetime supporting member of the site and get a non-expiring license key for all of our programs.
  • donate

Show Posts

This section allows you to view all posts made by this member. Note that you can only see posts made in areas you currently have access to.


Messages - worstje [ switch to compact view ]

Pages: prev1 ... 3 4 5 6 7 [8] 9 10 11 12 13 ... 23next
176
Found Deals and Discounts / Re: Superantispyware Pro: Save 75%
« on: July 16, 2011, 08:45 AM »
I saw this thread pop by a few times on IRC now, and I can't help say I am wary of it due to the name. There's too many 'positive words' in that name. Super. Pro. Hell, Antispyware even counts. The only uses I see for those names in my environment are those fake-scanners-that-infect-you that I end up removing from the PCs of computer illiterates I know. :)

In real life terms, you might say I get that 'sub-par knockoff' feeling where you deal with Mike, Abibas or no brand at all. (Ironically, I am aware the opinion seems to be that something like Appstore is trademark/brand worthy nowadays... which would be a good thing for the makers of this product. But I don't trust appstores either.)

177
The part I enjoy most about Virtual Clone Drive is that it actually uses a simple, non-intrusive icon in the tray area. Daemon Tools and others I've used have very flashy icons, while this one is very colour-neutral and goes perfectly with all the standard white Windows 7 icons for volume, networking and the event center.

The devil is in the details. :tellme:

178
N.A.N.Y. 2012 / Re: N.A.N.Y. 2012 Brainstorming, Suggestions
« on: July 14, 2011, 02:00 PM »
I put this Coding Snack up a few months ago, and I think it was generally accepted to be a bit closer to a five-meal course. Never the less, I would love to see it created. (I already have a different project I'll be working on, so I can't do it.)

The topic for the 'Flexible Fictional Timeline Tool' has all the information in it about the features that I am looking for.

179
I take it you've vetted your hard drives, checked their S.M.A.R.T. status and have done a surface scan. Likewise, I hope/assume you have looked into giving your memory at least one full cycle of MemTest86(+) tests.

Sysinternals (or was it Winternals?) also has a NotMyFault utility. I can't find it on their website but it is somewhere in their download area. It is a tool to help test the stability of your drivers rather than your memory, so try all the options on it one by one. If it makes your PC crash you know drivers are likely the cause and that you ought to try updating those. Ignore NotMyFault. That one always crashes your PC as it is the entire purpose. I blame sleep for my own misunderstanding.

Also, test the voltages your power supply gives off, especially when being stressed. (Prime95 and some benchmarking tools are nice for that.) A flakey power supply is also a good culprit for instability issues like yours.

180
I'm glad to hear it worked out. Congratulations! :)

181
What the hell.. that sound file is insane. Literally insane. Are they literally having 3-4 voices sound at the same time... 1 .. hair.. neural week 8... or something is the best I can come up with.  :tellme:

182
I use Virtual CloneDrive because Daemon Tools got way too bloated and adwarey for my tastes. All it has is rightclick the image to mount and a tray icon, and honestly - that's all one needs. :) It has the same eject-like functionality as MilesAhead describes above.

183
DcUpdater / C# Updater class for DcuHelper
« on: July 12, 2011, 08:17 PM »
Way back, around the time of the previous NANY release times, I once said to mouser that I would share the class I wrote to make use of dcuhelper.exe with the rest of DoCo. And then I forgot. Bad bad me. :-[

Anyhow, here it goes. I took this straight from JottiQ, so do with it what you wish.

Supported features of this class:
  • Properties to abstract settings storage; by default it uses the WPF Settings store to remember whether it should automatically check for updates (Properties.Settings.Default.UpdaterEnabled) and when it last checked (Properties.Settings.Default.UpdaterLastCheck)
  • Supports silent checking.
  • Silent checking supports an interval, the default being one check every two days.
  • Supports feeding additional parameters (JottiQ uses it to hide the Dcupdater button)
  • Supports label name option.
  • Supports custom captions for the dialogs (for when you hate mouser's addiction to default of an all caps UPDATE CHECK window caption).

Code of Updater class: (save in Updater.cs)
Code: C# [Select]
  1. using System;
  2. using System.Windows;
  3. using System.Diagnostics;
  4. using System.Reflection;
  5.  
  6. namespace JottiQ
  7. {
  8.     public static class Updater
  9.     {
  10.         /* Settings - adjust as necessary. */
  11.         private static string FileUpdater = "dcuhelper.exe";
  12.         private static string FileConfig = "JottiQ.dcupdate";
  13.  
  14.         private static string UpdaterLabelName = "JottiQ";
  15.         private static string UpdaterDialogCaption = "Update check";
  16.         private static string UpdaterAdditionalFlags = "-dontofferdcupdaterpage";
  17.  
  18.         private static int UpdaterCheckingInterval = 2;    /* days since last check */
  19.  
  20.         private static string UpdaterNotAvailableCaption = "You silly monkey.";
  21.         private static string UpdaterNotAvailableMessage = "Updater support is not present.";
  22.  
  23.         /* Interface for persistent storage so we don't litter the rest of the code
  24.          * with hard-coded references to the Settings stuff.
  25.          */
  26.         private static bool UpdaterEnabled
  27.         {
  28.             get { return Properties.Settings.Default.UpdaterEnabled; }
  29.         }
  30.  
  31.         private static DateTime UpdaterLastCheck
  32.         {
  33.             get { return Properties.Settings.Default.UpdaterLastCheck; }
  34.             set
  35.             {
  36.                 Properties.Settings.Default.UpdaterLastCheck = value;
  37.                 Properties.Settings.Default.Save();
  38.             }
  39.         }
  40.  
  41.         /* Implementation of the class goes below here - no changes needed. */
  42.         private static String GetInstallationLocation()
  43.         {
  44.             string appDir = Assembly.GetExecutingAssembly().Location;
  45.             appDir = System.IO.Path.GetDirectoryName(appDir);
  46.             if (!appDir.EndsWith(@"\"))
  47.                 appDir = appDir + @"\";
  48.  
  49.             return appDir;
  50.         }
  51.  
  52.         public static bool IsUpdaterAvailable()
  53.         {
  54.             bool dcUpdaterAvailable =
  55.                 System.IO.File.Exists(GetInstallationLocation() + FileUpdater) &&
  56.                 System.IO.File.Exists(GetInstallationLocation() + FileConfig);
  57.  
  58.             return dcUpdaterAvailable;
  59.         }
  60.  
  61.         public static void CheckForUpdates(bool explicitCheck)
  62.         {
  63.             if (!explicitCheck)
  64.             {
  65.                 /* See if we are allowed to do automatic checks. */
  66.                 if (UpdaterEnabled == false)
  67.                     return;
  68.  
  69.                 /* See if last check was less than X days ago. */
  70.                 TimeSpan ts = DateTime.Now.Subtract(UpdaterLastCheck);
  71.                 if (ts.Days < UpdaterCheckingInterval)
  72.                     return;
  73.             }
  74.  
  75.             if (IsUpdaterAvailable())
  76.             {
  77.                 System.Diagnostics.ProcessStartInfo updater =
  78.                     new System.Diagnostics.ProcessStartInfo();
  79.                 updater.FileName = GetInstallationLocation() + FileUpdater;
  80.                 updater.WorkingDirectory = GetInstallationLocation();
  81.                 updater.Arguments = "-i \"" + UpdaterLabelName + "\" \".\" \"" + (explicitCheck ? UpdaterDialogCaption : ".") + "\" " + UpdaterAdditionalFlags;
  82.  
  83.                 /* Old versions of dcuhelper.exe pop up an ugly command-line window. Setting the WindowStyle to Hidden hides that ugly monstrosity.
  84.                  *
  85.                  * PLEASE REMOVE this line if you have a recent version of dcuhelper.exe (later than ~January 1, 2011), since at some point
  86.                  * mouser redesigned the dialog in dcuhelper.exe, which actually broke the Hidden trick. At July 12, this bug was found and fixed,
  87.                  * so the Hidden switch can once again safely be used with dcuhelper.exe - although it is pointless as the ugly monstrosity has
  88.                  * been amputated somewhere along the way. Oh joy.
  89.                  *
  90.                  * Short story: safe for dcuhelper.exe versions: <= v1.05.01 (Oct 8, 2010) && >= v1.10.01 (July 12, 2011)
  91.                  */
  92.                 updater.WindowStyle = System.Diagnostics.ProcessWindowStyle.Hidden;
  93.  
  94.                 /* Finally start dcuhelper.exe to do our check. */
  95.                 Process.Start(updater);
  96.  
  97.                 /* Make sure to note down that we checked for an update. */
  98.                 UpdaterLastCheck = DateTime.Now;
  99.             }
  100.             else if (explicitCheck)
  101.                 MessageBox.Show(UpdaterNotAvailableMessage, UpdaterNotAvailableCaption, MessageBoxButton.OK, MessageBoxImage.Error);
  102.         }
  103.     }
  104. }

To use it, you basically want to adjust the top parameters. Sadly enough, dcuhelper.exe is a total mess for as far its commandline interface goes, which is why I hope the above settings are a good example for people to start out with. If you want to urge your users to use dcupdater, by all means remove the additional parameter -dontofferdcupdaterpage that I once upon a time forced mouser to add. Likewise, you may (or may not) want to change the implementation of the properties the Updater class uses to implement its logic.

From there on forth, it is simple. On application start (or preferably MainWindow_Loaded given that that means you've gotten through to a visual interface), call:

Code: C# [Select]
  1. /* Check for updates. */
  2. Updater.CheckForUpdates(false);

The false parameter means it is not an explicit check. In comparison, the JottiQ Updates? button is rigged the opposite way to indicate that the user initiated the update check:

Code: C# [Select]
  1. private void checkForUpdatesButton_Click(object sender, RoutedEventArgs e)
  2. {
  3.     Updater.CheckForUpdates(true);
  4. }

And prior to that, we make sure the button is only enabled when the appropriate files are in place. (In case some required files are not present.)

Code: C# [Select]
  1. private void Window_Loaded(object sender, RoutedEventArgs e)
  2. {
  3.     /* If we have update functionality, enable the button. */
  4.     checkForUpdatesButton.IsEnabled = JottiQ.Updater.IsUpdaterAvailable();
  5. }

Any comments and suggestions, please share. :)

184
N.A.N.Y. 2011 / Re: NANY 2011 Release: JottiQ
« on: July 12, 2011, 04:27 PM »
Version 1.1.1 is now out. No bugs were fixed; but a setting was added to play nice with domains and group policies that mess up the SSL certificate validation of Jotti's malware scan. While Internet Explorer would give you a warning and the option to ignore and continue on your own risk, the .NET framework is quite a bit tougher and more unforgiving in that regard. Thanks go to sujay85 to put up with the small dozen private messages I exchanged with him over the past two weeks, and the test builds that were created as a result. :)


If there is anything else you want to know, check the first post in this topic or see the website. Or simply ask in this topic; I'll be glad to answer any questions there may be.

v1.1.1 (2011-07-12)

    Any new version released suffers from a few hiccups, and v1.1.0 was no
    different. Thankfully, all this release does is pat the proverbial belly.
    
      Added: A setting that, if enabled, lessens the scrutiny given to the
          remote server of Jotti's malware scan to determine its authenticity.
          'Ignore certain SSL certificate errors' is only useful on a few
          specific configurations, and should not be enabled unless you get an
          error like the following in the Connectivity Test:
              'The underlying connection was closed: Could not establish trust
                relationship for the SSL/TLS secure channel.'
      Changed: dcuhelper.exe was updated to v1.10.01 released on July 12, 2011.

185
According to this link, you'll need to install the latest release of the .NET framework v3.5. Version 4 does not include older versions.

186
Yup, I did indeed miss that. :) However, now that I know that, I am of the opinion Kyrathaba's going about it the wrong way: rather than listing the characters that should be displayed automatically, I would list the characters that are guessable. That way, accented characters, hyphens, middle dots, double-arrow-quote-thingies, etc - they'd all be displayed. The characters one would like to guess are usually as simple as a-z and proably 0-9.

187
I haven't played, but that sounds like the wrong solution to me. How is someone going to type the altered apostrophe? (That 'directed' apostrophe has its roots in Word, and its automatic quote function.) Keyboards don't have that character, so unless you use some fancy default Windows logic that can convert it to a normal apostrophe, (or some code of your own,) you haven't fixed the actual problem of not being able to guess the proper character yet.

Since you seem to aim for the english market, I'd recommend a plain latin-1 encoding to store your guess texts. You probably use UTF-8 right now, or some other Unicode variety. Even those have a few characters you may not be able to type, but there's far less chance on this sort of mishaps that way; Unicode has tons of look-a-like characters.

188
Living Room / Re: 64 Bit OS - When to Switch ?
« on: July 08, 2011, 07:54 AM »
Here is the catch: the amount of memory available for the stack is the same in 32-bit and 64-bit Windows, but the stack entries are twice as long on 64-bit Windows. Hence the usable window hierarchy depth is halved. And if you think that you can avoid the problem by using 32-bit edition of the affected application on 64-bit Windows, that is not the case. The problem is in the 64-bit kernel. The worst thing is that Microsoft refuses to consider this a bug and fix it (unless they changed their mind since the last time I checked).

I never ran into this issue, and I do not believe it is any problem. If anything, window handles (which are the things you are referring to, I believe) have only gone up in the supported amounts, and the last time a scarcity of that resource was an issue was back in the W9x days. If you refer to the Z-order that defines what is drawn on top of what, I do not believe there is any sane limitation on that either.

I dare say, if you run into issues with the amounts of resources Windows makes available for a specific purpose, you are abusing that as a developer and without a doubt can find a more suitable solution. For example, there are tons of windowless controls that are considered lightweight because they do not use any Windows resources, and instead co-opt the help of their parent control that do have a handle.

So...if you do not want unexpected problems, switch to 64-bit Windows when you HAVE A REASON to, not when there seem not to be a reason not to.

I remain with my advice to switch now, with now being defined as 'the point where you end up (re)installing Windows'. The last we all need are people holding on to phantom reasons not to switch (because they read something on the internet at some point)... and we all know how that worked out for Windows Vista (even though there were a few good reasons, a lot of it was hot air and bad press).

The only pre-requisite is that your hardware is from the last ~5 years, which is a decent enough expectation if you intend to run Windows 7.

189
Living Room / Re: 64 Bit OS - When to Switch ?
« on: July 07, 2011, 06:42 PM »
Just switch already. This machine of mine is from 2007, and I've ran 64-bit on it for the last two years without any problems.

If you have more than ~3GB worth of memory, you should have switched already since 32-bit cannot properly make use of anything more than that.

190
If it is indeed important data, I wouldn't mess around - especially if it is a case of mechanical failure.

The way you phrase your question makes me assume you are not a professional in data recovery. So, without meaning any offense, I suggest you immediately stop doing what you are doing and approach a professional company for the recovery. (It will cost a fair bit, but it is a logical consequence of not backing up. The cost you save one way will be incurred in another.)

Every action you take (even just turning the machine on) increases the chance the data cannot be recovered even by specialists.

191
N.A.N.Y. 2012 / Re: NANY 2012 Pledge: De-stress
« on: July 06, 2011, 12:15 PM »
I've got nothing yet, save for the idea. :)

192
For now, it's only available for 64-bit Linux/BSD/Solaris environments.
However, the download page says Windows and Mac Betas will be available "Q1 2011"; any idea when that is?

Past tense. Q1 means Quarter one, which means January-March. Given the fact we are in July right now, we are in Q3, from which I would interpret that that page is outdated and/or that they are way overdue. :)

Besides that, it sounds very interesting. :)


193
N.A.N.Y. 2012 / Re: NANY 2012 Pledge: De-stress
« on: July 06, 2011, 10:09 AM »
promise to stress-test it ;)

Your offer is accepted, and you have been noted down for this life-threatening testing procedure. If you survive the effort when the time comes, my users will thank you. :)

194
N.A.N.Y. 2012 / Canceled NANY 2012 Pledge: De-stress
« on: July 06, 2011, 09:54 AM »
NANY 2012 Entry Information

Application NameDe-stress
Versionv0.0.0
Short DescriptionLife is full of stress. Work is stressful. Being at home is stressful. This application helps you deal with the most stressful of situations. (Once it stops being a canceled pledge, that is.)
Supported OSesWindows XP and up
Setup File [url=http://whitehat.dcmembers.com/]Download information not available yet.
System RequirementsNone. Actually, the user has to be capable of tons of patience. It's been CANCELED.
Author InfoPrevious worstje has taken part in NANY 2011, where he made two contributions: JottiQ and Cautomaton. (And this year, he is proud (and also very unhappy) to cancel this years pledge. He shall do penance.)
DescriptionObviously, this program is about dealing with stressful situations. What else is there to tell? (I am totally not pulling another guessing game this year, like I did with JottiQ last year. Honest! :-\) (Nope, I'm making it a 1+ year long guessing game.... CANCELED. Sorry.)
FeaturesHopefully you'll leave your desk without a heart attack forcing the paramedics to do so for you.
ScreenshotsNone available.
InstallationThe application does not yet exist. It is a pledge. No it isn't, it is a CANCELED pledge.
Using the applicationYou only have to remember one thing when you are in a stressful situation: De-stress is there for you. Or wait no, it has been CANCELED.
UninstallingThe application does not yet exist. It is a pledge. No it isn't, it is a CANCELED pledge.
Known IssuesThe name of this application sucks. Also, it has been CANCELED.

195
N.A.N.Y. 2011 / NANY 2011 Release: JottiQ v1.1.0
« on: July 01, 2011, 06:34 PM »
Version 1.1.0 is out, six months after the initial release. Woo hoo, yay, hurray and all that cheerful babble.


If there is anything else you want to know, check the first post in this topic or see the website. Or simply ask in this topic; I'll be glad to answer any questions there may be.

The JottiQ website still needs a day or two to get polished with regards to this release; I haven't managed to update it as much as I planned to for this release and at this moment, information regarding the new release and its features is decidedly lacking on there.

v1.1.0 (2011-07-01)

    Six months after the official release, it is time for a well-deserved
    update. Sadly, there isn't much one can improve in a tool with a simple
    purpose. However, I hope this new version will entertain.
    
      Added: Forks support. Also known as 'Alternative Data Streams', these
          are a well-hidden feature of the NTFS filesystem which provide for
          equally well-hidden pseudo-files attached to existing files. Most
          programs are unable to read them, no less act on them - which makes
          this a feature that truly improves Jotti's malware scan.
      Added: Proxy server support.
      Added: Connectivity test for troubleshooting issues. Some beta-testers
          for this version had problems with proxy server support, but it will
          hopefully prove useful for all parties.
      Added: A builtin 'whitelist' for forks. The feature is sometimes used
          for legitimate reasons, and one of those affects nearly every file
          downloaded. The whitelist exists for speeding up processing only;
          security-minded (distrusting?) individuals are free to enable the
          option that forces these whitelisted forks to appear in the queue.
      Added: A 'whitelist fork by name' option. If the precise comparisons on
          a possibly whitelisted fork prove troublesome, this enables one to
          consider the fork safe by proxy of its name. This feature as a work-
          around for 'Zone.Identifier' forks encoded in different formats than
          I have been able to test with - so if one finds a 'Zone.Identifier'
          fork that is not whitelisted, I request that this forks is saved to a
          file and sent to me at: jottiq-whitelist (at) whitehat.dcmembers.com
          so I may inspect it and if is found safe, add it to the whitelist in
          the next version. TL;DR? Don't enable unless you know you need it.
      Added: The queue context menu now offers an Actions sub-menu. These
          contain actions that affect the selected objects (files and/or forks)
          in the queue physically. There are currently two items in this menu:
           - Delete Object(s): This either deletes the selected file(s)
               permanently, or it removes the selected fork(s) from the file.
               Do note that deleting a file also deletes its forks, but that
               deleting a fork on a file leaves the latter intact. I remain of
               the opinion that JottiQ is an investigative tool rather than a
               cleaner, but... the peoples wishes are clear and forks are hard
               to delete, so deleting files is a logical consequence.
           - Save Fork As: This saves the contents of a fork to a file. This
               does not work for ordinary files as it would be a mere 'Copy'
               operation that may or may not bring expectations along with it;
               instead it is to be used as an inspection utility for a resource
               otherwise difficult to examine.
      Added: An 'Add file(s)' feature is now available in the toolbar. It
          completely slipped my attention in the 1.0.x versions, for which
          my apologies. Rather late than never. :)
      Removed: The 'Add Running Processes' functionality is no longer present.
          It was determined to be an inappropriate feature that only delivered
          half work, and to boot the reason why Jotti's malware scan suffers
          such ungodly waiting times during the waking hours of the western
          world ever since JottiQ's release.
      Fixed: No more crash when down-sizing the amount of worker-threads.
      Fixed: Legibility of items on right pane could suffer in certain colour
          configurations; now it uses proper system colours where applicable.
      Fixed: Zero-byte items were not being removed by the manual nor automatic
          'Remove safe items' features.
      Fixed: Deleting items from the queue while it was being processed no
          longer makes the worker-thread go M.I.A. until it finishes its work
          off the screen; it now terminates and moves on to the next item in
          the list as soon as possible.
      Changed: Uploading should be a little bit more efficient now.
      Changed: Fancy progress bars that show upload progress are now in place
          as opposed a boring textual description.
      Changed: Redesigned the Settings window with clearly named sections and
          recognizable icons in order to make JottiQ configuration more
          accessible.
      Changed: The instruction text in the main screen no longer suggests
          one to 'start processing' when processing is already enabled.

196
Living Room / Re: The law is for YOUR protection. Honest!
« on: June 29, 2011, 02:15 PM »
Patent laws should have a sanity clause that allows anyone to challenge a patent on the grounds that it is patently bonkers.
-Carol Haynes (June 28, 2011, 05:39 AM)

You gave me an idea just now - let's request a patent on filing trivial or otherwise cumbersome patents. There's got to be a limit to the amount of fancy wording that one can come up with to describe a trivial single-sentence action.

In other news, I saw this article come by earlier today: Dutch government: Hollywood approves our copyright plans (Dutch, sorry.)

Basically, we get the MPAA head honcho to do some PR on how awesome this new law is and how it should serve as an example for all of Europe. It includes all the standard anti-piracy stuff and goes a few steps further, basically putting our privacy as a second thought to their ability to identify, prosecute and make more money.

Newsflash, dutch government: the MPAA is American, not dutch nor European even, but American! However, you have been elected by the Dutch, and are expected to do what is in the citizens best interest. But nooo, this state secretary is just setting himself up for a good job in the private sector once his term is over on accounts of having done the American movie industry a couple of favors.

I just hope it is only a single state-persons views this article covers, but either way, it is sickening and disturbing with no end in sight. >:(

197
Announce Your Software/Service/Product / Re: Bvckup 2
« on: June 29, 2011, 10:05 AM »
In particular, had I not known that the site actually had content, for example if I got there from a software listing site's "developer website" link, I would have left when I saw the first screen, thinking it was still in development and the entry screen was a placeholder for the new site.

Technically, all it is right now is an announcement of the next version. By all means, it is in development, it is a sort-of placeholder/announcement thing, and it is new. So by that logic, as things stand now, it is sort of on point. But it is a product apankrat is announcing; not the website itself, so in that case it is still the wrong design (in my opinion, anyway).

198
Announce Your Software/Service/Product / Re: Bvckup 2
« on: June 29, 2011, 07:01 AM »
Yep, I still have the thread with your UI comments open in one of my FF tabs, and I fully remember that I owe you a reply. The reason I haven't got to writing it is (a) I actually agree with a few of your points (b) I severely lack time to write well-argued, Wikipedia-style reply for points that I don't agree with and I don't want to just blurt something out.

Aww, you remember. :-* Thanks for remembering, and don't rush a reply. It's good knowing you read it and didn't simply dismiss the words; knowing that you intend to get back to it eventually only makes it better. :)

Ok, point taken. I can't judge objectively as it is my own design, but I don't think it is that reminiscent of Apple's design in anything other than having a certain degree of visual polish. To put it differently - can you think of a Windows product website that has a sense of style, but does not feel Apple-ish?

No, I cannot think of a specific website or product right this minute, but I have seen them. I generally use websites to use them, not to criticize them - but if I do remember one I particularly like, I'll of course give you a headsup. One thing I do think warrants saying is that you seem to say style == Apple-ish. In other words, grey backgrounds, darker grey highlights, soft gradient 'light' touches on backgrounds and so forth. Additionally, I get a distinct 'the user is an idiot' feeling from the website; if they go to the website, nobody wants to waste 3s staring at a logo, then eventually figuring hey I have to scroll down despite having a gigantic screen that I got to minimize the need to scroll. Websites are intended to supply information; yours just gets in the way of its purpose in the same way those MPAA 'do not steal', FBI etc screens on a movie get in the way of what the (in that case legit!) user wants to do: watch their movie. The current website seems designed as if it were a presentation: because when someone is talking alongside sheets, you don't want tons of texts, and you have distinct screens to go with subjects.

It is a substantial rework of the program - both from the UI perspective and internally, so it is essentially a new product. With regards to upgrading from the beta license of v1 - the V2 will follow the same beta model whereby those who help with beta testing will be provided free or heavily discounted production licenses.

The reason I am considering the heavily discounted option is due to an incident I had not long ago. Someone was recommended downloading the program and hoarding v1 beta licenses so that they could later be exchanged for the production release licenses and (presumably) resold to others. I would be curious to know what your, guys, take on this would be. Is it worth introducing a small upgrade fee to curtail the beta license abuse? Or will it likely fire back?

The point of a beta is to get feedback. Make beta licenses need some sort of feedback flag which you can trigger when you get feedback; for example through posting on your forum (although I wouldn't automate it or you only add spamming to your problem), or by having the license used for at least 24 hours or some other time-limit thing. Probably you want to combine them so the people that do not find any bugs don't get shafted by the concept. If you combine it with some basic IP checks, you can probably keep out most of the automated buggers.

199
General Software Discussion / Re: Opera 11.5 Released
« on: June 28, 2011, 02:04 PM »
New version feels fast enough. :Thmbsup:

Although.. the new looks are going to take a while to get used to; the status bar not having the glass color anymore is especially annoying; it stands out too much right now with its whitish shine.

200
Sadly, over 95% of typefaces support little more than latin-1. The fanciest stuff you'll find on most are all the accents, and if you are lucky you'll run into the few specialty characters such as Æ, ẟ or some of the other cuties listed in the list of Latin characters. Nevermind arabic and other non-latin scripts. :(

Pages: prev1 ... 3 4 5 6 7 [8] 9 10 11 12 13 ... 23next