instruction
stringlengths 0
30k
⌀ |
---|
If you are working in the plane and you want the <a href="http://en.wikipedia.org/wiki/Euclidean_distance">Euclidean distance</a> "as the crow flies":
// Cities are points x0,y0 and x1,y1 in kilometers or miles
dx = x1 - x0;
dy = y1 - y0;
dist = sqrt(dx*dx + dy*y); // * is faster than pow for squaring
No trigonometry need!
|
I would just go by
throw new exception("WhatCausedIt")
if you want to handle your exceptions, you could pass a code instead of "WhatCausedIt" an then react to the different answers with a switch statement.
|
Yes, what you're looking for is COMET (http://en.wikipedia.org/wiki/Comet_(programming)). Other good Google terms to search for are AJAX-push and reverse-ajax.
|
Yes, what you're looking for is COMET <http://en.wikipedia.org/wiki/Comet_(programming)>. Other good Google terms to search for are AJAX-push and reverse-ajax.
|
It is possible to recover it if Git hasn't garbage collected yet.
Get an overview of dangling commits with fsck:
$ git fsck --lost-found
dangling commit b72e67a9bb3f1fc1b64528bcce031af4f0d6fcbf
Recover the dangling commit with rebase:
$ git rebase b72e67a9bb3f1fc1b64528bcce031af4f0d6fcbf
|
Where is a good place to start programming GUIs for windows?
|
|c++|c|mfc|winapi|windows-api|qt|
|
I have experience writing console and network client/server apps in C and C++, but I know next to nothing about using the win32 visual API, MFC, QT, WxWidgets, etc. Where is a good place to start, and what method should I specialize in, so as to be future ready and robust?
|
|mfc|winapi|windows-api|qt|
|
|winapi|mfc|qt|
|
Sending a mouse click to a button in the taskbar using C#
|
|c#|win32api|.net|window|
|
In an application that I am currently working on, a requirement is to bring a window of an external application to the foreground. Making Win32 API calls such as BringWindowToTop and SetForeground window do not work all the time. This is due to some restrictions within Windows XP. What I would like to do instead is send simulate a mouse click the window's button on the taskbar which I am hoping will bring the window to the front. Does anyone know how this is possible?
|
|c#|win32api|.net|windows|
|
|c#|.net|windows|winapi|
|
Getting UI text from external app in C#
|
|c#|interop|win32api|
|
Is it possible to get UI text from an external application in C#.
In particular, is there a way to read Unicode text from a label (I assume it's a normal Windows label control) from an external Win32 app that was written by a 3rd party? The text is visible, but not selectable by mouse in the UI.
I assume there is some accessibility API (e.g. meant for screen readers) that allows this.
Edit: Currently looking into using something like the [Managed Spy App][1] but would still appreciate any other leads.
[1]: http://msdn.microsoft.com/en-us/magazine/cc163617.aspx
|
You can also search through both the Form and QueryString collections at the same time so that the data will be found regardless of the the request method.
value = Request("formElementID")
|
If all you are doing is iterating through the list, you can define a method that returns the list as IEnumerable (for .NET).
By returning the interface that provides just the functionality you need, if some new collection type comes along in the future that is better/faster/a better match for your application, as long as it still implements IEnumerable you can completely rewrite your method, using the new type inside it, without changing any of the code that calls it.
|
You can use **unsafe** C# code and **pointers** in critical bottleneck points to make it run faster. Those behave much like C++ code and I believe it executes _as fast_.
But most of the time, C# is JIT-ted to uber-fast already, I don't believe there will be much differences as with what everyone has said.
But one thing you might want to consider is: Managed code (C#) string operations are rather slow compared to using pointers effectively in C++.
I think I have done some benchmarks before, but can't remember where I've put them.
|
You can use **unsafe** C# code and **pointers** in critical bottleneck points to make it run faster. Those behave much like C++ code and I believe it executes _as fast_.
But most of the time, C# is JIT-ted to uber-fast already, I don't believe there will be much differences as with what everyone has said.
But one thing you might want to consider is: **Managed code (C#) string operations are rather slow compared to using pointers effectively in C++.** There are more optimization tricks with C++ pointers than with CLR strings.
I think I have done some benchmarks before, but can't remember where I've put them.
|
My process for situations where I think performance may be an issue:
1. Make it work.
2. Make it clear.
3. Test the performance.
4. If there are meaningful performance issues: refactor for speed.
Note that this does not apply to higher-level design decisions that are more difficult to change at a later stage.
|
There IS one difference - you can't use String without "using System;" beforehand.
|
JQuery is more focused on a lot of nice utility functions, and makes DOM manipulation a whole lot easier. Basically, I consider it to be Javascript as it should have been. It's a supremely helpful addition to the Javascript language itself.
ExtJS is a suite of GUI components with specific APIs... Use it if you want to easily create components that look like that, otherwise, go with a more flexible framework.
|
An interface is essentially a contract that a class has certain methods or attributes; programming to an interface rather then a direct implementation allows for more dynamic and manageable code, as you can completely swap out implementations as long as the "contract" is still held.
In the case you describe, passing an interface does not give you a particular advantage, if it were me, I would pass the ArrayList with the generic type, or pass the Array itself: list.toArray()
|
Not an easy way, at least until a good provider is produced.
Really MS should provide at least an OLEDB Linq provider. After all, Linq to Sql is basically an implementation of IQueryable with designer support.
|
Honestly the ASP.NET Membership / Roles features would work perfectly for the scenario you described. Writing your own tables / procs / classes is a great exercise and you can get very nice control over minute details, but after doing this myself I've concluded it's better to just use the built in .NET stuff. A lot of existing code is designed to work around it which is nice at well. Writing from scratch took me about 2 weeks and it was no where near as robust as .NETs. You have to code so much crap (password recovery, auto lockout, encryption, roles, a permission interface, tons of procs, etc) and the time could be better spent elsewhere.
Sorry if I didn't answer your question, I'm like the guy who says to learn c# when someone asks a vb question.
|
If you use [PowerShell][1], you could write a script that let you change the priority of a process. I found the following PowerShell function on the [Monad blog][2]:
function set-ProcessPriority {
param($processName = $(throw "Enter process name"), $priority = "Normal")
get-process -processname $processname | foreach { $_.PriorityClass = $priority }
write-host "`"$($processName)`"'s priority is set to `"$($priority)`""
}
From the PowerShell prompt, you would do something line:
set-ProcessPriority SomeProcessName "High"
[1]: http://www.microsoft.com/windowsserver2003/technologies/management/powershell/default.mspx
[2]: http://monadblog.blogspot.com/2006/03/msh-how-to-change-processs-priority.html
|
Why should I practice Test Driven Development and how should I start?
|
|testing|tdd|
|
Lots of people talk about writing tests for their code before they start writing their code. This practice is generally known as Test Driven Development or TDD for short. What benefits do I gain from writing software this way? How do I get started with this practice?
|
You should pass self() to the child as one of the arguments to the entry function.
spawn_link(?MODULE, child, [self()]).
|
Grid Hosting for Windows
|
|.net|hosting|
|
Are there any **good** grid-hosting companies out there that offer .NET stacks? Something like MediaTemple - which won't host the worlds fastest websites, but for the price is far better than "shared hosting". I've used Rackspace's Mosso, but it sucked - it never felt like a normal .NET stack (caching was odd, site recompilation was odd).
|
Try [gogrid.com][1] they seem to have a very nice following in the cloud computing circles.
[1]: http://www.gogrid.com
|
The benefits part has [recently been covered](http://stackoverflow.com/questions/2260/what-is-tdd), as for where to start....on a small enterprisey system where there aren't too many unknowns so the risks are low. If you don't already know a testing framework (like NUnit), start by learning that. Otherwise start by writing your first test :)
|
In my opinion, the single greatest thing is that it clearly allows you to see if your code does what it is supposed to. This may seem obvious, but it is super easy to run astray of your original goals, as I have found out in the past :p
|
I personally would say go with the plan you have.. A good hash code is the best way to see if an object is "as-is".. Theres tons of hashing algorithms you can look at, check out the obvious [Wikipedia page](http://en.wikipedia.org/wiki/Hash_function) on hash functions and go from there..
Override GetHashCode and go for it! Just make sure _ALL_ the elements of the information make up part of the hash :)
|
For the fourth bullet: No you can't specify where you want to add the column. Here is the syntax for ALTER TABLE: <http://doc.ddart.net/mssql/sql70/aa-az_5.htm>
In MySQL they offer an ALTER TABLE ADD ... AFTER ... but this doesn't appear in T-SQL.
If you want to reorder the columns you'll have to rebuild the table.
Edit: For your last *last* bullet point, you'll have to DROP the table and recreate it to reorder the columns. Some graphical tools that manipulate SQL databases will do this for you and make it look like you're reordering columns, so you might want to look into that.
|
I feel the best combination of DRYness and forcing the contract is as follows (in pseudocode):
class Base {
public final constructor(name) {
constructor(name, null)
end
public abstract constructor(name, description);
}
or, alternatively:
class Base {
public abstract constructor(name);
public final constructor(name, description) {
constructor(name)
this.set_description(description)
}
private final set_description(description) {
...
}
}
There's a rule in Java that supports this decision: "never call non-final methods from a constructor."
|
duplicating jquery datepicker
|
|jquery|
|
the datepicker function only works on the first input box that is created.
i'm trying to duplicate a datepicker by cloning the div that is containing it.
<a href="#" id="dupMe">click</a>
<div id="template">
input-text <input type="text" value="text1" id="txt" />
date time picker <input type="text" id="example" value="(add date)" />
</div>
to initialize the datepicker, according to the [jQuery UI documentation][1] I only have to do $('#example').datepicker(); and it does work but only on the first datepicker that is created.
the code to duplicate the div is the following
$("a#dupMe").click(function(event){
event.preventDefault();
i++;
var a = $("#template").clone(true).insertBefore("#template").hide().fadeIn(1000);
a.find("input#txt").attr('value', i);
a.find("input#example").datepicker();
});
the strangest thing is that on the document.ready i have
$('#template #example').datepicker();
$("#template #txt").click(function() { alert($(this).val()); });
and if i click on the #txt it always works.
[1]: http://docs.jquery.com/UI/Datepicker
|
|javascript|jquery|
|
I hadn't realised that you can't call Parent.DesignMode (and I have learned something about 'protected' in C# too...)
Here's a reflective version: (I suspect there might be a performance advantage to making designModeProperty a static field)
static bool IsDesignMode(Control control)
{
PropertyInfo designModeProperty = typeof(Component).
GetProperty("DesignMode", BindingFlags.Instance | BindingFlags.NonPublic);
while (designModeProperty != null && control != null)
{
if((bool)designModeProperty.GetValue(control, null))
{
return true;
}
control = control.Parent;
}
return false;
}
|
Initially, use an **8 * 8 integer array** to represent the chess board.
You can start programing using this notation. Give point values for the pieces. For example:
white queen = 9
black queen = -9
etc.
After you develop the basic backbones of your application and clearly understand the working of the algorithms used, try to improve the performance by using bit boards.
In bit boards, you use eight 8 -bit words to represent the boards. This representation needs a board for each chess piece. In one bit board you will be storing the position of the rook while in another you will be storing the position of the knight... etc
Bit boards can improve the performance of your application very much because manipulating the pieces with bit boards are very easy and fast.
|
Initially, use an **8 * 8 integer array** to represent the chess board.
You can start programing using this notation. Give point values for the pieces. For example:
**White**
9 = white queen
5 = white rook
3 = bishop
3 = knight
1 = pawn
**black**
-9 = white queen
-5 = white rook
-3 = bishop
-3 = knight
-1 = pawn
White King: very large positive number
Black King: very large negative number
etc. (Note that the points given above are approximations of trading power of each chess piece)
After you develop the basic backbones of your application and clearly understand the working of the algorithms used, try to improve the performance by using bit boards.
In bit boards, you use eight 8 -bit words to represent the boards. This representation needs a board for each chess piece. In one bit board you will be storing the position of the rook while in another you will be storing the position of the knight... etc
Bit boards can improve the performance of your application very much because manipulating the pieces with bit boards are very easy and fast.
As you pointed out,
> Most chessprograms today, especially
> those that run on a 64 bit CPU, use a
> bitmapped approach to represent a
> chessboard and generate moves. x88 is
> an alternate board model for machines
> without 64 bit CPUs.
|
How to use the SharePoint MultipleLookupField control?
|
|sharepoint|multiplelookupfield|
|
I want to use the MultipleLookupField control in a web page that will run in the context of SharePoint. I was wondering if anyone would help me with an example, which shows step by step how to use the control two display two SPField Collections.
|
How do I remove an item from a stl vector with a certain value?
|
|c++|stl|
|
I was looking at the API documentation for stl vector, and noticed there was no method on the vector class that allowed the removal of an element with a certain value. This seems like a common operation, and it seems odd that there's no built in way to do this.
|
It's the implementations that doesn't support multi-threading. Currently Google Gears is providing a way to use some form of concurrency by executing external processes but that's about it.
The new browser Google is supposed to release today (Google Chrome) executes some code in parallel by separating it in process.
The core language, of course can have the same support as, say Java, but support for something like Erlang's concurrency is nowhere near the horizon.
|
SQL: Returning the sum of items depending on which type it is
|
|sql|sql-server|
|
I have one field that I need to sum lets say named items
However that field can be part of group a or b
In the end I need to have all of the items summed for group a and group b
|
I have one field that I need to sum lets say named items
However that field can be part of group a or b
In the end I need to have all of the items summed for group a and group b
when I say grouped I mean there is a LEFT OUTER JOIN to another table the previous table has a type for the items and the one being joined has a group assigned for this item type
|
I have one field that I need to sum lets say named items
However that field can be part of group a or b
In the end I need to have all of the items summed for group a and group b
when I say grouped I mean there is a LEFT OUTER JOIN to another table the previous table has a type for the items and the one being joined has a group assigned for this item type
Sorry guys Im a little new to sql I am going to try out what you have given me an get back to you
|
I have one field that I need to sum lets say named items
However that field can be part of group a or b
In the end I need to have all of the items summed for group a and group b
when I say grouped I mean there is a LEFT OUTER JOIN to another table the previous table has a type for the items and the one being joined has a group assigned for this item type
Sorry guys Im a little new to sql I am going to try out what you have given me an get back to you
Ok I feel like we are getting close just not yet allain's I can get them to separate but the issue I need to have both groups to sum on the same row which is difficult because I also have several LEFT OUTER JOIN's involved
Tyler's looks like it might work too so I am trying to hash that out real fast
|
I have one field that I need to sum lets say named items
However that field can be part of group a or b
In the end I need to have all of the items summed for group a and group b
when I say grouped I mean there is a LEFT OUTER JOIN to another table the previous table has a type for the items and the one being joined has a group assigned for this item type
Sorry guys Im a little new to sql I am going to try out what you have given me an get back to you
Ok I feel like we are getting close just not yet allain's I can get them to separate but the issue I need to have both groups to sum on the same row which is difficult because I also have several LEFT OUTER JOIN's involved
Tyler's looks like it might work too so I am trying to hash that out real fast
Alain's seems to be the way to go but I have to tweek it a little more
|
i started out using [free text box][1] when i was doing a lot of asp.net programming, but now that most of what i do is php i've moved to the [FCK editor][2].
while the change wasn't necessarily prompted by the language, i feel that the fck editor is a better choice because of it's versatility.
[1]: http://freetextbox.com/default.aspx
[2]: http://www.fckeditor.net/
|
Targeting multiple versions of .net framework
|
|.net|
|
Suppose I have some code that would, in theory, compile against *any* version of the .net framework. Think "Hello World", if you like.
If I actually compile the code, though, I'll get an executable that runs against one *particular* version.
Is there any way to arrange things so that the compiled exe will just run against whatever version it finds? I strongly suspect that the answer is no, but I'd be happy to be proven wrong...
|
Suppose I have some code that would, in theory, compile against *any* version of the .net framework. Think "Hello World", if you like.
If I actually compile the code, though, I'll get an executable that runs against one *particular* version.
Is there any way to arrange things so that the compiled exe will just run against whatever version it finds? I strongly suspect that the answer is no, but I'd be happy to be proven wrong...
----------
Edit: Well, I'll go to the foot of our stairs. I had no idea that later frameworks would happily run exe's compiled under earlier versions. Thanks for all the responses!
|
@Espo: Thanks for the great advice on where to start. Your link would have been better if I had been configuring sendmail for its first use instead of taking an existing configuration and making this small change. However, once I knew to look for stuff on "SmartHost", I found an easier way.
All I had to do was edit my /etc/mail/sendmail.cf file to change
DS
to
DSmailrelay.example.com
then restart sendmail and it worked.
|
As mentioned prior snippets are what you are looking for.
For reference look here:
http://manual.macromates.com/en/snippets
http://screenflicker.com/mike/code/div-snippets/
|
For what it's worth, Perforce is a potential option if you truly stick to 1 or 2 users. Current perforce docs says you have have 2 users and 5 clients without having to start purchasing licenses.
You might have reasons to switch to perforce depending on your workflow and if you have need of branching the way perforce does it. Not being overly familar with some the other products mentioned here, I can't tell you how perforce compares in the feature department for things like branching, etc.
It is speedy, and it's been rock solid for us (300+ developers on a 10+ year old codebase). We store several T of info and it's been quite responsive. With a small number of users, I doubt that you'd experience many performance troubles assuming you had good hardware for your server.
Having used VSS before, I believe that you can get so many benefits out of a better SCM system that switching should be considered regardless of whether you have corruption or not. Branching alone might be worth it for you. A true client/server model, better interfaces (programmatically and command line) are a couple of other things that could really help just improve your workflow and help somewhat with productivity.
In summary, my view of Perforce is:
- It's fast and quite reliable
- Plenty of cross platform client tools (windows, unix, mac, etc)
- it's free for 2 users and 5 clients
- Integrates into developer studio (and other tools)
- Has a powerful branching system (that might or might not be right for you).
- Has several scriptable interfaces (python, perl, ruby, C++)
Certainly YMMV -- I only offer this alternative up as something that might be worthwhile looking into.
|
Programmaticly building htpasswd.
|
|php|automation|.htpasswd|
|
Is there a programmatic way to build htpasswd files, without depending on OS specific functions (i.e. exec(), passthru())?
|
You should make sure that GPG is in your path when the cronjob is running. Your best guess would be do get the full path of GPG (by doing `which gpg`) and running it using the full path (for example `/usr/bin/gpp...`).
Some other debugging tips:
- output the value of `$?` after running GPG (like this: echo "$?"). This gives you the exit code, which should be 0, if it succeded
- redirect the STDERR to STDOUT for GPG and then redirect STDOUT to a file, to inspect any error messages which might get printed (you can do this a command line: `/usr/bin/gpg ... 2>&1 >> gpg.log`)
|
One of my favorite uses of reflection is the below Java dump method. It takes any object as a parameter and uses the Java reflection API print out every field name and value.
import java.lang.reflect.Array;
import java.lang.reflect.Field;
public static String dump(Object o, int callCount) {
callCount++;
StringBuffer tabs = new StringBuffer();
for (int k = 0; k < callCount; k++) {
tabs.append("\t");
}
StringBuffer buffer = new StringBuffer();
Class oClass = o.getClass();
if (oClass.isArray()) {
buffer.append("\n");
buffer.append(tabs.toString());
buffer.append("[");
for (int i = 0; i < Array.getLength(o); i++) {
if (i < 0)
buffer.append(",");
Object value = Array.get(o, i);
if (value.getClass().isPrimitive() ||
value.getClass() == java.lang.Long.class ||
value.getClass() == java.lang.String.class ||
value.getClass() == java.lang.Integer.class ||
value.getClass() == java.lang.Boolean.class
) {
buffer.append(value);
} else {
buffer.append(dump(value, callCount));
}
}
buffer.append(tabs.toString());
buffer.append("]\n");
} else {
buffer.append("\n");
buffer.append(tabs.toString());
buffer.append("{\n");
while (oClass != null) {
Field[] fields = oClass.getDeclaredFields();
for (int i = 0; i < fields.length; i++) {
buffer.append(tabs.toString());
fields[i].setAccessible(true);
buffer.append(fields[i].getName());
buffer.append("=");
try {
Object value = fields[i].get(o);
if (value != null) {
if (value.getClass().isPrimitive() ||
value.getClass() == java.lang.Long.class ||
value.getClass() == java.lang.String.class ||
value.getClass() == java.lang.Integer.class ||
value.getClass() == java.lang.Boolean.class
) {
buffer.append(value);
} else {
buffer.append(dump(value, callCount));
}
}
} catch (IllegalAccessException e) {
buffer.append(e.getMessage());
}
buffer.append("\n");
}
oClass = oClass.getSuperclass();
}
buffer.append(tabs.toString());
buffer.append("}\n");
}
return buffer.toString();
}
|
Using Zend Framework and setting a Zend_Form_Element form field to be required, how do I change the validator used to ensure that the element is not blank
|
|php|zend|zend-framework|validation|
|
When using a Zend_Form, the only way to validate that a input is not left blank is to do
$element->setRequired(true);
If this is not set and the element is blank, it appears to me that validation is not run on the element.
If I do use setRequired(), the element is automatically given the standard NotEmpty validator. The thing is that the error message with this validator sucks, "Value is empty, but a non-empty value is required". I want to change this message. At the moment I have done this by changing the Zend_Validate_NotEmpty class, but this is a bit hacky.
I would ideally like to be able to use my own class (derived from Zend_Validate_NotEmpty) to perform the not empty check.
|
If you want to upgrade every site on a server you could probably make changes to the machine.config
|
Using a rotary encoder with AVR Micro controller
|
|microcontroller|avr|encoder|atmega|
|
I'm having trouble getting a rotary encoder to work properly with AVR micro controllers. The encoder is a mechanical [ALPS encoder][1], and I'm using [Atmega168][2].
[1]: http://no.farnell.com/1520815/passives/product.us0?sku=alps-ec12d1524401
[2]: http://www.atmel.com/dyn/resources/prod_documents/doc2545.pdf
|
|microcontroller|avr|atmega|encoder|
|
I'm having trouble getting a rotary encoder to work properly with AVR micro controllers. The encoder is a mechanical [ALPS encoder][1], and I'm using [Atmega168][2].
**Clarification**
I have tried using an External Interrupt to listen to the pins, but it seems like it is too slow. When Pin A goes high, the interrupt procedure starts and then checks if Pin B is high. The idea is that if Pin B is high the moment Pin A went high, then it is rotating counter clock-wise. If Pin B is low, then it is rotating clock-wise. But it seems like the AVR takes too long to check Pin B, so it is always read as high.
I've also tried to create a program that simply blocks until Pin B or Pin A changes. But it might be that there is too much noise when the encoder is rotated, because this does not work either. My last attempt was to have a timer which stores the last 8 values in a buffer and checks if it is going from low to high. This did not work either.
I have tried scoping the encoder, and it seems to use between 2 and 4ms from the first Pin changes till the other Pin changes.
[1]: http://no.farnell.com/1520815/passives/product.us0?sku=alps-ec12d1524401
[2]: http://www.atmel.com/dyn/resources/prod_documents/doc2545.pdf
|
NHibernate Session.Flush() Sending Update Queries When No Update Has Occurred
|
|c#|.net|nhibernate|
|
I have an NHibernate session. In this session, I am performing exactly 1 operation, which is to run this code to get a list:
public IList<Customer> GetCustomerByFirstName(string customerFirstName)
{
return _session.CreateCriteria(typeof(Customer))
.Add(new NHibernate.Expression.EqExpression("FirstName", customerFirstName))
.List<Customer>();
}
I am calling Session.Flush() at the end of the HttpRequest, and I get a HibernateAdoException. NHibernate is passing an update statement to the db, and causing a foreign key violation. If I don't run the flush, the request completes with no problem. The issue here is that I need the flush in place in case there is a change that occurs within other sessions, since this code is reused in other areas. Is there another configuration setting I might be missing?
|
Communication between pages
|
The first is faster because bitwise operations such as xor are usually very hard to visualize for the reader.
Faster to understand of course, which is the most important part ;)
|
Is there any way to sticky a file in subversion
|
|svn|tortoisesvn|
|
We have been working with CVS for years, and frequently find it useful to sticky a single file here and there. Is there any way to do this in subversion, specifically from TortoiseSVN?
|
|svn|
|
Automated Builds
|
|build-automation|subversion|nant|
|
I currently use [subversion][1] for my version control via [AhnkSVN][2] and Visual Studio. I recently started using [Tree Surgeon][3] to set up my projects. It creates a build script automatically using [NAnt][4]. I would like to be able to automate builds regularly projects within SVN. I like the idea of doing a build on every check in but nightly builds would work as well. I would give more information or more of my thoughts but figured I would leave it open and see what the SO community has to say.
[1]: http://subversion.tigris.org/
[2]: http://ankhsvn.open.collab.net/
[3]: http://www.codeplex.com/treesurgeon
[4]: http://nant.sourceforge.net/
|
|svn|nant|build-automation|
|
Can't create a subversion repository with Eclipse 3.4.0, svn 1.5.1
|
|subversion|macos|eclipse|
|