Merge branch 'master' of /home/opensim/var/repo/opensim
commit
2b5e05fad8
|
@ -122,9 +122,10 @@ namespace OpenSim.ApplicationPlugins.LoadRegions
|
||||||
Thread.CurrentThread.ManagedThreadId.ToString() +
|
Thread.CurrentThread.ManagedThreadId.ToString() +
|
||||||
")");
|
")");
|
||||||
|
|
||||||
m_openSim.PopulateRegionEstateInfo(regionsToLoad[i]);
|
bool changed = m_openSim.PopulateRegionEstateInfo(regionsToLoad[i]);
|
||||||
m_openSim.CreateRegion(regionsToLoad[i], true, out scene);
|
m_openSim.CreateRegion(regionsToLoad[i], true, out scene);
|
||||||
regionsToLoad[i].EstateSettings.Save();
|
if (changed)
|
||||||
|
regionsToLoad[i].EstateSettings.Save();
|
||||||
|
|
||||||
if (scene != null)
|
if (scene != null)
|
||||||
{
|
{
|
||||||
|
|
|
@ -0,0 +1,139 @@
|
||||||
|
/*
|
||||||
|
* 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.Linq;
|
||||||
|
using System.Text;
|
||||||
|
|
||||||
|
namespace OpenSim.Framework.Console
|
||||||
|
{
|
||||||
|
/// <summary>
|
||||||
|
/// Used to generated a formatted table for the console.
|
||||||
|
/// </summary>
|
||||||
|
/// <remarks>
|
||||||
|
/// Currently subject to change. If you use this, be prepared to change your code when this class changes.
|
||||||
|
/// </remarks>
|
||||||
|
public class ConsoleTable
|
||||||
|
{
|
||||||
|
/// <summary>
|
||||||
|
/// Default number of spaces between table columns.
|
||||||
|
/// </summary>
|
||||||
|
public const int DefaultTableSpacing = 2;
|
||||||
|
|
||||||
|
/// <summary>
|
||||||
|
/// Table columns.
|
||||||
|
/// </summary>
|
||||||
|
public List<ConsoleTableColumn> Columns { get; private set; }
|
||||||
|
|
||||||
|
/// <summary>
|
||||||
|
/// Table rows
|
||||||
|
/// </summary>
|
||||||
|
public List<ConsoleTableRow> Rows { get; private set; }
|
||||||
|
|
||||||
|
/// <summary>
|
||||||
|
/// Number of spaces to indent the table.
|
||||||
|
/// </summary>
|
||||||
|
public int Indent { get; set; }
|
||||||
|
|
||||||
|
/// <summary>
|
||||||
|
/// Spacing between table columns
|
||||||
|
/// </summary>
|
||||||
|
public int TableSpacing { get; set; }
|
||||||
|
|
||||||
|
public ConsoleTable()
|
||||||
|
{
|
||||||
|
TableSpacing = DefaultTableSpacing;
|
||||||
|
Columns = new List<ConsoleTableColumn>();
|
||||||
|
Rows = new List<ConsoleTableRow>();
|
||||||
|
}
|
||||||
|
|
||||||
|
public override string ToString()
|
||||||
|
{
|
||||||
|
StringBuilder sb = new StringBuilder();
|
||||||
|
AddToStringBuilder(sb);
|
||||||
|
return sb.ToString();
|
||||||
|
}
|
||||||
|
|
||||||
|
public void AddToStringBuilder(StringBuilder sb)
|
||||||
|
{
|
||||||
|
string formatString = GetFormatString();
|
||||||
|
// System.Console.WriteLine("FORMAT STRING [{0}]", formatString);
|
||||||
|
|
||||||
|
// columns
|
||||||
|
sb.AppendFormat(formatString, Columns.ConvertAll(c => c.Header).ToArray());
|
||||||
|
|
||||||
|
// rows
|
||||||
|
foreach (ConsoleTableRow row in Rows)
|
||||||
|
sb.AppendFormat(formatString, row.Cells.ToArray());
|
||||||
|
}
|
||||||
|
|
||||||
|
/// <summary>
|
||||||
|
/// Gets the format string for the table.
|
||||||
|
/// </summary>
|
||||||
|
private string GetFormatString()
|
||||||
|
{
|
||||||
|
StringBuilder formatSb = new StringBuilder();
|
||||||
|
|
||||||
|
formatSb.Append(' ', Indent);
|
||||||
|
|
||||||
|
for (int i = 0; i < Columns.Count; i++)
|
||||||
|
{
|
||||||
|
formatSb.Append(' ', TableSpacing);
|
||||||
|
|
||||||
|
// Can only do left formatting for now
|
||||||
|
formatSb.AppendFormat("{{{0},-{1}}}", i, Columns[i].Width);
|
||||||
|
}
|
||||||
|
|
||||||
|
formatSb.Append('\n');
|
||||||
|
|
||||||
|
return formatSb.ToString();
|
||||||
|
}
|
||||||
|
}
|
||||||
|
|
||||||
|
public struct ConsoleTableColumn
|
||||||
|
{
|
||||||
|
public string Header { get; set; }
|
||||||
|
public int Width { get; set; }
|
||||||
|
|
||||||
|
public ConsoleTableColumn(string header, int width) : this()
|
||||||
|
{
|
||||||
|
Header = header;
|
||||||
|
Width = width;
|
||||||
|
}
|
||||||
|
}
|
||||||
|
|
||||||
|
public struct ConsoleTableRow
|
||||||
|
{
|
||||||
|
public List<string> Cells { get; private set; }
|
||||||
|
|
||||||
|
public ConsoleTableRow(List<string> cells) : this()
|
||||||
|
{
|
||||||
|
Cells = cells;
|
||||||
|
}
|
||||||
|
}
|
||||||
|
}
|
|
@ -29,6 +29,7 @@ using System;
|
||||||
using System.Collections.Generic;
|
using System.Collections.Generic;
|
||||||
using System.IO;
|
using System.IO;
|
||||||
using OpenMetaverse;
|
using OpenMetaverse;
|
||||||
|
using System.Runtime.Serialization;
|
||||||
|
|
||||||
namespace OpenSim.Framework
|
namespace OpenSim.Framework
|
||||||
{
|
{
|
||||||
|
@ -71,6 +72,32 @@ namespace OpenSim.Framework
|
||||||
|
|
||||||
return pos + offset;
|
return pos + offset;
|
||||||
}
|
}
|
||||||
|
|
||||||
|
/// <summary>
|
||||||
|
/// Returns a string representation of this SpawnPoint.
|
||||||
|
/// </summary>
|
||||||
|
/// <returns></returns>
|
||||||
|
public override string ToString()
|
||||||
|
{
|
||||||
|
return string.Format("{0},{1},{2}", Yaw, Pitch, Distance);
|
||||||
|
}
|
||||||
|
|
||||||
|
/// <summary>
|
||||||
|
/// Generate a SpawnPoint from a string
|
||||||
|
/// </summary>
|
||||||
|
/// <param name="str"></param>
|
||||||
|
public static SpawnPoint Parse(string str)
|
||||||
|
{
|
||||||
|
string[] parts = str.Split(',');
|
||||||
|
if (parts.Length != 3)
|
||||||
|
throw new ArgumentException("Invalid string: " + str);
|
||||||
|
|
||||||
|
SpawnPoint sp = new SpawnPoint();
|
||||||
|
sp.Yaw = float.Parse(parts[0]);
|
||||||
|
sp.Pitch = float.Parse(parts[1]);
|
||||||
|
sp.Distance = float.Parse(parts[2]);
|
||||||
|
return sp;
|
||||||
|
}
|
||||||
}
|
}
|
||||||
|
|
||||||
public class RegionSettings
|
public class RegionSettings
|
||||||
|
@ -456,7 +483,7 @@ namespace OpenSim.Framework
|
||||||
}
|
}
|
||||||
|
|
||||||
// Connected Telehub object
|
// Connected Telehub object
|
||||||
private UUID m_TelehubObject;
|
private UUID m_TelehubObject = UUID.Zero;
|
||||||
public UUID TelehubObject
|
public UUID TelehubObject
|
||||||
{
|
{
|
||||||
get
|
get
|
||||||
|
|
|
@ -30,6 +30,8 @@ using System.Text;
|
||||||
using System.Xml;
|
using System.Xml;
|
||||||
using OpenMetaverse;
|
using OpenMetaverse;
|
||||||
using OpenSim.Framework;
|
using OpenSim.Framework;
|
||||||
|
using log4net;
|
||||||
|
using System.Reflection;
|
||||||
|
|
||||||
namespace OpenSim.Framework.Serialization.External
|
namespace OpenSim.Framework.Serialization.External
|
||||||
{
|
{
|
||||||
|
@ -187,7 +189,29 @@ namespace OpenSim.Framework.Serialization.External
|
||||||
break;
|
break;
|
||||||
}
|
}
|
||||||
}
|
}
|
||||||
|
|
||||||
|
xtr.ReadEndElement();
|
||||||
|
|
||||||
|
if (xtr.IsStartElement("Telehub"))
|
||||||
|
{
|
||||||
|
xtr.ReadStartElement("Telehub");
|
||||||
|
|
||||||
|
while (xtr.Read() && xtr.NodeType != XmlNodeType.EndElement)
|
||||||
|
{
|
||||||
|
switch (xtr.Name)
|
||||||
|
{
|
||||||
|
case "TelehubObject":
|
||||||
|
settings.TelehubObject = UUID.Parse(xtr.ReadElementContentAsString());
|
||||||
|
break;
|
||||||
|
case "SpawnPoint":
|
||||||
|
string str = xtr.ReadElementContentAsString();
|
||||||
|
SpawnPoint sp = SpawnPoint.Parse(str);
|
||||||
|
settings.AddSpawnPoint(sp);
|
||||||
|
break;
|
||||||
|
}
|
||||||
|
}
|
||||||
|
}
|
||||||
|
|
||||||
xtr.Close();
|
xtr.Close();
|
||||||
sr.Close();
|
sr.Close();
|
||||||
|
|
||||||
|
@ -243,7 +267,16 @@ namespace OpenSim.Framework.Serialization.External
|
||||||
xtw.WriteElementString("SunPosition", settings.SunPosition.ToString());
|
xtw.WriteElementString("SunPosition", settings.SunPosition.ToString());
|
||||||
// Note: 'SunVector' isn't saved because this value is owned by the Sun Module, which
|
// Note: 'SunVector' isn't saved because this value is owned by the Sun Module, which
|
||||||
// calculates it automatically according to the date and other factors.
|
// calculates it automatically according to the date and other factors.
|
||||||
xtw.WriteEndElement();
|
xtw.WriteEndElement();
|
||||||
|
|
||||||
|
xtw.WriteStartElement("Telehub");
|
||||||
|
if (settings.TelehubObject != UUID.Zero)
|
||||||
|
{
|
||||||
|
xtw.WriteElementString("TelehubObject", settings.TelehubObject.ToString());
|
||||||
|
foreach (SpawnPoint sp in settings.SpawnPoints())
|
||||||
|
xtw.WriteElementString("SpawnPoint", sp.ToString());
|
||||||
|
}
|
||||||
|
xtw.WriteEndElement();
|
||||||
|
|
||||||
xtw.WriteEndElement();
|
xtw.WriteEndElement();
|
||||||
|
|
||||||
|
|
|
@ -78,6 +78,10 @@ namespace OpenSim.Framework.Serialization.Tests
|
||||||
<FixedSun>true</FixedSun>
|
<FixedSun>true</FixedSun>
|
||||||
<SunPosition>12</SunPosition>
|
<SunPosition>12</SunPosition>
|
||||||
</Terrain>
|
</Terrain>
|
||||||
|
<Telehub>
|
||||||
|
<TelehubObject>00000000-0000-0000-0000-111111111111</TelehubObject>
|
||||||
|
<SpawnPoint>1,-2,0.33</SpawnPoint>
|
||||||
|
</Telehub>
|
||||||
</RegionSettings>";
|
</RegionSettings>";
|
||||||
|
|
||||||
private RegionSettings m_rs;
|
private RegionSettings m_rs;
|
||||||
|
@ -116,6 +120,8 @@ namespace OpenSim.Framework.Serialization.Tests
|
||||||
m_rs.TerrainTexture4 = UUID.Parse("00000000-0000-0000-0000-000000000080");
|
m_rs.TerrainTexture4 = UUID.Parse("00000000-0000-0000-0000-000000000080");
|
||||||
m_rs.UseEstateSun = true;
|
m_rs.UseEstateSun = true;
|
||||||
m_rs.WaterHeight = 23;
|
m_rs.WaterHeight = 23;
|
||||||
|
m_rs.TelehubObject = UUID.Parse("00000000-0000-0000-0000-111111111111");
|
||||||
|
m_rs.AddSpawnPoint(SpawnPoint.Parse("1,-2,0.33"));
|
||||||
}
|
}
|
||||||
|
|
||||||
[Test]
|
[Test]
|
||||||
|
@ -129,6 +135,8 @@ namespace OpenSim.Framework.Serialization.Tests
|
||||||
Assert.That(deserRs.TerrainTexture2, Is.EqualTo(m_rs.TerrainTexture2));
|
Assert.That(deserRs.TerrainTexture2, Is.EqualTo(m_rs.TerrainTexture2));
|
||||||
Assert.That(deserRs.DisablePhysics, Is.EqualTo(m_rs.DisablePhysics));
|
Assert.That(deserRs.DisablePhysics, Is.EqualTo(m_rs.DisablePhysics));
|
||||||
Assert.That(deserRs.TerrainLowerLimit, Is.EqualTo(m_rs.TerrainLowerLimit));
|
Assert.That(deserRs.TerrainLowerLimit, Is.EqualTo(m_rs.TerrainLowerLimit));
|
||||||
|
Assert.That(deserRs.TelehubObject, Is.EqualTo(m_rs.TelehubObject));
|
||||||
|
Assert.That(deserRs.SpawnPoints()[0].ToString(), Is.EqualTo(m_rs.SpawnPoints()[0].ToString()));
|
||||||
}
|
}
|
||||||
}
|
}
|
||||||
}
|
}
|
||||||
|
|
|
@ -447,8 +447,8 @@ namespace OpenSim.Framework.Servers.HttpServer
|
||||||
{
|
{
|
||||||
if (DebugLevel >= 1)
|
if (DebugLevel >= 1)
|
||||||
m_log.DebugFormat(
|
m_log.DebugFormat(
|
||||||
"[BASE HTTP SERVER]: Found stream handler for {0} {1}",
|
"[BASE HTTP SERVER]: Found stream handler for {0} {1} {2} {3}",
|
||||||
request.HttpMethod, request.Url.PathAndQuery);
|
request.HttpMethod, request.Url.PathAndQuery, requestHandler.Name, requestHandler.Description);
|
||||||
|
|
||||||
// Okay, so this is bad, but should be considered temporary until everything is IStreamHandler.
|
// Okay, so this is bad, but should be considered temporary until everything is IStreamHandler.
|
||||||
byte[] buffer = null;
|
byte[] buffer = null;
|
||||||
|
|
|
@ -618,10 +618,11 @@ namespace OpenSim
|
||||||
return;
|
return;
|
||||||
}
|
}
|
||||||
|
|
||||||
PopulateRegionEstateInfo(regInfo);
|
bool changed = PopulateRegionEstateInfo(regInfo);
|
||||||
IScene scene;
|
IScene scene;
|
||||||
CreateRegion(regInfo, true, out scene);
|
CreateRegion(regInfo, true, out scene);
|
||||||
regInfo.EstateSettings.Save();
|
if (changed)
|
||||||
|
regInfo.EstateSettings.Save();
|
||||||
}
|
}
|
||||||
|
|
||||||
/// <summary>
|
/// <summary>
|
||||||
|
|
|
@ -977,13 +977,13 @@ namespace OpenSim
|
||||||
/// Load the estate information for the provided RegionInfo object.
|
/// Load the estate information for the provided RegionInfo object.
|
||||||
/// </summary>
|
/// </summary>
|
||||||
/// <param name="regInfo"></param>
|
/// <param name="regInfo"></param>
|
||||||
public void PopulateRegionEstateInfo(RegionInfo regInfo)
|
public bool PopulateRegionEstateInfo(RegionInfo regInfo)
|
||||||
{
|
{
|
||||||
if (EstateDataService != null)
|
if (EstateDataService != null)
|
||||||
regInfo.EstateSettings = EstateDataService.LoadEstateSettings(regInfo.RegionID, false);
|
regInfo.EstateSettings = EstateDataService.LoadEstateSettings(regInfo.RegionID, false);
|
||||||
|
|
||||||
if (regInfo.EstateSettings.EstateID != 0)
|
if (regInfo.EstateSettings.EstateID != 0)
|
||||||
return;
|
return false; // estate info in the database did not change
|
||||||
|
|
||||||
m_log.WarnFormat("[ESTATE] Region {0} is not part of an estate.", regInfo.RegionName);
|
m_log.WarnFormat("[ESTATE] Region {0} is not part of an estate.", regInfo.RegionName);
|
||||||
|
|
||||||
|
@ -1018,7 +1018,7 @@ namespace OpenSim
|
||||||
}
|
}
|
||||||
|
|
||||||
if (defaultEstateJoined)
|
if (defaultEstateJoined)
|
||||||
return;
|
return true; // need to update the database
|
||||||
else
|
else
|
||||||
m_log.ErrorFormat(
|
m_log.ErrorFormat(
|
||||||
"[OPENSIM BASE]: Joining default estate {0} failed", defaultEstateName);
|
"[OPENSIM BASE]: Joining default estate {0} failed", defaultEstateName);
|
||||||
|
@ -1080,8 +1080,10 @@ namespace OpenSim
|
||||||
MainConsole.Instance.Output("Joining the estate failed. Please try again.");
|
MainConsole.Instance.Output("Joining the estate failed. Please try again.");
|
||||||
}
|
}
|
||||||
}
|
}
|
||||||
}
|
}
|
||||||
}
|
|
||||||
|
return true; // need to update the database
|
||||||
|
}
|
||||||
}
|
}
|
||||||
|
|
||||||
public class OpenSimConfigSource
|
public class OpenSimConfigSource
|
||||||
|
|
|
@ -309,7 +309,7 @@ namespace OpenSim.Region.ClientStack.Linden
|
||||||
|
|
||||||
m_HostCapsObj.HttpListener.AddStreamHandler(
|
m_HostCapsObj.HttpListener.AddStreamHandler(
|
||||||
new BinaryStreamHandler(
|
new BinaryStreamHandler(
|
||||||
"POST", capsBase + uploaderPath, uploader.uploaderCaps, "BunchOfCaps", null));
|
"POST", capsBase + uploaderPath, uploader.uploaderCaps, "TaskInventoryScriptUpdater", null));
|
||||||
|
|
||||||
string protocol = "http://";
|
string protocol = "http://";
|
||||||
|
|
||||||
|
|
|
@ -11955,21 +11955,24 @@ namespace OpenSim.Region.ClientStack.LindenUDP
|
||||||
protected void MakeAssetRequest(TransferRequestPacket transferRequest, UUID taskID)
|
protected void MakeAssetRequest(TransferRequestPacket transferRequest, UUID taskID)
|
||||||
{
|
{
|
||||||
UUID requestID = UUID.Zero;
|
UUID requestID = UUID.Zero;
|
||||||
if (transferRequest.TransferInfo.SourceType == (int)SourceType.Asset)
|
int sourceType = transferRequest.TransferInfo.SourceType;
|
||||||
|
|
||||||
|
if (sourceType == (int)SourceType.Asset)
|
||||||
{
|
{
|
||||||
requestID = new UUID(transferRequest.TransferInfo.Params, 0);
|
requestID = new UUID(transferRequest.TransferInfo.Params, 0);
|
||||||
}
|
}
|
||||||
else if (transferRequest.TransferInfo.SourceType == (int)SourceType.SimInventoryItem)
|
else if (sourceType == (int)SourceType.SimInventoryItem)
|
||||||
{
|
{
|
||||||
requestID = new UUID(transferRequest.TransferInfo.Params, 80);
|
requestID = new UUID(transferRequest.TransferInfo.Params, 80);
|
||||||
}
|
}
|
||||||
else if (transferRequest.TransferInfo.SourceType == (int)SourceType.SimEstate)
|
else if (sourceType == (int)SourceType.SimEstate)
|
||||||
{
|
{
|
||||||
requestID = taskID;
|
requestID = taskID;
|
||||||
}
|
}
|
||||||
|
|
||||||
|
// m_log.DebugFormat(
|
||||||
// m_log.DebugFormat("[CLIENT]: {0} requesting asset {1}", Name, requestID);
|
// "[LLCLIENTVIEW]: Received transfer request for {0} in {1} type {2} by {3}",
|
||||||
|
// requestID, taskID, (SourceType)sourceType, Name);
|
||||||
|
|
||||||
m_assetService.Get(requestID.ToString(), transferRequest, AssetReceived);
|
m_assetService.Get(requestID.ToString(), transferRequest, AssetReceived);
|
||||||
}
|
}
|
||||||
|
|
|
@ -245,6 +245,8 @@ namespace OpenSim.Region.CoreModules.World.Archiver
|
||||||
// Reload serialized prims
|
// Reload serialized prims
|
||||||
m_log.InfoFormat("[ARCHIVER]: Loading {0} scene objects. Please wait.", serialisedSceneObjects.Count);
|
m_log.InfoFormat("[ARCHIVER]: Loading {0} scene objects. Please wait.", serialisedSceneObjects.Count);
|
||||||
|
|
||||||
|
UUID oldTelehubUUID = m_scene.RegionInfo.RegionSettings.TelehubObject;
|
||||||
|
|
||||||
IRegionSerialiserModule serialiser = m_scene.RequestModuleInterface<IRegionSerialiserModule>();
|
IRegionSerialiserModule serialiser = m_scene.RequestModuleInterface<IRegionSerialiserModule>();
|
||||||
int sceneObjectsLoadedCount = 0;
|
int sceneObjectsLoadedCount = 0;
|
||||||
|
|
||||||
|
@ -266,11 +268,21 @@ namespace OpenSim.Region.CoreModules.World.Archiver
|
||||||
|
|
||||||
SceneObjectGroup sceneObject = serialiser.DeserializeGroupFromXml2(serialisedSceneObject);
|
SceneObjectGroup sceneObject = serialiser.DeserializeGroupFromXml2(serialisedSceneObject);
|
||||||
|
|
||||||
|
bool isTelehub = (sceneObject.UUID == oldTelehubUUID);
|
||||||
|
|
||||||
// For now, give all incoming scene objects new uuids. This will allow scenes to be cloned
|
// For now, give all incoming scene objects new uuids. This will allow scenes to be cloned
|
||||||
// on the same region server and multiple examples a single object archive to be imported
|
// on the same region server and multiple examples a single object archive to be imported
|
||||||
// to the same scene (when this is possible).
|
// to the same scene (when this is possible).
|
||||||
sceneObject.ResetIDs();
|
sceneObject.ResetIDs();
|
||||||
|
|
||||||
|
if (isTelehub)
|
||||||
|
{
|
||||||
|
// Change the Telehub Object to the new UUID
|
||||||
|
m_scene.RegionInfo.RegionSettings.TelehubObject = sceneObject.UUID;
|
||||||
|
m_scene.RegionInfo.RegionSettings.Save();
|
||||||
|
oldTelehubUUID = UUID.Zero;
|
||||||
|
}
|
||||||
|
|
||||||
// Try to retain the original creator/owner/lastowner if their uuid is present on this grid
|
// Try to retain the original creator/owner/lastowner if their uuid is present on this grid
|
||||||
// or creator data is present. Otherwise, use the estate owner instead.
|
// or creator data is present. Otherwise, use the estate owner instead.
|
||||||
foreach (SceneObjectPart part in sceneObject.Parts)
|
foreach (SceneObjectPart part in sceneObject.Parts)
|
||||||
|
@ -329,7 +341,14 @@ namespace OpenSim.Region.CoreModules.World.Archiver
|
||||||
int ignoredObjects = serialisedSceneObjects.Count - sceneObjectsLoadedCount;
|
int ignoredObjects = serialisedSceneObjects.Count - sceneObjectsLoadedCount;
|
||||||
|
|
||||||
if (ignoredObjects > 0)
|
if (ignoredObjects > 0)
|
||||||
m_log.WarnFormat("[ARCHIVER]: Ignored {0} scene objects that already existed in the scene", ignoredObjects);
|
m_log.WarnFormat("[ARCHIVER]: Ignored {0} scene objects that already existed in the scene", ignoredObjects);
|
||||||
|
|
||||||
|
if (oldTelehubUUID != UUID.Zero)
|
||||||
|
{
|
||||||
|
m_log.WarnFormat("Telehub object not found: {0}", oldTelehubUUID);
|
||||||
|
m_scene.RegionInfo.RegionSettings.TelehubObject = UUID.Zero;
|
||||||
|
m_scene.RegionInfo.RegionSettings.ClearSpawnPoints();
|
||||||
|
}
|
||||||
}
|
}
|
||||||
|
|
||||||
/// <summary>
|
/// <summary>
|
||||||
|
@ -505,6 +524,10 @@ namespace OpenSim.Region.CoreModules.World.Archiver
|
||||||
currentRegionSettings.TerrainTexture4 = loadedRegionSettings.TerrainTexture4;
|
currentRegionSettings.TerrainTexture4 = loadedRegionSettings.TerrainTexture4;
|
||||||
currentRegionSettings.UseEstateSun = loadedRegionSettings.UseEstateSun;
|
currentRegionSettings.UseEstateSun = loadedRegionSettings.UseEstateSun;
|
||||||
currentRegionSettings.WaterHeight = loadedRegionSettings.WaterHeight;
|
currentRegionSettings.WaterHeight = loadedRegionSettings.WaterHeight;
|
||||||
|
currentRegionSettings.TelehubObject = loadedRegionSettings.TelehubObject;
|
||||||
|
currentRegionSettings.ClearSpawnPoints();
|
||||||
|
foreach (SpawnPoint sp in loadedRegionSettings.SpawnPoints())
|
||||||
|
currentRegionSettings.AddSpawnPoint(sp);
|
||||||
|
|
||||||
currentRegionSettings.Save();
|
currentRegionSettings.Save();
|
||||||
|
|
||||||
|
|
|
@ -328,7 +328,7 @@ namespace OpenSim.Region.CoreModules.World.Archiver
|
||||||
/// <returns></returns>
|
/// <returns></returns>
|
||||||
public string CreateControlFile(Dictionary<string, object> options)
|
public string CreateControlFile(Dictionary<string, object> options)
|
||||||
{
|
{
|
||||||
int majorVersion = MAX_MAJOR_VERSION, minorVersion = 7;
|
int majorVersion = MAX_MAJOR_VERSION, minorVersion = 8;
|
||||||
//
|
//
|
||||||
// if (options.ContainsKey("version"))
|
// if (options.ContainsKey("version"))
|
||||||
// {
|
// {
|
||||||
|
|
|
@ -534,6 +534,8 @@ namespace OpenSim.Region.CoreModules.World.Archiver.Tests
|
||||||
rs.TerrainTexture4 = UUID.Parse("00000000-0000-0000-0000-000000000080");
|
rs.TerrainTexture4 = UUID.Parse("00000000-0000-0000-0000-000000000080");
|
||||||
rs.UseEstateSun = true;
|
rs.UseEstateSun = true;
|
||||||
rs.WaterHeight = 23;
|
rs.WaterHeight = 23;
|
||||||
|
rs.TelehubObject = UUID.Parse("00000000-0000-0000-0000-111111111111");
|
||||||
|
rs.AddSpawnPoint(SpawnPoint.Parse("1,-2,0.33"));
|
||||||
|
|
||||||
tar.WriteFile(ArchiveConstants.SETTINGS_PATH + "region1.xml", RegionSettingsSerializer.Serialize(rs));
|
tar.WriteFile(ArchiveConstants.SETTINGS_PATH + "region1.xml", RegionSettingsSerializer.Serialize(rs));
|
||||||
|
|
||||||
|
@ -580,6 +582,8 @@ namespace OpenSim.Region.CoreModules.World.Archiver.Tests
|
||||||
Assert.That(loadedRs.TerrainTexture4, Is.EqualTo(UUID.Parse("00000000-0000-0000-0000-000000000080")));
|
Assert.That(loadedRs.TerrainTexture4, Is.EqualTo(UUID.Parse("00000000-0000-0000-0000-000000000080")));
|
||||||
Assert.That(loadedRs.UseEstateSun, Is.True);
|
Assert.That(loadedRs.UseEstateSun, Is.True);
|
||||||
Assert.That(loadedRs.WaterHeight, Is.EqualTo(23));
|
Assert.That(loadedRs.WaterHeight, Is.EqualTo(23));
|
||||||
|
Assert.AreEqual(UUID.Zero, loadedRs.TelehubObject); // because no object was found with the original UUID
|
||||||
|
Assert.AreEqual(0, loadedRs.SpawnPoints().Count);
|
||||||
}
|
}
|
||||||
|
|
||||||
/// <summary>
|
/// <summary>
|
||||||
|
|
|
@ -722,6 +722,7 @@ namespace OpenSim.Region.CoreModules.World.Terrain
|
||||||
}
|
}
|
||||||
if (shouldTaint)
|
if (shouldTaint)
|
||||||
{
|
{
|
||||||
|
m_scene.EventManager.TriggerTerrainTainted();
|
||||||
m_tainted = true;
|
m_tainted = true;
|
||||||
}
|
}
|
||||||
}
|
}
|
||||||
|
|
|
@ -53,6 +53,10 @@ namespace OpenSim.Region.Framework.Scenes
|
||||||
|
|
||||||
public event ClientMovement OnClientMovement;
|
public event ClientMovement OnClientMovement;
|
||||||
|
|
||||||
|
public delegate void OnTerrainTaintedDelegate();
|
||||||
|
|
||||||
|
public event OnTerrainTaintedDelegate OnTerrainTainted;
|
||||||
|
|
||||||
public delegate void OnTerrainTickDelegate();
|
public delegate void OnTerrainTickDelegate();
|
||||||
|
|
||||||
public event OnTerrainTickDelegate OnTerrainTick;
|
public event OnTerrainTickDelegate OnTerrainTick;
|
||||||
|
@ -914,6 +918,27 @@ namespace OpenSim.Region.Framework.Scenes
|
||||||
}
|
}
|
||||||
}
|
}
|
||||||
|
|
||||||
|
public void TriggerTerrainTainted()
|
||||||
|
{
|
||||||
|
OnTerrainTaintedDelegate handlerTerrainTainted = OnTerrainTainted;
|
||||||
|
if (handlerTerrainTainted != null)
|
||||||
|
{
|
||||||
|
foreach (OnTerrainTickDelegate d in handlerTerrainTainted.GetInvocationList())
|
||||||
|
{
|
||||||
|
try
|
||||||
|
{
|
||||||
|
d();
|
||||||
|
}
|
||||||
|
catch (Exception e)
|
||||||
|
{
|
||||||
|
m_log.ErrorFormat(
|
||||||
|
"[EVENT MANAGER]: Delegate for TriggerTerrainTainted failed - continuing. {0} {1}",
|
||||||
|
e.Message, e.StackTrace);
|
||||||
|
}
|
||||||
|
}
|
||||||
|
}
|
||||||
|
}
|
||||||
|
|
||||||
public void TriggerParcelPrimCountAdd(SceneObjectGroup obj)
|
public void TriggerParcelPrimCountAdd(SceneObjectGroup obj)
|
||||||
{
|
{
|
||||||
OnParcelPrimCountAddDelegate handlerParcelPrimCountAdd = OnParcelPrimCountAdd;
|
OnParcelPrimCountAddDelegate handlerParcelPrimCountAdd = OnParcelPrimCountAdd;
|
||||||
|
|
|
@ -300,6 +300,10 @@ namespace OpenSim.Region.Framework.Scenes
|
||||||
AssetBase asset = CreateAsset(item.Name, item.Description, (sbyte)AssetType.LSLText, data, remoteClient.AgentId);
|
AssetBase asset = CreateAsset(item.Name, item.Description, (sbyte)AssetType.LSLText, data, remoteClient.AgentId);
|
||||||
AssetService.Store(asset);
|
AssetService.Store(asset);
|
||||||
|
|
||||||
|
// m_log.DebugFormat(
|
||||||
|
// "[PRIM INVENTORY]: Stored asset {0} when updating item {1} in prim {2} for {3}",
|
||||||
|
// asset.ID, item.Name, part.Name, remoteClient.Name);
|
||||||
|
|
||||||
if (isScriptRunning)
|
if (isScriptRunning)
|
||||||
{
|
{
|
||||||
part.Inventory.RemoveScriptInstance(item.ItemID, false);
|
part.Inventory.RemoveScriptInstance(item.ItemID, false);
|
||||||
|
|
|
@ -1353,6 +1353,14 @@ namespace OpenSim.Region.Framework.Scenes
|
||||||
|
|
||||||
try
|
try
|
||||||
{
|
{
|
||||||
|
// Apply taints in terrain module to terrain in physics scene
|
||||||
|
if (Frame % m_update_terrain == 0)
|
||||||
|
{
|
||||||
|
terMS = Util.EnvironmentTickCount();
|
||||||
|
UpdateTerrain();
|
||||||
|
terrainMS = Util.EnvironmentTickCountSubtract(terMS);
|
||||||
|
}
|
||||||
|
|
||||||
tmpPhysicsMS2 = Util.EnvironmentTickCount();
|
tmpPhysicsMS2 = Util.EnvironmentTickCount();
|
||||||
if ((Frame % m_update_physics == 0) && m_physics_enabled)
|
if ((Frame % m_update_physics == 0) && m_physics_enabled)
|
||||||
m_sceneGraph.UpdatePreparePhysics();
|
m_sceneGraph.UpdatePreparePhysics();
|
||||||
|
@ -1417,13 +1425,6 @@ namespace OpenSim.Region.Framework.Scenes
|
||||||
backupMS = Util.EnvironmentTickCountSubtract(backMS);
|
backupMS = Util.EnvironmentTickCountSubtract(backMS);
|
||||||
}
|
}
|
||||||
|
|
||||||
if (Frame % m_update_terrain == 0)
|
|
||||||
{
|
|
||||||
terMS = Util.EnvironmentTickCount();
|
|
||||||
UpdateTerrain();
|
|
||||||
terrainMS = Util.EnvironmentTickCountSubtract(terMS);
|
|
||||||
}
|
|
||||||
|
|
||||||
//if (Frame % m_update_land == 0)
|
//if (Frame % m_update_land == 0)
|
||||||
//{
|
//{
|
||||||
// int ldMS = Util.EnvironmentTickCount();
|
// int ldMS = Util.EnvironmentTickCount();
|
||||||
|
|
|
@ -0,0 +1,195 @@
|
||||||
|
/*
|
||||||
|
* 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.Linq;
|
||||||
|
using System.Reflection;
|
||||||
|
using System.Text;
|
||||||
|
using log4net;
|
||||||
|
using Mono.Addins;
|
||||||
|
using Nini.Config;
|
||||||
|
using OpenMetaverse;
|
||||||
|
using OpenSim.Framework;
|
||||||
|
using OpenSim.Framework.Console;
|
||||||
|
using OpenSim.Framework.Statistics;
|
||||||
|
using OpenSim.Region.ClientStack.LindenUDP;
|
||||||
|
using OpenSim.Region.Framework.Interfaces;
|
||||||
|
using OpenSim.Region.Framework.Scenes;
|
||||||
|
|
||||||
|
namespace OpenSim.Region.OptionalModules.Avatar.Attachments
|
||||||
|
{
|
||||||
|
/// <summary>
|
||||||
|
/// A module that just holds commands for inspecting avatar appearance.
|
||||||
|
/// </summary>
|
||||||
|
[Extension(Path = "/OpenSim/RegionModules", NodeName = "RegionModule", Id = "AttachmentsCommandModule")]
|
||||||
|
public class AttachmentsCommandModule : ISharedRegionModule
|
||||||
|
{
|
||||||
|
// private static readonly ILog m_log = LogManager.GetLogger(MethodBase.GetCurrentMethod().DeclaringType);
|
||||||
|
|
||||||
|
private List<Scene> m_scenes = new List<Scene>();
|
||||||
|
// private IAvatarFactoryModule m_avatarFactory;
|
||||||
|
|
||||||
|
public string Name { get { return "Attachments Command Module"; } }
|
||||||
|
|
||||||
|
public Type ReplaceableInterface { get { return null; } }
|
||||||
|
|
||||||
|
public void Initialise(IConfigSource source)
|
||||||
|
{
|
||||||
|
// m_log.DebugFormat("[ATTACHMENTS COMMAND MODULE]: INITIALIZED MODULE");
|
||||||
|
}
|
||||||
|
|
||||||
|
public void PostInitialise()
|
||||||
|
{
|
||||||
|
// m_log.DebugFormat("[ATTACHMENTS COMMAND MODULE]: POST INITIALIZED MODULE");
|
||||||
|
}
|
||||||
|
|
||||||
|
public void Close()
|
||||||
|
{
|
||||||
|
// m_log.DebugFormat("[ATTACHMENTS COMMAND MODULE]: CLOSED MODULE");
|
||||||
|
}
|
||||||
|
|
||||||
|
public void AddRegion(Scene scene)
|
||||||
|
{
|
||||||
|
// m_log.DebugFormat("[ATTACHMENTS COMMAND MODULE]: REGION {0} ADDED", scene.RegionInfo.RegionName);
|
||||||
|
}
|
||||||
|
|
||||||
|
public void RemoveRegion(Scene scene)
|
||||||
|
{
|
||||||
|
// m_log.DebugFormat("[ATTACHMENTS COMMAND MODULE]: REGION {0} REMOVED", scene.RegionInfo.RegionName);
|
||||||
|
|
||||||
|
lock (m_scenes)
|
||||||
|
m_scenes.Remove(scene);
|
||||||
|
}
|
||||||
|
|
||||||
|
public void RegionLoaded(Scene scene)
|
||||||
|
{
|
||||||
|
// m_log.DebugFormat("[ATTACHMENTS COMMAND MODULE]: REGION {0} LOADED", scene.RegionInfo.RegionName);
|
||||||
|
|
||||||
|
lock (m_scenes)
|
||||||
|
m_scenes.Add(scene);
|
||||||
|
|
||||||
|
scene.AddCommand(
|
||||||
|
"Users", this, "attachments show",
|
||||||
|
"attachments show [<first-name> <last-name>]",
|
||||||
|
"Show attachment information for avatars in this simulator.",
|
||||||
|
HandleShowAttachmentsCommand);
|
||||||
|
}
|
||||||
|
|
||||||
|
protected void HandleShowAttachmentsCommand(string module, string[] cmd)
|
||||||
|
{
|
||||||
|
if (cmd.Length != 2 && cmd.Length < 4)
|
||||||
|
{
|
||||||
|
MainConsole.Instance.OutputFormat("Usage: attachments show [<first-name> <last-name>]");
|
||||||
|
return;
|
||||||
|
}
|
||||||
|
|
||||||
|
bool targetNameSupplied = false;
|
||||||
|
string optionalTargetFirstName = null;
|
||||||
|
string optionalTargetLastName = null;
|
||||||
|
|
||||||
|
if (cmd.Length >= 4)
|
||||||
|
{
|
||||||
|
targetNameSupplied = true;
|
||||||
|
optionalTargetFirstName = cmd[2];
|
||||||
|
optionalTargetLastName = cmd[3];
|
||||||
|
}
|
||||||
|
|
||||||
|
StringBuilder sb = new StringBuilder();
|
||||||
|
|
||||||
|
lock (m_scenes)
|
||||||
|
{
|
||||||
|
foreach (Scene scene in m_scenes)
|
||||||
|
{
|
||||||
|
if (targetNameSupplied)
|
||||||
|
{
|
||||||
|
ScenePresence sp = scene.GetScenePresence(optionalTargetFirstName, optionalTargetLastName);
|
||||||
|
if (sp != null && !sp.IsChildAgent)
|
||||||
|
GetAttachmentsReport(sp, sb);
|
||||||
|
}
|
||||||
|
else
|
||||||
|
{
|
||||||
|
scene.ForEachRootScenePresence(sp => GetAttachmentsReport(sp, sb));
|
||||||
|
}
|
||||||
|
}
|
||||||
|
}
|
||||||
|
|
||||||
|
MainConsole.Instance.Output(sb.ToString());
|
||||||
|
}
|
||||||
|
|
||||||
|
private void GetAttachmentsReport(ScenePresence sp, StringBuilder sb)
|
||||||
|
{
|
||||||
|
sb.AppendFormat("Attachments for {0}\n", sp.Name);
|
||||||
|
|
||||||
|
ConsoleTable ct = new ConsoleTable() { Indent = 2 };
|
||||||
|
ct.Columns.Add(new ConsoleTableColumn("Attachment Name", 36));
|
||||||
|
ct.Columns.Add(new ConsoleTableColumn("Local ID", 10));
|
||||||
|
ct.Columns.Add(new ConsoleTableColumn("Item ID", 36));
|
||||||
|
ct.Columns.Add(new ConsoleTableColumn("Attach Point", 14));
|
||||||
|
ct.Columns.Add(new ConsoleTableColumn("Position", 15));
|
||||||
|
|
||||||
|
// sb.AppendFormat(
|
||||||
|
// " {0,-36} {1,-10} {2,-36} {3,-14} {4,-15}\n",
|
||||||
|
// "Attachment Name", "Local ID", "Item ID", "Attach Point", "Position");
|
||||||
|
|
||||||
|
List<SceneObjectGroup> attachmentObjects = sp.GetAttachments();
|
||||||
|
foreach (SceneObjectGroup attachmentObject in attachmentObjects)
|
||||||
|
{
|
||||||
|
// InventoryItemBase attachmentItem
|
||||||
|
// = m_scenes[0].InventoryService.GetItem(new InventoryItemBase(attachmentObject.FromItemID));
|
||||||
|
|
||||||
|
// if (attachmentItem == null)
|
||||||
|
// {
|
||||||
|
// sb.AppendFormat(
|
||||||
|
// "WARNING: Couldn't find attachment for item {0} at point {1}\n",
|
||||||
|
// attachmentData.ItemID, (AttachmentPoint)attachmentData.AttachPoint);
|
||||||
|
// continue;
|
||||||
|
// }
|
||||||
|
// else
|
||||||
|
// {
|
||||||
|
// sb.AppendFormat(
|
||||||
|
// " {0,-36} {1,-10} {2,-36} {3,-14} {4,-15}\n",
|
||||||
|
// attachmentObject.Name, attachmentObject.LocalId, attachmentObject.FromItemID,
|
||||||
|
// (AttachmentPoint)attachmentObject.AttachmentPoint, attachmentObject.RootPart.AttachedPos);
|
||||||
|
ct.Rows.Add(
|
||||||
|
new ConsoleTableRow(
|
||||||
|
new List<string>()
|
||||||
|
{
|
||||||
|
attachmentObject.Name,
|
||||||
|
attachmentObject.LocalId.ToString(),
|
||||||
|
attachmentObject.FromItemID.ToString(),
|
||||||
|
((AttachmentPoint)attachmentObject.AttachmentPoint).ToString(),
|
||||||
|
attachmentObject.RootPart.AttachedPos.ToString()
|
||||||
|
}));
|
||||||
|
// }
|
||||||
|
}
|
||||||
|
|
||||||
|
ct.AddToStringBuilder(sb);
|
||||||
|
sb.Append("\n");
|
||||||
|
}
|
||||||
|
}
|
||||||
|
}
|
|
@ -269,7 +269,7 @@ namespace OpenSim.Server.Base
|
||||||
continue;
|
continue;
|
||||||
|
|
||||||
XmlElement elem = parent.OwnerDocument.CreateElement("",
|
XmlElement elem = parent.OwnerDocument.CreateElement("",
|
||||||
kvp.Key, "");
|
XmlConvert.EncodeLocalName(kvp.Key), "");
|
||||||
|
|
||||||
if (kvp.Value is Dictionary<string, object>)
|
if (kvp.Value is Dictionary<string, object>)
|
||||||
{
|
{
|
||||||
|
@ -324,11 +324,11 @@ namespace OpenSim.Server.Base
|
||||||
XmlNode type = part.Attributes.GetNamedItem("type");
|
XmlNode type = part.Attributes.GetNamedItem("type");
|
||||||
if (type == null || type.Value != "List")
|
if (type == null || type.Value != "List")
|
||||||
{
|
{
|
||||||
ret[part.Name] = part.InnerText;
|
ret[XmlConvert.DecodeName(part.Name)] = part.InnerText;
|
||||||
}
|
}
|
||||||
else
|
else
|
||||||
{
|
{
|
||||||
ret[part.Name] = ParseElement(part);
|
ret[XmlConvert.DecodeName(part.Name)] = ParseElement(part);
|
||||||
}
|
}
|
||||||
}
|
}
|
||||||
|
|
||||||
|
|
|
@ -43,6 +43,14 @@ using Timer = System.Timers.Timer;
|
||||||
|
|
||||||
namespace pCampBot
|
namespace pCampBot
|
||||||
{
|
{
|
||||||
|
public enum ConnectionState
|
||||||
|
{
|
||||||
|
Disconnected,
|
||||||
|
Connecting,
|
||||||
|
Connected,
|
||||||
|
Disconnecting
|
||||||
|
}
|
||||||
|
|
||||||
public class Bot
|
public class Bot
|
||||||
{
|
{
|
||||||
private static readonly ILog m_log = LogManager.GetLogger(MethodBase.GetCurrentMethod().DeclaringType);
|
private static readonly ILog m_log = LogManager.GetLogger(MethodBase.GetCurrentMethod().DeclaringType);
|
||||||
|
@ -86,7 +94,7 @@ namespace pCampBot
|
||||||
/// <summary>
|
/// <summary>
|
||||||
/// Is this bot connected to the grid?
|
/// Is this bot connected to the grid?
|
||||||
/// </summary>
|
/// </summary>
|
||||||
public bool IsConnected { get; private set; }
|
public ConnectionState ConnectionState { get; private set; }
|
||||||
|
|
||||||
public string FirstName { get; private set; }
|
public string FirstName { get; private set; }
|
||||||
public string LastName { get; private set; }
|
public string LastName { get; private set; }
|
||||||
|
@ -130,6 +138,8 @@ namespace pCampBot
|
||||||
BotManager bm, List<IBehaviour> behaviours,
|
BotManager bm, List<IBehaviour> behaviours,
|
||||||
string firstName, string lastName, string password, string loginUri)
|
string firstName, string lastName, string password, string loginUri)
|
||||||
{
|
{
|
||||||
|
ConnectionState = ConnectionState.Disconnected;
|
||||||
|
|
||||||
behaviours.ForEach(b => b.Initialize(this));
|
behaviours.ForEach(b => b.Initialize(this));
|
||||||
|
|
||||||
Client = new GridClient();
|
Client = new GridClient();
|
||||||
|
@ -157,10 +167,10 @@ namespace pCampBot
|
||||||
Behaviours.ForEach(
|
Behaviours.ForEach(
|
||||||
b =>
|
b =>
|
||||||
{
|
{
|
||||||
|
Thread.Sleep(Random.Next(3000, 10000));
|
||||||
|
|
||||||
// m_log.DebugFormat("[pCAMPBOT]: For {0} performing action {1}", Name, b.GetType());
|
// m_log.DebugFormat("[pCAMPBOT]: For {0} performing action {1}", Name, b.GetType());
|
||||||
b.Action();
|
b.Action();
|
||||||
|
|
||||||
Thread.Sleep(Random.Next(1000, 10000));
|
|
||||||
}
|
}
|
||||||
);
|
);
|
||||||
}
|
}
|
||||||
|
@ -178,6 +188,8 @@ namespace pCampBot
|
||||||
/// </summary>
|
/// </summary>
|
||||||
public void shutdown()
|
public void shutdown()
|
||||||
{
|
{
|
||||||
|
ConnectionState = ConnectionState.Disconnecting;
|
||||||
|
|
||||||
if (m_actionThread != null)
|
if (m_actionThread != null)
|
||||||
m_actionThread.Abort();
|
m_actionThread.Abort();
|
||||||
|
|
||||||
|
@ -209,9 +221,11 @@ namespace pCampBot
|
||||||
Client.Network.Disconnected += this.Network_OnDisconnected;
|
Client.Network.Disconnected += this.Network_OnDisconnected;
|
||||||
Client.Objects.ObjectUpdate += Objects_NewPrim;
|
Client.Objects.ObjectUpdate += Objects_NewPrim;
|
||||||
|
|
||||||
|
ConnectionState = ConnectionState.Connecting;
|
||||||
|
|
||||||
if (Client.Network.Login(FirstName, LastName, Password, "pCampBot", "Your name"))
|
if (Client.Network.Login(FirstName, LastName, Password, "pCampBot", "Your name"))
|
||||||
{
|
{
|
||||||
IsConnected = true;
|
ConnectionState = ConnectionState.Connected;
|
||||||
|
|
||||||
Thread.Sleep(Random.Next(1000, 10000));
|
Thread.Sleep(Random.Next(1000, 10000));
|
||||||
m_actionThread = new Thread(Action);
|
m_actionThread = new Thread(Action);
|
||||||
|
@ -241,6 +255,8 @@ namespace pCampBot
|
||||||
}
|
}
|
||||||
else
|
else
|
||||||
{
|
{
|
||||||
|
ConnectionState = ConnectionState.Disconnected;
|
||||||
|
|
||||||
m_log.ErrorFormat(
|
m_log.ErrorFormat(
|
||||||
"{0} {1} cannot login: {2}", FirstName, LastName, Client.Network.LoginMessage);
|
"{0} {1} cannot login: {2}", FirstName, LastName, Client.Network.LoginMessage);
|
||||||
|
|
||||||
|
@ -439,6 +455,8 @@ namespace pCampBot
|
||||||
|
|
||||||
public void Network_OnDisconnected(object sender, DisconnectedEventArgs args)
|
public void Network_OnDisconnected(object sender, DisconnectedEventArgs args)
|
||||||
{
|
{
|
||||||
|
ConnectionState = ConnectionState.Disconnected;
|
||||||
|
|
||||||
m_log.DebugFormat(
|
m_log.DebugFormat(
|
||||||
"[BOT]: Bot {0} disconnected reason {1}, message {2}", Name, args.Reason, args.Message);
|
"[BOT]: Bot {0} disconnected reason {1}, message {2}", Name, args.Reason, args.Message);
|
||||||
|
|
||||||
|
@ -456,7 +474,6 @@ namespace pCampBot
|
||||||
&& OnDisconnected != null)
|
&& OnDisconnected != null)
|
||||||
// if (OnDisconnected != null)
|
// if (OnDisconnected != null)
|
||||||
{
|
{
|
||||||
IsConnected = false;
|
|
||||||
OnDisconnected(this, EventType.DISCONNECTED);
|
OnDisconnected(this, EventType.DISCONNECTED);
|
||||||
}
|
}
|
||||||
}
|
}
|
||||||
|
|
|
@ -49,6 +49,14 @@ namespace pCampBot
|
||||||
{
|
{
|
||||||
private static readonly ILog m_log = LogManager.GetLogger(MethodBase.GetCurrentMethod().DeclaringType);
|
private static readonly ILog m_log = LogManager.GetLogger(MethodBase.GetCurrentMethod().DeclaringType);
|
||||||
|
|
||||||
|
public const int DefaultLoginDelay = 5000;
|
||||||
|
|
||||||
|
/// <summary>
|
||||||
|
/// Delay between logins of multiple bots.
|
||||||
|
/// </summary>
|
||||||
|
/// <remarks>TODO: This value needs to be configurable by a command line argument.</remarks>
|
||||||
|
public int LoginDelay { get; set; }
|
||||||
|
|
||||||
/// <summary>
|
/// <summary>
|
||||||
/// Command console
|
/// Command console
|
||||||
/// </summary>
|
/// </summary>
|
||||||
|
@ -84,6 +92,8 @@ namespace pCampBot
|
||||||
/// </summary>
|
/// </summary>
|
||||||
public BotManager()
|
public BotManager()
|
||||||
{
|
{
|
||||||
|
LoginDelay = DefaultLoginDelay;
|
||||||
|
|
||||||
Rng = new Random(Environment.TickCount);
|
Rng = new Random(Environment.TickCount);
|
||||||
AssetsReceived = new Dictionary<UUID, bool>();
|
AssetsReceived = new Dictionary<UUID, bool>();
|
||||||
RegionsKnown = new Dictionary<ulong, GridRegion>();
|
RegionsKnown = new Dictionary<ulong, GridRegion>();
|
||||||
|
@ -151,28 +161,34 @@ namespace pCampBot
|
||||||
Array.ForEach<string>(
|
Array.ForEach<string>(
|
||||||
cs.GetString("behaviours", "p").Split(new char[] { ',' }), b => behaviourSwitches.Add(b));
|
cs.GetString("behaviours", "p").Split(new char[] { ',' }), b => behaviourSwitches.Add(b));
|
||||||
|
|
||||||
|
MainConsole.Instance.OutputFormat(
|
||||||
|
"[BOT MANAGER]: Starting {0} bots connecting to {1}, named {2} {3}_<n>",
|
||||||
|
botcount,
|
||||||
|
loginUri,
|
||||||
|
firstName,
|
||||||
|
lastNameStem);
|
||||||
|
|
||||||
|
MainConsole.Instance.OutputFormat("[BOT MANAGER]: Delay between logins is {0}ms", LoginDelay);
|
||||||
|
|
||||||
for (int i = 0; i < botcount; i++)
|
for (int i = 0; i < botcount; i++)
|
||||||
{
|
{
|
||||||
string lastName = string.Format("{0}_{1}", lastNameStem, i);
|
string lastName = string.Format("{0}_{1}", lastNameStem, i);
|
||||||
|
|
||||||
|
// We must give each bot its own list of instantiated behaviours since they store state.
|
||||||
List<IBehaviour> behaviours = new List<IBehaviour>();
|
List<IBehaviour> behaviours = new List<IBehaviour>();
|
||||||
|
|
||||||
// Hard-coded for now
|
// Hard-coded for now
|
||||||
if (behaviourSwitches.Contains("p"))
|
if (behaviourSwitches.Contains("p"))
|
||||||
behaviours.Add(new PhysicsBehaviour());
|
behaviours.Add(new PhysicsBehaviour());
|
||||||
|
|
||||||
if (behaviourSwitches.Contains("g"))
|
if (behaviourSwitches.Contains("g"))
|
||||||
behaviours.Add(new GrabbingBehaviour());
|
behaviours.Add(new GrabbingBehaviour());
|
||||||
|
|
||||||
if (behaviourSwitches.Contains("t"))
|
if (behaviourSwitches.Contains("t"))
|
||||||
behaviours.Add(new TeleportBehaviour());
|
behaviours.Add(new TeleportBehaviour());
|
||||||
|
|
||||||
if (behaviourSwitches.Contains("c"))
|
if (behaviourSwitches.Contains("c"))
|
||||||
behaviours.Add(new CrossBehaviour());
|
behaviours.Add(new CrossBehaviour());
|
||||||
|
|
||||||
MainConsole.Instance.OutputFormat(
|
|
||||||
"[BOT MANAGER]: Bot {0} {1} configured for behaviours {2}",
|
|
||||||
firstName, lastName, string.Join(",", behaviours.ConvertAll<string>(b => b.Name).ToArray()));
|
|
||||||
|
|
||||||
StartBot(this, behaviours, firstName, lastName, password, loginUri);
|
StartBot(this, behaviours, firstName, lastName, password, loginUri);
|
||||||
}
|
}
|
||||||
|
@ -211,6 +227,10 @@ namespace pCampBot
|
||||||
BotManager bm, List<IBehaviour> behaviours,
|
BotManager bm, List<IBehaviour> behaviours,
|
||||||
string firstName, string lastName, string password, string loginUri)
|
string firstName, string lastName, string password, string loginUri)
|
||||||
{
|
{
|
||||||
|
MainConsole.Instance.OutputFormat(
|
||||||
|
"[BOT MANAGER]: Starting bot {0} {1}, behaviours are {2}",
|
||||||
|
firstName, lastName, string.Join(",", behaviours.ConvertAll<string>(b => b.Name).ToArray()));
|
||||||
|
|
||||||
Bot pb = new Bot(bm, behaviours, firstName, lastName, password, loginUri);
|
Bot pb = new Bot(bm, behaviours, firstName, lastName, password, loginUri);
|
||||||
|
|
||||||
pb.OnConnected += handlebotEvent;
|
pb.OnConnected += handlebotEvent;
|
||||||
|
@ -222,7 +242,11 @@ namespace pCampBot
|
||||||
Thread pbThread = new Thread(pb.startup);
|
Thread pbThread = new Thread(pb.startup);
|
||||||
pbThread.Name = pb.Name;
|
pbThread.Name = pb.Name;
|
||||||
pbThread.IsBackground = true;
|
pbThread.IsBackground = true;
|
||||||
|
|
||||||
pbThread.Start();
|
pbThread.Start();
|
||||||
|
|
||||||
|
// Stagger logins
|
||||||
|
Thread.Sleep(LoginDelay);
|
||||||
}
|
}
|
||||||
|
|
||||||
/// <summary>
|
/// <summary>
|
||||||
|
@ -242,7 +266,7 @@ namespace pCampBot
|
||||||
|
|
||||||
lock (m_lBot)
|
lock (m_lBot)
|
||||||
{
|
{
|
||||||
if (m_lBot.TrueForAll(b => !b.IsConnected))
|
if (m_lBot.TrueForAll(b => b.ConnectionState == ConnectionState.Disconnected))
|
||||||
Environment.Exit(0);
|
Environment.Exit(0);
|
||||||
|
|
||||||
break;
|
break;
|
||||||
|
@ -251,13 +275,21 @@ namespace pCampBot
|
||||||
}
|
}
|
||||||
|
|
||||||
/// <summary>
|
/// <summary>
|
||||||
/// Shutting down all bots
|
/// Shut down all bots
|
||||||
/// </summary>
|
/// </summary>
|
||||||
|
/// <remarks>
|
||||||
|
/// We launch each shutdown on its own thread so that a slow shutting down bot doesn't hold up all the others.
|
||||||
|
/// </remarks>
|
||||||
public void doBotShutdown()
|
public void doBotShutdown()
|
||||||
{
|
{
|
||||||
lock (m_lBot)
|
lock (m_lBot)
|
||||||
foreach (Bot pb in m_lBot)
|
{
|
||||||
pb.shutdown();
|
foreach (Bot bot in m_lBot)
|
||||||
|
{
|
||||||
|
Bot thisBot = bot;
|
||||||
|
Util.FireAndForget(o => thisBot.shutdown());
|
||||||
|
}
|
||||||
|
}
|
||||||
}
|
}
|
||||||
|
|
||||||
/// <summary>
|
/// <summary>
|
||||||
|
@ -271,11 +303,8 @@ namespace pCampBot
|
||||||
|
|
||||||
private void HandleShutdown(string module, string[] cmd)
|
private void HandleShutdown(string module, string[] cmd)
|
||||||
{
|
{
|
||||||
Util.FireAndForget(o =>
|
m_log.Info("[BOTMANAGER]: Shutting down bots");
|
||||||
{
|
doBotShutdown();
|
||||||
m_log.Warn("[BOTMANAGER]: Shutting down bots");
|
|
||||||
doBotShutdown();
|
|
||||||
});
|
|
||||||
}
|
}
|
||||||
|
|
||||||
private void HandleShowRegions(string module, string[] cmd)
|
private void HandleShowRegions(string module, string[] cmd)
|
||||||
|
@ -302,9 +331,11 @@ namespace pCampBot
|
||||||
{
|
{
|
||||||
foreach (Bot pb in m_lBot)
|
foreach (Bot pb in m_lBot)
|
||||||
{
|
{
|
||||||
|
Simulator currentSim = pb.Client.Network.CurrentSim;
|
||||||
|
|
||||||
MainConsole.Instance.OutputFormat(
|
MainConsole.Instance.OutputFormat(
|
||||||
outputFormat,
|
outputFormat,
|
||||||
pb.Name, pb.Client.Network.CurrentSim.Name, pb.IsConnected ? "Connected" : "Disconnected");
|
pb.Name, currentSim != null ? currentSim.Name : "(none)", pb.ConnectionState);
|
||||||
}
|
}
|
||||||
}
|
}
|
||||||
}
|
}
|
||||||
|
|
|
@ -27,6 +27,7 @@
|
||||||
|
|
||||||
using System;
|
using System;
|
||||||
using System.Reflection;
|
using System.Reflection;
|
||||||
|
using System.Threading;
|
||||||
using log4net;
|
using log4net;
|
||||||
using Nini.Config;
|
using Nini.Config;
|
||||||
using OpenSim.Framework;
|
using OpenSim.Framework;
|
||||||
|
@ -67,7 +68,9 @@ namespace pCampBot
|
||||||
BotManager bm = new BotManager();
|
BotManager bm = new BotManager();
|
||||||
|
|
||||||
//startup specified number of bots. 1 is the default
|
//startup specified number of bots. 1 is the default
|
||||||
bm.dobotStartup(botcount, config);
|
Thread startBotThread = new Thread(o => bm.dobotStartup(botcount, config));
|
||||||
|
startBotThread.Name = "Initial start bots thread";
|
||||||
|
startBotThread.Start();
|
||||||
|
|
||||||
while (true)
|
while (true)
|
||||||
{
|
{
|
||||||
|
|
Loading…
Reference in New Issue