Quantcast
Channel: Microsoft Dynamics 365 Community
Viewing all 10657 articles
Browse latest View live

Number Sequences: The Building Block of AX Transactions

$
0
0
One thing that is easily overlooked as one of the basic building blocks of all transactions within AX is the number sequence. A poorly built number sequence will cause headaches, confusion, and unnecessary stress.

A Number sequence in AX is set up so that records requiring identifiers can have unique identifiers that are easy to understand tied to them. They are typically tied to transactional records and master data.

Number Sequence Information in AX


Number sequences are set up in the Organization administration module under Organization administration > Common > Number sequences. There are unique number sequences for each company within your organization, so there is a possibility that you have hundreds, or even thousands, of number sequences set up in your AX environment.

screenshot of number sequences. In demo environment, there are over 23,000 number sequences!
This is just the beginning of the list in my demo environment. There are 23,384 unique number sequences set up for 24 demo companies.


Each module has its own set of number sequences associated with it. Navigate to the Setup area of the module page to see the module parameters, and once there, see Number sequences.

screenshot of Setup > Sales and marketing parameters
In the Sales and marketing module, navigate to Sales and marketing > Setup > Sales and marketing parameters to see the number sequences associated with Sales and marketing.

screenshot of Number sequences in Sales and marketing parameters
The Number sequences associated with the Sales and marketing module as defined in Sales and marketing parameters.


There are a few things to consider when setting up number sequences in AX. AX offers users the capability to set up a number sequence using letter and number identifiers. Often, the letter identifiers are the set prefix of a number sequence while the numbers that follow generate incrementally.

It is ALWAYS a good idea to set the prefix to something that makes sense! For example, I would not create a number sequence for sales orders in AX that start with the prefix MEY. That just doesn't make sense. In a typical implementation, sales orders would start with the prefix SO or something along those lines. Most users would recognize that SO-03242 is a sales order within the system, whereas MEY-03242 is unclear.

Another thing to remember is that while you may be setting up numerous number sequences for the General ledger, you do not want them all to start with the prefix GEN. If an accountant is trying to find a record and every type of transaction in the General ledger starts with the prefix GEN, that could cause some unnecessary stress!

Number Sequence Setup in AX


There are a few ways to set up Number sequences in AX. Number sequences can be set up manually if you know exactly what you need to do, or you can use the Number sequence wizard.

In order to manually set up a number sequence, Select New > Number sequence on the ribbon in Number sequences.

Ribbon on the Number sequences form
Select New Number sequence in the ribbon to create a new number sequence in AX.

Once opened, it is here where you can identify all the pieces of the new number sequence.

  • Number sequence code - The code assigned to the number sequence and used to identify the number sequence when tied to the parameter assigned to. See examples above in the Number Sequence Information in AX section.

  • Name - The name assigned to the number sequence. Can be as specific or vague as you want it to be.

  • Scope - Determine whether this is Shared, Company, Legal entity, Operating unit, Company and fiscal calendar period, or Legal entity and Fiscal calendar period. Then define which it belongs to. For example, company.

  • Segments - Defining the number sequence by parts. Here you can determine prefix, whether or not to have a dash, whether or not to include the company code, and numeric sequence.

  • References - Refers to where the number sequence is actually being used and in which module.

  • General - set up how the number sequence will work. Whether or not it is manual or continuous, what number is smallest and largest, and which number is next in the sequence.

A finished number sequence will look something like this:

Screenshot of completed number sequence that uses company code, set prefix, constant dash and numeric characters at the end that increment.
Number sequence set up for GL journal entry for company ELIM. Number sequence will read ELIMJE-###### with # being numeric characters.


The Number sequence wizard can be found within the Number sequence ribbon under New > Generate.

Ribbon on the Number sequences form
Select the magic wand Generate icon to open the Number sequence wizard.


It will open a form that allows a user to include and remove number sequences from the wizard. You can also modify the number sequence code that is being suggested before moving forward and assigning the new number sequence to the module referenced.

Screenshot of the number sequence wizard
Number sequence wizard allows including and removing suggested sequences along with editing number sequences.


Number Sequence Troubleshooting in AX


On occasion, two users will generate a master record at the same time and a number sequence will get tied up. AX will attempt to assign the record to both users, but one will consistently get an error message that the number is already in use.

The quickest way to fix this is the Status list on the ribbon of the Number sequence. It will tell you where the issue is and allow you to delete the record that is tied up and allow that user to move on to generate the next number in the sequence.

Conclusion


Number sequences are very important in AX. They are typically set up upon initial implementation, but must also be considered when setting up new entities or companies. Just remember to be thoughtful in the design and setup of number sequences, and you will be grateful for the ease of use for yourself and your users for as long as you are using AX.

How to add Standard Address fields into a new table [Dynamics365/AX7]

$
0
0

Hi Folks,

Its been a long time to write any new post on AX. Here I’m back today. Since few months we all are trying the new Dynamics 365 and its amazing new features in D365.

In this post we will see how to add new address fields in table using Table mapping.

