Lista de solução de chamado de serviço

Boa Tarde,
Por acaso alguém poderia me ajudar em uma questão. Ao mexer nas configurações de formulário na lista de solução de chamado de serviço de um usuário tirei o campo Criado Em e o campo Titular. Agora quando peço para pesquisar toda lista utilizando o * no item em base de conhecimento de soluções ele da erro em vez de mostrar a lista. Como consigo voltar o formulário ao padrão?
Erro que aparece:
[Microsoft][SQL Server Native Client 10.0][SQL Server]Os tipos de dados text, ntext e image não podem ser comparados ou classificados, exceto ao usar o operador IS NULL ou LIKE.  'Soluções de chamado de serviço' (OSLT) (OSLT)
Obrigado,
Arthur

Olá Jackson, uma dica preciosa na SCN é o uso do "Search" do site, ali você consegue procurar por termos, onde a plataforma irá procurar nas postagens existentes e conteúdos, incluindo documentos em inglês.
Fiz a pesquisa sobre SBO_Transaction
Onde consta o artigo/documento:
http://scn.sap.com/docs/DOC-7034
neste documento tem link para download de um "guia" sobre a transaction.
Mas a grosso modo é um procedimento armazenado no banco de dados, este procedimento pode ser alterado pelo cliente/consultoria, a cada transação seja um cadastro, adição de documento ou dado, atualização de informação o SBO condiciona os dados a alguma validação na transaction (caso ela existe), com isto você pode implementar no SBO restrições.
Por exemplo: Possuo um cliente que não quer permitir que os vendedores cadastrem PNs do tipo LEAD informando algum valor no campo "Limite de crédito" para não desenvolver um addon, colocamos uma regra na transaction que não permite a adição ou atualização de cadastro de PN sendo este do tipo LEAD com valor informado no "Limite de crédito".
Att,
Rodrigo da Costa Feula

