You are viewing a plain text version of this content. The canonical link for it is here.
Posted to commits@flex.apache.org by ah...@apache.org on 2016/04/26 06:29:27 UTC

[35/63] [abbrv] [partial] git commit: [flex-falcon] [refs/heads/develop] - move stuff to where I think Maven wants it

http://git-wip-us.apache.org/repos/asf/flex-falcon/blob/07f5a7de/debugger/src/flex/tools/debugger/cli/Help.java
----------------------------------------------------------------------
diff --git a/debugger/src/flex/tools/debugger/cli/Help.java b/debugger/src/flex/tools/debugger/cli/Help.java
deleted file mode 100644
index b6272bf..0000000
--- a/debugger/src/flex/tools/debugger/cli/Help.java
+++ /dev/null
@@ -1,91 +0,0 @@
-/*
- * Licensed to the Apache Software Foundation (ASF) under one or more
- * contributor license agreements.  See the NOTICE file distributed with
- * this work for additional information regarding copyright ownership.
- * The ASF licenses this file to You under the Apache License, Version 2.0
- * (the "License"); you may not use this file except in compliance with
- * the License.  You may obtain a copy of the License at
- *
- *     http://www.apache.org/licenses/LICENSE-2.0
- *
- * Unless required by applicable law or agreed to in writing, software
- * distributed under the License is distributed on an "AS IS" BASIS,
- * WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied.
- * See the License for the specific language governing permissions and
- * limitations under the License.
- */
-
-package flex.tools.debugger.cli;
-
-import java.io.InputStream;
-import java.util.ArrayList;
-import java.util.List;
-import java.util.Locale;
-
-public class Help
-{
-    private Help()
-    {
-    }
-
-    public static InputStream getResourceAsStream()
-    {
-		List<String> names = calculateLocalizedFilenames("fdbhelp", ".txt", Locale.getDefault()); //$NON-NLS-1$ //$NON-NLS-2$
-		for (int i=names.size()-1; i>=0; --i) {
-			InputStream stm = Help.class.getResourceAsStream(names.get(i));
-			if (stm != null) {
-				return stm;
-			}
-		}
-		return null;
-    }
-
-    /**
-     * Returns an array of filenames that might match the given baseName and locale.
-     * For example, if baseName is "fdbhelp", the extension is ".txt", and the locale
-     * is "en_US", then the returned array will be (in this order):
-     * 
-     * <ul>
-     *  <li> <code>fdbhelp.txt</code> </li>
-     *  <li> <code>fdbhelp_en.txt</code> </li>
-     * 	<li> <code>fdbhelp_en_US.txt</code> </li>
-     * </ul>
-     */
-    private static List<String> calculateLocalizedFilenames(String baseName, String extensionWithDot, Locale locale) {
-    	List<String> names = new ArrayList<String>();
-        String language = locale.getLanguage();
-        String country = locale.getCountry();
-        String variant = locale.getVariant();
-
-        names.add(baseName + extensionWithDot);
-
-        if (language.length() + country.length() + variant.length() == 0) {
-            //The locale is "", "", "".
-            return names;
-        }
-        final StringBuilder temp = new StringBuilder(baseName);
-        temp.append('_');
-        temp.append(language);
-        if (language.length() > 0) {
-            names.add(temp.toString() + extensionWithDot);
-        }
-
-        if (country.length() + variant.length() == 0) {
-            return names;
-        }
-        temp.append('_');
-        temp.append(country);
-        if (country.length() > 0) {
-            names.add(temp.toString() + extensionWithDot);
-        }
-
-        if (variant.length() == 0) {
-            return names;
-        }
-        temp.append('_');
-        temp.append(variant);
-        names.add(temp.toString() + extensionWithDot);
-
-        return names;
-    }
-}

http://git-wip-us.apache.org/repos/asf/flex-falcon/blob/07f5a7de/debugger/src/flex/tools/debugger/cli/IntProperties.java
----------------------------------------------------------------------
diff --git a/debugger/src/flex/tools/debugger/cli/IntProperties.java b/debugger/src/flex/tools/debugger/cli/IntProperties.java
deleted file mode 100644
index a5b3ee0..0000000
--- a/debugger/src/flex/tools/debugger/cli/IntProperties.java
+++ /dev/null
@@ -1,36 +0,0 @@
-/*
- * Licensed to the Apache Software Foundation (ASF) under one or more
- * contributor license agreements.  See the NOTICE file distributed with
- * this work for additional information regarding copyright ownership.
- * The ASF licenses this file to You under the Apache License, Version 2.0
- * (the "License"); you may not use this file except in compliance with
- * the License.  You may obtain a copy of the License at
- *
- *     http://www.apache.org/licenses/LICENSE-2.0
- *
- * Unless required by applicable law or agreed to in writing, software
- * distributed under the License is distributed on an "AS IS" BASIS,
- * WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied.
- * See the License for the specific language governing permissions and
- * limitations under the License.
- */
-
-package flex.tools.debugger.cli;
-
-import java.util.HashMap;
-import java.util.Set;
-
-public class IntProperties
-{
-	HashMap<String, Integer> m_map = new HashMap<String, Integer>();
-
-	/* getters */
-	public Integer					getInteger(String s)	{ return m_map.get(s); }
-	public int						get(String s)			{ return getInteger(s).intValue(); }
-	public Set<String>				keySet()				{ return m_map.keySet(); }
-	public HashMap<String, Integer>	map()					{ return m_map; }
-
-	/* setters */
-	public void put(String s, int value)		{ m_map.put(s, new Integer(value)); }
-
-}

http://git-wip-us.apache.org/repos/asf/flex-falcon/blob/07f5a7de/debugger/src/flex/tools/debugger/cli/InternalProperty.java
----------------------------------------------------------------------
diff --git a/debugger/src/flex/tools/debugger/cli/InternalProperty.java b/debugger/src/flex/tools/debugger/cli/InternalProperty.java
deleted file mode 100644
index b5ce7e7..0000000
--- a/debugger/src/flex/tools/debugger/cli/InternalProperty.java
+++ /dev/null
@@ -1,46 +0,0 @@
-/*
- * Licensed to the Apache Software Foundation (ASF) under one or more
- * contributor license agreements.  See the NOTICE file distributed with
- * this work for additional information regarding copyright ownership.
- * The ASF licenses this file to You under the Apache License, Version 2.0
- * (the "License"); you may not use this file except in compliance with
- * the License.  You may obtain a copy of the License at
- *
- *     http://www.apache.org/licenses/LICENSE-2.0
- *
- * Unless required by applicable law or agreed to in writing, software
- * distributed under the License is distributed on an "AS IS" BASIS,
- * WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied.
- * See the License for the specific language governing permissions and
- * limitations under the License.
- */
-
-package flex.tools.debugger.cli;
-
-import flash.tools.debugger.expression.NoSuchVariableException;
-
-public class InternalProperty
-{
-	String m_key;
-	Object m_value;
-
-	public InternalProperty(String key, Object value)
-	{
-		m_key = key;
-		m_value = value;
-	}
-
-	/* getters */
-	public String getName()		{ return m_key; }
-	@Override
-	public String toString()	{ return (m_value == null) ? "null" : m_value.toString(); } //$NON-NLS-1$
-
-	public String valueOf() throws NoSuchVariableException 
-	{ 
-		if (m_value == null) 
-			throw new NoSuchVariableException(m_key);
-
-		return toString();
-	}
-
-}

http://git-wip-us.apache.org/repos/asf/flex-falcon/blob/07f5a7de/debugger/src/flex/tools/debugger/cli/LocationCollection.java
----------------------------------------------------------------------
diff --git a/debugger/src/flex/tools/debugger/cli/LocationCollection.java b/debugger/src/flex/tools/debugger/cli/LocationCollection.java
deleted file mode 100644
index 37dbeab..0000000
--- a/debugger/src/flex/tools/debugger/cli/LocationCollection.java
+++ /dev/null
@@ -1,94 +0,0 @@
-/*
- * Licensed to the Apache Software Foundation (ASF) under one or more
- * contributor license agreements.  See the NOTICE file distributed with
- * this work for additional information regarding copyright ownership.
- * The ASF licenses this file to You under the Apache License, Version 2.0
- * (the "License"); you may not use this file except in compliance with
- * the License.  You may obtain a copy of the License at
- *
- *     http://www.apache.org/licenses/LICENSE-2.0
- *
- * Unless required by applicable law or agreed to in writing, software
- * distributed under the License is distributed on an "AS IS" BASIS,
- * WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied.
- * See the License for the specific language governing permissions and
- * limitations under the License.
- */
-
-package flex.tools.debugger.cli;
-
-import java.util.ArrayList;
-import java.util.Iterator;
-
-import flash.tools.debugger.Location;
-
-/**
- * This object is a container for source locations
- * that represent the same underlying file and line
- * number. 
- *
- * The reason we need this is because multiple 
- * swfs each contain their own unique version of
- * a source file and we'd like to be able to 
- * refer to any one location freely 
- * 
- * It is modelled after the Collection interface
- */
-public class LocationCollection
-{
-	private ArrayList<Location> m_locations = new ArrayList<Location>();
-
-	public boolean		add(Location l)			{ return m_locations.add(l); }
-	public boolean		contains(Location l)	{ return m_locations.contains(l); }
-	public boolean		remove(Location l)		{ return m_locations.remove(l); }
-	public boolean		isEmpty()				{ return m_locations.isEmpty(); }
-	public Iterator<Location> iterator()		{ return m_locations.iterator(); }
-
-    // Return the first Location object or null
-	public Location     first()					{ return ( (m_locations.size() > 0) ? m_locations.get(0) : null ); }
-
-    // Return the last Location object or null
-    public Location     last()                  { return ( (m_locations.size() > 0) ? m_locations.get(m_locations.size() - 1) : null ); }
-
-	/**
-	 * Removes Locations from the Collection which contain
-	 * SourceFiles with Ids in the range [startingId, endingId].
-	 */
-	public void removeFileIdRange(int startingId, int endingId)
-	{
-		Iterator<Location> i = iterator();
-		while(i.hasNext())
-		{
-			Location l = i.next();
-			int id = (l.getFile() == null) ? -1 : l.getFile().getId();
-			if (id >= startingId && id <= endingId)
-				i.remove();
-		}
-	}
-
-	/**
-	 * See if the collection contains a Location 
-	 * which is identical to the given file id and 
-	 * line number
-	 */
-	public boolean contains(int fileId, int line)
-	{
-		boolean found = false;
-		Iterator<Location> i = iterator();
-		while(i.hasNext() && !found)
-		{
-			Location l = i.next();
-			int id = (l.getFile() == null) ? -1 : l.getFile().getId();
-			if (id == fileId && l.getLine() == line)
-				found = true;
-		}
-		return found;
-	}
-
-	/** for debugging */
-	@Override
-	public String toString()
-	{
-		return m_locations.toString();
-	}
-}