[Note: In D365 we have object extension functionality to customize standard objects. But we don't have this option for Maps. This post will also help you to understand the alternative for the same by using table Mapping section.]

Requirement: We need to add all standard address fields in table followed by adding a new tab for address in respective from.

Proposed solution: We can achieve this by adding a single field rather than add multiple fields in table. Perform below steps to get this done,

1. Add a new field in table, EDT type “LogisticsLocationRecId”, rename it  as “Location”.

2. Now add a new Foreign key relation for “LogisticPostalAddress”  table and set its property as below snap shot,

image

3. Add a new map in mapping node for “LogisticsLocationMap”. Map field to location.

Your table must looks like below

image

Now we done with table customization, now we need do some addition on Form.

4. Firstly, Add new DS in your form, Table : “LogisticsPostalAddress”, set “LinkType” as “OuterJoin” with your main DS (where we added our new field “Location”)

5. Add a new tab page into your design with DS “LogisticsPostalAddress”(make sure it will be as per your from pattern)

image

Set Menu item object for menu item button as below tabe

MenuItemButtonMenuItem Object Name
NewAddressLogisticsPostalAddressNewCustBankAccount
EditAddressLogisticsPostalAddressEditCustBankAccoun
ClearAddressLogisticsPostalAddressClearCustBankAccou
MapButtonLogisticsPostalAddressMap

6. Add below code

I. Form declation

LogisticsPostalAddressFormHandler   addressController;

II. Form init

public void init()
    {
        super();

        addressController = LogisticsPostalAddressFormHandler::newParameters(<maintable>_ds,LogisticsPostalAddress_ds);
        addressController.callerUpdateQuery(fieldNum(<maintable>,Location));
    }

III. New global method

public LogisticsPostalAddressFormHandler getAddressController()
    {
        return addressController;
    }

IV. Active method of new DS (LogisticsPostalAddress)

public int active()
        {
            int ret;
       
            ret = super();

            addressController.callerActive();
            addressController.callerUpdateButtons(newAddress,editAddress,clearAddress,mapButton);
       
            return ret;
        }

7.Save all your changes, build project and run the Form. Your changes must looks like below,

New tab on from

image

while click on edit button you will get an dialog that contain all address fields.

image

You can make require changes and click on Ok button it will save your changes and on Form will show complete address  in a single field (LogisticsPostalAddress.address)

Hope it will help…, Please keep sharing your comments and feedback.

-Harry

Management Reporter CU16 Now Available!

$
0
0

Management Reporter 2012 CU16 has been posted for download. This release includes the ability to use Management Reporter over HTTPS, and includes several quality fixes as well.

Here’s a summary of the new Management Reporter CU16 features:

·         HTTPS Support for Server and client components

·         Add Hebrew (he-il) localization

·         Additional fixes for product defects

There are a few prerequisites to make sure you have. Management Reporter 2012 CU16 requires SQL Server 2012 or higher. PowerShell 3.0 continues to be required. The Microsoft .NET Framework 4.6.1 is also required, but is no longer automatically downloaded and prompted for installation.

For a complete list of prerequisites, review the system requirements.

HTTPS Feature Overview

This feature provides the ability to use HTTPS with Management Reporter 2012. The use of HTTPS and SSL provides an additional level of security to protect your financial data on your local network, your intranet, or from your cloud-based deployment. This feature enables secure communication with an https:// address when viewing reports in the web viewer, desktop viewer, and when designing reports.

This is an optional feature that will require removing and re-configuring the services after an upgrade. HTTPS  or during a new installation.

There are a few limitations to the HTTPS feature support, so keep these in mind:

  • The HTTPS feature will only work on Server 2008 R2 or later. Configuration will fail on Server 2008.
  • The Migration Wizard does not support HTTPS. You can continue to use the Migration Wizard with CU16, but can remove the services and enable HTTPS with your existing database after migration has completed.
  • All clients will need a certificate verifying that the server hosting the Management Reporter services is trusted. The certificate will need to be distributed and installed on all clients.The certificate can be a purchased certificate from a certificate authority, a domain certificate from Windows Certificate Services, or a self-signed certificate from the server hosting Management Reporter (a self-signed certificate is not recommended for production).

Server Installation

For configuring a self-signed certificate for testing, you can use the following steps:

Option 1: Use IIS Manager to create a self-signed certificate

This method requires the prerequisite of IIS Manager being installed on the MR Server.

  1. Start | Run | inetmgr on the Server
  2. Under the machine name double-click on server certificates and click create self-signed certificate
  3. Specify a friendly name for the certificate and select the location as personal certificate store

Option 2: Use PowerShell to create a self-signed certificate

Note: The flags may be slightly different because parameters may not be different in earlier or later versions of Windows. More information can be found on creating certificates here and here.

  1. Open PowerShell and use the following command, replacing the machine name for your local machine
    • New-SelfSignedCertificate -DnsName “ryantest.northamerica.corp.microsoft.com” -CertStoreLocation “cert:\LocalMachine\My”
  2. Open Certificate manager (Start | Run | certmgr.msc) or equivalent command to open certificate management in MMC
  3. Find the correct certificate. It will have an expiration date of today’s date + 1 year issued by your local machine issued to your local machine
  4. Right click and select all tasks |  export. The option selected for export file format should not matter.
  5. If prompted, choose whether or not to export the private key, but it is not required
  6. If prompted, select to secure the certificate
  7. Export to a file on your desktop
  8. Click into Trusted Root Certification Authority | Certificates
  9. All tasks | import
  10. Grab the file on desktop you just exported
  11. Agree to place certificates in trusted root certification authorities

Client Installation

Install this same certificate on each client machine under personal certificates, and in the trusted root certification authority store

  1. Export the certificate from the server using the steps above
  2. Copy the exported certificate file from the server to the local client
  3. Open the Certificate Manager (Start | Run | Certmgr.msc)
  4. Expand into Trusted Root Certification Authority and select the Certificates folder
  5. Right-click Certificates, click All tasks and select Import
  6. Browse to the certificate file that was exported from the server
  7. Agree to place certificates in trusted root certification authorities

In some cases, users can be prompted for authentication more often than required. The following settings can reduce or eliminate these login prompts.

  1. Add the Management Reporter server as a trusted site. This can be configured within Internet Options, Security, Trusted Sites. Use the Site button and add the server address while a report is currently open.
  2. Configure for automatic authentication. This can be configured within Internet Options, Security, Trusted Sites. Local Intranet options or similar settings with the option selected to use automatic login with current user name and password can be enabled.

 

For the Report Designer client, it will continue to connect to the HTTP port for initial connection, but will automatically use HTTPS after connected. For example, if your default HTTP port is 4712, and HTTPS port is 4713, you will enter the following address into the Report Designer client:

http://MRServer:4712

Known Issues

SSL cert registrations are not removed on uninstall

You may see the below error after multiple installations if there is an active sslcert registration existing for the current SSL port during configuration. You can view and delete these registrations manually with the following commands:

netsh http show sslcert
netsh http delete sslcert hostname=ryansandtest.northamerica.corp.microsoft.com:4713

Error message: An error occurred while checking existing companies in the Management Reporter application service. Additional information: System.ServiceModel.CommunicationException: An error occurred while making the request to https://ryansandtest.northamerica.corp.microsoft.com:4713/CompanyService.svc. This could be due to the fact that the server certificate is not configured properly with HTTP.SYS in the HTTPS case.

Version Information

Management Reporter CU16 Release 2.12.16000.17
Note: There are no changes to the data mart schema in this release, so no upgrade to the data mart database will be required.
You can view which ERP versions are supported by this release by reviewing our compatibility list here.

 

You can find the EN-US download for Management Reporter CU16 here: https://mbs.microsoft.com/customersource/northamerica/MR/downloads/service-packs/MROverview

Other localizations should be available in the next 72 hours.

Microsoft Dynamics Profile: New Zealand AX architect turned MVP gets to know elite program

$
0
0
Unlike many Microsoft MVP candidates, New Zealand Dynamics AX MVP Tim Schofield wasn't all that impressed when he was notified that he had won the award."[A former colleague and I] were in a pub one day and he said he was going to ...read more

How Rental Powerapps can help equipment-driven rental and service companies give more to customers with less effort

$
0
0

Mobility and the cloud are probably the most enduring “breaking news” in technology for all industries—innovations come out every day and there’s no sign of them stopping. For equipment-driven companies focused on rental and services, mobile field service has been an essential for a number of years. Navigation software like TomTom has also been a key player.

But equipment rental and service companies deal with some complex processes, contracts, and compliance that need to work hand-in-glove with ERP, so it’s a new trend to see rental Powerapps finding a home with businesses. There are lots of benefits for both your company and your customers. We’ve written recently about the shift to online that’s a big change factor for rental and services. And now that the technology is so well-defined and flexible, mobile apps seem designed for multi-location companies that deal with high volumes of customers and demanding equipment lifecycles.

If you focus on mobility for your internal staff, you’ll find it’s never been easier to equipment remote employees with apps that can work on phones or preferred device—CRM for your sales employees, Service apps for your service engineers, and Rental Management apps for operators and even project managers. Implementation is quick and straightforward with platforms such as Microsoft PowerApps. Companies that are using Microsoft Dynamics 365 or Microsoft Dynamics AX along with PowerApps can make highly specific implementations available to mobile workers with a download and quick setup. Virtually any type of data can be collected via mobile app and sent to ERP for analysis and operations.

Rental Powerapps also can bring in great benefits when you make them available to your equipment rental customers. Imagine if along with online access to your offerings customers could turn to mobile apps that let them:

  • Off hire or terminate equipment rentals themselves
  • Immediately report damages or other issues when they occur and include photos or even video; service reps could identify and act on problems based on real-world, real-time information
  • Access tutorials and instructions about using equipment—apps would make this much more targeted and precise than simply going online
  • Receive alerts and notifications about equipment delivery; reminders about any service required; prompts for arranging pickup for a rental

Those 4 areas alone can go a long way to increasing efficiency, customer satisfaction, and reliability for equipment delivery, ease of use, and performance. Those benefits would flow into your organization at all levels. By equipping customers to self-manage rentals, you’d indirectly be managing all rentals with a closer eye, and you’d be sure to see long-term gains in equipment condition and cost savings. At a more immediate level, you’ll have the advantage of that closer eye without adding to employee workload. Indeed, you’ll find that Rental Powerapps make customer service part of a streamlined workflow that frees employees to handle more customers in less time, and turn their energy and talent to looking at trends and opportunities.

Below an example of a DynaRent Rental PowerApps showing the equipment for a particular depot incl. their statuses.

If you’re interested in talking about your company’s specific needs for equipment rental and services, mobile and on premise, HiGH Software would welcome the opportunity to talk with you. Contact us at info@HiGHsoftware.com or visit www.highsoftware.com.

Return order in AX 2012 R3

$
0
0
Today, I am going to introduced you to return sales order process in AX 2012. Hope !! it will give you more insight on the way to return goods from customers in AX Return order : Return order is the process...(read more)

Global Software acquires Globe, makers of Atlas reporting solution

$
0
0
Global Software has acquired Globe Software. Globe is best known in the Microsoft Dynamics CRM and ERP space for its Excel-based reporting software Atlas. Global is a portfolio company of St. Louis-based Thompson Street Capital Partners and ...read more

Please, Connect me if I’m Wrong!

$
0
0

After implementing Microsoft Dynamics AX and now Dynamics 365 already for years, there are features in the product that are missing or there are things wrong or not supported. There are some ways to provide feedback to Microsoft. This post is intended to get you familiar with Microsoft Connect. Also some of my thoughts on this tool will be described which should be picked up by partners, customers but also Microsoft themselves.

How to Connect

You can encounter a bug, you might miss an important feature or a translation can be incorrect. Microsoft is interested in hearing what is important for you. Believe me, they are really interested!

These days you can start using LCS issue search for finding known issues. Using this tool you can find possible hotfixes for your environment. If there is no fix available and you think you found a bug in a live environment and you have a support plan, you can e.g. contact your partner or use Microsoft Premier support for submitting a request. When something is indeed wrong, Microsoft could provide a hotfix for your scenario. Then the details will also made available on LCS issue search for other users.

There is a clear difference between wrong system functionality (bug) or missing features. The support plans are not covering missing feature requests. For many years Microsoft is using Microsoft Connect to gather feedback. This tool is supposed to gather these feature requests. I heard a lot of feedback from partners and customers on this Connect tool that it is not working or Microsoft is not doing anything with the request. For this reason I wanted to point out in this blog that we (partners and customers) are not using the tool to provide the correct information. Microsoft at the other hand is not aware how we think of this tool. I will explain…

Microsoft can do better

When you submit a feedback item, you don’t hear too much about it or it will be closed without providing a clear explanation. This was often my experience on the feedback items. For this part I would like to ask Microsoft to provide more and better feedback on what them made doing this. When they start to interact with us on the items, they will be more aware of the details. But when do they start looking at these requests? Continue reading…

You can do better

When you login for the Microsoft Dynamics ERP feedback, you can view existing feedback items or create a new one. One thing that you will notice is a “Votes” part on each feedback topic. We are not using this! Many items remain on the positive vote count ‘1’. Only a few do have more votes. So start voting today! Microsoft is focusing on items which are important for more users. Only one or two users is not an indication for Microsoft to start looking at the item.

It will help you and other companies to regularly review new items on the list and vote if it is also important for you or when you think it would be important for multiple companies.

If you created a feedback item yourself, share the details and ask others to also review/vote on your item. This will lead to more votes, so Microsoft would be able to prioritize features correctly. To be honest, I can also do better.

In the past I was using this tool and started to provide votes and thoughts as well. Sorry for the negative votes on some items. This is also possible. When I do think it is a nice enhancement which is of benefit for most users I will vote positive. But I’m also having a certain opinion. If I do think a feedback item does not make sense, I also provided negative feedback. E.g. who is waiting for a feature that is called ‘Test’ with no details? I you don’t have an opinion on certain items, let others decide to vote or not. Some feature requests might be related to a certain industry or country.

I will set a new recurring reminder to review the new items more often. What made me start writing this blog and promoting this tool, you might ask me? I had contacts before with Microsoft on a certain topic. This was more talking about e.g. bank revaluation support. This feature is currently only available as localization in Russia and Poland, but is helpful in many other countries as well. During an implementation we came across the requirement again and I had a conversation with Microsoft Support. They pointed me to an existing Microsoft Connect item. “André, can you please vote on the item as only 21 persons thinks it is important?” Only 21 out of all Dynamics AX users… When only 21 persons will vote for a candidate, this person will never become a president. See my point?

So, if we all start using this tool, there will be a better chance that feature requests will be picked up. For your interest: I understood that the bank revaluation is already considered for a future release, but voting still makes sense!

There is more…

If you are working with Microsoft Dynamics 365 for Operations and have some experience with previous versions of Microsoft Dynamics AX, you might have noticed that currently it is not possible to use calculations in decimal fields. In older versions you could e.g. type 644.23 * 1.25 to get a result 805,29 in the cell. If you are also missing this feature, start voting here: Online calculation in decimal fields.

 

That’s all for now. Till next time!

 

Microsoft Dynamics AX CommunitySubscribe to this blogger RSS FeedMy book on Merging global address book records in AX 2012

 

 

 

 

The post Please, Connect me if I’m Wrong! appeared first on Kaya Consulting.


Conflict: A critical ingredient to ERP implementation success

$
0
0
Conflict is generally seen as an undesirable thing, and much of society's conflict is. Spousal abuse, for example, is something that should be eradicated from our society, as is terrorism. All over the world, there are a plethora of corporate training ...read more

Integrating Microsoft Dynamics ERP with Amazon: Don’t discount the technical, tactical challenges

$
0
0
Manufacturers and retail distributors must at least ask themselves, "Should we sell on Amazon.com?" Amazon is famous for making life easy for the buyer, with enormous variety and competitive pricing. It is less of a breeze for manufacturers ...read more

How to get access to a 30-day Dynamics 365 trial

$
0
0
Many of our members have been asking us for a way to get hands-on practice with Microsoft Dynamics 365. Great news! A 30-day Dynamics 365 trial has recently been made available by Microsoft, and this article...(read more)

DAXDUTIL is deprecated

$
0
0

Hi all,

Some breaking news: DAXDUTIL repository on github has been deprecated. All its content will be available undefinitly, since there are good AX 2012 on it. Regarding the D365O (AX7) tools, at the moment 2 new repositories has been created:

  • D365O-Addins: Contains Visual Studio add-ins used for Dynamics 365 for Operation developments. For all beloning projects, please refer to Wiki page.
  • D365O-Snippets: Contains snippets used on Visual Studio X++ code editor. For all beloning snippets, please refer to Wiki page.

I found this way much easier to maintain and track the upgrades.
Any questions, please leave a comment.

Tchau!

February release – Dynamics AX 2012 R3

$
0
0

Microsoft Dynamics AX In-Market team has recently added a new method to release code defects, design change requests, feature requests and proactive fixes for Dynamics AX 2012 R3. The new approach is to release these types of fixes in a predictable monthly cadence.

The February release for Dynamics AX 2012 R3 version is now available in LCS on the updates tile inside your R3 project. This update represents a typical collection of smaller functional improvements and technical fixes.  Bugs were fixed in all areas with enhancements found in Electronic Reporting, Warehouse Management, Human Resources, Procurement and Retail. Please see the full list of hotfixes below to search for your specific issue newly included in this release. This release is a cumulative package including all other fixes released in the prior CU12 update.

Here are a few details related to this release:

·        Primary Build: 6.3.5000.2702

·        Number of Application hotfixes: 174

·        Number of Binary hotfixes: 17

Details of the install process can be found here: https://technet.microsoft.com/en-us/library/hh538446.aspx#PackageR3

What is included in this month’s release?

Design Change Requests, Feature Requests & RegFs

KB DetailsDescription of issue or change request Description of enhancement
KB3217093Line comment details (Size, Color, Style, Comment and Discount) are not displayed by default for items in MPOS.Changes have been made such that transaction screen will show line comments along with discount by default.
KB3205828Unable to start processing work header that were awaiting demand replenishment since the header and not the affected lines were blocked.New enhancement has been done that allows us to start a work that has some lines awaiting demand replenishment and process the lines that can be picked
KB3217157When a work is completed, a counter is decremented on WHSWaveTable. This update happened using exclusive locks which could negatively impact performance. Further there was a risk the counter fields would go out of sync with the actual work completed.These counter fields were redundant and has been removed.
KB3210822The central warehouse flows are subjected to an issue, and it causes partial transactions to be committed to the database. This issue occurs typically when the system is under the heavy load. It manifests itself in a number of ways, including work being created but the associated waves and loads not reflecting it.The changes in the hotfix ensure the impacted processes will use a reliable pattern.
KB3212427When trying to invoice a sales order for which there is a confirmed intracompany purchase order, it is taking 10+ hours to processChanges are made such that it takes utmost 1 hour for processing the order
KB3210293While running warehouse management feature observed some data corruption issuesFixed the data corruption issues.
KB3207958User wants to put items directly from RAF directly to a Transfer Order in one step.Changes have been made such that user can put items directly from Production to transfer order.
KB3215971System is not supporting the Location Directive “Restrict to Unit” feature. Instead of splitting quantities between two layers, it is using the lowest quantity.Changes have been made accordingly to split work based on directive unit
KB3215008User is using info-codes to capture information while taking a product for Service/Repair. System must prompt for additional details through info-code trigger. In current state, unable to capture all the details in sequenceChanges are made such that CRT retrieves one info-code at a time and prioritize triggered info-codes in the order of info-codes.
KB3218716A payroll tax engine update has been released.Updated binaries to reflect recent Symmetry tax engine updates

 

KB3210581New version of two reports (Electronic ICP declaration, Electronic OB declaration) appeared.Changes in macros and XSLT resource file were made.
KB3208195Generation of Block K in SPED FISCAL for layout version 010New RegF developed
KB3214515MX – Ledger Accounting statement – End year close and adjustment transactions must be included in the period 13New RegF developed
KB3217027RU – Changes in the SZV-M report to Pension Fund – AX 2012 R3New RegF developed
KB3180277When there are multiple sales prices defined for different sales unit, ‘Create label by products’ only auto generate one shelf label for the basic sales unit.Enable multiple sales units per item
KB3218445JP – The appended table 16 series needs to be able to be generated by fixed asset groupsSeries will be able to be generated by fixed asset groups.
KB4010539Return of products without a receipt not possible when the Item has blocked for sale at the POSWill allow return even if item marked as blocked.
KB3207921Poland/POL: Changes for SAF VAT report are available in 2017 in Microsoft Dynamics AX 2012 R3The changes in the hotfix make sure the changes for the Polish SAF VAT report are available in Microsoft Dynamics AX 2012 R3 from year 2017.
KB4010926RU – CDCR – Possibility to split FA depreciation into smaller journals DAXSE 3666049 – AX 6.3DCR has been developed
KB4011994With the public sector key, posting definitions, and balancing dimensions by fund enabled, when retainage is generated for an invoice, often unbalanced entries are generated and the invoice cannot be posted.Update code to generate accounting distribution and resulting SLJL for the retainage entry using posting definitions resulting in balanced entries.
KB3218786Multithreading import of data to staging using DMFGenerateSSISPackage::generateStagingData causes issueSolved generic multi-threading issues in the codebase.

Fixes Released

KB NumberComplete Feature PathTitle
4011345DAXSE\AIF\Web ServicesAifRuntimeCacheManager doesn’t catch UpdateConflict errors causing problems with BizTalk
3216573DAXSE\AX RetailMPOS Email sales receipt not printing Image.
3216672DAXSE\AX RetailAdd product has error when remove item
3217397DAXSE\AX RetailNot valid RetailEventNotificationAction records generated.
4010638DAXSE\AX RetailMPOS Activation fails after Creating offline Customer order or offline Customer quotation
3215768DAXSE\AX Retail\Solution\Call CenterAfter changing Net amount in Sales order line from Call center but Manual discount percent not removed
3216016DAXSE\AX Retail\Solution\Call CenterCheck Out in Order hold form with no call center order lines causes stack trace error
3217138DAXSE\AX Retail\Solution\Call CenterPrice override check box is still marked after price override is removed.
3218704DAXSE\AX Retail\Solution\Call CenterPrice details not updated correctly for Sales order created in Call center (continue DAXSE#3802505)
3218726DAXSE\AX Retail\Solution\Call CenterIncorrect behavior when updating Total discount group and Line discount group in Sales quotation header registered from Call center
3218741DAXSE\AX Retail\Solution\Call CenterRetail discounts not updated correctly for Sales quotation created in Call center by Copy function
4010402DAXSE\AX Retail\Solution\Call CenterNot correctly updated prices and discounts when Copying Sales order in Call center – Copy precisely
4010938DAXSE\AX Retail\Solution\Call CenterRetail discounts not updated correctly for Sales quotation created in Call center
4010469DAXSE\AX Retail\Solution\Call Center\Customer service and inquiryCross-selling only working for items with on-hand stock.
4010538DAXSE\AX Retail\Solution\Call Center\Order StatusThe customer account field (SalesTable.CustAccount) cannot be modified on the sales order
3218422DAXSE\AX Retail\Solution\Customers and loyalty\Customers and GroupsProblem with CUSTOMER GROUP on MPOS – Tax group not updated when changed
3217400DAXSE\AX Retail\Solution\Store operations and POS\Daily OperationsLoyalty card balance is wrong on MPOS.
3218386DAXSE\AX Retail\Solution\Store operations and POS\Daily OperationsCan’t declare starting amount for  blind closed shift after applying KB 3166870
4010833DAXSE\AX Retail\Solution\Store operations and POS\InfocodesMPOS fails to prompt for infocode input on triggered info codes beyond the second prompt.
4010873DAXSE\AX Retail\Solution\Store operations and POS\InfocodesAge Limit Infocode causes info code characters to exceed 100 characters when assigned to an item and the transaction is not created in EPOS or MPOS
3216979DAXSE\AX Retail\Solution\Store operations and POS\Other Payments (Check, On-account etc)MPOS payment amounts are entered incorrectly after KB 3207735
4011874DAXSE\AX Retail\Solution\Store operations and POS\Other Payments (Check, On-account etc)MPOS:  When a partial payment is made with another payment method, cash rounding for the remaining amount does not complete the transaction
3218424DAXSE\AX Retail\Solution\Store operations and POS\Sales, Returns and Other TransactionsPriceHasBeenKeyedIn flag resets on Suspended and Recalled POS transaction
4011460DAXSE\AX Retail\Solution\Store operations and POS\Sales, Returns and Other TransactionsMPOS: Returnable products list does not show variant information necessary to select the correct item for return.
4011014DAXSE\AX Retail\Solution\Store operations and POS\Workers and loginCashiers are unable to close a shared shift.
3194793DAXSE\AXL\APAC localizations\ChinaCN-Cannot run the Chinese Voucher continuity check
3209095DAXSE\AXL\APAC localizations\ChinaCN-Fixed Asset Status report not filtering based on Fixed Asset number selected
3202237DAXSE\AXL\APAC localizations\IndiaIN-TDS is incorrectly calculated in vendor invoice journal with multiple voucher/lines (Refresh issue)
3206745DAXSE\AXL\APAC localizations\IndiaIN – TDS is not posted on first voucher when TDS amount is adjusted with more once in multiline general journal scenario
3217624DAXSE\AXL\APAC localizations\JapanJP LOC – Previous selection of Value models area in Form 26 – Depreciable assets form is not saved
3178298DAXSE\AXL\APAC localizations\Singapore Malaysia and ThailandMY-Customer/Vendor details are not getting updated in GAF file for Misc. Charges
3208907DAXSE\AXL\APAC localizations\Singapore Malaysia and ThailandTH-Depreciation periods are incorrectly calculated in Leap year when period type is set to Daily
3211100DAXSE\AXL\APAC localizations\Singapore Malaysia and ThailandTH – WTH tax not working for inter-company vendor payment
3211100DAXSE\AXL\APAC localizations\Singapore Malaysia and ThailandTH – WTH tax not working for inter-company vendor payment
3211069DAXSE\AXL\Europe LocalizationsSEPA Direct Debit :Payment Advice Report print on screen only
3214444DAXSE\AXL\Europe LocalizationsSEPA file is not created from remittance journal
3216413DAXSE\AXL\Europe Localizations[Italy] AX2012R2 PA E-Invoice with useless information in Address tag
4010627DAXSE\AXL\Europe LocalizationsPorting request from 3800048: DTAZV format: Extra space characters after KB3060514/DAXSE 3618726
4011518DAXSE\AXL\Europe Localizations[Italy] AX2012 R3 Fixed asset book with a wrong Net Book Value in case of revaluation transactions and disposal
4011432DAXSE\AXL\Europe Localizations\BelgiumKB3199262 – Belgian Invoice turnover report does not accept creditnotes
4010629DAXSE\AXL\Europe Localizations\Eastern EuropeOpen transactions report cannot be processed without System administrator privileges in Polish localization
4011505DAXSE\AXL\Europe Localizations\Eastern Europe\HungaryHungarian Sales Tax transactions report does not return exempted VAT correctly
3218585DAXSE\AXL\Europe Localizations\Eastern Europe\LithuaniaLithuania new i.SAF file 1.2 version
3217778DAXSE\AXL\Europe Localizations\Eastern Europe\Poland[Follow-up from DAXSE, 3792286] Polish SAF reports are extremely slow – AX 2012 R3 – Now with in-house repro
4010628DAXSE\AXL\Europe Localizations\Eastern Europe\Poland[POL] – Poland – Incorrect sales tax in Free text invoices in case of marking prices include sales tax
4011520DAXSE\AXL\Europe Localizations\Eastern Europe\PolandWrong vendor address and tax exempt number is in vat transaction if user change the code after journal validation but before posting
4012049DAXSE\AXL\Europe Localizations\Eastern Europe\PolandDocument date is missing after posting purchase order invoice
3212402DAXSE\AXL\Europe Localizations\ItalySEPA CT: On-account payment should inherit the payment journal line payment note to the RmtInf element
3215639DAXSE\AXL\Europe Localizations\Italy[Italy] AX2012 R2 Italian sales tax payment report returns wrong rounded value in Sales tax base and Sales tax charge base columns for transactions with exempt VAT codes
3218271DAXSE\AXL\Europe Localizations\Italy[Italy] AX2012 R3 Error when printing the Italian fiscal journal in batch mode
3218285DAXSE\AXL\Europe Localizations\NorwayNorway: Payment id should be printed only once on collection letter
4012453DAXSE\AXL\Europe Localizations\NorwayNorway: Norwegian sales tax payment report 2017 – user must be able to send the XML file without adding CID
3218593DAXSE\AXL\Europe Localizations\Russian Federation\Profit taxVehicleModelTable.VehicleModel is too short
4012328DAXSE\AXL\Europe Localizations\SwedenSweden: ISO20022 CT Payment purpose code must be transferred for international payments
3212595DAXSE\AXL\LATAM Localizations\BrazilAX is incorrectly still displaying the Interest and Fine amounts for an open invoice, even after the user had deleted it from the payment journal form
3216053DAXSE\AXL\LATAM Localizations\BrazilFB: “Cannot create a record in ICMS and ICMS-ST adjust/benefit/incentive (FBFiscalDocumentAdjustment_BR)” error for tax adjustment (Tax type = ICMS-DIF, Adjustment type = Fiscal document)
3216450DAXSE\AXL\LATAM Localizations\BrazilDirect Import PO (Currency = USD) configured with “ICMS tax is configured with Fiscal value = 2. without credit/debit (exempt or not taxable)” causes “Division by zero” error
3218475DAXSE\AXL\LATAM Localizations\BrazilWhen the ‘Cost absorption journal’ is posted via a batch job (Batch processing = yes) it generates transactions with Voucher # = blank
4010625DAXSE\AXL\LATAM Localizations\BrazilFB: ‘IPI tax assessment book’ report and ‘SPED Fiscal’ file with missing information for IPI tax configured with Fiscal value = 3. without credit/debit (other)
4011776DAXSE\AXL\LATAM Localizations\BrazilAX incorrectly erases the ‘Delivery terms’ and ‘Terms of payment’ fields for a confirmed PO
3213839DAXSE\BI and ReportingBatch Group specified is ignored when running Customer Account Statement Report
3218631DAXSE\BI and ReportingPurchase order report  blank in approval by email – after applying DAXSE#3774309
4010822DAXSE\Client\Doc HandlingImages stored in an Archive folder for document management fail to display thumbnails when viewed in EP
3216243DAXSE\Developer and Partner Tools\DIXFFailover support for DIXF service
3217986DAXSE\Developer and Partner Tools\DIXF[AX2012R3] [DIXF] Opening balance data that needs to be imported into AX 2012 R3 using DIXF and EXCEL files results in journal validation errors (unit outside the current penny rounding threshold)
3218169DAXSE\Developer and Partner Tools\DIXFDIXF Product Variant import does not honor order of variant dimensions provided in source file, leading to incorrect order of variants in AX
3218176DAXSE\Developer and Partner Tools\DIXF[AX2012R3] [DIXF] KB 3147499 \Classes\DMFHierarchyValidation\checkComponents method does not check type -> “Connection string must have ‘Database’ specified” even for EXCEL type (which is incorrect)
3216647DAXSE\GFM\Accounts Payable\InvoicingBack dating of Vendor Invoice in multi currency scenario causes matching validation issue
3216877DAXSE\GFM\Accounts Payable\InvoicingExchange rate field is disabled in vendor invoice register for foreign currency until the record is saved/refreshed
3217424DAXSE\GFM\Accounts Payable\InvoicingA currency to convert from is required to retrieve exchange rate information creating a Vendor Invoice
4010423DAXSE\GFM\Accounts Payable\InvoicingWhen try to post an invoice for an intercompany sales order on which one one of the sales line has the status ‘Canceled’ AX gives the error message: ‘Error executing code: Division by zero’
4010849DAXSE\GFM\Accounts Payable\InvoicingVendor balance posting type repeated on COD invoice
4012357DAXSE\GFM\Accounts Payable\InvoicingWork items assigned to me page will not display Vendor name in ID Field if you use ‘Vendor invoice line’ workflow configuration
3216260DAXSE\GFM\Accounts Receivable\ReportsReprinting an Invoice Journal yields an Cannot create a record in FreeTextInvoviceTmp (FreeTextInvoiceTmp) error when using intercompany
3216950DAXSE\GFM\Accounts Receivable\ReportsJunk characters imported in invoice specification report when saved as csv format.
4010400DAXSE\GFM\BudgetUnable to select currency when create condition with amount field in workflow editor
3207259DAXSE\GFM\Budget\Budget PlanningGenerate budget plan from budget register entries backport issues: The selection criteria that were used did not include any records to generate. Update the selection criteria, and then try again.
3191524DAXSE\GFM\Cash Management\Currency RevaluationFinancial dimension not updated after currency revaluation while posting purchase invoice using invoice register
4011443DAXSE\GFM\Cash Management\Currency RevaluationForeign currency revaluation issue when selecting different Posting profile to use in the revaluations
3200966DAXSE\GFM\Cash Management\Vendor\Payments and SettlementAP payment journal throw generic message indicate vendor bank account is inactive and it is specify which vendor ID has this inactive bank
4010952DAXSE\GFM\Cash Management\Vendor\Payments and SettlementWhen you have a ‘Cash’ Terms of payment defaulting from Customer accounts and you settle invoices for which used a different Terms of Payment, duplicate Settlement records are created during AR Payment journal posting
3218703DAXSE\GFM\Expense ManagementExpense policy violation justification records are prematurely deleted in multi-level approval hiearchy (possible regression of 1635609)
4010805DAXSE\GFM\Expense ManagementThe estimated expenses for a travel requisition shows a wrong exchange rate after changing the currency
4012157DAXSE\GFM\Expense ManagementAX 2012 R3 CU12 perdiem “Meal type per day” Error  “RegisterRequiresControlState can only be called before and during PreRender.”
4012158DAXSE\GFM\Fixed AssetsReclassification of fixed asset creates wrong ledger transactions – wrong account and wrong amounts.
4010640DAXSE\GFM\Fixed Assets\ReportsFixed Asset Acquisition report is missing Totals
4010641DAXSE\GFM\Fixed Assets\ReportsFixed Asset disposal report is missing Totals
3216491DAXSE\GFM\Fixed Assets\SetupUsed fixed asset number is listed on Status list with status Active (Action undecided) when Fixed asset group is changed
3216640DAXSE\GFM\Fixed Assets\SetupFixed asset disposal scrap generates error message related to account setup
3217271DAXSE\GFM\General Ledgercannot use drop-down on the ledger calendar – Module access field when using  Windows 7 and Windows 10 32-bit clients
4010411DAXSE\GFM\General LedgerThe GeneralJournalAccountEntry apply fixed dimensions code needs to rebuild the dimension to avoid validation errors during posting
4010463DAXSE\GFM\General LedgerReversal of Invoice transaction with accruals is returning an error message “Fiscal period is not open”
4011448DAXSE\GFM\General LedgerAX 2012R3CU12 – When “Intercompany accounting” license key is turned off General ledger journal line Offset account type can only be ledger – other account type create Stack trace message
4011449DAXSE\GFM\General Ledger\Chart of AccountsClosing sheet posts locked manual account
4011348DAXSE\GFM\Source Document FrameworkPurchase order invoice return an error message “SourceDocumentAmount object not initialized.”
3090975DAXSE\GFM\Tax\Tax CalculationSales tax transactions are missing
3218519DAXSE\Public Sector\AR\InvoicingDimension value doesn’t update correctly on changing the billing code value on FTI Lines.
3216132DAXSE\Public Sector\BudgetRounding error when trying to finalize a GBR or run a GBR through year-end
3217253DAXSE\Public Sector\BudgetBudget analysis inquiry bug when same main account code is used two legal entities
3218680DAXSE\Public Sector\GL\PeriodicThe PO and GBR year-end processes should not allow negative balances for documents or lines
4010807DAXSE\Public Sector\GL\PeriodicUnable to succesfully run Public Sector Financials year-end closing when using Advanced rules against Main Accounts: “You can’t generate opening and closing transactions for the following ledger accounts. These accounts are no longer valid”
4011808DAXSE\Public Sector\GL\SetupALL Derived financial hierarchy filters are removed when one node is deleted
3211635DAXSE\Public Sector\GL\TransactionsAdvanced ledger entries do not create penny difference transactions
4010429DAXSE\Public Sector\GL\TransactionsIf you have an ALE workflow active in one company but not in others the other companies can’t post an ALE entries unless you disable it in the one company that has it active
3198617DAXSE\SCM\CRMSales management OLAP reports fail with an error in systems that use date seperator as “Dot”
4011311DAXSE\SCM\CRM\Sales ProcessPrinting from sales unit designer does not work
3210820DAXSE\SCM\Inventory Costing\Cost Module\Inventory ClosingInventory closing/Check cost price report not showing variant details in the headers. It only shows new header when item number is different, and not when variant is different
3141975DAXSE\SCM\Inventory Costing\Cost SheetProblems with saving Inventory costing sheet changes when creating a new node from an existing Process node: “Calculation factors are not specified”
3217684DAXSE\SCM\Inventory\Consumer Goods Distribution\Catch Weight ManagementIllegal Split error canceling pick line after CW batch reservation split
3216633DAXSE\SCM\Inventory\Inventory Management\Inventory ControlOn-hand Report considering WMS Picking Transaction
3217659DAXSE\SCM\Inventory\Inventory Management\Shelf Life ManagementSales inventory transactions are inconsistent when reducing sales order quantity due to FEFO reservation strategy
4012229DAXSE\SCM\PlanningWrong quantities in the net requirements form period tab when quality order exists
4010421DAXSE\SCM\Planning\Master PlanningMRP – No planned orders if forecast date is prior to the best before date but within the sellable days
4010764DAXSE\SCM\Planning\Master PlanningSupply Forecast planned orders are not generated for Formula type items if the master plan forecast reduction principle is set to “Transactions – Dynamic Period”
3217981DAXSE\SCM\Planning\SchedulingScheduling production order with schedule and synchronise references is not calculating correct delivery dates
3217651DAXSE\SCM\ProcurementCannot edit a record in Purchase Order lines (PurchLine). An update conflict occurred due to another user process deleting the record or changing one or more field in the record
4011426DAXSE\SCM\Procurement\IntercompanyOriginal Purchase Order’s Line in Intercompany Chain can be incorrectly canceled if the Item is ‘Stopped’ in the Selling company leaving you with a Stuck Intercompany Sales Order
3208949DAXSE\SCM\Procurement\Purchase OrdersAccount distribution is not updated if FA info/dimensions are changed in a PO if this PO was created with parameter “Copy Precisely”
3217212DAXSE\SCM\Procurement\Purchase OrdersCorrect line discount is not applied when the delivery date is changed on the header.
3218456DAXSE\SCM\Product\Product Master Data Management\Product Data ManagementStack trace error message when creating the case
3216135DAXSE\SCM\Production and Shop Floor\Batch OrdersNot possible to overproduce co-product with planning formula when open picking list journal exists.
4010791DAXSE\SCM\Production and Shop Floor\Production JournalsChanging the operation priority on route card journals does not change Category hours accordingly
3162724DAXSE\SCM\Production and Shop Floor\Production OrdersOperation number 20 is changed to 10 when firming planned order if DAXSE 3745362 is installed
3217199DAXSE\SCM\Production and Shop Floor\Production OrdersUnable to post to Scrap account when ending a Production order if a Location is not present on the Production Order: “Inventory dimension location must be specified”
3218460DAXSE\SCM\Production and Shop Floor\Production OrdersThe Production user roles do not provide the ability to delete product orders from the “All production orders” list page
3210812DAXSE\SCM\Production and Shop Floor\Shop Floor Control\Time and AttendanceTransfer to Pay – Cannot create flex adjustment. Registrations for employee 000520 has not been transferred on the 12/20/2015
3217766DAXSE\SCM\Production and Shop Floor\WMS IntegrationCan’t create work for a Production order that has had work canceled and then been reset
3218232DAXSE\SCM\Production and Shop Floor\WMS IntegrationNeed to port 3759116 back to AX 2012 R3-Staging issue raw material picking
3218598DAXSE\SCM\Production and Shop Floor\WMS Integration‘Reset status’ feature for ‘received’ inventory transactions (‘Catch Weight’ enabled item), is not returning the total CW qty
3052692DAXSE\SCM\Sales\Sales OrdersPositive Sales Invoice printed as Credit Note
3214792DAXSE\SCM\Sales\Sales OrdersReport “Customer/Item statistics” shows incorrect figures when the sales lines are deleted
3215310DAXSE\SCM\Sales\Sales OrdersChanging Terms of Delivery on a Sales Order does not work with third party
4010401DAXSE\SCM\Sales\Sales OrdersItem registration and re-registration process on RMA order is creating wrong extra lines in SalesLine Table
4011947DAXSE\SCM\Sales\Sales OrdersAlternative sales item cannot be saved when storage dimension is different
4010602DAXSE\SCM\Sales\Sales PricingIncorrect amount used for sales credit note when zero price but amount is not in order lines
3217692DAXSE\SCM\Service ManagementShow Details doesn’t work in Activities form for Associations of type Service order and Service order line
3217156DAXSE\SCM\Warehouse and TransportationSales order with a release status of “Released” but still have unreleased lines
3216009DAXSE\SCM\Warehouse and Transportation\Transportation ManagementTransportation management miscellaneous charges assigned to sales orders use the most recent charges record created.
3215972DAXSE\SCM\Warehouse and Transportation\Transportation Management\Freight ReconciliationWrong payment specification defaulting on payment journal from Transportation Management
3182401DAXSE\SCM\Warehouse and Transportation\Warehouse ManagementVerification Shows Previous Item after Short Pick
3209909DAXSE\SCM\Warehouse and Transportation\Warehouse ManagementClicking full when executing a replenishment work does not update the replenishment – demand work links
3216396DAXSE\SCM\Warehouse and Transportation\Warehouse ManagementWork Audit Template does not set shipment to “Shipped” if picking work uses Group Put Away to put multiple loads/shipments
4012149DAXSE\SCM\Warehouse and Transportation\Warehouse ManagementKB 3176176 causes regression that allows backflush batch consumption from locations other than the input location
3216215DAXSE\SCM\Warehouse and Transportation\Warehouse Management\Picking and PutawayUnable to report as finished production orders in steps from mobile device when automatic batch allocation is used.
3216598DAXSE\SCM\Warehouse and Transportation\Warehouse Management\Picking and PutawayMobile device pick and pack issue- Line gets duplicated on pack form
4011433DAXSE\SCM\Warehouse and Transportation\Warehouse Management\Shipment ManagementPhysical dimensions information missing in packing slip when posting from a Load
3215273DAXSE\SCM\Warehouse and Transportation\Warehouse Management\Work and Worker ManagementConsistency check addition fix the data issue resulting from issue “Ability to round up work for raw material picking in the unit the material is picked – Work stuck on user location”
4011338DAXSE\SCM\Warehouse and Transportation\Warehouse Management\Work and Worker ManagementWhen allowing splitting of work on Mobile Device Menu Item configuration and Skipping the first line in Sales Picking work, you are unable to use the Full option
4010494DAXSE\ServerUser ID and User Name of AX user imported using New-AXUser command is not the same as AX user imported from Users form.
4010499DAXSE\Setup\Installation\Server setupHotfix installer doesn’t update the models when the environment has multiple AOS instance having separate Model database for each instance.
3216381DAXSE\SIRetention and sales tax cause an invalid match variance on an invoice
3206182DAXSE\SI\Project AccountingWrong reference for item requirements in Projects when Update marking = Standard
3216496DAXSE\SI\Project Accounting\Budget and ForecastProject item journal validating incorrectly against inventory on hand cost
4010439DAXSE\SI\Project Accounting\Budget and Forecastproject budget control does not validate when Create item requirement and Check budget on document line save= yes
4010441DAXSE\SI\Project Accounting\Budget and ForecastNegative expenses or credit notes do not affect the budget project funds
3213510DAXSE\SI\Project Accounting\Commited CostsCommitted cost are re-opened after changing SO
3216671DAXSE\SI\Project Accounting\Commited CostsIncorrect committed costs when you partially invoice a project purchase order
3216495DAXSE\SI\Project Accounting\EstimatesAdvance payments on fixed price projects disappear after posting estimates
4010425DAXSE\SI\Project Accounting\EstimatesCompletion percentage displayed is wrong for running the estimate for multiple projects
4010428DAXSE\SI\Project Accounting\EstimatesNo voucher is generated if reversing an estimate when there is a reversed elimination
3195703DAXSE\SI\Project Accounting\FIM IntegrationProject PO is partially posted with no posted cost whenever copy from all feature is used
3218430DAXSE\SI\Project Accounting\FIM IntegrationCalendar is missing if project quotation is created from Customers form
4011468DAXSE\SI\Project Accounting\FIM IntegrationDivision by zero error with project posted transactions list page
3211280DAXSE\SI\Project Contracts and Billing\Billing RulesFee transacions can be posted over funding limit after installing KB 3193987
3212918DAXSE\SI\Project Contracts and Billing\Customer RetentionOnly retained amount of Credit note remains after credit note for project invoice proposal is posted.
3205000DAXSE\SI\Project Contracts and Billing\InvoicingMissing transactions on forms and invoice propposal with zero amount in project control after posting hours for some subprojects Id’s
3217698DAXSE\SI\Project Contracts and Billing\InvoicingIncorrect project invoice proposal when submitting to workflow
4010430DAXSE\SI\Project Contracts and Billing\InvoicingMissing invoice line amount update on invoice proposal after adding new fees
4010831DAXSE\SI\Project Contracts and Billing\InvoicingOn account transaction milestone status remain chargeable after posting invoice
3216112DAXSE\SI\Project TimesheetIssue with Internal and external comments in intercompany timesheets (same issue for processing timesheets from a single company)
4012177DAXSE\SI\Project TimesheetExternal comments from timesheets gets truncated in Adjust transactions

 

 

 

ePOS | Retail Implementation using SQL Express

$
0
0
Hi Guys, in this blog I want to share my experience regarding use of SQL express for ePOS (Enterprise POS) – Online Database and Offline Database. The experience is from my recent Dynamics AX Retail...(read more)

Awareness | Worldwide | Payments | Planned Maintenance for Dynamics Online Payments | March 8th-March 10th, 2017

$
0
0
The Service Engineering team will be doing planned maintenance on the Payments Service. The maintenance will start at 10:00 PM PST on March 8th through 8:00 AM PST on March 9th and 10:00 PM PST on March...(read more)

Using hardware station from Windows Phone MPOS

$
0
0
Microsoft released the MPOS for Windows Phone a while ago and although a bit rough to install it works very well. Next step was to get it to work with my wireless receipt printer through a hardware station...(read more)

Common navigation in Update 4

$
0
0
I noticed that the global navigation features are implemented WAY better in Update 4 then earlier versions. If you click the “waffle” (3×3 dot grid) in the top left corner in Update...(read more)

D365FO – Test & Feedback

$
0
0

Visual Studio Team Services Marketplace contains a ton of jewels, and one add-in I like a lot is the Test & Feedback extension to VSTS:

When installing it, you get a small icon in Chrome, where test and feedback can be given.

When setting it up, you just point to the VSTS site :

And then you are ready to start giving feedback, and to collect backorders, bugs or tests.

Let’s say I wanted the implementation team to know that some changes are necessary on the “All Customers” form. I then click on the feedback button, and click on “start recording”

While navigating and taking screenshots, notes and video, it all gets recorded, with URL, time etc.

When done with my recording I want to create a bug, test or create a test case:

In this case, create a bug, and while I’m typing I can even see that there are one similar bug already reported.

After saving the bug. I see that a bug have been created in VSTS:

I now have a complete bug report in VSTS, that the consultants can start to process and to identify if this is a bug or an “as designed” feature

This means that in a Dynamics 365 project where VSTS is the central element, the feedback and testing just got simpler.

The feedback and Test extension do contain a lot more, but the rest you have to explore for yourself. Try out video recording . That is really cool.

 

 

 


Extensible enums: Breaking change for .NET libraries that you need to be aware of

$
0
0
A while back I wrote a blog post describing the Extensible Enums - a new feature that is part of Dynamics 365 for Operations: http://kashperuk.blogspot.com/2016/09/development-tutorial-extensible-base.html I explained that when marking an enumeration as extensible, the representation of this enum under the hood (in CLR) changes. Here's the specific quote: The extensible enums are represented in

Microsoft partner Arbela completes acquisition of Integral USA, bolstering Dynamics 365 & AX service, support

$
0
0
Arbela Technologies Corp. , a Microsoft Dynamics 365 Gold Partner, has announced that it has completed the integration of Integral USA LLC. Arbela has acquired substantially all the assets of Integral, including its customers, employees and ...read more
Viewing all 10657 articles
Browse latest View live


<script src="https://jsc.adskeeper.com/r/s/rssing.com.1596347.js" async> </script>