Similar Messages

  • How to list IP address from client on the Server (TCP/IP CLIENT SERVER COMMUNICATION)

    Excuse me,
    In this project I want to ask how to add list IP from client that connect to server.
    I have edited slightly the project.
    'SERVER
    Imports System.Net
    Imports System.Net.Sockets
    Imports System.Threading
    Imports System.Threading.Tasks
    Imports System.Reflection
    Public Class ServerForm
    Private _Listener As TcpListener
    Private _Connections As New List(Of ConnectionInfo)
    Private _ConnectionMonitor As Task
    Private Sub Button_Checked(sender As System.Object, e As System.EventArgs) Handles StartStopButton.CheckedChanged
    If StartStopButton.Checked Then
    StartStopButton.Text = "Stop"
    StartStopButton.Image = My.Resources.StopServer
    _Listener = New TcpListener(IPAddress.Any, CInt(PortTextBox.Text))
    _Listener.Start()
    Dim monitor As New MonitorInfo(_Listener, _Connections)
    ListenForClient(monitor)
    _ConnectionMonitor = Task.Factory.StartNew(AddressOf DoMonitorConnections, monitor, TaskContinuationOptions.LongRunning)
    Else
    StartStopButton.Text = "Start:"
    StartStopButton.Image = My.Resources.StartServer
    CType(_ConnectionMonitor.AsyncState, MonitorInfo).Cancel = True
    _Listener.Stop()
    _Listener = Nothing
    End If
    End Sub
    Private Sub PortTextBox_Validating(sender As Object, e As System.ComponentModel.CancelEventArgs) Handles PortTextBox.Validating
    Dim deltaPort As Integer
    If Not Integer.TryParse(PortTextBox.Text, deltaPort) OrElse deltaPort < 1 OrElse deltaPort > 65535 Then
    MessageBox.Show("Port number between 1 and 65535", "Invalid Port Number", MessageBoxButtons.OK, MessageBoxIcon.Exclamation)
    PortTextBox.SelectAll()
    e.Cancel = True
    End If
    End Sub
    Private Sub ListenForClient(monitor As MonitorInfo)
    Dim info As New ConnectionInfo(monitor)
    _Listener.BeginAcceptTcpClient(AddressOf DoAcceptClient, info)
    End Sub
    Private Sub DoAcceptClient(result As IAsyncResult)
    Dim monitorinfo As MonitorInfo = CType(_ConnectionMonitor.AsyncState, MonitorInfo)
    If monitorinfo.Listener IsNot Nothing AndAlso Not monitorinfo.Cancel Then
    Dim info As ConnectionInfo = CType(result.AsyncState, ConnectionInfo)
    monitorinfo.Connections.Add(info)
    info.AcceptClient(result)
    ListenForClient(monitorinfo)
    info.AwaitData()
    Dim doUpdateConnectionCountLabel As New Action(AddressOf UpdateConnectionCountLabel)
    Invoke(doUpdateConnectionCountLabel)
    End If
    End Sub
    Private Sub DoMonitorConnections()
    Dim doAppendOutput As New Action(Of String)(AddressOf AppendOutput)
    Dim doUpdateConnectionCountLabel As New Action(AddressOf UpdateConnectionCountLabel)
    Dim monitorInfo As MonitorInfo = CType(_ConnectionMonitor.AsyncState, MonitorInfo)
    Me.Invoke(doAppendOutput, "Server Started")
    Do
    Dim lostCount As Integer = 0
    For index As Integer = monitorInfo.Connections.Count - 1 To 0 Step -1
    Dim info As ConnectionInfo = monitorInfo.Connections(index)
    If info.Client.Connected Then
    If info.DataQueue.Count > 0 Then
    Dim messageBytes As New List(Of Byte)
    While info.DataQueue.Count > 0
    Dim value As Byte
    If info.DataQueue.TryDequeue(value) Then
    messageBytes.Add(value)
    End If
    End While
    Me.Invoke(doAppendOutput, "Message from IP: " + System.Text.Encoding.ASCII.GetString(messageBytes.ToArray))
    End If
    Else
    monitorInfo.Connections.Remove(info)
    lostCount += 1
    End If
    Next
    If lostCount > 0 Then
    Invoke(doUpdateConnectionCountLabel)
    End If
    _ConnectionMonitor.Wait(1)
    Loop While Not monitorInfo.Cancel
    For Each info As ConnectionInfo In monitorInfo.Connections
    info.Client.Close()
    Next
    monitorInfo.Connections.Clear()
    Invoke(doUpdateConnectionCountLabel)
    Me.Invoke(doAppendOutput, "Server Stoped")
    End Sub
    Private Sub UpdateConnectionCountLabel()
    ConnectionCountLabel.Text = String.Format("{0} Connections", _Connections.Count)
    End Sub
    Private Sub AppendOutput(message As String)
    If RichTextBox1.TextLength > 0 Then
    RichTextBox1.AppendText(ControlChars.NewLine)
    End If
    RichTextBox1.AppendText(message)
    RichTextBox1.ScrollToCaret()
    End Sub
    Private Sub ClearButton_Checked(sender As Object, e As EventArgs) Handles ClearButton.CheckedChanged
    If ClearButton.Checked Then
    RichTextBox1.Clear()
    End If
    End Sub
    End Class
    Public Class MonitorInfo
    Private _listener As TcpListener
    Public ReadOnly Property Listener As TcpListener
    Get
    Return _listener
    End Get
    End Property
    Private _connections As List(Of ConnectionInfo)
    Public ReadOnly Property Connections As List(Of ConnectionInfo)
    Get
    Return _connections
    End Get
    End Property
    Public Property Cancel As Boolean
    Public Sub New(tcpListener As TcpListener, connectionInfoList As List(Of ConnectionInfo))
    _listener = tcpListener
    _connections = connectionInfoList
    End Sub
    End Class
    Public Class ConnectionInfo
    Private _monitor As MonitorInfo
    Public ReadOnly Property Monitor As MonitorInfo
    Get
    Return _monitor
    End Get
    End Property
    Private _Client As TcpClient
    Public ReadOnly Property Client As TcpClient
    Get
    Return _Client
    End Get
    End Property
    Private _DataQueue As System.Collections.Concurrent.ConcurrentQueue(Of Byte)
    Public ReadOnly Property DataQueue As System.Collections.Concurrent.ConcurrentQueue(Of Byte)
    Get
    Return _DataQueue
    End Get
    End Property
    Private _Stream As NetworkStream
    Public ReadOnly Property Stream As NetworkStream
    Get
    Return _Stream
    End Get
    End Property
    Public Sub New(monitor As MonitorInfo)
    _monitor = monitor
    _DataQueue = New System.Collections.Concurrent.ConcurrentQueue(Of Byte)
    End Sub
    Private _LastReadLength As Integer
    Public ReadOnly Property LastReadLength As Integer
    Get
    Return _LastReadLength
    End Get
    End Property
    Private _Buffer(63) As Byte
    Public Sub AcceptClient(result As IAsyncResult)
    _Client = _monitor.Listener.EndAcceptTcpClient(result)
    If _Client IsNot Nothing AndAlso _Client.Connected Then
    _Stream = _Client.GetStream
    End If
    End Sub
    Public Sub AwaitData()
    _Stream.BeginRead(_Buffer, 0, _Buffer.Length, AddressOf DoReadData, Me)
    End Sub
    Private Sub DoReadData(result As IAsyncResult)
    Dim info As ConnectionInfo = CType(result.AsyncState, ConnectionInfo)
    Try
    If info.Stream IsNot Nothing AndAlso info.Stream.CanRead Then
    info._LastReadLength = info.Stream.EndRead(result)
    For Index As Integer = 0 To _LastReadLength - 1
    info._DataQueue.Enqueue(info._Buffer(Index))
    Next
    'info.SendMessage("Data Diterima " & info._LastReadLength & " Bytes")
    info.SendMessage("reply form server: " & info._LastReadLength & " Bytes")
    For Each otherInfo As ConnectionInfo In info.Monitor.Connections
    If Not otherInfo Is info Then
    otherInfo.SendMessage(System.Text.Encoding.ASCII.GetString(info._Buffer))
    End If
    Next
    info.AwaitData()
    Else
    info.Client.Close()
    End If
    Catch ex As Exception
    info._LastReadLength = -1
    End Try
    End Sub
    Private Sub SendMessage(message As String)
    If _Stream IsNot Nothing Then
    Dim messageData() As Byte = System.Text.Encoding.ASCII.GetBytes(message)
    Stream.Write(messageData, 0, messageData.Length)
    End If
    End Sub
    End Class
    'CLIENT
    Imports System.Net
    Imports System.Net.Sockets
    Public Class ClientForm
    Private _Connection As ConnectionInfo
    Private _ServerAddress As IPAddress
    Private Sub ClientForm_Load(sender As System.Object, e As System.EventArgs) Handles MyBase.Load
    ValidateChildren()
    End Sub
    Private Sub ConnectButton_Checked(sender As Object, e As System.EventArgs) Handles ConnectButton.CheckedChanged
    If ConnectButton.Checked Then
    If _ServerAddress IsNot Nothing Then
    ConnectButton.Text = "Disconnect"
    ConnectButton.Image = My.Resources.StopServer
    Try
    _Connection = New ConnectionInfo(_ServerAddress, CInt(PortTextBox.Text), AddressOf InvokeAppendOutput)
    _Connection.AwaitData()
    Catch ex As Exception
    MessageBox.Show(ex.Message, "Error Connecting to Server", MessageBoxButtons.OK, MessageBoxIcon.Exclamation)
    ConnectButton.Checked = False
    End Try
    Else
    MessageBox.Show("Invlid IP Server", "Cannt Connect to Server", MessageBoxButtons.OK, MessageBoxIcon.Exclamation)
    ConnectButton.Checked = False
    End If
    Else
    ConnectButton.Text = "Connect"
    ConnectButton.Image = My.Resources.StartServer
    If _Connection IsNot Nothing Then _Connection.Close()
    _Connection = Nothing
    End If
    End Sub
    Private Sub SendButton_Click(sender As System.Object, e As System.EventArgs) Handles SendButton.Click
    If _Connection IsNot Nothing AndAlso _Connection.Client.Connected AndAlso _Connection.Stream IsNot Nothing Then
    Dim buffer() As Byte = System.Text.Encoding.ASCII.GetBytes(InputTextBox.Text)
    _Connection.Stream.Write(buffer, 0, buffer.Length)
    End If
    End Sub
    Private Sub ServerTextBox_Validating(sender As Object, e As System.ComponentModel.CancelEventArgs) Handles IPTextBox.Validating
    _ServerAddress = Nothing
    Dim remoteHost As IPHostEntry = Dns.GetHostEntry(IPTextBox.Text)
    If remoteHost IsNot Nothing AndAlso remoteHost.AddressList.Length > 0 Then
    For Each deltaAddress As IPAddress In remoteHost.AddressList
    If deltaAddress.AddressFamily = AddressFamily.InterNetwork Then
    _ServerAddress = deltaAddress
    Exit For
    End If
    Next
    End If
    If _ServerAddress Is Nothing Then
    MessageBox.Show("Cannot resolve Server Address", "invalid Server", MessageBoxButtons.OK, MessageBoxIcon.Exclamation)
    IPTextBox.SelectAll()
    e.Cancel = True
    End If
    End Sub
    Private Sub PortTextBox_Validating(sender As Object, e As System.ComponentModel.CancelEventArgs) Handles PortTextBox.Validating
    Dim deltaPort As Integer
    If Not Integer.TryParse(PortTextBox.Text, deltaPort) OrElse deltaPort < 1 OrElse deltaPort > 65535 Then
    MessageBox.Show("Port number between 1 and 65535", "invalid Port number", MessageBoxButtons.OK, MessageBoxIcon.Exclamation)
    PortTextBox.SelectAll()
    e.Cancel = True
    End If
    End Sub
    Private Sub InvokeAppendOutput(message As String)
    Dim doAppendOutput As New Action(Of String)(AddressOf AppendOutput)
    Me.Invoke(doAppendOutput, message)
    End Sub
    Private Sub AppendOutput(message As String)
    If RichTextBox1.TextLength > 0 Then
    RichTextBox1.AppendText(ControlChars.NewLine)
    End If
    RichTextBox1.AppendText(message)
    RichTextBox1.ScrollToCaret()
    End Sub
    Private Sub ButtonClear_Click(sender As Object, e As EventArgs) Handles ButtonClear.Click
    RichTextBox1.Clear()
    InputTextBox.Clear()
    End Sub
    End Class
    Public Class ConnectionInfo
    Private _AppendMethod As Action(Of String)
    Public ReadOnly Property AppendMethod As Action(Of String)
    Get
    Return _AppendMethod
    End Get
    End Property
    Private _Client As TcpClient
    Public ReadOnly Property Client As TcpClient
    Get
    Return _Client
    End Get
    End Property
    Private _Stream As NetworkStream
    Public ReadOnly Property Stream As NetworkStream
    Get
    Return _Stream
    End Get
    End Property
    Private _LastReadLength As Integer
    Public ReadOnly Property LastReadLength As Integer
    Get
    Return _LastReadLength
    End Get
    End Property
    Private _Buffer(63) As Byte
    Public Sub New(address As IPAddress, port As Integer, append As Action(Of String))
    _AppendMethod = append
    _Client = New TcpClient
    _Client.Connect(address, port)
    _Stream = _Client.GetStream
    End Sub
    Public Sub AwaitData()
    _Stream.BeginRead(_Buffer, 0, _Buffer.Length, AddressOf DoreadData, Me)
    End Sub
    Public Sub Close()
    If _Client IsNot Nothing Then _Client.Close()
    _Client = Nothing
    _Stream = Nothing
    End Sub
    Private Sub DoreadData(result As IAsyncResult)
    Dim info As ConnectionInfo = CType(result.AsyncState, ConnectionInfo)
    Try
    If info._Stream IsNot Nothing AndAlso info._Stream.CanRead Then
    info._LastReadLength = info._Stream.EndRead(result)
    If info._LastReadLength > 0 Then
    Dim message As String = System.Text.Encoding.ASCII.GetString(info._Buffer)
    info._AppendMethod(message)
    End If
    info.AwaitData()
    End If
    Catch ex As Exception
    info._LastReadLength = -1
    info._AppendMethod(ex.Message)
    End Try
    End Sub
    End Class
    //ScreenShot server
    http://prntscr[dot]com/5t1ol3
    //Screenshot client
    http://prntscr[dot]com/5t1odj
    source: code[dot]msdn[dot]microsoft[dot]com/windowsdesktop/Simple-Multi-User-TCPIP-43cc3b44

    I have a similar chat application. When the user attempts to connect, instead of sending a simple string, the client sends a serialized object(xml string) with all relevant login and session information, this includes the user's IP address. Once the server
    receives said information, depending on the type of TCP broadcast (a custom enumerated type) information from one user may be passed to a single user, or distributed to many users.
    If it helps, here is the TCPBroadcast object I use. But in order for your server to understand it, you kind of have to build your server and client somewhat around it.
    Option Strict On
    Option Explicit On
    Option Infer Off
    Namespace TCPChat
    Public Class TCPBroadcast
    Public Property Message As String
    Public Property BroadCastTime As DateTime
    Public Property DestUser As String
    Public Property OriginUser As String
    Public Property PasswordHash As String
    Public Property BroadcastSourceIP As String
    Public Property BroadCastType As TCPBroadcastType
    Public Property LoginUserName As String
    Public Property FailureReason As String
    Public Function XmlEncoding() As String
    Dim serializer As New Xml.Serialization.XmlSerializer(GetType(TCPBroadcast))
    Dim XML As String = String.Empty
    Using memStream As New IO.MemoryStream
    Using xmlWriter As New Xml.XmlTextWriter(memStream, System.Text.Encoding.UTF8) With _
    {.Indentation = 4, .Formatting = System.Xml.Formatting.Indented}
    serializer.Serialize(xmlWriter, Me)
    End Using
    XML = System.Text.Encoding.UTF8.GetString(memStream.ToArray)
    End Using
    Return XML
    End Function
    Public Function ToBinary() As Byte()
    Return System.Text.Encoding.UTF8.GetBytes(Me.XmlEncoding)
    End Function
    Public Shared Function FromBinary(binary As Byte()) As DeserializationResult
    Dim xml As String = System.Text.Encoding.UTF8.GetString(binary)
    Return FromXML(xml)
    End Function
    Public Shared Function FromXML(xml As String) As DeserializationResult
    Dim DeserializationResult As New DeserializationResult
    DeserializationResult.Error = False
    Try
    Dim deserializer As New Xml.Serialization.XmlSerializer(GetType(TCPBroadcast))
    Dim buffer As Byte() = System.Text.Encoding.UTF8.GetBytes(xml)
    Using memStream As New IO.MemoryStream(buffer)
    DeserializationResult.tcpBroadCast = CType(deserializer.Deserialize(memStream), TCPBroadcast)
    End Using
    Catch ex As Exception
    DeserializationResult.Error = True
    DeserializationResult.ErrorMessage = ex.ToString
    DeserializationResult.AttemptedXML = xml
    End Try
    Return DeserializationResult
    End Function
    Public Class DeserializationResult
    Public [Error] As Boolean
    Public ErrorMessage As String
    Public tcpBroadCast As TCPBroadcast
    Public AttemptedXML As String
    Sub New()
    End Sub
    End Class
    Public Enum TCPBroadcastType
    AdministrativeMessage
    AuthenticationFailure
    AuthenticationSuccess
    ChatBroadcast
    CredentialsRequest
    Credentials
    DisconnectedByServer
    KeepAlive
    PrivateMessage
    ServerMessage
    SystemMessage
    UnableToProcessRequest
    End Enum
    End Class
    End Namespace
    “If you want something you've never had, you need to do something you've never done.”
    Don't forget to mark
    helpful posts and answers
    ! Answer an interesting question? Write a
    new article
    about it! My Articles
    *This post does not reflect the opinion of Microsoft, or its employees.

  • How to list all active local ports where a server/services is listening?

    How can I list all local ports where a local server or services is listening?
    The listing should contain the path and program name of the listening server/service.
    So I need something like:
    port=22 /lib/svc/method/sshd
    port=25 /bin/emailprgm
    port=1049 /ust/local/bin/myserver
    How can I do this?

    lsof (compile, sunfreeware.com, blaswave)
    it wont show full path i think (man lsof for more) however it gives pids/ports/exe name, so you could take that and script it or do something with the output.

  • How to move iPhone contact list with custom ringtones to OS X server Contacts?

    I have recently setup a new Mac Pro, Mid 2012, running Mavericks OS X Server.  I was previously syncing through iTunes on Snow Leopard, 10.6...
    Due to the changes in Mavericks WRT iTunes address book syncing, I want to setup Contacts in Server, as I do not want to use iCloud. I tried using the Address Book sync on my MacBook Pro, but that doesn't appear to save any custom ringtone data. I setup Contacts in Server & I moved the current address book to Mavericks, but dragging the contacts into the Server list in Contacts generates warnings, "Some contacts could not be copied to the server"  and then sometimes starts duplicating the groups and contacts. The system log has some errors that seem related (system & user munged):
    Jan  1 22:44:46 system.sub.domain Contacts[3203]: Error reading store metadata: Error Domain=NSCocoaErrorDomain Code=260 "The file \u201cAddressBook-v22.abcddb\u201d couldn\u2019t be opened because there is no such file." UserInfo=0x60000047ec80 {NSURL=file:///Users/kilroy/Library/Application%20Support/AddressBook/Sources/4 233913F-017D-4AA5-887A-E0957EECA4B0/AddressBook-v22.abcddb}
    Jan  1 22:44:46 system.sub.domain Contacts[3203]: Database file is empty: /Users/kilroy/Library/Application Support/AddressBook/Sources/4233913F-017D-4AA5-887A-E0957EECA4B0/AddressBook-v2 2.abcddb
    Jan  1 22:44:46 system.sub.domain Contacts[3203]: Failed adding account: The operation couldn\u2019t be completed. (AppleInternetAccountsErrorDomain error 13.)
    AddressBook-v22.abcddb, does exists, T/S of 22:44. Maybe the above is actually a warning that it created the file?  ... except the Failed adding account doesn't sound good.
    Jan  1 23:30:37 system.sub.domain Contacts[7073]: [CardDAVPlugin-ERROR] -_handleCompletedAction:(null) href:https://[email protected]:8443/addressbooks/__uids__/85897855-A1A7-4846-8134-65C7619EE3B8/addressbook/677 0d3b722f65b9d1657bb55412ad071.vcf localETag:"29b0055eeb14610abbb7d2808c08e540" errorItem:(null) error:(null); NIL href or action
    Jan  1 23:30:38 system.sub.domain Contacts[7073]: [CardDAVPlugin-ERROR] -_handleCompletedAction:(null) href:https://[email protected]:8443/addressbooks/__uids__/85897855-A1A7-4846-8134-65C7619EE3B8/addressbook/1ca 7c41d318c83472743fad0400ecdd3.vcf localETag:"aa2b10b8148984374a2117e87444f4d0" errorItem:(null) error:(null); NIL href or action
    Jan  1 23:30:38 system.sub.domain Contacts[7073]: [CardDAVPlugin-ERROR] Exception caught while running sync with server: Error Domain=CoreDAVErrorDomain Code=1 "The operation couldn\u2019t be completed. (CoreDAVErrorDomain error 1.)"
      1 23:30:41 system.sub.domain Contacts[7073]: [CardDAVPlugin-ERROR] -_handleCompletedAction:(null) href:https://[email protected]:8443/addressbooks/__uids__/85897855-A1A7-4846-8134-65C7619EE3B8/addressbook/86b 4883827ee841f0e6d01893a8ae225.vcf localETag:"79e207a20cf8e7052decba4fe9e1e743" errorItem:(null) error:(null); NIL href or action
    Jan  1 23:30:41 system.sub.domain Contacts[7073]: [CardDAVPlugin-ERROR] -_handleCompletedAction:(null) href:https://[email protected]:8443/addressbooks/__uids__/85897855-A1A7-4846-8134-65C7619EE3B8/addressbook/90c 4c7aa12d6cb1fa4d68b2748fde985.vcf localETag:"d4ca80d1e1ac5dc69e08db5c0cb18835" errorItem:(null) error:(null); NIL href or action
    So the question is:
    How to does one move or import iPhone contact list with custom ringtones to OS X server Contacts? ... and will Contacts save/preserve the ringtone settings?
    Thanks

    lsof is the standard tool for listing open files, although I'm not quite sure it'll do what you want.
    It will list every open file used by every process on the machine, including many you don't expect. I don't know how it will present files opened by network users - whether they'll appear as owned by the file sharing process or not at all. Definitely one to try.

  • How to update "list of trusted sources" in Lion Wiki Server 3

    Hi,
    I would like to integrate content of external webites in my Lion Server Wiki with the iframe-tag. When I save the code, nothing is shown and the src-fragment is deleted.
    When I search the Wiki-Help, there is written something about a "list of trusted sources" in the wiki server.
    In the client OS forum I found the same problem without an answer. Did anyone slove this problem?

    I haven't used the previous OSX server versions before 10.7, but it seem to be a new technology than before, i.e.. ruby instead of python? Anyway, I've tried to create a whitelist.plist in all the directories mentioned but in 10.7 the major ones seems to be /etc/collabd and /usr/share/collabd, put whitelist.plist there don't work.
    I also noted that when I added the iframe in the editor - it works, even more interesting, it works in the document history. From a security viewpoint - this is a bug as I see it.
    Good thing is that I probably have a (unsecure) workaround, I edited the /etc/collabd/collabd.plist and change true to false regarding FilterEnabled and restarted Wiki
    Like this:
    <key>FiltersEnabled</key>
    <false/>
    But I reallly want some kind of whitelist from a security viewpoint, where is it?

  • Is there a list of best practices for Azure Sql Server?

    I was talking with a Sql Server expert today and learned that Azure Sql Server can take up to a minute to respond to a query that normally takes a fraction of a second. This is one of those things where it's really valuable to learn it when architecting as
    opposed to when we go live.
    Is there a list of best practices for Azure Sql Server? If so, what are they?
    We will be calling the database from multiple instances, both Azure websites and Azure cloud services. The calls will be about 90% selects, 9% updates, and 1% inserts.
    thanks - dave
    What we did for the last 6 months -
    Made the world's coolest reporting & docgen system even more amazing

    Hi,
    Here are some documentation on Azure SQL Database to get you started.
    http://msdn.microsoft.com/en-us/library/azure/ee336279.aspx
    http://msdn.microsoft.com/en-us/library/azure/ff394102.aspx
    http://msdn.microsoft.com/en-us/library/azure/jj156164.aspx
    http://msdn.microsoft.com/en-us/library/azure/ee336282.aspx
    http://msdn.microsoft.com/en-us/library/azure/ee336256.aspx
    Regards,
    Mekh.

  • How can I get a Listing of all scheduled reports from Crystal Server 9?

    Hello,
    Can anyone help?
    A colleague and I are trying to find out when we can schedule a server reboot (Crystal Reports 9). We can look at individual jobs but we don't seem to be able to find a list of all the jobs and when they occur.
    We need to do this as we would like to schedule a regular server reboot without interrupting jobs.
    As you may be able to tell, my colleague and I have little Crystal knowledge, but we have found our selves looking after this server.
    Thanks in advance.
    Edited by: Paul Hopkins on Nov 24, 2008 2:26 PM

    Hi Paul,
    Thanks for your response.
    Do you remember what kind of installation process you have followed while installing your crystal enterprise.
    It will prompt for client installation and server installation.
    If you have installed client products then you wont have instance manager in your list of products.
    Else  if you don't have instance manager in crystal server 9, then for buying the product you should contact your accounts manager.
    He can reach the CIC people through your company and based on your license agreements you can the product.
    Just let me know if you have any queries.
    Regards,
    Naveen.

  • Can't see list of backups of TimeMachine service in Server.app

    We can't see the list of backups (users and date of last backup) in Server.app anymore. Load the settings will say, after a couple of minutes:
    Error Reading Settings
    Service functionality and administration may be affected.
    Click Continue to administer this service.
    Code 0.
    If I click Continue, I see the list of backup destinations and nothing else. In system.log, I get the error below. Both forward and reverse DNS works fine.
    Any ideas? I didn't find anything useful on Google...
    Jun  5 15:04:18 petitsuix.druide servermgrd[39218]: --Module servermgr_xcode's response has retain count of 3.
    Jun  5 15:04:18 petitsuix.druide servermgrd[39218]: --Module servermgr_devicemgr's response has retain count of 3.
    Jun  5 15:04:18 petitsuix.druide servermgrd[39218]: --Module servermgr_history's response has retain count of 3.
    Jun  5 15:04:19 petitsuix.druide servermgrd[39218]: servermgr_swupdate[INF]: Verifying Software Update catalog configuration.
    Jun  5 15:04:45 --- last message repeated 1 time ---
    Jun  5 15:04:45 petitsuix.druide sshd[39338]: Connection closed by 192.168.1.19 [preauth]
    Jun  5 15:04:46 petitsuix.druide servermgrd[39218]: [39218] error in getAndLockContext: flock(servermgr_timemachine) FATAL time out
    Jun  5 15:04:46 petitsuix.druide servermgrd[39218]: [39218] process will force-quit to avoid deadlock
    Jun  5 15:04:46 petitsuix.druide servermgrd[39218]: outstanding requests are: (
                     Command = getState;
                     Module = "servermgr_timemachine";
                     Thread = 4627648512;
                     Timestamp = "2014-06-05 19:02:45 +0000";
                     Command = getBackups;
                     Module = "servermgr_timemachine";
                     Thread = 4628721664;
                     Timestamp = "2014-06-05 19:02:45 +0000";
                     Command = getBackups;
                     Module = "servermgr_timemachine";
                     Thread = 4629258240;
                     Timestamp = "2014-06-05 19:02:45 +0000";
                     Command = getState;
                     Module = "servermgr_timemachine";
                     Thread = 4627111936;
                     Timestamp = "2014-06-05 19:02:45 +0000";
                     Command = getState;
                     Module = "servermgr_timemachine";
                     Thread = 4626575360;
                     Timestamp = "2014-06-05 19:02:45 +0000";
                     Command = readSettings;
                     Module = "servermgr_timemachine";
                     Thread = 4626038784;
                     Timestamp = "2014-06-05 19:02:45 +0000";
                     Command = readSettings;
                     Module = "servermgr_timemachine";
                     Thread = 4625502208;
                     Timestamp = "2014-06-05 19:02:46 +0000";
                     Command = getState;
                     Module = "servermgr_timemachine";
                     Thread = 4629794816;
                     Timestamp = "2014-06-05 19:02:46 +0000";
                     Command = getBackups;
                     Module = "servermgr_timemachine";
                     Thread = 4628185088;
                     Timestamp = "2014-06-05 19:02:46 +0000";
                     Command = getState;
                     Module = "servermgr_timemachine";
                     Thread = 4643479552;
                     Timestamp = "2014-06-05 19:04:18 +0000";
                     Command = getState;
                     Module = "servermgr_timemachine";
                     Thread = 4642406400;
                     Timestamp = "2014-06-05 19:04:18 +0000";
                     Command = getBackups;
                     Module = "servermgr_timemachine";
                     Thread = 4637745152;
                     Timestamp = "2014-06-05 19:04:19 +0000";
                     Command = readSettings;
                     Module = "servermgr_timemachine";
                     Thread = 4642942976;
                     Timestamp = "2014-06-05 19:04:19 +0000";
                     Command = getBackups;
                     Module = "servermgr_timemachine";
                     Thread = 4470239232;
                     Timestamp = "2014-06-05 19:04:24 +0000";
    Jun  5 15:04:46 petitsuix.druide servermgrd[39218]: blameOldestRequestForModule: couldn't find a thread to blame for servermgr_timemachine
    Jun  5 15:04:47 petitsuix com.apple.launchd[1] (com.apple.servermgrd[39218]): Exited with code: 1
    Jun  5 15:04:47 petitsuix.druide servermgrd[39352]: UpdateDefaultPrefs: reviewing the prefs file

    Back up all data.
    Quit the Server application and drag it to the Trash, but don't empty. You'll be prompted to confirm that you want to stop all services. You won't lose any data.
    Put the app back where it was and launch it. Test.

  • How to import the Issues list from an Excel File in Project Server 2013

    Hi,
    I'm using Project Server 2013.
    A Project Manager has been playing with the Issues List, deleting some fields, creating new columns and modifying some columns name. The result of this is that I'm getting this error everytime the task
    Reporting (Project Sync) is executed:
    General
    Reporting Wss list sync failed:
    ReportingWssSyncListFailed (24018) - 1100. Details: id='24018' name='ReportingWssSyncListFailed' uid='4feafda7-f147-e411-940d-005056957f05' SPListType='a1efd9a9-bd03-4604-91f3-31a2cc5693ff' Error='1100'.
    ReportingWssSyncListFailed (24018) - 1100. Details: id='24018' name='ReportingWssSyncListFailed' uid='5deafda7-f147-e411-940d-005056957f05' SPListType='a1efd9a9-bd03-4604-91f3-31a2cc5693ff' Error='1100'.
    ReportingWssSyncListFailed (24018) - 1100. Details: id='24018' name='ReportingWssSyncListFailed' uid='69eafda7-f147-e411-940d-005056957f05' SPListType='a1efd9a9-bd03-4604-91f3-31a2cc5693ff' Error='1100'.
    ReportingWssSyncListFailed (24018) - 1100. Details: id='24018' name='ReportingWssSyncListFailed' uid='75eafda7-f147-e411-940d-005056957f05' SPListType='a1efd9a9-bd03-4604-91f3-31a2cc5693ff' Error='1100'.
    ReportingWssSyncListFailed (24018) - 1100. Details: id='24018' name='ReportingWssSyncListFailed' uid='81eafda7-f147-e411-940d-005056957f05' SPListType='a1efd9a9-bd03-4604-91f3-31a2cc5693ff' Error='1100'.
    ReportingWssSyncListFailed (24018) - 1100. Details: id='24018' name='ReportingWssSyncListFailed' uid='8deafda7-f147-e411-940d-005056957f05' SPListType='a1efd9a9-bd03-4604-91f3-31a2cc5693ff' Error='1100'.
    Reporting message processor failed:
    ReportingWSSSyncMessageFailed (24016) - RDS failed while trying to sync one or more SP lists. The RDS queue message will be retried.. Details: id='24016' name='ReportingWSSSyncMessageFailed' uid='5beafda7-f147-e411-940d-005056957f05' QueueMessageBody='ProjectUID='a1efd9a9-bd03-4604-91f3-31a2cc5693ff'.
    ForceFullSync='False'. SynchronizationType='Issues'' Error='RDS failed while trying to sync one or more SP lists. The RDS queue message will be retried.'.
    ReportingWSSSyncMessageFailed (24016) - RDS failed while trying to sync one or more SP lists. The RDS queue message will be retried.. Details: id='24016' name='ReportingWSSSyncMessageFailed' uid='67eafda7-f147-e411-940d-005056957f05' QueueMessageBody='ProjectUID='a1efd9a9-bd03-4604-91f3-31a2cc5693ff'.
    ForceFullSync='False'. SynchronizationType='Issues'' Error='RDS failed while trying to sync one or more SP lists. The RDS queue message will be retried.'.
    ReportingWSSSyncMessageFailed (24016) - RDS failed while trying to sync one or more SP lists. The RDS queue message will be retried.. Details: id='24016' name='ReportingWSSSyncMessageFailed' uid='73eafda7-f147-e411-940d-005056957f05' QueueMessageBody='ProjectUID='a1efd9a9-bd03-4604-91f3-31a2cc5693ff'.
    ForceFullSync='False'. SynchronizationType='Issues'' Error='RDS failed while trying to sync one or more SP lists. The RDS queue message will be retried.'.
    ReportingWSSSyncMessageFailed (24016) - RDS failed while trying to sync one or more SP lists. The RDS queue message will be retried.. Details: id='24016' name='ReportingWSSSyncMessageFailed' uid='7feafda7-f147-e411-940d-005056957f05' QueueMessageBody='ProjectUID='a1efd9a9-bd03-4604-91f3-31a2cc5693ff'.
    ForceFullSync='False'. SynchronizationType='Issues'' Error='RDS failed while trying to sync one or more SP lists. The RDS queue message will be retried.'.
    ReportingWSSSyncMessageFailed (24016) - RDS failed while trying to sync one or more SP lists. The RDS queue message will be retried.. Details: id='24016' name='ReportingWSSSyncMessageFailed' uid='8beafda7-f147-e411-940d-005056957f05' QueueMessageBody='ProjectUID='a1efd9a9-bd03-4604-91f3-31a2cc5693ff'.
    ForceFullSync='False'. SynchronizationType='Issues'' Error='RDS failed while trying to sync one or more SP lists. The RDS queue message will be retried.'.
    ReportingWSSSyncMessageFailed (24016) - RDS failed while trying to sync one or more SP lists. The RDS queue message will be retried.. Details: id='24016' name='ReportingWSSSyncMessageFailed' uid='97eafda7-f147-e411-940d-005056957f05' QueueMessageBody='ProjectUID='a1efd9a9-bd03-4604-91f3-31a2cc5693ff'.
    ForceFullSync='False'. SynchronizationType='Issues'' Error='RDS failed while trying to sync one or more SP lists. The RDS queue message will be retried.'.
    Queue:
    GeneralQueueJobFailed (26000) - ReportingWSSSync.WSSSyncMessageEx. Details: id='26000' name='GeneralQueueJobFailed' uid='98eafda7-f147-e411-940d-005056957f05' JobUID='9e937da7-f147-e411-940e-005056957f0d' ComputerName='b579360a-53ab-4fe0-bf9b-c62f5e8d3529'
    GroupType='ReportingWSSSync' MessageType='WSSSyncMessageEx' MessageId='1' Stage='' CorrelationUID='0945bd9c-0d6a-a0f1-47b0-68cdfcfbff9a'. For more details, check the ULS logs on machine
    b579360a-53ab-4fe0-bf9b-c62f5e8d3529 for entries with JobUID
    9e937da7-f147-e411-940e-005056957f0d
    What I'm trying to do is to create a new Project from the scratch, update the Issues List, not deleting or modifying columns, just creating new columns in order to match the names he (the Project Manager) put in his Issues List, then Export the list to Excel,
    and then create a datasheet view matching the Exported list, but here I don't know how to import the list (copy / paste or whatsoever it can be done...)
    Do you know how to do it, or do you know another/any method to solve this problem?
    Thank you in advance,
    José Espases

    Hi José,
    2 considerations: 
    The first one is that (as you experienced) one should not delete or rename any of the predefined columns in the risk/issue list. What you did is the right way, meaning keeping the native column as is and creating new ones based on the business needs. Finally
    you just need to create view with the appropriate fields.
    Then for importing risks from an Excel list, I can't test it right now, but you should have a datagrid view (MS Access type) allowing you pasting data from Excel.
    Hope this helps,
    Guillaume Rouyre, MBA, MCP, MCTS |

  • Query a List of Open WMI connections on a server from a remote system

    We are monitoring a specific windows service on a server using Sitescope remote monitoring. The sitescope system uses a WMI method to Check if the service on a specific server is up or not. Initially it works like a charm but over time the WMI connections from
    sitescope time out and we have been told that Sitescope is not closing the WMI connection it opens gracefully and the open connections pile up.
    I am looking for a way to list open WMI connections to a specific service and/or server from a remote system and a way to kill those connections via a scheduled PowerShell (or batch/perl) script. I was able to list specific classes by -list parameter
    of the Get-WmiObject cmdlet
    but am unable to determine which class will give me the information that I require and the method to kill those connections.

    Sitescope is not closing the WMI connection it opens gracefully and the open connections pile up.
    1. It's not clear what "not closing the WMI connection it opens gracefully" means. WMI is a management technology that uses DCOM to connect to remote computers. (Is it really a question about DCOM?)
    2. It's not clear what specifically "open connections pile up" means and what problem(s) it causes.
    3. This is really a support question for that software's developer, not a question about WMI.
    -- Bill Stewart [Bill_Stewart]

  • How to find the list of unused stored procedures in SQL Server 2005?

    Hi,
    I need to find out the list of stored procedures which are not in use.
    I found there is something called "sys.dm_exec_procedure_stats " for SQL server 2008.
    Can you please suggest your ides here to do the same job for SQL server 2005.
    Many Thanks.

    In SQL 2005 there is, sort of. This is query lists the last execution
    time for all SQL modules in a database:
       SELECT object_name(m.object_id), MAX(qs.last_execution_time)
       FROM   sys.sql_modules m
       LEFT   JOIN (sys.dm_exec_query_stats qs
                    CROSS APPLY sys.dm_exec_sql_text (qs.sql_handle) st) 
              ON m.object_id = st.objectid
             AND st.dbid = db_id()
       GROUP  BY object_name(m.object_id)
    But there are tons of caveats. The starting point of this query is
    the dynamic management view dm_exec_query_stats, and the contents is
    per *query plan*. If a stored procedure contains several queries, 
    there are more than one entry for the procedure in dm_exec_query_stats.
    Best Regards,Uri Dimant SQL Server MVP,
    http://sqlblog.com/blogs/uri_dimant/
    MS SQL optimization: MS SQL Development and Optimization
    MS SQL Consulting:
    Large scale of database and data cleansing
    Remote DBA Services:
    Improves MS SQL Database Performance
    SQL Server Integration Services:
    Business Intelligence

  • Unable to list SFTP Directory on windows 2008 r2 server from internet

    Hi experts,
    I have configured a SFTP on windows 2008 r2 server. And i am using the Filezilla on client machine to connect to SFTP server.
    The connection works properly on internal network but it displays error when i connect from internet.
    Error: GnuTLS error -53: Error in the push function.
    Response: 550 Data channel timed out.
    Error: Failed to retrieve directory listing
    This machine is publish with public IP and port22. The connection and authorization process gets complete but stops are Directory Listing.
    PLease suggest the troublshooting steps..
    Let me know if any more info is rquired.

    Hi,
    Do you also use the Filezilla to configure SFTP server? Since you use Filezilla on client machine to connect to SFTP server, I would suggest you ask for help from Filezilla forums for better and accurate answer.
    https://forum.filezilla-project.org/
    Best Regards,
    Mandy 
    We
    are trying to better understand customer views on social support experience, so your participation in this
    interview project would be greatly appreciated if you have time.
    Thanks for helping make community forums a great place.

  • List of sql services required for deployment server?

    What are the role of list of sql services in case of BizTalk, like notification service is required for BAM.
    Along with can any one let me know the minimum services of SQL required on production.
    1.Database Engine Services
     SQL Server Replication
      Full-Text Search
    2.Analysis Services
    3.Reporting Services
    4.Shared Features
     Business Intelligence Development Studio
     Client Tools Connectivity
     Integration Services
     Management Tools – Basic
    Is it mandatory to install  analysis, integration services on production server.
    Please suggest!
    Fred

    Sorry, that is not correct.  SQL components beyond Database Services are required in most circumstances.
    It's important you understand what to install based on your application requirements.
    The definitive guides can be found here:
    BizTalk Server 2009:
    http://www.microsoft.com/en-us/download/details.aspx?id=4066
    BizTalk Server 2010:
    http://msdn.microsoft.com/en-us/library/aa561167.aspx
    BizTalk Server 2013:
    http://msdn.microsoft.com/en-us/library/jj248688(v=bts.80).aspx
    As a matter of practice, I always install all BizTalk realted SQL Server features, even if they are not used.  This is for consistency across environments, reliable patching and to accomodate any future BizTalk app features.

  • Update item in SharePoint 2010 list when a entry made in SQL server

    Hi there,
    I have four lists on a SharePoint 2010 site. There is a column - Equipment Name - in each of the lists. I want only this column to be updated in all the lists, when a new entry is made in SQL server.
    I referred
    http://oszakiewski.net/eric/connecting-a-sharepoint-2010-list-to-external-database-table and found it good, however I want to only update one column and not to perform CRUD. Also, can it be possible to achieve this without referring to Central Administration
    settings?
    Thanks

    Hi,
    Let’s verify the following:
    Whether your four lists are external list with SQL Server data source. If not, you can’t sync the list with SQL Server.
    External list items are sync from data source, they keep sync all the time.
    Whether you aren’t want to perform CRUD in the list. You can select some of them instead of using all of them.
    You can create all of the column from the four lists in your SQL Server database table, and then create four external lists with that table as data source.
    Modify view-> in each external list check the columns which you want display in every list. Then you can update the “Equipment” column in each external list.
    Best Regards,
    Lisa Chen
    Lisa Chen
    TechNet Community Support

  • SCOM 2012 R2 Data Warehouse failed to request a list of management packs from SQL RS server

    Hello, I get this alert can someone help me out ?
    I did check the Proxy and is configured on all the MS and DW server.
    Alert Description
    Data Warehouse failed to request a list of management packs which contain
    reports deployed to SQL Reporting Services Server. Report deployment process
    failed to request management pack list from SQL RS Server. The operation will be
    retried.
    Exception 'WebException': The request failed with HTTP status 407:
    Proxy Authentication Required ( Forefront TMG requires authorization to fulfill
    the request. Access to the Web Proxy filter is denied. ).
    One or more
    workflows were affected by this.
    Workflow name:
    Microsoft.SystemCenter.DataWarehouse.Deployment.Report
    Instance name:
    Data Warehouse Synchronization Service
    Instance ID:
    {FDC7C774-397C-3660-9D57-EFBED3B60329}

    Every call to the SRS generates a call to the OpsMgr SDK on Root Management
    Server to check permissions (security integration). It apepars the account
    the call is made under does not have access.
    To figure out which account is used follow this process:
    1) Run console and click on "Run As Profiles" in the Administration space;
    2) Double-click "Data Warehouse Report Deployment Account";
    3) Click on "Run As Accounts" tab;
    4) If you have a line in the accounts which lists your Root Management
    Server in the "Target Computer" column, note the account name in the "Run As
    Account" column. If you do not have such a line, follow steps 2-4 for the
    "Default Action Account" profile and note the account name;
    5) Click on "Run-As Accounts" in the Administration space and double click
    the account name which you got on step 4)
    6) Switch to the "Account" tab and note domain name and user name;
    Once you found the account (say, DOMAIN\user) check that it is a member of
    the User Role "Operations manager Report Security Administrators". If not -
    add it and the process will recover automatically.
    Also You can refer below links
    http://blogs.technet.com/b/smsandmom/archive/2007/09/06/system-center-operations-manager-doesn-t-show-any-reports.aspx
    http://www.networksteve.com/enterprise/topic.php/Data_Warehouse_failed_to_request_a_list_of_management_packs..._E/?TopicId=16627&Posts=2
    Please remember, if you see a post that helped you please click "Vote As Helpful" and if it answered your question, please click "Mark As Answer"