http://git-wip-us.apache.org/repos/asf/flex-falcon/blob/07f5a7de/debugger/src/flex/tools/debugger/cli/NoMatchException.java
----------------------------------------------------------------------
diff --git a/debugger/src/flex/tools/debugger/cli/NoMatchException.java b/debugger/src/flex/tools/debugger/cli/NoMatchException.java
deleted file mode 100644
index 98dde02..0000000
--- a/debugger/src/flex/tools/debugger/cli/NoMatchException.java
+++ /dev/null
@@ -1,31 +0,0 @@
-/*
- * Licensed to the Apache Software Foundation (ASF) under one or more
- * contributor license agreements.  See the NOTICE file distributed with
- * this work for additional information regarding copyright ownership.
- * The ASF licenses this file to You under the Apache License, Version 2.0
- * (the "License"); you may not use this file except in compliance with
- * the License.  You may obtain a copy of the License at
- *
- *     http://www.apache.org/licenses/LICENSE-2.0
- *
- * Unless required by applicable law or agreed to in writing, software
- * distributed under the License is distributed on an "AS IS" BASIS,
- * WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied.
- * See the License for the specific language governing permissions and
- * limitations under the License.
- */
-
-package flex.tools.debugger.cli;
-
-/**
- * While attempting to resolve a function name or filename, no match
- * was found.  For example, this is thrown if the user enters
- * "break foo.mxml:12" but there is no file called "foo.mxml".
- */
-public class NoMatchException extends Exception
-{
-    private static final long serialVersionUID = 721945420519126096L;
-    
-    public NoMatchException() {}
-	public NoMatchException(String s) { super(s); }
-}

http://git-wip-us.apache.org/repos/asf/flex-falcon/blob/07f5a7de/debugger/src/flex/tools/debugger/cli/StringIntArray.java
----------------------------------------------------------------------
diff --git a/debugger/src/flex/tools/debugger/cli/StringIntArray.java b/debugger/src/flex/tools/debugger/cli/StringIntArray.java
deleted file mode 100644
index 76db507..0000000
--- a/debugger/src/flex/tools/debugger/cli/StringIntArray.java
+++ /dev/null
@@ -1,120 +0,0 @@
-/*
- * Licensed to the Apache Software Foundation (ASF) under one or more
- * contributor license agreements.  See the NOTICE file distributed with
- * this work for additional information regarding copyright ownership.
- * The ASF licenses this file to You under the Apache License, Version 2.0
- * (the "License"); you may not use this file except in compliance with
- * the License.  You may obtain a copy of the License at
- *
- *     http://www.apache.org/licenses/LICENSE-2.0
- *
- * Unless required by applicable law or agreed to in writing, software
- * distributed under the License is distributed on an "AS IS" BASIS,
- * WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied.
- * See the License for the specific language governing permissions and
- * limitations under the License.
- */
-
-package flex.tools.debugger.cli;
-
-import java.util.ArrayList;
-import java.util.AbstractList;
-
-/**
- * This class wraps a Nx2 array and provides a List interface
- * for each of the 2 columns of the array.
- *
- * Its main purpose is to provide the method elementsStartingWith()
- * which returns a ArrayList of index numbers for each element whose
- * String component matches the provided argument.
- */
-public class StringIntArray extends AbstractList<Object>
-{
-	Object[]    m_ar;
-	int			m_size = 0;
-	double		m_growthRatio = 1.60;
-
-	public StringIntArray(Object[] ar)
-	{
-		m_ar = ar;
-		m_size = m_ar.length;
-	}
-
-	public StringIntArray()	{ this(10); }
-
-	public StringIntArray(int size)
-	{
-		m_ar = new Object[size];
-		m_size = 0;
-	}
-
-	@Override
-	public Object		get(int at)				{ return m_ar[at];	}
-	@Override
-	public int			size()					{ return m_size; }
-
-	public Object[]		getElement(int at)		{ return (Object[])get(at);	}
-	public String		getString(int at)		{ return (String)getElement(at)[0]; }
-	public Integer		getInteger(int at)		{ return (Integer)getElement(at)[1]; }
-	public int			getInt(int at)			{ return getInteger(at).intValue(); }
-
-	/**
-	 * Sequentially walk through the entire list 
-	 * matching the String components against the 
-	 * given string 
-	 */
-	public ArrayList<Integer> elementsStartingWith(String s)
-	{
-		ArrayList<Integer> alist = new ArrayList<Integer>();
-		for(int i=0; i<m_size; i++)
-			if ( getString(i).startsWith(s) )
-				alist.add( new Integer(i) );
-
-		return alist;
-	}
-
-	@Override
-	public void add(int at, Object e)
-	{
-		// make sure there is enough room in the array, then add the element 
-		ensureCapacity(1);
-		int size = size();
-
-		// open a spot for the element and stick it in
-//		System.out.println("add("+at+"), moving "+at+" to "+(at+1)+" for "+(size-at)+",size="+size);
-		System.arraycopy(m_ar, at, m_ar, at+1, size-at);
-		m_ar[at] = e;
-
-		m_size++;
-	}
-
-	@Override
-	public Object remove(int at)
-	{
-		int size = size();
-		Object o = m_ar[at];
-
-//		System.out.println("remove("+at+"), moving "+(at+1)+" to "+at+" for "+(size-at+1)+",size="+size);
-		System.arraycopy(m_ar, at+1, m_ar, at, size-at+1);
-		m_size--;
-
-		return o;
-	}
-
-	void ensureCapacity(int amt)
-	{
-		int size = size();
-		int newSize = amt+size;
-		if (newSize > m_ar.length)
-		{
-			// we need a new array, compute a good size for it
-			double growTo = m_ar.length * m_growthRatio;   // make bigger
-			if (newSize > growTo)
-				growTo += newSize + (newSize * m_growthRatio);
-
-			Object[] nAr = new Object[(int)growTo+1];
-			System.arraycopy(m_ar, 0, nAr, 0, m_ar.length);
-			m_ar = nAr;
-		}
-	}
-}

http://git-wip-us.apache.org/repos/asf/flex-falcon/blob/07f5a7de/debugger/src/flex/tools/debugger/cli/VariableFacade.java
----------------------------------------------------------------------
diff --git a/debugger/src/flex/tools/debugger/cli/VariableFacade.java b/debugger/src/flex/tools/debugger/cli/VariableFacade.java
deleted file mode 100644
index eda7784..0000000
--- a/debugger/src/flex/tools/debugger/cli/VariableFacade.java
+++ /dev/null
@@ -1,91 +0,0 @@
-/*
- * Licensed to the Apache Software Foundation (ASF) under one or more
- * contributor license agreements.  See the NOTICE file distributed with
- * this work for additional information regarding copyright ownership.
- * The ASF licenses this file to You under the Apache License, Version 2.0
- * (the "License"); you may not use this file except in compliance with
- * the License.  You may obtain a copy of the License at
- *
- *     http://www.apache.org/licenses/LICENSE-2.0
- *
- * Unless required by applicable law or agreed to in writing, software
- * distributed under the License is distributed on an "AS IS" BASIS,
- * WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied.
- * See the License for the specific language governing permissions and
- * limitations under the License.
- */
-
-package flex.tools.debugger.cli;
-
-import flash.tools.debugger.NoResponseException;
-import flash.tools.debugger.NotConnectedException;
-import flash.tools.debugger.NotSuspendedException;
-import flash.tools.debugger.Session;
-import flash.tools.debugger.Value;
-import flash.tools.debugger.Variable;
-import flash.tools.debugger.concrete.PlayerSession;
-import flash.tools.debugger.events.FaultEvent;
-
-/**
- * A VariableFacade provides a wrapper around a Variable object
- * that provides a convenient way of storing parent information.
- * 
- * Don't ask me why we didn't just add a parent member to 
- * Variable and be done with it.
- */
-public class VariableFacade implements Variable
-{
-	Variable	m_var;
-	long		m_context;
-	String		m_name;
-	String		m_path;
-	int m_isolateId;
-
-	public VariableFacade(Variable v, long context, int m_isolateId)		{ init(context, v, null, m_isolateId); }
-	public VariableFacade(long context, String name, int m_isolateId)	{ init(context, null, name, m_isolateId); }
-
-	void init(long context, Variable v, String name, int isolateId)
-	{
-		m_var = v;
-		m_context = context;
-		m_name = name;
-		m_isolateId = isolateId;
-	}
-
-	/**
-	 * The variable interface 
-	 */
-	public String		getName()								{ return (m_var == null) ? m_name : m_var.getName(); }
-	public String		getQualifiedName()						{ return (m_var == null) ? m_name : m_var.getQualifiedName(); }
-	public String		getNamespace()							{ return m_var.getNamespace(); }
-	public int			getLevel()								{ return m_var.getLevel(); }
-	public String		getDefiningClass()						{ return m_var.getDefiningClass(); }
-	public int			getAttributes()							{ return m_var.getAttributes(); }
-	public int			getScope()								{ return m_var.getScope(); }
-	public boolean		isAttributeSet(int variableAttribute)	{ return m_var.isAttributeSet(variableAttribute); }
-	public Value		getValue()								{ return m_var.getValue(); }
-	public boolean		hasValueChanged(Session s)				{ return m_var.hasValueChanged(s); }
-	public FaultEvent setValue(Session s, int type, String value) throws NotSuspendedException, NoResponseException, NotConnectedException
-	{
-		return ((PlayerSession)s).setScalarMember(m_context, getQualifiedName(), type, value, m_var.getIsolateId());
-	}
-	@Override
-	public String		toString()								{ return (m_var == null) ? m_name : m_var.toString(); }
-	public String		getPath()								{ return m_path; }
-	public void			setPath(String path)					{ m_path = path; }
-	public boolean needsToInvokeGetter()						{ return m_var.needsToInvokeGetter(); }
-	public void invokeGetter(Session s) throws NotSuspendedException, NoResponseException, NotConnectedException
-	{
-		m_var.invokeGetter(s);
-	}
-
-	/**
-	 * Our lone get context (i.e. parent) interface 
-	 */
-	public long			getContext()									{ return m_context; }
-	public Variable		getVariable()									{ return m_var; }
-	@Override
-	public int getIsolateId() {
-		return m_isolateId;
-	}
-}

