diff options
Diffstat (limited to 'OpenSim/Region/OptionalModules')
30 files changed, 3142 insertions, 581 deletions
diff --git a/OpenSim/Region/OptionalModules/Avatar/Animations/AnimationsCommandModule.cs b/OpenSim/Region/OptionalModules/Avatar/Animations/AnimationsCommandModule.cs new file mode 100644 index 0000000..84211a9 --- /dev/null +++ b/OpenSim/Region/OptionalModules/Avatar/Animations/AnimationsCommandModule.cs | |||
@@ -0,0 +1,200 @@ | |||
1 | /* | ||
2 | * Copyright (c) Contributors, http://opensimulator.org/ | ||
3 | * See CONTRIBUTORS.TXT for a full list of copyright holders. | ||
4 | * | ||
5 | * Redistribution and use in source and binary forms, with or without | ||
6 | * modification, are permitted provided that the following conditions are met: | ||
7 | * * Redistributions of source code must retain the above copyright | ||
8 | * notice, this list of conditions and the following disclaimer. | ||
9 | * * Redistributions in binary form must reproduce the above copyright | ||
10 | * notice, this list of conditions and the following disclaimer in the | ||
11 | * documentation and/or other materials provided with the distribution. | ||
12 | * * Neither the name of the OpenSimulator Project nor the | ||
13 | * names of its contributors may be used to endorse or promote products | ||
14 | * derived from this software without specific prior written permission. | ||
15 | * | ||
16 | * THIS SOFTWARE IS PROVIDED BY THE DEVELOPERS ``AS IS'' AND ANY | ||
17 | * EXPRESS OR IMPLIED WARRANTIES, INCLUDING, BUT NOT LIMITED TO, THE IMPLIED | ||
18 | * WARRANTIES OF MERCHANTABILITY AND FITNESS FOR A PARTICULAR PURPOSE ARE | ||
19 | * DISCLAIMED. IN NO EVENT SHALL THE CONTRIBUTORS BE LIABLE FOR ANY | ||
20 | * DIRECT, INDIRECT, INCIDENTAL, SPECIAL, EXEMPLARY, OR CONSEQUENTIAL DAMAGES | ||
21 | * (INCLUDING, BUT NOT LIMITED TO, PROCUREMENT OF SUBSTITUTE GOODS OR SERVICES; | ||
22 | * LOSS OF USE, DATA, OR PROFITS; OR BUSINESS INTERRUPTION) HOWEVER CAUSED AND | ||
23 | * ON ANY THEORY OF LIABILITY, WHETHER IN CONTRACT, STRICT LIABILITY, OR TORT | ||
24 | * (INCLUDING NEGLIGENCE OR OTHERWISE) ARISING IN ANY WAY OUT OF THE USE OF THIS | ||
25 | * SOFTWARE, EVEN IF ADVISED OF THE POSSIBILITY OF SUCH DAMAGE. | ||
26 | */ | ||
27 | |||
28 | using System; | ||
29 | using System.Collections.Generic; | ||
30 | using System.Linq; | ||
31 | using System.Reflection; | ||
32 | using System.Text; | ||
33 | using log4net; | ||
34 | using Mono.Addins; | ||
35 | using Nini.Config; | ||
36 | using OpenMetaverse; | ||
37 | using OpenSim.Framework; | ||
38 | using OpenSim.Framework.Console; | ||
39 | using OpenSim.Framework.Monitoring; | ||
40 | using OpenSim.Region.ClientStack.LindenUDP; | ||
41 | using OpenSim.Region.Framework.Interfaces; | ||
42 | using OpenSim.Region.Framework.Scenes; | ||
43 | using OpenSim.Region.Framework.Scenes.Animation; | ||
44 | using OpenSim.Services.Interfaces; | ||
45 | |||
46 | namespace OpenSim.Region.OptionalModules.Avatar.Animations | ||
47 | { | ||
48 | /// <summary> | ||
49 | /// A module that just holds commands for inspecting avatar animations. | ||
50 | /// </summary> | ||
51 | [Extension(Path = "/OpenSim/RegionModules", NodeName = "RegionModule", Id = "AnimationsCommandModule")] | ||
52 | public class AnimationsCommandModule : ISharedRegionModule | ||
53 | { | ||
54 | // private static readonly ILog m_log = LogManager.GetLogger(MethodBase.GetCurrentMethod().DeclaringType); | ||
55 | |||
56 | private List<Scene> m_scenes = new List<Scene>(); | ||
57 | |||
58 | public string Name { get { return "Animations Command Module"; } } | ||
59 | |||
60 | public Type ReplaceableInterface { get { return null; } } | ||
61 | |||
62 | public void Initialise(IConfigSource source) | ||
63 | { | ||
64 | // m_log.DebugFormat("[ANIMATIONS COMMAND MODULE]: INITIALIZED MODULE"); | ||
65 | } | ||
66 | |||
67 | public void PostInitialise() | ||
68 | { | ||
69 | // m_log.DebugFormat("[ANIMATIONS COMMAND MODULE]: POST INITIALIZED MODULE"); | ||
70 | } | ||
71 | |||
72 | public void Close() | ||
73 | { | ||
74 | // m_log.DebugFormat("[ANIMATIONS COMMAND MODULE]: CLOSED MODULE"); | ||
75 | } | ||
76 | |||
77 | public void AddRegion(Scene scene) | ||
78 | { | ||
79 | // m_log.DebugFormat("[ANIMATIONS COMMAND MODULE]: REGION {0} ADDED", scene.RegionInfo.RegionName); | ||
80 | } | ||
81 | |||
82 | public void RemoveRegion(Scene scene) | ||
83 | { | ||
84 | // m_log.DebugFormat("[ATTACHMENTS COMMAND MODULE]: REGION {0} REMOVED", scene.RegionInfo.RegionName); | ||
85 | |||
86 | lock (m_scenes) | ||
87 | m_scenes.Remove(scene); | ||
88 | } | ||
89 | |||
90 | public void RegionLoaded(Scene scene) | ||
91 | { | ||
92 | // m_log.DebugFormat("[ANIMATIONS COMMAND MODULE]: REGION {0} LOADED", scene.RegionInfo.RegionName); | ||
93 | |||
94 | lock (m_scenes) | ||
95 | m_scenes.Add(scene); | ||
96 | |||
97 | scene.AddCommand( | ||
98 | "Users", this, "show animations", | ||
99 | "show animations [<first-name> <last-name>]", | ||
100 | "Show animation information for avatars in this simulator.", | ||
101 | "If no name is supplied then information for all avatars is shown.\n" | ||
102 | + "Please note that for inventory animations, the animation name is the name under which the animation was originally uploaded\n" | ||
103 | + ", which is not necessarily the current inventory name.", | ||
104 | HandleShowAnimationsCommand); | ||
105 | } | ||
106 | |||
107 | protected void HandleShowAnimationsCommand(string module, string[] cmd) | ||
108 | { | ||
109 | if (cmd.Length != 2 && cmd.Length < 4) | ||
110 | { | ||
111 | MainConsole.Instance.OutputFormat("Usage: show animations [<first-name> <last-name>]"); | ||
112 | return; | ||
113 | } | ||
114 | |||
115 | bool targetNameSupplied = false; | ||
116 | string optionalTargetFirstName = null; | ||
117 | string optionalTargetLastName = null; | ||
118 | |||
119 | if (cmd.Length >= 4) | ||
120 | { | ||
121 | targetNameSupplied = true; | ||
122 | optionalTargetFirstName = cmd[2]; | ||
123 | optionalTargetLastName = cmd[3]; | ||
124 | } | ||
125 | |||
126 | StringBuilder sb = new StringBuilder(); | ||
127 | |||
128 | lock (m_scenes) | ||
129 | { | ||
130 | foreach (Scene scene in m_scenes) | ||
131 | { | ||
132 | if (targetNameSupplied) | ||
133 | { | ||
134 | ScenePresence sp = scene.GetScenePresence(optionalTargetFirstName, optionalTargetLastName); | ||
135 | if (sp != null && !sp.IsChildAgent) | ||
136 | GetAttachmentsReport(sp, sb); | ||
137 | } | ||
138 | else | ||
139 | { | ||
140 | scene.ForEachRootScenePresence(sp => GetAttachmentsReport(sp, sb)); | ||
141 | } | ||
142 | } | ||
143 | } | ||
144 | |||
145 | MainConsole.Instance.Output(sb.ToString()); | ||
146 | } | ||
147 | |||
148 | private void GetAttachmentsReport(ScenePresence sp, StringBuilder sb) | ||
149 | { | ||
150 | sb.AppendFormat("Animations for {0}\n", sp.Name); | ||
151 | |||
152 | ConsoleDisplayList cdl = new ConsoleDisplayList() { Indent = 2 }; | ||
153 | ScenePresenceAnimator spa = sp.Animator; | ||
154 | AnimationSet anims = sp.Animator.Animations; | ||
155 | |||
156 | string cma = spa.CurrentMovementAnimation; | ||
157 | cdl.AddRow( | ||
158 | "Current movement anim", | ||
159 | string.Format("{0}, {1}", DefaultAvatarAnimations.GetDefaultAnimation(cma), cma)); | ||
160 | |||
161 | UUID defaultAnimId = anims.DefaultAnimation.AnimID; | ||
162 | cdl.AddRow( | ||
163 | "Default anim", | ||
164 | string.Format("{0}, {1}", defaultAnimId, sp.Animator.GetAnimName(defaultAnimId))); | ||
165 | |||
166 | UUID implicitDefaultAnimId = anims.ImplicitDefaultAnimation.AnimID; | ||
167 | cdl.AddRow( | ||
168 | "Implicit default anim", | ||
169 | string.Format("{0}, {1}", | ||
170 | implicitDefaultAnimId, sp.Animator.GetAnimName(implicitDefaultAnimId))); | ||
171 | |||
172 | cdl.AddToStringBuilder(sb); | ||
173 | |||
174 | ConsoleDisplayTable cdt = new ConsoleDisplayTable() { Indent = 2 }; | ||
175 | cdt.AddColumn("Animation ID", 36); | ||
176 | cdt.AddColumn("Name", 20); | ||
177 | cdt.AddColumn("Seq", 3); | ||
178 | cdt.AddColumn("Object ID", 36); | ||
179 | |||
180 | UUID[] animIds; | ||
181 | int[] sequenceNumbers; | ||
182 | UUID[] objectIds; | ||
183 | |||
184 | sp.Animator.Animations.GetArrays(out animIds, out sequenceNumbers, out objectIds); | ||
185 | |||
186 | for (int i = 0; i < animIds.Length; i++) | ||
187 | { | ||
188 | UUID animId = animIds[i]; | ||
189 | string animName = sp.Animator.GetAnimName(animId); | ||
190 | int seq = sequenceNumbers[i]; | ||
191 | UUID objectId = objectIds[i]; | ||
192 | |||
193 | cdt.AddRow(animId, animName, seq, objectId); | ||
194 | } | ||
195 | |||
196 | cdt.AddToStringBuilder(sb); | ||
197 | sb.Append("\n"); | ||
198 | } | ||
199 | } | ||
200 | } \ No newline at end of file | ||
diff --git a/OpenSim/Region/OptionalModules/Avatar/Appearance/AppearanceInfoModule.cs b/OpenSim/Region/OptionalModules/Avatar/Appearance/AppearanceInfoModule.cs index d718a2f..fa35f0f 100644 --- a/OpenSim/Region/OptionalModules/Avatar/Appearance/AppearanceInfoModule.cs +++ b/OpenSim/Region/OptionalModules/Avatar/Appearance/AppearanceInfoModule.cs | |||
@@ -222,7 +222,7 @@ namespace OpenSim.Region.OptionalModules.Avatar.Appearance | |||
222 | { | 222 | { |
223 | bool bakedTextureValid = scene.AvatarFactory.ValidateBakedTextureCache(sp); | 223 | bool bakedTextureValid = scene.AvatarFactory.ValidateBakedTextureCache(sp); |
224 | MainConsole.Instance.OutputFormat( | 224 | MainConsole.Instance.OutputFormat( |
225 | "{0} baked appearance texture is {1}", sp.Name, bakedTextureValid ? "OK" : "corrupt"); | 225 | "{0} baked appearance texture is {1}", sp.Name, bakedTextureValid ? "OK" : "incomplete"); |
226 | } | 226 | } |
227 | ); | 227 | ); |
228 | } | 228 | } |
diff --git a/OpenSim/Region/OptionalModules/Avatar/Attachments/AttachmentsCommandModule.cs b/OpenSim/Region/OptionalModules/Avatar/Attachments/AttachmentsCommandModule.cs index 68bcb4a..d97e3b3 100644 --- a/OpenSim/Region/OptionalModules/Avatar/Attachments/AttachmentsCommandModule.cs +++ b/OpenSim/Region/OptionalModules/Avatar/Attachments/AttachmentsCommandModule.cs | |||
@@ -97,6 +97,7 @@ namespace OpenSim.Region.OptionalModules.Avatar.Attachments | |||
97 | "Users", this, "attachments show", | 97 | "Users", this, "attachments show", |
98 | "attachments show [<first-name> <last-name>]", | 98 | "attachments show [<first-name> <last-name>]", |
99 | "Show attachment information for avatars in this simulator.", | 99 | "Show attachment information for avatars in this simulator.", |
100 | "If no name is supplied then information for all avatars is shown.", | ||
100 | HandleShowAttachmentsCommand); | 101 | HandleShowAttachmentsCommand); |
101 | } | 102 | } |
102 | 103 | ||
diff --git a/OpenSim/Region/OptionalModules/Avatar/Chat/ChannelState.cs b/OpenSim/Region/OptionalModules/Avatar/Chat/ChannelState.cs index 66265d8..5a37fad 100644 --- a/OpenSim/Region/OptionalModules/Avatar/Chat/ChannelState.cs +++ b/OpenSim/Region/OptionalModules/Avatar/Chat/ChannelState.cs | |||
@@ -55,42 +55,42 @@ namespace OpenSim.Region.OptionalModules.Avatar.Chat | |||
55 | // These are the IRC Connector configurable parameters with hard-wired | 55 | // These are the IRC Connector configurable parameters with hard-wired |
56 | // default values (retained for compatability). | 56 | // default values (retained for compatability). |
57 | 57 | ||
58 | internal string Server = null; | 58 | internal string Server = null; |
59 | internal string Password = null; | 59 | internal string Password = null; |
60 | internal string IrcChannel = null; | 60 | internal string IrcChannel = null; |
61 | internal string BaseNickname = "OSimBot"; | 61 | internal string BaseNickname = "OSimBot"; |
62 | internal uint Port = 6667; | 62 | internal uint Port = 6667; |
63 | internal string User = null; | 63 | internal string User = null; |
64 | 64 | ||
65 | internal bool ClientReporting = true; | 65 | internal bool ClientReporting = true; |
66 | internal bool RelayChat = true; | 66 | internal bool RelayChat = true; |
67 | internal bool RelayPrivateChannels = false; | 67 | internal bool RelayPrivateChannels = false; |
68 | internal int RelayChannel = 1; | 68 | internal int RelayChannel = 1; |
69 | internal List<int> ValidInWorldChannels = new List<int>(); | 69 | internal List<int> ValidInWorldChannels = new List<int>(); |
70 | 70 | ||
71 | // Connector agnostic parameters. These values are NOT shared with the | 71 | // Connector agnostic parameters. These values are NOT shared with the |
72 | // connector and do not differentiate at an IRC level | 72 | // connector and do not differentiate at an IRC level |
73 | 73 | ||
74 | internal string PrivateMessageFormat = "PRIVMSG {0} :<{2}> {1} {3}"; | 74 | internal string PrivateMessageFormat = "PRIVMSG {0} :<{2}> {1} {3}"; |
75 | internal string NoticeMessageFormat = "PRIVMSG {0} :<{2}> {3}"; | 75 | internal string NoticeMessageFormat = "PRIVMSG {0} :<{2}> {3}"; |
76 | internal int RelayChannelOut = -1; | 76 | internal int RelayChannelOut = -1; |
77 | internal bool RandomizeNickname = true; | 77 | internal bool RandomizeNickname = true; |
78 | internal bool CommandsEnabled = false; | 78 | internal bool CommandsEnabled = false; |
79 | internal int CommandChannel = -1; | 79 | internal int CommandChannel = -1; |
80 | internal int ConnectDelay = 10; | 80 | internal int ConnectDelay = 10; |
81 | internal int PingDelay = 15; | 81 | internal int PingDelay = 15; |
82 | internal string DefaultZone = "Sim"; | 82 | internal string DefaultZone = "Sim"; |
83 | 83 | ||
84 | internal string _accessPassword = String.Empty; | 84 | internal string _accessPassword = String.Empty; |
85 | internal Regex AccessPasswordRegex = null; | 85 | internal Regex AccessPasswordRegex = null; |
86 | internal List<string> ExcludeList = new List<string>(); | 86 | internal List<string> ExcludeList = new List<string>(); |
87 | internal string AccessPassword | 87 | internal string AccessPassword |
88 | { | 88 | { |
89 | get { return _accessPassword; } | 89 | get { return _accessPassword; } |
90 | set | 90 | set |
91 | { | 91 | { |
92 | _accessPassword = value; | 92 | _accessPassword = value; |
93 | AccessPasswordRegex = new Regex(String.Format(@"^{0},\s*(?<avatar>[^,]+),\s*(?<message>.+)$", _accessPassword), | 93 | AccessPasswordRegex = new Regex(String.Format(@"^{0},\s*(?<avatar>[^,]+),\s*(?<message>.+)$", _accessPassword), |
94 | RegexOptions.Compiled); | 94 | RegexOptions.Compiled); |
95 | } | 95 | } |
96 | } | 96 | } |
@@ -99,9 +99,9 @@ namespace OpenSim.Region.OptionalModules.Avatar.Chat | |||
99 | 99 | ||
100 | // IRC connector reference | 100 | // IRC connector reference |
101 | 101 | ||
102 | internal IRCConnector irc = null; | 102 | internal IRCConnector irc = null; |
103 | 103 | ||
104 | internal int idn = _idk_++; | 104 | internal int idn = _idk_++; |
105 | 105 | ||
106 | // List of regions dependent upon this connection | 106 | // List of regions dependent upon this connection |
107 | 107 | ||
@@ -119,29 +119,29 @@ namespace OpenSim.Region.OptionalModules.Avatar.Chat | |||
119 | 119 | ||
120 | internal ChannelState(ChannelState model) | 120 | internal ChannelState(ChannelState model) |
121 | { | 121 | { |
122 | Server = model.Server; | 122 | Server = model.Server; |
123 | Password = model.Password; | 123 | Password = model.Password; |
124 | IrcChannel = model.IrcChannel; | 124 | IrcChannel = model.IrcChannel; |
125 | Port = model.Port; | 125 | Port = model.Port; |
126 | BaseNickname = model.BaseNickname; | 126 | BaseNickname = model.BaseNickname; |
127 | RandomizeNickname = model.RandomizeNickname; | 127 | RandomizeNickname = model.RandomizeNickname; |
128 | User = model.User; | 128 | User = model.User; |
129 | CommandsEnabled = model.CommandsEnabled; | 129 | CommandsEnabled = model.CommandsEnabled; |
130 | CommandChannel = model.CommandChannel; | 130 | CommandChannel = model.CommandChannel; |
131 | RelayChat = model.RelayChat; | 131 | RelayChat = model.RelayChat; |
132 | RelayPrivateChannels = model.RelayPrivateChannels; | 132 | RelayPrivateChannels = model.RelayPrivateChannels; |
133 | RelayChannelOut = model.RelayChannelOut; | 133 | RelayChannelOut = model.RelayChannelOut; |
134 | RelayChannel = model.RelayChannel; | 134 | RelayChannel = model.RelayChannel; |
135 | ValidInWorldChannels = model.ValidInWorldChannels; | 135 | ValidInWorldChannels = model.ValidInWorldChannels; |
136 | PrivateMessageFormat = model.PrivateMessageFormat; | 136 | PrivateMessageFormat = model.PrivateMessageFormat; |
137 | NoticeMessageFormat = model.NoticeMessageFormat; | 137 | NoticeMessageFormat = model.NoticeMessageFormat; |
138 | ClientReporting = model.ClientReporting; | 138 | ClientReporting = model.ClientReporting; |
139 | AccessPassword = model.AccessPassword; | 139 | AccessPassword = model.AccessPassword; |
140 | DefaultZone = model.DefaultZone; | 140 | DefaultZone = model.DefaultZone; |
141 | ConnectDelay = model.ConnectDelay; | 141 | ConnectDelay = model.ConnectDelay; |
142 | PingDelay = model.PingDelay; | 142 | PingDelay = model.PingDelay; |
143 | } | 143 | } |
144 | 144 | ||
145 | // Read the configuration file, performing variable substitution and any | 145 | // Read the configuration file, performing variable substitution and any |
146 | // necessary aliasing. See accompanying documentation for how this works. | 146 | // necessary aliasing. See accompanying documentation for how this works. |
147 | // If you don't need variables, then this works exactly as before. | 147 | // If you don't need variables, then this works exactly as before. |
@@ -160,54 +160,54 @@ namespace OpenSim.Region.OptionalModules.Avatar.Chat | |||
160 | 160 | ||
161 | m_log.DebugFormat("[IRC-Channel-{0}] Initial request by Region {1} to connect to IRC", cs.idn, rs.Region); | 161 | m_log.DebugFormat("[IRC-Channel-{0}] Initial request by Region {1} to connect to IRC", cs.idn, rs.Region); |
162 | 162 | ||
163 | cs.Server = Substitute(rs, config.GetString("server", null)); | 163 | cs.Server = Substitute(rs, config.GetString("server", null)); |
164 | m_log.DebugFormat("[IRC-Channel-{0}] Server : <{1}>", cs.idn, cs.Server); | 164 | m_log.DebugFormat("[IRC-Channel-{0}] Server : <{1}>", cs.idn, cs.Server); |
165 | cs.Password = Substitute(rs, config.GetString("password", null)); | 165 | cs.Password = Substitute(rs, config.GetString("password", null)); |
166 | // probably not a good idea to put a password in the log file | 166 | // probably not a good idea to put a password in the log file |
167 | cs.User = Substitute(rs, config.GetString("user", null)); | 167 | cs.User = Substitute(rs, config.GetString("user", null)); |
168 | cs.IrcChannel = Substitute(rs, config.GetString("channel", null)); | 168 | cs.IrcChannel = Substitute(rs, config.GetString("channel", null)); |
169 | m_log.DebugFormat("[IRC-Channel-{0}] IrcChannel : <{1}>", cs.idn, cs.IrcChannel); | 169 | m_log.DebugFormat("[IRC-Channel-{0}] IrcChannel : <{1}>", cs.idn, cs.IrcChannel); |
170 | cs.Port = Convert.ToUInt32(Substitute(rs, config.GetString("port", Convert.ToString(cs.Port)))); | 170 | cs.Port = Convert.ToUInt32(Substitute(rs, config.GetString("port", Convert.ToString(cs.Port)))); |
171 | m_log.DebugFormat("[IRC-Channel-{0}] Port : <{1}>", cs.idn, cs.Port); | 171 | m_log.DebugFormat("[IRC-Channel-{0}] Port : <{1}>", cs.idn, cs.Port); |
172 | cs.BaseNickname = Substitute(rs, config.GetString("nick", cs.BaseNickname)); | 172 | cs.BaseNickname = Substitute(rs, config.GetString("nick", cs.BaseNickname)); |
173 | m_log.DebugFormat("[IRC-Channel-{0}] BaseNickname : <{1}>", cs.idn, cs.BaseNickname); | 173 | m_log.DebugFormat("[IRC-Channel-{0}] BaseNickname : <{1}>", cs.idn, cs.BaseNickname); |
174 | cs.RandomizeNickname = Convert.ToBoolean(Substitute(rs, config.GetString("randomize_nick", Convert.ToString(cs.RandomizeNickname)))); | 174 | cs.RandomizeNickname = Convert.ToBoolean(Substitute(rs, config.GetString("randomize_nick", Convert.ToString(cs.RandomizeNickname)))); |
175 | m_log.DebugFormat("[IRC-Channel-{0}] RandomizeNickname : <{1}>", cs.idn, cs.RandomizeNickname); | 175 | m_log.DebugFormat("[IRC-Channel-{0}] RandomizeNickname : <{1}>", cs.idn, cs.RandomizeNickname); |
176 | cs.RandomizeNickname = Convert.ToBoolean(Substitute(rs, config.GetString("nicknum", Convert.ToString(cs.RandomizeNickname)))); | 176 | cs.RandomizeNickname = Convert.ToBoolean(Substitute(rs, config.GetString("nicknum", Convert.ToString(cs.RandomizeNickname)))); |
177 | m_log.DebugFormat("[IRC-Channel-{0}] RandomizeNickname : <{1}>", cs.idn, cs.RandomizeNickname); | 177 | m_log.DebugFormat("[IRC-Channel-{0}] RandomizeNickname : <{1}>", cs.idn, cs.RandomizeNickname); |
178 | cs.User = Substitute(rs, config.GetString("username", cs.User)); | 178 | cs.User = Substitute(rs, config.GetString("username", cs.User)); |
179 | m_log.DebugFormat("[IRC-Channel-{0}] User : <{1}>", cs.idn, cs.User); | 179 | m_log.DebugFormat("[IRC-Channel-{0}] User : <{1}>", cs.idn, cs.User); |
180 | cs.CommandsEnabled = Convert.ToBoolean(Substitute(rs, config.GetString("commands_enabled", Convert.ToString(cs.CommandsEnabled)))); | 180 | cs.CommandsEnabled = Convert.ToBoolean(Substitute(rs, config.GetString("commands_enabled", Convert.ToString(cs.CommandsEnabled)))); |
181 | m_log.DebugFormat("[IRC-Channel-{0}] CommandsEnabled : <{1}>", cs.idn, cs.CommandsEnabled); | 181 | m_log.DebugFormat("[IRC-Channel-{0}] CommandsEnabled : <{1}>", cs.idn, cs.CommandsEnabled); |
182 | cs.CommandChannel = Convert.ToInt32(Substitute(rs, config.GetString("commandchannel", Convert.ToString(cs.CommandChannel)))); | 182 | cs.CommandChannel = Convert.ToInt32(Substitute(rs, config.GetString("commandchannel", Convert.ToString(cs.CommandChannel)))); |
183 | m_log.DebugFormat("[IRC-Channel-{0}] CommandChannel : <{1}>", cs.idn, cs.CommandChannel); | 183 | m_log.DebugFormat("[IRC-Channel-{0}] CommandChannel : <{1}>", cs.idn, cs.CommandChannel); |
184 | cs.CommandChannel = Convert.ToInt32(Substitute(rs, config.GetString("command_channel", Convert.ToString(cs.CommandChannel)))); | 184 | cs.CommandChannel = Convert.ToInt32(Substitute(rs, config.GetString("command_channel", Convert.ToString(cs.CommandChannel)))); |
185 | m_log.DebugFormat("[IRC-Channel-{0}] CommandChannel : <{1}>", cs.idn, cs.CommandChannel); | 185 | m_log.DebugFormat("[IRC-Channel-{0}] CommandChannel : <{1}>", cs.idn, cs.CommandChannel); |
186 | cs.RelayChat = Convert.ToBoolean(Substitute(rs, config.GetString("relay_chat", Convert.ToString(cs.RelayChat)))); | 186 | cs.RelayChat = Convert.ToBoolean(Substitute(rs, config.GetString("relay_chat", Convert.ToString(cs.RelayChat)))); |
187 | m_log.DebugFormat("[IRC-Channel-{0}] RelayChat : <{1}>", cs.idn, cs.RelayChat); | 187 | m_log.DebugFormat("[IRC-Channel-{0}] RelayChat : <{1}>", cs.idn, cs.RelayChat); |
188 | cs.RelayPrivateChannels = Convert.ToBoolean(Substitute(rs, config.GetString("relay_private_channels", Convert.ToString(cs.RelayPrivateChannels)))); | 188 | cs.RelayPrivateChannels = Convert.ToBoolean(Substitute(rs, config.GetString("relay_private_channels", Convert.ToString(cs.RelayPrivateChannels)))); |
189 | m_log.DebugFormat("[IRC-Channel-{0}] RelayPrivateChannels : <{1}>", cs.idn, cs.RelayPrivateChannels); | 189 | m_log.DebugFormat("[IRC-Channel-{0}] RelayPrivateChannels : <{1}>", cs.idn, cs.RelayPrivateChannels); |
190 | cs.RelayPrivateChannels = Convert.ToBoolean(Substitute(rs, config.GetString("useworldcomm", Convert.ToString(cs.RelayPrivateChannels)))); | 190 | cs.RelayPrivateChannels = Convert.ToBoolean(Substitute(rs, config.GetString("useworldcomm", Convert.ToString(cs.RelayPrivateChannels)))); |
191 | m_log.DebugFormat("[IRC-Channel-{0}] RelayPrivateChannels : <{1}>", cs.idn, cs.RelayPrivateChannels); | 191 | m_log.DebugFormat("[IRC-Channel-{0}] RelayPrivateChannels : <{1}>", cs.idn, cs.RelayPrivateChannels); |
192 | cs.RelayChannelOut = Convert.ToInt32(Substitute(rs, config.GetString("relay_private_channel_out", Convert.ToString(cs.RelayChannelOut)))); | 192 | cs.RelayChannelOut = Convert.ToInt32(Substitute(rs, config.GetString("relay_private_channel_out", Convert.ToString(cs.RelayChannelOut)))); |
193 | m_log.DebugFormat("[IRC-Channel-{0}] RelayChannelOut : <{1}>", cs.idn, cs.RelayChannelOut); | 193 | m_log.DebugFormat("[IRC-Channel-{0}] RelayChannelOut : <{1}>", cs.idn, cs.RelayChannelOut); |
194 | cs.RelayChannel = Convert.ToInt32(Substitute(rs, config.GetString("relay_private_channel_in", Convert.ToString(cs.RelayChannel)))); | 194 | cs.RelayChannel = Convert.ToInt32(Substitute(rs, config.GetString("relay_private_channel_in", Convert.ToString(cs.RelayChannel)))); |
195 | m_log.DebugFormat("[IRC-Channel-{0}] RelayChannel : <{1}>", cs.idn, cs.RelayChannel); | 195 | m_log.DebugFormat("[IRC-Channel-{0}] RelayChannel : <{1}>", cs.idn, cs.RelayChannel); |
196 | cs.RelayChannel = Convert.ToInt32(Substitute(rs, config.GetString("inchannel", Convert.ToString(cs.RelayChannel)))); | 196 | cs.RelayChannel = Convert.ToInt32(Substitute(rs, config.GetString("inchannel", Convert.ToString(cs.RelayChannel)))); |
197 | m_log.DebugFormat("[IRC-Channel-{0}] RelayChannel : <{1}>", cs.idn, cs.RelayChannel); | 197 | m_log.DebugFormat("[IRC-Channel-{0}] RelayChannel : <{1}>", cs.idn, cs.RelayChannel); |
198 | cs.PrivateMessageFormat = Substitute(rs, config.GetString("msgformat", cs.PrivateMessageFormat)); | 198 | cs.PrivateMessageFormat = Substitute(rs, config.GetString("msgformat", cs.PrivateMessageFormat)); |
199 | m_log.DebugFormat("[IRC-Channel-{0}] PrivateMessageFormat : <{1}>", cs.idn, cs.PrivateMessageFormat); | 199 | m_log.DebugFormat("[IRC-Channel-{0}] PrivateMessageFormat : <{1}>", cs.idn, cs.PrivateMessageFormat); |
200 | cs.NoticeMessageFormat = Substitute(rs, config.GetString("noticeformat", cs.NoticeMessageFormat)); | 200 | cs.NoticeMessageFormat = Substitute(rs, config.GetString("noticeformat", cs.NoticeMessageFormat)); |
201 | m_log.DebugFormat("[IRC-Channel-{0}] NoticeMessageFormat : <{1}>", cs.idn, cs.NoticeMessageFormat); | 201 | m_log.DebugFormat("[IRC-Channel-{0}] NoticeMessageFormat : <{1}>", cs.idn, cs.NoticeMessageFormat); |
202 | cs.ClientReporting = Convert.ToInt32(Substitute(rs, config.GetString("verbosity", cs.ClientReporting?"1":"0"))) > 0; | 202 | cs.ClientReporting = Convert.ToInt32(Substitute(rs, config.GetString("verbosity", cs.ClientReporting ? "1" : "0"))) > 0; |
203 | m_log.DebugFormat("[IRC-Channel-{0}] ClientReporting : <{1}>", cs.idn, cs.ClientReporting); | 203 | m_log.DebugFormat("[IRC-Channel-{0}] ClientReporting : <{1}>", cs.idn, cs.ClientReporting); |
204 | cs.ClientReporting = Convert.ToBoolean(Substitute(rs, config.GetString("report_clients", Convert.ToString(cs.ClientReporting)))); | 204 | cs.ClientReporting = Convert.ToBoolean(Substitute(rs, config.GetString("report_clients", Convert.ToString(cs.ClientReporting)))); |
205 | m_log.DebugFormat("[IRC-Channel-{0}] ClientReporting : <{1}>", cs.idn, cs.ClientReporting); | 205 | m_log.DebugFormat("[IRC-Channel-{0}] ClientReporting : <{1}>", cs.idn, cs.ClientReporting); |
206 | cs.DefaultZone = Substitute(rs, config.GetString("fallback_region", cs.DefaultZone)); | 206 | cs.DefaultZone = Substitute(rs, config.GetString("fallback_region", cs.DefaultZone)); |
207 | m_log.DebugFormat("[IRC-Channel-{0}] DefaultZone : <{1}>", cs.idn, cs.DefaultZone); | 207 | m_log.DebugFormat("[IRC-Channel-{0}] DefaultZone : <{1}>", cs.idn, cs.DefaultZone); |
208 | cs.ConnectDelay = Convert.ToInt32(Substitute(rs, config.GetString("connect_delay", Convert.ToString(cs.ConnectDelay)))); | 208 | cs.ConnectDelay = Convert.ToInt32(Substitute(rs, config.GetString("connect_delay", Convert.ToString(cs.ConnectDelay)))); |
209 | m_log.DebugFormat("[IRC-Channel-{0}] ConnectDelay : <{1}>", cs.idn, cs.ConnectDelay); | 209 | m_log.DebugFormat("[IRC-Channel-{0}] ConnectDelay : <{1}>", cs.idn, cs.ConnectDelay); |
210 | cs.PingDelay = Convert.ToInt32(Substitute(rs, config.GetString("ping_delay", Convert.ToString(cs.PingDelay)))); | 210 | cs.PingDelay = Convert.ToInt32(Substitute(rs, config.GetString("ping_delay", Convert.ToString(cs.PingDelay)))); |
211 | m_log.DebugFormat("[IRC-Channel-{0}] PingDelay : <{1}>", cs.idn, cs.PingDelay); | 211 | m_log.DebugFormat("[IRC-Channel-{0}] PingDelay : <{1}>", cs.idn, cs.PingDelay); |
212 | cs.AccessPassword = Substitute(rs, config.GetString("access_password", cs.AccessPassword)); | 212 | cs.AccessPassword = Substitute(rs, config.GetString("access_password", cs.AccessPassword)); |
213 | m_log.DebugFormat("[IRC-Channel-{0}] AccessPassword : <{1}>", cs.idn, cs.AccessPassword); | 213 | m_log.DebugFormat("[IRC-Channel-{0}] AccessPassword : <{1}>", cs.idn, cs.AccessPassword); |
@@ -217,7 +217,7 @@ namespace OpenSim.Region.OptionalModules.Avatar.Chat | |||
217 | { | 217 | { |
218 | cs.ExcludeList.Add(name.Trim().ToLower()); | 218 | cs.ExcludeList.Add(name.Trim().ToLower()); |
219 | } | 219 | } |
220 | 220 | ||
221 | // Fail if fundamental information is still missing | 221 | // Fail if fundamental information is still missing |
222 | 222 | ||
223 | if (cs.Server == null) | 223 | if (cs.Server == null) |
@@ -306,8 +306,8 @@ namespace OpenSim.Region.OptionalModules.Avatar.Chat | |||
306 | 306 | ||
307 | IRCBridgeModule.m_channels.Add(cs); | 307 | IRCBridgeModule.m_channels.Add(cs); |
308 | 308 | ||
309 | m_log.InfoFormat("[IRC-Channel-{0}] New channel initialized for {1}, nick: {2}, commands {3}, private channels {4}", | 309 | m_log.InfoFormat("[IRC-Channel-{0}] New channel initialized for {1}, nick: {2}, commands {3}, private channels {4}", |
310 | cs.idn, rs.Region, cs.DefaultZone, | 310 | cs.idn, rs.Region, cs.DefaultZone, |
311 | cs.CommandsEnabled ? "enabled" : "not enabled", | 311 | cs.CommandsEnabled ? "enabled" : "not enabled", |
312 | cs.RelayPrivateChannels ? "relayed" : "not relayed"); | 312 | cs.RelayPrivateChannels ? "relayed" : "not relayed"); |
313 | } | 313 | } |
@@ -417,7 +417,7 @@ namespace OpenSim.Region.OptionalModules.Avatar.Chat | |||
417 | private bool IsAConnectionMatchFor(ChannelState cs) | 417 | private bool IsAConnectionMatchFor(ChannelState cs) |
418 | { | 418 | { |
419 | return ( | 419 | return ( |
420 | Server == cs.Server && | 420 | Server == cs.Server && |
421 | IrcChannel == cs.IrcChannel && | 421 | IrcChannel == cs.IrcChannel && |
422 | Port == cs.Port && | 422 | Port == cs.Port && |
423 | BaseNickname == cs.BaseNickname && | 423 | BaseNickname == cs.BaseNickname && |
@@ -473,27 +473,27 @@ namespace OpenSim.Region.OptionalModules.Avatar.Chat | |||
473 | { | 473 | { |
474 | 474 | ||
475 | string vvar = arg.Match(result).ToString(); | 475 | string vvar = arg.Match(result).ToString(); |
476 | string var = vvar.Substring(1,vvar.Length-2).Trim(); | 476 | string var = vvar.Substring(1, vvar.Length - 2).Trim(); |
477 | 477 | ||
478 | switch (var.ToLower()) | 478 | switch (var.ToLower()) |
479 | { | 479 | { |
480 | case "%region" : | 480 | case "%region": |
481 | result = result.Replace(vvar, rs.Region); | 481 | result = result.Replace(vvar, rs.Region); |
482 | break; | 482 | break; |
483 | case "%host" : | 483 | case "%host": |
484 | result = result.Replace(vvar, rs.Host); | 484 | result = result.Replace(vvar, rs.Host); |
485 | break; | 485 | break; |
486 | case "%locx" : | 486 | case "%locx": |
487 | result = result.Replace(vvar, rs.LocX); | 487 | result = result.Replace(vvar, rs.LocX); |
488 | break; | 488 | break; |
489 | case "%locy" : | 489 | case "%locy": |
490 | result = result.Replace(vvar, rs.LocY); | 490 | result = result.Replace(vvar, rs.LocY); |
491 | break; | 491 | break; |
492 | case "%k" : | 492 | case "%k": |
493 | result = result.Replace(vvar, rs.IDK); | 493 | result = result.Replace(vvar, rs.IDK); |
494 | break; | 494 | break; |
495 | default : | 495 | default: |
496 | result = result.Replace(vvar, rs.config.GetString(var,var)); | 496 | result = result.Replace(vvar, rs.config.GetString(var, var)); |
497 | break; | 497 | break; |
498 | } | 498 | } |
499 | // m_log.DebugFormat("[IRC-Channel] Parse[2]: {0}", result); | 499 | // m_log.DebugFormat("[IRC-Channel] Parse[2]: {0}", result); |
diff --git a/OpenSim/Region/OptionalModules/Avatar/Chat/IRCBridgeModule.cs b/OpenSim/Region/OptionalModules/Avatar/Chat/IRCBridgeModule.cs index 2e1d03d..351dbfe 100644 --- a/OpenSim/Region/OptionalModules/Avatar/Chat/IRCBridgeModule.cs +++ b/OpenSim/Region/OptionalModules/Avatar/Chat/IRCBridgeModule.cs | |||
@@ -46,18 +46,18 @@ namespace OpenSim.Region.OptionalModules.Avatar.Chat | |||
46 | { | 46 | { |
47 | private static readonly ILog m_log = LogManager.GetLogger(MethodBase.GetCurrentMethod().DeclaringType); | 47 | private static readonly ILog m_log = LogManager.GetLogger(MethodBase.GetCurrentMethod().DeclaringType); |
48 | 48 | ||
49 | internal static bool m_pluginEnabled = false; | 49 | internal static bool Enabled = false; |
50 | internal static IConfig m_config = null; | 50 | internal static IConfig m_config = null; |
51 | 51 | ||
52 | internal static List<ChannelState> m_channels = new List<ChannelState>(); | 52 | internal static List<ChannelState> m_channels = new List<ChannelState>(); |
53 | internal static List<RegionState> m_regions = new List<RegionState>(); | 53 | internal static List<RegionState> m_regions = new List<RegionState>(); |
54 | 54 | ||
55 | internal static string m_password = String.Empty; | 55 | internal static string m_password = String.Empty; |
56 | internal RegionState m_region = null; | 56 | internal RegionState m_region = null; |
57 | 57 | ||
58 | #region INonSharedRegionModule Members | 58 | #region INonSharedRegionModule Members |
59 | 59 | ||
60 | public Type ReplaceableInterface | 60 | public Type ReplaceableInterface |
61 | { | 61 | { |
62 | get { return null; } | 62 | get { return null; } |
63 | } | 63 | } |
@@ -72,13 +72,13 @@ namespace OpenSim.Region.OptionalModules.Avatar.Chat | |||
72 | m_config = config.Configs["IRC"]; | 72 | m_config = config.Configs["IRC"]; |
73 | if (m_config == null) | 73 | if (m_config == null) |
74 | { | 74 | { |
75 | // m_log.InfoFormat("[IRC-Bridge] module not configured"); | 75 | // m_log.InfoFormat("[IRC-Bridge] module not configured"); |
76 | return; | 76 | return; |
77 | } | 77 | } |
78 | 78 | ||
79 | if (!m_config.GetBoolean("enabled", false)) | 79 | if (!m_config.GetBoolean("enabled", false)) |
80 | { | 80 | { |
81 | // m_log.InfoFormat("[IRC-Bridge] module disabled in configuration"); | 81 | // m_log.InfoFormat("[IRC-Bridge] module disabled in configuration"); |
82 | return; | 82 | return; |
83 | } | 83 | } |
84 | 84 | ||
@@ -87,19 +87,22 @@ namespace OpenSim.Region.OptionalModules.Avatar.Chat | |||
87 | m_password = config.Configs["RemoteAdmin"].GetString("access_password", m_password); | 87 | m_password = config.Configs["RemoteAdmin"].GetString("access_password", m_password); |
88 | } | 88 | } |
89 | 89 | ||
90 | m_pluginEnabled = true; | 90 | Enabled = true; |
91 | m_log.InfoFormat("[IRC-Bridge]: Module enabled"); | 91 | |
92 | m_log.InfoFormat("[IRC-Bridge]: Module is enabled"); | ||
92 | } | 93 | } |
93 | 94 | ||
94 | public void AddRegion(Scene scene) | 95 | public void AddRegion(Scene scene) |
95 | { | 96 | { |
96 | if (m_pluginEnabled) | 97 | if (Enabled) |
97 | { | 98 | { |
98 | try | 99 | try |
99 | { | 100 | { |
100 | m_log.InfoFormat("[IRC-Bridge] Connecting region {0}", scene.RegionInfo.RegionName); | 101 | m_log.InfoFormat("[IRC-Bridge] Connecting region {0}", scene.RegionInfo.RegionName); |
102 | |||
101 | if (!String.IsNullOrEmpty(m_password)) | 103 | if (!String.IsNullOrEmpty(m_password)) |
102 | MainServer.Instance.AddXmlRPCHandler("irc_admin", XmlRpcAdminMethod, false); | 104 | MainServer.Instance.AddXmlRPCHandler("irc_admin", XmlRpcAdminMethod, false); |
105 | |||
103 | m_region = new RegionState(scene, m_config); | 106 | m_region = new RegionState(scene, m_config); |
104 | lock (m_regions) m_regions.Add(m_region); | 107 | lock (m_regions) m_regions.Add(m_region); |
105 | m_region.Open(); | 108 | m_region.Open(); |
@@ -123,7 +126,7 @@ namespace OpenSim.Region.OptionalModules.Avatar.Chat | |||
123 | 126 | ||
124 | public void RemoveRegion(Scene scene) | 127 | public void RemoveRegion(Scene scene) |
125 | { | 128 | { |
126 | if (!m_pluginEnabled) | 129 | if (!Enabled) |
127 | return; | 130 | return; |
128 | 131 | ||
129 | if (m_region == null) | 132 | if (m_region == null) |
@@ -150,12 +153,12 @@ namespace OpenSim.Region.OptionalModules.Avatar.Chat | |||
150 | m_log.Debug("[IRC-Bridge]: XML RPC Admin Entry"); | 153 | m_log.Debug("[IRC-Bridge]: XML RPC Admin Entry"); |
151 | 154 | ||
152 | XmlRpcResponse response = new XmlRpcResponse(); | 155 | XmlRpcResponse response = new XmlRpcResponse(); |
153 | Hashtable responseData = new Hashtable(); | 156 | Hashtable responseData = new Hashtable(); |
154 | 157 | ||
155 | try | 158 | try |
156 | { | 159 | { |
157 | Hashtable requestData = (Hashtable)request.Params[0]; | 160 | Hashtable requestData = (Hashtable)request.Params[0]; |
158 | bool found = false; | 161 | bool found = false; |
159 | string region = String.Empty; | 162 | string region = String.Empty; |
160 | 163 | ||
161 | if (m_password != String.Empty) | 164 | if (m_password != String.Empty) |
@@ -169,18 +172,18 @@ namespace OpenSim.Region.OptionalModules.Avatar.Chat | |||
169 | if (!requestData.ContainsKey("region")) | 172 | if (!requestData.ContainsKey("region")) |
170 | throw new Exception("No region name specified"); | 173 | throw new Exception("No region name specified"); |
171 | region = (string)requestData["region"]; | 174 | region = (string)requestData["region"]; |
172 | 175 | ||
173 | foreach (RegionState rs in m_regions) | 176 | foreach (RegionState rs in m_regions) |
174 | { | 177 | { |
175 | if (rs.Region == region) | 178 | if (rs.Region == region) |
176 | { | 179 | { |
177 | responseData["server"] = rs.cs.Server; | 180 | responseData["server"] = rs.cs.Server; |
178 | responseData["port"] = (int)rs.cs.Port; | 181 | responseData["port"] = (int)rs.cs.Port; |
179 | responseData["user"] = rs.cs.User; | 182 | responseData["user"] = rs.cs.User; |
180 | responseData["channel"] = rs.cs.IrcChannel; | 183 | responseData["channel"] = rs.cs.IrcChannel; |
181 | responseData["enabled"] = rs.cs.irc.Enabled; | 184 | responseData["enabled"] = rs.cs.irc.Enabled; |
182 | responseData["connected"] = rs.cs.irc.Connected; | 185 | responseData["connected"] = rs.cs.irc.Connected; |
183 | responseData["nickname"] = rs.cs.irc.Nick; | 186 | responseData["nickname"] = rs.cs.irc.Nick; |
184 | found = true; | 187 | found = true; |
185 | break; | 188 | break; |
186 | } | 189 | } |
@@ -195,7 +198,7 @@ namespace OpenSim.Region.OptionalModules.Avatar.Chat | |||
195 | m_log.ErrorFormat("[IRC-Bridge] XML RPC Admin request failed : {0}", e.Message); | 198 | m_log.ErrorFormat("[IRC-Bridge] XML RPC Admin request failed : {0}", e.Message); |
196 | 199 | ||
197 | responseData["success"] = "false"; | 200 | responseData["success"] = "false"; |
198 | responseData["error"] = e.Message; | 201 | responseData["error"] = e.Message; |
199 | } | 202 | } |
200 | finally | 203 | finally |
201 | { | 204 | { |
diff --git a/OpenSim/Region/OptionalModules/Avatar/Chat/IRCConnector.cs b/OpenSim/Region/OptionalModules/Avatar/Chat/IRCConnector.cs index a014798..c5cba8e 100644 --- a/OpenSim/Region/OptionalModules/Avatar/Chat/IRCConnector.cs +++ b/OpenSim/Region/OptionalModules/Avatar/Chat/IRCConnector.cs | |||
@@ -53,16 +53,16 @@ namespace OpenSim.Region.OptionalModules.Avatar.Chat | |||
53 | // Local constants | 53 | // Local constants |
54 | 54 | ||
55 | private static readonly Vector3 CenterOfRegion = new Vector3(((int)Constants.RegionSize * 0.5f), ((int)Constants.RegionSize * 0.5f), 20); | 55 | private static readonly Vector3 CenterOfRegion = new Vector3(((int)Constants.RegionSize * 0.5f), ((int)Constants.RegionSize * 0.5f), 20); |
56 | private static readonly char[] CS_SPACE = { ' ' }; | 56 | private static readonly char[] CS_SPACE = { ' ' }; |
57 | 57 | ||
58 | private const int WD_INTERVAL = 1000; // base watchdog interval | 58 | private const int WD_INTERVAL = 1000; // base watchdog interval |
59 | private static int PING_PERIOD = 15; // WD intervals per PING | 59 | private static int PING_PERIOD = 15; // WD intervals per PING |
60 | private static int ICCD_PERIOD = 10; // WD intervals between Connects | 60 | private static int ICCD_PERIOD = 10; // WD intervals between Connects |
61 | private static int L_TIMEOUT = 25; // Login time out interval | 61 | private static int L_TIMEOUT = 25; // Login time out interval |
62 | 62 | ||
63 | private static int _idk_ = 0; // core connector identifier | 63 | private static int _idk_ = 0; // core connector identifier |
64 | private static int _pdk_ = 0; // ping interval counter | 64 | private static int _pdk_ = 0; // ping interval counter |
65 | private static int _icc_ = ICCD_PERIOD; // IRC connect counter | 65 | private static int _icc_ = ICCD_PERIOD; // IRC connect counter |
66 | 66 | ||
67 | // List of configured connectors | 67 | // List of configured connectors |
68 | 68 | ||
@@ -113,7 +113,7 @@ namespace OpenSim.Region.OptionalModules.Avatar.Chat | |||
113 | 113 | ||
114 | private Object msyncConnect = new Object(); | 114 | private Object msyncConnect = new Object(); |
115 | 115 | ||
116 | internal bool m_randomizeNick = true; // add random suffix | 116 | internal bool m_randomizeNick = true; // add random suffix |
117 | internal string m_baseNick = null; // base name for randomizing | 117 | internal string m_baseNick = null; // base name for randomizing |
118 | internal string m_nick = null; // effective nickname | 118 | internal string m_nick = null; // effective nickname |
119 | 119 | ||
@@ -122,7 +122,7 @@ namespace OpenSim.Region.OptionalModules.Avatar.Chat | |||
122 | get { return m_nick; } | 122 | get { return m_nick; } |
123 | set { m_nick = value; } | 123 | set { m_nick = value; } |
124 | } | 124 | } |
125 | 125 | ||
126 | private bool m_enabled = false; // connector enablement | 126 | private bool m_enabled = false; // connector enablement |
127 | public bool Enabled | 127 | public bool Enabled |
128 | { | 128 | { |
@@ -130,8 +130,8 @@ namespace OpenSim.Region.OptionalModules.Avatar.Chat | |||
130 | } | 130 | } |
131 | 131 | ||
132 | private bool m_connected = false; // connection status | 132 | private bool m_connected = false; // connection status |
133 | private bool m_pending = false; // login disposition | 133 | private bool m_pending = false; // login disposition |
134 | private int m_timeout = L_TIMEOUT; // login timeout counter | 134 | private int m_timeout = L_TIMEOUT; // login timeout counter |
135 | public bool Connected | 135 | public bool Connected |
136 | { | 136 | { |
137 | get { return m_connected; } | 137 | get { return m_connected; } |
@@ -143,9 +143,9 @@ namespace OpenSim.Region.OptionalModules.Avatar.Chat | |||
143 | get { return m_ircChannel; } | 143 | get { return m_ircChannel; } |
144 | set { m_ircChannel = value; } | 144 | set { m_ircChannel = value; } |
145 | } | 145 | } |
146 | 146 | ||
147 | private uint m_port = 6667; // session port | 147 | private uint m_port = 6667; // session port |
148 | public uint Port | 148 | public uint Port |
149 | { | 149 | { |
150 | get { return m_port; } | 150 | get { return m_port; } |
151 | set { m_port = value; } | 151 | set { m_port = value; } |
@@ -172,10 +172,10 @@ namespace OpenSim.Region.OptionalModules.Avatar.Chat | |||
172 | 172 | ||
173 | // Network interface | 173 | // Network interface |
174 | 174 | ||
175 | private TcpClient m_tcp; | 175 | private TcpClient m_tcp; |
176 | private NetworkStream m_stream = null; | 176 | private NetworkStream m_stream = null; |
177 | private StreamReader m_reader; | 177 | private StreamReader m_reader; |
178 | private StreamWriter m_writer; | 178 | private StreamWriter m_writer; |
179 | 179 | ||
180 | // Channel characteristic info (if available) | 180 | // Channel characteristic info (if available) |
181 | 181 | ||
@@ -193,26 +193,26 @@ namespace OpenSim.Region.OptionalModules.Avatar.Chat | |||
193 | 193 | ||
194 | // Prepare network interface | 194 | // Prepare network interface |
195 | 195 | ||
196 | m_tcp = null; | 196 | m_tcp = null; |
197 | m_writer = null; | 197 | m_writer = null; |
198 | m_reader = null; | 198 | m_reader = null; |
199 | 199 | ||
200 | // Setup IRC session parameters | 200 | // Setup IRC session parameters |
201 | 201 | ||
202 | m_server = cs.Server; | 202 | m_server = cs.Server; |
203 | m_password = cs.Password; | 203 | m_password = cs.Password; |
204 | m_baseNick = cs.BaseNickname; | 204 | m_baseNick = cs.BaseNickname; |
205 | m_randomizeNick = cs.RandomizeNickname; | 205 | m_randomizeNick = cs.RandomizeNickname; |
206 | m_ircChannel = cs.IrcChannel; | 206 | m_ircChannel = cs.IrcChannel; |
207 | m_port = cs.Port; | 207 | m_port = cs.Port; |
208 | m_user = cs.User; | 208 | m_user = cs.User; |
209 | 209 | ||
210 | if (m_watchdog == null) | 210 | if (m_watchdog == null) |
211 | { | 211 | { |
212 | // Non-differentiating | 212 | // Non-differentiating |
213 | 213 | ||
214 | ICCD_PERIOD = cs.ConnectDelay; | 214 | ICCD_PERIOD = cs.ConnectDelay; |
215 | PING_PERIOD = cs.PingDelay; | 215 | PING_PERIOD = cs.PingDelay; |
216 | 216 | ||
217 | // Smaller values are not reasonable | 217 | // Smaller values are not reasonable |
218 | 218 | ||
@@ -235,7 +235,7 @@ namespace OpenSim.Region.OptionalModules.Avatar.Chat | |||
235 | 235 | ||
236 | if (m_randomizeNick) | 236 | if (m_randomizeNick) |
237 | m_nick = m_baseNick + Util.RandomClass.Next(1, 99); | 237 | m_nick = m_baseNick + Util.RandomClass.Next(1, 99); |
238 | else | 238 | else |
239 | m_nick = m_baseNick; | 239 | m_nick = m_baseNick; |
240 | 240 | ||
241 | m_log.InfoFormat("[IRC-Connector-{0}]: Initialization complete", idn); | 241 | m_log.InfoFormat("[IRC-Connector-{0}]: Initialization complete", idn); |
@@ -295,18 +295,22 @@ namespace OpenSim.Region.OptionalModules.Avatar.Chat | |||
295 | m_nick, m_ircChannel, m_server)); | 295 | m_nick, m_ircChannel, m_server)); |
296 | m_writer.Flush(); | 296 | m_writer.Flush(); |
297 | } | 297 | } |
298 | catch (Exception) {} | 298 | catch (Exception) { } |
299 | 299 | ||
300 | 300 | ||
301 | m_connected = false; | 301 | m_connected = false; |
302 | 302 | ||
303 | try { m_writer.Close(); } catch (Exception) {} | 303 | try { m_writer.Close(); } |
304 | try { m_reader.Close(); } catch (Exception) {} | 304 | catch (Exception) { } |
305 | try { m_stream.Close(); } catch (Exception) {} | 305 | try { m_reader.Close(); } |
306 | try { m_tcp.Close(); } catch (Exception) {} | 306 | catch (Exception) { } |
307 | try { m_stream.Close(); } | ||
308 | catch (Exception) { } | ||
309 | try { m_tcp.Close(); } | ||
310 | catch (Exception) { } | ||
307 | 311 | ||
308 | } | 312 | } |
309 | 313 | ||
310 | lock (m_connectors) | 314 | lock (m_connectors) |
311 | m_connectors.Remove(this); | 315 | m_connectors.Remove(this); |
312 | 316 | ||
@@ -347,15 +351,15 @@ namespace OpenSim.Region.OptionalModules.Avatar.Chat | |||
347 | if (m_connected) return; | 351 | if (m_connected) return; |
348 | 352 | ||
349 | m_connected = true; | 353 | m_connected = true; |
350 | m_pending = true; | 354 | m_pending = true; |
351 | m_timeout = L_TIMEOUT; | 355 | m_timeout = L_TIMEOUT; |
352 | 356 | ||
353 | m_tcp = new TcpClient(m_server, (int)m_port); | 357 | m_tcp = new TcpClient(m_server, (int)m_port); |
354 | m_stream = m_tcp.GetStream(); | 358 | m_stream = m_tcp.GetStream(); |
355 | m_reader = new StreamReader(m_stream); | 359 | m_reader = new StreamReader(m_stream); |
356 | m_writer = new StreamWriter(m_stream); | 360 | m_writer = new StreamWriter(m_stream); |
357 | 361 | ||
358 | m_log.InfoFormat("[IRC-Connector-{0}]: Connected to {1}:{2}", idn, m_server, m_port); | 362 | m_log.InfoFormat("[IRC-Connector-{0}]: Connected to {1}:{2}", idn, m_server, m_port); |
359 | 363 | ||
360 | m_listener = new Thread(new ThreadStart(ListenerRun)); | 364 | m_listener = new Thread(new ThreadStart(ListenerRun)); |
361 | m_listener.Name = "IRCConnectorListenerThread"; | 365 | m_listener.Name = "IRCConnectorListenerThread"; |
@@ -418,12 +422,15 @@ namespace OpenSim.Region.OptionalModules.Avatar.Chat | |||
418 | // the socket and it will disappear of its own accord, once this | 422 | // the socket and it will disappear of its own accord, once this |
419 | // processing is completed. | 423 | // processing is completed. |
420 | 424 | ||
421 | try { m_writer.Close(); } catch (Exception) {} | 425 | try { m_writer.Close(); } |
422 | try { m_reader.Close(); } catch (Exception) {} | 426 | catch (Exception) { } |
423 | try { m_tcp.Close(); } catch (Exception) {} | 427 | try { m_reader.Close(); } |
428 | catch (Exception) { } | ||
429 | try { m_tcp.Close(); } | ||
430 | catch (Exception) { } | ||
424 | 431 | ||
425 | m_connected = false; | 432 | m_connected = false; |
426 | m_pending = false; | 433 | m_pending = false; |
427 | m_resetk++; | 434 | m_resetk++; |
428 | 435 | ||
429 | } | 436 | } |
@@ -495,7 +502,7 @@ namespace OpenSim.Region.OptionalModules.Avatar.Chat | |||
495 | { | 502 | { |
496 | 503 | ||
497 | string inputLine; | 504 | string inputLine; |
498 | int resetk = m_resetk; | 505 | int resetk = m_resetk; |
499 | 506 | ||
500 | try | 507 | try |
501 | { | 508 | { |
@@ -555,7 +562,7 @@ namespace OpenSim.Region.OptionalModules.Avatar.Chat | |||
555 | Reconnect(); | 562 | Reconnect(); |
556 | } | 563 | } |
557 | 564 | ||
558 | private Regex RE = new Regex(@":(?<nick>[\w-]*)!(?<user>\S*) PRIVMSG (?<channel>\S+) :(?<msg>.*)", | 565 | private Regex RE = new Regex(@":(?<nick>[\w-]*)!(?<user>\S*) PRIVMSG (?<channel>\S+) :(?<msg>.*)", |
559 | RegexOptions.Multiline); | 566 | RegexOptions.Multiline); |
560 | 567 | ||
561 | private Dictionary<string, string> ExtractMsg(string input) | 568 | private Dictionary<string, string> ExtractMsg(string input) |
@@ -617,8 +624,8 @@ namespace OpenSim.Region.OptionalModules.Avatar.Chat | |||
617 | string[] commArgs; | 624 | string[] commArgs; |
618 | string c_server = m_server; | 625 | string c_server = m_server; |
619 | 626 | ||
620 | string pfx = String.Empty; | 627 | string pfx = String.Empty; |
621 | string cmd = String.Empty; | 628 | string cmd = String.Empty; |
622 | string parms = String.Empty; | 629 | string parms = String.Empty; |
623 | 630 | ||
624 | // ":" indicates that a prefix is present | 631 | // ":" indicates that a prefix is present |
@@ -627,15 +634,15 @@ namespace OpenSim.Region.OptionalModules.Avatar.Chat | |||
627 | // ":" indicates that the remainder of the | 634 | // ":" indicates that the remainder of the |
628 | // line is a single parameter value. | 635 | // line is a single parameter value. |
629 | 636 | ||
630 | commArgs = command.Split(CS_SPACE,2); | 637 | commArgs = command.Split(CS_SPACE, 2); |
631 | 638 | ||
632 | if (commArgs[0].StartsWith(":")) | 639 | if (commArgs[0].StartsWith(":")) |
633 | { | 640 | { |
634 | pfx = commArgs[0].Substring(1); | 641 | pfx = commArgs[0].Substring(1); |
635 | commArgs = commArgs[1].Split(CS_SPACE,2); | 642 | commArgs = commArgs[1].Split(CS_SPACE, 2); |
636 | } | 643 | } |
637 | 644 | ||
638 | cmd = commArgs[0]; | 645 | cmd = commArgs[0]; |
639 | parms = commArgs[1]; | 646 | parms = commArgs[1]; |
640 | 647 | ||
641 | // m_log.DebugFormat("[IRC-Connector-{0}] prefix = <{1}> cmd = <{2}>", idn, pfx, cmd); | 648 | // m_log.DebugFormat("[IRC-Connector-{0}] prefix = <{1}> cmd = <{2}>", idn, pfx, cmd); |
@@ -646,44 +653,44 @@ namespace OpenSim.Region.OptionalModules.Avatar.Chat | |||
646 | // Messages 001-004 are always sent | 653 | // Messages 001-004 are always sent |
647 | // following signon. | 654 | // following signon. |
648 | 655 | ||
649 | case "001" : // Welcome ... | 656 | case "001": // Welcome ... |
650 | case "002" : // Server information | 657 | case "002": // Server information |
651 | case "003" : // Welcome ... | 658 | case "003": // Welcome ... |
652 | break; | 659 | break; |
653 | case "004" : // Server information | 660 | case "004": // Server information |
654 | m_log.DebugFormat("[IRC-Connector-{0}] [{1}] parms = <{2}>", idn, cmd, parms); | 661 | m_log.DebugFormat("[IRC-Connector-{0}] [{1}] parms = <{2}>", idn, cmd, parms); |
655 | commArgs = parms.Split(CS_SPACE); | 662 | commArgs = parms.Split(CS_SPACE); |
656 | c_server = commArgs[1]; | 663 | c_server = commArgs[1]; |
657 | m_server = c_server; | 664 | m_server = c_server; |
658 | version = commArgs[2]; | 665 | version = commArgs[2]; |
659 | usermod = commArgs[3]; | 666 | usermod = commArgs[3]; |
660 | chanmod = commArgs[4]; | 667 | chanmod = commArgs[4]; |
661 | break; | 668 | break; |
662 | case "005" : // Server information | 669 | case "005": // Server information |
663 | break; | 670 | break; |
664 | case "042" : | 671 | case "042": |
665 | case "250" : | 672 | case "250": |
666 | case "251" : | 673 | case "251": |
667 | case "252" : | 674 | case "252": |
668 | case "254" : | 675 | case "254": |
669 | case "255" : | 676 | case "255": |
670 | case "265" : | 677 | case "265": |
671 | case "266" : | 678 | case "266": |
672 | case "332" : // Subject | 679 | case "332": // Subject |
673 | case "333" : // Subject owner (?) | 680 | case "333": // Subject owner (?) |
674 | case "353" : // Name list | 681 | case "353": // Name list |
675 | case "366" : // End-of-Name list marker | 682 | case "366": // End-of-Name list marker |
676 | case "372" : // MOTD body | 683 | case "372": // MOTD body |
677 | case "375" : // MOTD start | 684 | case "375": // MOTD start |
678 | // m_log.InfoFormat("[IRC-Connector-{0}] [{1}] {2}", idn, cmd, parms.Split(CS_SPACE,2)[1]); | 685 | // m_log.InfoFormat("[IRC-Connector-{0}] [{1}] {2}", idn, cmd, parms.Split(CS_SPACE,2)[1]); |
679 | break; | 686 | break; |
680 | case "376" : // MOTD end | 687 | case "376": // MOTD end |
681 | // m_log.InfoFormat("[IRC-Connector-{0}] [{1}] {2}", idn, cmd, parms.Split(CS_SPACE,2)[1]); | 688 | // m_log.InfoFormat("[IRC-Connector-{0}] [{1}] {2}", idn, cmd, parms.Split(CS_SPACE,2)[1]); |
682 | motd = true; | 689 | motd = true; |
683 | break; | 690 | break; |
684 | case "451" : // Not registered | 691 | case "451": // Not registered |
685 | break; | 692 | break; |
686 | case "433" : // Nickname in use | 693 | case "433": // Nickname in use |
687 | // Gen a new name | 694 | // Gen a new name |
688 | m_nick = m_baseNick + Util.RandomClass.Next(1, 99); | 695 | m_nick = m_baseNick + Util.RandomClass.Next(1, 99); |
689 | m_log.ErrorFormat("[IRC-Connector-{0}]: [{1}] IRC SERVER reports NicknameInUse, trying {2}", idn, cmd, m_nick); | 696 | m_log.ErrorFormat("[IRC-Connector-{0}]: [{1}] IRC SERVER reports NicknameInUse, trying {2}", idn, cmd, m_nick); |
@@ -695,29 +702,29 @@ namespace OpenSim.Region.OptionalModules.Avatar.Chat | |||
695 | m_writer.WriteLine(String.Format("JOIN {0}", m_ircChannel)); | 702 | m_writer.WriteLine(String.Format("JOIN {0}", m_ircChannel)); |
696 | m_writer.Flush(); | 703 | m_writer.Flush(); |
697 | break; | 704 | break; |
698 | case "479" : // Bad channel name, etc. This will never work, so disable the connection | 705 | case "479": // Bad channel name, etc. This will never work, so disable the connection |
699 | m_log.ErrorFormat("[IRC-Connector-{0}] [{1}] {2}", idn, cmd, parms.Split(CS_SPACE,2)[1]); | 706 | m_log.ErrorFormat("[IRC-Connector-{0}] [{1}] {2}", idn, cmd, parms.Split(CS_SPACE, 2)[1]); |
700 | m_log.ErrorFormat("[IRC-Connector-{0}] [{1}] Connector disabled", idn, cmd); | 707 | m_log.ErrorFormat("[IRC-Connector-{0}] [{1}] Connector disabled", idn, cmd); |
701 | m_enabled = false; | 708 | m_enabled = false; |
702 | m_connected = false; | 709 | m_connected = false; |
703 | m_pending = false; | 710 | m_pending = false; |
704 | break; | 711 | break; |
705 | case "NOTICE" : | 712 | case "NOTICE": |
706 | // m_log.WarnFormat("[IRC-Connector-{0}] [{1}] {2}", idn, cmd, parms.Split(CS_SPACE,2)[1]); | 713 | // m_log.WarnFormat("[IRC-Connector-{0}] [{1}] {2}", idn, cmd, parms.Split(CS_SPACE,2)[1]); |
707 | break; | 714 | break; |
708 | case "ERROR" : | 715 | case "ERROR": |
709 | m_log.ErrorFormat("[IRC-Connector-{0}] [{1}] {2}", idn, cmd, parms.Split(CS_SPACE,2)[1]); | 716 | m_log.ErrorFormat("[IRC-Connector-{0}] [{1}] {2}", idn, cmd, parms.Split(CS_SPACE, 2)[1]); |
710 | if (parms.Contains("reconnect too fast")) | 717 | if (parms.Contains("reconnect too fast")) |
711 | ICCD_PERIOD++; | 718 | ICCD_PERIOD++; |
712 | m_pending = false; | 719 | m_pending = false; |
713 | Reconnect(); | 720 | Reconnect(); |
714 | break; | 721 | break; |
715 | case "PING" : | 722 | case "PING": |
716 | m_log.DebugFormat("[IRC-Connector-{0}] [{1}] parms = <{2}>", idn, cmd, parms); | 723 | m_log.DebugFormat("[IRC-Connector-{0}] [{1}] parms = <{2}>", idn, cmd, parms); |
717 | m_writer.WriteLine(String.Format("PONG {0}", parms)); | 724 | m_writer.WriteLine(String.Format("PONG {0}", parms)); |
718 | m_writer.Flush(); | 725 | m_writer.Flush(); |
719 | break; | 726 | break; |
720 | case "PONG" : | 727 | case "PONG": |
721 | break; | 728 | break; |
722 | case "JOIN": | 729 | case "JOIN": |
723 | if (m_pending) | 730 | if (m_pending) |
@@ -748,19 +755,19 @@ namespace OpenSim.Region.OptionalModules.Avatar.Chat | |||
748 | m_log.DebugFormat("[IRC-Connector-{0}] [{1}] parms = <{2}>", idn, cmd, parms); | 755 | m_log.DebugFormat("[IRC-Connector-{0}] [{1}] parms = <{2}>", idn, cmd, parms); |
749 | eventIrcQuit(pfx, cmd, parms); | 756 | eventIrcQuit(pfx, cmd, parms); |
750 | break; | 757 | break; |
751 | default : | 758 | default: |
752 | m_log.DebugFormat("[IRC-Connector-{0}] Command '{1}' ignored, parms = {2}", idn, cmd, parms); | 759 | m_log.DebugFormat("[IRC-Connector-{0}] Command '{1}' ignored, parms = {2}", idn, cmd, parms); |
753 | break; | 760 | break; |
754 | } | 761 | } |
755 | 762 | ||
756 | // m_log.DebugFormat("[IRC-Connector-{0}] prefix = <{1}> cmd = <{2}> complete", idn, pfx, cmd); | 763 | // m_log.DebugFormat("[IRC-Connector-{0}] prefix = <{1}> cmd = <{2}> complete", idn, pfx, cmd); |
757 | 764 | ||
758 | } | 765 | } |
759 | 766 | ||
760 | public void eventIrcJoin(string prefix, string command, string parms) | 767 | public void eventIrcJoin(string prefix, string command, string parms) |
761 | { | 768 | { |
762 | string[] args = parms.Split(CS_SPACE,2); | 769 | string[] args = parms.Split(CS_SPACE, 2); |
763 | string IrcUser = prefix.Split('!')[0]; | 770 | string IrcUser = prefix.Split('!')[0]; |
764 | string IrcChannel = args[0]; | 771 | string IrcChannel = args[0]; |
765 | 772 | ||
766 | if (IrcChannel.StartsWith(":")) | 773 | if (IrcChannel.StartsWith(":")) |
@@ -772,8 +779,8 @@ namespace OpenSim.Region.OptionalModules.Avatar.Chat | |||
772 | 779 | ||
773 | public void eventIrcPart(string prefix, string command, string parms) | 780 | public void eventIrcPart(string prefix, string command, string parms) |
774 | { | 781 | { |
775 | string[] args = parms.Split(CS_SPACE,2); | 782 | string[] args = parms.Split(CS_SPACE, 2); |
776 | string IrcUser = prefix.Split('!')[0]; | 783 | string IrcUser = prefix.Split('!')[0]; |
777 | string IrcChannel = args[0]; | 784 | string IrcChannel = args[0]; |
778 | 785 | ||
779 | m_log.DebugFormat("[IRC-Connector-{0}] Event: IRCPart {1}:{2}", idn, m_server, m_ircChannel); | 786 | m_log.DebugFormat("[IRC-Connector-{0}] Event: IRCPart {1}:{2}", idn, m_server, m_ircChannel); |
@@ -782,7 +789,7 @@ namespace OpenSim.Region.OptionalModules.Avatar.Chat | |||
782 | 789 | ||
783 | public void eventIrcMode(string prefix, string command, string parms) | 790 | public void eventIrcMode(string prefix, string command, string parms) |
784 | { | 791 | { |
785 | string[] args = parms.Split(CS_SPACE,2); | 792 | string[] args = parms.Split(CS_SPACE, 2); |
786 | string UserMode = args[1]; | 793 | string UserMode = args[1]; |
787 | 794 | ||
788 | m_log.DebugFormat("[IRC-Connector-{0}] Event: IRCMode {1}:{2}", idn, m_server, m_ircChannel); | 795 | m_log.DebugFormat("[IRC-Connector-{0}] Event: IRCMode {1}:{2}", idn, m_server, m_ircChannel); |
@@ -794,7 +801,7 @@ namespace OpenSim.Region.OptionalModules.Avatar.Chat | |||
794 | 801 | ||
795 | public void eventIrcNickChange(string prefix, string command, string parms) | 802 | public void eventIrcNickChange(string prefix, string command, string parms) |
796 | { | 803 | { |
797 | string[] args = parms.Split(CS_SPACE,2); | 804 | string[] args = parms.Split(CS_SPACE, 2); |
798 | string UserOldNick = prefix.Split('!')[0]; | 805 | string UserOldNick = prefix.Split('!')[0]; |
799 | string UserNewNick = args[0].Remove(0, 1); | 806 | string UserNewNick = args[0].Remove(0, 1); |
800 | 807 | ||
@@ -804,11 +811,11 @@ namespace OpenSim.Region.OptionalModules.Avatar.Chat | |||
804 | 811 | ||
805 | public void eventIrcKick(string prefix, string command, string parms) | 812 | public void eventIrcKick(string prefix, string command, string parms) |
806 | { | 813 | { |
807 | string[] args = parms.Split(CS_SPACE,3); | 814 | string[] args = parms.Split(CS_SPACE, 3); |
808 | string UserKicker = prefix.Split('!')[0]; | 815 | string UserKicker = prefix.Split('!')[0]; |
809 | string IrcChannel = args[0]; | 816 | string IrcChannel = args[0]; |
810 | string UserKicked = args[1]; | 817 | string UserKicked = args[1]; |
811 | string KickMessage = args[2]; | 818 | string KickMessage = args[2]; |
812 | 819 | ||
813 | m_log.DebugFormat("[IRC-Connector-{0}] Event: IRCKick {1}:{2}", idn, m_server, m_ircChannel); | 820 | m_log.DebugFormat("[IRC-Connector-{0}] Event: IRCKick {1}:{2}", idn, m_server, m_ircChannel); |
814 | BroadcastSim(UserKicker, "/me kicks kicks {0} off {1} saying \"{2}\"", UserKicked, IrcChannel, KickMessage); | 821 | BroadcastSim(UserKicker, "/me kicks kicks {0} off {1} saying \"{2}\"", UserKicked, IrcChannel, KickMessage); |
@@ -822,7 +829,7 @@ namespace OpenSim.Region.OptionalModules.Avatar.Chat | |||
822 | 829 | ||
823 | public void eventIrcQuit(string prefix, string command, string parms) | 830 | public void eventIrcQuit(string prefix, string command, string parms) |
824 | { | 831 | { |
825 | string IrcUser = prefix.Split('!')[0]; | 832 | string IrcUser = prefix.Split('!')[0]; |
826 | string QuitMessage = parms; | 833 | string QuitMessage = parms; |
827 | 834 | ||
828 | m_log.DebugFormat("[IRC-Connector-{0}] Event: IRCQuit {1}:{2}", idn, m_server, m_ircChannel); | 835 | m_log.DebugFormat("[IRC-Connector-{0}] Event: IRCQuit {1}:{2}", idn, m_server, m_ircChannel); |
@@ -842,65 +849,65 @@ namespace OpenSim.Region.OptionalModules.Avatar.Chat | |||
842 | 849 | ||
843 | // m_log.InfoFormat("[IRC-Watchdog] Status scan, pdk = {0}, icc = {1}", _pdk_, _icc_); | 850 | // m_log.InfoFormat("[IRC-Watchdog] Status scan, pdk = {0}, icc = {1}", _pdk_, _icc_); |
844 | 851 | ||
845 | _pdk_ = (_pdk_+1)%PING_PERIOD; // cycle the ping trigger | 852 | _pdk_ = (_pdk_ + 1) % PING_PERIOD; // cycle the ping trigger |
846 | _icc_++; // increment the inter-consecutive-connect-delay counter | 853 | _icc_++; // increment the inter-consecutive-connect-delay counter |
847 | 854 | ||
848 | lock (m_connectors) | 855 | lock (m_connectors) |
849 | foreach (IRCConnector connector in m_connectors) | 856 | foreach (IRCConnector connector in m_connectors) |
850 | { | 857 | { |
851 | 858 | ||
852 | // m_log.InfoFormat("[IRC-Watchdog] Scanning {0}", connector); | 859 | // m_log.InfoFormat("[IRC-Watchdog] Scanning {0}", connector); |
853 | 860 | ||
854 | if (connector.Enabled) | 861 | if (connector.Enabled) |
855 | { | ||
856 | if (!connector.Connected) | ||
857 | { | 862 | { |
858 | try | 863 | if (!connector.Connected) |
859 | { | 864 | { |
860 | // m_log.DebugFormat("[IRC-Watchdog] Connecting {1}:{2}", connector.idn, connector.m_server, connector.m_ircChannel); | 865 | try |
861 | connector.Connect(); | 866 | { |
867 | // m_log.DebugFormat("[IRC-Watchdog] Connecting {1}:{2}", connector.idn, connector.m_server, connector.m_ircChannel); | ||
868 | connector.Connect(); | ||
869 | } | ||
870 | catch (Exception e) | ||
871 | { | ||
872 | m_log.ErrorFormat("[IRC-Watchdog] Exception on connector {0}: {1} ", connector.idn, e.Message); | ||
873 | } | ||
862 | } | 874 | } |
863 | catch (Exception e) | 875 | else |
864 | { | 876 | { |
865 | m_log.ErrorFormat("[IRC-Watchdog] Exception on connector {0}: {1} ", connector.idn, e.Message); | ||
866 | } | ||
867 | } | ||
868 | else | ||
869 | { | ||
870 | 877 | ||
871 | if (connector.m_pending) | 878 | if (connector.m_pending) |
872 | { | ||
873 | if (connector.m_timeout == 0) | ||
874 | { | 879 | { |
875 | m_log.ErrorFormat("[IRC-Watchdog] Login timed-out for connector {0}, reconnecting", connector.idn); | 880 | if (connector.m_timeout == 0) |
876 | connector.Reconnect(); | 881 | { |
882 | m_log.ErrorFormat("[IRC-Watchdog] Login timed-out for connector {0}, reconnecting", connector.idn); | ||
883 | connector.Reconnect(); | ||
884 | } | ||
885 | else | ||
886 | connector.m_timeout--; | ||
877 | } | 887 | } |
878 | else | ||
879 | connector.m_timeout--; | ||
880 | } | ||
881 | 888 | ||
882 | // Being marked connected is not enough to ping. Socket establishment can sometimes take a long | 889 | // Being marked connected is not enough to ping. Socket establishment can sometimes take a long |
883 | // time, in which case the watch dog might try to ping the server before the socket has been | 890 | // time, in which case the watch dog might try to ping the server before the socket has been |
884 | // set up, with nasty side-effects. | 891 | // set up, with nasty side-effects. |
885 | 892 | ||
886 | else if (_pdk_ == 0) | 893 | else if (_pdk_ == 0) |
887 | { | ||
888 | try | ||
889 | { | ||
890 | connector.m_writer.WriteLine(String.Format("PING :{0}", connector.m_server)); | ||
891 | connector.m_writer.Flush(); | ||
892 | } | ||
893 | catch (Exception e) | ||
894 | { | 894 | { |
895 | m_log.ErrorFormat("[IRC-PingRun] Exception on connector {0}: {1} ", connector.idn, e.Message); | 895 | try |
896 | m_log.Debug(e); | 896 | { |
897 | connector.Reconnect(); | 897 | connector.m_writer.WriteLine(String.Format("PING :{0}", connector.m_server)); |
898 | connector.m_writer.Flush(); | ||
899 | } | ||
900 | catch (Exception e) | ||
901 | { | ||
902 | m_log.ErrorFormat("[IRC-PingRun] Exception on connector {0}: {1} ", connector.idn, e.Message); | ||
903 | m_log.Debug(e); | ||
904 | connector.Reconnect(); | ||
905 | } | ||
898 | } | 906 | } |
899 | } | ||
900 | 907 | ||
908 | } | ||
901 | } | 909 | } |
902 | } | 910 | } |
903 | } | ||
904 | 911 | ||
905 | // m_log.InfoFormat("[IRC-Watchdog] Status scan completed"); | 912 | // m_log.InfoFormat("[IRC-Watchdog] Status scan completed"); |
906 | 913 | ||
diff --git a/OpenSim/Region/OptionalModules/Avatar/Chat/RegionState.cs b/OpenSim/Region/OptionalModules/Avatar/Chat/RegionState.cs index 53b103e..d4fe5e0 100644 --- a/OpenSim/Region/OptionalModules/Avatar/Chat/RegionState.cs +++ b/OpenSim/Region/OptionalModules/Avatar/Chat/RegionState.cs | |||
@@ -41,49 +41,71 @@ namespace OpenSim.Region.OptionalModules.Avatar.Chat | |||
41 | 41 | ||
42 | internal class RegionState | 42 | internal class RegionState |
43 | { | 43 | { |
44 | |||
45 | private static readonly ILog m_log = | 44 | private static readonly ILog m_log = |
46 | LogManager.GetLogger(MethodBase.GetCurrentMethod().DeclaringType); | 45 | LogManager.GetLogger(MethodBase.GetCurrentMethod().DeclaringType); |
47 | 46 | ||
48 | private static readonly OpenMetaverse.Vector3 CenterOfRegion = new OpenMetaverse.Vector3(((int)Constants.RegionSize * 0.5f), ((int)Constants.RegionSize * 0.5f), 20); | 47 | private static readonly OpenMetaverse.Vector3 CenterOfRegion = new OpenMetaverse.Vector3(((int)Constants.RegionSize * 0.5f), ((int)Constants.RegionSize * 0.5f), 20); |
49 | private const int DEBUG_CHANNEL = 2147483647; | 48 | private const int DEBUG_CHANNEL = 2147483647; |
50 | 49 | ||
51 | private static int _idk_ = 0; | 50 | private static int _idk_ = 0; |
52 | 51 | ||
53 | // Runtime variables; these values are assigned when the | 52 | // Runtime variables; these values are assigned when the |
54 | // IrcState is created and remain constant thereafter. | 53 | // IrcState is created and remain constant thereafter. |
55 | 54 | ||
56 | internal string Region = String.Empty; | 55 | internal string Region = String.Empty; |
57 | internal string Host = String.Empty; | 56 | internal string Host = String.Empty; |
58 | internal string LocX = String.Empty; | 57 | internal string LocX = String.Empty; |
59 | internal string LocY = String.Empty; | 58 | internal string LocY = String.Empty; |
60 | internal string IDK = String.Empty; | 59 | internal string IDK = String.Empty; |
61 | 60 | ||
62 | // System values - used only be the IRC classes themselves | 61 | // System values - used only be the IRC classes themselves |
63 | 62 | ||
64 | internal ChannelState cs = null; // associated IRC configuration | 63 | internal ChannelState cs = null; // associated IRC configuration |
65 | internal Scene scene = null; // associated scene | 64 | internal Scene scene = null; // associated scene |
66 | internal IConfig config = null; // configuration file reference | 65 | internal IConfig config = null; // configuration file reference |
67 | internal bool enabled = true; | 66 | internal bool enabled = true; |
68 | 67 | ||
68 | //AgentAlert | ||
69 | internal bool showAlert = false; | ||
70 | internal string alertMessage = String.Empty; | ||
71 | internal IDialogModule dialogModule = null; | ||
72 | |||
69 | // This list is used to keep track of who is here, and by | 73 | // This list is used to keep track of who is here, and by |
70 | // implication, who is not. | 74 | // implication, who is not. |
71 | 75 | ||
72 | internal List<IClientAPI> clients = new List<IClientAPI>(); | 76 | internal List<IClientAPI> clients = new List<IClientAPI>(); |
73 | 77 | ||
74 | // Setup runtime variable values | 78 | // Setup runtime variable values |
75 | 79 | ||
76 | public RegionState(Scene p_scene, IConfig p_config) | 80 | public RegionState(Scene p_scene, IConfig p_config) |
77 | { | 81 | { |
78 | 82 | scene = p_scene; | |
79 | scene = p_scene; | ||
80 | config = p_config; | 83 | config = p_config; |
81 | 84 | ||
82 | Region = scene.RegionInfo.RegionName; | 85 | Region = scene.RegionInfo.RegionName; |
83 | Host = scene.RegionInfo.ExternalHostName; | 86 | Host = scene.RegionInfo.ExternalHostName; |
84 | LocX = Convert.ToString(scene.RegionInfo.RegionLocX); | 87 | LocX = Convert.ToString(scene.RegionInfo.RegionLocX); |
85 | LocY = Convert.ToString(scene.RegionInfo.RegionLocY); | 88 | LocY = Convert.ToString(scene.RegionInfo.RegionLocY); |
86 | IDK = Convert.ToString(_idk_++); | 89 | IDK = Convert.ToString(_idk_++); |
90 | |||
91 | showAlert = config.GetBoolean("alert_show", false); | ||
92 | string alertServerInfo = String.Empty; | ||
93 | |||
94 | if (showAlert) | ||
95 | { | ||
96 | bool showAlertServerInfo = config.GetBoolean("alert_show_serverinfo", true); | ||
97 | |||
98 | if (showAlertServerInfo) | ||
99 | alertServerInfo = String.Format("\nServer: {0}\nPort: {1}\nChannel: {2}\n\n", | ||
100 | config.GetString("server", ""), config.GetString("port", ""), config.GetString("channel", "")); | ||
101 | |||
102 | string alertPreMessage = config.GetString("alert_msg_pre", "This region is linked to Irc."); | ||
103 | string alertPostMessage = config.GetString("alert_msg_post", "Everything you say in public chat can be listened."); | ||
104 | |||
105 | alertMessage = String.Format("{0}\n{1}{2}", alertPreMessage, alertServerInfo, alertPostMessage); | ||
106 | |||
107 | dialogModule = scene.RequestModuleInterface<IDialogModule>(); | ||
108 | } | ||
87 | 109 | ||
88 | // OpenChannel conditionally establishes a connection to the | 110 | // OpenChannel conditionally establishes a connection to the |
89 | // IRC server. The request will either succeed, or it will | 111 | // IRC server. The request will either succeed, or it will |
@@ -93,9 +115,9 @@ namespace OpenSim.Region.OptionalModules.Avatar.Chat | |||
93 | 115 | ||
94 | // Connect channel to world events | 116 | // Connect channel to world events |
95 | 117 | ||
96 | scene.EventManager.OnChatFromWorld += OnSimChat; | 118 | scene.EventManager.OnChatFromWorld += OnSimChat; |
97 | scene.EventManager.OnChatFromClient += OnSimChat; | 119 | scene.EventManager.OnChatFromClient += OnSimChat; |
98 | scene.EventManager.OnMakeRootAgent += OnMakeRootAgent; | 120 | scene.EventManager.OnMakeRootAgent += OnMakeRootAgent; |
99 | scene.EventManager.OnMakeChildAgent += OnMakeChildAgent; | 121 | scene.EventManager.OnMakeChildAgent += OnMakeChildAgent; |
100 | 122 | ||
101 | m_log.InfoFormat("[IRC-Region {0}] Initialization complete", Region); | 123 | m_log.InfoFormat("[IRC-Region {0}] Initialization complete", Region); |
@@ -106,8 +128,8 @@ namespace OpenSim.Region.OptionalModules.Avatar.Chat | |||
106 | 128 | ||
107 | ~RegionState() | 129 | ~RegionState() |
108 | { | 130 | { |
109 | if (cs != null) | 131 | if (cs != null) |
110 | cs.RemoveRegion(this); | 132 | cs.RemoveRegion(this); |
111 | } | 133 | } |
112 | 134 | ||
113 | // Called by PostInitialize after all regions have been created | 135 | // Called by PostInitialize after all regions have been created |
@@ -138,7 +160,7 @@ namespace OpenSim.Region.OptionalModules.Avatar.Chat | |||
138 | { | 160 | { |
139 | if (clients.Contains(client)) | 161 | if (clients.Contains(client)) |
140 | { | 162 | { |
141 | if (enabled && (cs.irc.Enabled) && (cs.irc.Connected) && (cs.ClientReporting)) | 163 | if (enabled && (cs.irc.Enabled) && (cs.irc.Connected) && (cs.ClientReporting)) |
142 | { | 164 | { |
143 | m_log.InfoFormat("[IRC-Region {0}]: {1} has left", Region, client.Name); | 165 | m_log.InfoFormat("[IRC-Region {0}]: {1} has left", Region, client.Name); |
144 | //Check if this person is excluded from IRC | 166 | //Check if this person is excluded from IRC |
@@ -147,7 +169,7 @@ namespace OpenSim.Region.OptionalModules.Avatar.Chat | |||
147 | cs.irc.PrivMsg(cs.NoticeMessageFormat, cs.irc.Nick, Region, String.Format("{0} has left", client.Name)); | 169 | cs.irc.PrivMsg(cs.NoticeMessageFormat, cs.irc.Nick, Region, String.Format("{0} has left", client.Name)); |
148 | } | 170 | } |
149 | } | 171 | } |
150 | client.OnLogout -= OnClientLoggedOut; | 172 | client.OnLogout -= OnClientLoggedOut; |
151 | client.OnConnectionClosed -= OnClientLoggedOut; | 173 | client.OnConnectionClosed -= OnClientLoggedOut; |
152 | clients.Remove(client); | 174 | clients.Remove(client); |
153 | } | 175 | } |
@@ -171,13 +193,13 @@ namespace OpenSim.Region.OptionalModules.Avatar.Chat | |||
171 | { | 193 | { |
172 | if (clients.Contains(client)) | 194 | if (clients.Contains(client)) |
173 | { | 195 | { |
174 | if (enabled && (cs.irc.Enabled) && (cs.irc.Connected) && (cs.ClientReporting)) | 196 | if (enabled && (cs.irc.Enabled) && (cs.irc.Connected) && (cs.ClientReporting)) |
175 | { | 197 | { |
176 | string clientName = String.Format("{0} {1}", presence.Firstname, presence.Lastname); | 198 | string clientName = String.Format("{0} {1}", presence.Firstname, presence.Lastname); |
177 | m_log.DebugFormat("[IRC-Region {0}] {1} has left", Region, clientName); | 199 | m_log.DebugFormat("[IRC-Region {0}] {1} has left", Region, clientName); |
178 | cs.irc.PrivMsg(cs.NoticeMessageFormat, cs.irc.Nick, Region, String.Format("{0} has left", clientName)); | 200 | cs.irc.PrivMsg(cs.NoticeMessageFormat, cs.irc.Nick, Region, String.Format("{0} has left", clientName)); |
179 | } | 201 | } |
180 | client.OnLogout -= OnClientLoggedOut; | 202 | client.OnLogout -= OnClientLoggedOut; |
181 | client.OnConnectionClosed -= OnClientLoggedOut; | 203 | client.OnConnectionClosed -= OnClientLoggedOut; |
182 | clients.Remove(client); | 204 | clients.Remove(client); |
183 | } | 205 | } |
@@ -195,14 +217,13 @@ namespace OpenSim.Region.OptionalModules.Avatar.Chat | |||
195 | 217 | ||
196 | private void OnMakeRootAgent(ScenePresence presence) | 218 | private void OnMakeRootAgent(ScenePresence presence) |
197 | { | 219 | { |
198 | |||
199 | IClientAPI client = presence.ControllingClient; | 220 | IClientAPI client = presence.ControllingClient; |
200 | 221 | ||
201 | try | 222 | try |
202 | { | 223 | { |
203 | if (!clients.Contains(client)) | 224 | if (!clients.Contains(client)) |
204 | { | 225 | { |
205 | client.OnLogout += OnClientLoggedOut; | 226 | client.OnLogout += OnClientLoggedOut; |
206 | client.OnConnectionClosed += OnClientLoggedOut; | 227 | client.OnConnectionClosed += OnClientLoggedOut; |
207 | clients.Add(client); | 228 | clients.Add(client); |
208 | if (enabled && (cs.irc.Enabled) && (cs.irc.Connected) && (cs.ClientReporting)) | 229 | if (enabled && (cs.irc.Enabled) && (cs.irc.Connected) && (cs.ClientReporting)) |
@@ -216,17 +237,18 @@ namespace OpenSim.Region.OptionalModules.Avatar.Chat | |||
216 | } | 237 | } |
217 | } | 238 | } |
218 | } | 239 | } |
240 | |||
241 | if (dialogModule != null && showAlert) | ||
242 | dialogModule.SendAlertToUser(client, alertMessage, true); | ||
219 | } | 243 | } |
220 | catch (Exception ex) | 244 | catch (Exception ex) |
221 | { | 245 | { |
222 | m_log.ErrorFormat("[IRC-Region {0}]: MakeRootAgent exception: {1}", Region, ex.Message); | 246 | m_log.ErrorFormat("[IRC-Region {0}]: MakeRootAgent exception: {1}", Region, ex.Message); |
223 | m_log.Debug(ex); | 247 | m_log.Debug(ex); |
224 | } | 248 | } |
225 | |||
226 | } | 249 | } |
227 | 250 | ||
228 | // This handler detects chat events int he virtual world. | 251 | // This handler detects chat events int he virtual world. |
229 | |||
230 | public void OnSimChat(Object sender, OSChatMessage msg) | 252 | public void OnSimChat(Object sender, OSChatMessage msg) |
231 | { | 253 | { |
232 | 254 | ||
@@ -317,14 +339,14 @@ namespace OpenSim.Region.OptionalModules.Avatar.Chat | |||
317 | // that evident. | 339 | // that evident. |
318 | 340 | ||
319 | default: | 341 | default: |
320 | m_log.DebugFormat("[IRC-Region {0}] Forwarding unrecognized command to IRC : {1}", | 342 | m_log.DebugFormat("[IRC-Region {0}] Forwarding unrecognized command to IRC : {1}", |
321 | Region, msg.Message); | 343 | Region, msg.Message); |
322 | cs.irc.Send(msg.Message); | 344 | cs.irc.Send(msg.Message); |
323 | break; | 345 | break; |
324 | } | 346 | } |
325 | } | 347 | } |
326 | catch (Exception ex) | 348 | catch (Exception ex) |
327 | { | 349 | { |
328 | m_log.WarnFormat("[IRC-Region {0}] error processing in-world command channel input: {1}", | 350 | m_log.WarnFormat("[IRC-Region {0}] error processing in-world command channel input: {1}", |
329 | Region, ex.Message); | 351 | Region, ex.Message); |
330 | m_log.Debug(ex); | 352 | m_log.Debug(ex); |
@@ -366,7 +388,7 @@ namespace OpenSim.Region.OptionalModules.Avatar.Chat | |||
366 | 388 | ||
367 | m_log.DebugFormat("[IRC-Region {0}] heard on channel {1} : {2}", Region, msg.Channel, msg.Message); | 389 | m_log.DebugFormat("[IRC-Region {0}] heard on channel {1} : {2}", Region, msg.Channel, msg.Message); |
368 | 390 | ||
369 | if (null != avatar && cs.RelayChat && (msg.Channel == 0 || msg.Channel == DEBUG_CHANNEL)) | 391 | if (null != avatar && cs.RelayChat && (msg.Channel == 0 || msg.Channel == DEBUG_CHANNEL)) |
370 | { | 392 | { |
371 | string txt = msg.Message; | 393 | string txt = msg.Message; |
372 | if (txt.StartsWith("/me ")) | 394 | if (txt.StartsWith("/me ")) |
@@ -376,13 +398,13 @@ namespace OpenSim.Region.OptionalModules.Avatar.Chat | |||
376 | return; | 398 | return; |
377 | } | 399 | } |
378 | 400 | ||
379 | if (null == avatar && cs.RelayPrivateChannels && null != cs.AccessPassword && | 401 | if (null == avatar && cs.RelayPrivateChannels && null != cs.AccessPassword && |
380 | msg.Channel == cs.RelayChannelOut) | 402 | msg.Channel == cs.RelayChannelOut) |
381 | { | 403 | { |
382 | Match m = cs.AccessPasswordRegex.Match(msg.Message); | 404 | Match m = cs.AccessPasswordRegex.Match(msg.Message); |
383 | if (null != m) | 405 | if (null != m) |
384 | { | 406 | { |
385 | m_log.DebugFormat("[IRC] relaying message from {0}: {1}", m.Groups["avatar"].ToString(), | 407 | m_log.DebugFormat("[IRC] relaying message from {0}: {1}", m.Groups["avatar"].ToString(), |
386 | m.Groups["message"].ToString()); | 408 | m.Groups["message"].ToString()); |
387 | cs.irc.PrivMsg(cs.PrivateMessageFormat, m.Groups["avatar"].ToString(), | 409 | cs.irc.PrivMsg(cs.PrivateMessageFormat, m.Groups["avatar"].ToString(), |
388 | scene.RegionInfo.RegionName, m.Groups["message"].ToString()); | 410 | scene.RegionInfo.RegionName, m.Groups["message"].ToString()); |
diff --git a/OpenSim/Region/OptionalModules/Avatar/Voice/FreeSwitchVoice/FreeSwitchVoiceModule.cs b/OpenSim/Region/OptionalModules/Avatar/Voice/FreeSwitchVoice/FreeSwitchVoiceModule.cs index f292a75..0cec959 100644 --- a/OpenSim/Region/OptionalModules/Avatar/Voice/FreeSwitchVoice/FreeSwitchVoiceModule.cs +++ b/OpenSim/Region/OptionalModules/Avatar/Voice/FreeSwitchVoice/FreeSwitchVoiceModule.cs | |||
@@ -551,13 +551,20 @@ namespace OpenSim.Region.OptionalModules.Avatar.Voice.FreeSwitchVoice | |||
551 | reqStream.Close(); | 551 | reqStream.Close(); |
552 | } | 552 | } |
553 | 553 | ||
554 | HttpWebResponse fwdrsp = (HttpWebResponse)forwardreq.GetResponse(); | 554 | using (HttpWebResponse fwdrsp = (HttpWebResponse)forwardreq.GetResponse()) |
555 | Encoding encoding = Util.UTF8; | 555 | { |
556 | StreamReader fwdresponsestream = new StreamReader(fwdrsp.GetResponseStream(), encoding); | 556 | Encoding encoding = Util.UTF8; |
557 | fwdresponsestr = fwdresponsestream.ReadToEnd(); | 557 | |
558 | fwdresponsecontenttype = fwdrsp.ContentType; | 558 | using (Stream s = fwdrsp.GetResponseStream()) |
559 | fwdresponsecode = (int)fwdrsp.StatusCode; | 559 | { |
560 | fwdresponsestream.Close(); | 560 | using (StreamReader fwdresponsestream = new StreamReader(s)) |
561 | { | ||
562 | fwdresponsestr = fwdresponsestream.ReadToEnd(); | ||
563 | fwdresponsecontenttype = fwdrsp.ContentType; | ||
564 | fwdresponsecode = (int)fwdrsp.StatusCode; | ||
565 | } | ||
566 | } | ||
567 | } | ||
561 | 568 | ||
562 | response["content_type"] = fwdresponsecontenttype; | 569 | response["content_type"] = fwdresponsecontenttype; |
563 | response["str_response_string"] = fwdresponsestr; | 570 | response["str_response_string"] = fwdresponsestr; |
diff --git a/OpenSim/Region/OptionalModules/Avatar/Voice/VivoxVoice/VivoxVoiceModule.cs b/OpenSim/Region/OptionalModules/Avatar/Voice/VivoxVoice/VivoxVoiceModule.cs index 7da1de6..e756c70 100644 --- a/OpenSim/Region/OptionalModules/Avatar/Voice/VivoxVoice/VivoxVoiceModule.cs +++ b/OpenSim/Region/OptionalModules/Avatar/Voice/VivoxVoice/VivoxVoiceModule.cs | |||
@@ -1123,18 +1123,16 @@ namespace OpenSim.Region.OptionalModules.Avatar.Voice.VivoxVoice | |||
1123 | // Otherwise prepare the request | 1123 | // Otherwise prepare the request |
1124 | // m_log.DebugFormat("[VivoxVoice] Sending request <{0}>", requrl); | 1124 | // m_log.DebugFormat("[VivoxVoice] Sending request <{0}>", requrl); |
1125 | 1125 | ||
1126 | HttpWebRequest req = (HttpWebRequest)WebRequest.Create(requrl); | 1126 | HttpWebRequest req = (HttpWebRequest)WebRequest.Create(requrl); |
1127 | HttpWebResponse rsp = null; | ||
1128 | 1127 | ||
1129 | // We are sending just parameters, no content | 1128 | // We are sending just parameters, no content |
1130 | req.ContentLength = 0; | 1129 | req.ContentLength = 0; |
1131 | 1130 | ||
1132 | // Send request and retrieve the response | 1131 | // Send request and retrieve the response |
1133 | rsp = (HttpWebResponse)req.GetResponse(); | 1132 | using (HttpWebResponse rsp = (HttpWebResponse)req.GetResponse()) |
1134 | 1133 | using (Stream s = rsp.GetResponseStream()) | |
1135 | XmlTextReader rdr = new XmlTextReader(rsp.GetResponseStream()); | 1134 | using (XmlTextReader rdr = new XmlTextReader(s)) |
1136 | doc.Load(rdr); | 1135 | doc.Load(rdr); |
1137 | rdr.Close(); | ||
1138 | } | 1136 | } |
1139 | catch (Exception e) | 1137 | catch (Exception e) |
1140 | { | 1138 | { |
diff --git a/OpenSim/Region/OptionalModules/Avatar/XmlRpcGroups/GroupsModule.cs b/OpenSim/Region/OptionalModules/Avatar/XmlRpcGroups/GroupsModule.cs index ae0ad02..d764936 100644 --- a/OpenSim/Region/OptionalModules/Avatar/XmlRpcGroups/GroupsModule.cs +++ b/OpenSim/Region/OptionalModules/Avatar/XmlRpcGroups/GroupsModule.cs | |||
@@ -126,7 +126,7 @@ namespace OpenSim.Region.OptionalModules.Avatar.XmlRpcGroups | |||
126 | { | 126 | { |
127 | scene.RegisterModuleInterface<IGroupsModule>(this); | 127 | scene.RegisterModuleInterface<IGroupsModule>(this); |
128 | scene.AddCommand( | 128 | scene.AddCommand( |
129 | "debug", | 129 | "Debug", |
130 | this, | 130 | this, |
131 | "debug groups verbose", | 131 | "debug groups verbose", |
132 | "debug groups verbose <true|false>", | 132 | "debug groups verbose <true|false>", |
diff --git a/OpenSim/Region/OptionalModules/Avatar/XmlRpcGroups/IGroupsServicesConnector.cs b/OpenSim/Region/OptionalModules/Avatar/XmlRpcGroups/IGroupsServicesConnector.cs index 6d26075..6b5b40a 100644 --- a/OpenSim/Region/OptionalModules/Avatar/XmlRpcGroups/IGroupsServicesConnector.cs +++ b/OpenSim/Region/OptionalModules/Avatar/XmlRpcGroups/IGroupsServicesConnector.cs | |||
@@ -36,7 +36,22 @@ namespace OpenSim.Region.OptionalModules.Avatar.XmlRpcGroups | |||
36 | { | 36 | { |
37 | UUID CreateGroup(UUID RequestingAgentID, string name, string charter, bool showInList, UUID insigniaID, int membershipFee, bool openEnrollment, bool allowPublish, bool maturePublish, UUID founderID); | 37 | UUID CreateGroup(UUID RequestingAgentID, string name, string charter, bool showInList, UUID insigniaID, int membershipFee, bool openEnrollment, bool allowPublish, bool maturePublish, UUID founderID); |
38 | void UpdateGroup(UUID RequestingAgentID, UUID groupID, string charter, bool showInList, UUID insigniaID, int membershipFee, bool openEnrollment, bool allowPublish, bool maturePublish); | 38 | void UpdateGroup(UUID RequestingAgentID, UUID groupID, string charter, bool showInList, UUID insigniaID, int membershipFee, bool openEnrollment, bool allowPublish, bool maturePublish); |
39 | |||
40 | /// <summary> | ||
41 | /// Get the group record. | ||
42 | /// </summary> | ||
43 | /// <returns></returns> | ||
44 | /// <param name='RequestingAgentID'>The UUID of the user making the request.</param> | ||
45 | /// <param name='GroupID'> | ||
46 | /// The ID of the record to retrieve. | ||
47 | /// GroupName may be specified instead, in which case this parameter will be UUID.Zero | ||
48 | /// </param> | ||
49 | /// <param name='GroupName'> | ||
50 | /// The name of the group to retrieve. | ||
51 | /// GroupID may be specified instead, in which case this parmeter will be null. | ||
52 | /// </param> | ||
39 | GroupRecord GetGroupRecord(UUID RequestingAgentID, UUID GroupID, string GroupName); | 53 | GroupRecord GetGroupRecord(UUID RequestingAgentID, UUID GroupID, string GroupName); |
54 | |||
40 | List<DirGroupsReplyData> FindGroups(UUID RequestingAgentID, string search); | 55 | List<DirGroupsReplyData> FindGroups(UUID RequestingAgentID, string search); |
41 | List<GroupMembersData> GetGroupMembers(UUID RequestingAgentID, UUID GroupID); | 56 | List<GroupMembersData> GetGroupMembers(UUID RequestingAgentID, UUID GroupID); |
42 | 57 | ||
diff --git a/OpenSim/Region/OptionalModules/Avatar/XmlRpcGroups/Tests/GroupsModuleTests.cs b/OpenSim/Region/OptionalModules/Avatar/XmlRpcGroups/Tests/GroupsModuleTests.cs index ac638f1..c1bdacb 100644 --- a/OpenSim/Region/OptionalModules/Avatar/XmlRpcGroups/Tests/GroupsModuleTests.cs +++ b/OpenSim/Region/OptionalModules/Avatar/XmlRpcGroups/Tests/GroupsModuleTests.cs | |||
@@ -42,7 +42,7 @@ namespace OpenSim.Region.OptionalModules.Avatar.XmlRpcGroups.Tests | |||
42 | /// Basic groups module tests | 42 | /// Basic groups module tests |
43 | /// </summary> | 43 | /// </summary> |
44 | [TestFixture] | 44 | [TestFixture] |
45 | public class GroupsModuleTests | 45 | public class GroupsModuleTests : OpenSimTestCase |
46 | { | 46 | { |
47 | [Test] | 47 | [Test] |
48 | public void TestBasic() | 48 | public void TestBasic() |
diff --git a/OpenSim/Region/OptionalModules/Avatar/XmlRpcGroups/XmlRpcGroupsServicesConnectorModule.cs b/OpenSim/Region/OptionalModules/Avatar/XmlRpcGroups/XmlRpcGroupsServicesConnectorModule.cs index d0c3ea5..71b24ac 100644 --- a/OpenSim/Region/OptionalModules/Avatar/XmlRpcGroups/XmlRpcGroupsServicesConnectorModule.cs +++ b/OpenSim/Region/OptionalModules/Avatar/XmlRpcGroups/XmlRpcGroupsServicesConnectorModule.cs | |||
@@ -54,13 +54,62 @@ namespace OpenSim.Region.OptionalModules.Avatar.XmlRpcGroups | |||
54 | 54 | ||
55 | private bool m_debugEnabled = false; | 55 | private bool m_debugEnabled = false; |
56 | 56 | ||
57 | public const GroupPowers m_DefaultEveryonePowers = GroupPowers.AllowSetHome | | 57 | public const GroupPowers DefaultEveryonePowers |
58 | GroupPowers.Accountable | | 58 | = GroupPowers.AllowSetHome |
59 | GroupPowers.JoinChat | | 59 | | GroupPowers.Accountable |
60 | GroupPowers.AllowVoiceChat | | 60 | | GroupPowers.JoinChat |
61 | GroupPowers.ReceiveNotices | | 61 | | GroupPowers.AllowVoiceChat |
62 | GroupPowers.StartProposal | | 62 | | GroupPowers.ReceiveNotices |
63 | GroupPowers.VoteOnProposal; | 63 | | GroupPowers.StartProposal |
64 | | GroupPowers.VoteOnProposal; | ||
65 | |||
66 | // Would this be cleaner as (GroupPowers)ulong.MaxValue? | ||
67 | public const GroupPowers DefaultOwnerPowers | ||
68 | = GroupPowers.Accountable | ||
69 | | GroupPowers.AllowEditLand | ||
70 | | GroupPowers.AllowFly | ||
71 | | GroupPowers.AllowLandmark | ||
72 | | GroupPowers.AllowRez | ||
73 | | GroupPowers.AllowSetHome | ||
74 | | GroupPowers.AllowVoiceChat | ||
75 | | GroupPowers.AssignMember | ||
76 | | GroupPowers.AssignMemberLimited | ||
77 | | GroupPowers.ChangeActions | ||
78 | | GroupPowers.ChangeIdentity | ||
79 | | GroupPowers.ChangeMedia | ||
80 | | GroupPowers.ChangeOptions | ||
81 | | GroupPowers.CreateRole | ||
82 | | GroupPowers.DeedObject | ||
83 | | GroupPowers.DeleteRole | ||
84 | | GroupPowers.Eject | ||
85 | | GroupPowers.FindPlaces | ||
86 | | GroupPowers.Invite | ||
87 | | GroupPowers.JoinChat | ||
88 | | GroupPowers.LandChangeIdentity | ||
89 | | GroupPowers.LandDeed | ||
90 | | GroupPowers.LandDivideJoin | ||
91 | | GroupPowers.LandEdit | ||
92 | | GroupPowers.LandEjectAndFreeze | ||
93 | | GroupPowers.LandGardening | ||
94 | | GroupPowers.LandManageAllowed | ||
95 | | GroupPowers.LandManageBanned | ||
96 | | GroupPowers.LandManagePasses | ||
97 | | GroupPowers.LandOptions | ||
98 | | GroupPowers.LandRelease | ||
99 | | GroupPowers.LandSetSale | ||
100 | | GroupPowers.ModerateChat | ||
101 | | GroupPowers.ObjectManipulate | ||
102 | | GroupPowers.ObjectSetForSale | ||
103 | | GroupPowers.ReceiveNotices | ||
104 | | GroupPowers.RemoveMember | ||
105 | | GroupPowers.ReturnGroupOwned | ||
106 | | GroupPowers.ReturnGroupSet | ||
107 | | GroupPowers.ReturnNonGroup | ||
108 | | GroupPowers.RoleProperties | ||
109 | | GroupPowers.SendNotices | ||
110 | | GroupPowers.SetLandingPoint | ||
111 | | GroupPowers.StartProposal | ||
112 | | GroupPowers.VoteOnProposal; | ||
64 | 113 | ||
65 | private bool m_connectorEnabled = false; | 114 | private bool m_connectorEnabled = false; |
66 | 115 | ||
@@ -219,59 +268,9 @@ namespace OpenSim.Region.OptionalModules.Avatar.XmlRpcGroups | |||
219 | param["AllowPublish"] = allowPublish == true ? 1 : 0; | 268 | param["AllowPublish"] = allowPublish == true ? 1 : 0; |
220 | param["MaturePublish"] = maturePublish == true ? 1 : 0; | 269 | param["MaturePublish"] = maturePublish == true ? 1 : 0; |
221 | param["FounderID"] = founderID.ToString(); | 270 | param["FounderID"] = founderID.ToString(); |
222 | param["EveryonePowers"] = ((ulong)m_DefaultEveryonePowers).ToString(); | 271 | param["EveryonePowers"] = ((ulong)DefaultEveryonePowers).ToString(); |
223 | param["OwnerRoleID"] = OwnerRoleID.ToString(); | 272 | param["OwnerRoleID"] = OwnerRoleID.ToString(); |
224 | 273 | param["OwnersPowers"] = ((ulong)DefaultOwnerPowers).ToString(); | |
225 | // Would this be cleaner as (GroupPowers)ulong.MaxValue; | ||
226 | GroupPowers OwnerPowers = GroupPowers.Accountable | ||
227 | | GroupPowers.AllowEditLand | ||
228 | | GroupPowers.AllowFly | ||
229 | | GroupPowers.AllowLandmark | ||
230 | | GroupPowers.AllowRez | ||
231 | | GroupPowers.AllowSetHome | ||
232 | | GroupPowers.AllowVoiceChat | ||
233 | | GroupPowers.AssignMember | ||
234 | | GroupPowers.AssignMemberLimited | ||
235 | | GroupPowers.ChangeActions | ||
236 | | GroupPowers.ChangeIdentity | ||
237 | | GroupPowers.ChangeMedia | ||
238 | | GroupPowers.ChangeOptions | ||
239 | | GroupPowers.CreateRole | ||
240 | | GroupPowers.DeedObject | ||
241 | | GroupPowers.DeleteRole | ||
242 | | GroupPowers.Eject | ||
243 | | GroupPowers.FindPlaces | ||
244 | | GroupPowers.Invite | ||
245 | | GroupPowers.JoinChat | ||
246 | | GroupPowers.LandChangeIdentity | ||
247 | | GroupPowers.LandDeed | ||
248 | | GroupPowers.LandDivideJoin | ||
249 | | GroupPowers.LandEdit | ||
250 | | GroupPowers.LandEjectAndFreeze | ||
251 | | GroupPowers.LandGardening | ||
252 | | GroupPowers.LandManageAllowed | ||
253 | | GroupPowers.LandManageBanned | ||
254 | | GroupPowers.LandManagePasses | ||
255 | | GroupPowers.LandOptions | ||
256 | | GroupPowers.LandRelease | ||
257 | | GroupPowers.LandSetSale | ||
258 | | GroupPowers.ModerateChat | ||
259 | | GroupPowers.ObjectManipulate | ||
260 | | GroupPowers.ObjectSetForSale | ||
261 | | GroupPowers.ReceiveNotices | ||
262 | | GroupPowers.RemoveMember | ||
263 | | GroupPowers.ReturnGroupOwned | ||
264 | | GroupPowers.ReturnGroupSet | ||
265 | | GroupPowers.ReturnNonGroup | ||
266 | | GroupPowers.RoleProperties | ||
267 | | GroupPowers.SendNotices | ||
268 | | GroupPowers.SetLandingPoint | ||
269 | | GroupPowers.StartProposal | ||
270 | | GroupPowers.VoteOnProposal; | ||
271 | param["OwnersPowers"] = ((ulong)OwnerPowers).ToString(); | ||
272 | |||
273 | |||
274 | |||
275 | 274 | ||
276 | Hashtable respData = XmlRpcCall(requestingAgentID, "groups.createGroup", param); | 275 | Hashtable respData = XmlRpcCall(requestingAgentID, "groups.createGroup", param); |
277 | 276 | ||
@@ -612,8 +611,6 @@ namespace OpenSim.Region.OptionalModules.Avatar.XmlRpcGroups | |||
612 | } | 611 | } |
613 | 612 | ||
614 | return Roles; | 613 | return Roles; |
615 | |||
616 | |||
617 | } | 614 | } |
618 | 615 | ||
619 | public List<GroupRolesData> GetGroupRoles(UUID requestingAgentID, UUID GroupID) | 616 | public List<GroupRolesData> GetGroupRoles(UUID requestingAgentID, UUID GroupID) |
@@ -676,7 +673,6 @@ namespace OpenSim.Region.OptionalModules.Avatar.XmlRpcGroups | |||
676 | } | 673 | } |
677 | 674 | ||
678 | return members; | 675 | return members; |
679 | |||
680 | } | 676 | } |
681 | 677 | ||
682 | public List<GroupRoleMembersData> GetGroupRoleMembers(UUID requestingAgentID, UUID GroupID) | 678 | public List<GroupRoleMembersData> GetGroupRoleMembers(UUID requestingAgentID, UUID GroupID) |
@@ -727,9 +723,10 @@ namespace OpenSim.Region.OptionalModules.Avatar.XmlRpcGroups | |||
727 | values.Add(data); | 723 | values.Add(data); |
728 | } | 724 | } |
729 | } | 725 | } |
730 | return values; | ||
731 | 726 | ||
727 | return values; | ||
732 | } | 728 | } |
729 | |||
733 | public GroupNoticeInfo GetGroupNotice(UUID requestingAgentID, UUID noticeID) | 730 | public GroupNoticeInfo GetGroupNotice(UUID requestingAgentID, UUID noticeID) |
734 | { | 731 | { |
735 | Hashtable param = new Hashtable(); | 732 | Hashtable param = new Hashtable(); |
@@ -737,7 +734,6 @@ namespace OpenSim.Region.OptionalModules.Avatar.XmlRpcGroups | |||
737 | 734 | ||
738 | Hashtable respData = XmlRpcCall(requestingAgentID, "groups.getGroupNotice", param); | 735 | Hashtable respData = XmlRpcCall(requestingAgentID, "groups.getGroupNotice", param); |
739 | 736 | ||
740 | |||
741 | if (respData.Contains("error")) | 737 | if (respData.Contains("error")) |
742 | { | 738 | { |
743 | return null; | 739 | return null; |
@@ -761,6 +757,7 @@ namespace OpenSim.Region.OptionalModules.Avatar.XmlRpcGroups | |||
761 | 757 | ||
762 | return data; | 758 | return data; |
763 | } | 759 | } |
760 | |||
764 | public void AddGroupNotice(UUID requestingAgentID, UUID groupID, UUID noticeID, string fromName, string subject, string message, byte[] binaryBucket) | 761 | public void AddGroupNotice(UUID requestingAgentID, UUID groupID, UUID noticeID, string fromName, string subject, string message, byte[] binaryBucket) |
765 | { | 762 | { |
766 | string binBucket = OpenMetaverse.Utils.BytesToHexString(binaryBucket, ""); | 763 | string binBucket = OpenMetaverse.Utils.BytesToHexString(binaryBucket, ""); |
@@ -777,8 +774,6 @@ namespace OpenSim.Region.OptionalModules.Avatar.XmlRpcGroups | |||
777 | XmlRpcCall(requestingAgentID, "groups.addGroupNotice", param); | 774 | XmlRpcCall(requestingAgentID, "groups.addGroupNotice", param); |
778 | } | 775 | } |
779 | 776 | ||
780 | |||
781 | |||
782 | #endregion | 777 | #endregion |
783 | 778 | ||
784 | #region GroupSessionTracking | 779 | #region GroupSessionTracking |
@@ -1151,28 +1146,38 @@ namespace Nwc.XmlRpc | |||
1151 | request.AllowWriteStreamBuffering = true; | 1146 | request.AllowWriteStreamBuffering = true; |
1152 | request.KeepAlive = !_disableKeepAlive; | 1147 | request.KeepAlive = !_disableKeepAlive; |
1153 | 1148 | ||
1154 | Stream stream = request.GetRequestStream(); | 1149 | using (Stream stream = request.GetRequestStream()) |
1155 | XmlTextWriter xml = new XmlTextWriter(stream, Encoding.ASCII); | ||
1156 | _serializer.Serialize(xml, this); | ||
1157 | xml.Flush(); | ||
1158 | xml.Close(); | ||
1159 | |||
1160 | HttpWebResponse response = (HttpWebResponse)request.GetResponse(); | ||
1161 | StreamReader input = new StreamReader(response.GetResponseStream()); | ||
1162 | |||
1163 | string inputXml = input.ReadToEnd(); | ||
1164 | XmlRpcResponse resp; | ||
1165 | try | ||
1166 | { | 1150 | { |
1167 | resp = (XmlRpcResponse)_deserializer.Deserialize(inputXml); | 1151 | using (XmlTextWriter xml = new XmlTextWriter(stream, Encoding.ASCII)) |
1152 | { | ||
1153 | _serializer.Serialize(xml, this); | ||
1154 | xml.Flush(); | ||
1155 | } | ||
1168 | } | 1156 | } |
1169 | catch (Exception e) | 1157 | |
1158 | XmlRpcResponse resp; | ||
1159 | |||
1160 | using (HttpWebResponse response = (HttpWebResponse)request.GetResponse()) | ||
1170 | { | 1161 | { |
1171 | RequestResponse = inputXml; | 1162 | using (Stream s = response.GetResponseStream()) |
1172 | throw e; | 1163 | { |
1164 | using (StreamReader input = new StreamReader(s)) | ||
1165 | { | ||
1166 | string inputXml = input.ReadToEnd(); | ||
1167 | |||
1168 | try | ||
1169 | { | ||
1170 | resp = (XmlRpcResponse)_deserializer.Deserialize(inputXml); | ||
1171 | } | ||
1172 | catch (Exception e) | ||
1173 | { | ||
1174 | RequestResponse = inputXml; | ||
1175 | throw e; | ||
1176 | } | ||
1177 | } | ||
1178 | } | ||
1173 | } | 1179 | } |
1174 | input.Close(); | 1180 | |
1175 | response.Close(); | ||
1176 | return resp; | 1181 | return resp; |
1177 | } | 1182 | } |
1178 | } | 1183 | } |
diff --git a/OpenSim/Region/OptionalModules/Example/BareBonesNonShared/BareBonesNonSharedModule.cs b/OpenSim/Region/OptionalModules/Example/BareBonesNonShared/BareBonesNonSharedModule.cs index 7d37135..0615036 100644 --- a/OpenSim/Region/OptionalModules/Example/BareBonesNonShared/BareBonesNonSharedModule.cs +++ b/OpenSim/Region/OptionalModules/Example/BareBonesNonShared/BareBonesNonSharedModule.cs | |||
@@ -33,6 +33,12 @@ using Nini.Config; | |||
33 | using OpenSim.Region.Framework.Interfaces; | 33 | using OpenSim.Region.Framework.Interfaces; |
34 | using OpenSim.Region.Framework.Scenes; | 34 | using OpenSim.Region.Framework.Scenes; |
35 | 35 | ||
36 | // You will need to uncomment these lines if you are adding a region module to some other assembly which does not already | ||
37 | // specify its assembly. Otherwise, the region modules in the assembly will not be picked up when OpenSimulator scans | ||
38 | // the available DLLs | ||
39 | //[assembly: Addin("MyModule", "1.0")] | ||
40 | //[assembly: AddinDependency("OpenSim", "0.5")] | ||
41 | |||
36 | namespace OpenSim.Region.OptionalModules.Example.BareBonesNonShared | 42 | namespace OpenSim.Region.OptionalModules.Example.BareBonesNonShared |
37 | { | 43 | { |
38 | /// <summary> | 44 | /// <summary> |
diff --git a/OpenSim/Region/OptionalModules/Example/BareBonesShared/BareBonesSharedModule.cs b/OpenSim/Region/OptionalModules/Example/BareBonesShared/BareBonesSharedModule.cs index 781fe95..811a263 100644 --- a/OpenSim/Region/OptionalModules/Example/BareBonesShared/BareBonesSharedModule.cs +++ b/OpenSim/Region/OptionalModules/Example/BareBonesShared/BareBonesSharedModule.cs | |||
@@ -33,6 +33,12 @@ using Nini.Config; | |||
33 | using OpenSim.Region.Framework.Interfaces; | 33 | using OpenSim.Region.Framework.Interfaces; |
34 | using OpenSim.Region.Framework.Scenes; | 34 | using OpenSim.Region.Framework.Scenes; |
35 | 35 | ||
36 | // You will need to uncomment these lines if you are adding a region module to some other assembly which does not already | ||
37 | // specify its assembly. Otherwise, the region modules in the assembly will not be picked up when OpenSimulator scans | ||
38 | // the available DLLs | ||
39 | //[assembly: Addin("MyModule", "1.0")] | ||
40 | //[assembly: AddinDependency("OpenSim", "0.5")] | ||
41 | |||
36 | namespace OpenSim.Region.OptionalModules.Example.BareBonesShared | 42 | namespace OpenSim.Region.OptionalModules.Example.BareBonesShared |
37 | { | 43 | { |
38 | /// <summary> | 44 | /// <summary> |
diff --git a/OpenSim/Region/OptionalModules/Example/WebSocketEchoTest/WebSocketEchoModule.cs b/OpenSim/Region/OptionalModules/Example/WebSocketEchoTest/WebSocketEchoModule.cs new file mode 100644 index 0000000..112ba4e --- /dev/null +++ b/OpenSim/Region/OptionalModules/Example/WebSocketEchoTest/WebSocketEchoModule.cs | |||
@@ -0,0 +1,174 @@ | |||
1 | /* | ||
2 | * Copyright (c) Contributors, http://opensimulator.org/ | ||
3 | * See CONTRIBUTORS.TXT for a full list of copyright holders. | ||
4 | * | ||
5 | * Redistribution and use in source and binary forms, with or without | ||
6 | * modification, are permitted provided that the following conditions are met: | ||
7 | * * Redistributions of source code must retain the above copyright | ||
8 | * notice, this list of conditions and the following disclaimer. | ||
9 | * * Redistributions in binary form must reproduce the above copyright | ||
10 | * notice, this list of conditions and the following disclaimer in the | ||
11 | * documentation and/or other materials provided with the distribution. | ||
12 | * * Neither the name of the OpenSimulator Project nor the | ||
13 | * names of its contributors may be used to endorse or promote products | ||
14 | * derived from this software without specific prior written permission. | ||
15 | * | ||
16 | * THIS SOFTWARE IS PROVIDED BY THE DEVELOPERS ``AS IS'' AND ANY | ||
17 | * EXPRESS OR IMPLIED WARRANTIES, INCLUDING, BUT NOT LIMITED TO, THE IMPLIED | ||
18 | * WARRANTIES OF MERCHANTABILITY AND FITNESS FOR A PARTICULAR PURPOSE ARE | ||
19 | * DISCLAIMED. IN NO EVENT SHALL THE CONTRIBUTORS BE LIABLE FOR ANY | ||
20 | * DIRECT, INDIRECT, INCIDENTAL, SPECIAL, EXEMPLARY, OR CONSEQUENTIAL DAMAGES | ||
21 | * (INCLUDING, BUT NOT LIMITED TO, PROCUREMENT OF SUBSTITUTE GOODS OR SERVICES; | ||
22 | * LOSS OF USE, DATA, OR PROFITS; OR BUSINESS INTERRUPTION) HOWEVER CAUSED AND | ||
23 | * ON ANY THEORY OF LIABILITY, WHETHER IN CONTRACT, STRICT LIABILITY, OR TORT | ||
24 | * (INCLUDING NEGLIGENCE OR OTHERWISE) ARISING IN ANY WAY OUT OF THE USE OF THIS | ||
25 | * SOFTWARE, EVEN IF ADVISED OF THE POSSIBILITY OF SUCH DAMAGE. | ||
26 | */ | ||
27 | |||
28 | using System; | ||
29 | using System.Collections.Generic; | ||
30 | using System.Reflection; | ||
31 | using OpenSim.Framework.Servers; | ||
32 | using Mono.Addins; | ||
33 | using log4net; | ||
34 | using Nini.Config; | ||
35 | using OpenSim.Region.Framework.Interfaces; | ||
36 | using OpenSim.Region.Framework.Scenes; | ||
37 | |||
38 | using OpenSim.Framework.Servers.HttpServer; | ||
39 | |||
40 | |||
41 | namespace OpenSim.Region.OptionalModules.WebSocketEchoModule | ||
42 | { | ||
43 | |||
44 | [Extension(Path = "/OpenSim/RegionModules", NodeName = "RegionModule", Id = "WebSocketEchoModule")] | ||
45 | public class WebSocketEchoModule : ISharedRegionModule | ||
46 | { | ||
47 | private static readonly ILog m_log = LogManager.GetLogger(MethodBase.GetCurrentMethod().DeclaringType); | ||
48 | private bool enabled; | ||
49 | public string Name { get { return "WebSocketEchoModule"; } } | ||
50 | |||
51 | public Type ReplaceableInterface { get { return null; } } | ||
52 | |||
53 | |||
54 | private HashSet<WebSocketHttpServerHandler> _activeHandlers = new HashSet<WebSocketHttpServerHandler>(); | ||
55 | |||
56 | public void Initialise(IConfigSource pConfig) | ||
57 | { | ||
58 | enabled =(pConfig.Configs["WebSocketEcho"] != null); | ||
59 | if (enabled) | ||
60 | m_log.DebugFormat("[WebSocketEchoModule]: INITIALIZED MODULE"); | ||
61 | } | ||
62 | |||
63 | /// <summary> | ||
64 | /// This method sets up the callback to WebSocketHandlerCallback below when a HTTPRequest comes in for /echo | ||
65 | /// </summary> | ||
66 | public void PostInitialise() | ||
67 | { | ||
68 | if (enabled) | ||
69 | MainServer.Instance.AddWebSocketHandler("/echo", WebSocketHandlerCallback); | ||
70 | } | ||
71 | |||
72 | // This gets called by BaseHttpServer and gives us an opportunity to set things on the WebSocket handler before we turn it on | ||
73 | public void WebSocketHandlerCallback(string path, WebSocketHttpServerHandler handler) | ||
74 | { | ||
75 | SubscribeToEvents(handler); | ||
76 | handler.SetChunksize(8192); | ||
77 | handler.NoDelay_TCP_Nagle = true; | ||
78 | handler.HandshakeAndUpgrade(); | ||
79 | } | ||
80 | |||
81 | //These are our normal events | ||
82 | public void SubscribeToEvents(WebSocketHttpServerHandler handler) | ||
83 | { | ||
84 | handler.OnClose += HandlerOnOnClose; | ||
85 | handler.OnText += HandlerOnOnText; | ||
86 | handler.OnUpgradeCompleted += HandlerOnOnUpgradeCompleted; | ||
87 | handler.OnData += HandlerOnOnData; | ||
88 | handler.OnPong += HandlerOnOnPong; | ||
89 | } | ||
90 | |||
91 | public void UnSubscribeToEvents(WebSocketHttpServerHandler handler) | ||
92 | { | ||
93 | handler.OnClose -= HandlerOnOnClose; | ||
94 | handler.OnText -= HandlerOnOnText; | ||
95 | handler.OnUpgradeCompleted -= HandlerOnOnUpgradeCompleted; | ||
96 | handler.OnData -= HandlerOnOnData; | ||
97 | handler.OnPong -= HandlerOnOnPong; | ||
98 | } | ||
99 | |||
100 | private void HandlerOnOnPong(object sender, PongEventArgs pongdata) | ||
101 | { | ||
102 | m_log.Info("[WebSocketEchoModule]: Got a pong.. ping time: " + pongdata.PingResponseMS); | ||
103 | } | ||
104 | |||
105 | private void HandlerOnOnData(object sender, WebsocketDataEventArgs data) | ||
106 | { | ||
107 | WebSocketHttpServerHandler obj = sender as WebSocketHttpServerHandler; | ||
108 | obj.SendData(data.Data); | ||
109 | m_log.Info("[WebSocketEchoModule]: We received a bunch of ugly non-printable bytes"); | ||
110 | obj.SendPingCheck(); | ||
111 | } | ||
112 | |||
113 | |||
114 | private void HandlerOnOnUpgradeCompleted(object sender, UpgradeCompletedEventArgs completeddata) | ||
115 | { | ||
116 | WebSocketHttpServerHandler obj = sender as WebSocketHttpServerHandler; | ||
117 | _activeHandlers.Add(obj); | ||
118 | } | ||
119 | |||
120 | private void HandlerOnOnText(object sender, WebsocketTextEventArgs text) | ||
121 | { | ||
122 | WebSocketHttpServerHandler obj = sender as WebSocketHttpServerHandler; | ||
123 | obj.SendMessage(text.Data); | ||
124 | m_log.Info("[WebSocketEchoModule]: We received this: " + text.Data); | ||
125 | } | ||
126 | |||
127 | // Remove the references to our handler | ||
128 | private void HandlerOnOnClose(object sender, CloseEventArgs closedata) | ||
129 | { | ||
130 | WebSocketHttpServerHandler obj = sender as WebSocketHttpServerHandler; | ||
131 | UnSubscribeToEvents(obj); | ||
132 | |||
133 | lock (_activeHandlers) | ||
134 | _activeHandlers.Remove(obj); | ||
135 | obj.Dispose(); | ||
136 | } | ||
137 | |||
138 | // Shutting down.. so shut down all sockets. | ||
139 | // Note.. this should be done outside of an ienumerable if you're also hook to the close event. | ||
140 | public void Close() | ||
141 | { | ||
142 | if (!enabled) | ||
143 | return; | ||
144 | |||
145 | // We convert this to a for loop so we're not in in an IEnumerable when the close | ||
146 | //call triggers an event which then removes item from _activeHandlers that we're enumerating | ||
147 | WebSocketHttpServerHandler[] items = new WebSocketHttpServerHandler[_activeHandlers.Count]; | ||
148 | _activeHandlers.CopyTo(items); | ||
149 | |||
150 | for (int i = 0; i < items.Length; i++) | ||
151 | { | ||
152 | items[i].Close(string.Empty); | ||
153 | items[i].Dispose(); | ||
154 | } | ||
155 | _activeHandlers.Clear(); | ||
156 | MainServer.Instance.RemoveWebSocketHandler("/echo"); | ||
157 | } | ||
158 | |||
159 | public void AddRegion(Scene scene) | ||
160 | { | ||
161 | m_log.DebugFormat("[WebSocketEchoModule]: REGION {0} ADDED", scene.RegionInfo.RegionName); | ||
162 | } | ||
163 | |||
164 | public void RemoveRegion(Scene scene) | ||
165 | { | ||
166 | m_log.DebugFormat("[WebSocketEchoModule]: REGION {0} REMOVED", scene.RegionInfo.RegionName); | ||
167 | } | ||
168 | |||
169 | public void RegionLoaded(Scene scene) | ||
170 | { | ||
171 | m_log.DebugFormat("[WebSocketEchoModule]: REGION {0} LOADED", scene.RegionInfo.RegionName); | ||
172 | } | ||
173 | } | ||
174 | } \ No newline at end of file | ||
diff --git a/OpenSim/Region/OptionalModules/Framework/Monitoring/ServerStats.cs b/OpenSim/Region/OptionalModules/Framework/Monitoring/ServerStats.cs new file mode 100644 index 0000000..a3d2436 --- /dev/null +++ b/OpenSim/Region/OptionalModules/Framework/Monitoring/ServerStats.cs | |||
@@ -0,0 +1,328 @@ | |||
1 | /* | ||
2 | * Copyright (c) Contributors, http://opensimulator.org/ | ||
3 | * See CONTRIBUTORS.TXT for a full list of copyright holders. | ||
4 | * | ||
5 | * Redistribution and use in source and binary forms, with or without | ||
6 | * modification, are permitted provided that the following conditions are met: | ||
7 | * * Redistributions of source code must retain the above copyright | ||
8 | * notice, this list of conditions and the following disclaimer. | ||
9 | * * Redistributions in binary form must reproduce the above copyright | ||
10 | * notice, this list of conditions and the following disclaimer in the | ||
11 | * documentation and/or other materials provided with the distribution. | ||
12 | * * Neither the name of the OpenSimulator Project nor the | ||
13 | * names of its contributors may be used to endorse or promote products | ||
14 | * derived from this software without specific prior written permission. | ||
15 | * | ||
16 | * THIS SOFTWARE IS PROVIDED BY THE DEVELOPERS ``AS IS'' AND ANY | ||
17 | * EXPRESS OR IMPLIED WARRANTIES, INCLUDING, BUT NOT LIMITED TO, THE IMPLIED | ||
18 | * WARRANTIES OF MERCHANTABILITY AND FITNESS FOR A PARTICULAR PURPOSE ARE | ||
19 | * DISCLAIMED. IN NO EVENT SHALL THE CONTRIBUTORS BE LIABLE FOR ANY | ||
20 | * DIRECT, INDIRECT, INCIDENTAL, SPECIAL, EXEMPLARY, OR CONSEQUENTIAL DAMAGES | ||
21 | * (INCLUDING, BUT NOT LIMITED TO, PROCUREMENT OF SUBSTITUTE GOODS OR SERVICES; | ||
22 | * LOSS OF USE, DATA, OR PROFITS; OR BUSINESS INTERRUPTION) HOWEVER CAUSED AND | ||
23 | * ON ANY THEORY OF LIABILITY, WHETHER IN CONTRACT, STRICT LIABILITY, OR TORT | ||
24 | * (INCLUDING NEGLIGENCE OR OTHERWISE) ARISING IN ANY WAY OUT OF THE USE OF THIS | ||
25 | * SOFTWARE, EVEN IF ADVISED OF THE POSSIBILITY OF SUCH DAMAGE. | ||
26 | */ | ||
27 | |||
28 | using System; | ||
29 | using System.Collections.Generic; | ||
30 | using System.Diagnostics; | ||
31 | using System.Linq; | ||
32 | using System.Net.NetworkInformation; | ||
33 | using System.Text; | ||
34 | using System.Threading; | ||
35 | |||
36 | using log4net; | ||
37 | using Mono.Addins; | ||
38 | using Nini.Config; | ||
39 | |||
40 | using OpenSim.Framework; | ||
41 | using OpenSim.Framework.Console; | ||
42 | using OpenSim.Framework.Monitoring; | ||
43 | using OpenSim.Region.Framework.Interfaces; | ||
44 | using OpenSim.Region.Framework.Scenes; | ||
45 | |||
46 | using OpenMetaverse.StructuredData; | ||
47 | |||
48 | namespace OpenSim.Region.OptionalModules.Framework.Monitoring | ||
49 | { | ||
50 | [Extension(Path = "/OpenSim/RegionModules", NodeName = "RegionModule", Id = "ServerStatistics")] | ||
51 | public class ServerStats : ISharedRegionModule | ||
52 | { | ||
53 | private readonly ILog m_log = LogManager.GetLogger(System.Reflection.MethodBase.GetCurrentMethod().DeclaringType); | ||
54 | private readonly string LogHeader = "[SERVER STATS]"; | ||
55 | |||
56 | public bool Enabled = false; | ||
57 | private static Dictionary<string, Stat> RegisteredStats = new Dictionary<string, Stat>(); | ||
58 | |||
59 | public readonly string CategoryServer = "server"; | ||
60 | |||
61 | public readonly string ContainerProcessor = "processor"; | ||
62 | public readonly string ContainerMemory = "memory"; | ||
63 | public readonly string ContainerNetwork = "network"; | ||
64 | public readonly string ContainerProcess = "process"; | ||
65 | |||
66 | public string NetworkInterfaceTypes = "Ethernet"; | ||
67 | |||
68 | readonly int performanceCounterSampleInterval = 500; | ||
69 | int lastperformanceCounterSampleTime = 0; | ||
70 | |||
71 | private class PerfCounterControl | ||
72 | { | ||
73 | public PerformanceCounter perfCounter; | ||
74 | public int lastFetch; | ||
75 | public string name; | ||
76 | public PerfCounterControl(PerformanceCounter pPc) | ||
77 | : this(pPc, String.Empty) | ||
78 | { | ||
79 | } | ||
80 | public PerfCounterControl(PerformanceCounter pPc, string pName) | ||
81 | { | ||
82 | perfCounter = pPc; | ||
83 | lastFetch = 0; | ||
84 | name = pName; | ||
85 | } | ||
86 | } | ||
87 | |||
88 | PerfCounterControl processorPercentPerfCounter = null; | ||
89 | |||
90 | #region ISharedRegionModule | ||
91 | // IRegionModuleBase.Name | ||
92 | public string Name { get { return "Server Stats"; } } | ||
93 | // IRegionModuleBase.ReplaceableInterface | ||
94 | public Type ReplaceableInterface { get { return null; } } | ||
95 | // IRegionModuleBase.Initialize | ||
96 | public void Initialise(IConfigSource source) | ||
97 | { | ||
98 | IConfig cfg = source.Configs["Monitoring"]; | ||
99 | |||
100 | if (cfg != null) | ||
101 | Enabled = cfg.GetBoolean("ServerStatsEnabled", true); | ||
102 | |||
103 | if (Enabled) | ||
104 | { | ||
105 | NetworkInterfaceTypes = cfg.GetString("NetworkInterfaceTypes", "Ethernet"); | ||
106 | } | ||
107 | } | ||
108 | // IRegionModuleBase.Close | ||
109 | public void Close() | ||
110 | { | ||
111 | if (RegisteredStats.Count > 0) | ||
112 | { | ||
113 | foreach (Stat stat in RegisteredStats.Values) | ||
114 | { | ||
115 | StatsManager.DeregisterStat(stat); | ||
116 | stat.Dispose(); | ||
117 | } | ||
118 | RegisteredStats.Clear(); | ||
119 | } | ||
120 | } | ||
121 | // IRegionModuleBase.AddRegion | ||
122 | public void AddRegion(Scene scene) | ||
123 | { | ||
124 | } | ||
125 | // IRegionModuleBase.RemoveRegion | ||
126 | public void RemoveRegion(Scene scene) | ||
127 | { | ||
128 | } | ||
129 | // IRegionModuleBase.RegionLoaded | ||
130 | public void RegionLoaded(Scene scene) | ||
131 | { | ||
132 | } | ||
133 | // ISharedRegionModule.PostInitialize | ||
134 | public void PostInitialise() | ||
135 | { | ||
136 | if (RegisteredStats.Count == 0) | ||
137 | { | ||
138 | RegisterServerStats(); | ||
139 | } | ||
140 | } | ||
141 | #endregion ISharedRegionModule | ||
142 | |||
143 | private void MakeStat(string pName, string pUnit, string pContainer, Action<Stat> act) | ||
144 | { | ||
145 | Stat stat = new Stat(pName, pName, "", pUnit, CategoryServer, pContainer, StatType.Pull, act, StatVerbosity.Info); | ||
146 | StatsManager.RegisterStat(stat); | ||
147 | RegisteredStats.Add(pName, stat); | ||
148 | } | ||
149 | |||
150 | public void RegisterServerStats() | ||
151 | { | ||
152 | lastperformanceCounterSampleTime = Util.EnvironmentTickCount(); | ||
153 | PerformanceCounter tempPC; | ||
154 | Stat tempStat; | ||
155 | string tempName; | ||
156 | |||
157 | try | ||
158 | { | ||
159 | tempName = "CPUPercent"; | ||
160 | tempPC = new PerformanceCounter("Processor", "% Processor Time", "_Total"); | ||
161 | processorPercentPerfCounter = new PerfCounterControl(tempPC); | ||
162 | // A long time bug in mono is that CPU percent is reported as CPU percent idle. Windows reports CPU percent busy. | ||
163 | tempStat = new Stat(tempName, tempName, "", "percent", CategoryServer, ContainerProcessor, | ||
164 | StatType.Pull, (s) => { GetNextValue(s, processorPercentPerfCounter, Util.IsWindows() ? 1 : -1); }, | ||
165 | StatVerbosity.Info); | ||
166 | StatsManager.RegisterStat(tempStat); | ||
167 | RegisteredStats.Add(tempName, tempStat); | ||
168 | |||
169 | MakeStat("TotalProcessorTime", "sec", ContainerProcessor, | ||
170 | (s) => { s.Value = Process.GetCurrentProcess().TotalProcessorTime.TotalSeconds; }); | ||
171 | |||
172 | MakeStat("UserProcessorTime", "sec", ContainerProcessor, | ||
173 | (s) => { s.Value = Process.GetCurrentProcess().UserProcessorTime.TotalSeconds; }); | ||
174 | |||
175 | MakeStat("PrivilegedProcessorTime", "sec", ContainerProcessor, | ||
176 | (s) => { s.Value = Process.GetCurrentProcess().PrivilegedProcessorTime.TotalSeconds; }); | ||
177 | |||
178 | MakeStat("Threads", "threads", ContainerProcessor, | ||
179 | (s) => { s.Value = Process.GetCurrentProcess().Threads.Count; }); | ||
180 | } | ||
181 | catch (Exception e) | ||
182 | { | ||
183 | m_log.ErrorFormat("{0} Exception creating 'Process': {1}", LogHeader, e); | ||
184 | } | ||
185 | |||
186 | try | ||
187 | { | ||
188 | List<string> okInterfaceTypes = new List<string>(NetworkInterfaceTypes.Split(',')); | ||
189 | |||
190 | IEnumerable<NetworkInterface> nics = NetworkInterface.GetAllNetworkInterfaces(); | ||
191 | foreach (NetworkInterface nic in nics) | ||
192 | { | ||
193 | if (nic.OperationalStatus != OperationalStatus.Up) | ||
194 | continue; | ||
195 | |||
196 | string nicInterfaceType = nic.NetworkInterfaceType.ToString(); | ||
197 | if (!okInterfaceTypes.Contains(nicInterfaceType)) | ||
198 | { | ||
199 | m_log.DebugFormat("{0} Not including stats for network interface '{1}' of type '{2}'. To include, add to [Monitoring]NetworkInterfaceTypes='Ethernet,Loopback'", | ||
200 | LogHeader, nic.Name, nicInterfaceType); | ||
201 | continue; | ||
202 | } | ||
203 | |||
204 | if (nic.Supports(NetworkInterfaceComponent.IPv4)) | ||
205 | { | ||
206 | IPv4InterfaceStatistics nicStats = nic.GetIPv4Statistics(); | ||
207 | if (nicStats != null) | ||
208 | { | ||
209 | MakeStat("BytesRcvd/" + nic.Name, "KB", ContainerNetwork, | ||
210 | (s) => { LookupNic(s, (ns) => { return ns.BytesReceived; }, 1024.0); }); | ||
211 | MakeStat("BytesSent/" + nic.Name, "KB", ContainerNetwork, | ||
212 | (s) => { LookupNic(s, (ns) => { return ns.BytesSent; }, 1024.0); }); | ||
213 | MakeStat("TotalBytes/" + nic.Name, "KB", ContainerNetwork, | ||
214 | (s) => { LookupNic(s, (ns) => { return ns.BytesSent + ns.BytesReceived; }, 1024.0); }); | ||
215 | } | ||
216 | } | ||
217 | } | ||
218 | } | ||
219 | catch (Exception e) | ||
220 | { | ||
221 | m_log.ErrorFormat("{0} Exception creating 'Network Interface': {1}", LogHeader, e); | ||
222 | } | ||
223 | |||
224 | MakeStat("ProcessMemory", "MB", ContainerMemory, | ||
225 | (s) => { s.Value = Process.GetCurrentProcess().WorkingSet64 / 1024d / 1024d; }); | ||
226 | MakeStat("ObjectMemory", "MB", ContainerMemory, | ||
227 | (s) => { s.Value = GC.GetTotalMemory(false) / 1024d / 1024d; }); | ||
228 | MakeStat("LastMemoryChurn", "MB/sec", ContainerMemory, | ||
229 | (s) => { s.Value = Math.Round(MemoryWatchdog.LastMemoryChurn * 1000d / 1024d / 1024d, 3); }); | ||
230 | MakeStat("AverageMemoryChurn", "MB/sec", ContainerMemory, | ||
231 | (s) => { s.Value = Math.Round(MemoryWatchdog.AverageMemoryChurn * 1000d / 1024d / 1024d, 3); }); | ||
232 | } | ||
233 | |||
234 | // Notes on performance counters: | ||
235 | // "How To Read Performance Counters": http://blogs.msdn.com/b/bclteam/archive/2006/06/02/618156.aspx | ||
236 | // "How to get the CPU Usage in C#": http://stackoverflow.com/questions/278071/how-to-get-the-cpu-usage-in-c | ||
237 | // "Mono Performance Counters": http://www.mono-project.com/Mono_Performance_Counters | ||
238 | private delegate double PerfCounterNextValue(); | ||
239 | private void GetNextValue(Stat stat, PerfCounterControl perfControl) | ||
240 | { | ||
241 | GetNextValue(stat, perfControl, 1.0); | ||
242 | } | ||
243 | private void GetNextValue(Stat stat, PerfCounterControl perfControl, double factor) | ||
244 | { | ||
245 | if (Util.EnvironmentTickCountSubtract(perfControl.lastFetch) > performanceCounterSampleInterval) | ||
246 | { | ||
247 | if (perfControl != null && perfControl.perfCounter != null) | ||
248 | { | ||
249 | try | ||
250 | { | ||
251 | // Kludge for factor to run double duty. If -1, subtract the value from one | ||
252 | if (factor == -1) | ||
253 | stat.Value = 1 - perfControl.perfCounter.NextValue(); | ||
254 | else | ||
255 | stat.Value = perfControl.perfCounter.NextValue() / factor; | ||
256 | } | ||
257 | catch (Exception e) | ||
258 | { | ||
259 | m_log.ErrorFormat("{0} Exception on NextValue fetching {1}: {2}", LogHeader, stat.Name, e); | ||
260 | } | ||
261 | perfControl.lastFetch = Util.EnvironmentTickCount(); | ||
262 | } | ||
263 | } | ||
264 | } | ||
265 | |||
266 | private delegate double GetIPv4StatValue(IPv4InterfaceStatistics interfaceStat); | ||
267 | private void LookupNic(Stat stat, GetIPv4StatValue getter, double factor) | ||
268 | { | ||
269 | // Get the one nic that has the name of this stat | ||
270 | IEnumerable<NetworkInterface> nics = NetworkInterface.GetAllNetworkInterfaces().Where( | ||
271 | (network) => network.Name == stat.Description); | ||
272 | try | ||
273 | { | ||
274 | foreach (NetworkInterface nic in nics) | ||
275 | { | ||
276 | IPv4InterfaceStatistics intrStats = nic.GetIPv4Statistics(); | ||
277 | if (intrStats != null) | ||
278 | stat.Value = Math.Round(getter(intrStats) / factor, 3); | ||
279 | break; | ||
280 | } | ||
281 | } | ||
282 | catch | ||
283 | { | ||
284 | // There are times interfaces go away so we just won't update the stat for this | ||
285 | m_log.ErrorFormat("{0} Exception fetching stat on interface '{1}'", LogHeader, stat.Description); | ||
286 | } | ||
287 | } | ||
288 | } | ||
289 | |||
290 | public class ServerStatsAggregator : Stat | ||
291 | { | ||
292 | public ServerStatsAggregator( | ||
293 | string shortName, | ||
294 | string name, | ||
295 | string description, | ||
296 | string unitName, | ||
297 | string category, | ||
298 | string container | ||
299 | ) | ||
300 | : base( | ||
301 | shortName, | ||
302 | name, | ||
303 | description, | ||
304 | unitName, | ||
305 | category, | ||
306 | container, | ||
307 | StatType.Push, | ||
308 | MeasuresOfInterest.None, | ||
309 | null, | ||
310 | StatVerbosity.Info) | ||
311 | { | ||
312 | } | ||
313 | public override string ToConsoleString() | ||
314 | { | ||
315 | StringBuilder sb = new StringBuilder(); | ||
316 | |||
317 | return sb.ToString(); | ||
318 | } | ||
319 | |||
320 | public override OSDMap ToOSDMap() | ||
321 | { | ||
322 | OSDMap ret = new OSDMap(); | ||
323 | |||
324 | return ret; | ||
325 | } | ||
326 | } | ||
327 | |||
328 | } | ||
diff --git a/OpenSim/Region/OptionalModules/PhysicsParameters/PhysicsParameters.cs b/OpenSim/Region/OptionalModules/PhysicsParameters/PhysicsParameters.cs index 40f7fbc..3083a33 100755 --- a/OpenSim/Region/OptionalModules/PhysicsParameters/PhysicsParameters.cs +++ b/OpenSim/Region/OptionalModules/PhysicsParameters/PhysicsParameters.cs | |||
@@ -146,7 +146,7 @@ namespace OpenSim.Region.OptionalModules.PhysicsParameters | |||
146 | { | 146 | { |
147 | foreach (PhysParameterEntry ppe in physScene.GetParameterList()) | 147 | foreach (PhysParameterEntry ppe in physScene.GetParameterList()) |
148 | { | 148 | { |
149 | float val = 0.0f; | 149 | string val = string.Empty; |
150 | if (physScene.GetPhysicsParameter(ppe.name, out val)) | 150 | if (physScene.GetPhysicsParameter(ppe.name, out val)) |
151 | { | 151 | { |
152 | WriteOut(" {0}/{1} = {2}", scene.RegionInfo.RegionName, ppe.name, val); | 152 | WriteOut(" {0}/{1} = {2}", scene.RegionInfo.RegionName, ppe.name, val); |
@@ -159,7 +159,7 @@ namespace OpenSim.Region.OptionalModules.PhysicsParameters | |||
159 | } | 159 | } |
160 | else | 160 | else |
161 | { | 161 | { |
162 | float val = 0.0f; | 162 | string val = string.Empty; |
163 | if (physScene.GetPhysicsParameter(parm, out val)) | 163 | if (physScene.GetPhysicsParameter(parm, out val)) |
164 | { | 164 | { |
165 | WriteOut(" {0}/{1} = {2}", scene.RegionInfo.RegionName, parm, val); | 165 | WriteOut(" {0}/{1} = {2}", scene.RegionInfo.RegionName, parm, val); |
@@ -185,21 +185,12 @@ namespace OpenSim.Region.OptionalModules.PhysicsParameters | |||
185 | return; | 185 | return; |
186 | } | 186 | } |
187 | string parm = "xxx"; | 187 | string parm = "xxx"; |
188 | float val = 0f; | 188 | string valparm = String.Empty; |
189 | uint localID = (uint)PhysParameterEntry.APPLY_TO_NONE; // set default value | 189 | uint localID = (uint)PhysParameterEntry.APPLY_TO_NONE; // set default value |
190 | try | 190 | try |
191 | { | 191 | { |
192 | parm = cmdparms[2]; | 192 | parm = cmdparms[2]; |
193 | string valparm = cmdparms[3].ToLower(); | 193 | valparm = cmdparms[3].ToLower(); |
194 | if (valparm == "true") | ||
195 | val = PhysParameterEntry.NUMERIC_TRUE; | ||
196 | else | ||
197 | { | ||
198 | if (valparm == "false") | ||
199 | val = PhysParameterEntry.NUMERIC_FALSE; | ||
200 | else | ||
201 | val = float.Parse(valparm, Culture.NumberFormatInfo); | ||
202 | } | ||
203 | if (cmdparms.Length > 4) | 194 | if (cmdparms.Length > 4) |
204 | { | 195 | { |
205 | if (cmdparms[4].ToLower() == "all") | 196 | if (cmdparms[4].ToLower() == "all") |
@@ -224,7 +215,7 @@ namespace OpenSim.Region.OptionalModules.PhysicsParameters | |||
224 | IPhysicsParameters physScene = scene.PhysicsScene as IPhysicsParameters; | 215 | IPhysicsParameters physScene = scene.PhysicsScene as IPhysicsParameters; |
225 | if (physScene != null) | 216 | if (physScene != null) |
226 | { | 217 | { |
227 | if (!physScene.SetPhysicsParameter(parm, val, localID)) | 218 | if (!physScene.SetPhysicsParameter(parm, valparm, localID)) |
228 | { | 219 | { |
229 | WriteError("Failed set of parameter '{0}' for region '{1}'", parm, scene.RegionInfo.RegionName); | 220 | WriteError("Failed set of parameter '{0}' for region '{1}'", parm, scene.RegionInfo.RegionName); |
230 | } | 221 | } |
diff --git a/OpenSim/Region/OptionalModules/PrimLimitsModule/PrimLimitsModule.cs b/OpenSim/Region/OptionalModules/PrimLimitsModule/PrimLimitsModule.cs index 39cabb5..a375da9 100644 --- a/OpenSim/Region/OptionalModules/PrimLimitsModule/PrimLimitsModule.cs +++ b/OpenSim/Region/OptionalModules/PrimLimitsModule/PrimLimitsModule.cs | |||
@@ -57,9 +57,10 @@ namespace OpenSim.Region.OptionalModules | |||
57 | 57 | ||
58 | public void Initialise(IConfigSource config) | 58 | public void Initialise(IConfigSource config) |
59 | { | 59 | { |
60 | IConfig myConfig = config.Configs["Startup"]; | 60 | //IConfig myConfig = config.Configs["Startup"]; |
61 | 61 | ||
62 | string permissionModules = myConfig.GetString("permissionmodules", "DefaultPermissionsModule"); | 62 | string permissionModules = Util.GetConfigVarFromSections<string>(config, "permissionmodules", |
63 | new string[] { "Startup", "Permissions" }, "DefaultPermissionsModule"); | ||
63 | 64 | ||
64 | List<string> modules=new List<string>(permissionModules.Split(',')); | 65 | List<string> modules=new List<string>(permissionModules.Split(',')); |
65 | 66 | ||
diff --git a/OpenSim/Region/OptionalModules/Properties/AssemblyInfo.cs b/OpenSim/Region/OptionalModules/Properties/AssemblyInfo.cs index 217b2d5..70bda72 100644 --- a/OpenSim/Region/OptionalModules/Properties/AssemblyInfo.cs +++ b/OpenSim/Region/OptionalModules/Properties/AssemblyInfo.cs | |||
@@ -30,8 +30,8 @@ using Mono.Addins; | |||
30 | // Build Number | 30 | // Build Number |
31 | // Revision | 31 | // Revision |
32 | // | 32 | // |
33 | [assembly: AssemblyVersion("0.7.5.*")] | 33 | [assembly: AssemblyVersion("0.7.6.*")] |
34 | [assembly: AssemblyFileVersion("1.0.0.0")] | 34 | |
35 | 35 | ||
36 | [assembly: Addin("OpenSim.Region.OptionalModules", "0.1")] | 36 | [assembly: Addin("OpenSim.Region.OptionalModules", "0.1")] |
37 | [assembly: AddinDependency("OpenSim", "0.5")] | 37 | [assembly: AddinDependency("OpenSim", "0.5")] |
diff --git a/OpenSim/Region/OptionalModules/Scripting/ExtendedPhysics/ExtendedPhysics.cs b/OpenSim/Region/OptionalModules/Scripting/ExtendedPhysics/ExtendedPhysics.cs new file mode 100755 index 0000000..6009dc5 --- /dev/null +++ b/OpenSim/Region/OptionalModules/Scripting/ExtendedPhysics/ExtendedPhysics.cs | |||
@@ -0,0 +1,171 @@ | |||
1 | /* | ||
2 | * Copyright (c) Contributors, http://opensimulator.org/ | ||
3 | * See CONTRIBUTORS.TXT for a full list of copyright holders. | ||
4 | * | ||
5 | * Redistribution and use in source and binary forms, with or without | ||
6 | * modification, are permitted provided that the following conditions are met: | ||
7 | * * Redistributions of source code must retain the above copyright | ||
8 | * notice, this list of conditions and the following disclaimer. | ||
9 | * * Redistributions in binary form must reproduce the above copyrightD | ||
10 | * notice, this list of conditions and the following disclaimer in the | ||
11 | * documentation and/or other materials provided with the distribution. | ||
12 | * * Neither the name of the OpenSimulator Project nor the | ||
13 | * names of its contributors may be used to endorse or promote products | ||
14 | * derived from this software without specific prior written permission. | ||
15 | * | ||
16 | * THIS SOFTWARE IS PROVIDED BY THE DEVELOPERS ``AS IS'' AND ANY | ||
17 | * EXPRESS OR IMPLIED WARRANTIES, INCLUDING, BUT NOT LIMITED TO, THE IMPLIED | ||
18 | * WARRANTIES OF MERCHANTABILITY AND FITNESS FOR A PARTICULAR PURPOSE ARE | ||
19 | * DISCLAIMED. IN NO EVENT SHALL THE CONTRIBUTORS BE LIABLE FOR ANY | ||
20 | * DIRECT, INDIRECT, INCIDENTAL, SPECIAL, EXEMPLARY, OR CONSEQUENTIAL DAMAGES | ||
21 | * (INCLUDING, BUT NOT LIMITED TO, PROCUREMENT OF SUBSTITUTE GOODS OR SERVICES; | ||
22 | * LOSS OF USE, DATA, OR PROFITS; OR BUSINESS INTERRUPTION) HOWEVER CAUSED AND | ||
23 | * ON ANY THEORY OF LIABILITY, WHETHER IN CONTRACT, STRICT LIABILITY, OR TORT | ||
24 | * (INCLUDING NEGLIGENCE OR OTHERWISE) ARISING IN ANY WAY OUT OF THE USE OF THIS | ||
25 | * SOFTWARE, EVEN IF ADVISED OF THE POSSIBILITY OF SUCH DAMAGE. | ||
26 | */ | ||
27 | using System; | ||
28 | using System.Collections.Generic; | ||
29 | using System.Linq; | ||
30 | using System.Reflection; | ||
31 | using System.Text; | ||
32 | |||
33 | using OpenSim.Framework; | ||
34 | using OpenSim.Region.Framework; | ||
35 | using OpenSim.Region.Framework.Interfaces; | ||
36 | using OpenSim.Region.Framework.Scenes; | ||
37 | using OpenSim.Region.CoreModules; | ||
38 | |||
39 | using Mono.Addins; | ||
40 | using Nini.Config; | ||
41 | using log4net; | ||
42 | using OpenMetaverse; | ||
43 | |||
44 | namespace OpenSim.Region.OptionalModules.Scripting | ||
45 | { | ||
46 | [Extension(Path = "/OpenSim/RegionModules", NodeName = "RegionModule")] | ||
47 | public class ExtendedPhysics : INonSharedRegionModule | ||
48 | { | ||
49 | private static readonly ILog m_log = LogManager.GetLogger(MethodBase.GetCurrentMethod().DeclaringType); | ||
50 | private static string LogHeader = "[EXTENDED PHYSICS]"; | ||
51 | |||
52 | private IConfig Configuration { get; set; } | ||
53 | private bool Enabled { get; set; } | ||
54 | private Scene BaseScene { get; set; } | ||
55 | private IScriptModuleComms Comms { get; set; } | ||
56 | |||
57 | #region INonSharedRegionModule | ||
58 | |||
59 | public string Name { get { return this.GetType().Name; } } | ||
60 | |||
61 | public void Initialise(IConfigSource config) | ||
62 | { | ||
63 | BaseScene = null; | ||
64 | Enabled = false; | ||
65 | Configuration = null; | ||
66 | Comms = null; | ||
67 | |||
68 | try | ||
69 | { | ||
70 | if ((Configuration = config.Configs["ExtendedPhysics"]) != null) | ||
71 | { | ||
72 | Enabled = Configuration.GetBoolean("Enabled", Enabled); | ||
73 | } | ||
74 | } | ||
75 | catch (Exception e) | ||
76 | { | ||
77 | m_log.ErrorFormat("{0} Initialization error: {0}", LogHeader, e); | ||
78 | } | ||
79 | |||
80 | m_log.InfoFormat("{0} module {1} enabled", LogHeader, (Enabled ? "is" : "is not")); | ||
81 | } | ||
82 | |||
83 | public void Close() | ||
84 | { | ||
85 | if (BaseScene != null) | ||
86 | { | ||
87 | BaseScene.EventManager.OnObjectAddedToScene -= EventManager_OnObjectAddedToScene; | ||
88 | BaseScene.EventManager.OnSceneObjectPartUpdated -= EventManager_OnSceneObjectPartUpdated; | ||
89 | BaseScene = null; | ||
90 | } | ||
91 | } | ||
92 | |||
93 | public void AddRegion(Scene scene) | ||
94 | { | ||
95 | } | ||
96 | |||
97 | public void RemoveRegion(Scene scene) | ||
98 | { | ||
99 | if (BaseScene != null && BaseScene == scene) | ||
100 | { | ||
101 | Close(); | ||
102 | } | ||
103 | } | ||
104 | |||
105 | public void RegionLoaded(Scene scene) | ||
106 | { | ||
107 | if (!Enabled) return; | ||
108 | |||
109 | BaseScene = scene; | ||
110 | |||
111 | Comms = BaseScene.RequestModuleInterface<IScriptModuleComms>(); | ||
112 | if (Comms == null) | ||
113 | { | ||
114 | m_log.WarnFormat("{0} ScriptModuleComms interface not defined", LogHeader); | ||
115 | Enabled = false; | ||
116 | |||
117 | return; | ||
118 | } | ||
119 | |||
120 | // Register as LSL functions all the [ScriptInvocation] marked methods. | ||
121 | Comms.RegisterScriptInvocations(this); | ||
122 | |||
123 | // When an object is modified, we might need to update its extended physics parameters | ||
124 | BaseScene.EventManager.OnObjectAddedToScene += EventManager_OnObjectAddedToScene; | ||
125 | BaseScene.EventManager.OnSceneObjectPartUpdated += EventManager_OnSceneObjectPartUpdated; | ||
126 | |||
127 | } | ||
128 | |||
129 | public Type ReplaceableInterface { get { return null; } } | ||
130 | |||
131 | #endregion // INonSharedRegionModule | ||
132 | |||
133 | private void EventManager_OnObjectAddedToScene(SceneObjectGroup obj) | ||
134 | { | ||
135 | throw new NotImplementedException(); | ||
136 | } | ||
137 | |||
138 | // Event generated when some property of a prim changes. | ||
139 | private void EventManager_OnSceneObjectPartUpdated(SceneObjectPart sop, bool isFullUpdate) | ||
140 | { | ||
141 | } | ||
142 | |||
143 | [ScriptConstant] | ||
144 | public static int PHYS_CENTER_OF_MASS = 1 << 0; | ||
145 | |||
146 | [ScriptConstant] | ||
147 | public static int PHYS_LINKSET_TYPE_CONSTRAINT = 1; | ||
148 | [ScriptConstant] | ||
149 | public static int PHYS_LINKSET_TYPE_COMPOUND = 2; | ||
150 | [ScriptConstant] | ||
151 | public static int PHYS_LINKSET_TYPE_MANUAL = 3; | ||
152 | |||
153 | [ScriptInvocation] | ||
154 | public string physGetEngineType(UUID hostID, UUID scriptID) | ||
155 | { | ||
156 | string ret = string.Empty; | ||
157 | |||
158 | if (BaseScene.PhysicsScene != null) | ||
159 | { | ||
160 | ret = BaseScene.PhysicsScene.EngineType; | ||
161 | } | ||
162 | |||
163 | return ret; | ||
164 | } | ||
165 | |||
166 | [ScriptInvocation] | ||
167 | public void physSetLinksetType(UUID hostID, UUID scriptID, int linksetType) | ||
168 | { | ||
169 | } | ||
170 | } | ||
171 | } | ||
diff --git a/OpenSim/Region/OptionalModules/Scripting/JsonStore/JsonStore.cs b/OpenSim/Region/OptionalModules/Scripting/JsonStore/JsonStore.cs index 34894ba..40adba1 100644 --- a/OpenSim/Region/OptionalModules/Scripting/JsonStore/JsonStore.cs +++ b/OpenSim/Region/OptionalModules/Scripting/JsonStore/JsonStore.cs | |||
@@ -49,7 +49,7 @@ namespace OpenSim.Region.OptionalModules.Scripting.JsonStore | |||
49 | private static readonly ILog m_log = | 49 | private static readonly ILog m_log = |
50 | LogManager.GetLogger(MethodBase.GetCurrentMethod().DeclaringType); | 50 | LogManager.GetLogger(MethodBase.GetCurrentMethod().DeclaringType); |
51 | 51 | ||
52 | private OSD m_ValueStore; | 52 | protected virtual OSD ValueStore { get; set; } |
53 | 53 | ||
54 | protected class TakeValueCallbackClass | 54 | protected class TakeValueCallbackClass |
55 | { | 55 | { |
@@ -68,42 +68,104 @@ namespace OpenSim.Region.OptionalModules.Scripting.JsonStore | |||
68 | protected List<TakeValueCallbackClass> m_TakeStore; | 68 | protected List<TakeValueCallbackClass> m_TakeStore; |
69 | protected List<TakeValueCallbackClass> m_ReadStore; | 69 | protected List<TakeValueCallbackClass> m_ReadStore; |
70 | 70 | ||
71 | // add separators for quoted paths and array references | ||
72 | protected static Regex m_ParsePassOne = new Regex("({[^}]+}|\\[[0-9]+\\]|\\[\\+\\])"); | ||
73 | |||
74 | // add quotes to bare identifiers which are limited to alphabetic characters | ||
75 | protected static Regex m_ParsePassThree = new Regex("(?<!{[^}]*)\\.([a-zA-Z]+)(?=\\.)"); | ||
76 | |||
77 | // remove extra separator characters | ||
78 | protected static Regex m_ParsePassFour = new Regex("\\.+"); | ||
79 | |||
80 | // expression used to validate the full path, this is canonical representation | ||
81 | protected static Regex m_ValidatePath = new Regex("^\\.(({[^}]+}|\\[[0-9]+\\]|\\[\\+\\])\\.)*$"); | ||
82 | |||
83 | // expression used to match path components | ||
84 | protected static Regex m_PathComponent = new Regex("\\.({[^}]+}|\\[[0-9]+\\]|\\[\\+\\])"); | ||
85 | |||
86 | // extract the internals of an array reference | ||
87 | protected static Regex m_SimpleArrayPattern = new Regex("^\\[([0-9]+)\\]$"); | ||
88 | protected static Regex m_ArrayPattern = new Regex("^\\[([0-9]+|\\+)\\]$"); | ||
89 | |||
90 | // extract the internals of a has reference | ||
91 | protected static Regex m_HashPattern = new Regex("^{([^}]+)}$"); | ||
71 | 92 | ||
72 | // ----------------------------------------------------------------- | 93 | // ----------------------------------------------------------------- |
73 | /// <summary> | 94 | /// <summary> |
95 | /// This is a simple estimator for the size of the stored data, it | ||
96 | /// is not precise, but should be close enough to implement reasonable | ||
97 | /// limits on the storage space used | ||
98 | /// </summary> | ||
99 | // ----------------------------------------------------------------- | ||
100 | public int StringSpace { get; set; } | ||
101 | |||
102 | // ----------------------------------------------------------------- | ||
103 | /// <summary> | ||
74 | /// | 104 | /// |
75 | /// </summary> | 105 | /// </summary> |
76 | // ----------------------------------------------------------------- | 106 | // ----------------------------------------------------------------- |
77 | public JsonStore() : this("") {} | 107 | public static bool CanonicalPathExpression(string ipath, out string opath) |
108 | { | ||
109 | Stack<string> path; | ||
110 | if (! ParsePathExpression(ipath,out path)) | ||
111 | { | ||
112 | opath = ""; | ||
113 | return false; | ||
114 | } | ||
115 | |||
116 | opath = PathExpressionToKey(path); | ||
117 | return true; | ||
118 | } | ||
78 | 119 | ||
79 | public JsonStore(string value) | 120 | // ----------------------------------------------------------------- |
121 | /// <summary> | ||
122 | /// | ||
123 | /// </summary> | ||
124 | // ----------------------------------------------------------------- | ||
125 | public JsonStore() | ||
80 | { | 126 | { |
127 | StringSpace = 0; | ||
81 | m_TakeStore = new List<TakeValueCallbackClass>(); | 128 | m_TakeStore = new List<TakeValueCallbackClass>(); |
82 | m_ReadStore = new List<TakeValueCallbackClass>(); | 129 | m_ReadStore = new List<TakeValueCallbackClass>(); |
83 | 130 | } | |
131 | |||
132 | public JsonStore(string value) : this() | ||
133 | { | ||
134 | // This is going to throw an exception if the value is not | ||
135 | // a valid JSON chunk. Calling routines should catch the | ||
136 | // exception and handle it appropriately | ||
84 | if (String.IsNullOrEmpty(value)) | 137 | if (String.IsNullOrEmpty(value)) |
85 | m_ValueStore = new OSDMap(); | 138 | ValueStore = new OSDMap(); |
86 | else | 139 | else |
87 | m_ValueStore = OSDParser.DeserializeJson(value); | 140 | ValueStore = OSDParser.DeserializeJson(value); |
88 | } | 141 | } |
89 | 142 | ||
90 | // ----------------------------------------------------------------- | 143 | // ----------------------------------------------------------------- |
91 | /// <summary> | 144 | /// <summary> |
92 | /// | 145 | /// |
93 | /// </summary> | 146 | /// </summary> |
94 | // ----------------------------------------------------------------- | 147 | // ----------------------------------------------------------------- |
95 | public bool TestPath(string expr, bool useJson) | 148 | public JsonStoreNodeType PathType(string expr) |
96 | { | 149 | { |
97 | Stack<string> path = ParsePathExpression(expr); | 150 | Stack<string> path; |
98 | OSD result = ProcessPathExpression(m_ValueStore,path); | 151 | if (! ParsePathExpression(expr,out path)) |
152 | return JsonStoreNodeType.Undefined; | ||
153 | |||
154 | OSD result = ProcessPathExpression(ValueStore,path); | ||
99 | 155 | ||
100 | if (result == null) | 156 | if (result == null) |
101 | return false; | 157 | return JsonStoreNodeType.Undefined; |
102 | 158 | ||
103 | if (useJson || result.Type == OSDType.String) | 159 | if (result is OSDMap) |
104 | return true; | 160 | return JsonStoreNodeType.Object; |
105 | 161 | ||
106 | return false; | 162 | if (result is OSDArray) |
163 | return JsonStoreNodeType.Array; | ||
164 | |||
165 | if (OSDBaseType(result.Type)) | ||
166 | return JsonStoreNodeType.Value; | ||
167 | |||
168 | return JsonStoreNodeType.Undefined; | ||
107 | } | 169 | } |
108 | 170 | ||
109 | // ----------------------------------------------------------------- | 171 | // ----------------------------------------------------------------- |
@@ -111,10 +173,37 @@ namespace OpenSim.Region.OptionalModules.Scripting.JsonStore | |||
111 | /// | 173 | /// |
112 | /// </summary> | 174 | /// </summary> |
113 | // ----------------------------------------------------------------- | 175 | // ----------------------------------------------------------------- |
176 | public int ArrayLength(string expr) | ||
177 | { | ||
178 | Stack<string> path; | ||
179 | if (! ParsePathExpression(expr,out path)) | ||
180 | return -1; | ||
181 | |||
182 | OSD result = ProcessPathExpression(ValueStore,path); | ||
183 | if (result != null && result.Type == OSDType.Array) | ||
184 | { | ||
185 | OSDArray arr = result as OSDArray; | ||
186 | return arr.Count; | ||
187 | } | ||
188 | |||
189 | return -1; | ||
190 | } | ||
191 | |||
192 | // ----------------------------------------------------------------- | ||
193 | /// <summary> | ||
194 | /// | ||
195 | /// </summary> | ||
196 | // ----------------------------------------------------------------- | ||
114 | public bool GetValue(string expr, out string value, bool useJson) | 197 | public bool GetValue(string expr, out string value, bool useJson) |
115 | { | 198 | { |
116 | Stack<string> path = ParsePathExpression(expr); | 199 | Stack<string> path; |
117 | OSD result = ProcessPathExpression(m_ValueStore,path); | 200 | if (! ParsePathExpression(expr,out path)) |
201 | { | ||
202 | value = ""; | ||
203 | return false; | ||
204 | } | ||
205 | |||
206 | OSD result = ProcessPathExpression(ValueStore,path); | ||
118 | return ConvertOutputValue(result,out value,useJson); | 207 | return ConvertOutputValue(result,out value,useJson); |
119 | } | 208 | } |
120 | 209 | ||
@@ -136,7 +225,37 @@ namespace OpenSim.Region.OptionalModules.Scripting.JsonStore | |||
136 | // ----------------------------------------------------------------- | 225 | // ----------------------------------------------------------------- |
137 | public bool SetValue(string expr, string value, bool useJson) | 226 | public bool SetValue(string expr, string value, bool useJson) |
138 | { | 227 | { |
139 | OSD ovalue = useJson ? OSDParser.DeserializeJson(value) : new OSDString(value); | 228 | OSD ovalue; |
229 | |||
230 | // One note of caution... if you use an empty string in the | ||
231 | // structure it will be assumed to be a default value and will | ||
232 | // not be seialized in the json | ||
233 | |||
234 | if (useJson) | ||
235 | { | ||
236 | // There doesn't appear to be a good way to determine if the | ||
237 | // value is valid Json other than to let the parser crash | ||
238 | try | ||
239 | { | ||
240 | ovalue = OSDParser.DeserializeJson(value); | ||
241 | } | ||
242 | catch (Exception e) | ||
243 | { | ||
244 | if (value.StartsWith("'") && value.EndsWith("'")) | ||
245 | { | ||
246 | ovalue = new OSDString(value.Substring(1,value.Length - 2)); | ||
247 | } | ||
248 | else | ||
249 | { | ||
250 | return false; | ||
251 | } | ||
252 | } | ||
253 | } | ||
254 | else | ||
255 | { | ||
256 | ovalue = new OSDString(value); | ||
257 | } | ||
258 | |||
140 | return SetValueFromExpression(expr,ovalue); | 259 | return SetValueFromExpression(expr,ovalue); |
141 | } | 260 | } |
142 | 261 | ||
@@ -147,10 +266,13 @@ namespace OpenSim.Region.OptionalModules.Scripting.JsonStore | |||
147 | // ----------------------------------------------------------------- | 266 | // ----------------------------------------------------------------- |
148 | public bool TakeValue(string expr, bool useJson, TakeValueCallback cback) | 267 | public bool TakeValue(string expr, bool useJson, TakeValueCallback cback) |
149 | { | 268 | { |
150 | Stack<string> path = ParsePathExpression(expr); | 269 | Stack<string> path; |
270 | if (! ParsePathExpression(expr,out path)) | ||
271 | return false; | ||
272 | |||
151 | string pexpr = PathExpressionToKey(path); | 273 | string pexpr = PathExpressionToKey(path); |
152 | 274 | ||
153 | OSD result = ProcessPathExpression(m_ValueStore,path); | 275 | OSD result = ProcessPathExpression(ValueStore,path); |
154 | if (result == null) | 276 | if (result == null) |
155 | { | 277 | { |
156 | m_TakeStore.Add(new TakeValueCallbackClass(pexpr,useJson,cback)); | 278 | m_TakeStore.Add(new TakeValueCallbackClass(pexpr,useJson,cback)); |
@@ -178,10 +300,13 @@ namespace OpenSim.Region.OptionalModules.Scripting.JsonStore | |||
178 | // ----------------------------------------------------------------- | 300 | // ----------------------------------------------------------------- |
179 | public bool ReadValue(string expr, bool useJson, TakeValueCallback cback) | 301 | public bool ReadValue(string expr, bool useJson, TakeValueCallback cback) |
180 | { | 302 | { |
181 | Stack<string> path = ParsePathExpression(expr); | 303 | Stack<string> path; |
304 | if (! ParsePathExpression(expr,out path)) | ||
305 | return false; | ||
306 | |||
182 | string pexpr = PathExpressionToKey(path); | 307 | string pexpr = PathExpressionToKey(path); |
183 | 308 | ||
184 | OSD result = ProcessPathExpression(m_ValueStore,path); | 309 | OSD result = ProcessPathExpression(ValueStore,path); |
185 | if (result == null) | 310 | if (result == null) |
186 | { | 311 | { |
187 | m_ReadStore.Add(new TakeValueCallbackClass(pexpr,useJson,cback)); | 312 | m_ReadStore.Add(new TakeValueCallbackClass(pexpr,useJson,cback)); |
@@ -208,25 +333,30 @@ namespace OpenSim.Region.OptionalModules.Scripting.JsonStore | |||
208 | // ----------------------------------------------------------------- | 333 | // ----------------------------------------------------------------- |
209 | protected bool SetValueFromExpression(string expr, OSD ovalue) | 334 | protected bool SetValueFromExpression(string expr, OSD ovalue) |
210 | { | 335 | { |
211 | Stack<string> path = ParsePathExpression(expr); | 336 | Stack<string> path; |
337 | if (! ParsePathExpression(expr,out path)) | ||
338 | return false; | ||
339 | |||
212 | if (path.Count == 0) | 340 | if (path.Count == 0) |
213 | { | 341 | { |
214 | m_ValueStore = ovalue; | 342 | ValueStore = ovalue; |
343 | StringSpace = 0; | ||
215 | return true; | 344 | return true; |
216 | } | 345 | } |
217 | 346 | ||
347 | // pkey will be the final element in the path, we pull it out here to make sure | ||
348 | // that the assignment works correctly | ||
218 | string pkey = path.Pop(); | 349 | string pkey = path.Pop(); |
219 | string pexpr = PathExpressionToKey(path); | 350 | string pexpr = PathExpressionToKey(path); |
220 | if (pexpr != "") | 351 | if (pexpr != "") |
221 | pexpr += "."; | 352 | pexpr += "."; |
222 | 353 | ||
223 | OSD result = ProcessPathExpression(m_ValueStore,path); | 354 | OSD result = ProcessPathExpression(ValueStore,path); |
224 | if (result == null) | 355 | if (result == null) |
225 | return false; | 356 | return false; |
226 | 357 | ||
227 | Regex aPattern = new Regex("\\[([0-9]+|\\+)\\]"); | 358 | // Check pkey, the last element in the path, for and extract array references |
228 | MatchCollection amatches = aPattern.Matches(pkey,0); | 359 | MatchCollection amatches = m_ArrayPattern.Matches(pkey,0); |
229 | |||
230 | if (amatches.Count > 0) | 360 | if (amatches.Count > 0) |
231 | { | 361 | { |
232 | if (result.Type != OSDType.Array) | 362 | if (result.Type != OSDType.Array) |
@@ -242,8 +372,13 @@ namespace OpenSim.Region.OptionalModules.Scripting.JsonStore | |||
242 | { | 372 | { |
243 | string npkey = String.Format("[{0}]",amap.Count); | 373 | string npkey = String.Format("[{0}]",amap.Count); |
244 | 374 | ||
245 | amap.Add(ovalue); | 375 | if (ovalue != null) |
246 | InvokeNextCallback(pexpr + npkey); | 376 | { |
377 | StringSpace += ComputeSizeOf(ovalue); | ||
378 | |||
379 | amap.Add(ovalue); | ||
380 | InvokeNextCallback(pexpr + npkey); | ||
381 | } | ||
247 | return true; | 382 | return true; |
248 | } | 383 | } |
249 | 384 | ||
@@ -251,9 +386,14 @@ namespace OpenSim.Region.OptionalModules.Scripting.JsonStore | |||
251 | if (0 <= aval && aval < amap.Count) | 386 | if (0 <= aval && aval < amap.Count) |
252 | { | 387 | { |
253 | if (ovalue == null) | 388 | if (ovalue == null) |
389 | { | ||
390 | StringSpace -= ComputeSizeOf(amap[aval]); | ||
254 | amap.RemoveAt(aval); | 391 | amap.RemoveAt(aval); |
392 | } | ||
255 | else | 393 | else |
256 | { | 394 | { |
395 | StringSpace -= ComputeSizeOf(amap[aval]); | ||
396 | StringSpace += ComputeSizeOf(ovalue); | ||
257 | amap[aval] = ovalue; | 397 | amap[aval] = ovalue; |
258 | InvokeNextCallback(pexpr + pkey); | 398 | InvokeNextCallback(pexpr + pkey); |
259 | } | 399 | } |
@@ -263,9 +403,8 @@ namespace OpenSim.Region.OptionalModules.Scripting.JsonStore | |||
263 | return false; | 403 | return false; |
264 | } | 404 | } |
265 | 405 | ||
266 | Regex hPattern = new Regex("{([^}]+)}"); | 406 | // Check for and extract hash references |
267 | MatchCollection hmatches = hPattern.Matches(pkey,0); | 407 | MatchCollection hmatches = m_HashPattern.Matches(pkey,0); |
268 | |||
269 | if (hmatches.Count > 0) | 408 | if (hmatches.Count > 0) |
270 | { | 409 | { |
271 | Match match = hmatches[0]; | 410 | Match match = hmatches[0]; |
@@ -274,16 +413,27 @@ namespace OpenSim.Region.OptionalModules.Scripting.JsonStore | |||
274 | 413 | ||
275 | if (result is OSDMap) | 414 | if (result is OSDMap) |
276 | { | 415 | { |
416 | // this is the assignment case | ||
277 | OSDMap hmap = result as OSDMap; | 417 | OSDMap hmap = result as OSDMap; |
278 | if (ovalue != null) | 418 | if (ovalue != null) |
279 | { | 419 | { |
420 | StringSpace -= ComputeSizeOf(hmap[hkey]); | ||
421 | StringSpace += ComputeSizeOf(ovalue); | ||
422 | |||
280 | hmap[hkey] = ovalue; | 423 | hmap[hkey] = ovalue; |
281 | InvokeNextCallback(pexpr + pkey); | 424 | InvokeNextCallback(pexpr + pkey); |
425 | return true; | ||
282 | } | 426 | } |
283 | else if (hmap.ContainsKey(hkey)) | 427 | |
428 | // this is the remove case | ||
429 | if (hmap.ContainsKey(hkey)) | ||
430 | { | ||
431 | StringSpace -= ComputeSizeOf(hmap[hkey]); | ||
284 | hmap.Remove(hkey); | 432 | hmap.Remove(hkey); |
285 | 433 | return true; | |
286 | return true; | 434 | } |
435 | |||
436 | return false; | ||
287 | } | 437 | } |
288 | 438 | ||
289 | return false; | 439 | return false; |
@@ -332,39 +482,33 @@ namespace OpenSim.Region.OptionalModules.Scripting.JsonStore | |||
332 | /// use a stack because we process the path in inverse order later | 482 | /// use a stack because we process the path in inverse order later |
333 | /// </summary> | 483 | /// </summary> |
334 | // ----------------------------------------------------------------- | 484 | // ----------------------------------------------------------------- |
335 | protected static Stack<string> ParsePathExpression(string path) | 485 | protected static bool ParsePathExpression(string expr, out Stack<string> path) |
336 | { | 486 | { |
337 | Stack<string> m_path = new Stack<string>(); | 487 | path = new Stack<string>(); |
338 | 488 | ||
339 | // add front and rear separators | 489 | // add front and rear separators |
340 | path = "." + path + "."; | 490 | expr = "." + expr + "."; |
341 | 491 | ||
342 | // add separators for quoted paths | 492 | // add separators for quoted exprs and array references |
343 | Regex pass1 = new Regex("{[^}]+}"); | 493 | expr = m_ParsePassOne.Replace(expr,".$1.",-1,0); |
344 | path = pass1.Replace(path,".$0.",-1,0); | ||
345 | |||
346 | // add separators for array references | ||
347 | Regex pass2 = new Regex("(\\[[0-9]+\\]|\\[\\+\\])"); | ||
348 | path = pass2.Replace(path,".$0.",-1,0); | ||
349 | 494 | ||
350 | // add quotes to bare identifier | 495 | // add quotes to bare identifier |
351 | Regex pass3 = new Regex("\\.([a-zA-Z]+)"); | 496 | expr = m_ParsePassThree.Replace(expr,".{$1}",-1,0); |
352 | path = pass3.Replace(path,".{$1}",-1,0); | ||
353 | 497 | ||
354 | // remove extra separators | 498 | // remove extra separators |
355 | Regex pass4 = new Regex("\\.+"); | 499 | expr = m_ParsePassFour.Replace(expr,".",-1,0); |
356 | path = pass4.Replace(path,".",-1,0); | ||
357 | 500 | ||
358 | Regex validate = new Regex("^\\.(({[^}]+}|\\[[0-9]+\\]|\\[\\+\\])\\.)+$"); | 501 | // validate the results (catches extra quote characters for example) |
359 | if (validate.IsMatch(path)) | 502 | if (m_ValidatePath.IsMatch(expr)) |
360 | { | 503 | { |
361 | Regex parser = new Regex("\\.({[^}]+}|\\[[0-9]+\\]|\\[\\+\\]+)"); | 504 | MatchCollection matches = m_PathComponent.Matches(expr,0); |
362 | MatchCollection matches = parser.Matches(path,0); | ||
363 | foreach (Match match in matches) | 505 | foreach (Match match in matches) |
364 | m_path.Push(match.Groups[1].Value); | 506 | path.Push(match.Groups[1].Value); |
507 | |||
508 | return true; | ||
365 | } | 509 | } |
366 | 510 | ||
367 | return m_path; | 511 | return false; |
368 | } | 512 | } |
369 | 513 | ||
370 | // ----------------------------------------------------------------- | 514 | // ----------------------------------------------------------------- |
@@ -385,9 +529,8 @@ namespace OpenSim.Region.OptionalModules.Scripting.JsonStore | |||
385 | return null; | 529 | return null; |
386 | 530 | ||
387 | // ---------- Check for an array index ---------- | 531 | // ---------- Check for an array index ---------- |
388 | Regex aPattern = new Regex("\\[([0-9]+)\\]"); | 532 | MatchCollection amatches = m_SimpleArrayPattern.Matches(pkey,0); |
389 | MatchCollection amatches = aPattern.Matches(pkey,0); | 533 | |
390 | |||
391 | if (amatches.Count > 0) | 534 | if (amatches.Count > 0) |
392 | { | 535 | { |
393 | if (rmap.Type != OSDType.Array) | 536 | if (rmap.Type != OSDType.Array) |
@@ -410,9 +553,8 @@ namespace OpenSim.Region.OptionalModules.Scripting.JsonStore | |||
410 | } | 553 | } |
411 | 554 | ||
412 | // ---------- Check for a hash index ---------- | 555 | // ---------- Check for a hash index ---------- |
413 | Regex hPattern = new Regex("{([^}]+)}"); | 556 | MatchCollection hmatches = m_HashPattern.Matches(pkey,0); |
414 | MatchCollection hmatches = hPattern.Matches(pkey,0); | 557 | |
415 | |||
416 | if (hmatches.Count > 0) | 558 | if (hmatches.Count > 0) |
417 | { | 559 | { |
418 | if (rmap.Type != OSDType.Map) | 560 | if (rmap.Type != OSDType.Map) |
@@ -456,14 +598,14 @@ namespace OpenSim.Region.OptionalModules.Scripting.JsonStore | |||
456 | // The path pointed to an intermediate hash structure | 598 | // The path pointed to an intermediate hash structure |
457 | if (result.Type == OSDType.Map) | 599 | if (result.Type == OSDType.Map) |
458 | { | 600 | { |
459 | value = OSDParser.SerializeJsonString(result as OSDMap); | 601 | value = OSDParser.SerializeJsonString(result as OSDMap,true); |
460 | return true; | 602 | return true; |
461 | } | 603 | } |
462 | 604 | ||
463 | // The path pointed to an intermediate hash structure | 605 | // The path pointed to an intermediate hash structure |
464 | if (result.Type == OSDType.Array) | 606 | if (result.Type == OSDType.Array) |
465 | { | 607 | { |
466 | value = OSDParser.SerializeJsonString(result as OSDArray); | 608 | value = OSDParser.SerializeJsonString(result as OSDArray,true); |
467 | return true; | 609 | return true; |
468 | } | 610 | } |
469 | 611 | ||
@@ -471,7 +613,7 @@ namespace OpenSim.Region.OptionalModules.Scripting.JsonStore | |||
471 | return true; | 613 | return true; |
472 | } | 614 | } |
473 | 615 | ||
474 | if (result.Type == OSDType.String) | 616 | if (OSDBaseType(result.Type)) |
475 | { | 617 | { |
476 | value = result.AsString(); | 618 | value = result.AsString(); |
477 | return true; | 619 | return true; |
@@ -496,5 +638,91 @@ namespace OpenSim.Region.OptionalModules.Scripting.JsonStore | |||
496 | 638 | ||
497 | return pkey; | 639 | return pkey; |
498 | } | 640 | } |
641 | |||
642 | // ----------------------------------------------------------------- | ||
643 | /// <summary> | ||
644 | /// | ||
645 | /// </summary> | ||
646 | // ----------------------------------------------------------------- | ||
647 | protected static bool OSDBaseType(OSDType type) | ||
648 | { | ||
649 | // Should be the list of base types for which AsString() returns | ||
650 | // something useful | ||
651 | if (type == OSDType.Boolean) | ||
652 | return true; | ||
653 | if (type == OSDType.Integer) | ||
654 | return true; | ||
655 | if (type == OSDType.Real) | ||
656 | return true; | ||
657 | if (type == OSDType.String) | ||
658 | return true; | ||
659 | if (type == OSDType.UUID) | ||
660 | return true; | ||
661 | if (type == OSDType.Date) | ||
662 | return true; | ||
663 | if (type == OSDType.URI) | ||
664 | return true; | ||
665 | |||
666 | return false; | ||
667 | } | ||
668 | |||
669 | // ----------------------------------------------------------------- | ||
670 | /// <summary> | ||
671 | /// | ||
672 | /// </summary> | ||
673 | // ----------------------------------------------------------------- | ||
674 | protected static int ComputeSizeOf(OSD value) | ||
675 | { | ||
676 | string sval; | ||
677 | |||
678 | if (ConvertOutputValue(value,out sval,true)) | ||
679 | return sval.Length; | ||
680 | |||
681 | return 0; | ||
682 | } | ||
683 | } | ||
684 | |||
685 | // ----------------------------------------------------------------- | ||
686 | /// <summary> | ||
687 | /// </summary> | ||
688 | // ----------------------------------------------------------------- | ||
689 | public class JsonObjectStore : JsonStore | ||
690 | { | ||
691 | private static readonly ILog m_log = | ||
692 | LogManager.GetLogger(MethodBase.GetCurrentMethod().DeclaringType); | ||
693 | |||
694 | private Scene m_scene; | ||
695 | private UUID m_objectID; | ||
696 | |||
697 | protected override OSD ValueStore | ||
698 | { | ||
699 | get | ||
700 | { | ||
701 | SceneObjectPart sop = m_scene.GetSceneObjectPart(m_objectID); | ||
702 | if (sop == null) | ||
703 | { | ||
704 | // This is bad | ||
705 | return null; | ||
706 | } | ||
707 | |||
708 | return sop.DynAttrs.TopLevelMap; | ||
709 | } | ||
710 | |||
711 | // cannot set the top level | ||
712 | set | ||
713 | { | ||
714 | m_log.InfoFormat("[JsonStore] cannot set top level value in object store"); | ||
715 | } | ||
716 | } | ||
717 | |||
718 | public JsonObjectStore(Scene scene, UUID oid) : base() | ||
719 | { | ||
720 | m_scene = scene; | ||
721 | m_objectID = oid; | ||
722 | |||
723 | // the size limit is imposed on whatever is already in the store | ||
724 | StringSpace = ComputeSizeOf(ValueStore); | ||
725 | } | ||
499 | } | 726 | } |
727 | |||
500 | } | 728 | } |
diff --git a/OpenSim/Region/OptionalModules/Scripting/JsonStore/JsonStoreModule.cs b/OpenSim/Region/OptionalModules/Scripting/JsonStore/JsonStoreModule.cs index e68764a..e78a2f4 100644 --- a/OpenSim/Region/OptionalModules/Scripting/JsonStore/JsonStoreModule.cs +++ b/OpenSim/Region/OptionalModules/Scripting/JsonStore/JsonStoreModule.cs | |||
@@ -54,6 +54,9 @@ namespace OpenSim.Region.OptionalModules.Scripting.JsonStore | |||
54 | 54 | ||
55 | private IConfig m_config = null; | 55 | private IConfig m_config = null; |
56 | private bool m_enabled = false; | 56 | private bool m_enabled = false; |
57 | private bool m_enableObjectStore = false; | ||
58 | private int m_maxStringSpace = Int32.MaxValue; | ||
59 | |||
57 | private Scene m_scene = null; | 60 | private Scene m_scene = null; |
58 | 61 | ||
59 | private Dictionary<UUID,JsonStore> m_JsonValueStore; | 62 | private Dictionary<UUID,JsonStore> m_JsonValueStore; |
@@ -90,15 +93,19 @@ namespace OpenSim.Region.OptionalModules.Scripting.JsonStore | |||
90 | } | 93 | } |
91 | 94 | ||
92 | m_enabled = m_config.GetBoolean("Enabled", m_enabled); | 95 | m_enabled = m_config.GetBoolean("Enabled", m_enabled); |
96 | m_enableObjectStore = m_config.GetBoolean("EnableObjectStore", m_enableObjectStore); | ||
97 | m_maxStringSpace = m_config.GetInt("MaxStringSpace", m_maxStringSpace); | ||
98 | if (m_maxStringSpace == 0) | ||
99 | m_maxStringSpace = Int32.MaxValue; | ||
93 | } | 100 | } |
94 | catch (Exception e) | 101 | catch (Exception e) |
95 | { | 102 | { |
96 | m_log.ErrorFormat("[JsonStore] initialization error: {0}",e.Message); | 103 | m_log.Error("[JsonStore]: initialization error: {0}", e); |
97 | return; | 104 | return; |
98 | } | 105 | } |
99 | 106 | ||
100 | if (m_enabled) | 107 | if (m_enabled) |
101 | m_log.DebugFormat("[JsonStore] module is enabled"); | 108 | m_log.DebugFormat("[JsonStore]: module is enabled"); |
102 | } | 109 | } |
103 | 110 | ||
104 | // ----------------------------------------------------------------- | 111 | // ----------------------------------------------------------------- |
@@ -175,6 +182,35 @@ namespace OpenSim.Region.OptionalModules.Scripting.JsonStore | |||
175 | /// | 182 | /// |
176 | /// </summary> | 183 | /// </summary> |
177 | // ----------------------------------------------------------------- | 184 | // ----------------------------------------------------------------- |
185 | public bool AttachObjectStore(UUID objectID) | ||
186 | { | ||
187 | if (! m_enabled) return false; | ||
188 | if (! m_enableObjectStore) return false; | ||
189 | |||
190 | SceneObjectPart sop = m_scene.GetSceneObjectPart(objectID); | ||
191 | if (sop == null) | ||
192 | { | ||
193 | m_log.ErrorFormat("[JsonStore] unable to attach to unknown object; {0}", objectID); | ||
194 | return false; | ||
195 | } | ||
196 | |||
197 | lock (m_JsonValueStore) | ||
198 | { | ||
199 | if (m_JsonValueStore.ContainsKey(objectID)) | ||
200 | return true; | ||
201 | |||
202 | JsonStore map = new JsonObjectStore(m_scene,objectID); | ||
203 | m_JsonValueStore.Add(objectID,map); | ||
204 | } | ||
205 | |||
206 | return true; | ||
207 | } | ||
208 | |||
209 | // ----------------------------------------------------------------- | ||
210 | /// <summary> | ||
211 | /// | ||
212 | /// </summary> | ||
213 | // ----------------------------------------------------------------- | ||
178 | public bool CreateStore(string value, ref UUID result) | 214 | public bool CreateStore(string value, ref UUID result) |
179 | { | 215 | { |
180 | if (result == UUID.Zero) | 216 | if (result == UUID.Zero) |
@@ -191,7 +227,7 @@ namespace OpenSim.Region.OptionalModules.Scripting.JsonStore | |||
191 | } | 227 | } |
192 | catch (Exception e) | 228 | catch (Exception e) |
193 | { | 229 | { |
194 | m_log.InfoFormat("[JsonStore] Unable to initialize store from {0}; {1}",value,e.Message); | 230 | m_log.ErrorFormat("[JsonStore]: Unable to initialize store from {0}", value); |
195 | return false; | 231 | return false; |
196 | } | 232 | } |
197 | 233 | ||
@@ -211,7 +247,7 @@ namespace OpenSim.Region.OptionalModules.Scripting.JsonStore | |||
211 | if (! m_enabled) return false; | 247 | if (! m_enabled) return false; |
212 | 248 | ||
213 | lock (m_JsonValueStore) | 249 | lock (m_JsonValueStore) |
214 | m_JsonValueStore.Remove(storeID); | 250 | return m_JsonValueStore.Remove(storeID); |
215 | 251 | ||
216 | return true; | 252 | return true; |
217 | } | 253 | } |
@@ -221,31 +257,44 @@ namespace OpenSim.Region.OptionalModules.Scripting.JsonStore | |||
221 | /// | 257 | /// |
222 | /// </summary> | 258 | /// </summary> |
223 | // ----------------------------------------------------------------- | 259 | // ----------------------------------------------------------------- |
224 | public bool TestPath(UUID storeID, string path, bool useJson) | 260 | public bool TestStore(UUID storeID) |
225 | { | 261 | { |
226 | if (! m_enabled) return false; | 262 | if (! m_enabled) return false; |
227 | 263 | ||
264 | lock (m_JsonValueStore) | ||
265 | return m_JsonValueStore.ContainsKey(storeID); | ||
266 | } | ||
267 | |||
268 | // ----------------------------------------------------------------- | ||
269 | /// <summary> | ||
270 | /// | ||
271 | /// </summary> | ||
272 | // ----------------------------------------------------------------- | ||
273 | public JsonStoreNodeType GetPathType(UUID storeID, string path) | ||
274 | { | ||
275 | if (! m_enabled) return JsonStoreNodeType.Undefined; | ||
276 | |||
228 | JsonStore map = null; | 277 | JsonStore map = null; |
229 | lock (m_JsonValueStore) | 278 | lock (m_JsonValueStore) |
230 | { | 279 | { |
231 | if (! m_JsonValueStore.TryGetValue(storeID,out map)) | 280 | if (! m_JsonValueStore.TryGetValue(storeID,out map)) |
232 | { | 281 | { |
233 | m_log.InfoFormat("[JsonStore] Missing store {0}",storeID); | 282 | m_log.InfoFormat("[JsonStore] Missing store {0}",storeID); |
234 | return false; | 283 | return JsonStoreNodeType.Undefined; |
235 | } | 284 | } |
236 | } | 285 | } |
237 | 286 | ||
238 | try | 287 | try |
239 | { | 288 | { |
240 | lock (map) | 289 | lock (map) |
241 | return map.TestPath(path,useJson); | 290 | return map.PathType(path); |
242 | } | 291 | } |
243 | catch (Exception e) | 292 | catch (Exception e) |
244 | { | 293 | { |
245 | m_log.InfoFormat("[JsonStore] Path test failed for {0} in {1}; {2}",path,storeID,e.Message); | 294 | m_log.Error(string.Format("[JsonStore]: Path test failed for {0} in {1}", path, storeID), e); |
246 | } | 295 | } |
247 | 296 | ||
248 | return false; | 297 | return JsonStoreNodeType.Undefined; |
249 | } | 298 | } |
250 | 299 | ||
251 | // ----------------------------------------------------------------- | 300 | // ----------------------------------------------------------------- |
@@ -270,12 +319,20 @@ namespace OpenSim.Region.OptionalModules.Scripting.JsonStore | |||
270 | try | 319 | try |
271 | { | 320 | { |
272 | lock (map) | 321 | lock (map) |
273 | if (map.SetValue(path,value,useJson)) | 322 | { |
274 | return true; | 323 | if (map.StringSpace > m_maxStringSpace) |
324 | { | ||
325 | m_log.WarnFormat("[JsonStore] {0} exceeded string size; {1} bytes used of {2} limit", | ||
326 | storeID,map.StringSpace,m_maxStringSpace); | ||
327 | return false; | ||
328 | } | ||
329 | |||
330 | return map.SetValue(path,value,useJson); | ||
331 | } | ||
275 | } | 332 | } |
276 | catch (Exception e) | 333 | catch (Exception e) |
277 | { | 334 | { |
278 | m_log.InfoFormat("[JsonStore] Unable to assign {0} to {1} in {2}; {3}",value,path,storeID,e.Message); | 335 | m_log.Error(string.Format("[JsonStore]: Unable to assign {0} to {1} in {2}", value, path, storeID), e); |
279 | } | 336 | } |
280 | 337 | ||
281 | return false; | 338 | return false; |
@@ -303,12 +360,11 @@ namespace OpenSim.Region.OptionalModules.Scripting.JsonStore | |||
303 | try | 360 | try |
304 | { | 361 | { |
305 | lock (map) | 362 | lock (map) |
306 | if (map.RemoveValue(path)) | 363 | return map.RemoveValue(path); |
307 | return true; | ||
308 | } | 364 | } |
309 | catch (Exception e) | 365 | catch (Exception e) |
310 | { | 366 | { |
311 | m_log.InfoFormat("[JsonStore] Unable to remove {0} in {1}; {2}",path,storeID,e.Message); | 367 | m_log.Error(string.Format("[JsonStore]: Unable to remove {0} in {1}", path, storeID), e); |
312 | } | 368 | } |
313 | 369 | ||
314 | return false; | 370 | return false; |
@@ -319,6 +375,37 @@ namespace OpenSim.Region.OptionalModules.Scripting.JsonStore | |||
319 | /// | 375 | /// |
320 | /// </summary> | 376 | /// </summary> |
321 | // ----------------------------------------------------------------- | 377 | // ----------------------------------------------------------------- |
378 | public int GetArrayLength(UUID storeID, string path) | ||
379 | { | ||
380 | if (! m_enabled) return -1; | ||
381 | |||
382 | JsonStore map = null; | ||
383 | lock (m_JsonValueStore) | ||
384 | { | ||
385 | if (! m_JsonValueStore.TryGetValue(storeID,out map)) | ||
386 | return -1; | ||
387 | } | ||
388 | |||
389 | try | ||
390 | { | ||
391 | lock (map) | ||
392 | { | ||
393 | return map.ArrayLength(path); | ||
394 | } | ||
395 | } | ||
396 | catch (Exception e) | ||
397 | { | ||
398 | m_log.Error("[JsonStore]: unable to retrieve value", e); | ||
399 | } | ||
400 | |||
401 | return -1; | ||
402 | } | ||
403 | |||
404 | // ----------------------------------------------------------------- | ||
405 | /// <summary> | ||
406 | /// | ||
407 | /// </summary> | ||
408 | // ----------------------------------------------------------------- | ||
322 | public bool GetValue(UUID storeID, string path, bool useJson, out string value) | 409 | public bool GetValue(UUID storeID, string path, bool useJson, out string value) |
323 | { | 410 | { |
324 | value = String.Empty; | 411 | value = String.Empty; |
@@ -341,7 +428,7 @@ namespace OpenSim.Region.OptionalModules.Scripting.JsonStore | |||
341 | } | 428 | } |
342 | catch (Exception e) | 429 | catch (Exception e) |
343 | { | 430 | { |
344 | m_log.InfoFormat("[JsonStore] unable to retrieve value; {0}",e.Message); | 431 | m_log.Error("[JsonStore]: unable to retrieve value", e); |
345 | } | 432 | } |
346 | 433 | ||
347 | return false; | 434 | return false; |
@@ -380,7 +467,7 @@ namespace OpenSim.Region.OptionalModules.Scripting.JsonStore | |||
380 | } | 467 | } |
381 | catch (Exception e) | 468 | catch (Exception e) |
382 | { | 469 | { |
383 | m_log.InfoFormat("[JsonStore] unable to retrieve value; {0}",e.ToString()); | 470 | m_log.Error("[JsonStore] unable to retrieve value", e); |
384 | } | 471 | } |
385 | 472 | ||
386 | cback(String.Empty); | 473 | cback(String.Empty); |
@@ -419,7 +506,7 @@ namespace OpenSim.Region.OptionalModules.Scripting.JsonStore | |||
419 | } | 506 | } |
420 | catch (Exception e) | 507 | catch (Exception e) |
421 | { | 508 | { |
422 | m_log.InfoFormat("[JsonStore] unable to retrieve value; {0}",e.ToString()); | 509 | m_log.Error("[JsonStore]: unable to retrieve value", e); |
423 | } | 510 | } |
424 | 511 | ||
425 | cback(String.Empty); | 512 | cback(String.Empty); |
diff --git a/OpenSim/Region/OptionalModules/Scripting/JsonStore/JsonStoreScriptModule.cs b/OpenSim/Region/OptionalModules/Scripting/JsonStore/JsonStoreScriptModule.cs index 0c175ca..e13eb56 100644 --- a/OpenSim/Region/OptionalModules/Scripting/JsonStore/JsonStoreScriptModule.cs +++ b/OpenSim/Region/OptionalModules/Scripting/JsonStore/JsonStoreScriptModule.cs | |||
@@ -39,6 +39,7 @@ using OpenMetaverse.StructuredData; | |||
39 | using OpenSim.Framework; | 39 | using OpenSim.Framework; |
40 | using OpenSim.Region.Framework.Interfaces; | 40 | using OpenSim.Region.Framework.Interfaces; |
41 | using OpenSim.Region.Framework.Scenes; | 41 | using OpenSim.Region.Framework.Scenes; |
42 | using OpenSim.Region.Framework.Scenes.Scripting; | ||
42 | using System.Collections.Generic; | 43 | using System.Collections.Generic; |
43 | using System.Text.RegularExpressions; | 44 | using System.Text.RegularExpressions; |
44 | 45 | ||
@@ -92,12 +93,12 @@ namespace OpenSim.Region.OptionalModules.Scripting.JsonStore | |||
92 | } | 93 | } |
93 | catch (Exception e) | 94 | catch (Exception e) |
94 | { | 95 | { |
95 | m_log.ErrorFormat("[JsonStoreScripts] initialization error: {0}",e.Message); | 96 | m_log.ErrorFormat("[JsonStoreScripts]: initialization error: {0}", e.Message); |
96 | return; | 97 | return; |
97 | } | 98 | } |
98 | 99 | ||
99 | if (m_enabled) | 100 | if (m_enabled) |
100 | m_log.DebugFormat("[JsonStoreScripts] module is enabled"); | 101 | m_log.DebugFormat("[JsonStoreScripts]: module is enabled"); |
101 | } | 102 | } |
102 | 103 | ||
103 | // ----------------------------------------------------------------- | 104 | // ----------------------------------------------------------------- |
@@ -150,7 +151,7 @@ namespace OpenSim.Region.OptionalModules.Scripting.JsonStore | |||
150 | m_comms = m_scene.RequestModuleInterface<IScriptModuleComms>(); | 151 | m_comms = m_scene.RequestModuleInterface<IScriptModuleComms>(); |
151 | if (m_comms == null) | 152 | if (m_comms == null) |
152 | { | 153 | { |
153 | m_log.ErrorFormat("[JsonStoreScripts] ScriptModuleComms interface not defined"); | 154 | m_log.ErrorFormat("[JsonStoreScripts]: ScriptModuleComms interface not defined"); |
154 | m_enabled = false; | 155 | m_enabled = false; |
155 | return; | 156 | return; |
156 | } | 157 | } |
@@ -158,40 +159,20 @@ namespace OpenSim.Region.OptionalModules.Scripting.JsonStore | |||
158 | m_store = m_scene.RequestModuleInterface<IJsonStoreModule>(); | 159 | m_store = m_scene.RequestModuleInterface<IJsonStoreModule>(); |
159 | if (m_store == null) | 160 | if (m_store == null) |
160 | { | 161 | { |
161 | m_log.ErrorFormat("[JsonStoreScripts] JsonModule interface not defined"); | 162 | m_log.ErrorFormat("[JsonStoreScripts]: JsonModule interface not defined"); |
162 | m_enabled = false; | 163 | m_enabled = false; |
163 | return; | 164 | return; |
164 | } | 165 | } |
165 | 166 | ||
166 | try | 167 | try |
167 | { | 168 | { |
168 | m_comms.RegisterScriptInvocation(this,"JsonCreateStore"); | 169 | m_comms.RegisterScriptInvocations(this); |
169 | m_comms.RegisterScriptInvocation(this,"JsonDestroyStore"); | 170 | m_comms.RegisterConstants(this); |
170 | |||
171 | m_comms.RegisterScriptInvocation(this,"JsonReadNotecard"); | ||
172 | m_comms.RegisterScriptInvocation(this,"JsonWriteNotecard"); | ||
173 | |||
174 | m_comms.RegisterScriptInvocation(this,"JsonTestPath"); | ||
175 | m_comms.RegisterScriptInvocation(this,"JsonTestPathJson"); | ||
176 | |||
177 | m_comms.RegisterScriptInvocation(this,"JsonGetValue"); | ||
178 | m_comms.RegisterScriptInvocation(this,"JsonGetValueJson"); | ||
179 | |||
180 | m_comms.RegisterScriptInvocation(this,"JsonTakeValue"); | ||
181 | m_comms.RegisterScriptInvocation(this,"JsonTakeValueJson"); | ||
182 | |||
183 | m_comms.RegisterScriptInvocation(this,"JsonReadValue"); | ||
184 | m_comms.RegisterScriptInvocation(this,"JsonReadValueJson"); | ||
185 | |||
186 | m_comms.RegisterScriptInvocation(this,"JsonSetValue"); | ||
187 | m_comms.RegisterScriptInvocation(this,"JsonSetValueJson"); | ||
188 | |||
189 | m_comms.RegisterScriptInvocation(this,"JsonRemoveValue"); | ||
190 | } | 171 | } |
191 | catch (Exception e) | 172 | catch (Exception e) |
192 | { | 173 | { |
193 | // See http://opensimulator.org/mantis/view.php?id=5971 for more information | 174 | // See http://opensimulator.org/mantis/view.php?id=5971 for more information |
194 | m_log.WarnFormat("[JsonStroreScripts] script method registration failed; {0}",e.Message); | 175 | m_log.WarnFormat("[JsonStoreScripts]: script method registration failed; {0}", e.Message); |
195 | m_enabled = false; | 176 | m_enabled = false; |
196 | } | 177 | } |
197 | } | 178 | } |
@@ -208,23 +189,45 @@ namespace OpenSim.Region.OptionalModules.Scripting.JsonStore | |||
208 | 189 | ||
209 | #endregion | 190 | #endregion |
210 | 191 | ||
192 | #region ScriptConstantsInterface | ||
193 | |||
194 | [ScriptConstant] | ||
195 | public static readonly int JSON_TYPE_UNDEF = (int)JsonStoreNodeType.Undefined; | ||
196 | |||
197 | [ScriptConstant] | ||
198 | public static readonly int JSON_TYPE_OBJECT = (int)JsonStoreNodeType.Object; | ||
199 | |||
200 | [ScriptConstant] | ||
201 | public static readonly int JSON_TYPE_ARRAY = (int)JsonStoreNodeType.Array; | ||
202 | |||
203 | [ScriptConstant] | ||
204 | public static readonly int JSON_TYPE_VALUE = (int)JsonStoreNodeType.Value; | ||
205 | |||
206 | #endregion | ||
207 | |||
211 | #region ScriptInvocationInteface | 208 | #region ScriptInvocationInteface |
212 | // ----------------------------------------------------------------- | 209 | // ----------------------------------------------------------------- |
213 | /// <summary> | 210 | /// <summary> |
214 | /// | 211 | /// |
215 | /// </summary> | 212 | /// </summary> |
216 | // ----------------------------------------------------------------- | 213 | // ----------------------------------------------------------------- |
217 | protected void GenerateRuntimeError(string msg) | 214 | [ScriptInvocation] |
215 | public UUID JsonAttachObjectStore(UUID hostID, UUID scriptID) | ||
218 | { | 216 | { |
219 | throw new Exception("JsonStore Runtime Error: " + msg); | 217 | UUID uuid = UUID.Zero; |
218 | if (! m_store.AttachObjectStore(hostID)) | ||
219 | GenerateRuntimeError("Failed to create Json store"); | ||
220 | |||
221 | return hostID; | ||
220 | } | 222 | } |
221 | 223 | ||
222 | // ----------------------------------------------------------------- | 224 | // ----------------------------------------------------------------- |
223 | /// <summary> | 225 | /// <summary> |
224 | /// | 226 | /// |
225 | /// </summary> | 227 | /// </summary> |
226 | // ----------------------------------------------------------------- | 228 | // ----------------------------------------------------------------- |
227 | protected UUID JsonCreateStore(UUID hostID, UUID scriptID, string value) | 229 | [ScriptInvocation] |
230 | public UUID JsonCreateStore(UUID hostID, UUID scriptID, string value) | ||
228 | { | 231 | { |
229 | UUID uuid = UUID.Zero; | 232 | UUID uuid = UUID.Zero; |
230 | if (! m_store.CreateStore(value, ref uuid)) | 233 | if (! m_store.CreateStore(value, ref uuid)) |
@@ -238,7 +241,8 @@ namespace OpenSim.Region.OptionalModules.Scripting.JsonStore | |||
238 | /// | 241 | /// |
239 | /// </summary> | 242 | /// </summary> |
240 | // ----------------------------------------------------------------- | 243 | // ----------------------------------------------------------------- |
241 | protected int JsonDestroyStore(UUID hostID, UUID scriptID, UUID storeID) | 244 | [ScriptInvocation] |
245 | public int JsonDestroyStore(UUID hostID, UUID scriptID, UUID storeID) | ||
242 | { | 246 | { |
243 | return m_store.DestroyStore(storeID) ? 1 : 0; | 247 | return m_store.DestroyStore(storeID) ? 1 : 0; |
244 | } | 248 | } |
@@ -248,10 +252,22 @@ namespace OpenSim.Region.OptionalModules.Scripting.JsonStore | |||
248 | /// | 252 | /// |
249 | /// </summary> | 253 | /// </summary> |
250 | // ----------------------------------------------------------------- | 254 | // ----------------------------------------------------------------- |
251 | protected UUID JsonReadNotecard(UUID hostID, UUID scriptID, UUID storeID, string path, UUID assetID) | 255 | [ScriptInvocation] |
256 | public int JsonTestStore(UUID hostID, UUID scriptID, UUID storeID) | ||
257 | { | ||
258 | return m_store.TestStore(storeID) ? 1 : 0; | ||
259 | } | ||
260 | |||
261 | // ----------------------------------------------------------------- | ||
262 | /// <summary> | ||
263 | /// | ||
264 | /// </summary> | ||
265 | // ----------------------------------------------------------------- | ||
266 | [ScriptInvocation] | ||
267 | public UUID JsonReadNotecard(UUID hostID, UUID scriptID, UUID storeID, string path, string notecardIdentifier) | ||
252 | { | 268 | { |
253 | UUID reqID = UUID.Random(); | 269 | UUID reqID = UUID.Random(); |
254 | Util.FireAndForget(delegate(object o) { DoJsonReadNotecard(reqID,hostID,scriptID,storeID,path,assetID); }); | 270 | Util.FireAndForget(o => DoJsonReadNotecard(reqID, hostID, scriptID, storeID, path, notecardIdentifier)); |
255 | return reqID; | 271 | return reqID; |
256 | } | 272 | } |
257 | 273 | ||
@@ -260,7 +276,8 @@ namespace OpenSim.Region.OptionalModules.Scripting.JsonStore | |||
260 | /// | 276 | /// |
261 | /// </summary> | 277 | /// </summary> |
262 | // ----------------------------------------------------------------- | 278 | // ----------------------------------------------------------------- |
263 | protected UUID JsonWriteNotecard(UUID hostID, UUID scriptID, UUID storeID, string path, string name) | 279 | [ScriptInvocation] |
280 | public UUID JsonWriteNotecard(UUID hostID, UUID scriptID, UUID storeID, string path, string name) | ||
264 | { | 281 | { |
265 | UUID reqID = UUID.Random(); | 282 | UUID reqID = UUID.Random(); |
266 | Util.FireAndForget(delegate(object o) { DoJsonWriteNotecard(reqID,hostID,scriptID,storeID,path,name); }); | 283 | Util.FireAndForget(delegate(object o) { DoJsonWriteNotecard(reqID,hostID,scriptID,storeID,path,name); }); |
@@ -272,14 +289,30 @@ namespace OpenSim.Region.OptionalModules.Scripting.JsonStore | |||
272 | /// | 289 | /// |
273 | /// </summary> | 290 | /// </summary> |
274 | // ----------------------------------------------------------------- | 291 | // ----------------------------------------------------------------- |
275 | protected int JsonTestPath(UUID hostID, UUID scriptID, UUID storeID, string path) | 292 | [ScriptInvocation] |
293 | public string JsonList2Path(UUID hostID, UUID scriptID, object[] pathlist) | ||
276 | { | 294 | { |
277 | return m_store.TestPath(storeID,path,false) ? 1 : 0; | 295 | string ipath = ConvertList2Path(pathlist); |
278 | } | 296 | string opath; |
297 | |||
298 | if (JsonStore.CanonicalPathExpression(ipath,out opath)) | ||
299 | return opath; | ||
279 | 300 | ||
280 | protected int JsonTestPathJson(UUID hostID, UUID scriptID, UUID storeID, string path) | 301 | // This won't parse if passed to the other routines as opposed to |
302 | // returning an empty string which is a valid path and would overwrite | ||
303 | // the entire store | ||
304 | return "**INVALID**"; | ||
305 | } | ||
306 | |||
307 | // ----------------------------------------------------------------- | ||
308 | /// <summary> | ||
309 | /// | ||
310 | /// </summary> | ||
311 | // ----------------------------------------------------------------- | ||
312 | [ScriptInvocation] | ||
313 | public int JsonGetPathType(UUID hostID, UUID scriptID, UUID storeID, string path) | ||
281 | { | 314 | { |
282 | return m_store.TestPath(storeID,path,true) ? 1 : 0; | 315 | return (int)m_store.GetPathType(storeID,path); |
283 | } | 316 | } |
284 | 317 | ||
285 | // ----------------------------------------------------------------- | 318 | // ----------------------------------------------------------------- |
@@ -287,12 +320,14 @@ namespace OpenSim.Region.OptionalModules.Scripting.JsonStore | |||
287 | /// | 320 | /// |
288 | /// </summary> | 321 | /// </summary> |
289 | // ----------------------------------------------------------------- | 322 | // ----------------------------------------------------------------- |
290 | protected int JsonSetValue(UUID hostID, UUID scriptID, UUID storeID, string path, string value) | 323 | [ScriptInvocation] |
324 | public int JsonSetValue(UUID hostID, UUID scriptID, UUID storeID, string path, string value) | ||
291 | { | 325 | { |
292 | return m_store.SetValue(storeID,path,value,false) ? 1 : 0; | 326 | return m_store.SetValue(storeID,path,value,false) ? 1 : 0; |
293 | } | 327 | } |
294 | 328 | ||
295 | protected int JsonSetValueJson(UUID hostID, UUID scriptID, UUID storeID, string path, string value) | 329 | [ScriptInvocation] |
330 | public int JsonSetJson(UUID hostID, UUID scriptID, UUID storeID, string path, string value) | ||
296 | { | 331 | { |
297 | return m_store.SetValue(storeID,path,value,true) ? 1 : 0; | 332 | return m_store.SetValue(storeID,path,value,true) ? 1 : 0; |
298 | } | 333 | } |
@@ -302,7 +337,8 @@ namespace OpenSim.Region.OptionalModules.Scripting.JsonStore | |||
302 | /// | 337 | /// |
303 | /// </summary> | 338 | /// </summary> |
304 | // ----------------------------------------------------------------- | 339 | // ----------------------------------------------------------------- |
305 | protected int JsonRemoveValue(UUID hostID, UUID scriptID, UUID storeID, string path) | 340 | [ScriptInvocation] |
341 | public int JsonRemoveValue(UUID hostID, UUID scriptID, UUID storeID, string path) | ||
306 | { | 342 | { |
307 | return m_store.RemoveValue(storeID,path) ? 1 : 0; | 343 | return m_store.RemoveValue(storeID,path) ? 1 : 0; |
308 | } | 344 | } |
@@ -312,14 +348,27 @@ namespace OpenSim.Region.OptionalModules.Scripting.JsonStore | |||
312 | /// | 348 | /// |
313 | /// </summary> | 349 | /// </summary> |
314 | // ----------------------------------------------------------------- | 350 | // ----------------------------------------------------------------- |
315 | protected string JsonGetValue(UUID hostID, UUID scriptID, UUID storeID, string path) | 351 | [ScriptInvocation] |
352 | public int JsonGetArrayLength(UUID hostID, UUID scriptID, UUID storeID, string path) | ||
353 | { | ||
354 | return m_store.GetArrayLength(storeID,path); | ||
355 | } | ||
356 | |||
357 | // ----------------------------------------------------------------- | ||
358 | /// <summary> | ||
359 | /// | ||
360 | /// </summary> | ||
361 | // ----------------------------------------------------------------- | ||
362 | [ScriptInvocation] | ||
363 | public string JsonGetValue(UUID hostID, UUID scriptID, UUID storeID, string path) | ||
316 | { | 364 | { |
317 | string value = String.Empty; | 365 | string value = String.Empty; |
318 | m_store.GetValue(storeID,path,false,out value); | 366 | m_store.GetValue(storeID,path,false,out value); |
319 | return value; | 367 | return value; |
320 | } | 368 | } |
321 | 369 | ||
322 | protected string JsonGetValueJson(UUID hostID, UUID scriptID, UUID storeID, string path) | 370 | [ScriptInvocation] |
371 | public string JsonGetJson(UUID hostID, UUID scriptID, UUID storeID, string path) | ||
323 | { | 372 | { |
324 | string value = String.Empty; | 373 | string value = String.Empty; |
325 | m_store.GetValue(storeID,path,true, out value); | 374 | m_store.GetValue(storeID,path,true, out value); |
@@ -331,80 +380,105 @@ namespace OpenSim.Region.OptionalModules.Scripting.JsonStore | |||
331 | /// | 380 | /// |
332 | /// </summary> | 381 | /// </summary> |
333 | // ----------------------------------------------------------------- | 382 | // ----------------------------------------------------------------- |
334 | protected UUID JsonTakeValue(UUID hostID, UUID scriptID, UUID storeID, string path) | 383 | [ScriptInvocation] |
384 | public UUID JsonTakeValue(UUID hostID, UUID scriptID, UUID storeID, string path) | ||
335 | { | 385 | { |
336 | UUID reqID = UUID.Random(); | 386 | UUID reqID = UUID.Random(); |
337 | Util.FireAndForget(delegate(object o) { DoJsonTakeValue(scriptID,reqID,storeID,path,false); }); | 387 | Util.FireAndForget(delegate(object o) { DoJsonTakeValue(scriptID,reqID,storeID,path,false); }); |
338 | return reqID; | 388 | return reqID; |
339 | } | 389 | } |
340 | 390 | ||
341 | protected UUID JsonTakeValueJson(UUID hostID, UUID scriptID, UUID storeID, string path) | 391 | [ScriptInvocation] |
392 | public UUID JsonTakeValueJson(UUID hostID, UUID scriptID, UUID storeID, string path) | ||
342 | { | 393 | { |
343 | UUID reqID = UUID.Random(); | 394 | UUID reqID = UUID.Random(); |
344 | Util.FireAndForget(delegate(object o) { DoJsonTakeValue(scriptID,reqID,storeID,path,true); }); | 395 | Util.FireAndForget(delegate(object o) { DoJsonTakeValue(scriptID,reqID,storeID,path,true); }); |
345 | return reqID; | 396 | return reqID; |
346 | } | 397 | } |
347 | 398 | ||
348 | private void DoJsonTakeValue(UUID scriptID, UUID reqID, UUID storeID, string path, bool useJson) | ||
349 | { | ||
350 | try | ||
351 | { | ||
352 | m_store.TakeValue(storeID,path,useJson,delegate(string value) { DispatchValue(scriptID,reqID,value); }); | ||
353 | return; | ||
354 | } | ||
355 | catch (Exception e) | ||
356 | { | ||
357 | m_log.InfoFormat("[JsonStoreScripts] unable to retrieve value; {0}",e.ToString()); | ||
358 | } | ||
359 | |||
360 | DispatchValue(scriptID,reqID,String.Empty); | ||
361 | } | ||
362 | |||
363 | |||
364 | // ----------------------------------------------------------------- | 399 | // ----------------------------------------------------------------- |
365 | /// <summary> | 400 | /// <summary> |
366 | /// | 401 | /// |
367 | /// </summary> | 402 | /// </summary> |
368 | // ----------------------------------------------------------------- | 403 | // ----------------------------------------------------------------- |
369 | protected UUID JsonReadValue(UUID hostID, UUID scriptID, UUID storeID, string path) | 404 | [ScriptInvocation] |
405 | public UUID JsonReadValue(UUID hostID, UUID scriptID, UUID storeID, string path) | ||
370 | { | 406 | { |
371 | UUID reqID = UUID.Random(); | 407 | UUID reqID = UUID.Random(); |
372 | Util.FireAndForget(delegate(object o) { DoJsonReadValue(scriptID,reqID,storeID,path,false); }); | 408 | Util.FireAndForget(delegate(object o) { DoJsonReadValue(scriptID,reqID,storeID,path,false); }); |
373 | return reqID; | 409 | return reqID; |
374 | } | 410 | } |
375 | 411 | ||
376 | protected UUID JsonReadValueJson(UUID hostID, UUID scriptID, UUID storeID, string path) | 412 | [ScriptInvocation] |
413 | public UUID JsonReadValueJson(UUID hostID, UUID scriptID, UUID storeID, string path) | ||
377 | { | 414 | { |
378 | UUID reqID = UUID.Random(); | 415 | UUID reqID = UUID.Random(); |
379 | Util.FireAndForget(delegate(object o) { DoJsonReadValue(scriptID,reqID,storeID,path,true); }); | 416 | Util.FireAndForget(delegate(object o) { DoJsonReadValue(scriptID,reqID,storeID,path,true); }); |
380 | return reqID; | 417 | return reqID; |
381 | } | 418 | } |
382 | 419 | ||
383 | private void DoJsonReadValue(UUID scriptID, UUID reqID, UUID storeID, string path, bool useJson) | 420 | #endregion |
421 | |||
422 | // ----------------------------------------------------------------- | ||
423 | /// <summary> | ||
424 | /// | ||
425 | /// </summary> | ||
426 | // ----------------------------------------------------------------- | ||
427 | protected void GenerateRuntimeError(string msg) | ||
428 | { | ||
429 | m_log.InfoFormat("[JsonStore] runtime error: {0}",msg); | ||
430 | throw new Exception("JsonStore Runtime Error: " + msg); | ||
431 | } | ||
432 | |||
433 | // ----------------------------------------------------------------- | ||
434 | /// <summary> | ||
435 | /// | ||
436 | /// </summary> | ||
437 | // ----------------------------------------------------------------- | ||
438 | protected void DispatchValue(UUID scriptID, UUID reqID, string value) | ||
439 | { | ||
440 | m_comms.DispatchReply(scriptID,1,value,reqID.ToString()); | ||
441 | } | ||
442 | |||
443 | // ----------------------------------------------------------------- | ||
444 | /// <summary> | ||
445 | /// | ||
446 | /// </summary> | ||
447 | // ----------------------------------------------------------------- | ||
448 | private void DoJsonTakeValue(UUID scriptID, UUID reqID, UUID storeID, string path, bool useJson) | ||
384 | { | 449 | { |
385 | try | 450 | try |
386 | { | 451 | { |
387 | m_store.ReadValue(storeID,path,useJson,delegate(string value) { DispatchValue(scriptID,reqID,value); }); | 452 | m_store.TakeValue(storeID,path,useJson,delegate(string value) { DispatchValue(scriptID,reqID,value); }); |
388 | return; | 453 | return; |
389 | } | 454 | } |
390 | catch (Exception e) | 455 | catch (Exception e) |
391 | { | 456 | { |
392 | m_log.InfoFormat("[JsonStoreScripts] unable to retrieve value; {0}",e.ToString()); | 457 | m_log.InfoFormat("[JsonStoreScripts]: unable to retrieve value; {0}",e.ToString()); |
393 | } | 458 | } |
394 | 459 | ||
395 | DispatchValue(scriptID,reqID,String.Empty); | 460 | DispatchValue(scriptID,reqID,String.Empty); |
396 | } | 461 | } |
397 | 462 | ||
398 | #endregion | ||
399 | 463 | ||
400 | // ----------------------------------------------------------------- | 464 | // ----------------------------------------------------------------- |
401 | /// <summary> | 465 | /// <summary> |
402 | /// | 466 | /// |
403 | /// </summary> | 467 | /// </summary> |
404 | // ----------------------------------------------------------------- | 468 | // ----------------------------------------------------------------- |
405 | protected void DispatchValue(UUID scriptID, UUID reqID, string value) | 469 | private void DoJsonReadValue(UUID scriptID, UUID reqID, UUID storeID, string path, bool useJson) |
406 | { | 470 | { |
407 | m_comms.DispatchReply(scriptID,1,value,reqID.ToString()); | 471 | try |
472 | { | ||
473 | m_store.ReadValue(storeID,path,useJson,delegate(string value) { DispatchValue(scriptID,reqID,value); }); | ||
474 | return; | ||
475 | } | ||
476 | catch (Exception e) | ||
477 | { | ||
478 | m_log.InfoFormat("[JsonStoreScripts]: unable to retrieve value; {0}",e.ToString()); | ||
479 | } | ||
480 | |||
481 | DispatchValue(scriptID,reqID,String.Empty); | ||
408 | } | 482 | } |
409 | 483 | ||
410 | // ----------------------------------------------------------------- | 484 | // ----------------------------------------------------------------- |
@@ -412,31 +486,40 @@ namespace OpenSim.Region.OptionalModules.Scripting.JsonStore | |||
412 | /// | 486 | /// |
413 | /// </summary> | 487 | /// </summary> |
414 | // ----------------------------------------------------------------- | 488 | // ----------------------------------------------------------------- |
415 | private void DoJsonReadNotecard(UUID reqID, UUID hostID, UUID scriptID, UUID storeID, string path, UUID assetID) | 489 | private void DoJsonReadNotecard( |
490 | UUID reqID, UUID hostID, UUID scriptID, UUID storeID, string path, string notecardIdentifier) | ||
416 | { | 491 | { |
492 | UUID assetID; | ||
493 | |||
494 | if (!UUID.TryParse(notecardIdentifier, out assetID)) | ||
495 | { | ||
496 | SceneObjectPart part = m_scene.GetSceneObjectPart(hostID); | ||
497 | assetID = ScriptUtils.GetAssetIdFromItemName(part, notecardIdentifier, (int)AssetType.Notecard); | ||
498 | } | ||
499 | |||
417 | AssetBase a = m_scene.AssetService.Get(assetID.ToString()); | 500 | AssetBase a = m_scene.AssetService.Get(assetID.ToString()); |
418 | if (a == null) | 501 | if (a == null) |
419 | GenerateRuntimeError(String.Format("Unable to find notecard asset {0}",assetID)); | 502 | GenerateRuntimeError(String.Format("Unable to find notecard asset {0}", assetID)); |
420 | 503 | ||
421 | if (a.Type != (sbyte)AssetType.Notecard) | 504 | if (a.Type != (sbyte)AssetType.Notecard) |
422 | GenerateRuntimeError(String.Format("Invalid notecard asset {0}",assetID)); | 505 | GenerateRuntimeError(String.Format("Invalid notecard asset {0}", assetID)); |
423 | 506 | ||
424 | m_log.DebugFormat("[JsonStoreScripts] read notecard in context {0}",storeID); | 507 | m_log.DebugFormat("[JsonStoreScripts]: read notecard in context {0}",storeID); |
425 | 508 | ||
426 | try | 509 | try |
427 | { | 510 | { |
428 | string jsondata = SLUtil.ParseNotecardToString(Encoding.UTF8.GetString(a.Data)); | 511 | string jsondata = SLUtil.ParseNotecardToString(Encoding.UTF8.GetString(a.Data)); |
429 | int result = m_store.SetValue(storeID, path, jsondata,true) ? 1 : 0; | 512 | int result = m_store.SetValue(storeID, path, jsondata,true) ? 1 : 0; |
430 | m_comms.DispatchReply(scriptID,result, "", reqID.ToString()); | 513 | m_comms.DispatchReply(scriptID, result, "", reqID.ToString()); |
431 | return; | 514 | return; |
432 | } | 515 | } |
433 | catch (Exception e) | 516 | catch (Exception e) |
434 | { | 517 | { |
435 | m_log.WarnFormat("[JsonStoreScripts] Json parsing failed; {0}",e.Message); | 518 | m_log.WarnFormat("[JsonStoreScripts]: Json parsing failed; {0}", e.Message); |
436 | } | 519 | } |
437 | 520 | ||
438 | GenerateRuntimeError(String.Format("Json parsing failed for {0}",assetID.ToString())); | 521 | GenerateRuntimeError(String.Format("Json parsing failed for {0}", assetID)); |
439 | m_comms.DispatchReply(scriptID,0,"",reqID.ToString()); | 522 | m_comms.DispatchReply(scriptID, 0, "", reqID.ToString()); |
440 | } | 523 | } |
441 | 524 | ||
442 | // ----------------------------------------------------------------- | 525 | // ----------------------------------------------------------------- |
@@ -494,5 +577,43 @@ namespace OpenSim.Region.OptionalModules.Scripting.JsonStore | |||
494 | 577 | ||
495 | m_comms.DispatchReply(scriptID,1,assetID.ToString(),reqID.ToString()); | 578 | m_comms.DispatchReply(scriptID,1,assetID.ToString(),reqID.ToString()); |
496 | } | 579 | } |
580 | |||
581 | // ----------------------------------------------------------------- | ||
582 | /// <summary> | ||
583 | /// Convert a list of values that are path components to a single string path | ||
584 | /// </summary> | ||
585 | // ----------------------------------------------------------------- | ||
586 | protected static Regex m_ArrayPattern = new Regex("^([0-9]+|\\+)$"); | ||
587 | private string ConvertList2Path(object[] pathlist) | ||
588 | { | ||
589 | string path = ""; | ||
590 | for (int i = 0; i < pathlist.Length; i++) | ||
591 | { | ||
592 | string token = ""; | ||
593 | |||
594 | if (pathlist[i] is string) | ||
595 | { | ||
596 | token = pathlist[i].ToString(); | ||
597 | |||
598 | // Check to see if this is a bare number which would not be a valid | ||
599 | // identifier otherwise | ||
600 | if (m_ArrayPattern.IsMatch(token)) | ||
601 | token = '[' + token + ']'; | ||
602 | } | ||
603 | else if (pathlist[i] is int) | ||
604 | { | ||
605 | token = "[" + pathlist[i].ToString() + "]"; | ||
606 | } | ||
607 | else | ||
608 | { | ||
609 | token = "." + pathlist[i].ToString() + "."; | ||
610 | } | ||
611 | |||
612 | path += token + "."; | ||
613 | } | ||
614 | |||
615 | return path; | ||
616 | } | ||
617 | |||
497 | } | 618 | } |
498 | } | 619 | } \ No newline at end of file |
diff --git a/OpenSim/Region/OptionalModules/Scripting/JsonStore/Tests/JsonStoreScriptModuleTests.cs b/OpenSim/Region/OptionalModules/Scripting/JsonStore/Tests/JsonStoreScriptModuleTests.cs new file mode 100644 index 0000000..b64dbd4 --- /dev/null +++ b/OpenSim/Region/OptionalModules/Scripting/JsonStore/Tests/JsonStoreScriptModuleTests.cs | |||
@@ -0,0 +1,901 @@ | |||
1 | /* | ||
2 | * Copyright (c) Contributors, http://opensimulator.org/ | ||
3 | * See CONTRIBUTORS.TXT for a full list of copyright holders. | ||
4 | * | ||
5 | * Redistribution and use in source and binary forms, with or without | ||
6 | * modification, are permitted provided that the following conditions are met: | ||
7 | * * Redistributions of source code must retain the above copyright | ||
8 | * notice, this list of conditions and the following disclaimer. | ||
9 | * * Redistributions in binary form must reproduce the above copyright | ||
10 | * notice, this list of conditions and the following disclaimer in the | ||
11 | * documentation and/or other materials provided with the distribution. | ||
12 | * * Neither the name of the OpenSimulator Project nor the | ||
13 | * names of its contributors may be used to endorse or promote products | ||
14 | * derived from this software without specific prior written permission. | ||
15 | * | ||
16 | * THIS SOFTWARE IS PROVIDED BY THE DEVELOPERS ``AS IS'' AND ANY | ||
17 | * EXPRESS OR IMPLIED WARRANTIES, INCLUDING, BUT NOT LIMITED TO, THE IMPLIED | ||
18 | * WARRANTIES OF MERCHANTABILITY AND FITNESS FOR A PARTICULAR PURPOSE ARE | ||
19 | * DISCLAIMED. IN NO EVENT SHALL THE CONTRIBUTORS BE LIABLE FOR ANY | ||
20 | * DIRECT, INDIRECT, INCIDENTAL, SPECIAL, EXEMPLARY, OR CONSEQUENTIAL DAMAGES | ||
21 | * (INCLUDING, BUT NOT LIMITED TO, PROCUREMENT OF SUBSTITUTE GOODS OR SERVICES; | ||
22 | * LOSS OF USE, DATA, OR PROFITS; OR BUSINESS INTERRUPTION) HOWEVER CAUSED AND | ||
23 | * ON ANY THEORY OF LIABILITY, WHETHER IN CONTRACT, STRICT LIABILITY, OR TORT | ||
24 | * (INCLUDING NEGLIGENCE OR OTHERWISE) ARISING IN ANY WAY OUT OF THE USE OF THIS | ||
25 | * SOFTWARE, EVEN IF ADVISED OF THE POSSIBILITY OF SUCH DAMAGE. | ||
26 | */ | ||
27 | |||
28 | using System; | ||
29 | using System.Collections.Generic; | ||
30 | using System.Reflection; | ||
31 | using System.Text; | ||
32 | using log4net; | ||
33 | using Nini.Config; | ||
34 | using NUnit.Framework; | ||
35 | using OpenMetaverse; | ||
36 | using OpenSim.Framework; | ||
37 | using OpenSim.Region.CoreModules.Scripting.ScriptModuleComms; | ||
38 | using OpenSim.Region.Framework.Scenes; | ||
39 | using OpenSim.Region.ScriptEngine.Shared; | ||
40 | using OpenSim.Region.ScriptEngine.Shared.Api; | ||
41 | using OpenSim.Services.Interfaces; | ||
42 | using OpenSim.Tests.Common; | ||
43 | using OpenSim.Tests.Common.Mock; | ||
44 | |||
45 | namespace OpenSim.Region.OptionalModules.Scripting.JsonStore.Tests | ||
46 | { | ||
47 | /// <summary> | ||
48 | /// Tests for inventory functions in LSL | ||
49 | /// </summary> | ||
50 | [TestFixture] | ||
51 | public class JsonStoreScriptModuleTests : OpenSimTestCase | ||
52 | { | ||
53 | private Scene m_scene; | ||
54 | private MockScriptEngine m_engine; | ||
55 | private ScriptModuleCommsModule m_smcm; | ||
56 | private JsonStoreScriptModule m_jssm; | ||
57 | |||
58 | [TestFixtureSetUp] | ||
59 | public void FixtureInit() | ||
60 | { | ||
61 | // Don't allow tests to be bamboozled by asynchronous events. Execute everything on the same thread. | ||
62 | Util.FireAndForgetMethod = FireAndForgetMethod.RegressionTest; | ||
63 | } | ||
64 | |||
65 | [TestFixtureTearDown] | ||
66 | public void TearDown() | ||
67 | { | ||
68 | // We must set this back afterwards, otherwise later tests will fail since they're expecting multiple | ||
69 | // threads. Possibly, later tests should be rewritten so none of them require async stuff (which regression | ||
70 | // tests really shouldn't). | ||
71 | Util.FireAndForgetMethod = Util.DefaultFireAndForgetMethod; | ||
72 | } | ||
73 | |||
74 | [SetUp] | ||
75 | public override void SetUp() | ||
76 | { | ||
77 | base.SetUp(); | ||
78 | |||
79 | IConfigSource configSource = new IniConfigSource(); | ||
80 | IConfig jsonStoreConfig = configSource.AddConfig("JsonStore"); | ||
81 | jsonStoreConfig.Set("Enabled", "true"); | ||
82 | |||
83 | m_engine = new MockScriptEngine(); | ||
84 | m_smcm = new ScriptModuleCommsModule(); | ||
85 | JsonStoreModule jsm = new JsonStoreModule(); | ||
86 | m_jssm = new JsonStoreScriptModule(); | ||
87 | |||
88 | m_scene = new SceneHelpers().SetupScene(); | ||
89 | SceneHelpers.SetupSceneModules(m_scene, configSource, m_engine, m_smcm, jsm, m_jssm); | ||
90 | |||
91 | try | ||
92 | { | ||
93 | m_smcm.RegisterScriptInvocation(this, "DummyTestMethod"); | ||
94 | } | ||
95 | catch (ArgumentException) | ||
96 | { | ||
97 | Assert.Ignore("Ignoring test since running on .NET 3.5 or earlier."); | ||
98 | } | ||
99 | |||
100 | // XXX: Unfortunately, ICommsModule currently has no way of deregistering methods. | ||
101 | } | ||
102 | |||
103 | private object InvokeOp(string name, params object[] args) | ||
104 | { | ||
105 | return InvokeOpOnHost(name, UUID.Zero, args); | ||
106 | } | ||
107 | |||
108 | private object InvokeOpOnHost(string name, UUID hostId, params object[] args) | ||
109 | { | ||
110 | return m_smcm.InvokeOperation(hostId, UUID.Zero, name, args); | ||
111 | } | ||
112 | |||
113 | [Test] | ||
114 | public void TestJsonCreateStore() | ||
115 | { | ||
116 | TestHelpers.InMethod(); | ||
117 | // TestHelpers.EnableLogging(); | ||
118 | |||
119 | // Test blank store | ||
120 | { | ||
121 | UUID storeId = (UUID)InvokeOp("JsonCreateStore", "{}"); | ||
122 | Assert.That(storeId, Is.Not.EqualTo(UUID.Zero)); | ||
123 | } | ||
124 | |||
125 | // Test single element store | ||
126 | { | ||
127 | UUID storeId = (UUID)InvokeOp("JsonCreateStore", "{ 'Hello' : 'World' }"); | ||
128 | Assert.That(storeId, Is.Not.EqualTo(UUID.Zero)); | ||
129 | } | ||
130 | |||
131 | // Test with an integer value | ||
132 | { | ||
133 | UUID storeId = (UUID)InvokeOp("JsonCreateStore", "{ 'Hello' : 42.15 }"); | ||
134 | Assert.That(storeId, Is.Not.EqualTo(UUID.Zero)); | ||
135 | |||
136 | string value = (string)InvokeOp("JsonGetValue", storeId, "Hello"); | ||
137 | Assert.That(value, Is.EqualTo("42.15")); | ||
138 | } | ||
139 | |||
140 | // Test with an array as the root node | ||
141 | { | ||
142 | UUID storeId = (UUID)InvokeOp("JsonCreateStore", "[ 'one', 'two', 'three' ]"); | ||
143 | Assert.That(storeId, Is.Not.EqualTo(UUID.Zero)); | ||
144 | |||
145 | string value = (string)InvokeOp("JsonGetValue", storeId, "[1]"); | ||
146 | Assert.That(value, Is.EqualTo("two")); | ||
147 | } | ||
148 | } | ||
149 | |||
150 | [Test] | ||
151 | public void TestJsonDestroyStore() | ||
152 | { | ||
153 | TestHelpers.InMethod(); | ||
154 | // TestHelpers.EnableLogging(); | ||
155 | |||
156 | UUID storeId = (UUID)InvokeOp("JsonCreateStore", "{ 'Hello' : 'World' }"); | ||
157 | int dsrv = (int)InvokeOp("JsonDestroyStore", storeId); | ||
158 | |||
159 | Assert.That(dsrv, Is.EqualTo(1)); | ||
160 | |||
161 | int tprv = (int)InvokeOp("JsonGetPathType", storeId, "Hello"); | ||
162 | Assert.That(tprv, Is.EqualTo(JsonStoreScriptModule.JSON_TYPE_UNDEF)); | ||
163 | } | ||
164 | |||
165 | [Test] | ||
166 | public void TestJsonDestroyStoreNotExists() | ||
167 | { | ||
168 | TestHelpers.InMethod(); | ||
169 | // TestHelpers.EnableLogging(); | ||
170 | |||
171 | UUID fakeStoreId = TestHelpers.ParseTail(0x500); | ||
172 | |||
173 | int dsrv = (int)InvokeOp("JsonDestroyStore", fakeStoreId); | ||
174 | |||
175 | Assert.That(dsrv, Is.EqualTo(0)); | ||
176 | } | ||
177 | |||
178 | [Test] | ||
179 | public void TestJsonGetValue() | ||
180 | { | ||
181 | TestHelpers.InMethod(); | ||
182 | // TestHelpers.EnableLogging(); | ||
183 | |||
184 | UUID storeId = (UUID)InvokeOp("JsonCreateStore", "{ 'Hello' : { 'World' : 'Two' } }"); | ||
185 | |||
186 | { | ||
187 | string value = (string)InvokeOp("JsonGetValue", storeId, "Hello.World"); | ||
188 | Assert.That(value, Is.EqualTo("Two")); | ||
189 | } | ||
190 | |||
191 | // Test get of path section instead of leaf | ||
192 | { | ||
193 | string value = (string)InvokeOp("JsonGetValue", storeId, "Hello"); | ||
194 | Assert.That(value, Is.EqualTo("")); | ||
195 | } | ||
196 | |||
197 | // Test get of non-existing value | ||
198 | { | ||
199 | string fakeValueGet = (string)InvokeOp("JsonGetValue", storeId, "foo"); | ||
200 | Assert.That(fakeValueGet, Is.EqualTo("")); | ||
201 | } | ||
202 | |||
203 | // Test get from non-existing store | ||
204 | { | ||
205 | UUID fakeStoreId = TestHelpers.ParseTail(0x500); | ||
206 | string fakeStoreValueGet = (string)InvokeOp("JsonGetValue", fakeStoreId, "Hello"); | ||
207 | Assert.That(fakeStoreValueGet, Is.EqualTo("")); | ||
208 | } | ||
209 | } | ||
210 | |||
211 | [Test] | ||
212 | public void TestJsonGetJson() | ||
213 | { | ||
214 | TestHelpers.InMethod(); | ||
215 | // TestHelpers.EnableLogging(); | ||
216 | |||
217 | UUID storeId = (UUID)InvokeOp("JsonCreateStore", "{ 'Hello' : { 'World' : 'Two' } }"); | ||
218 | |||
219 | { | ||
220 | string value = (string)InvokeOp("JsonGetJson", storeId, "Hello.World"); | ||
221 | Assert.That(value, Is.EqualTo("'Two'")); | ||
222 | } | ||
223 | |||
224 | // Test get of path section instead of leaf | ||
225 | { | ||
226 | string value = (string)InvokeOp("JsonGetJson", storeId, "Hello"); | ||
227 | Assert.That(value, Is.EqualTo("{\"World\":\"Two\"}")); | ||
228 | } | ||
229 | |||
230 | // Test get of non-existing value | ||
231 | { | ||
232 | string fakeValueGet = (string)InvokeOp("JsonGetJson", storeId, "foo"); | ||
233 | Assert.That(fakeValueGet, Is.EqualTo("")); | ||
234 | } | ||
235 | |||
236 | // Test get from non-existing store | ||
237 | { | ||
238 | UUID fakeStoreId = TestHelpers.ParseTail(0x500); | ||
239 | string fakeStoreValueGet = (string)InvokeOp("JsonGetJson", fakeStoreId, "Hello"); | ||
240 | Assert.That(fakeStoreValueGet, Is.EqualTo("")); | ||
241 | } | ||
242 | } | ||
243 | |||
244 | // [Test] | ||
245 | // public void TestJsonTakeValue() | ||
246 | // { | ||
247 | // TestHelpers.InMethod(); | ||
248 | //// TestHelpers.EnableLogging(); | ||
249 | // | ||
250 | // UUID storeId | ||
251 | // = (UUID)m_smcm.InvokeOperation( | ||
252 | // UUID.Zero, UUID.Zero, "JsonCreateStore", new object[] { "{ 'Hello' : 'World' }" }); | ||
253 | // | ||
254 | // string value | ||
255 | // = (string)m_smcm.InvokeOperation( | ||
256 | // UUID.Zero, UUID.Zero, "JsonTakeValue", new object[] { storeId, "Hello" }); | ||
257 | // | ||
258 | // Assert.That(value, Is.EqualTo("World")); | ||
259 | // | ||
260 | // string value2 | ||
261 | // = (string)m_smcm.InvokeOperation( | ||
262 | // UUID.Zero, UUID.Zero, "JsonGetValue", new object[] { storeId, "Hello" }); | ||
263 | // | ||
264 | // Assert.That(value, Is.Null); | ||
265 | // } | ||
266 | |||
267 | [Test] | ||
268 | public void TestJsonRemoveValue() | ||
269 | { | ||
270 | TestHelpers.InMethod(); | ||
271 | // TestHelpers.EnableLogging(); | ||
272 | |||
273 | // Test remove of node in object pointing to a string | ||
274 | { | ||
275 | UUID storeId = (UUID)InvokeOp("JsonCreateStore", "{ 'Hello' : 'World' }"); | ||
276 | |||
277 | int returnValue = (int)InvokeOp( "JsonRemoveValue", storeId, "Hello"); | ||
278 | Assert.That(returnValue, Is.EqualTo(1)); | ||
279 | |||
280 | int result = (int)InvokeOp("JsonGetPathType", storeId, "Hello"); | ||
281 | Assert.That(result, Is.EqualTo(JsonStoreScriptModule.JSON_TYPE_UNDEF)); | ||
282 | |||
283 | string returnValue2 = (string)InvokeOp("JsonGetValue", storeId, "Hello"); | ||
284 | Assert.That(returnValue2, Is.EqualTo("")); | ||
285 | } | ||
286 | |||
287 | // Test remove of node in object pointing to another object | ||
288 | { | ||
289 | UUID storeId = (UUID)InvokeOp("JsonCreateStore", "{ 'Hello' : { 'World' : 'Wally' } }"); | ||
290 | |||
291 | int returnValue = (int)InvokeOp( "JsonRemoveValue", storeId, "Hello"); | ||
292 | Assert.That(returnValue, Is.EqualTo(1)); | ||
293 | |||
294 | int result = (int)InvokeOp("JsonGetPathType", storeId, "Hello"); | ||
295 | Assert.That(result, Is.EqualTo(JsonStoreScriptModule.JSON_TYPE_UNDEF)); | ||
296 | |||
297 | string returnValue2 = (string)InvokeOp("JsonGetJson", storeId, "Hello"); | ||
298 | Assert.That(returnValue2, Is.EqualTo("")); | ||
299 | } | ||
300 | |||
301 | // Test remove of node in an array | ||
302 | { | ||
303 | UUID storeId | ||
304 | = (UUID)InvokeOp("JsonCreateStore", "{ 'Hello' : [ 'value1', 'value2' ] }"); | ||
305 | |||
306 | int returnValue = (int)InvokeOp( "JsonRemoveValue", storeId, "Hello[0]"); | ||
307 | Assert.That(returnValue, Is.EqualTo(1)); | ||
308 | |||
309 | int result = (int)InvokeOp("JsonGetPathType", storeId, "Hello[0]"); | ||
310 | Assert.That(result, Is.EqualTo(JsonStoreScriptModule.JSON_TYPE_VALUE)); | ||
311 | |||
312 | result = (int)InvokeOp("JsonGetPathType", storeId, "Hello[1]"); | ||
313 | Assert.That(result, Is.EqualTo(JsonStoreScriptModule.JSON_TYPE_UNDEF)); | ||
314 | |||
315 | string stringReturnValue = (string)InvokeOp("JsonGetValue", storeId, "Hello[0]"); | ||
316 | Assert.That(stringReturnValue, Is.EqualTo("value2")); | ||
317 | |||
318 | stringReturnValue = (string)InvokeOp("JsonGetJson", storeId, "Hello[1]"); | ||
319 | Assert.That(stringReturnValue, Is.EqualTo("")); | ||
320 | } | ||
321 | |||
322 | // Test remove of non-existing value | ||
323 | { | ||
324 | UUID storeId = (UUID)InvokeOp("JsonCreateStore", "{ 'Hello' : 'World' }"); | ||
325 | |||
326 | int fakeValueRemove = (int)InvokeOp("JsonRemoveValue", storeId, "Cheese"); | ||
327 | Assert.That(fakeValueRemove, Is.EqualTo(0)); | ||
328 | } | ||
329 | |||
330 | { | ||
331 | // Test get from non-existing store | ||
332 | UUID fakeStoreId = TestHelpers.ParseTail(0x500); | ||
333 | int fakeStoreValueRemove = (int)InvokeOp("JsonRemoveValue", fakeStoreId, "Hello"); | ||
334 | Assert.That(fakeStoreValueRemove, Is.EqualTo(0)); | ||
335 | } | ||
336 | } | ||
337 | |||
338 | // [Test] | ||
339 | // public void TestJsonTestPath() | ||
340 | // { | ||
341 | // TestHelpers.InMethod(); | ||
342 | //// TestHelpers.EnableLogging(); | ||
343 | // | ||
344 | // UUID storeId = (UUID)InvokeOp("JsonCreateStore", "{ 'Hello' : { 'World' : 'One' } }"); | ||
345 | // | ||
346 | // { | ||
347 | // int result = (int)InvokeOp("JsonTestPath", storeId, "Hello.World"); | ||
348 | // Assert.That(result, Is.EqualTo(1)); | ||
349 | // } | ||
350 | // | ||
351 | // // Test for path which does not resolve to a value. | ||
352 | // { | ||
353 | // int result = (int)InvokeOp("JsonTestPath", storeId, "Hello"); | ||
354 | // Assert.That(result, Is.EqualTo(0)); | ||
355 | // } | ||
356 | // | ||
357 | // { | ||
358 | // int result2 = (int)InvokeOp("JsonTestPath", storeId, "foo"); | ||
359 | // Assert.That(result2, Is.EqualTo(0)); | ||
360 | // } | ||
361 | // | ||
362 | // // Test with fake store | ||
363 | // { | ||
364 | // UUID fakeStoreId = TestHelpers.ParseTail(0x500); | ||
365 | // int fakeStoreValueRemove = (int)InvokeOp("JsonTestPath", fakeStoreId, "Hello"); | ||
366 | // Assert.That(fakeStoreValueRemove, Is.EqualTo(0)); | ||
367 | // } | ||
368 | // } | ||
369 | |||
370 | // [Test] | ||
371 | // public void TestJsonTestPathJson() | ||
372 | // { | ||
373 | // TestHelpers.InMethod(); | ||
374 | //// TestHelpers.EnableLogging(); | ||
375 | // | ||
376 | // UUID storeId = (UUID)InvokeOp("JsonCreateStore", "{ 'Hello' : { 'World' : 'One' } }"); | ||
377 | // | ||
378 | // { | ||
379 | // int result = (int)InvokeOp("JsonTestPathJson", storeId, "Hello.World"); | ||
380 | // Assert.That(result, Is.EqualTo(1)); | ||
381 | // } | ||
382 | // | ||
383 | // // Test for path which does not resolve to a value. | ||
384 | // { | ||
385 | // int result = (int)InvokeOp("JsonTestPathJson", storeId, "Hello"); | ||
386 | // Assert.That(result, Is.EqualTo(1)); | ||
387 | // } | ||
388 | // | ||
389 | // { | ||
390 | // int result2 = (int)InvokeOp("JsonTestPathJson", storeId, "foo"); | ||
391 | // Assert.That(result2, Is.EqualTo(0)); | ||
392 | // } | ||
393 | // | ||
394 | // // Test with fake store | ||
395 | // { | ||
396 | // UUID fakeStoreId = TestHelpers.ParseTail(0x500); | ||
397 | // int fakeStoreValueRemove = (int)InvokeOp("JsonTestPathJson", fakeStoreId, "Hello"); | ||
398 | // Assert.That(fakeStoreValueRemove, Is.EqualTo(0)); | ||
399 | // } | ||
400 | // } | ||
401 | |||
402 | [Test] | ||
403 | public void TestJsonGetArrayLength() | ||
404 | { | ||
405 | TestHelpers.InMethod(); | ||
406 | // TestHelpers.EnableLogging(); | ||
407 | |||
408 | UUID storeId = (UUID)InvokeOp("JsonCreateStore", "{ 'Hello' : { 'World' : [ 'one', 2 ] } }"); | ||
409 | |||
410 | { | ||
411 | int result = (int)InvokeOp("JsonGetArrayLength", storeId, "Hello.World"); | ||
412 | Assert.That(result, Is.EqualTo(2)); | ||
413 | } | ||
414 | |||
415 | // Test path which is not an array | ||
416 | { | ||
417 | int result = (int)InvokeOp("JsonGetArrayLength", storeId, "Hello"); | ||
418 | Assert.That(result, Is.EqualTo(-1)); | ||
419 | } | ||
420 | |||
421 | // Test fake path | ||
422 | { | ||
423 | int result = (int)InvokeOp("JsonGetArrayLength", storeId, "foo"); | ||
424 | Assert.That(result, Is.EqualTo(-1)); | ||
425 | } | ||
426 | |||
427 | // Test fake store | ||
428 | { | ||
429 | UUID fakeStoreId = TestHelpers.ParseTail(0x500); | ||
430 | int result = (int)InvokeOp("JsonGetArrayLength", fakeStoreId, "Hello.World"); | ||
431 | Assert.That(result, Is.EqualTo(-1)); | ||
432 | } | ||
433 | } | ||
434 | |||
435 | [Test] | ||
436 | public void TestJsonGetPathType() | ||
437 | { | ||
438 | TestHelpers.InMethod(); | ||
439 | // TestHelpers.EnableLogging(); | ||
440 | |||
441 | UUID storeId = (UUID)InvokeOp("JsonCreateStore", "{ 'Hello' : { 'World' : [ 'one', 2 ] } }"); | ||
442 | |||
443 | { | ||
444 | int result = (int)InvokeOp("JsonGetPathType", storeId, "."); | ||
445 | Assert.That(result, Is.EqualTo(JsonStoreScriptModule.JSON_TYPE_OBJECT)); | ||
446 | } | ||
447 | |||
448 | { | ||
449 | int result = (int)InvokeOp("JsonGetPathType", storeId, "Hello"); | ||
450 | Assert.That(result, Is.EqualTo(JsonStoreScriptModule.JSON_TYPE_OBJECT)); | ||
451 | } | ||
452 | |||
453 | { | ||
454 | int result = (int)InvokeOp("JsonGetPathType", storeId, "Hello.World"); | ||
455 | Assert.That(result, Is.EqualTo(JsonStoreScriptModule.JSON_TYPE_ARRAY)); | ||
456 | } | ||
457 | |||
458 | { | ||
459 | int result = (int)InvokeOp("JsonGetPathType", storeId, "Hello.World[0]"); | ||
460 | Assert.That(result, Is.EqualTo(JsonStoreScriptModule.JSON_TYPE_VALUE)); | ||
461 | } | ||
462 | |||
463 | { | ||
464 | int result = (int)InvokeOp("JsonGetPathType", storeId, "Hello.World[1]"); | ||
465 | Assert.That(result, Is.EqualTo(JsonStoreScriptModule.JSON_TYPE_VALUE)); | ||
466 | } | ||
467 | |||
468 | // Test for non-existant path | ||
469 | { | ||
470 | int result = (int)InvokeOp("JsonGetPathType", storeId, "foo"); | ||
471 | Assert.That(result, Is.EqualTo(JsonStoreScriptModule.JSON_TYPE_UNDEF)); | ||
472 | } | ||
473 | |||
474 | // Test for non-existant store | ||
475 | { | ||
476 | UUID fakeStoreId = TestHelpers.ParseTail(0x500); | ||
477 | int result = (int)InvokeOp("JsonGetPathType", fakeStoreId, "."); | ||
478 | Assert.That(result, Is.EqualTo(JsonStoreScriptModule.JSON_TYPE_UNDEF)); | ||
479 | } | ||
480 | } | ||
481 | |||
482 | [Test] | ||
483 | public void TestJsonList2Path() | ||
484 | { | ||
485 | TestHelpers.InMethod(); | ||
486 | // TestHelpers.EnableLogging(); | ||
487 | |||
488 | // Invoking these methods directly since I just couldn't get comms module invocation to work for some reason | ||
489 | // - some confusion with the methods that take a params object[] invocation. | ||
490 | { | ||
491 | string result = m_jssm.JsonList2Path(UUID.Zero, UUID.Zero, new object[] { "foo" }); | ||
492 | Assert.That(result, Is.EqualTo("{foo}")); | ||
493 | } | ||
494 | |||
495 | { | ||
496 | string result = m_jssm.JsonList2Path(UUID.Zero, UUID.Zero, new object[] { "foo", "bar" }); | ||
497 | Assert.That(result, Is.EqualTo("{foo}.{bar}")); | ||
498 | } | ||
499 | |||
500 | { | ||
501 | string result = m_jssm.JsonList2Path(UUID.Zero, UUID.Zero, new object[] { "foo", 1, "bar" }); | ||
502 | Assert.That(result, Is.EqualTo("{foo}.[1].{bar}")); | ||
503 | } | ||
504 | } | ||
505 | |||
506 | [Test] | ||
507 | public void TestJsonSetValue() | ||
508 | { | ||
509 | TestHelpers.InMethod(); | ||
510 | // TestHelpers.EnableLogging(); | ||
511 | |||
512 | { | ||
513 | UUID storeId = (UUID)InvokeOp("JsonCreateStore", "{}"); | ||
514 | |||
515 | int result = (int)InvokeOp("JsonSetValue", storeId, "Fun", "Times"); | ||
516 | Assert.That(result, Is.EqualTo(1)); | ||
517 | |||
518 | string value = (string)InvokeOp("JsonGetValue", storeId, "Fun"); | ||
519 | Assert.That(value, Is.EqualTo("Times")); | ||
520 | } | ||
521 | |||
522 | // Test setting a key containing periods with delineation | ||
523 | { | ||
524 | UUID storeId = (UUID)InvokeOp("JsonCreateStore", "{}"); | ||
525 | |||
526 | int result = (int)InvokeOp("JsonSetValue", storeId, "{Fun.Circus}", "Times"); | ||
527 | Assert.That(result, Is.EqualTo(1)); | ||
528 | |||
529 | string value = (string)InvokeOp("JsonGetValue", storeId, "{Fun.Circus}"); | ||
530 | Assert.That(value, Is.EqualTo("Times")); | ||
531 | } | ||
532 | |||
533 | // *** Test [] *** | ||
534 | |||
535 | // Test setting a key containing unbalanced ] without delineation. Expecting failure | ||
536 | { | ||
537 | UUID storeId = (UUID)InvokeOp("JsonCreateStore", "{}"); | ||
538 | |||
539 | int result = (int)InvokeOp("JsonSetValue", storeId, "Fun]Circus", "Times"); | ||
540 | Assert.That(result, Is.EqualTo(0)); | ||
541 | |||
542 | string value = (string)InvokeOp("JsonGetValue", storeId, "Fun]Circus"); | ||
543 | Assert.That(value, Is.EqualTo("")); | ||
544 | } | ||
545 | |||
546 | // Test setting a key containing unbalanced [ without delineation. Expecting failure | ||
547 | { | ||
548 | UUID storeId = (UUID)InvokeOp("JsonCreateStore", "{}"); | ||
549 | |||
550 | int result = (int)InvokeOp("JsonSetValue", storeId, "Fun[Circus", "Times"); | ||
551 | Assert.That(result, Is.EqualTo(0)); | ||
552 | |||
553 | string value = (string)InvokeOp("JsonGetValue", storeId, "Fun[Circus"); | ||
554 | Assert.That(value, Is.EqualTo("")); | ||
555 | } | ||
556 | |||
557 | // Test setting a key containing unbalanced [] without delineation. Expecting failure | ||
558 | { | ||
559 | UUID storeId = (UUID)InvokeOp("JsonCreateStore", "{}"); | ||
560 | |||
561 | int result = (int)InvokeOp("JsonSetValue", storeId, "Fun[]Circus", "Times"); | ||
562 | Assert.That(result, Is.EqualTo(0)); | ||
563 | |||
564 | string value = (string)InvokeOp("JsonGetValue", storeId, "Fun[]Circus"); | ||
565 | Assert.That(value, Is.EqualTo("")); | ||
566 | } | ||
567 | |||
568 | // Test setting a key containing unbalanced ] with delineation | ||
569 | { | ||
570 | UUID storeId = (UUID)InvokeOp("JsonCreateStore", "{}"); | ||
571 | |||
572 | int result = (int)InvokeOp("JsonSetValue", storeId, "{Fun]Circus}", "Times"); | ||
573 | Assert.That(result, Is.EqualTo(1)); | ||
574 | |||
575 | string value = (string)InvokeOp("JsonGetValue", storeId, "{Fun]Circus}"); | ||
576 | Assert.That(value, Is.EqualTo("Times")); | ||
577 | } | ||
578 | |||
579 | // Test setting a key containing unbalanced [ with delineation | ||
580 | { | ||
581 | UUID storeId = (UUID)InvokeOp("JsonCreateStore", "{}"); | ||
582 | |||
583 | int result = (int)InvokeOp("JsonSetValue", storeId, "{Fun[Circus}", "Times"); | ||
584 | Assert.That(result, Is.EqualTo(1)); | ||
585 | |||
586 | string value = (string)InvokeOp("JsonGetValue", storeId, "{Fun[Circus}"); | ||
587 | Assert.That(value, Is.EqualTo("Times")); | ||
588 | } | ||
589 | |||
590 | // Test setting a key containing empty balanced [] with delineation | ||
591 | { | ||
592 | UUID storeId = (UUID)InvokeOp("JsonCreateStore", "{}"); | ||
593 | |||
594 | int result = (int)InvokeOp("JsonSetValue", storeId, "{Fun[]Circus}", "Times"); | ||
595 | Assert.That(result, Is.EqualTo(1)); | ||
596 | |||
597 | string value = (string)InvokeOp("JsonGetValue", storeId, "{Fun[]Circus}"); | ||
598 | Assert.That(value, Is.EqualTo("Times")); | ||
599 | } | ||
600 | |||
601 | // // Commented out as this currently unexpectedly fails. | ||
602 | // // Test setting a key containing brackets around an integer with delineation | ||
603 | // { | ||
604 | // UUID storeId = (UUID)InvokeOp("JsonCreateStore", "{}"); | ||
605 | // | ||
606 | // int result = (int)InvokeOp("JsonSetValue", storeId, "{Fun[0]Circus}", "Times"); | ||
607 | // Assert.That(result, Is.EqualTo(1)); | ||
608 | // | ||
609 | // string value = (string)InvokeOp("JsonGetValue", storeId, "{Fun[0]Circus}"); | ||
610 | // Assert.That(value, Is.EqualTo("Times")); | ||
611 | // } | ||
612 | |||
613 | // *** Test {} *** | ||
614 | |||
615 | // Test setting a key containing unbalanced } without delineation. Expecting failure (?) | ||
616 | { | ||
617 | UUID storeId = (UUID)InvokeOp("JsonCreateStore", "{}"); | ||
618 | |||
619 | int result = (int)InvokeOp("JsonSetValue", storeId, "Fun}Circus", "Times"); | ||
620 | Assert.That(result, Is.EqualTo(0)); | ||
621 | |||
622 | string value = (string)InvokeOp("JsonGetValue", storeId, "Fun}Circus"); | ||
623 | Assert.That(value, Is.EqualTo("")); | ||
624 | } | ||
625 | |||
626 | // Test setting a key containing unbalanced { without delineation. Expecting failure (?) | ||
627 | { | ||
628 | UUID storeId = (UUID)InvokeOp("JsonCreateStore", "{}"); | ||
629 | |||
630 | int result = (int)InvokeOp("JsonSetValue", storeId, "Fun{Circus", "Times"); | ||
631 | Assert.That(result, Is.EqualTo(0)); | ||
632 | |||
633 | string value = (string)InvokeOp("JsonGetValue", storeId, "Fun}Circus"); | ||
634 | Assert.That(value, Is.EqualTo("")); | ||
635 | } | ||
636 | |||
637 | // // Commented out as this currently unexpectedly fails. | ||
638 | // // Test setting a key containing unbalanced } | ||
639 | // { | ||
640 | // UUID storeId = (UUID)InvokeOp("JsonCreateStore", "{}"); | ||
641 | // | ||
642 | // int result = (int)InvokeOp("JsonSetValue", storeId, "{Fun}Circus}", "Times"); | ||
643 | // Assert.That(result, Is.EqualTo(0)); | ||
644 | // } | ||
645 | |||
646 | // Test setting a key containing unbalanced { with delineation | ||
647 | { | ||
648 | UUID storeId = (UUID)InvokeOp("JsonCreateStore", "{}"); | ||
649 | |||
650 | int result = (int)InvokeOp("JsonSetValue", storeId, "{Fun{Circus}", "Times"); | ||
651 | Assert.That(result, Is.EqualTo(1)); | ||
652 | |||
653 | string value = (string)InvokeOp("JsonGetValue", storeId, "{Fun{Circus}"); | ||
654 | Assert.That(value, Is.EqualTo("Times")); | ||
655 | } | ||
656 | |||
657 | // Test setting a key containing balanced {} with delineation. This should fail. | ||
658 | { | ||
659 | UUID storeId = (UUID)InvokeOp("JsonCreateStore", "{}"); | ||
660 | |||
661 | int result = (int)InvokeOp("JsonSetValue", storeId, "{Fun{Filled}Circus}", "Times"); | ||
662 | Assert.That(result, Is.EqualTo(0)); | ||
663 | |||
664 | string value = (string)InvokeOp("JsonGetValue", storeId, "{Fun{Filled}Circus}"); | ||
665 | Assert.That(value, Is.EqualTo("")); | ||
666 | } | ||
667 | |||
668 | // Test setting to location that does not exist. This should fail. | ||
669 | { | ||
670 | UUID storeId = (UUID)InvokeOp("JsonCreateStore", "{}"); | ||
671 | |||
672 | int result = (int)InvokeOp("JsonSetValue", storeId, "Fun.Circus", "Times"); | ||
673 | Assert.That(result, Is.EqualTo(0)); | ||
674 | |||
675 | string value = (string)InvokeOp("JsonGetValue", storeId, "Fun.Circus"); | ||
676 | Assert.That(value, Is.EqualTo("")); | ||
677 | } | ||
678 | |||
679 | // Test with fake store | ||
680 | { | ||
681 | UUID fakeStoreId = TestHelpers.ParseTail(0x500); | ||
682 | int fakeStoreValueSet = (int)InvokeOp("JsonSetValue", fakeStoreId, "Hello", "World"); | ||
683 | Assert.That(fakeStoreValueSet, Is.EqualTo(0)); | ||
684 | } | ||
685 | } | ||
686 | |||
687 | [Test] | ||
688 | public void TestJsonSetJson() | ||
689 | { | ||
690 | TestHelpers.InMethod(); | ||
691 | // TestHelpers.EnableLogging(); | ||
692 | |||
693 | // Single quoted token case | ||
694 | { | ||
695 | UUID storeId = (UUID)InvokeOp("JsonCreateStore", "{ }"); | ||
696 | |||
697 | int result = (int)InvokeOp("JsonSetJson", storeId, "Fun", "'Times'"); | ||
698 | Assert.That(result, Is.EqualTo(1)); | ||
699 | |||
700 | string value = (string)InvokeOp("JsonGetValue", storeId, "Fun"); | ||
701 | Assert.That(value, Is.EqualTo("Times")); | ||
702 | } | ||
703 | |||
704 | // Sub-tree case | ||
705 | { | ||
706 | UUID storeId = (UUID)InvokeOp("JsonCreateStore", "{ }"); | ||
707 | |||
708 | int result = (int)InvokeOp("JsonSetJson", storeId, "Fun", "{ 'Filled' : 'Times' }"); | ||
709 | Assert.That(result, Is.EqualTo(1)); | ||
710 | |||
711 | string value = (string)InvokeOp("JsonGetValue", storeId, "Fun.Filled"); | ||
712 | Assert.That(value, Is.EqualTo("Times")); | ||
713 | } | ||
714 | |||
715 | // If setting single strings in JsonSetValueJson, these must be single quoted tokens, not bare strings. | ||
716 | { | ||
717 | UUID storeId = (UUID)InvokeOp("JsonCreateStore", "{ }"); | ||
718 | |||
719 | int result = (int)InvokeOp("JsonSetJson", storeId, "Fun", "Times"); | ||
720 | Assert.That(result, Is.EqualTo(0)); | ||
721 | |||
722 | string value = (string)InvokeOp("JsonGetValue", storeId, "Fun"); | ||
723 | Assert.That(value, Is.EqualTo("")); | ||
724 | } | ||
725 | |||
726 | // Test setting to location that does not exist. This should fail. | ||
727 | { | ||
728 | UUID storeId = (UUID)InvokeOp("JsonCreateStore", "{ }"); | ||
729 | |||
730 | int result = (int)InvokeOp("JsonSetJson", storeId, "Fun.Circus", "'Times'"); | ||
731 | Assert.That(result, Is.EqualTo(0)); | ||
732 | |||
733 | string value = (string)InvokeOp("JsonGetValue", storeId, "Fun.Circus"); | ||
734 | Assert.That(value, Is.EqualTo("")); | ||
735 | } | ||
736 | |||
737 | // Test with fake store | ||
738 | { | ||
739 | UUID fakeStoreId = TestHelpers.ParseTail(0x500); | ||
740 | int fakeStoreValueSet = (int)InvokeOp("JsonSetJson", fakeStoreId, "Hello", "'World'"); | ||
741 | Assert.That(fakeStoreValueSet, Is.EqualTo(0)); | ||
742 | } | ||
743 | } | ||
744 | |||
745 | /// <summary> | ||
746 | /// Test for writing json to a notecard | ||
747 | /// </summary> | ||
748 | /// <remarks> | ||
749 | /// TODO: Really needs to test correct receipt of the link_message event. Could do this by directly fetching | ||
750 | /// it via the MockScriptEngine or perhaps by a dummy script instance. | ||
751 | /// </remarks> | ||
752 | [Test] | ||
753 | public void TestJsonWriteNotecard() | ||
754 | { | ||
755 | TestHelpers.InMethod(); | ||
756 | // TestHelpers.EnableLogging(); | ||
757 | |||
758 | SceneObjectGroup so = SceneHelpers.CreateSceneObject(1, TestHelpers.ParseTail(0x1)); | ||
759 | m_scene.AddSceneObject(so); | ||
760 | |||
761 | UUID storeId = (UUID)InvokeOp("JsonCreateStore", "{ 'Hello':'World' }"); | ||
762 | |||
763 | { | ||
764 | string notecardName = "nc1"; | ||
765 | |||
766 | // Write notecard | ||
767 | UUID writeNotecardRequestId = (UUID)InvokeOpOnHost("JsonWriteNotecard", so.UUID, storeId, "", notecardName); | ||
768 | Assert.That(writeNotecardRequestId, Is.Not.EqualTo(UUID.Zero)); | ||
769 | |||
770 | TaskInventoryItem nc1Item = so.RootPart.Inventory.GetInventoryItem(notecardName); | ||
771 | Assert.That(nc1Item, Is.Not.Null); | ||
772 | |||
773 | // TODO: Should independently check the contents. | ||
774 | } | ||
775 | |||
776 | // TODO: Write partial test | ||
777 | |||
778 | { | ||
779 | // Try to write notecard for a bad path | ||
780 | // In this case we do get a request id but no notecard is written. | ||
781 | string badPathNotecardName = "badPathNotecardName"; | ||
782 | |||
783 | UUID writeNotecardBadPathRequestId | ||
784 | = (UUID)InvokeOpOnHost("JsonWriteNotecard", so.UUID, storeId, "flibble", badPathNotecardName); | ||
785 | Assert.That(writeNotecardBadPathRequestId, Is.Not.EqualTo(UUID.Zero)); | ||
786 | |||
787 | TaskInventoryItem badPathItem = so.RootPart.Inventory.GetInventoryItem(badPathNotecardName); | ||
788 | Assert.That(badPathItem, Is.Null); | ||
789 | } | ||
790 | |||
791 | { | ||
792 | // Test with fake store | ||
793 | // In this case we do get a request id but no notecard is written. | ||
794 | string fakeStoreNotecardName = "fakeStoreNotecardName"; | ||
795 | |||
796 | UUID fakeStoreId = TestHelpers.ParseTail(0x500); | ||
797 | UUID fakeStoreWriteNotecardValue | ||
798 | = (UUID)InvokeOpOnHost("JsonWriteNotecard", so.UUID, fakeStoreId, "", fakeStoreNotecardName); | ||
799 | Assert.That(fakeStoreWriteNotecardValue, Is.Not.EqualTo(UUID.Zero)); | ||
800 | |||
801 | TaskInventoryItem fakeStoreItem = so.RootPart.Inventory.GetInventoryItem(fakeStoreNotecardName); | ||
802 | Assert.That(fakeStoreItem, Is.Null); | ||
803 | } | ||
804 | } | ||
805 | |||
806 | /// <summary> | ||
807 | /// Test for reading json from a notecard | ||
808 | /// </summary> | ||
809 | /// <remarks> | ||
810 | /// TODO: Really needs to test correct receipt of the link_message event. Could do this by directly fetching | ||
811 | /// it via the MockScriptEngine or perhaps by a dummy script instance. | ||
812 | /// </remarks> | ||
813 | [Test] | ||
814 | public void TestJsonReadNotecard() | ||
815 | { | ||
816 | TestHelpers.InMethod(); | ||
817 | // TestHelpers.EnableLogging(); | ||
818 | |||
819 | string notecardName = "nc1"; | ||
820 | |||
821 | SceneObjectGroup so = SceneHelpers.CreateSceneObject(1, TestHelpers.ParseTail(0x1)); | ||
822 | m_scene.AddSceneObject(so); | ||
823 | |||
824 | UUID creatingStoreId = (UUID)InvokeOp("JsonCreateStore", "{ 'Hello':'World' }"); | ||
825 | |||
826 | // Write notecard | ||
827 | InvokeOpOnHost("JsonWriteNotecard", so.UUID, creatingStoreId, "", notecardName); | ||
828 | |||
829 | { | ||
830 | // Read notecard | ||
831 | UUID receivingStoreId = (UUID)InvokeOp("JsonCreateStore", "{}"); | ||
832 | UUID readNotecardRequestId = (UUID)InvokeOpOnHost("JsonReadNotecard", so.UUID, receivingStoreId, "", notecardName); | ||
833 | Assert.That(readNotecardRequestId, Is.Not.EqualTo(UUID.Zero)); | ||
834 | |||
835 | string value = (string)InvokeOp("JsonGetValue", receivingStoreId, "Hello"); | ||
836 | Assert.That(value, Is.EqualTo("World")); | ||
837 | } | ||
838 | |||
839 | { | ||
840 | // Read notecard to new single component path | ||
841 | UUID receivingStoreId = (UUID)InvokeOp("JsonCreateStore", "{}"); | ||
842 | UUID readNotecardRequestId = (UUID)InvokeOpOnHost("JsonReadNotecard", so.UUID, receivingStoreId, "make", notecardName); | ||
843 | Assert.That(readNotecardRequestId, Is.Not.EqualTo(UUID.Zero)); | ||
844 | |||
845 | string value = (string)InvokeOp("JsonGetValue", receivingStoreId, "Hello"); | ||
846 | Assert.That(value, Is.EqualTo("")); | ||
847 | |||
848 | value = (string)InvokeOp("JsonGetValue", receivingStoreId, "make.Hello"); | ||
849 | Assert.That(value, Is.EqualTo("World")); | ||
850 | } | ||
851 | |||
852 | { | ||
853 | // Read notecard to new multi-component path. This should not work. | ||
854 | UUID receivingStoreId = (UUID)InvokeOp("JsonCreateStore", "{}"); | ||
855 | UUID readNotecardRequestId = (UUID)InvokeOpOnHost("JsonReadNotecard", so.UUID, receivingStoreId, "make.it", notecardName); | ||
856 | Assert.That(readNotecardRequestId, Is.Not.EqualTo(UUID.Zero)); | ||
857 | |||
858 | string value = (string)InvokeOp("JsonGetValue", receivingStoreId, "Hello"); | ||
859 | Assert.That(value, Is.EqualTo("")); | ||
860 | |||
861 | value = (string)InvokeOp("JsonGetValue", receivingStoreId, "make.it.Hello"); | ||
862 | Assert.That(value, Is.EqualTo("")); | ||
863 | } | ||
864 | |||
865 | { | ||
866 | // Read notecard to existing multi-component path. This should work | ||
867 | UUID receivingStoreId = (UUID)InvokeOp("JsonCreateStore", "{ 'make' : { 'it' : 'so' } }"); | ||
868 | UUID readNotecardRequestId = (UUID)InvokeOpOnHost("JsonReadNotecard", so.UUID, receivingStoreId, "make.it", notecardName); | ||
869 | Assert.That(readNotecardRequestId, Is.Not.EqualTo(UUID.Zero)); | ||
870 | |||
871 | string value = (string)InvokeOp("JsonGetValue", receivingStoreId, "Hello"); | ||
872 | Assert.That(value, Is.EqualTo("")); | ||
873 | |||
874 | value = (string)InvokeOp("JsonGetValue", receivingStoreId, "make.it.Hello"); | ||
875 | Assert.That(value, Is.EqualTo("World")); | ||
876 | } | ||
877 | |||
878 | { | ||
879 | // Read notecard to invalid path. This should not work. | ||
880 | UUID receivingStoreId = (UUID)InvokeOp("JsonCreateStore", "{ 'make' : { 'it' : 'so' } }"); | ||
881 | UUID readNotecardRequestId = (UUID)InvokeOpOnHost("JsonReadNotecard", so.UUID, receivingStoreId, "/", notecardName); | ||
882 | Assert.That(readNotecardRequestId, Is.Not.EqualTo(UUID.Zero)); | ||
883 | |||
884 | string value = (string)InvokeOp("JsonGetValue", receivingStoreId, "Hello"); | ||
885 | Assert.That(value, Is.EqualTo("")); | ||
886 | } | ||
887 | |||
888 | { | ||
889 | // Try read notecard to fake store. | ||
890 | UUID fakeStoreId = TestHelpers.ParseTail(0x500); | ||
891 | UUID readNotecardRequestId = (UUID)InvokeOpOnHost("JsonReadNotecard", so.UUID, fakeStoreId, "", notecardName); | ||
892 | Assert.That(readNotecardRequestId, Is.Not.EqualTo(UUID.Zero)); | ||
893 | |||
894 | string value = (string)InvokeOp("JsonGetValue", fakeStoreId, "Hello"); | ||
895 | Assert.That(value, Is.EqualTo("")); | ||
896 | } | ||
897 | } | ||
898 | |||
899 | public object DummyTestMethod(object o1, object o2, object o3, object o4, object o5) { return null; } | ||
900 | } | ||
901 | } \ No newline at end of file | ||
diff --git a/OpenSim/Region/OptionalModules/Scripting/XmlRpcRouterModule/XmlRpcGridRouterModule.cs b/OpenSim/Region/OptionalModules/Scripting/XmlRpcRouterModule/XmlRpcGridRouterModule.cs index 6120a81..709d389 100644 --- a/OpenSim/Region/OptionalModules/Scripting/XmlRpcRouterModule/XmlRpcGridRouterModule.cs +++ b/OpenSim/Region/OptionalModules/Scripting/XmlRpcRouterModule/XmlRpcGridRouterModule.cs | |||
@@ -46,6 +46,7 @@ namespace OpenSim.Region.OptionalModules.Scripting.XmlRpcGridRouterModule | |||
46 | { | 46 | { |
47 | public class XmlRpcInfo | 47 | public class XmlRpcInfo |
48 | { | 48 | { |
49 | public UUID item; | ||
49 | public UUID channel; | 50 | public UUID channel; |
50 | public string uri; | 51 | public string uri; |
51 | } | 52 | } |
@@ -88,6 +89,14 @@ namespace OpenSim.Region.OptionalModules.Scripting.XmlRpcGridRouterModule | |||
88 | return; | 89 | return; |
89 | 90 | ||
90 | scene.RegisterModuleInterface<IXmlRpcRouter>(this); | 91 | scene.RegisterModuleInterface<IXmlRpcRouter>(this); |
92 | |||
93 | IScriptModule scriptEngine = scene.RequestModuleInterface<IScriptModule>(); | ||
94 | if ( scriptEngine != null ) | ||
95 | { | ||
96 | scriptEngine.OnScriptRemoved += this.ScriptRemoved; | ||
97 | scriptEngine.OnObjectRemoved += this.ObjectRemoved; | ||
98 | |||
99 | } | ||
91 | } | 100 | } |
92 | 101 | ||
93 | public void RegionLoaded(Scene scene) | 102 | public void RegionLoaded(Scene scene) |
@@ -120,22 +129,36 @@ namespace OpenSim.Region.OptionalModules.Scripting.XmlRpcGridRouterModule | |||
120 | 129 | ||
121 | public void RegisterNewReceiver(IScriptModule scriptEngine, UUID channel, UUID objectID, UUID itemID, string uri) | 130 | public void RegisterNewReceiver(IScriptModule scriptEngine, UUID channel, UUID objectID, UUID itemID, string uri) |
122 | { | 131 | { |
123 | if (!m_Channels.ContainsKey(itemID)) | 132 | if (!m_Enabled) |
124 | { | 133 | return; |
125 | XmlRpcInfo info = new XmlRpcInfo(); | ||
126 | info.channel = channel; | ||
127 | info.uri = uri; | ||
128 | 134 | ||
129 | bool success = SynchronousRestObjectRequester.MakeRequest<XmlRpcInfo, bool>( | 135 | m_log.InfoFormat("[XMLRPC GRID ROUTER]: New receiver Obj: {0} Ch: {1} ID: {2} URI: {3}", |
130 | "POST", m_ServerURI+"/RegisterChannel/", info); | 136 | objectID.ToString(), channel.ToString(), itemID.ToString(), uri); |
131 | 137 | ||
132 | if (!success) | 138 | XmlRpcInfo info = new XmlRpcInfo(); |
133 | { | 139 | info.channel = channel; |
134 | m_log.Error("[XMLRPC GRID ROUTER] Error contacting server"); | 140 | info.uri = uri; |
135 | } | 141 | info.item = itemID; |
142 | |||
143 | bool success = SynchronousRestObjectRequester.MakeRequest<XmlRpcInfo, bool>( | ||
144 | "POST", m_ServerURI+"/RegisterChannel/", info); | ||
136 | 145 | ||
137 | m_Channels[itemID] = channel; | 146 | if (!success) |
147 | { | ||
148 | m_log.Error("[XMLRPC GRID ROUTER] Error contacting server"); | ||
138 | } | 149 | } |
150 | |||
151 | m_Channels[itemID] = channel; | ||
152 | |||
153 | } | ||
154 | |||
155 | public void UnRegisterReceiver(string channelID, UUID itemID) | ||
156 | { | ||
157 | if (!m_Enabled) | ||
158 | return; | ||
159 | |||
160 | RemoveChannel(itemID); | ||
161 | |||
139 | } | 162 | } |
140 | 163 | ||
141 | public void ScriptRemoved(UUID itemID) | 164 | public void ScriptRemoved(UUID itemID) |
@@ -143,10 +166,33 @@ namespace OpenSim.Region.OptionalModules.Scripting.XmlRpcGridRouterModule | |||
143 | if (!m_Enabled) | 166 | if (!m_Enabled) |
144 | return; | 167 | return; |
145 | 168 | ||
146 | if (m_Channels.ContainsKey(itemID)) | 169 | RemoveChannel(itemID); |
170 | |||
171 | } | ||
172 | |||
173 | public void ObjectRemoved(UUID objectID) | ||
174 | { | ||
175 | // m_log.InfoFormat("[XMLRPC GRID ROUTER]: Object Removed {0}",objectID.ToString()); | ||
176 | } | ||
177 | |||
178 | private bool RemoveChannel(UUID itemID) | ||
179 | { | ||
180 | if(!m_Channels.ContainsKey(itemID)) | ||
181 | { | ||
182 | m_log.InfoFormat("[XMLRPC GRID ROUTER]: Attempted to unregister non-existing Item: {0}", itemID.ToString()); | ||
183 | return false; | ||
184 | } | ||
185 | |||
186 | XmlRpcInfo info = new XmlRpcInfo(); | ||
187 | |||
188 | info.channel = m_Channels[itemID]; | ||
189 | info.item = itemID; | ||
190 | info.uri = "http://0.0.0.0:00"; | ||
191 | |||
192 | if (info != null) | ||
147 | { | 193 | { |
148 | bool success = SynchronousRestObjectRequester.MakeRequest<UUID, bool>( | 194 | bool success = SynchronousRestObjectRequester.MakeRequest<XmlRpcInfo, bool>( |
149 | "POST", m_ServerURI+"/RemoveChannel/", m_Channels[itemID]); | 195 | "POST", m_ServerURI+"/RemoveChannel/", info); |
150 | 196 | ||
151 | if (!success) | 197 | if (!success) |
152 | { | 198 | { |
@@ -154,11 +200,9 @@ namespace OpenSim.Region.OptionalModules.Scripting.XmlRpcGridRouterModule | |||
154 | } | 200 | } |
155 | 201 | ||
156 | m_Channels.Remove(itemID); | 202 | m_Channels.Remove(itemID); |
203 | return true; | ||
157 | } | 204 | } |
158 | } | 205 | return false; |
159 | |||
160 | public void ObjectRemoved(UUID objectID) | ||
161 | { | ||
162 | } | 206 | } |
163 | } | 207 | } |
164 | } | 208 | } |
diff --git a/OpenSim/Region/OptionalModules/Scripting/XmlRpcRouterModule/XmlRpcRouterModule.cs b/OpenSim/Region/OptionalModules/Scripting/XmlRpcRouterModule/XmlRpcRouterModule.cs index 4bde52a..32549d6 100644 --- a/OpenSim/Region/OptionalModules/Scripting/XmlRpcRouterModule/XmlRpcRouterModule.cs +++ b/OpenSim/Region/OptionalModules/Scripting/XmlRpcRouterModule/XmlRpcRouterModule.cs | |||
@@ -104,12 +104,18 @@ namespace OpenSim.Region.OptionalModules.Scripting.XmlRpcRouterModule | |||
104 | } | 104 | } |
105 | } | 105 | } |
106 | 106 | ||
107 | public void UnRegisterReceiver(string channelID, UUID itemID) | ||
108 | { | ||
109 | } | ||
110 | |||
107 | public void ScriptRemoved(UUID itemID) | 111 | public void ScriptRemoved(UUID itemID) |
108 | { | 112 | { |
113 | // System.Console.WriteLine("TEST Script Removed!"); | ||
109 | } | 114 | } |
110 | 115 | ||
111 | public void ObjectRemoved(UUID objectID) | 116 | public void ObjectRemoved(UUID objectID) |
112 | { | 117 | { |
118 | // System.Console.WriteLine("TEST Obj Removed!"); | ||
113 | } | 119 | } |
114 | } | 120 | } |
115 | } | 121 | } |
diff --git a/OpenSim/Region/OptionalModules/World/MoneyModule/SampleMoneyModule.cs b/OpenSim/Region/OptionalModules/World/MoneyModule/SampleMoneyModule.cs index c7e3a7a..57d9217 100644 --- a/OpenSim/Region/OptionalModules/World/MoneyModule/SampleMoneyModule.cs +++ b/OpenSim/Region/OptionalModules/World/MoneyModule/SampleMoneyModule.cs | |||
@@ -49,7 +49,7 @@ namespace OpenSim.Region.OptionalModules.World.MoneyModule | |||
49 | /// (such as land transfers). There is no money code here! Use FORGE as an example for money code. | 49 | /// (such as land transfers). There is no money code here! Use FORGE as an example for money code. |
50 | /// Demo Economy/Money Module. This is a purposely crippled module! | 50 | /// Demo Economy/Money Module. This is a purposely crippled module! |
51 | /// // To land transfer you need to add: | 51 | /// // To land transfer you need to add: |
52 | /// -helperuri <ADDRESS TO THIS SERVER> | 52 | /// -helperuri http://serveraddress:port/ |
53 | /// to the command line parameters you use to start up your client | 53 | /// to the command line parameters you use to start up your client |
54 | /// This commonly looks like -helperuri http://127.0.0.1:9000/ | 54 | /// This commonly looks like -helperuri http://127.0.0.1:9000/ |
55 | /// | 55 | /// |
@@ -116,10 +116,9 @@ namespace OpenSim.Region.OptionalModules.World.MoneyModule | |||
116 | } | 116 | } |
117 | 117 | ||
118 | /// <summary> | 118 | /// <summary> |
119 | /// Startup | 119 | /// Called on startup so the module can be configured. |
120 | /// </summary> | 120 | /// </summary> |
121 | /// <param name="scene"></param> | 121 | /// <param name="config">Configuration source.</param> |
122 | /// <param name="config"></param> | ||
123 | public void Initialise(IConfigSource config) | 122 | public void Initialise(IConfigSource config) |
124 | { | 123 | { |
125 | m_gConfig = config; | 124 | m_gConfig = config; |
@@ -674,9 +673,12 @@ namespace OpenSim.Region.OptionalModules.World.MoneyModule | |||
674 | } | 673 | } |
675 | 674 | ||
676 | /// <summary> | 675 | /// <summary> |
677 | /// When the client closes the connection we remove their accounting info from memory to free up resources. | 676 | /// When the client closes the connection we remove their accounting |
677 | /// info from memory to free up resources. | ||
678 | /// </summary> | 678 | /// </summary> |
679 | /// <param name="AgentID"></param> | 679 | /// <param name="AgentID">UUID of agent</param> |
680 | /// <param name="scene">Scene the agent was connected to.</param> | ||
681 | /// <see cref="OpenSim.Region.Framework.Scenes.EventManager.ClientClosed"/> | ||
680 | public void ClientClosed(UUID AgentID, Scene scene) | 682 | public void ClientClosed(UUID AgentID, Scene scene) |
681 | { | 683 | { |
682 | 684 | ||
diff --git a/OpenSim/Region/OptionalModules/World/NPC/Tests/NPCModuleTests.cs b/OpenSim/Region/OptionalModules/World/NPC/Tests/NPCModuleTests.cs index ef4005b..34362af 100644 --- a/OpenSim/Region/OptionalModules/World/NPC/Tests/NPCModuleTests.cs +++ b/OpenSim/Region/OptionalModules/World/NPC/Tests/NPCModuleTests.cs | |||
@@ -48,7 +48,7 @@ using OpenSim.Tests.Common.Mock; | |||
48 | namespace OpenSim.Region.OptionalModules.World.NPC.Tests | 48 | namespace OpenSim.Region.OptionalModules.World.NPC.Tests |
49 | { | 49 | { |
50 | [TestFixture] | 50 | [TestFixture] |
51 | public class NPCModuleTests | 51 | public class NPCModuleTests : OpenSimTestCase |
52 | { | 52 | { |
53 | private TestScene m_scene; | 53 | private TestScene m_scene; |
54 | private AvatarFactoryModule m_afMod; | 54 | private AvatarFactoryModule m_afMod; |
@@ -74,6 +74,8 @@ namespace OpenSim.Region.OptionalModules.World.NPC.Tests | |||
74 | [SetUp] | 74 | [SetUp] |
75 | public void Init() | 75 | public void Init() |
76 | { | 76 | { |
77 | base.SetUp(); | ||
78 | |||
77 | IConfigSource config = new IniConfigSource(); | 79 | IConfigSource config = new IniConfigSource(); |
78 | config.AddConfig("NPC"); | 80 | config.AddConfig("NPC"); |
79 | config.Configs["NPC"].Set("Enabled", "true"); | 81 | config.Configs["NPC"].Set("Enabled", "true"); |
diff --git a/OpenSim/Region/OptionalModules/World/SceneCommands/SceneCommandsModule.cs b/OpenSim/Region/OptionalModules/World/SceneCommands/SceneCommandsModule.cs new file mode 100644 index 0000000..5fb74b0 --- /dev/null +++ b/OpenSim/Region/OptionalModules/World/SceneCommands/SceneCommandsModule.cs | |||
@@ -0,0 +1,235 @@ | |||
1 | /* | ||
2 | * Copyright (c) Contributors, http://opensimulator.org/ | ||
3 | * See CONTRIBUTORS.TXT for a full list of copyright holders. | ||
4 | * | ||
5 | * Redistribution and use in source and binary forms, with or without | ||
6 | * modification, are permitted provided that the following conditions are met: | ||
7 | * * Redistributions of source code must retain the above copyright | ||
8 | * notice, this list of conditions and the following disclaimer. | ||
9 | * * Redistributions in binary form must reproduce the above copyright | ||
10 | * notice, this list of conditions and the following disclaimer in the | ||
11 | * documentation and/or other materials provided with the distribution. | ||
12 | * * Neither the name of the OpenSimulator Project nor the | ||
13 | * names of its contributors may be used to endorse or promote products | ||
14 | * derived from this software without specific prior written permission. | ||
15 | * | ||
16 | * THIS SOFTWARE IS PROVIDED BY THE DEVELOPERS ``AS IS'' AND ANY | ||
17 | * EXPRESS OR IMPLIED WARRANTIES, INCLUDING, BUT NOT LIMITED TO, THE IMPLIED | ||
18 | * WARRANTIES OF MERCHANTABILITY AND FITNESS FOR A PARTICULAR PURPOSE ARE | ||
19 | * DISCLAIMED. IN NO EVENT SHALL THE CONTRIBUTORS BE LIABLE FOR ANY | ||
20 | * DIRECT, INDIRECT, INCIDENTAL, SPECIAL, EXEMPLARY, OR CONSEQUENTIAL DAMAGES | ||
21 | * (INCLUDING, BUT NOT LIMITED TO, PROCUREMENT OF SUBSTITUTE GOODS OR SERVICES; | ||
22 | * LOSS OF USE, DATA, OR PROFITS; OR BUSINESS INTERRUPTION) HOWEVER CAUSED AND | ||
23 | * ON ANY THEORY OF LIABILITY, WHETHER IN CONTRACT, STRICT LIABILITY, OR TORT | ||
24 | * (INCLUDING NEGLIGENCE OR OTHERWISE) ARISING IN ANY WAY OUT OF THE USE OF THIS | ||
25 | * SOFTWARE, EVEN IF ADVISED OF THE POSSIBILITY OF SUCH DAMAGE. | ||
26 | */ | ||
27 | |||
28 | using System; | ||
29 | using System.Collections.Generic; | ||
30 | using System.Linq; | ||
31 | using System.Reflection; | ||
32 | using System.Text; | ||
33 | using log4net; | ||
34 | using Mono.Addins; | ||
35 | using Nini.Config; | ||
36 | using OpenMetaverse; | ||
37 | using OpenSim.Framework; | ||
38 | using OpenSim.Framework.Console; | ||
39 | using OpenSim.Framework.Monitoring; | ||
40 | using OpenSim.Region.Framework.Interfaces; | ||
41 | using OpenSim.Region.Framework.Scenes; | ||
42 | |||
43 | namespace OpenSim.Region.OptionalModules.Avatar.Attachments | ||
44 | { | ||
45 | /// <summary> | ||
46 | /// A module that just holds commands for inspecting avatar appearance. | ||
47 | /// </summary> | ||
48 | [Extension(Path = "/OpenSim/RegionModules", NodeName = "RegionModule", Id = "SceneCommandsModule")] | ||
49 | public class SceneCommandsModule : ISceneCommandsModule, INonSharedRegionModule | ||
50 | { | ||
51 | // private static readonly ILog m_log = LogManager.GetLogger(MethodBase.GetCurrentMethod().DeclaringType); | ||
52 | |||
53 | private Scene m_scene; | ||
54 | |||
55 | public string Name { get { return "Scene Commands Module"; } } | ||
56 | |||
57 | public Type ReplaceableInterface { get { return null; } } | ||
58 | |||
59 | public void Initialise(IConfigSource source) | ||
60 | { | ||
61 | // m_log.DebugFormat("[SCENE COMMANDS MODULE]: INITIALIZED MODULE"); | ||
62 | } | ||
63 | |||
64 | public void PostInitialise() | ||
65 | { | ||
66 | // m_log.DebugFormat("[SCENE COMMANDS MODULE]: POST INITIALIZED MODULE"); | ||
67 | } | ||
68 | |||
69 | public void Close() | ||
70 | { | ||
71 | // m_log.DebugFormat("[SCENE COMMANDS MODULE]: CLOSED MODULE"); | ||
72 | } | ||
73 | |||
74 | public void AddRegion(Scene scene) | ||
75 | { | ||
76 | // m_log.DebugFormat("[SCENE COMMANDS MODULE]: REGION {0} ADDED", scene.RegionInfo.RegionName); | ||
77 | |||
78 | m_scene = scene; | ||
79 | |||
80 | m_scene.RegisterModuleInterface<ISceneCommandsModule>(this); | ||
81 | } | ||
82 | |||
83 | public void RemoveRegion(Scene scene) | ||
84 | { | ||
85 | // m_log.DebugFormat("[SCENE COMMANDS MODULE]: REGION {0} REMOVED", scene.RegionInfo.RegionName); | ||
86 | } | ||
87 | |||
88 | public void RegionLoaded(Scene scene) | ||
89 | { | ||
90 | // m_log.DebugFormat("[ATTACHMENTS COMMAND MODULE]: REGION {0} LOADED", scene.RegionInfo.RegionName); | ||
91 | |||
92 | scene.AddCommand( | ||
93 | "Debug", this, "debug scene get", | ||
94 | "debug scene get", | ||
95 | "List current scene options.", | ||
96 | "If active is false then main scene update and maintenance loops are suspended.\n" | ||
97 | + "If animations is true then extra animations debug information is logged.\n" | ||
98 | + "If collisions is false then collisions with other objects are turned off.\n" | ||
99 | + "If pbackup is false then periodic scene backup is turned off.\n" | ||
100 | + "If physics is false then all physics objects are non-physical.\n" | ||
101 | + "If scripting is false then no scripting operations happen.\n" | ||
102 | + "If teleport is true then some extra teleport debug information is logged.\n" | ||
103 | + "If updates is true then any frame which exceeds double the maximum desired frame time is logged.", | ||
104 | HandleDebugSceneGetCommand); | ||
105 | |||
106 | scene.AddCommand( | ||
107 | "Debug", this, "debug scene set", | ||
108 | "debug scene set active|collisions|pbackup|physics|scripting|teleport|updates true|false", | ||
109 | "Turn on scene debugging options.", | ||
110 | "If active is false then main scene update and maintenance loops are suspended.\n" | ||
111 | + "If animations is true then extra animations debug information is logged.\n" | ||
112 | + "If collisions is false then collisions with other objects are turned off.\n" | ||
113 | + "If pbackup is false then periodic scene backup is turned off.\n" | ||
114 | + "If physics is false then all physics objects are non-physical.\n" | ||
115 | + "If scripting is false then no scripting operations happen.\n" | ||
116 | + "If teleport is true then some extra teleport debug information is logged.\n" | ||
117 | + "If updates is true then any frame which exceeds double the maximum desired frame time is logged.", | ||
118 | HandleDebugSceneSetCommand); | ||
119 | } | ||
120 | |||
121 | private void HandleDebugSceneGetCommand(string module, string[] args) | ||
122 | { | ||
123 | if (args.Length == 3) | ||
124 | { | ||
125 | if (MainConsole.Instance.ConsoleScene != m_scene && MainConsole.Instance.ConsoleScene != null) | ||
126 | return; | ||
127 | |||
128 | OutputSceneDebugOptions(); | ||
129 | } | ||
130 | else | ||
131 | { | ||
132 | MainConsole.Instance.Output("Usage: debug scene get"); | ||
133 | } | ||
134 | } | ||
135 | |||
136 | private void OutputSceneDebugOptions() | ||
137 | { | ||
138 | ConsoleDisplayList cdl = new ConsoleDisplayList(); | ||
139 | cdl.AddRow("active", m_scene.Active); | ||
140 | cdl.AddRow("animations", m_scene.DebugAnimations); | ||
141 | cdl.AddRow("pbackup", m_scene.PeriodicBackup); | ||
142 | cdl.AddRow("physics", m_scene.PhysicsEnabled); | ||
143 | cdl.AddRow("scripting", m_scene.ScriptsEnabled); | ||
144 | cdl.AddRow("teleport", m_scene.DebugTeleporting); | ||
145 | cdl.AddRow("updates", m_scene.DebugUpdates); | ||
146 | |||
147 | MainConsole.Instance.OutputFormat("Scene {0} options:", m_scene.Name); | ||
148 | MainConsole.Instance.Output(cdl.ToString()); | ||
149 | } | ||
150 | |||
151 | private void HandleDebugSceneSetCommand(string module, string[] args) | ||
152 | { | ||
153 | if (args.Length == 5) | ||
154 | { | ||
155 | if (MainConsole.Instance.ConsoleScene != m_scene && MainConsole.Instance.ConsoleScene != null) | ||
156 | return; | ||
157 | |||
158 | string key = args[3]; | ||
159 | string value = args[4]; | ||
160 | SetSceneDebugOptions(new Dictionary<string, string>() { { key, value } }); | ||
161 | |||
162 | MainConsole.Instance.OutputFormat("Set {0} debug scene {1} = {2}", m_scene.Name, key, value); | ||
163 | } | ||
164 | else | ||
165 | { | ||
166 | MainConsole.Instance.Output( | ||
167 | "Usage: debug scene set active|collisions|pbackup|physics|scripting|teleport|updates true|false"); | ||
168 | } | ||
169 | } | ||
170 | |||
171 | public void SetSceneDebugOptions(Dictionary<string, string> options) | ||
172 | { | ||
173 | if (options.ContainsKey("active")) | ||
174 | { | ||
175 | bool active; | ||
176 | |||
177 | if (bool.TryParse(options["active"], out active)) | ||
178 | m_scene.Active = active; | ||
179 | } | ||
180 | |||
181 | if (options.ContainsKey("animations")) | ||
182 | { | ||
183 | bool active; | ||
184 | |||
185 | if (bool.TryParse(options["animations"], out active)) | ||
186 | m_scene.DebugAnimations = active; | ||
187 | } | ||
188 | |||
189 | if (options.ContainsKey("pbackup")) | ||
190 | { | ||
191 | bool active; | ||
192 | |||
193 | if (bool.TryParse(options["pbackup"], out active)) | ||
194 | m_scene.PeriodicBackup = active; | ||
195 | } | ||
196 | |||
197 | if (options.ContainsKey("scripting")) | ||
198 | { | ||
199 | bool enableScripts = true; | ||
200 | if (bool.TryParse(options["scripting"], out enableScripts)) | ||
201 | m_scene.ScriptsEnabled = enableScripts; | ||
202 | } | ||
203 | |||
204 | if (options.ContainsKey("physics")) | ||
205 | { | ||
206 | bool enablePhysics; | ||
207 | if (bool.TryParse(options["physics"], out enablePhysics)) | ||
208 | m_scene.PhysicsEnabled = enablePhysics; | ||
209 | } | ||
210 | |||
211 | // if (options.ContainsKey("collisions")) | ||
212 | // { | ||
213 | // // TODO: Implement. If false, should stop objects colliding, though possibly should still allow | ||
214 | // // the avatar themselves to collide with the ground. | ||
215 | // } | ||
216 | |||
217 | if (options.ContainsKey("teleport")) | ||
218 | { | ||
219 | bool enableTeleportDebugging; | ||
220 | if (bool.TryParse(options["teleport"], out enableTeleportDebugging)) | ||
221 | m_scene.DebugTeleporting = enableTeleportDebugging; | ||
222 | } | ||
223 | |||
224 | if (options.ContainsKey("updates")) | ||
225 | { | ||
226 | bool enableUpdateDebugging; | ||
227 | if (bool.TryParse(options["updates"], out enableUpdateDebugging)) | ||
228 | { | ||
229 | m_scene.DebugUpdates = enableUpdateDebugging; | ||
230 | GcNotify.Enabled = enableUpdateDebugging; | ||
231 | } | ||
232 | } | ||
233 | } | ||
234 | } | ||
235 | } \ No newline at end of file | ||