Maybe you are looking for

  • Locating Lost or Stolen iPad or iPhone

    Basically, this is a posting for BOTH Apple and mobile device users.  It contains suggestions for Apple and tips for user who have lost a trackable device (iPad, iPhone, iPod Touch, etc). Recently we misplaced an iPad in an Orlando airport.  After se

  • User differs on ~/Library/Keychains/login.keychain,should be 501,owner is 0

    I am having sever keychain errors. When I try to verify or repair my keychain, I get this error: "User differs on ~/Library/Keychains/login.keychain, should be 501, owner is 0" How can I fix this? Thanks.

  • Reinstall Tiger on original Panther G5 machine

    My Dual 1.8 came pre-installed with 10.3.4. I later purchased Tiger, and am now running 10.4.11. If I ever need to reinstall from scratch due to hardware or software issues, do I have to begin with the Panther disks and then upgrade again to Tiger us

  • Is there any report that can show tax rates per tax code per state

    Hello Gurus, I checked all standard SAP reports and they only list taxes based on the documents created. I am trying to develop a list of tax rates that are based on each tax code per state. Can some one suggest me how I can go about this.

  • Launch Jar from Program file

    Hello world, I need some help. I have a folder that contains my Jar file and some other files. My questions is, how do I make my Jar appear in the Programs or All Programs, (depending on which MS windows you are using) when the computer starts up? I