Отправляет email-рассылки с помощью сервиса Sendsay
  Все выпуски  

Exporting Email from Lotus Notes to Outlook/Thunderbird/IMAP (For Free!) (Notes Export Part 1) | Tech[niques]


Lotus Notes/Domino -- продукт и инструмент. Выпуск: 177

2009-11-27
Поиск по сайтам о Lotus Notes

Содержание:

CodeStore. Коды Примеры Шаблоны (6)

Lotus Web Content Management
Creating an IBM Lotus Web Content Management site structure with one click
Generating PDF Documents From Templates | Blog
Training
Lotus Notes/Domino notes.ini settings
Get on the Fast Track to XPages Fluency

Интенет эфир о Lotus Notes. Блоги и форумы (38)

RT @vzhik @a_nov вот к чему я точно никогда не привыкну так это lotus note 7. Уже
on Google Chrome OS
Получил предложение подработать на программировании в Lotus Notes.
Легкий поиск по базе вопросов – как узнать год выпуска телефона – пробить номер ...
Juniper WXC 1800 + 250
Lotus Notes Client Enhancements
Г» — это не «гугль»
вконтакте смотреть сообщения
Tell auto-indexer to skip a specific view
Связка wa
2.Lotus Notes
B4cchus впрочем, я считаю вероятным появление корпоративной кальки с gwave в рамках,
Lotus (что Domino, что Notes) - УГ чуть более чем полностью.
TCP/IPportname_TCPIPAddress
Temp_Index_Max_Doc
TimeZone
Topology_WorkInterval
TransLog_MaxSize
TransLog_Path
TransLog_Performance
TransLog_Status
TransLog_UseAll
Farfurkis:
Не открывается архив почтовой БД по ссылке
Creating an IBM Lotus Web Content Management site structure with one click
TCP_EnableIPV6
TCP_DefaultZone
DIIOPCookieCheckAddress
DIIOPConfigUpdateInterval
Deny_Access
DEFAULT_QV_USER
DEBUG_TRANSLOG_EXTENTS_PERCENTAGE_FULL
Debug_Fault_Analyzer
Debug_ThreadID
TimeSeparator
Выпуск рассылки "Lotus Notes/Domino -- РїСЂРѕРґСѓРєС‚ Рё РёРЅСЃС ...
Sams Teach Yourself Flickr in 10 Minutes
Выпуск рассылки "Lotus Notes/Domino -- РїСЂРѕРґСѓРєС‚ Рё РёРЅСЃС ...

Вакансии для специалистов (10)

Lotus Notes Developer
LOTUS NOTES ADMINISTRATOR
Lotus Notes Developer
Lotus Notes Developer
Lotus Notes Developer (CF)
Lotus Notes Developer
Lotus Notes Developer
Lotus Notes Administrator
Lotus Notes/ Domino Developer 3
Lotus Notes Tier 2 Administrator

Закладки о Lotus Notes (18)

Exporting Email from Lotus Notes to Outlook/Thunderbird/IMAP (For Free!) (Notes Export Part 1) | Tech[niques]
How to Deal with “Private” and “Private on First Use” Views
IBM - Domino Router notes.ini debug parameters for SMTP
Create hotspot buttons on the fly using DXL
Building Lotus Support in your Company
Drag and Drop Actions In the Lotus Notes Client
Monash dumping Thunderbird for Lotus Notes - News - Software - ZDNet Australia
OpenNTF.org - Open Source Community for Lotus Notes Domino
JM Interactive - Setup Lotus Notes with iPhone
Mei Ying's Tech Blog: Using SharePoint 2007 to Index a Lotus Notes Database
Mei Ying's Tech Blog: Displaying the Correct Titles of Lotus Notes Documents in SharePoint Search Results
AweSync | Lotus <-> Google Calendar Synchronization Tool
The IBM Lotus Community IdeaJam - Search Results
dominoGuru.com
Lotus Notes | Domino Error
Transfer Lotus Notes Email to Gmail and Unleash That Captured Information | Sales IT Tech
Conxsys :: nsfRewind for Lotus Domino
Making various language spell check dictionaries available to Notes 8.5.1 users
Спонсоры рассылки:
Поиск по сайтам о Lotus Notes/Domino
Полнотекстовый поиск по тематическим сайтам о Lotus Notes
Хостинг на Lotus Domino