http://git-wip-us.apache.org/repos/asf/flex-falcon/blob/07f5a7de/debugger/src/flex/tools/debugger/cli/WatchAction.java
----------------------------------------------------------------------
diff --git a/debugger/src/flex/tools/debugger/cli/WatchAction.java b/debugger/src/flex/tools/debugger/cli/WatchAction.java
deleted file mode 100644
index 3229928..0000000
--- a/debugger/src/flex/tools/debugger/cli/WatchAction.java
+++ /dev/null
@@ -1,59 +0,0 @@
-/*
- * Licensed to the Apache Software Foundation (ASF) under one or more
- * contributor license agreements.  See the NOTICE file distributed with
- * this work for additional information regarding copyright ownership.
- * The ASF licenses this file to You under the Apache License, Version 2.0
- * (the "License"); you may not use this file except in compliance with
- * the License.  You may obtain a copy of the License at
- *
- *     http://www.apache.org/licenses/LICENSE-2.0
- *
- * Unless required by applicable law or agreed to in writing, software
- * distributed under the License is distributed on an "AS IS" BASIS,
- * WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied.
- * See the License for the specific language governing permissions and
- * limitations under the License.
- */
-
-package flex.tools.debugger.cli;
-
-import flash.tools.debugger.Watch;
-
-/**
- * An object that relates a CLI debugger watchpoint with the
- * actual Watch obtained from the Session
- */
-public class WatchAction
-{
-	Watch		m_watch;
-	int			m_id;             
-
-	public WatchAction(Watch w) 
-	{
-		init(w);
-	}
-
-	void init(Watch w)
-	{
-		m_watch = w;
-		m_id = BreakIdentifier.next();
-	}
-
-	/* getters */
-	public int			getId()					{ return m_id; }
-	public long			getVariableId()			{ return m_watch.getValueId(); }
-	public int			getKind()				{ return m_watch.getKind(); }
-	public Watch		getWatch()				{ return m_watch; }
-
-	public String		getExpr()
-	{
-		String memberName = m_watch.getMemberName();
-		int namespaceSeparator = memberName.indexOf("::"); //$NON-NLS-1$
-		if (namespaceSeparator != -1)
-			memberName = memberName.substring(namespaceSeparator + 2);
-		return "#"+getVariableId()+"."+memberName; //$NON-NLS-1$ //$NON-NLS-2$
-	}
-
-	/* setters */
-	public void			resetWatch(Watch w)		{ m_watch = w; }
-}

