How Lotus Notes live text saves you time searching for information
Новости о ПО Lotus Notes1. Nokia E72 в Ростове: «почти ноутбук!» в кармане - TechnoDrive.ru
2. Заработай в сети Интернет - практическая информация для построения собственного онлайн-бизнеса - Пресс-релиз.ру (пресс-релиз)
3. Вендоры СЭД: Сколько приносят лицензии - CNews.ru
Компания ПУЛ - разработка приложений на Lotus Notes/Domino CodeStore. Коды Примеры Шаблоны1. Domino Web Development from the Ground Up: Using HTMLHTML skills are essential for Domino Web developers. Gain a basic understanding of HTML, how the Domino server converts design elements to HTML, and how to work with HTML when designing applications. Learn methods for enhancing and tweaking Domino HTML with Pass-Thru HTML, XHTML, and Cascading Style Sheets (CSS).2. Writing Efficient, Effective Web Code for Domino, Part 7: The Final ChapterSome performance-enhancing Web development techniques work in every situation and some depend on your particular situation. Find out how you can improve your site's performance using techniques that are custom-tailored to your own requirements.3. My First ASP.NET Website | BlogMany thanks to you all for helping me get started with ASP.NET yesterday. Using your advice and a couple of hours I put aside I managed to get going. Look mom, I made a database:
Obviously it's laughable in how simple it is. The point is that I'm up and "running". Now I know how to create and connect to a database it's all downhill from here, surely ;o) Most importantly I found getting this far an enjoyable experience! I like the Visual Web Developer 2008 IDE and can tell I'd enjoy using it. At the point I left it yesterday I wanted to carry on and learn more. I can only learn things if I actually want to. On Lazy BloggingNobody said it but there must be some of you thinking that me asking for help on basic things like how to start with ASP.NET is terribly lazy. While I'm just as happy Googling it and learning that way I like to think I'm helping others at the same time as helping myself. While I was surprised how many of you are ASP.NET experts already there must be just as many of my readers who, like me, aren't and will take interest in your replies to my dumb-ass questions. Whatever I talk about on here it will probably always be from a Domino perspective, so if I'm talking about other technologies, like PHP and ASP.NET then I assume it's of interest to my readers. That's my thinking anyway. Oh, and I'm lazy... 4. FieldDeleterDeletes Selected Fields from Selected Documents Option PublicSub Initialize Dim session As New notessession Dim db As notesdatabase Dim col As notesdocumentcollection Dim doc As notesdocument Dim uiWorkspace As New NotesUiWorkspace Set db=session.currentdatabase Set col=db.unprocesseddocuments Set doc=col.getfirstdocument Dim Fld As NotesItem Dim FldCount As Integer If db.currentaccesslevel < 5 Then ' Little Security Touch Print ("Access Denied") Beep Beep Beep Beep Beep Beep Beep Exit Sub End If 'Get list of field names FldCount = 0 Forall item In doc.Items FldCount = FldCount + 1 End Forall Redim FieldList(0 To FldCount) FieldList(0) = "-Unlisted Field-" x=0 Forall item In doc.Items x=x+1 FieldList(x) = Cstr(item.name) ' now FieldList is an array with all fieldnames End Forall Call Sort(FieldList) ' Now it's alphabetized 'Now to select which fields FieldToChange = UIWorkspace.Prompt(PROMPT_OKCANCELLISTMULT, "---- Field Deleter ----", "Please select wich fields you wish to Delete.","" ,FieldList ) If Isscalar(FieldToChange) Then Print "Canceled" Exit Sub End If If FieldToChange(0) = "-Unlisted Field-" Then FieldToChange(0) = UIWorkspace.Prompt(PROMPT_OKCANCELEDIT, "---- Field Deleter ----", "Enter the Field Name you wish to Delete","" ) If Trim(FieldToChange(0)) ="" Then Print "Canceled" Exit Sub End If End If While Not doc Is Nothing For y= Lbound(FieldToChange) To Ubound(FieldToChange) If Cstr(FieldToChange(y)) <> "" Then Set deadfield = doc.GetFirstItem(FieldToChange(y)) If Not deadfield Is Nothing Then Call deadfield.Remove End If Next Call doc.save(False,False) Set doc=col.getnextdocument(doc) Wend End Sub Sub Sort(array) n=Ubound(array)+1 For I=1 To (n-1) J=I Do While J>=1 If array(J)<array(J-1) Then A=array(J) A1=array(J-1) array(J)=A1 array(J-1)=A J=J-1 Else Exit Do End If Loop Next End Sub 5. FieldRenamerThis LS agent lets you rename fields on selected documents This is an agent I use a great deal when rewriting an old application when a field name or many field names need to be changed to something more useful or appropriate Option PublicSub Initialize Dim session As New notessession Dim db As notesdatabase Dim col As notesdocumentcollection Dim doc As notesdocument Dim uiWorkspace As New NotesUiWorkspace Set db=session.currentdatabase Set col=db.unprocesseddocuments Set doc=col.getfirstdocument Dim Fld As NotesItem Dim FldCount As Integer If db.currentaccesslevel < 5 Then ' Little Security Touch Print ("Access Denied") Beep Beep Beep Beep Beep Beep Beep Exit Sub End If FldCount = 0 x=0 'Get list of field names Forall item In doc.Items FldCount = FldCount + 1 End Forall Redim FieldList(0 To FldCount) Forall item In doc.Items x=x+1 FieldList(x) = Cstr(item.name) ' now FieldList is an array with all fieldnames End Forall 'Get list of field names FldCount = 0 Forall item In doc.Items FldCount = FldCount + 1 End Forall Redim FieldList(0 To FldCount) FieldList(0) = "-Unlisted Field-" x=0 Forall item In doc.Items x=x+1 FieldList(x) = Cstr(item.name) ' now FieldList is an array with all fieldnames End Forall Call Sort(FieldList) ' Now it's alphabetized 'Now to select which fields FieldToChange = UIWorkspace.Prompt(PROMPT_OKCANCELLISTMULT, "---- Field Renamer ----", "Please select wich fields you wish to Rename.","" ,FieldList ) If Isscalar(FieldToChange) Then Print "Canceled" Exit Sub End If If FieldToChange(0) = "-Unlisted Field-" Then FieldToChange(0) = UIWorkspace.Prompt(PROMPT_OKCANCELEDIT, "---- Field Deleter ----", "Enter the Field Name you wish to Rename","" ) If Trim(FieldToChange(0)) ="" Then Print "Canceled" Exit Sub End If End If Redim Newlist(Lbound(FieldToChange) To Ubound(FieldToChange)) For z = Lbound(FieldToChange) To Ubound(FieldToChange) Newlist(z) = UIWorkspace.Prompt(PROMPT_OKCANCELEDIT, "---- Field ----", "Please Enter the new Field Name. for the field: " & FieldToChange(z),"" ,"" ) Next While Not doc Is Nothing For y= Lbound(FieldToChange) To Ubound(FieldToChange) If Doc.HasItem(FieldToChange(y)) Then Set DeadField = doc.GetFirstItem(FieldToChange(y) ) Call DeadField .CopyItemToDocument( Doc, Newlist(y) ) Call DeadField.Remove End If Next Call doc.save(False,False) Set doc=col.getnextdocument(doc) Wend End Sub Sub Sort(array) n=Ubound(array)+1 For I=1 To (n-1) J=I Do While J>=1 If array(J)<array(J-1) Then A=array(J) A1=array(J-1) array(J)=A1 array(J-1)=A J=J-1 Else Exit Do End If Loop Next End Sub 6. FieldSetterThis is a LS Agent I put in every database I own so I can quickly stamp all selected records with certain values without having to write a special agent when the need arises. Option PublicSub Initialize Dim session As New notessession Dim db As notesdatabase Dim col As notesdocumentcollection Dim doc As notesdocument Dim uiWorkspace As New NotesUiWorkspace Set db=session.currentdatabase Set col=db.unprocesseddocuments Set doc=col.getfirstdocument Dim Fld As NotesItem Dim FldCount As Integer If db.currentaccesslevel < 5 Then ' Little Security Touch Print ("Access Denied") Beep Beep Beep Beep Beep Beep Beep Exit Sub End If 'Get list of field names FldCount = 0 Forall item In doc.Items FldCount = FldCount + 1 End Forall Redim FieldList(0 To FldCount) FieldList(0) = "-Create New Field-" x = 0 Forall item In doc.Items x=x+1 FieldList(x) = Cstr(item.name) ' Now FieldList is an array with all fieldnames End Forall Call Sort(FieldList) ' Now it's alphabetized 'Now to select which field to set FieldToChange = UIWorkspace.Prompt(PROMPT_OKCANCELCOMBO, "---- Field Setter ----", "Please select wich field you wish to change.","" ,FieldList ) If Trim(FieldToChange) ="" Then Print "Canceled" Exit Sub End If If FieldToChange = "-Create New Field-" Then FieldToChange = UIWorkspace.Prompt(PROMPT_OKCANCELEDIT, "---- Field Setter ----", "Enter the Field Name you wish to add","" ) If Trim(FieldToChange) ="" Then Print "Canceled" Exit Sub End If End If 'Now to get the New Value NewFieldInput = UIWorkspace.Prompt(PROMPT_OKCANCELEDIT, "---- Field Setter ----", "Please Enter the new value.","" ,"" ) If Trim(NewFieldInput) ="" Then Print "Canceled" Exit Sub End If Set Thisitem = doc.GetFirstItem( FieldToChange ) If Not Thisitem Is Nothing Then ThisType = Cint(Thisitem.type) Else DefaultChoice = "" Redim TypeList(0) TypeCount = -1 If Isdate(NewFieldInput) Then TypeCount = TypeCount + 1 Redim Preserve TypeList(TypeCount) TypeList(TypeCount) = "Date" DefaultChoice = "Date" End If If Isnumeric(NewFieldInput) Then TypeCount = TypeCount + 1 Redim Preserve TypeList(TypeCount) TypeList(TypeCount) = "Number" If DefaultChoice = "" Then DefaultChoice = "Number" End If TypeCount = TypeCount + 1 Redim Preserve TypeList(TypeCount) TypeList(TypeCount) = "String" If DefaultChoice = "" Then ThisType =1280 Else TypeChoice = UIWorkspace.Prompt(PROMPT_OKCANCELCOMBO, "---- Field Type ----", "What type of field do you wish this to be.",DefaultChoice ,TypeList ) If Trim(TypeChoice) ="" Then Print "Canceled" Exit Sub End If Select Case(TypeChoice) Case "Date" : ThisType = 1024 Case "Number" : ThisType = 768 Case "String" : ThisType = 1280 End Select End If End If Select Case ThisType Case 1024 : NewFieldValue = Cdat(NewFieldInput) Case 768 : NewFieldValue = Cdbl(NewFieldInput) Case 1280 : NewFieldValue = Cstr(NewFieldInput) Case Else : NewFieldValue = Cstr(NewFieldInput) End Select While Not doc Is Nothing Call doc.replaceitemvalue(FieldToChange, NewFieldValue) Call doc.save(False,False) Set doc=col.getnextdocument(doc) Wend End Sub Sub Sort(array) n=Ubound(array)+1 For I=1 To (n-1) J=I Do While J>=1 If array(J)<array(J-1) Then A=array(J) A1=array(J-1) array(J)=A1 array(J-1)=A J=J-1 Else Exit Do End If Loop Next End Sub 7. Eight easy steps to open and view Flash files in Lotus NotesUse these 8 steps and some LotusScript to open and use Macromedia Flash files in a Lotus Notes client.8. Getting Started With .Net Development | BlogIf a .Net developer asked me -- a Domino developer -- what he needed in order to get started learning Domino I'd say something like:
What if I asked the same of the .Net developer though? What's the equivalent process I'd need to follow as an entry route in to .Net development? Do I need Visual Studio on my PC and just IIS on the server or is there a .Net platform to add to the server first? Sometimes the hardest part of learning something new is finding out what you need to do before you can even start learning. 9. Forums and communityThe Lotus forums & community page lists public and private discussion forums about Lotus and related software, blogs, RSS feeds, and user groups.10. Lotus ConnectionsIBM Lotus Connections is social software for business that empowers you to be more innovative and that helps you execute more quickly by using dynamic networks of coworkers, partners, and customers. Version 2.5 includes an enhanced Communities experience with new features and capabilities in these integrated components: Home page, Profiles, Communities, Activities, Files, Blogs, Wikis, and Bookmarks. Форумы о Lotus Notes/Domino:
Интенет эфир о Lotus Notes. Блоги и форумы1. Переключение языков Lotus Notes, Admin, DisignerВозможно кому-нибудь пригодиться мой старый опыт по руссификации Lotus Notes, Admin, Disigner. Я знаю что можно сразу поставить русский вариант, НО большая часть литературы использует ссылки на англоязычное меню, в связи с этим многие ставят себе английскую версию клиентов. Есть два шаманства по руссификации клиентов, быстрый если есть установленный русский клиент, хотя бы только Notes и более долгий.Шаманство №1 (Если где-нибудь у вас стоит русский Notes, желательно той же версии). - Устанавливаете (или уже установлен) необходимый англоязычный пакет (либо только Notes, либо вместе с Admin и Disigner) - Копируете MUI из папки русскоязычного установленного клиента в вашу папку с англоязычным (По умолчанию C:\Program Files\IBM\Lotus\Notes\) - Теперь в папке англоязычного находите файл Notes.ini - Открываете в режиме редактирования и вносите параметр (6 строкой сверху) UserInterface=ru - Наслаждаетесь русским вариантом приложения - Если надо английское, то просто закоментируйте данный параметр (напишине перед ним //) Шаманство №2 (Если есть русский дистрибутив только Notes, а вам надо руссифицировать полный пакет). - Устанавливаете русский Lotus Notes, можете его настроить по желанию. - Удаляете но не затираете руками директорию установки - Устанавливаете англоязычный полный пакет - Если он все еще ангийский при запуске, то внесите параметр (6 строкой сверху) UserInterface=ru - Наслаждайтесь 2. Вредоносные программы для альтернативных ОСВ крупных сетях с большим количеством пользователей выделенный почтовый шлюз размещается перед почтовым сервером (Exchange, Lotus Domino и др.).3. Lotus Notes, мля.Lotus Notes, мля.4. Конвертер JavaЗдравствуйте все!Никому не попадались утилиты конвертирования LS в java? Понимаю, что многое непереносимо, но можно получить хотя бы заготовку для доработки "напильником". 5. Клиенты типографии и способы увеличения продажСХЕМА 3 Знания о своих продуктах клиенты lotus notes Хотите увеличить продажи?6. Try Lotus Notes ;) :)))Try Lotus Notes ;) :)))7. Use DataStage Web Services Pack to fetch Lotus Notes data into an InfoSphere Information Servers DataStage module for more ETL processingThis article explores various features that Lotus(R) Domino(R) Server provides to create and deploy Lotus applications as Web services. You will learn how IBM InfoSphere(R) Information Server uses these applications through DataStage(R) Web Services Pack. This step-by-step guide helps you create, configure, and deploy Web services in Lotus Domino, and it helps you create, configure, compile, and execute a DataStage Web Services Pack job that uses Lotus Web services.8. Introducing IBM LotusLive MeetingsIn this article, we give an overview of IBM® LotusLive Meetings and describe its unique features. In other articles in this series, we examine each offering in more detail.9. Introducing IBM LotusLive EngageIn this article, we give an overview of IBM® LotusLive Engage and describe its unique features. In other articles in this series, we examine each offering in more detail.10. An IBM Mashup Center plug-in to perform XSLT transformsLearn how to build an XSLT plug-in for Version 2 of the IBM Mashup Center that takes advantage of the built-in support for Basic and Form-based authentication.11. 600 ebook ITsams – lotus notes and domino 6 development, second edition.chm12. Eight easy steps to open and view Flash files in Lotus NotesUse these 8 steps and some LotusScript to open and use Macromedia Flash files in a Lotus Notes client.13. Notes.inis J - K - LThis is an index to Notes.ini information posted in the Wiki. It is updated almost constantly; check back if you don't see the Notes.ini for which you are looking. Better yet, create an article! ==J== ...14. PDF Version of Deployment GuideThe attached file is a snapshot of this wiki, converted to a PDF file on December 9th, 2009.15. TEXTBOOKS COLLECTION: Daftar Teksbook AKLotus Notes/Domino 5 Application Development (MCSE Fast Track);Tim Bankes,Dave Hatter;Que;28 November, 2000 -;16. E1mer вау! где во Владике Lotus Notes пользуют? в мою бытность в Параходстве юзали.E1mer вау! где во Владике Lotus Notes пользуют? в мою бытность в Параходстве юзали.17. Работа Lotus Notes на терминальном сервере Linuxlinux, Lotus notes, terminal server18. Test Infrastructure : Domino 8.5.1 Reliability on SLES 10 (64 bit)IBM System Verification Test for SLES 10 (64 bit) with Domino 8.5.1 October, 2009 1 Overview The IBM System Verification Test (SVT) objective is to execute a set of test scenarios against a test configuration that contains the key requirements and components that will create a load on two ...19. Test Infrastructure : Domino 8.5.1 Reliability on Windows 2003 VMware (32 bit)IBM System Verification Test for Windows 2003 VMware (32 bit) with Domino 8.5.1 October, 2009 1 Overview The IBM System Verification Test (SVT) objective is to execute a set of test scenarios against a test configuration that contains the key requirements and components that will create a ...20. Test Infrastructure : Domino 8.5.1 Reliability on Windows 2003 (64 bit)IBM System Verification Test for Windows 2003 (64 bit) with Domino 8.5.1 October, 2009 1 Overview The IBM System Verification Test (SVT) objective is to execute a set of test scenarios against a test configuration that contains the key requirements and components that will create a load ...21. Test Infrastructure : Domino 8.5.1 Reliability on zSeriesIBM System Verification Test for zSeries with Domino 8.5.1 October, 2009 1 Overview The IBM System Verification Test (SVT) objective is to execute a set of test scenarios against a test configuration that contains the key requirements and components that will create a load on a zLinux ...22. Test Infrastructure : Domino 8.5.1 Reliability on AIX 6.1 (64 bit)IBM System Verification Test for AIX (64 bit) with Domino 8.5.1 October, 2009 1 Overview The IBM System Verification Test (SVT) objective is to execute a set of test scenarios against a test configuration that contains the key requirements and components that will create a load on an AIX ...23. Task Coach 0.77Программа появилась в результате неудовлетворенности доступными ныне менеджерами задач, например Outlook или Lotus Notes, которые не обладают инструментами для создания сложных задач.24. Lotus Notes & Lotus Domino25. IBM Lotus Notes."Спасибо, Кэп", - хотел я сегодня сказать неизвестному IBMовскому разработчику, когда в Lotus Notes, подводя мышку к красному восклицательному знаку, собирался увидеть что-то вроде "Приоритет: высокий" или "Пометка: важно!"...26. Article: Understanding the Web services database (NDERPws.nsf) in Alloy by IBM and SAPA great new article by Amita Vadhavkar and Prashant U. Admile (IBM software engineers) has been published on developerWorks. [[ http://www.ibm.com/developerworks/lotus/library/alloy-database/index.html?ca=drs-| Understanding the Web services database (NDERPws.nsf) in Alloy by IBM and SAP]] ...27. Demo: Adding a signature to messages in Lotus iNotesThe following demonstration shows you how to create and add a signature to a message in Lotus iNotes 8.5.1.28. FTSearch in a view vs. databaseI got a question in email recently that I thought should've been addressed in my performance whitepaper -- but it wasn't, so I figured it would be worth mentioning here. The question: why does NotesVi ...29. Igor Novikov: Лучшее из мира программ для делового использования iPhoneNotes Pro for Lotus Notes ($14.99)30. iNotes_WA_EnableNewMailForMultiPortal31. Notes.inis H - IThis is an index to Notes.ini information posted in the Wiki. It is updated almost constantly; check back if you don't see the Notes.ini for which you are looking. Better yet, create an article! ==H== ...32. О свободной СЭД для автоматизации Минкомсвязи | Op…С одной стороны Главный продукт “АйТи” на базаре СЭД — “БОСС-Референт”, реализованный на базе платформу Lotus Notes.33. Создание Help-a для ПО наДорогие форумчане!Поделитесь, пожалуйста, своими историями создания Help-a для ПО на Lotus-e. Может у кого был такой успешный опыт... Или кто создавал Help-a для другого ПО. Мне все очень интересно! Заранее СПАСИБО! 34. Так, да не такСистемы управления документооборотом (Босс-референт, LanDocs, Дело-Предприятие, DIRECTUM, DocsVision, CompanyMedia, Lotus Notes, Documentum, Hummingbird, StaffWare, DOCS Open/Fusion и др.) -35. Балтійський калейдоскоп. Абоненти не квапляться міняти оператораКорпоративний поштовий сервер повинен підтримувати Microsoft Exchange або IBM Lotus Notes.36. Эти люди никогда не видели Lotus Notes.Эти люди никогда не видели Lotus Notes.37. А авторы Lotus Notes знают.А авторы Lotus Notes знают.38. My developerWorks: New ways to build your technical skills and your professional networkMy developerWorks is a worldwide community of software developers and IT professionals of all stripes, from students to seasoned veterans. As you'd expect, there's a lot going on in this community, 24/7. New groups of users who share common interests are forming. Blogs and wikis are starting up. Bookmarks and files are being added, examined, and copied. Collaborative activities are breaking new ground. And now new features and the revamped home page make it even easier to contribute and keep tabs on it all. So...whether you're new to My developerWorks (welcome!) or already in the community, read on to see the new ways the community can help you thrive.39. Understanding the Web services database (NDERPws.nsf) in Alloy by IBM and SAPThe backbone of Alloy™ by IBM® and SAP® architecture is Web services communication between trusted parties, namely IBM and SAP. Both asynchronous and synchronous communication between IBM and SAP is through the Web services database NDERPws.nsf. This article explains the role of this database and how to use it from both an administrator and a user perspective, and how to troubleshoot some common issues.40. Французское правительство выбирает свободное ПОВ частности будут заменены IBM Lotus Notes и Microsoft Outlook на Mozilla Thunderbird для почты и Lightning для организации совместной работы.41. попробуйте Genius Projectнаша компания занимается разработкой и продажей прграммы по руководству проэктами на базе IBM Lotus Notes а также SaaS42. Unix-way және Linux түрлеріМысалы, IBM Lotus Notes сондай бағдарлама.43. Lotus Notes/Domino Специалист44. 20 години Lotus Notes на пазара - Новини, информация, Интересно, технологии, бизнес,20 години Lotus Notes на пазара - Новини, информация, Интересно, технологии, бизнес, софтуер, Любопи http://ff.im/cyChw45. Выпуск рассылки "Lotus Notes/Domino -- РїСЂРѕРґСѓРєС‚ Рё РёРЅСЃС ...Работа Notes 6.5 Рё Domino 8.5 * Task Coach 0.77 * Win7 - заметки юзера * Ловлю себя РЅР° мысли, что чем ближе Рє релизу, тем больСРµ РѕРЅРѕ напоминает любимый IBM * Начало продаж46. Lotus Notes празнува 20 годишнина от излизането на пазара :Lotus Notes празнува 20 годишнина от излизането на пазара :47. Lotus Notes навърши 20 години:Lotus Notes навърши 20 години:48. 20 години Lotus Notes на пазара20 години Lotus Notes на пазара49. Книга Джеффри А. Мур "Внутри Торнадо"Этот принцип помогает понять, почему компании вроде Lotus добились такого успеха со своими инновационными продуктами (в данном случае – Notes), в то время как другие– например, Hewlett- Packard и NeXT –оказались намного менее успешны со своими столь же новаторскими продуктами вроде NewWave и NextStep.50. ч0рный ВолкЪ: Lotus Notes! Поздравляю с 20-летием версии адын-ноль) †Lotus Notes! Блиц-опрос
Вакансии для специалистов1. Lotus Notes DeveloperLotus Notes Developer Req. ID: 5980 # Positions: 1 Location: US-IN-Carmel Posted Date: 12/4/2009 Position Type: Full Time Apply for this career opportunity: * Apply for this opportunityonline * R...2. 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...3. Lotus Notes/Domino DeveloperLotus Notes/Domino Developer Full Time Regular posted 12/8/2009 Job Category MIS - Info Tech / Telecommunications Req ID 158386 Able to obtain security clearance? None Currently po...4. Lotus Notes DeveloperLotus 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 ...5. Lotus Notes DeveloperLotus 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 ...6. Lotus Notes DeveloperLotus 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 ...7. Lotus Notes/Domino DeveloperLotus Notes/Domino Developer Full Time Regular posted 11/23/2009 Job Category MIS - Info Tech / Telecommunications Req ID 161695 Able to obtain security clearance? None Currently p...8. Lotus Notes AdministratorLotus 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 3Title: 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 Email Support Co-opLotus Notes Email Support Co-op Job Type: Full-Time Location: Syracuse, NY Last Updated: 11/03/2005 Job Description: Job Title: Lotus Notes Email Support co-op Department: Information Technology ...11. Lotus Notes DeveloperLotus 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 ...12. Lotus Notes DeveloperLotus Notes Developer Req. ID: 5980 # Positions: 1 Location: US-IN-Carmel Posted Date: 12/4/2009 Position Type: Full Time Apply for this career opportunity: * Apply for this opportunityonline * R...13. 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...14. Lotus Notes DeveloperLotus 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 ...15. Lotus Notes DeveloperLotus 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 ...16. Lotus Notes DeveloperLotus 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 ...17. Lotus Notes/Domino DeveloperLotus Notes/Domino Developer Full Time Regular posted 11/23/2009 Job Category MIS - Info Tech / Telecommunications Req ID 161695 Able to obtain security clearance? None Currently p...18. Lotus Notes AdministratorLotus 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...19. Lotus Notes/ Domino Developer 3Title: 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...20. Lotus Notes Email Support Co-opLotus Notes Email Support Co-op Job Type: Full-Time Location: Syracuse, NY Last Updated: 11/03/2005 Job Description: Job Title: Lotus Notes Email Support co-op Department: Information Technology ...Закладки о Lotus Notes1. LotusScript Code to Speed Up Lotus Notes 8.5.xCreate a Hotspot Button2. Tips In Two - Your source for useful, everyday tips and tricks for Lotus Notes3. IBM - Domino 8.5.1 - Detailed system requirementsDomino 8.5.1 - Detailed system requirements Product documentation Abstract This document contains the detailed system requirements for the IBM® Lotus® Domino® 8.5.1 server. Domino 8.5.1 - Detailed system requirements Product documentation Abstract This document contains the detailed system requirements for the IBM® Lotus® Domino® 8.5.1 server Linux Supported versions: * Novell SUSE Linux Enterprise Server (SLES) 10 x86 (32-bit) & (64-bit) * Novell SUSE Linux Enterprise Server (SLES) 11 x86 (32-bit) & (64-bit) * Red Hat Enterprise Linux (RHEL) 5.x (32-bit) & (64-bit)4. How to delete Profile documents manually or using LotusScript5. How to modify a Lotus Notes signature file using LotusScript6. Domino Configuration Tuner (DCT)The Domino Configuration Tuner (DCT) evaluates server settings according to a growing catalog of best practices. All servers in a single domain can be evaluated together. DCT generates reports that explain the issues DCT uncovers, suggest mitigations, and provide references to supporting publications.7. Lotus Notes Client Notes.ini SettingsA database of reference information regarding Notes.ini settings8. IBM - Error: 'The database is being taken offline and cannot be opened' when opening databaseQuestion In Lotus Notes®, you are compacting your mail database and when you attempt to access your mail, the following error message displays: "The database is being taken offline and cannot be opened." The console or log may also reflect the following error: "Compaction failed: Unable to delete <database name>: File is in use by another program." If you are running on Microsoft® Windows™, you can run the Windows Filemon utility9. Notes/Domino 6 and 7 Forum : RE: nupdate.exe has terminated abnormallyRE: nupdate.exe has terminated abnormally Posted by Alexandre Schoch on 26.Feb.07 at 05:58 PM using Lotus Notes Category: Domino ServerRelease: 7.0.2 FP1Platform: Windows 200310. Lotus Notes/Domino ServerHere are my notes and comments about IBM Lotus Notes Client and Domino server for workgroup computing. Includes system flow diagrams.11. Lotus Domino Administration in a Nutshell: Chapter 13: Domino Server ...There is also a set of commands that you can issue at the Domino server console to dynamically control the operation of the server. These commands are typically used to diagnose and resolve issues with Domino operations, make dynamic configuration changes to the Domino server, or to override scheduled operations and make things such as mail routing or database replication happen immediately.12. Domino URL cheat sheet13. Building composite applications with Notes widgets in IBM Lotus Notes 8.0.114. OpenNTF.org - GooCalSync15. Make the Move to Google Apps from Lotus Notes16. Stu Downes » NSD Analysis17. jonvon.net - the future of the email market for Lotus18. Analyzing IBM Lotus Notes Client hangs and crashes19. LotusNotes E-mail HTML renderingHow to create Lotus Notes compatible HTML mails20. 20 years ago today...Notes 1.021. BES for Domino Install Guide / References - BlackBerryForums.com : Your Number One BlackBerry Community22. Lotus Sametime 8Information about Lotus Notes Sametime823. Welcome to MyLink24. Daniel Nashed's Blognashcom translog on a notes client25. Notes/Domino Tipps und Tricks - madicon® - Ingenieurbüro Manfred Dillmann26. IBM - Tips for Enhancing and Troubleshooting Notes 6 Client PerformanceИсточники знаний. Сайты с книгами
Lotus Notes. Видео и изображения1. How Lotus Notes live text saves you time searching for information
Author: collaboration4you 2. How to manage your email inbox with Lotus Notes threading.
Author: collaboration4you 3. Manage your work and personal life together with Lotus Notes calendar.
Author: collaboration4you
По вопросам спонсорства, публикации материалов, участия обращайтесь к ведущему рассылку LotusDomiNotes |
В избранное | ||