From 429a84f390212d0f414a08420707fc90aca2a331 Mon Sep 17 00:00:00 2001
From: John Hurliman
Date: Mon, 5 Oct 2009 17:38:14 -0700
Subject: Beginning work on the new LLUDP implementation
---
OpenSim/Framework/ThrottleOutPacketType.cs | 8 +-------
1 file changed, 1 insertion(+), 7 deletions(-)
(limited to 'OpenSim/Framework')
diff --git a/OpenSim/Framework/ThrottleOutPacketType.cs b/OpenSim/Framework/ThrottleOutPacketType.cs
index 0843757..fd490a5 100644
--- a/OpenSim/Framework/ThrottleOutPacketType.cs
+++ b/OpenSim/Framework/ThrottleOutPacketType.cs
@@ -29,9 +29,9 @@ using System;
namespace OpenSim.Framework
{
- [Flags]
public enum ThrottleOutPacketType : int
{
+ Unknown = -1, // Also doubles as 'do not throttle'
Resend = 0,
Land = 1,
Wind = 2,
@@ -39,11 +39,5 @@ namespace OpenSim.Framework
Task = 4,
Texture = 5,
Asset = 6,
- Unknown = 7, // Also doubles as 'do not throttle'
- Back = 8,
-
- TypeMask = 15, // The mask to mask off the flags
-
- LowPriority = 128 // Additional flags
}
}
--
cgit v1.1
From e7c877407f2a72a9519eb53debca5aeef20cded9 Mon Sep 17 00:00:00 2001
From: John Hurliman
Date: Tue, 6 Oct 2009 02:38:00 -0700
Subject: * Continued work on the new LLUDP implementation. Appears to be
functioning, although not everything is reimplemented yet * Replaced logic in
ThreadTracker with a call to System.Diagnostics that does the same thing *
Added Util.StringToBytes256() and Util.StringToBytes1024() to clamp output at
byte[256] and byte[1024], respectively * Fixed formatting for a
MySQLAssetData error logging line
---
OpenSim/Framework/Parallel.cs | 207 +++++++++++++++++++++++++++++++++++++
OpenSim/Framework/ThreadTracker.cs | 127 +----------------------
OpenSim/Framework/Util.cs | 36 +++++++
3 files changed, 248 insertions(+), 122 deletions(-)
create mode 100644 OpenSim/Framework/Parallel.cs
(limited to 'OpenSim/Framework')
diff --git a/OpenSim/Framework/Parallel.cs b/OpenSim/Framework/Parallel.cs
new file mode 100644
index 0000000..74537ba
--- /dev/null
+++ b/OpenSim/Framework/Parallel.cs
@@ -0,0 +1,207 @@
+/*
+ * Copyright (c) Contributors, http://opensimulator.org/
+ * See CONTRIBUTORS.TXT for a full list of copyright holders.
+ *
+ * Redistribution and use in source and binary forms, with or without
+ * modification, are permitted provided that the following conditions are met:
+ * * Redistributions of source code must retain the above copyright
+ * notice, this list of conditions and the following disclaimer.
+ * * Redistributions in binary form must reproduce the above copyright
+ * notice, this list of conditions and the following disclaimer in the
+ * documentation and/or other materials provided with the distribution.
+ * * Neither the name of the OpenSimulator Project nor the
+ * names of its contributors may be used to endorse or promote products
+ * derived from this software without specific prior written permission.
+ *
+ * THIS SOFTWARE IS PROVIDED BY THE DEVELOPERS ``AS IS'' AND ANY
+ * EXPRESS OR IMPLIED WARRANTIES, INCLUDING, BUT NOT LIMITED TO, THE IMPLIED
+ * WARRANTIES OF MERCHANTABILITY AND FITNESS FOR A PARTICULAR PURPOSE ARE
+ * DISCLAIMED. IN NO EVENT SHALL THE CONTRIBUTORS BE LIABLE FOR ANY
+ * DIRECT, INDIRECT, INCIDENTAL, SPECIAL, EXEMPLARY, OR CONSEQUENTIAL DAMAGES
+ * (INCLUDING, BUT NOT LIMITED TO, PROCUREMENT OF SUBSTITUTE GOODS OR SERVICES;
+ * LOSS OF USE, DATA, OR PROFITS; OR BUSINESS INTERRUPTION) HOWEVER CAUSED AND
+ * ON ANY THEORY OF LIABILITY, WHETHER IN CONTRACT, STRICT LIABILITY, OR TORT
+ * (INCLUDING NEGLIGENCE OR OTHERWISE) ARISING IN ANY WAY OUT OF THE USE OF THIS
+ * SOFTWARE, EVEN IF ADVISED OF THE POSSIBILITY OF SUCH DAMAGE.
+ */
+
+using System;
+using System.Collections.Generic;
+using System.Threading;
+
+namespace OpenSim.Framework
+{
+ ///
+ /// Provides helper methods for parallelizing loops
+ ///
+ public static class Parallel
+ {
+ private static readonly int processorCount = System.Environment.ProcessorCount;
+
+ ///
+ /// Executes a for loop in which iterations may run in parallel
+ ///
+ /// The loop will be started at this index
+ /// The loop will be terminated before this index is reached
+ /// Method body to run for each iteration of the loop
+ public static void For(int fromInclusive, int toExclusive, Action body)
+ {
+ For(processorCount, fromInclusive, toExclusive, body);
+ }
+
+ ///
+ /// Executes a for loop in which iterations may run in parallel
+ ///
+ /// The number of concurrent execution threads to run
+ /// The loop will be started at this index
+ /// The loop will be terminated before this index is reached
+ /// Method body to run for each iteration of the loop
+ public static void For(int threadCount, int fromInclusive, int toExclusive, Action body)
+ {
+ int counter = threadCount;
+ AutoResetEvent threadFinishEvent = new AutoResetEvent(false);
+ Exception exception = null;
+
+ --fromInclusive;
+
+ for (int i = 0; i < threadCount; i++)
+ {
+ ThreadPool.QueueUserWorkItem(
+ delegate(object o)
+ {
+ int threadIndex = (int)o;
+
+ while (exception == null)
+ {
+ int currentIndex = Interlocked.Increment(ref fromInclusive);
+
+ if (currentIndex >= toExclusive)
+ break;
+
+ try { body(currentIndex); }
+ catch (Exception ex) { exception = ex; break; }
+ }
+
+ if (Interlocked.Decrement(ref counter) == 0)
+ threadFinishEvent.Set();
+ }, i
+ );
+ }
+
+ threadFinishEvent.WaitOne();
+
+ if (exception != null)
+ throw new Exception(exception.Message, exception);
+ }
+
+ ///
+ /// Executes a foreach loop in which iterations may run in parallel
+ ///
+ /// Object type that the collection wraps
+ /// An enumerable collection to iterate over
+ /// Method body to run for each object in the collection
+ public static void ForEach(IEnumerable enumerable, Action body)
+ {
+ ForEach(processorCount, enumerable, body);
+ }
+
+ ///
+ /// Executes a foreach loop in which iterations may run in parallel
+ ///
+ /// Object type that the collection wraps
+ /// The number of concurrent execution threads to run
+ /// An enumerable collection to iterate over
+ /// Method body to run for each object in the collection
+ public static void ForEach(int threadCount, IEnumerable enumerable, Action body)
+ {
+ int counter = threadCount;
+ AutoResetEvent threadFinishEvent = new AutoResetEvent(false);
+ IEnumerator enumerator = enumerable.GetEnumerator();
+ Exception exception = null;
+
+ for (int i = 0; i < threadCount; i++)
+ {
+ ThreadPool.QueueUserWorkItem(
+ delegate(object o)
+ {
+ int threadIndex = (int)o;
+
+ while (exception == null)
+ {
+ T entry;
+
+ lock (enumerator)
+ {
+ if (!enumerator.MoveNext())
+ break;
+ entry = (T)enumerator.Current; // Explicit typecast for Mono's sake
+ }
+
+ try { body(entry); }
+ catch (Exception ex) { exception = ex; break; }
+ }
+
+ if (Interlocked.Decrement(ref counter) == 0)
+ threadFinishEvent.Set();
+ }, i
+ );
+ }
+
+ threadFinishEvent.WaitOne();
+
+ if (exception != null)
+ throw new Exception(exception.Message, exception);
+ }
+
+ ///
+ /// Executes a series of tasks in parallel
+ ///
+ /// A series of method bodies to execute
+ public static void Invoke(params Action[] actions)
+ {
+ Invoke(processorCount, actions);
+ }
+
+ ///
+ /// Executes a series of tasks in parallel
+ ///
+ /// The number of concurrent execution threads to run
+ /// A series of method bodies to execute
+ public static void Invoke(int threadCount, params Action[] actions)
+ {
+ int counter = threadCount;
+ AutoResetEvent threadFinishEvent = new AutoResetEvent(false);
+ int index = -1;
+ Exception exception = null;
+
+ for (int i = 0; i < threadCount; i++)
+ {
+ ThreadPool.QueueUserWorkItem(
+ delegate(object o)
+ {
+ int threadIndex = (int)o;
+
+ while (exception == null)
+ {
+ int currentIndex = Interlocked.Increment(ref index);
+
+ if (currentIndex >= actions.Length)
+ break;
+
+ try { actions[currentIndex](); }
+ catch (Exception ex) { exception = ex; break; }
+ }
+
+ if (Interlocked.Decrement(ref counter) == 0)
+ threadFinishEvent.Set();
+ }, i
+ );
+ }
+
+ threadFinishEvent.WaitOne();
+
+ if (exception != null)
+ throw new Exception(exception.Message, exception);
+ }
+ }
+}
diff --git a/OpenSim/Framework/ThreadTracker.cs b/OpenSim/Framework/ThreadTracker.cs
index d3a239d..b68d9b3 100644
--- a/OpenSim/Framework/ThreadTracker.cs
+++ b/OpenSim/Framework/ThreadTracker.cs
@@ -26,138 +26,21 @@
*/
using System;
-using System.Collections;
using System.Collections.Generic;
using System.Reflection;
-using System.Threading;
+using System.Diagnostics;
using log4net;
namespace OpenSim.Framework
{
public static class ThreadTracker
{
- private static readonly ILog m_log
- = LogManager.GetLogger(MethodBase.GetCurrentMethod().DeclaringType);
-
- private static readonly long ThreadTimeout = 30 * 10000000;
- public static List m_Threads;
- public static Thread ThreadTrackerThread;
+ private static readonly ILog m_log = LogManager.GetLogger(MethodBase.GetCurrentMethod().DeclaringType);
- static ThreadTracker()
+ public static ProcessThreadCollection GetThreads()
{
-#if DEBUG
- m_Threads = new List();
- ThreadTrackerThread = new Thread(ThreadTrackerThreadLoop);
- ThreadTrackerThread.Name = "ThreadTrackerThread";
- ThreadTrackerThread.IsBackground = true;
- ThreadTrackerThread.Priority = ThreadPriority.BelowNormal;
- ThreadTrackerThread.Start();
- Add(ThreadTrackerThread);
-#endif
+ Process thisProc = Process.GetCurrentProcess();
+ return thisProc.Threads;
}
-
- private static void ThreadTrackerThreadLoop()
- {
- try
- {
- while (true)
- {
- Thread.Sleep(5000);
- CleanUp();
- }
- }
- catch (Exception e)
- {
- m_log.ErrorFormat(
- "[THREAD TRACKER]: Thread tracker cleanup thread terminating with exception. Please report this error. Exception is {0}",
- e);
- }
- }
-
- public static void Add(Thread thread)
- {
-#if DEBUG
- if (thread != null)
- {
- lock (m_Threads)
- {
- ThreadTrackerItem tti = new ThreadTrackerItem();
- tti.Thread = thread;
- tti.LastSeenActive = DateTime.Now.Ticks;
- m_Threads.Add(tti);
- }
- }
-#endif
- }
-
- public static void Remove(Thread thread)
- {
-#if DEBUG
- lock (m_Threads)
- {
- foreach (ThreadTrackerItem tti in new ArrayList(m_Threads))
- {
- if (tti.Thread == thread)
- m_Threads.Remove(tti);
- }
- }
-#endif
- }
-
- public static void CleanUp()
- {
- lock (m_Threads)
- {
- foreach (ThreadTrackerItem tti in new ArrayList(m_Threads))
- {
- try
- {
-
-
- if (tti.Thread.IsAlive)
- {
- // Its active
- tti.LastSeenActive = DateTime.Now.Ticks;
- }
- else
- {
- // Its not active -- if its expired then remove it
- if (tti.LastSeenActive + ThreadTimeout < DateTime.Now.Ticks)
- m_Threads.Remove(tti);
- }
- }
- catch (NullReferenceException)
- {
- m_Threads.Remove(tti);
- }
- }
- }
- }
-
- public static List GetThreads()
- {
- if (m_Threads == null)
- return null;
-
- List threads = new List();
- lock (m_Threads)
- {
- foreach (ThreadTrackerItem tti in new ArrayList(m_Threads))
- {
- threads.Add(tti.Thread);
- }
- }
- return threads;
- }
-
- #region Nested type: ThreadTrackerItem
-
- public class ThreadTrackerItem
- {
- public long LastSeenActive;
- public Thread Thread;
- }
-
- #endregion
}
}
diff --git a/OpenSim/Framework/Util.cs b/OpenSim/Framework/Util.cs
index 0851d26..189fa38 100644
--- a/OpenSim/Framework/Util.cs
+++ b/OpenSim/Framework/Util.cs
@@ -1231,6 +1231,42 @@ namespace OpenSim.Framework
return (ipaddr1 != null) ? "http://" + ipaddr1.ToString() + ":" + port1 : uri;
}
+ public static byte[] StringToBytes256(string str)
+ {
+ if (String.IsNullOrEmpty(str)) { return Utils.EmptyBytes; }
+ if (str.Length > 254) str = str.Remove(254);
+ if (!str.EndsWith("\0")) { str += "\0"; }
+
+ // Because this is UTF-8 encoding and not ASCII, it's possible we
+ // might have gotten an oversized array even after the string trim
+ byte[] data = UTF8.GetBytes(str);
+ if (data.Length > 256)
+ {
+ Array.Resize(ref data, 256);
+ data[255] = 0;
+ }
+
+ return data;
+ }
+
+ public static byte[] StringToBytes1024(string str)
+ {
+ if (String.IsNullOrEmpty(str)) { return Utils.EmptyBytes; }
+ if (str.Length > 1023) str = str.Remove(1023);
+ if (!str.EndsWith("\0")) { str += "\0"; }
+
+ // Because this is UTF-8 encoding and not ASCII, it's possible we
+ // might have gotten an oversized array even after the string trim
+ byte[] data = UTF8.GetBytes(str);
+ if (data.Length > 1024)
+ {
+ Array.Resize(ref data, 1024);
+ data[1023] = 0;
+ }
+
+ return data;
+ }
+
#region FireAndForget Threading Pattern
public static void FireAndForget(System.Threading.WaitCallback callback)
--
cgit v1.1
From 2519f071f2c592aeea0414c8b2871e5df623271c Mon Sep 17 00:00:00 2001
From: John Hurliman
Date: Tue, 6 Oct 2009 02:50:59 -0700
Subject: Fixing a few compile errors in the previous commit
---
OpenSim/Framework/Servers/BaseOpenSimServer.cs | 27 ++---
OpenSim/Framework/Tests/ThreadTrackerTests.cs | 140 +------------------------
2 files changed, 8 insertions(+), 159 deletions(-)
(limited to 'OpenSim/Framework')
diff --git a/OpenSim/Framework/Servers/BaseOpenSimServer.cs b/OpenSim/Framework/Servers/BaseOpenSimServer.cs
index 56155dd..8e58980 100644
--- a/OpenSim/Framework/Servers/BaseOpenSimServer.cs
+++ b/OpenSim/Framework/Servers/BaseOpenSimServer.cs
@@ -27,6 +27,7 @@
using System;
using System.Collections.Generic;
+using System.Diagnostics;
using System.IO;
using System.Reflection;
using System.Text;
@@ -109,9 +110,8 @@ namespace OpenSim.Framework.Servers
m_periodicDiagnosticsTimer.Elapsed += new ElapsedEventHandler(LogDiagnostics);
m_periodicDiagnosticsTimer.Enabled = true;
- // Add ourselves to thread monitoring. This thread will go on to become the console listening thread
+ // This thread will go on to become the console listening thread
Thread.CurrentThread.Name = "ConsoleThread";
- ThreadTracker.Add(Thread.CurrentThread);
ILoggerRepository repository = LogManager.GetRepository();
IAppender[] appenders = repository.GetAppenders();
@@ -235,7 +235,7 @@ namespace OpenSim.Framework.Servers
{
StringBuilder sb = new StringBuilder();
- List threads = ThreadTracker.GetThreads();
+ ProcessThreadCollection threads = ThreadTracker.GetThreads();
if (threads == null)
{
sb.Append("OpenSim thread tracking is only enabled in DEBUG mode.");
@@ -243,25 +243,10 @@ namespace OpenSim.Framework.Servers
else
{
sb.Append(threads.Count + " threads are being tracked:" + Environment.NewLine);
- foreach (Thread t in threads)
+ foreach (ProcessThread t in threads)
{
- if (t.IsAlive)
- {
- sb.Append(
- "ID: " + t.ManagedThreadId + ", Name: " + t.Name + ", Alive: " + t.IsAlive
- + ", Pri: " + t.Priority + ", State: " + t.ThreadState + Environment.NewLine);
- }
- else
- {
- try
- {
- sb.Append("ID: " + t.ManagedThreadId + ", Name: " + t.Name + ", DEAD" + Environment.NewLine);
- }
- catch
- {
- sb.Append("THREAD ERROR" + Environment.NewLine);
- }
- }
+ sb.Append("ID: " + t.Id + ", TotalProcessorTime: " + t.TotalProcessorTime + ", TimeRunning: " +
+ (DateTime.Now - t.StartTime) + ", Pri: " + t.CurrentPriority + ", State: " + t.ThreadState + Environment.NewLine);
}
}
int workers = 0, ports = 0, maxWorkers = 0, maxPorts = 0;
diff --git a/OpenSim/Framework/Tests/ThreadTrackerTests.cs b/OpenSim/Framework/Tests/ThreadTrackerTests.cs
index 15d5b73..7eb83e6 100644
--- a/OpenSim/Framework/Tests/ThreadTrackerTests.cs
+++ b/OpenSim/Framework/Tests/ThreadTrackerTests.cs
@@ -41,7 +41,7 @@ namespace OpenSim.Framework.Tests
[Test]
public void DefaultThreadTrackerTest()
{
- List lThread = ThreadTracker.GetThreads();
+ System.Diagnostics.ProcessThreadCollection lThread = ThreadTracker.GetThreads();
/*
foreach (Thread t in lThread)
@@ -50,143 +50,7 @@ namespace OpenSim.Framework.Tests
}
*/
- Assert.That(lThread.Count == 1);
- Assert.That(lThread[0].Name == "ThreadTrackerThread");
+ Assert.That(lThread.Count > 0);
}
-
- ///
- /// Validate that adding a thread to the thread tracker works
- /// Validate that removing a thread from the thread tracker also works.
- ///
- [Test]
- public void AddThreadToThreadTrackerTestAndRemoveTest()
- {
- Thread t = new Thread(run);
- t.Name = "TestThread";
- t.Priority = ThreadPriority.BelowNormal;
- t.IsBackground = true;
- t.SetApartmentState(ApartmentState.MTA);
- t.Start();
- ThreadTracker.Add(t);
-
- List lThread = ThreadTracker.GetThreads();
-
- Assert.That(lThread.Count == 2);
-
- foreach (Thread tr in lThread)
- {
- Assert.That((tr.Name == "ThreadTrackerThread" || tr.Name == "TestThread"));
- }
- running = false;
- ThreadTracker.Remove(t);
-
- lThread = ThreadTracker.GetThreads();
-
- Assert.That(lThread.Count == 1);
-
- foreach (Thread tr in lThread)
- {
- Assert.That((tr.Name == "ThreadTrackerThread"));
- }
-
-
- }
-
- ///
- /// Test a dead thread removal by aborting it and setting it's last seen active date to 50 seconds
- ///
- [Test]
- public void DeadThreadTest()
- {
- Thread t = new Thread(run2);
- t.Name = "TestThread";
- t.Priority = ThreadPriority.BelowNormal;
- t.IsBackground = true;
- t.SetApartmentState(ApartmentState.MTA);
- t.Start();
- ThreadTracker.Add(t);
- t.Abort();
- Thread.Sleep(5000);
- ThreadTracker.m_Threads[1].LastSeenActive = DateTime.Now.Ticks - (50*10000000);
- ThreadTracker.CleanUp();
- List lThread = ThreadTracker.GetThreads();
-
- Assert.That(lThread.Count == 1);
-
- foreach (Thread tr in lThread)
- {
- Assert.That((tr.Name == "ThreadTrackerThread"));
- }
- }
-
- [Test]
- public void UnstartedThreadTest()
- {
- Thread t = new Thread(run2);
- t.Name = "TestThread";
- t.Priority = ThreadPriority.BelowNormal;
- t.IsBackground = true;
- t.SetApartmentState(ApartmentState.MTA);
- ThreadTracker.Add(t);
- ThreadTracker.m_Threads[1].LastSeenActive = DateTime.Now.Ticks - (50 * 10000000);
- ThreadTracker.CleanUp();
- List lThread = ThreadTracker.GetThreads();
-
- Assert.That(lThread.Count == 1);
-
- foreach (Thread tr in lThread)
- {
- Assert.That((tr.Name == "ThreadTrackerThread"));
- }
- }
-
- [Test]
- public void NullThreadTest()
- {
- Thread t = null;
- ThreadTracker.Add(t);
-
- List lThread = ThreadTracker.GetThreads();
-
- Assert.That(lThread.Count == 1);
-
- foreach (Thread tr in lThread)
- {
- Assert.That((tr.Name == "ThreadTrackerThread"));
- }
- }
-
-
- ///
- /// Worker thread 0
- ///
- ///
- public void run(object o)
- {
- while (running)
- {
- Thread.Sleep(5000);
- }
- }
-
- ///
- /// Worker thread 1
- ///
- ///
- public void run2(object o)
- {
- try
- {
- while (running2)
- {
- Thread.Sleep(5000);
- }
-
- }
- catch (ThreadAbortException)
- {
- }
- }
-
}
}
--
cgit v1.1
From fb19d1ca0a7c6e82c540c4e8d22c82c09b7bec98 Mon Sep 17 00:00:00 2001
From: John Hurliman
Date: Tue, 6 Oct 2009 10:12:59 -0700
Subject: * Try/catch around EndInvoke() when Util.FireAndForget() returns to
catch exceptions thrown in the async method * Added packet stats handling to
the new LLUDP implementation * Attempting to avoid a race condition when
creating a new LLUDPClient
---
OpenSim/Framework/Util.cs | 4 +++-
1 file changed, 3 insertions(+), 1 deletion(-)
(limited to 'OpenSim/Framework')
diff --git a/OpenSim/Framework/Util.cs b/OpenSim/Framework/Util.cs
index 189fa38..38729c6 100644
--- a/OpenSim/Framework/Util.cs
+++ b/OpenSim/Framework/Util.cs
@@ -1283,7 +1283,9 @@ namespace OpenSim.Framework
{
System.Threading.WaitCallback callback = (System.Threading.WaitCallback)ar.AsyncState;
- callback.EndInvoke(ar);
+ try { callback.EndInvoke(ar); }
+ catch (Exception ex) { m_log.Error("[UTIL]: Asynchronous method threw an exception: " + ex.Message, ex); }
+
ar.AsyncWaitHandle.Close();
}
--
cgit v1.1
From 9618c196c274fefda4437eff6d25c7a12e7a3ee1 Mon Sep 17 00:00:00 2001
From: Melanie
Date: Wed, 7 Oct 2009 01:44:36 +0100
Subject: Revert "Merging in diva's locking fixes"
This reverts commit 832cc685138b2244529f10b54b373c34adb4a633.
---
.../Cache/UserProfileCacheService.cs | 66 +++++++++++++---------
OpenSim/Framework/ConfigSettings.cs | 4 +-
OpenSim/Framework/InventoryConfig.cs | 6 +-
3 files changed, 44 insertions(+), 32 deletions(-)
(limited to 'OpenSim/Framework')
diff --git a/OpenSim/Framework/Communications/Cache/UserProfileCacheService.cs b/OpenSim/Framework/Communications/Cache/UserProfileCacheService.cs
index b02cf5b..9e12d948 100644
--- a/OpenSim/Framework/Communications/Cache/UserProfileCacheService.cs
+++ b/OpenSim/Framework/Communications/Cache/UserProfileCacheService.cs
@@ -128,18 +128,24 @@ namespace OpenSim.Framework.Communications.Cache
/// null if no user details are found
public CachedUserInfo GetUserDetails(string fname, string lname)
{
- CachedUserInfo userInfo;
lock (m_userProfilesByName)
- {
+ {
+ CachedUserInfo userInfo;
+
if (m_userProfilesByName.TryGetValue(string.Format(NAME_FORMAT, fname, lname), out userInfo))
+ {
return userInfo;
+ }
+ else
+ {
+ UserProfileData userProfile = m_commsManager.UserService.GetUserProfile(fname, lname);
+
+ if (userProfile != null)
+ return AddToCaches(userProfile);
+ else
+ return null;
+ }
}
- UserProfileData userProfile = m_commsManager.UserService.GetUserProfile(fname, lname);
-
- if (userProfile != null)
- return AddToCaches(userProfile);
- else
- return null;
}
///
@@ -154,14 +160,20 @@ namespace OpenSim.Framework.Communications.Cache
return null;
lock (m_userProfilesById)
+ {
if (m_userProfilesById.ContainsKey(userID))
+ {
return m_userProfilesById[userID];
-
- UserProfileData userProfile = m_commsManager.UserService.GetUserProfile(userID);
- if (userProfile != null)
- return AddToCaches(userProfile);
- else
- return null;
+ }
+ else
+ {
+ UserProfileData userProfile = m_commsManager.UserService.GetUserProfile(userID);
+ if (userProfile != null)
+ return AddToCaches(userProfile);
+ else
+ return null;
+ }
+ }
}
///
@@ -199,10 +211,14 @@ namespace OpenSim.Framework.Communications.Cache
CachedUserInfo createdUserInfo = new CachedUserInfo(m_InventoryService, userProfile);
lock (m_userProfilesById)
+ {
m_userProfilesById[createdUserInfo.UserProfile.ID] = createdUserInfo;
-
- lock (m_userProfilesByName)
- m_userProfilesByName[createdUserInfo.UserProfile.Name] = createdUserInfo;
+
+ lock (m_userProfilesByName)
+ {
+ m_userProfilesByName[createdUserInfo.UserProfile.Name] = createdUserInfo;
+ }
+ }
return createdUserInfo;
}
@@ -214,25 +230,21 @@ namespace OpenSim.Framework.Communications.Cache
/// true if there was a profile to remove, false otherwise
protected bool RemoveFromCaches(UUID userId)
{
- CachedUserInfo userInfo = null;
lock (m_userProfilesById)
{
if (m_userProfilesById.ContainsKey(userId))
{
- userInfo = m_userProfilesById[userId];
+ CachedUserInfo userInfo = m_userProfilesById[userId];
m_userProfilesById.Remove(userId);
- }
- }
-
- if (userInfo != null)
- lock (m_userProfilesByName)
- {
- if (m_userProfilesByName.ContainsKey(userInfo.UserProfile.Name))
+
+ lock (m_userProfilesByName)
{
m_userProfilesByName.Remove(userInfo.UserProfile.Name);
- return true;
}
+
+ return true;
}
+ }
return false;
}
diff --git a/OpenSim/Framework/ConfigSettings.cs b/OpenSim/Framework/ConfigSettings.cs
index 32415e0..93efffa 100644
--- a/OpenSim/Framework/ConfigSettings.cs
+++ b/OpenSim/Framework/ConfigSettings.cs
@@ -168,7 +168,7 @@ namespace OpenSim.Framework
public const bool DefaultUserServerHttpSSL = false;
public const uint DefaultMessageServerHttpPort = 8006;
public const bool DefaultMessageServerHttpSSL = false;
- public const uint DefaultGridServerHttpPort = 8003;
- public const uint DefaultInventoryServerHttpPort = 8003;
+ public const uint DefaultGridServerHttpPort = 8001;
+ public const uint DefaultInventoryServerHttpPort = 8004;
}
}
diff --git a/OpenSim/Framework/InventoryConfig.cs b/OpenSim/Framework/InventoryConfig.cs
index dd207ad..f539d55 100644
--- a/OpenSim/Framework/InventoryConfig.cs
+++ b/OpenSim/Framework/InventoryConfig.cs
@@ -56,15 +56,15 @@ namespace OpenSim.Framework
m_configMember.addConfigurationOption("default_inventory_server",
ConfigurationOption.ConfigurationTypes.TYPE_STRING_NOT_EMPTY,
"Default Inventory Server URI (this server's external name)",
- "http://127.0.0.1:" + ConfigSettings.DefaultInventoryServerHttpPort, false);
+ "http://127.0.0.1:8004", false);
m_configMember.addConfigurationOption("default_user_server",
ConfigurationOption.ConfigurationTypes.TYPE_STRING_NOT_EMPTY,
"Default User Server URI",
- "http://127.0.0.1:" + ConfigSettings.DefaultUserServerHttpPort, false);
+ "http://127.0.0.1:8002", false);
m_configMember.addConfigurationOption("default_asset_server",
ConfigurationOption.ConfigurationTypes.TYPE_STRING_NOT_EMPTY,
"Default Asset Server URI",
- "http://127.0.0.1:" + ConfigSettings.DefaultAssetServerHttpPort, false);
+ "http://127.0.0.1:8003", false);
m_configMember.addConfigurationOption("database_provider", ConfigurationOption.ConfigurationTypes.TYPE_STRING,
"DLL for database provider", "OpenSim.Data.MySQL.dll", false);
m_configMember.addConfigurationOption("database_connect", ConfigurationOption.ConfigurationTypes.TYPE_STRING,
--
cgit v1.1
From ab3bfca54631d55ff951ce02b3f99e64e2ea7367 Mon Sep 17 00:00:00 2001
From: Diva Canto
Date: Wed, 7 Oct 2009 17:29:21 -0700
Subject: Printout one more field in show threads, but this won't buy us much.
---
OpenSim/Framework/Servers/BaseOpenSimServer.cs | 3 ++-
1 file changed, 2 insertions(+), 1 deletion(-)
(limited to 'OpenSim/Framework')
diff --git a/OpenSim/Framework/Servers/BaseOpenSimServer.cs b/OpenSim/Framework/Servers/BaseOpenSimServer.cs
index 8e58980..4179dd3 100644
--- a/OpenSim/Framework/Servers/BaseOpenSimServer.cs
+++ b/OpenSim/Framework/Servers/BaseOpenSimServer.cs
@@ -246,7 +246,8 @@ namespace OpenSim.Framework.Servers
foreach (ProcessThread t in threads)
{
sb.Append("ID: " + t.Id + ", TotalProcessorTime: " + t.TotalProcessorTime + ", TimeRunning: " +
- (DateTime.Now - t.StartTime) + ", Pri: " + t.CurrentPriority + ", State: " + t.ThreadState + Environment.NewLine);
+ (DateTime.Now - t.StartTime) + ", Pri: " + t.CurrentPriority + ", State: " + t.ThreadState +
+ ", WaitReason: " + t.WaitReason + Environment.NewLine);
}
}
int workers = 0, ports = 0, maxWorkers = 0, maxPorts = 0;
--
cgit v1.1
From 29f03d95f3648dff881a2d91444a71c770390ec9 Mon Sep 17 00:00:00 2001
From: Diva Canto
Date: Wed, 7 Oct 2009 19:20:34 -0700
Subject: Bug fix.
---
OpenSim/Framework/Servers/BaseOpenSimServer.cs | 8 ++++++--
1 file changed, 6 insertions(+), 2 deletions(-)
(limited to 'OpenSim/Framework')
diff --git a/OpenSim/Framework/Servers/BaseOpenSimServer.cs b/OpenSim/Framework/Servers/BaseOpenSimServer.cs
index 4179dd3..845a9fe 100644
--- a/OpenSim/Framework/Servers/BaseOpenSimServer.cs
+++ b/OpenSim/Framework/Servers/BaseOpenSimServer.cs
@@ -246,8 +246,12 @@ namespace OpenSim.Framework.Servers
foreach (ProcessThread t in threads)
{
sb.Append("ID: " + t.Id + ", TotalProcessorTime: " + t.TotalProcessorTime + ", TimeRunning: " +
- (DateTime.Now - t.StartTime) + ", Pri: " + t.CurrentPriority + ", State: " + t.ThreadState +
- ", WaitReason: " + t.WaitReason + Environment.NewLine);
+ (DateTime.Now - t.StartTime) + ", Pri: " + t.CurrentPriority + ", State: " + t.ThreadState );
+ if (t.ThreadState == System.Diagnostics.ThreadState.Wait)
+ sb.Append(", Reason: " + t.WaitReason + Environment.NewLine);
+ else
+ sb.Append(Environment.NewLine);
+
}
}
int workers = 0, ports = 0, maxWorkers = 0, maxPorts = 0;
--
cgit v1.1