Блиц опрос
Материалы на английском
(голосование возможно только из письма рассылки)
  • Нормально. Могу читать
  • Не годиться. Хочу только на русском
  • Компания ПУЛ - разработка приложений на Lotus Notes/Domino

    CodeStore. Коды Примеры Шаблоны

    1. Lotus Web Content Management

    Lotus Web Content Management delivers end-to-end Web content management for Internet, intranet, extranet, and portal sites.

    2. Creating an IBM Lotus Web Content Management site structure with one click

    Read about a simple solution that enables you to define site structures in IBM® Lotus® Web Content Management in an automated fashion. This solution allows you to save time on an otherwise time-consuming and monotonous task.

    3. Generating PDF Documents From Templates | Blog

    Generating PDF documents on the fly isn't exactly rocket science and - with the help of tools like iText - is easily done in Java and something I've talked about before.

    The trouble is that creating them is a cumbersome and often tedious task if what you want is anything other than a set of plain text paragraphs added in series. Unlike creating HTML everything in PDF-land is of absolute size and position. I find that getting the result you want is often a case of repetitive, pixel by pixel tweaking to get it right. You need a lot of patience.

    If you had a complicated document to create with logos and background images then you're in for a rough ride. What would make more sense is to use a GUI tool to author a base template and then just have your code add the text bits where necessary. This is the situation I found myself in recently and after a bit of digging I worked out how to take an existing PDF and add to it. PDF templating if you will.

    Creating a Template

    First thing to do, assuming you've not already been provided with a template is to create one. Let's look at creating a letter head. I did this in Word, as you can see below and simply pasted in some images, moved them about and added some company details to the footer in an off grey colour.

    image

    Once I was happy with it I used the File - Save As - PDF menu option to save the file in PDF format.

    image  

    You can see the resulting PDF below:

    image 

    What I did with the PDF is attached it to a document in the same Notes database as we're generating the PDFs from. In reality I had been provided with a PDF template by my client's design agency, so that's what I attached. I could skip the bit above about creating a template, but went through it here in case you need help or inspiration.

    The idea behind adding it as an attachment to a document is that the client has control over the template and can change it as and when they please. That being another benefit of this approach - if they happened to change the design of the letterhead then I'd have to go back to messing with the code each time. With this approach there should be no need to.

    All we need to do now is add the actual content. Here's an example of what the generated PDF looks like once we've done adding to it with our own code:

    image

    Let's look at how we'd do that.

    Adding To The Template

    The code below is the Java needed to create a new PDF document, import the existing template and then add our own text atop of it.

    //Setup a new PDF Document
    Document document = new Document();
    ByteArrayOutputStream os = new ByteArrayOutputStream(); PdfWriter writer = PdfWriter.getInstance(document, os); document.open();
    document.newPage(); //Get the template PDF as the starting point!
    View files = db.getView("files");
    lotus.domino.Document filestore = settings.getDocumentByKey("pdf_template.pdf", true); String filename = filestore.getItemValueString("FileName"); EmbeddedObject file = filestore.getAttachment(filesname);
    InputStream is = file.getInputStream(); //Here's the key part. Let's turn the template in to
    //usable PDF object
    PdfReader reader = new PdfReader(is);
    PdfImportedPage page = writer.getImportedPage(reader, 1); //Now, add it to the blank PDF document we've opened
    PdfContentByte cb = writer.getDirectContent();
    cb.addTemplate(page, 0, 0); //Now do the usual addition of text atop the template
    document.add( new Paragraph("Here some text added to the template")
    );
    //Etc, etc //Done!
    document.close(); //Tidy up
    is.close();
    file.recycle(); //Make SURE you do this!!! //Attach the resuling PDF to the Notes document
    Stream stream = session.createStream();
    stream.write(os.toByteArray()); MIMEEntity m = doc.createMIMEEntity("Files"); MIMEHeader header = m.createHeader("content-disposition");
    header.setHeaderVal("attachment;filename=\""+filename+"\""); m.setContentFromBytes(stream, "application/pdf", MIMEEntity.ENC_IDENTITY_BINARY); m.decodeContent();

    Code's boring though. What you want is a demo and a download, no?

    A Demo

    Here's the demo form. Fill in the fields and submit to see what gets generated. Here's an example of an outputted PDF file.

    The working download will be in form of DEXT 20091123, which will be in the Sandbox in the next few minutes.

    Click here to post a response

    4. Training

    Start here to find the tutorials, courses, and certification guides you need to stay up-to-date with Lotus Software products and to keep your skills top notch.

    5. Lotus Notes/Domino notes.ini settings

    Find information about Lotus Notes and Domino notes.ini settings from A to E.

    6. Get on the Fast Track to XPages Fluency

    XPages is a completely new approach to developing IBM Lotus Domino applications. It simplifies many heretofore difficult and tedious development tasks and adds powerful new capabilities. Find out how to work with XPages in Domino Designer 8.5 and discover the power of server-side JavaScript, which lets you work with the back-end Domino Java classes without having to know Java.

    developerWorks  >  Lotus  >  Forums & community  >  Lotus Sandbox

    Lotus Sandbox

    developerWorks

    Go back

    Show details for [<a href=/ldd/sandbox.nsf/PrintView/349636f5bd64583785256c5c00482cd1?OpenDocument>2 Extended Attachment Editio2 Extended Attachment Edition
    Edit and handle Attachments in Notes 4 the same way as in Notes 6
    Show details for [<a href=/ldd/sandbox.nsf/PrintView/71c7bb2310a15bc385256d17005a6d68?OpenDocument>A new Approach - Web-based DA new Approach - Web-based Date Picker
    Web-based date picker that displays company sponsored holidays
    Show details for [<a href=/ldd/sandbox.nsf/PrintView/2e808c6e7f2abc6585256d17005a701f?OpenDocument>A new approach - Web-based NA new approach - Web-based NAB
    A Web-based NAB with simple search function
    Show details for [<a href=/ldd/sandbox.nsf/PrintView/67f76112ed2e136c852571db0054f760?OpenDocument>A self-guided tour of DominoA self-guided tour of Domino Domain Monitoring (DDM)
    The attached presentation (ddm.ppt) is a self-guided tour of Domino Domain Monitoring (DDM).
    Show details for [<a href=/ldd/sandbox.nsf/PrintView/ccb30b2fead6c2288525690a0048c83b?OpenDocument>A simple method to use File A simple method to use File Upload Controls on the Web.
    For identifying/using file upload controls on the Web.
    Show details for [<a href=/ldd/sandbox.nsf/PrintView/255e4fcdbd8a951385256c940075e28e?OpenDocument>Access Level</a>][<br>]DisplAccess Level
    Displays User Access Level in DB - no need to know your group membership.
    Show details for [<a href=/ldd/sandbox.nsf/PrintView/ae043110f5e4e7338525688d006a5081?OpenDocument>Accidents Reports</a>][<br>]Accidents Reports
    Simple application for reporting and monitoring industrial accidents.
    Show details for [<a href=/ldd/sandbox.nsf/PrintView/fe6574162e6c1b6a852567ca006e79f1?OpenDocument>Account Manager</a>][<br>]MaAccount Manager
    Manages accounts, profiles, and contacts.
    Show details for [<a href=/ldd/sandbox.nsf/PrintView/11f736c9d472b15885256996006d7458?OpenDocument>ACL Audit Tool</a>][<br>]TooACL Audit Tool
    Tool to perform an ACL audit of databases/templates on a Domino server.
    Show details for [<a href=/ldd/sandbox.nsf/PrintView/81deffed8f49e561852568d4006c98e4?OpenDocument>ACL backup and restore functACL backup and restore functions in LotusScript
    LotusScript agents saving ACLs in NotesDocuments and restoring them back to DBs ACL
    Show details for [<a href=/ldd/sandbox.nsf/PrintView/9290c5e7654f34ea85256a1e0050bc55?OpenDocument>ACL Scanner</a>][<br>]CreateACL Scanner
    Creates reports about ACLs on all databases on one server, and recurses groups.
    Show details for [<a href=/ldd/sandbox.nsf/PrintView/ac1ba5645421b7e285256c940075ef53?OpenDocument>ACL Setter</a>][<br>]Allows ACL Setter
    Allows you to modify a database ACL without manager access on a server.
    Show details for [<a href=/ldd/sandbox.nsf/PrintView/80a0129b9d0b965485256a700048ae65?OpenDocument>ACL &quot;Modificator&quot; ACL "Modificator" 1.0
    Add ACL entries in multiple databases.
    Acme Standard Interface and Acme News databases
    Sample databases from the Iris Today article Building standard interfaces without changing your applications.
    Show details for [<a href=/ldd/sandbox.nsf/PrintView/d8bd2253eef9d9918525684a006d1c5a?OpenDocument>Acme.nsf and Zippy.nsf</a>][Acme.nsf and Zippy.nsf
    Sample databases Acme.nsf and Zippy.nsf referenced in the Iris Today article "Exercising XML with Domino Designer."
    Action button to initiate replication on server
    This Action code uses defined Connection documents to start immediate replication through remote console on source server
    Show details for [<a href=/ldd/sandbox.nsf/PrintView/0a41daba7017450685256a3e00524375?OpenDocument>Action Button to set InterneAction Button to set Internet Password
    Action Button to set Internet Password
    Show details for [<a href=/ldd/sandbox.nsf/PrintView/0e3afa9908928a378525699e004e8fc8?OpenDocument>Add business holidays to theAdd business holidays to the user's calendar
    Quick and dirty code to add business holidays to the user's calendar using front end classes.
    Add sound to a Notes form
    Add Sound Recorder to your e-mail template.
    Show details for [<a href=/ldd/sandbox.nsf/PrintView/d94d651dcd540b2485256949006e27db?OpenDocument>Add System DBs</a>][<br>]AddAdd System DBs
    Adds MAIL.BOX, SMTP.BOX, LOG.NSF, etc. from every available server to your workspace.
    Show details for [<a href=/ldd/sandbox.nsf/PrintView/69008d904a1ca3ab85256c940075f963?OpenDocument>Address Book Servlet v1.0</aAddress Book Servlet v1.0
    Address Book servlet provides an interface similar to address book dialog box in Lotus Notes client
    Show details for [<a href=/ldd/sandbox.nsf/PrintView/95afbd0f93c19c858525688d006a57b5?OpenDocument>Admin-Dev Tools 2.0</a>][<brAdmin-Dev Tools 2.0
    Tools for day to day admin tasks. Updated from the original version.
    Show details for [<a href=/ldd/sandbox.nsf/PrintView/f51807e42918e33e00256c090044738f?OpenDocument>Admin ACL 2</a>][<br>]AdminAAdmin ACL 2
    AdminACL is an application that allows you to add any ACL entry with any level to any database you want even if you do not have access to it.
    Show details for [<a href=/ldd/sandbox.nsf/PrintView/ca69e90dbf829253852567f3007c4b70?OpenDocument>Admin Helper</a>][<br>]Find Admin Helper
    Find Orphan mail files, check the Out of Office agent owner and the Calendar Profile owner of mail file for existing users.
    Show details for [<a href=/ldd/sandbox.nsf/PrintView/80beb21669da8d3185256b1400745b63?OpenDocument>AdminACL</a>][<br>]This toolAdminACL
    This tool allows you, the administrator, to add any group, user, and server to any databases in you organization (in one agent).
    Show details for [<a href=/ldd/sandbox.nsf/PrintView/7147feda3a9094ed85256b9f00725761?OpenDocument>Advanced Settings sample datAdvanced Settings sample database
    This database includes an advanced version of the Application Settings tool described in the Iris Today article "Application settings tool: an alternative to profiles" by Jonathan Coombs.
    Show details for [<a href=/ldd/sandbox.nsf/PrintView/530cf440b8deb01300256bde0031a0ff?OpenDocument>Advanced View Techniques</a>Advanced View Techniques
    Interesting ways to display views using applets & print selected documents from View Applet
    Show details for [<a href=/ldd/sandbox.nsf/PrintView/770532e1a86fbf1385256f0a00637edc?OpenDocument>Advanced XML for Notes</a>][Advanced XML for Notes
    Advanced XML techniques with Domino using data binding and Notes queries
    Show details for [<a href=/ldd/sandbox.nsf/PrintView/b1176bb4b31fada8852567f300753b47?OpenDocument>Advertising server</a>][<br>Advertising server
    Serves advertisements from an internally maintained list.
    Show details for [<a href=/ldd/sandbox.nsf/PrintView/0385bf0f95d0c98885256989005a29dc?OpenDocument>Agent to Compare 2 DocumentsAgent to Compare 2 Documents in R5
    Agent to Compare 2 Documents in R5 (works with RTF fields, too).
    Show details for [<a href=/ldd/sandbox.nsf/PrintView/f38057887f500e43852567c300660362?OpenDocument>Agentless thread map databasAgentless thread map database sample
    Demonstrates a technique for generating thread maps in an application without the use of a background agent.
    Show details for [<a href=/ldd/sandbox.nsf/PrintView/7967df8d95f585a485256c940076012b?OpenDocument>agentShowInternetHeaders</a>agentShowInternetHeaders
    LotusScript agent to show Internet "received" headers
    Show details for [<a href=/ldd/sandbox.nsf/PrintView/70f703dd400f97d500256bd000318722?OpenDocument>Alarm/Reminder setting from Alarm/Reminder setting from another application
    Set an alarm or reminders in a user's calendar from another application
    Show details for [<a href=/ldd/sandbox.nsf/PrintView/f710dcdf7214e953852569e60054fe7a?OpenDocument>Alex & Dilbert Cartoon RetriAlex & Dilbert Cartoon Retrieval Agent
    Database to retrieve and email Dilbert and Alex Cartoons
    Allow value not in list
    To improve Allow value not in list on the WEB
    Show details for [<a href=/ldd/sandbox.nsf/PrintView/7b7eff84bd6eeff600256bd8003960e8?OpenDocument>Allow values not in list comAllow values not in list combo for web
    Combo box with allow values not in list for IE5 and above, Netscape 6 and above
    Show details for [<a href=/ldd/sandbox.nsf/PrintView/98176455ff90e2d500256c38004a5f0c?OpenDocument>Alternate Color Rows View inAlternate Color Rows View in a Web Browser - Version 3
    Alternate Color Rows View Version 3 - More features
    Show details for [<a href=/ldd/sandbox.nsf/PrintView/78ad87650e8e6d8085256818007202c2?OpenDocument>AntiSpamFilter Agent</a>][<bAntiSpamFilter Agent
    Anti-spam agent and design elements to enhance spam mail filtering in the standard Notes mail template.
    Show details for [<a href=/ldd/sandbox.nsf/PrintView/b376f26b8cbd9f1b8525694d004e24c3?OpenDocument>API Goodies for Lotus Notes<API Goodies for Lotus Notes
    Control various Win API settings from inside Notes.
    Show details for [<a href=/ldd/sandbox.nsf/PrintView/e6621c730727e8a3852567f4007eaba1?OpenDocument>AppleScript code examples foAppleScript code examples for Notes
    This database contains additional programming examples for AppleScript in Notes.
    Show details for [<a href=/ldd/sandbox.nsf/PrintView/7d55dec173045350852568a4005d0497?OpenDocument>Application Development DocuApplication Development Documentation Library
    Allows developers of a systems group to store their documentation.
    Show details for [<a href=/ldd/sandbox.nsf/PrintView/0af99983727460a000256bd4003996c6?OpenDocument>Archive on CD-ROM</a>][<br>]Archive on CD-ROM
    Agent to archive on CD-ROM.
    Show details for [<a href=/ldd/sandbox.nsf/PrintView/9dc708521fd73a43852568a40069cf02?OpenDocument>Archive Options</a>][<br>]ArArchive Options
    Archive your mail db by dates or by sizes.
    Show details for [<a href=/ldd/sandbox.nsf/PrintView/86cf1eb52622488f85256d51004eeb72?OpenDocument>ArraySort</a>][<br>]An arrayArraySort
    An array sort using a fast shell sort algorthim
    Article "Notes application strategies: Document rating" sample database
    Sample database that accompanies the article, "Notes application strategies: Document rating"
    Show details for [<a href=/ldd/sandbox.nsf/PrintView/f5da0954a65348b985256e39004d1583?OpenDocument>Article &quot;Notes applicatArticle "Notes application strategies: Interactive search" sample database
    Sample database to accompany the article, "Notes application strategies: Interactive search."
    Show details for [<a href=/ldd/sandbox.nsf/PrintView/2e00b11f20d7446b85256e47006624c1?OpenDocument>Article &quot;Notes applicatArticle "Notes application strategies: Mail Processor" sample database
    Sample database to accompany the article, "Notes application strategies: Mail Processor."
    Show details for [<a href=/ldd/sandbox.nsf/PrintView/a687d600ae1001e985256e550058c84e?OpenDocument>Article &quot;Notes applicatArticle "Notes application strategies: User activity tracking" sample database
    Sample database to accompany the article "Notes application strategies: User activity tracking"
    Show details for [<a href=/ldd/sandbox.nsf/PrintView/1d9d9dd534b1491288256ae3006a997c?OpenDocument>ASP SendMail for Notes/DominASP SendMail for Notes/Domino
    Very simple program in VBScript that sends mail in ASP / WSH natively through Notes/Domino
    Audio CD Tracking
    Keeps track of 100 CD changer and CD collection

    Go back


    Интенет эфир о Lotus Notes. Блоги и форумы

    1. RT @vzhik @a_nov вот к чему я точно никогда не привыкну так это lotus note 7. Уже

    RT @vzhik @a_nov вот к чему я точно никогда не привыкну так это lotus note 7. Уже почти 1,5 года как работаю с ним, но все равно воротит..

    2. on Google Chrome OS

    А то какой смысл таскать с собой 3 кг ноутбук с dual-pro-cores и мощным видеоадаптером, если уставшей батарейки хватает на пару часов, видеокарточка просто жрет энергию, Windows загружается минут 10 и тормозит, а dual-core процессор убивается всякими ненужными Office 7 и Lotus Notes монстрами?

    3. Получил предложение подработать на программировании в Lotus Notes.

    Получил предложение подработать на программировании в Lotus Notes.

    4. Легкий поиск по базе вопросов – как узнать год выпуска телефона – пробить номер ...

    Централизованный доступ и легкий поиск для любых приложений Lotus Notes.

    5. Juniper WXC 1800 + 250

    Клиента особо интересовало сжатие трафика Lotus Notes и VoIP.

    6. Lotus Notes Client Enhancements

    sdsdssd

    7. Г» — это не «гугль»

    Не люблю я монстров типа календарь-планировщик-блокнот-и-до-кучи-почта в одном флаконе, лимит терпения исчерпан Outlook’ом и Lotus Notes.

    8. вконтакте смотреть сообщения

    Также L0phtCrack особо опасна, так как, даже при использовании соединений на базе Lotus Domino Server небыл взломан хакерами.

    9. Tell auto-indexer to skip a specific view

    With version 8.0, a database option was added to let you tell the server's view-indexing process to skip that database. This is handy, but it would also be nice to have such an option on the view level. ...

    10. Связка wa

    Здравствуйте, товарищи!!
    Интересуюсь вот таким вопросом: у меня есть агент,который запускает метод в стороннем web-service. Для связи с web-service я использую Soap-Toolkit.

    Но при отработке агента возн7икает ошибка ,что ProjectName missing.
    Не подскажите в чём проблема ????

    вот код вызываемого агента:

    Dim Connector As Variant, Serializer As Variant, Reader As Variant
    Set Serializer =createobject("MSOSOAP.SoapSerializer30")
    Set connector =createobject("MSOSOAP.HttpConnector30")
    Set xmldom=createobject ("Msxml2.DOMDocument.5.0")
    Set reader=createobject ("MSOSOAP.SoapReader30")
    Set Client =CreateObject("MSOSOAP.SoapClient30")
    Call Client.mssoapinit (wsdllink)
    Connector.Property("EndPointURL") = wsdllink
    Print "задаём логин и пароль пользователя,под которым идёт обращение"
    'client.ConnectorProperty("AuthUser") = "pbrfilesinout"
    'client.ConnectorProperty("AuthPassword") = ",jcchtathtyn"
    'Client.ConnectorProperty("WinHTTPAuthScheme") = 1
    Print "Коннектимся к сервису"
    Call Connector.Connect
    ' Connector.Property("SoapAction") = "CeatePWA"

    Call Connector.BeginMessage
    Stop
    ' устанавливаем Тайм-аут ,чтобы сервис сммог отработать нормально
    Client.ConnectorProperty("Timeout") = 700000

    ' вызываем метод из wsdl
    'Set Res=Client.CeatePWA(param1,param2,param3)
    ' ловим выходной поток отработки метода wsdl- файла
    Serializer.Init Connector.InputStream
    Serializer.StartEnvelope "SOAP-ENV" , "http://schemas.xmlsoap.org/soap/encoding/"
    Serializer.StartBody
    Stop

    Serializer.StartElement "CeatePWA" , "http://tempuri.org/"

    Print "Передаём в метод параметры"
    Serializer.startElement "loginGMP"
    Serializer.writeString param1
    Serializer.EndElement
    Serializer.startElement "number"
    Serializer.writeString param2
    Serializer.EndElement

    Serializer.startElement "urlHook"
    Serializer.writeString param3
    Serializer.EndElement
    Serializer.EndElement
    Print "Закончили передачу параметров"
    ' Serializer.WriteXml ("C:\MyService.xml")

    Serializer.endBody

    Serializer.endEnvelope

    Connector.EndMessage
    errh =Client.FaultString
    If errh <> "" Then
    Print "Ошибка" +errh
    End If
    Print "Читаем исходящий поток"
    Reader.Load Connector.OutputStream
    Print "проверка на наличие ошибок"
    If Not ( Reader.faultstring Is Nothing)Then
    Print "нашли ошибку при отработке сервиса"
    Print Cstr( Reader.faultstring.text )
    Else
    Print " Смотрим результаты работы"
    ' Msgbox (reader.RPCResult.text)
    Msgbox Reader.DOM.xml
    End If

    11. 2.Lotus Notes

    2.Lotus Notes

    12. B4cchus впрочем, я считаю вероятным появление корпоративной кальки с gwave в рамках,

    B4cchus впрочем, я считаю вероятным появление корпоративной кальки с gwave в рамках, скажем, IBM Lotus Notes

    13. Lotus (что Domino, что Notes) - УГ чуть более чем полностью.

    Lotus (что Domino, что Notes) - УГ чуть более чем полностью.

    14. TCP/IPportname_TCPIPAddress

    Content

    15. Temp_Index_Max_Doc

    Content

    16. TimeZone

    Content

    17. Topology_WorkInterval

    Content

    18. TransLog_MaxSize

    Content

    19. TransLog_Path

    20. TransLog_Performance

    21. TransLog_Status

    22. TransLog_UseAll

    23. Farfurkis:

    idea, друге місце firefox, потім Lotus Notes, Tortoise SVN і за ними антивірус.

    24. Не открывается архив почтовой БД по ссылке

    Здравствуйте. Встретилась такая проблема
    ...

    25. Creating an IBM Lotus Web Content Management site structure with one click

    Read about a simple solution that enables you to define site structures in IBM® Lotus® Web Content Management in an automated fashion. This solution allows you to save time on an otherwise time-consuming and monotonous task.

    26. TCP_EnableIPV6

    Content

    27. TCP_DefaultZone

    28. DIIOPCookieCheckAddress

    Content

    29. DIIOPConfigUpdateInterval

    30. Deny_Access

    31. DEFAULT_QV_USER

    32. DEBUG_TRANSLOG_EXTENTS_PERCENTAGE_FULL

    33. Debug_Fault_Analyzer

    34. Debug_ThreadID

    35. TimeSeparator

    36. Выпуск рассылки "Lotus Notes/Domino -- РїСЂРѕРґСѓРєС‚ Рё РёРЅСЃС ...

    172".

    37. Sams Teach Yourself Flickr in 10 Minutes

    38. Выпуск рассылки "Lotus Notes/Domino -- РїСЂРѕРґСѓРєС‚ Рё РёРЅСЃС ...

    Microsoft выпустила СЃРїРёСЃРѕРє совместимых СЃ Windows 7 программ * Microsoft Outlook(R), Lotus Notes(R)) СЏ отноССѓСЃСЊ СЃ некоторым предубеждением (РЅРµ лиСённым * Съвместимост СЃ Windows 7 - РєРѕР№ Рµ зад Р±РѕСЂРґР°? * DDM_SecProbe_PersonDoc_Limit * DBDir_Cache_Save_to_DB_Interval * DEBUG_CRASH_SENDTOIBM_DISABLE * DBDir_Directory_
    Блиц-опрос
    Давай знакомиться. В каких отношениях с Lotus Notes?
    (голосование возможно только из письма рассылки)
  • Lotus Администратор
  • Lotus Программист
  • Lotus Пользователь
  • С Lotus Note не знаком
  • Хочу познакомиться с Lotus Notes/Domino
  • Вакансии для специалистов

    1. Lotus Notes Developer

    Lotus Notes Developer Reston, VA L-3 Communications Services Group, Intelligence Solutions Division has an opening for a Lotus Notes Developer in Reston, VA. Clearance: Must have current TS/SCI FULL ...

    2. LOTUS NOTES ADMINISTRATOR

    Posting Date:11/09/2009 Job Number:HR08504 Job Title:LOTUS NOTES ADMINISTRATOR Work Schedule:M, T, W, Th, F - 08:00 AM - 05:00 PM Shift Detail:M; T; W; Th; F Job Location:Phoenix,AZ Department:I...

    3. Lotus Notes Developer

    Lotus Notes Developer Full Time Regular posted 10/13/2009 Job Category MIS - Info Tech / Telecommunications Req ID 158730 Able to obtain security clearance? None Currently possess ...

    4. Lotus Notes Developer

    Lotus Notes Developer Full Time Regular posted 10/16/2009 Job Category MIS - Info Tech / Telecommunications Req ID 159027 Able to obtain security clearance? None Currently possess ...

    5. Lotus Notes Developer (CF)

    Lotus Notes Developer (CF) Full Time Regular posted 4/6/2009 Job Category MIS - Info Tech / Telecommunications Req ID 144349 Able to obtain security clearance? None Currently posse...

    6. Lotus Notes Developer

    Lotus Notes Developer Full Time Regular posted 10/14/2009 Job Category MIS - Info Tech / Telecommunications Req ID 158834 Able to obtain security clearance? None Currently possess ...

    7. Lotus Notes Developer

    Lotus Notes Developer - (US-DC-Washington) Compensation:$20.00 - $36.00 / Hour Minimum Education:High School Job Type:Contract Jobcode:LotusNotes Email this job to yourself or to a friend|Job Match Te...

    8. Lotus Notes Administrator

    Lotus Notes Administrator Requisition Number: EF17105 Location: WASHINGTON, DC US Travel Involved: None Job Type: Regular Full Time Job Level: Experienced (Non-Management) Education: Bachelors Degre...

    9. Lotus Notes/ Domino Developer 3

    Title: Lotus Notes/ Domino Developer 3 Category: Information Systems Location: Reston, VA / USA | Sector: Information Systems Posting ID: MS/093602 This job is eligible for theRefer a Friendprogram...

    10. Lotus Notes Tier 2 Administrator

    Title: Lotus Notes Tier 2 Administrator Category: Information Systems Location: Reston, VA / USA | Sector: Information Systems Posting ID: MS/093608 This job is eligible for theRefer a Friendprogra...

    Закладки о Lotus Notes

    1. Exporting Email from Lotus Notes to Outlook/Thunderbird/IMAP (For Free!) (Notes Export Part 1) | Tech[niques]

    2. How to Deal with “Private” and “Private on First Use” Views

    3. IBM - Domino Router notes.ini debug parameters for SMTP

    SMTPClientDebug

    4. Create hotspot buttons on the fly using DXL

    5. Building Lotus Support in your Company

    6. Drag and Drop Actions In the Lotus Notes Client

    Lotus Notes itself offers many cool and useful drag and drop actions. I've been showing end users some of these for a long time, and always there are folks that had no clue drag and drop actions were even available. I wanted to share a few of them with you now.

    7. Monash dumping Thunderbird for Lotus Notes - News - Software - ZDNet Australia

    8. OpenNTF.org - Open Source Community for Lotus Notes Domino

    OpenNTF is devoted to enabling groups of individuals all over the world to collaborate on IBM Lotus Notes/Domino applications and release them as open source.

    9. JM Interactive - Setup Lotus Notes with iPhone

    10. Mei Ying's Tech Blog: Using SharePoint 2007 to Index a Lotus Notes Database

    11. Mei Ying's Tech Blog: Displaying the Correct Titles of Lotus Notes Documents in SharePoint Search Results

    12. AweSync | Lotus &lt;-&gt; Google Calendar Synchronization Tool

    13. The IBM Lotus Community IdeaJam - Search Results

    14. dominoGuru.com

    Developer Website

    15. Lotus Notes | Domino Error

    16. Transfer Lotus Notes Email to Gmail and Unleash That Captured Information | Sales IT Tech

    17. Conxsys :: nsfRewind for Lotus Domino

    18. Making various language spell check dictionaries available to Notes 8.5.1 users

    com.ibm.notes.branding/enable.update.ui=true

    Источники знаний. Сайты с книгами


    "Красные книги" IBM

    Книги компании IBM по специализированным тематикам о Lotus Software. Основной язык - английский форматы pdf и html

    Книги компании "Интертраст"

    Для администраторов разработчиков и пользователей. Настройка и администрирование, разработка и программирование, пользование системой Lotus Notes
    Документация. YellowBook
    Оригинальная документация по продуктам Lotus Software. Язык англыйский. Форматы pdf html nsf
    IBM Пресс
    Книги от компании IBM. Книги и брошуры на заказ и на бесплатную скачку в формате pdf
    КУДИЦ-ПРЕСС
    Просмотр и заказ книг. Некоторые книги возможно скачать в формате pdf для свободно чтения и просмотра.
    Книги о Lotus Notes в Интернете
    Ссылки на книги и методички находящиеся в свободном пользовании. Ветки форумов обсуждения книг и материалов. Поисковый сервер по хелпам Lotus Notes книги от Google для свободного просмотра

    В избранное о Lotus Notes/Domino В подготовке выпуска использовались материалы и знания
    По вопросам спонсорства, публикации материалов, участия обращайтесь к ведущему рассылку LotusDomiNotes

    В избранное