http://git-wip-us.apache.org/repos/asf/flex-falcon/blob/07f5a7de/debugger/src/flex/tools/debugger/cli/fdb_da.properties
----------------------------------------------------------------------
diff --git a/debugger/src/flex/tools/debugger/cli/fdb_da.properties b/debugger/src/flex/tools/debugger/cli/fdb_da.properties
deleted file mode 100644
index c2f5502..0000000
--- a/debugger/src/flex/tools/debugger/cli/fdb_da.properties
+++ /dev/null
@@ -1,266 +0,0 @@
-################################################################################
-##
-##  Licensed to the Apache Software Foundation (ASF) under one or more
-##  contributor license agreements.  See the NOTICE file distributed with
-##  this work for additional information regarding copyright ownership.
-##  The ASF licenses this file to You under the Apache License, Version 2.0
-##  (the "License"); you may not use this file except in compliance with
-##  the License.  You may obtain a copy of the License at
-##
-##      http://www.apache.org/licenses/LICENSE-2.0
-##
-##  Unless required by applicable law or agreed to in writing, software
-##  distributed under the License is distributed on an "AS IS" BASIS,
-##  WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied.
-##  See the License for the specific language governing permissions and
-##  limitations under the License.
-##
-################################################################################
-
-# Translation:
-#
-# In this file, a couple of messages are split across multiple lines.  The main
-# reason for that is that fdb is a command-line program, so we prefer to keep
-# messages at less than 80 characters so that they fit in a typical command
-# window.  When translating strings, you can either keep the line breaks in the
-# same places, or move them, or even remove them altogether if a message will
-# fit on a single line.
-
-defaultBuildName=development
-about=Apache fdb (Flash Player Debugger) [build ${build}]
-copyright=Copyright 2015 The Apache Software Foundation.
-noResponseException=Afspilleren reagerede ikke som forventet p\u00e5 kommandoen; kommandoen er afbrudt.
-notSuspendedException=Kommandoen kan ikke afgives mens afspilleren k\u00f8rer
-illegalStateException=Kommandoen fungerer ikke uden for en session.
-illegalMonitorStateException=Kommandoen fungerer ikke p\u00e5 en afspiller, der k\u00f8rer. Stop den ved at trykke p\u00e5 'Enter'
-playerDidNotStop=Afspilleren standsede ikke som forventet.  Tryk p\u00e5 'Enter' for at standse den
-noSuchElementException=Der blev forventet mindst et argument mere for kommandoen.
-numberFormatException=Kommandoargumentet er en streng, forventede et heltal.
-socketException=En anden Flash-fejlfinding k\u00f8rer formentlig allerede; luk den og pr\u00f8v igen.  Detaljer: '${message}'.
-versionException=Kommandoen underst\u00f8ttes ikke i denne sammenh\u00e6ng.
-unexpectedError=Uventet fejl under afvikling af kommando.
-stackTraceFollows=Af hensyn til diagnosticering f\u00f8lger staksporing: 
-sessionEndedAbruptly=Sessionen sluttede uventet.
-noUriReceived=Der blev ikke modtaget nogen URI fra afspilleren
-noSourceFilesFound=Der blev ikke fundet nogen kildefiler
-unknownBreakpointLocation=<unknown>
-unknownFilename=<unknown>
-inFunctionAt=i ${functionName}() ved 
-inSwf=i ${swf}
-nonRestorable=; Kan ikke gendannes fra tidligere session
-sourceDirectoriesSearched=Unders\u00f8gte kildemapper:
-attemptingToSuspend=Fors\u00f8ger at standse start af afspilleren...
-playerStopped=Afspilleren standsede
-playerRunning=Afspilleren k\u00f8rer
-suspendReason_Unknown=Unknown
-suspendReason_HitBreakpoint=Breakpoint
-suspendReason_HitWatchpoint=Watch
-suspendReason_ProgramThrewException=Fault
-suspendReason_StopRequest=StopRequest
-suspendReason_ProgramFinishedStepping=Step
-suspendReason_HaltOpcode=HaltOpcode
-suspendReason_ScriptHasLoadedIntoFlashPlayer=ScriptLoaded
-noStackAvailable=Der er ingen tilg\u00e6ngelig stak
-atFilename=ved 
-noVariables=ingen variabler
-noArguments=ingen argumenter
-notInValidFrame=Ikke i en gyldig ramme. Brug kommandoen 'frame' for at vende tilbage til den nuv\u00e6rende.
-noLocals=ingen lokale
-noScopeChain=ingen scope-chain
-noActiveSession=Der er ingen aktiv session
-runWillLaunchUri=run' starter ${uri}
-targetUnknown=Ukendt m\u00e5l
-noSWFs=ingen SWF-filer.
-unrecognizedFault=Ukendt fejl.
-noFunctionsFound=Der blev ikke fundet nogen funktioner
-functionListBeingPrepared=En funktionsliste forberedes i baggrunden; pr\u00f8v igen senere.
-functionsInSourceFile=Funktioner i ${sourceFile}
-breakpointNotYetResolved=(endnu ikke fortolket)
-breakpointAmbiguous=(tvetydigt)
-breakpointNoCode=(der er ingen eksekverbar kode p\u00e5 den angivne linje)
-sessionTerminated=Afspillersessionen er afsluttet
-additionalCodeLoaded=Der blev indl\u00e6st yderligere ActionScriptkode fra en SWF eller en ramme.\nF\u00e5 vist alle indl\u00e6ste filer ved at skrive 'info files'.
-setAdditionalBreakpoints=Indstil yderligere pausepunkter som \u00f8nsket, og indtast 'continue'.
-fixBreakpoints=Ret eller fjern de forkerte pausepunkter, og indtast 'continue'.
-executionHalted=Eksekvering standset
-hitBreakpoint=Pausepunkt ${breakpointNumber}
-haltedInFunction=${reasonForHalting}, ${functionName}() i ${fileAndLine}
-haltedInFile=${reasonForHalting}, ${fileAndLine}
-linePrefixWhenDisplayingConsoleError=[Fejl]
-linePrefixWhenDisplayingFault=[Fault]
-linePrefixWhenSwfLoaded=[SWF]
-linePrefixWhenSwfUnloaded=[UnloadSWF]
-informationAboutFault=, oplysninger=
-sizeAfterDecompression=${size} byte efter dekomprimering
-breakpointNotPropagated=ADVARSEL: Pausepunktet ${breakpointNumber} er ikke udbredt til alle swf-filer.\nDet skal fjernes og tilf\u00f8jes igen.
-playerAlreadyRunning=Afspilleren k\u00f8rer allerede, der er ingen grund til at genoptage.
-doYouWantToHalt=Vil du fors\u00f8ge at standse eksekveringen?
-debugInfoBeingLoaded=indl\u00e6ser fejlfindingsoplysninger
-attemptingToHalt=Fors\u00f8ger at standse.\nDu kan muligvis hj\u00e6lpe ved at puffe til afspilleren (tryk p\u00e5 en knap)
-couldNotHalt=Kunne ikke standse, der k\u00f8rer ikke noget ActionScript.
-escapingFromDebuggerPendingLoop=Undg\u00e5r afventningsl\u00f8kken til fejlfinding; indstiller $nowaiting = 1
-continuingDueToError=Forts\u00e6tter pga. fejlen '${error}'
-currentLocationUnknown=nuv\u00e6rende placering er ukendt
-cannotStep=Du kan ikke springe nu. Angiv pausepunkter, og indtast 'continue'.
-abortingStep=Afspilleren har ikke svaret i tide; afbryder de resterende ${count} trin
-finishCommandNotMeaningfulOnOutermostFrame=finish' giver ikke mening i den yderste ramme
-finishCommandNotMeaningfulWithoutStack=finish' giver ikke mening uden en stak
-noBreakpointNumber=Intet pausepunktnummer ${breakpointNumber}
-badBreakpointNumber=advarsel, forkert pausepunktnummer ved eller t\u00e6t p\u00e5 '${token}'
-commandFailed=Kommandoen mislykkedes.
-createdBreakpoint=Pausepunkt ${breakpointNumber}: fil ${file}, linje ${line}
-createdBreakpointWithOffset=Pausepunkt ${breakpointNumber} ved ${offset}: fil ${file}, linje ${line}
-breakpointCreatedButNotYetResolved=Pausepunktet ${breakpointNumber} er oprettet, men endnu ikke fortolket.\nPausepunktet bliver fortolket, n\u00e5r den tilsvarende fil eller funktion indl\u00e6ses.
-fileNumber=fil #${fileNumber}
-breakpointNotSetNoCode=Pausepunkt ikke angivet; der er ingen eksekverbar kode p\u00e5 linje ${line} i ${filename}
-breakpointLocationUnknown=Pausepunktets placering kendes ikke.
-breakpointNotCleared=Pausepunktet er ikke ryddet.
-attemptingToResolve=Fors\u00f8ger at fortolke pausepunkt ${breakpointNumber}, udtryk "${expression}":
-noExecutableCode=Der er ingen eksekverbar kode p\u00e5 den angivne linje.
-resolvedBreakpointToFunction=Fortolkede pausepunktet ${breakpointNumber} til ${functionName}() p\u00e5 ${file}:${line}
-resolvedBreakpointToFile=Fortolkede pausepunktet ${breakpointNumber} til ${file}:${line}
-setCommand=Der kr\u00e6ves en variabel efterfulgt af et udtryk for at indstille en kommando
-missingOperator=Udtrykket skal indeholde operatoren '${operator}'.
-noSideEffectsAllowed=Udtrykket m\u00e5 ikke have bivirkninger som fx tildeling.
-couldNotEvaluate=Udtrykket kunne ikke evalueres.
-commandHistoryIsEmpty=Oversigten er tom
-historyHasNotReached=Oversigten har endnu ikke n\u00e5et ${number}
-variableUnknown=Ukendt variabel ${variable}
-expressionCouldNotBeParsed=Udtrykket kunne ikke fortolkes korrekt:
-couldNotConvertToNumber=Kunne ikke konvertere til et tal: ${value}
-commandsLimitedToSpecifiedSwf=Kommandoerne g\u00e6lder kun for kildefilerne fra ${swf}
-commandsApplyToAllSwfs=Kildefilerne til alle swf-filer kan v\u00e6lges i kommandoerne.
-notValidSwf=${swf} er ikke en gyldig SWF-fil.
-frameDoesNotExist=Rammen '${frameNumber}' findes ikke.
-notANumber=${token}' er ikke et tal.
-expectedLineNumber=Forvendede et linjenummer; fik ${token}
-expectedFileNumber=Forventede et filnummer; fik ${token}
-noSourceFileWithSpecifiedName=Der er ingen kildefil med navnet '${name}'.
-noFunctionWithSpecifiedName=Der er ingen funktion med navnet '${name}'.
-ambiguousMatchingFilenames=Tvetydige overenstemmende filnavne:
-ambiguousMatchingFunctionNames=Tvetydige overenstemmende funktionsnavne:
-functionInFile=${functionName} i ${filename}
-expectedFile=Forventede et filnavn eller filnavn begyndende med #; fik ${token}
-noSuchFileOrFunction=Der er ingen fil eller funktion med navnet '${token}'.
-localVariable=lokal
-functionArgumentVariable=argument
-mustBeOnlyOneVariable=Udtrykket m\u00e5 kun indeholde \u00e9n variabel
-lineJunk=Fejl ved angivelse af linjeafslutning
-sourceFileNotFound=Kildefilen blev ikke fundet. Brug kommandoen "directory" til at angive placeringen. Indtast "help directory" hvis du vil se oplysninger om at angive en mappe for pakkede kildefiler.
-lineNumberOutOfRange=Linjenummeret ${line} er udenfor intervallet; filen ${filename} har ${total} linjer
-noFilesFound=Der blev ikke fundet nogen filer
-sessionInProgress=Der er allerede en session i gang
-waitingForPlayerToConnect=Venter p\u00e5 at afspilleren etablerer forbindelse
-waitingToConnectToPlayer=Fors\u00f8ger at etablere forbindelse til Player
-launchingWithUrl=Fors\u00f8ger at k\u00f8re og etablere forbindelse til afspilleren via URL
-playerConnectedSessionStarting=Der er forbindelse til afspilleren; sessionen startes.
-setBreakpointsThenResume=Indstil pausepunkterne og indtast 'continue' for at forts\u00e6tte sessionen.
-warningNotAllCommandsSupported=ADVARSEL: Den afspiller, du bruger, underst\u00f8tter ikke alle fdb-kommandoer.
-fileDoesNotExist=Filen blev ikke fundet: ${uri}
-failedToConnect=Forbindelsen kunne ikke etableres; der opstod timeout for sessionen.\nKontroller at:\n  1. du kompilerede Flash-filmen med fejlfinding aktiveret, og\n  2. du k\u00f8rer fejlfindingsversionen af Flash Player.
-manuallyLaunchPlayer=Indtast 'run', og start afspilleren manuelt.
-sourceCommandRequiresPath=Kommandoen 'source' kr\u00e6ver stien til den fil, der skal bruges.
-fileNotFound=${filename}: Filen eller mappen findes ikke.
-argumentRequired=Argument p\u00e5kr\u00e6vet (fejl at h\u00e5ndtere).
-breakpointNotChanged=Pausepunktet er ikke \u00e6ndret.
-badWatchpointNumber=Forkert nummer p\u00e5 overv\u00e5gningspunkt.
-couldNotResolveExpression=Kunne ikke fortolke udtrykket til en variabel.
-notAllBreakpointsEnabled=Ikke alle pausepunkter er aktiveret
-programNotBeingRun=Programmet k\u00f8res ikke.
-commandNotValidUntilPlayerSuspended=Kommandoen er ikke gyldig f\u00f8r afspilleren er stoppet; pr\u00f8v kommandoen 'halt'.
-noHelpFileFound=Der blev ikke fundet nogen hj\u00e6lpefil (fdbhelp*.txt).
-invalidTargetFault=Forkert m\u00e5lnavn til instruktionen ActionSetTarget
-recursionLimitFault=Den \u00f8vre gr\u00e6nse for rekursion er n\u00e5et
-invalidWithFault=M\u00e5let for udsagnet 'with' er ikke et objekt
-protoLimitFault=S\u00f8gning op gennem prototypek\u00e6den har n\u00e5et gr\u00e6nsen
-invalidUrlFault=URL'en kunne ikke \u00e5bnes
-exceptionFault=Der opstod en brugerundtagelse
-stackUnderflowFault=Der opstod et underl\u00f8b i stakken
-divideByZeroFault=Fejl - kan ikke dividere med nul
-scriptTimeoutFault=ActionScript-koden forts\u00e6tter ikke
-errorWhileProcessingFile=Der opstod en fejl under behandlingen af filen (${exceptionMessage})
-unrecognizedAction=Ukendt handling ${action}
-typeCommandsForBreakpoint=Indtast kommandoer for hvorn\u00e5r pausepunktet ${breakpointNumber} n\u00e5s - en pr. linje.\nAfslut med en linje hvor der kun st\u00e5r 'end'.
-breakpointNowUnconditional=Pausepunktet ${breakpointNumber} er nu ubetinget.
-watchpointCouldNotBeSet=Der kunne ikke indstilles et overv\u00e5gningspunkt for '${expression}'
-
-changedWatchpointMode=Overv\u00e5gningspunktet ${watchpointNumber} p\u00e5 udtrykket '${expression}' er nu ${watchpointMode}
-# the following three strings are inserted into the above 'changedWatchpointMode' string at the ${watchpontMode} location
-watchpointMode_read=l\u00e6s
-watchpointMode_write=skriv
-watchpointMode_readWrite=l\u00e6s-skriv
-
-createdWatchpoint=Overv\u00e5gningspunktet ${watchpointNumber} angivet p\u00e5 udtrykket '${expression}'
-couldNotFindWatchpoint=Overv\u00e5gningspunktet til '${variable}' kunne ikke findes eller fjernes.
-noDisplayNumber=Intet displaynummer ${displayNumber}
-badDisplayNumber=advarsel, forkert displaynummer ved eller t\u00e6t p\u00e5 '${token}'
-breakpointLocationNoLongerExists=Kildefilen og linjenummeret til pausepunktet ${breakpointNumber} findes ikke l\u00e6ngere
-unknownCommand=Ukendt kommando '${command}', den ignoreres
-unknownSubcommand=Ukendt ${commandCategory} kommando '${command}', den ignoreres
-unknownEvent=Der opstod en ukendt h\u00e6ndelse af typen '${type}', oplysninger = ${info}
-problemWithConnection=Der er et problem med sessionens forbindelse: '${socketErrorMessage}'. Det er sandsynligvis bedst at afslutte den.
-unexpectedErrorWithStackTrace=Uventet fejl under afvikling af kommando.\nAf hensyn til diagnosticering f\u00f8lger staksporing:
-ambiguousCommand=Tvetydig kommando '${input}':
-faultHasNoTableEntry=Fejlen ${faultName} har ingen tabelpost
-swfInfo=${swfName} - ${size} byte efter dekomprimering, ${scriptCount} script [#${min} - #${max}]${plus} ${moreInfo}, url'en er ${url}
-remainingSourceBeingLoaded=resterende kilde indl\u00e6ses stadig
-
-# the following string is appended to the end of any question; tells the user what to type
-yesOrNoAppendedToAllQuestions=(j eller n) 
-# the following string is what character the user should to answer "yes" to a yes/no question
-singleCharacterUserTypesForYes=y
-# a bunch of questions:
-askDeleteAllBreakpoints=Slet alle pausepunkter?
-askDeleteAllAutoDisplay=Slet alle auto-display-udtryk?
-askKillProgram=Luk programmet der unders\u00f8ges for fejl?
-askProgramIsRunningExitAnyway=Programmet k\u00f8rer. Vil du afslutte alligevel?
-askReinitSourcePath=Vil du nulstille kildestien?
-askExpressionContainsAssignment=Udtrykket indeholder tildeling! Vil du forts\u00e6tte?
-# the following string is output if someone answers "no" to any of the above questions
-yesNoQueryNotConfirmed=Ikke bekr\u00e6ftet.
-stopOnlyIfConditionMet=Stop kun hvis ${breakpointCondition}
-breakpointAlreadyHit=antallet af pausepunkter har allerede n\u00e5et ${count}
-silentBreakpoint=uden meddelelser
-getterFunction=Hentefunktion
-setterFunction=Indstillingsfunktion
-function=Funktion
-unknownVariableType=<unknown>
-variableAttribute_dontEnumerate=opt\u00e6l ikke
-variableAttribute_readOnly=skrivebeskyttet
-variableAttribute_localVariable=lokal
-variableAttribute_functionArgument=argument
-variableAttribute_getterFunction=Hentefunktion
-variableAttribute_setterFunction=Indstillingsfunktion
-variableAttribute_hasNamespace=har navneomr\u00e5de
-key16=Modtagne beskeder:
-key17=Sendte beskeder:
-key18=Der blev ikke fundet nogen kildefiler
-key19=Der blev ikke fundet nogen funktioner
-key20=En funktionsliste forberedes i baggrunden; pr\u00f8v igen senere.
-key21=--- Egenskaber for SessionManager
-key22=--- Egenskaber for Session
-stopped=Stopped
-key24=Afspilleren k\u00f8rer.
-key25=Der blev ikke fundet nogen oplysninger om pausepunkter
-key26=Ukendt variabel
-key27=Ukendte kildeoplysninger, opdelte den nuv\u00e6rende placering
-key28=Fejl ved angivelse af linjeafslutning
-key29=Der blev ikke fundet nogen swf til filen ${arg3}
-key30=Der blev ikke fundet nogen funktion
-key31=---- Viser ikke-tilknyttede instruktioner der blev sprunget over, ved 0x${arg4} ----
-key32=Linjenummer ${arg5} er udenfor intervallet; filen ${arg6} har ${arg7} linjer
-key33=Der blev ikke fundet nogen filer
-key34=Afspilleren standses for \u00f8jeblikket ikke af nogen handlinger.
-key35=i '${swfName}'
-atAddress=p\u00e5 ${address}
-haltedDueToFault=p\u00e5 grund af ${fault}
-inWorker=Worker ${worker}
-workerRunning=Running
-workerSuspended=Suspended
-workerSelected=(Active)
-mainThread=Main Thread
-workerChanged=Active worker has changed to worker
-workerNotFound=No worker found with that ID
-linePrefixWhenWorkerCreated=[WorkerCreate]
-linePrefixWhenWorkerExit=[WorkerDestroy]
-noWorkersRunning=There are no workers running.

http://git-wip-us.apache.org/repos/asf/flex-falcon/blob/07f5a7de/debugger/src/flex/tools/debugger/cli/fdb_de.properties
----------------------------------------------------------------------
diff --git a/debugger/src/flex/tools/debugger/cli/fdb_de.properties b/debugger/src/flex/tools/debugger/cli/fdb_de.properties
deleted file mode 100644
index 8ceca36..0000000
--- a/debugger/src/flex/tools/debugger/cli/fdb_de.properties
+++ /dev/null
@@ -1,266 +0,0 @@
-################################################################################
-##
-##  Licensed to the Apache Software Foundation (ASF) under one or more
-##  contributor license agreements.  See the NOTICE file distributed with
-##  this work for additional information regarding copyright ownership.
-##  The ASF licenses this file to You under the Apache License, Version 2.0
-##  (the "License"); you may not use this file except in compliance with
-##  the License.  You may obtain a copy of the License at
-##
-##      http://www.apache.org/licenses/LICENSE-2.0
-##
-##  Unless required by applicable law or agreed to in writing, software
-##  distributed under the License is distributed on an "AS IS" BASIS,
-##  WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied.
-##  See the License for the specific language governing permissions and
-##  limitations under the License.
-##
-################################################################################
-
-# Translation:
-#
-# In this file, a couple of messages are split across multiple lines.  The main
-# reason for that is that fdb is a command-line program, so we prefer to keep
-# messages at less than 80 characters so that they fit in a typical command
-# window.  When translating strings, you can either keep the line breaks in the
-# same places, or move them, or even remove them altogether if a message will
-# fit on a single line.
-
-defaultBuildName=development
-about=Apache fdb (Flash Player Debugger) [Build ${build}]
-copyright=Copyright 2015 The Apache Software Foundation.
-noResponseException=Der Player hat nicht wie erwartet auf den Befehl reagiert; der Befehl wird abgebrochen.
-notSuspendedException=Der Befehl kann nicht ausgestellt werden, w\u00e4hrend der Player ausgef\u00fchrt wird
-illegalStateException=Der Befehl ist ohne Sitzung nicht zul\u00e4ssig.
-illegalMonitorStateException=Der Befehl ist f\u00fcr einen ausgef\u00fchrten Player nicht zul\u00e4ssig. Dr\u00fccken Sie die Eingabetaste, um den Player zu unterbrechen.
-playerDidNotStop=Der Player wurde nicht wie erwartet beendet. Dr\u00fccken Sie die Eingabetaste, um den Player zu unterbrechen.
-noSuchElementException=Der Befehl erwartete mindestens ein zus\u00e4tzliches Argument.
-numberFormatException=Das Befehlsargument ist eine Zeichenfolge, aber es wurde eine ganze Zahl erwartet.
-socketException=Wahrscheinlich wird ein weiterer Flash-Debugger ausgef\u00fchrt; schlie\u00dfen Sie diesen Debugger. Details: \u201e${message}\u201c.
-versionException=Der Befehl wird in diesem Kontext nicht unterst\u00fctzt.
-unexpectedError=Unerwarteter Fehler bei der Verarbeitung des Befehls.
-stackTraceFollows=Zu Diagnosezwecken folgt die Stapelverfolgung: 
-sessionEndedAbruptly=Die Sitzung wurde abrupt beendet.
-noUriReceived=Vom Player wurde kein URI empfangen
-noSourceFilesFound=Es wurden keine Quelldateien gefunden
-unknownBreakpointLocation=<unbekannt>
-unknownFilename=<unbekannt>
-inFunctionAt=in ${functionName}() an 
-inSwf=in ${swf}
-nonRestorable=; Nicht wiederherstellbar von vorheriger Sitzung
-sourceDirectoriesSearched=Durchsuchte Quellverzeichnisse:
-attemptingToSuspend=Es wird versucht, den Player anzuhalten...
-playerStopped=Player wurde beendet
-playerRunning=Player wird ausgef\u00fchrt
-suspendReason_Unknown=Unknown
-suspendReason_HitBreakpoint=Haltepunkt
-suspendReason_HitWatchpoint=Watch
-suspendReason_ProgramThrewException=Fault
-suspendReason_StopRequest=StopRequest
-suspendReason_ProgramFinishedStepping=Step
-suspendReason_HaltOpcode=HaltOpcode
-suspendReason_ScriptHasLoadedIntoFlashPlayer=ScriptLoaded
-noStackAvailable=Kein Stack verf\u00fcgbar
-atFilename=in 
-noVariables=keine Variablen
-noArguments=keine Argumente
-notInValidFrame=Nicht in einem g\u00fcltigen Frame. Kehren Sie mit dem Befehl \u201eframe\u201c zum aktuellen Frame zur\u00fcck.
-noLocals=keine lokalen Variablen
-noScopeChain=keine Bereichskette
-noActiveSession=Keine aktive Sitzung
-runWillLaunchUri=\u201erun\u201c startet ${uri}
-targetUnknown=Unbekanntes Ziel
-noSWFs=keine SWFs.
-unrecognizedFault=Unbekannter Fehler.
-noFunctionsFound=Es wurden keine Funktionen gefunden
-functionListBeingPrepared=Die Funktionsliste wird im Hintergrund vorbereitet; wiederholen Sie den Vorgang sp\u00e4ter.
-functionsInSourceFile=Funktionen in ${sourceFile}
-breakpointNotYetResolved=(noch nicht aufgel\u00f6st)
-breakpointAmbiguous=(nicht eindeutig)
-breakpointNoCode=(kein ausf\u00fchrbarer Code in der angegebenen Zeile)
-sessionTerminated=Die Player-Sitzung wurde beendet
-additionalCodeLoaded=Zus\u00e4tzlicher ActionScript-Code wurde von einem SWF oder einem Frame geladen.\nGeben Sie \u201einfo files\u201c ein, um alle aktuell geladenen Dateien anzuzeigen.
-setAdditionalBreakpoints=Legen Sie ggf. weitere Haltepunkte fest und geben Sie dann \u201econtinue\u201c ein.
-fixBreakpoints=Korrigieren oder entfernen Sie fehlerhafte Haltepunkte und geben Sie dann \u201econtinue\u201c ein.
-executionHalted=Ausf\u00fchrung unterbrochen
-hitBreakpoint=Haltepunkt ${breakpointNumber}
-haltedInFunction=${reasonForHalting}, ${functionName}() in ${fileAndLine}
-haltedInFile=${reasonForHalting}, ${fileAndLine}
-linePrefixWhenDisplayingConsoleError=[Error]
-linePrefixWhenDisplayingFault=[Fault]
-linePrefixWhenSwfLoaded=[SWF]
-linePrefixWhenSwfUnloaded=[UnloadSWF]
-informationAboutFault=, information=
-sizeAfterDecompression=${size} Byte nach der Dekomprimierung
-breakpointNotPropagated=WARNUNG: Der Haltepunkt ${breakpointNumber} wurde nicht an alle SWF weitergegeben.\nSie m\u00fcssen ihn l\u00f6schen und erneut festlegen.
-playerAlreadyRunning=Der Player wird bereits ausgef\u00fchrt und muss deshalb nicht fortgesetzt werden.
-doYouWantToHalt=M\u00f6chten Sie die Ausf\u00fchrung unterbrechen?
-debugInfoBeingLoaded=Debuginformationen werden derzeit geladen
-attemptingToHalt=Es wird versucht, den Vorgang zu beenden.\nSie k\u00f6nnen auch den Player manipulieren (z.B. durch Dr\u00fccken einer Taste)
-couldNotHalt=Unterbrechen nicht m\u00f6glich, da kein ActionScript ausgef\u00fchrt wird.
-escapingFromDebuggerPendingLoop=Beendigung der Debuggerschleife; setze $nowaiting = 1
-continuingDueToError=Der Vorgang wird aufgrund des Fehlers \u201e${error}\u201c fortgesetzt
-currentLocationUnknown=aktuelle Position unbekannt
-cannotStep=Fortsetzung nicht m\u00f6glich. Legen Sie Haltepunkte fest und geben Sie dann \u201econtinue\u201c ein.
-abortingStep=Der Player wurde nicht rechtzeitig reaktiviert; die restlichen ${count} Schritte werden abgebrochen.
-finishCommandNotMeaningfulOnOutermostFrame=finish\u201e kann im \u00e4u\u00dfersten Frame nicht verwendet werden
-finishCommandNotMeaningfulWithoutStack=finish\u201c kann ohne Stack nicht verwendet werden
-noBreakpointNumber=Keine Haltepunktnummer ${breakpointNumber}
-badBreakpointNumber=Warnung wegen fehlerhafter Haltepunktnummer in oder bei \u201e${token}\u201c
-commandFailed=Der Befehl ist fehlgeschlagen.
-createdBreakpoint=Haltepunkt ${breakpointNumber}: Datei ${file}, Zeile ${line}
-createdBreakpointWithOffset=Haltepunkt ${breakpointNumber} an ${offset}: Datei ${file}, Zeile ${line}
-breakpointCreatedButNotYetResolved=Der Haltepunkt ${breakpointNumber} wurde erstellt, aber noch nicht aufgel\u00f6st.\nDer Haltepunkt wird beim Laden der entsprechenden Datei oder Funktion aufgel\u00f6st.
-fileNumber=Datei #${fileNumber}
-breakpointNotSetNoCode=Der Haltepunkt ist nicht festgelegt; es ist kein ausf\u00fchrbarer Code in Zeile ${line} von ${filename} vorhanden.
-breakpointLocationUnknown=Unbekannte Haltepunktposition.
-breakpointNotCleared=Der Haltepunk wurde nicht gel\u00f6scht.
-attemptingToResolve=Es wird versucht, Haltepunkt ${breakpointNumber}, Ausdruck \u201e${expression}\u201c aufzul\u00f6sen:
-noExecutableCode=In der angegebenen Zeile ist kein ausf\u00fchrbarer Code vorhanden.
-resolvedBreakpointToFunction=Der Haltepunkt ${breakpointNumber} wurde aufgel\u00f6st in ${functionName}() in ${file}:${line}
-resolvedBreakpointToFile=Der Haltepunkt ${breakpointNumber} wurde aufgel\u00f6st in ${file}:${line}
-setCommand=Der festgelegte Befehl erfordert eine Variable gefolgt von einem Ausdruck
-missingOperator=Der Ausdruck muss den Operator \u201e${operator}\u201c enthalten.
-noSideEffectsAllowed=F\u00fcr den Ausdruck sind keine Nebeneffekte wie z.B. eine Zuweisung zul\u00e4ssig.
-couldNotEvaluate=Der Ausdruck konnte nicht ausgewertet werden.
-commandHistoryIsEmpty=Das Protokoll ist leer
-historyHasNotReached=Das Protokoll hat ${number} noch nicht erreicht
-variableUnknown=Unbekannte Variable ${variable}
-expressionCouldNotBeParsed=Der Ausdruck konnte nicht ordnungsgem\u00e4\u00df analysiert werden:
-couldNotConvertToNumber=${value} konnte nicht in eine Zahl konvertiert werden
-commandsLimitedToSpecifiedSwf=Die Befehle sind auf Quelldateien von ${swf} beschr\u00e4nkt
-commandsApplyToAllSwfs=Quelldateien aus allen SWF sind in Befehlen verf\u00fcgbar.
-notValidSwf=${swf} ist als SWF nicht zul\u00e4ssig.
-frameDoesNotExist=Der Frame \u201e${frameNumber}\u201c ist nicht vorhanden.
-notANumber=\u201e${token}\u201c ist keine Zahl.
-expectedLineNumber=Eine Zeilennummer wurde erwartet; stattdessen wurde ${token} erhalten.
-expectedFileNumber=Eine Dateinummer wurde erwartet; stattdessen wurde ${token} erhalten.
-noSourceFileWithSpecifiedName=Die Quelldatei \u201e${name}\u201c existiert nicht.
-noFunctionWithSpecifiedName=Die Funktion \u201e${name}\u201c existiert nicht.
-ambiguousMatchingFilenames=Nicht eindeutige \u00fcbereinstimmende Dateinamen:
-ambiguousMatchingFunctionNames=Nicht eindeutige \u00fcbereinstimmende Funktionsnamen:
-functionInFile=${functionName} in ${filename}
-expectedFile=Ein Dateiname oder eine Dateinummer beginnend mit # wurde erwartet; stattdessen wurde ${token} erhalten.
-noSuchFileOrFunction=Die Datei oder Funktion \u201e${token}\u201c existiert nicht.
-localVariable=local
-functionArgumentVariable=Argument
-mustBeOnlyOneVariable=Der Ausdruck darf nur eine einzige Variable enthalten
-lineJunk=Datenm\u00fcll am Ende der Zeilenspezifikation
-sourceFileNotFound=Die Quelldatei wurde nicht gefunden. Geben Sie mithilfe des Befehls 'directory' den\nSpeicherort der Quelldatei auf diesem Computer an. Geben Sie 'help directory' ein, um wichtige Informationen\nzum Angeben eines Verzeichnisses f\u00fcr Quelldateien in einem Paket anzuzeigen.
-lineNumberOutOfRange=Die Zeilennummer ${line} liegt au\u00dferhalb des g\u00fcltigen Bereichs; die Datei ${filename} weist ${total} Zeilen auf.
-noFilesFound=Es wurden keine Dateien gefunden
-sessionInProgress=Die Sitzung wird bereits ausgef\u00fchrt
-waitingForPlayerToConnect=Auf die Verbindungsherstellung des Players wird gewartet
-waitingToConnectToPlayer=Mit dem Player verbinden...
-launchingWithUrl=Es wird versucht, mithilfe der URL den Player zu starten und eine Verbindung mit dem Player herzustellen
-playerConnectedSessionStarting=Verbindung mit dem Player hergestellt; die Sitzung wird gestartet.
-setBreakpointsThenResume=Legen Sie Haltepunkte fest und geben Sie dann \u201econtinue\u201c ein, um die Sitzung fortzusetzen.
-warningNotAllCommandsSupported=WARNUNG: Der verwendete Player unterst\u00fctzt nicht alle FDB-Befehle.
-fileDoesNotExist=Datei wurde nicht gefunden: ${uri}
-failedToConnect=Verbindungsversuch fehlgeschlagen; Zeit\u00fcberschreitung der Sitzung.\nStellen Sie Folgendes sicher:\n  1. Sie haben das Flash-Movie mit aktivierter Debugfunktion kompiliert, und\n  2. Sie f\u00fchren die Debuggerversion von Flash Player aus.
-manuallyLaunchPlayer=Geben Sie \u201erun\u201c ein und starten Sie dann den Player manuell.
-sourceCommandRequiresPath=F\u00fcr den Befehl \u201esource\u201c ist der Pfadname der Quelldatei erforderlich.
-fileNotFound=${filename}: Die Datei bzw. das Verzeichnis existiert nicht.
-argumentRequired=Argument erforderlich (zu behandelnder Fehler).
-breakpointNotChanged=Der Haltepunkt wurde nicht ge\u00e4ndert.
-badWatchpointNumber=Fehlerhafte \u00dcberwachungspunktnummer.
-couldNotResolveExpression=Der Ausdruck konnte nicht in eine Variable aufgel\u00f6st werden.
-notAllBreakpointsEnabled=Nicht alle Haltepunkte sind aktiviert
-programNotBeingRun=Das Programm wird nicht ausgef\u00fchrt.
-commandNotValidUntilPlayerSuspended=Der Befehl kann erst ausgef\u00fchrt werden, wenn der Player angehalten wurde; versuchen Sie es mit dem Befehl \u201ehalt\u201c.
-noHelpFileFound=Es wurde keine Hilfedatei (fdbhelp*.txt) gefunden.
-invalidTargetFault=Fehlerhafter Zielname f\u00fcr ActionSetTarget-Anweisung
-recursionLimitFault=Der obere Grenzwert f\u00fcr die Rekursion wurde erreicht
-invalidWithFault=Das Ziel der \u201ewith\u201c-Anweisung ist kein Objekt
-protoLimitFault=Bei der Suche in der Prototypkette wurde der Grenzwert erreicht
-invalidUrlFault=\u00d6ffnen einer URL ist fehlgeschlagen
-exceptionFault=Benutzerausnahme ausgel\u00f6st
-stackUnderflowFault=Stapelunterlauf
-divideByZeroFault=Fehler bei Division durch Null
-scriptTimeoutFault=ActionScript-Code wird nicht verarbeitet
-errorWhileProcessingFile=Fehler bei der Verarbeitung der Datei (${exceptionMessage})
-unrecognizedAction=Unbekannte Aktion ${action}
-typeCommandsForBreakpoint=Geben Sie jeweils in eine Zeile Befehle f\u00fcr den Fall ein, dass der Haltepunkt ${breakpointNumber} erreicht wird.\nBeenden Sie den Vorgang mit der Zeile \u201eend\u201c.
-breakpointNowUnconditional=Der Haltepunkt ${breakpointNumber} ist nun bedingungslos.
-watchpointCouldNotBeSet=F\u00fcr \u201e${expression}\u201c konnte kein \u00dcberwachungspunkt festgelegt werden
-
-changedWatchpointMode=\u00dcberwachungspunkt ${watchpointNumber} in Ausdruck \u201e${expression}\u201c nun ${watchpointMode}
-# the following three strings are inserted into the above 'changedWatchpointMode' string at the ${watchpontMode} location
-watchpointMode_read=Lesen
-watchpointMode_write=Schreiben
-watchpointMode_readWrite=Lesen/Schreiben
-
-createdWatchpoint=Unterbrechungspunkt ${watchpointNumber} festgelegt f\u00fcr den Ausdruck \u201e${expression}\u201c
-couldNotFindWatchpoint=Die \u00dcberwachung von \u201e${variable}\u201c konnte nicht gefunden oder entfernt werden.
-noDisplayNumber=Keine Anzeigenummer ${displayNumber}
-badDisplayNumber=Warnung wegen fehlerhafter Anzeigenummer in oder bei \u201e${token}\u201c
-breakpointLocationNoLongerExists=Die Quelldatei und die Zeilennummer sind f\u00fcr den Haltepunkt ${breakpointNumber} nicht mehr vorhanden.
-unknownCommand=Unbekannter Befehl \u201e${command}\u201c wird ignoriert
-unknownSubcommand=Unbekannter ${commandCategory}-Befehl \u201e${command}\u201c wird ignoriert
-unknownEvent=Unbekannter Ereignistyp \u201e${type}\u201c wurde empfangen, Info = ${info}
-problemWithConnection=Problem bei Sitzungsverbindung, \u201e${socketErrorMessage}\u201c, die wahrscheinlich am besten mit dem Befehl \u201ekill\u201c beendet werden sollte.
-unexpectedErrorWithStackTrace=Unerwarteter Fehler bei der Verarbeitung des Befehls.\nZu Diagnosezwecken folgt die Stapelverfolgung: 
-ambiguousCommand=Nicht eindeutiger Befehl \u201e${input}\u201c:
-faultHasNoTableEntry=F\u00fcr den Fehler ${faultName} gibt es keinen Tabelleneintrag
-swfInfo=${swfName} - ${size} Byte nach der Dekomprimierung, ${scriptCount} Skripts [#${min} - #${max}]${plus} ${moreInfo}, die URL lautet ${url}
-remainingSourceBeingLoaded=Die verbleibende Quelle wird noch geladen
-
-# the following string is appended to the end of any question; tells the user what to type
-yesOrNoAppendedToAllQuestions=(y oder n) 
-# the following string is what character the user should to answer "yes" to a yes/no question
-singleCharacterUserTypesForYes=y
-# a bunch of questions:
-askDeleteAllBreakpoints=Sollen alle Haltepunkte gel\u00f6scht werden?
-askDeleteAllAutoDisplay=Sollen alle automatisch angezeigten Ausdr\u00fccke gel\u00f6scht werden?
-askKillProgram=Soll das debuggte Programm beendet werden?
-askProgramIsRunningExitAnyway=Das Programm wird ausgef\u00fchrt. Soll es dennoch beendet werden?
-askReinitSourcePath=Soll der Quellpfad als leerer Pfad neu initialisiert werden?
-askExpressionContainsAssignment=Der Ausdruck enth\u00e4lt eine Zuweisung! Soll der Vorgang fortgesetzt werden?
-# the following string is output if someone answers "no" to any of the above questions
-yesNoQueryNotConfirmed=Nicht best\u00e4tigt.
-stopOnlyIfConditionMet=nur bei ${breakpointCondition} beenden
-breakpointAlreadyHit=Haltepunkt wurde bereits ${count} Mal erreicht
-silentBreakpoint=automatisch
-getterFunction=Getter
-setterFunction=Setter
-function=Funktion
-unknownVariableType=<unbekannt>
-variableAttribute_dontEnumerate=nicht aufz\u00e4hlen
-variableAttribute_readOnly=schreibgesch\u00fctzt
-variableAttribute_localVariable=lokal
-variableAttribute_functionArgument=Argument
-variableAttribute_getterFunction=Getter
-variableAttribute_setterFunction=Setter
-variableAttribute_hasNamespace=hat Namespace
-key16=Empfangene Meldungen:
-key17=Gesendete Meldungen:
-key18=Es wurden keine Quelldateien gefunden
-key19=Es wurden keine Funktionen gefunden
-key20=Die Funktionsliste wird im Hintergrund vorbereitet; wiederholen Sie den Vorgang sp\u00e4ter.
-key21=--- SessionManager-Eigenschaften
-key22=--- Sitzungseigenschaften
-stopped=Stopped
-key24=Player wird ausgef\u00fchrt.
-key25=Es wurden keine Halteinformationen gefunden
-key26=Unbekannte Variable
-key27=Die Quellinformationen sind unbekannt, aktueller Speicherort wurde disassembliert
-key28=Datenm\u00fcll am Ende der Zeilenspezifikation
-key29=F\u00fcr die Datei ${arg3} wurde kein SWF gefunden
-key30=Es wurde keine Funktion gefunden
-key31=---- Anzeigen nicht zugeordneter Anweisungen in 0x${arg4}, die \u00fcbersprungen wurden ----
-key32=Die Zeilennummer ${arg5} liegt au\u00dferhalb des g\u00fcltigen Bereichs; die Datei ${arg6} weist ${arg7} Zeilen auf.
-key33=Es wurden keine Dateien gefunden
-key34=Der Player wurde derzeit nicht f\u00fcr Aktionen unterbrochen.
-key35=in \u201e${swfName}\u201c
-atAddress=an ${address}
-haltedDueToFault=aufgrund von ${fault}
-inWorker=Worker ${worker}
-workerRunning=Running
-workerSuspended=Suspended
-workerSelected=(Active)
-mainThread=Main Thread
-workerChanged=Active worker has changed to worker
-workerNotFound=No worker found with that ID
-linePrefixWhenWorkerCreated=[WorkerCreate]
-linePrefixWhenWorkerExit=[WorkerDestroy]
-noWorkersRunning=There are no workers running.

http://git-wip-us.apache.org/repos/asf/flex-falcon/blob/07f5a7de/debugger/src/flex/tools/debugger/cli/fdb_en.properties
----------------------------------------------------------------------
diff --git a/debugger/src/flex/tools/debugger/cli/fdb_en.properties b/debugger/src/flex/tools/debugger/cli/fdb_en.properties
deleted file mode 100644
index 060df10..0000000
--- a/debugger/src/flex/tools/debugger/cli/fdb_en.properties
+++ /dev/null
@@ -1,277 +0,0 @@
-################################################################################
-##
-##  Licensed to the Apache Software Foundation (ASF) under one or more
-##  contributor license agreements.  See the NOTICE file distributed with
-##  this work for additional information regarding copyright ownership.
-##  The ASF licenses this file to You under the Apache License, Version 2.0
-##  (the "License"); you may not use this file except in compliance with
-##  the License.  You may obtain a copy of the License at
-##
-##      http://www.apache.org/licenses/LICENSE-2.0
-##
-##  Unless required by applicable law or agreed to in writing, software
-##  distributed under the License is distributed on an "AS IS" BASIS,
-##  WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied.
-##  See the License for the specific language governing permissions and
-##  limitations under the License.
-##
-################################################################################
-
-# Translation:
-#
-# In this file, a couple of messages are split across multiple lines.  The main
-# reason for that is that fdb is a command-line program, so we prefer to keep
-# messages at less than 80 characters so that they fit in a typical command
-# window.  When translating strings, you can either keep the line breaks in the
-# same places, or move them, or even remove them altogether if a message will
-# fit on a single line.
-
-defaultBuildName=development
-about=Apache fdb (Flash Player Debugger) [build ${build}]
-copyright=Copyright 2015 The Apache Software Foundation.
-noResponseException=Player did not respond to the command as expected; command aborted.
-notSuspendedException=Command cannot be issued while Player is running
-illegalStateException=Command not valid without a session.
-illegalMonitorStateException=Command not valid on a running Player.  Press 'Enter' key to halt it
-playerDidNotStop=Player did not stop as expected.  Press 'Enter' key to halt it
-noSuchElementException=Command expected at least one more argument.
-numberFormatException=Command argument was string, expected integer.
-socketException=Another Flash debugger is probably running; please close it.  Details: '${message}'.
-versionException=Command not supported in this context.
-unexpectedError=Unexpected error while processing command.
-stackTraceFollows=For diagnostic purposes stack trace follows:\ 
-sessionEndedAbruptly=Session ended abruptly.
-noUriReceived=No URI received from Player
-noSourceFilesFound=No source files found
-unknownBreakpointLocation=<unknown>
-unknownFilename=<unknown>
-inFunctionAt=in ${functionName}() at\ 
-inSwf=\ in ${swf}
-nonRestorable=\ ; Non-restorable from prior session
-sourceDirectoriesSearched=Source directories searched:
-attemptingToSuspend=Attempting to suspend Player execution...
-playerStopped=Player stopped
-playerRunning=Player running
-suspendReason_Unknown=Unknown
-suspendReason_HitBreakpoint=Breakpoint
-suspendReason_HitWatchpoint=Watch
-suspendReason_ProgramThrewException=Fault
-suspendReason_StopRequest=StopRequest
-suspendReason_ProgramFinishedStepping=Step
-suspendReason_HaltOpcode=HaltOpcode
-suspendReason_ScriptHasLoadedIntoFlashPlayer=ScriptLoaded
-noStackAvailable=No stack available
-atFilename=\ at\ 
-noVariables=no variables
-noArguments=no arguments
-notInValidFrame=Not in a valid frame.  Use 'frame' command to return to current one.
-noLocals=no locals
-noScopeChain=no scope chain
-noActiveSession=No active session
-runWillLaunchUri='run' will launch ${uri}
-targetUnknown=Target unknown
-noSWFs=no SWFs.
-unrecognizedFault=Unrecognized fault.
-noFunctionsFound=No functions found
-functionListBeingPrepared=Function list being prepared in background; try again later.
-functionsInSourceFile=Functions in ${sourceFile}
-breakpointNotYetResolved=\ (not yet resolved)
-breakpointAmbiguous=\ (ambiguous)
-breakpointNoCode=\ (no executable code on the specified line)
-sessionTerminated=Player session terminated
-additionalCodeLoaded=Additional ActionScript code has been loaded from a SWF or a frame.\n\
-To see all currently loaded files, type 'info files'.
-setAdditionalBreakpoints=Set additional breakpoints as desired, and then type 'continue'.
-fixBreakpoints=Fix or remove bad breakpoints, then type 'continue'.
-executionHalted=Execution halted
-hitBreakpoint=Breakpoint ${breakpointNumber}
-haltedInFunction=${reasonForHalting}, ${functionName}() at ${fileAndLine}
-haltedInFile=${reasonForHalting}, ${fileAndLine}
-linePrefixWhenDisplayingConsoleError=[Error]
-linePrefixWhenDisplayingFault=[Fault]
-linePrefixWhenSwfLoaded=[SWF]
-linePrefixWhenSwfUnloaded=[UnloadSWF]
-informationAboutFault=, information=
-sizeAfterDecompression=${size} bytes after decompression
-breakpointNotPropagated=WARNING:  breakpoint ${breakpointNumber} not propagated to all swfs.\n\
-You need to clear it and set it again.
-playerAlreadyRunning=Player is already running, no need to resume.
-doYouWantToHalt=Do you want to attempt to halt execution?
-debugInfoBeingLoaded=debug information currently being loaded
-attemptingToHalt=Attempting to halt.\n\
-To help out, try nudging the Player (e.g. press a button)
-couldNotHalt=Couldn't halt, no ActionScript is running.
-escapingFromDebuggerPendingLoop=Escaping from debugger pending loop; setting $nowaiting = 1
-continuingDueToError=Continuing due to error '${error}'
-currentLocationUnknown=current location unknown
-cannotStep=You can't step now.  Set breakpoints and then type 'continue'.
-abortingStep=The Player has not returned in time; aborting remaining ${count} steps
-finishCommandNotMeaningfulOnOutermostFrame='finish' not meaningful on outermost frame
-finishCommandNotMeaningfulWithoutStack='finish' not meaningful without a stack
-noBreakpointNumber=No breakpoint number ${breakpointNumber}
-badBreakpointNumber=warning bad breakpoint number at or near '${token}'
-commandFailed=Command failed.
-createdBreakpoint=Breakpoint ${breakpointNumber}: file ${file}, line ${line}
-createdBreakpointWithOffset=Breakpoint ${breakpointNumber} at ${offset}: file ${file}, line ${line}
-breakpointCreatedButNotYetResolved=Breakpoint ${breakpointNumber} created, but not yet resolved.\n\
-The breakpoint will be resolved when the corresponding file or function is loaded.
-fileNumber=file #${fileNumber}
-breakpointNotSetNoCode=Breakpoint not set; no executable code at line ${line} of ${filename}
-breakpointLocationUnknown=Breakpoint location unknown.
-breakpointNotCleared=Breakpoint not cleared.
-attemptingToResolve=Attempting to resolve breakpoint ${breakpointNumber}, expression "${expression}":
-noExecutableCode=There is no executable code on the specified line.
-resolvedBreakpointToFunction=Resolved breakpoint ${breakpointNumber} to ${functionName}() at ${file}:${line}
-resolvedBreakpointToFile=Resolved breakpoint ${breakpointNumber} to ${file}:${line}
-setCommand=Set command requires a variable followed by an expression
-missingOperator=Expression must contain '${operator}' operator.
-noSideEffectsAllowed=Expression must not have side effects such as assignment.
-couldNotEvaluate=Expression could not be evaluated.
-commandHistoryIsEmpty=The history is empty
-historyHasNotReached=History has not yet reached ${number}
-variableUnknown=Variable ${variable} unknown
-expressionCouldNotBeParsed=Expression could not be parsed correctly:
-couldNotConvertToNumber=Could not convert to a number: ${value}
-commandsLimitedToSpecifiedSwf=Commands limited to source files from ${swf}
-commandsApplyToAllSwfs=Source files from all swfs available within commands.
-notValidSwf=${swf} is not a valid SWF.
-frameDoesNotExist=Frame '${frameNumber}' does not exist.
-notANumber='${token}' not a number.
-expectedLineNumber=Expected line number; got ${token}
-expectedFileNumber=Expected file number; got ${token}
-noSourceFileWithSpecifiedName=No source file named '${name}'.
-noFunctionWithSpecifiedName=No function named '${name}'.
-ambiguousMatchingFilenames=Ambiguous matching file names:
-ambiguousMatchingFunctionNames=Ambiguous matching function names:
-functionInFile=${functionName} in ${filename}
-expectedFile=Expected file name or file number starting with #; got ${token}
-noSuchFileOrFunction=No file or function named '${token}'.
-localVariable=local
-functionArgumentVariable=argument
-mustBeOnlyOneVariable=Expression must contain only a single variable
-lineJunk=Junk at end of line specification
-sourceFileNotFound=Source file not found.  Use the "directory" command to specify its\n\
-location on this machine.  Type "help directory" for important details\n\
-on how to specify a directory for source files that are in a package.
-lineNumberOutOfRange=Line number ${line} out of range; file ${filename} has ${total} lines
-noFilesFound=No files found
-sessionInProgress=Session already in progress
-waitingForPlayerToConnect=Waiting for Player to connect
-waitingToConnectToPlayer=Trying to connect to Player
-launchingWithUrl=Attempting to launch and connect to Player using URL
-playerConnectedSessionStarting=Player connected; session starting.
-setBreakpointsThenResume=Set breakpoints and then type 'continue' to resume the session.
-warningNotAllCommandsSupported=WARNING: The Player that you are using does not support all fdb commands.
-fileDoesNotExist=File not found: ${uri}
-failedToConnect=Failed to connect; session timed out.\n\
-Ensure that:\n\
-\ \ 1. you compiled your Flash movie with debugging on, and\n\
-\ \ 2. you are running the Debugger version of the Flash Player.
-manuallyLaunchPlayer=Just type 'run', and then manually launch the Player.
-sourceCommandRequiresPath='source' command requires pathname of file to source.
-fileNotFound=${filename}: No such file or directory.
-argumentRequired=Argument required (fault to handle).
-breakpointNotChanged=Breakpoint not changed.
-badWatchpointNumber=Bad watchpoint number.
-couldNotResolveExpression=Could not resolve expression into variable.
-notAllBreakpointsEnabled=Not all breakpoints enabled
-programNotBeingRun=The program is not being run.
-commandNotValidUntilPlayerSuspended=Command not valid until Player execution suspended; try 'halt' command.
-noHelpFileFound=No help file (fdbhelp*.txt) found.
-invalidTargetFault=Bad target name for ActionSetTarget instruction
-recursionLimitFault=Upper bound on recusion limit reached
-invalidWithFault=Target of 'with' statement not an object
-protoLimitFault=Search up prototype chain reached limit
-invalidUrlFault=Opening a URL failed
-exceptionFault=User exception thrown
-stackUnderflowFault=Stack underflow occurred
-divideByZeroFault=Divide by zero error
-scriptTimeoutFault=ActionScript code is not progressing
-errorWhileProcessingFile=An error occurred while processing the file (${exceptionMessage})
-unrecognizedAction=Unrecognized action ${action}
-typeCommandsForBreakpoint=Type commands for when breakpoint ${breakpointNumber} is hit, one per line.\n\
-End with a line saying just 'end'.
-breakpointNowUnconditional=Breakpoint ${breakpointNumber} now unconditional.
-watchpointCouldNotBeSet=A watchpoint for '${expression}' could not be set
-
-changedWatchpointMode=Watchpoint ${watchpointNumber} on expression '${expression}' now ${watchpointMode}
-# the following three strings are inserted into the above 'changedWatchpointMode' string at the ${watchpontMode} location
-watchpointMode_read=read
-watchpointMode_write=write
-watchpointMode_readWrite=read-write
-
-createdWatchpoint=Watchpoint ${watchpointNumber} set on expression '${expression}'
-couldNotFindWatchpoint=The watch for '${variable}' could not be found or removed.
-noDisplayNumber=No display number ${displayNumber}
-badDisplayNumber=warning bad display number at or near '${token}'
-breakpointLocationNoLongerExists=Source file and line number no longer exist for breakpoint ${breakpointNumber}
-unknownCommand=Unknown command '${command}', ignoring it
-unknownSubcommand=Unknown ${commandCategory} command '${command}', ignoring it
-unknownEvent=Received unknown event of type '${type}', info = ${info}
-problemWithConnection=Problem with session connection, '${socketErrorMessage}', probably best to 'kill' it.
-unexpectedErrorWithStackTrace=Unexpected error while processing command.\n\
-For diagnostic purposes stack trace follows: 
-ambiguousCommand=Ambiguous command '${input}':
-faultHasNoTableEntry=Fault ${faultName} has no table entry
-swfInfo=${swfName} - ${size} bytes after decompression, ${scriptCount} scripts [#${min} - #${max}]${plus} ${moreInfo}, url is ${url}
-remainingSourceBeingLoaded=remaining source is still being loaded
-
-# the following string is appended to the end of any question; tells the user what to type
-yesOrNoAppendedToAllQuestions=\ (y or n)\ 
-# the following string is what character the user should to answer "yes" to a yes/no question
-singleCharacterUserTypesForYes=y
-# a bunch of questions:
-askDeleteAllBreakpoints=Delete all breakpoints?
-askDeleteAllAutoDisplay=Delete all auto-display expressions?
-askKillProgram=Kill the program being debugged?
-askProgramIsRunningExitAnyway=The program is running.  Exit anyway?
-askReinitSourcePath=Reinitialize source path to empty?
-askExpressionContainsAssignment=Your expression contains assignment! Continue?
-# the following string is output if someone answers "no" to any of the above questions
-yesNoQueryNotConfirmed=Not confirmed.
-stopOnlyIfConditionMet=stop only if ${breakpointCondition}
-breakpointAlreadyHit=breakpoint already hit ${count} time(s)
-silentBreakpoint=silent
-getterFunction=Getter
-setterFunction=Setter
-function=Function
-unknownVariableType=<unknown>
-variableAttribute_dontEnumerate=don't enumerate
-variableAttribute_readOnly=read-only
-variableAttribute_localVariable=local
-variableAttribute_functionArgument=argument
-variableAttribute_getterFunction=getter
-variableAttribute_setterFunction=setter
-variableAttribute_hasNamespace=has namespace
-key16=Messages received:
-key17=Messages sent:
-key18=No source files found
-key19=No functions found
-key20=Function list being prepared in background;  Try again later.
-key21=--- SessionManager properties
-key22=--- Session properties
-stopped=Stopped
-key24=Player running.
-key25=No break information found
-key26=Variable unknown
-key27=Source information unknown, disassembled current location
-key28=Junk at end of line specification
-key29=No swf found for file ${arg3}
-key30=No function found
-key31=---- Displaying unmapped instructions at 0x${arg4} that were skipped ----
-key32=Line number ${arg5} out of range; file ${arg6} has ${arg7} lines
-key33=No files found
-key34=Player is not currently suspended on any actions.
-key35=in '${swfName}'
-atAddress=at ${address}
-haltedDueToFault=due to ${fault}
-inWorker=Worker ${worker}
-workerRunning=Running
-workerSuspended=Suspended
-workerSelected=(Active)
-mainThread=Main Thread
-workerChanged=Active worker has changed to worker
-workerNotFound=No worker found with that ID
-linePrefixWhenWorkerCreated=[WorkerCreate]
-linePrefixWhenWorkerExit=[WorkerDestroy]
-noWorkersRunning=There are no workers running.