Apple Developer Program

RSS for tag

Create and deliver software for users around the world on Apple platforms using the the tools, resources, and support included with Apple Developer Program membership.

Apple Developer Program Documentation

Posts under Apple Developer Program subtopic

Post

Replies

Boosts

Views

Activity

Hi everyone
I’m facing an issue when trying to renew my Apple Developer Program membershi Whenever I try to complete the payment ( "We are unable to complete your order – Duplicate order." My previous subscription has already expired, and all my apps are now unavailable on the App Store. This is affecting my users and I’m unable to proceed with payment. Things I’ve tr Logging out and back in Using different browsers (Chrome, Safari, Incognito) Trying from different devices Waiting 24+ hours before r Still getting the s Has anyone faced a similar issue? Is Any Thanks in advance 🙏
0
0
81
Jul ’25
Cannot Create Identifiers – “+” Button Missing on Identifiers Page
I'm currently unable to create new identifiers in the Apple Developer portal at this URL: https://aninterestingwebsite.com/account/resources/identifiers/list The “+” button that should appear to create a new identifier is missing entirely from the page. What’s odd is that another team member (with the same access level and role under the same team) can see and use the button without any issues. So this doesn't appear to be a permissions-related problem. I’ve already tried: Logging out and back in Clearing browser cache Using different browsers (Safari, Chrome) Using Incognito/Private mode Still no luck. Has anyone encountered this before or knows how to resolve it? Thanks in advance.
0
0
137
May ’25
Unable to Renew Developer Account - Payment Fails Despite Valid Cards
Hi everyone, My Apple Developer Program subscription was supposed to renew last month, but the payment failed. Surprisingly, the subscription didn’t expire right away, I got an extra month. I’ve now tried updating the payment method using multiple credit/debit cards (including my own and my dad’s), all of which are working perfectly elsewhere but the payment continues to fail. In the Developer app on macOS, I don’t see any option to manually renew the subscription (see attached screenshot). I also noticed that the street address on my developer account doesn’t match the billing address of the card I’m using. Could this be the cause of the issue? If automatic renewal fails, is there a manual payment method available? I’ve already contacted Apple Support, but the solutions they suggested haven’t worked. With my subscription now set to expire in just 3 days, I’m running out of time and options. If there's any way to manually pay or resolve this, I would really appreciate it. I’m in a desperate situation and need to renew to keep my app updates live. Thanks in advance!
0
0
200
Jul ’25
Apple pay processing payment fail
Hey, I am trying to implement the apple pay process pay backend service, I have checked everything and somehow it fails. I only have 1 certificate for merchant and 1 for the apple pay process, I have the private keys and try to run this following code that fails - import crypto from 'crypto'; import fs from 'fs'; import forge from 'node-forge'; const MERCHANT_ID_FIELD_OID = '1.2.840.113635.100.6.32'; function decryptedToken() { const token = ""; const ephemeralPublicKey = ""; const encryptedData = ""; //=================================== // Import certs //=================================== const epk = Buffer.from(ephemeralPublicKey, 'base64'); const merchantCert = fs.readFileSync('merchant_full.pem', 'utf8') const paymentProcessorCert = fs.readFileSync("apple_pay_private.pem"); //=================================== let symmetricKey = ''; try { symmetricKey = restoreSymmetricKey(epk, merchantCert, paymentProcessorCert); } catch (err) { throw new Error(`Restore symmetric key failed: ${err.message}`); } try { //----------------------------------- // Use the symmetric key to decrypt the value of the data key //----------------------------------- const decrypted = JSON.parse(decryptCiphertextFunc(symmetricKey, encryptedData)); console.log("Decrypted Token:", decrypted); // const preppedToken = prepTabaPayToken(token, decrypted) //~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~ // Send decrypted token back to frontend //~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~ // res.send(preppedToken); } catch (err) { throw new Error(`Decrypt cipher data failed: ${err.message}`); } } // extractMerchantID - const extractMerchantID = (merchantCert) => { //=================================== // Extract merchant identification from public key certificate //=================================== try { const info = forge.pki.certificateFromPem(merchantCert); const result = info['extensions'].filter(d => d.id === MERCHANT_ID_FIELD_OID); //----------------------------------- // Return //----------------------------------- return result[0].value.toString().substring(2); } catch (err) { throw new Error(Unable to extract merchant ID from certificate: ${err}); } } // generateSharedSecret - const generateSharedSecret = (merchantPrivateKey, ephemeralPublicKey) => { //=================================== // Use private key from payment processing certificate and the ephemeral public key to generate // the shared secret using Elliptic Curve Diffie*Hellman (ECDH) //=================================== const privateKey = crypto.createPrivateKey({ key: merchantPrivateKey, format: "pem", type: "sec1", // because it's "EC PRIVATE KEY" }); const publicKey = crypto.createPublicKey({ key: ephemeralPublicKey, format: 'der', type: 'spki' }); //----------------------------------- // Return //----------------------------------- return crypto.diffieHellman({privateKey,publicKey: publicKey,}); //----------------------------------- } // getSymmetricKey - const getSymmetricKey = (merchantId, sharedSecret) => { //=================================== // Get KDF_Info as defined from Apple Pay documentation //=================================== const KDF_ALGORITHM = '\x0didaes256GCM'; const KDF_PARTY_V = Buffer.from(merchantId, 'hex').toString('binary'); const KDF_PARTY_U = 'Apple'; const KDF_INFO = KDF_ALGORITHM + KDF_PARTY_U + KDF_PARTY_V; //----------------------------------- // Create hash //----------------------------------- const hash = crypto.createHash('sha256'); hash.update(Buffer.from('000000', 'hex')); hash.update(Buffer.from('01', 'hex')); hash.update(Buffer.from(sharedSecret, 'hex')); hash.update(KDF_INFO, 'binary'); //----------------------------------- // Return //----------------------------------- return hash.digest('hex'); //----------------------------------- } // restoreSymmetricKey - const restoreSymmetricKey = (ephemeralPublicKey, merchantCert, paymentProcessorCert) => { //=================================== // 3.a Use the payment processor private key and the ephemeral public key, to generate the shared secret //=================================== const sharedSecret = generateSharedSecret(paymentProcessorCert, ephemeralPublicKey); //----------------------------------- // 3.b Use the merchant identifier of the public key certificate and the shared secret, to derive the symmetric key //----------------------------------- const merchantId = extractMerchantID(merchantCert); //~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~ // Return //~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~ console.log("Merchant ID:", merchantId); console.log("Shared Secret (hex):", sharedSecret); return getSymmetricKey(merchantId, sharedSecret); //~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~ } // decryptCiphertextFunc - const decryptCiphertextFunc = (symmetricKey, encryptedData) => { console.log("🔑 Decrypting Ciphertext with Symmetric Key:", symmetricKey); //=================================== // Get symmetric key and initialization vector //=================================== const buf = Buffer.from(encryptedData, 'base64'); const SYMMETRIC_KEY = Buffer.from(symmetricKey, 'hex'); const IV = Buffer.from([0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0]); // Initialization vector of 16 null bytes const CIPHERTEXT = buf.slice(0, -16); //----------------------------------- // Create and return a Decipher object that uses the given algorithm and password (key) //----------------------------------- const decipher = crypto.createDecipheriv("aes-256-gcm", SYMMETRIC_KEY, IV); const tag = buf.slice(-16, buf.length); decipher.setAuthTag(tag); //~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~ // Load encrypted token into Decipher object //~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~ let decrypted = decipher.update(CIPHERTEXT); console.log("🔑 Decrypted Data"); decrypted += decipher.final(); //::::::::::::::::::::::::::::::::::: // Return //::::::::::::::::::::::::::::::::::: return decrypted; //::::::::::::::::::::::::::::::::::: } decryptedToken();
2
0
129
Sep ’25
Waiting for App Approval
Hello Elf Team, I sent the game a day ago and reached out for a quick review to meet my company's event deadline, but I am still waiting for the review to begin. I contacted via the contact form but have not received any response. Is there anyone from the forum who can help expedite this or provide advice on how to proceed? Thank you!
1
0
243
Apr ’25
Business Name Change Blocking Critical App Identifiers
I’m in crisis mode and desperately need advice. Launching in 10 days and just hit a major roadblock. Background: Set up developer account under a business name only because we needed the D-U-N-S number when starting development Have a working app with Family Controls already configured on the main identifier Yesterday my developer discovered we need Family Controls on 3 additional identifiers for launch a week ago (terrible timing) I submitted a business name change request thinking it was good housekeeping The Crisis: Certificates, Identifiers & Profiles portal is completely locked during business name change processing Can’t add Family Controls to the 3 identifiers we need for launch Business name change typically takes 2-4 weeks Launch is in 10 days What I’ve Done: Contacted Apple Developer Support explaining the urgency Case ID: 102633553000 for the name change request Desperate Questions: Has ANYONE successfully cancelled a business name change mid-process for urgent app needs? Any emergency escalation paths at Apple for launch-blocking issues? Would creating a new developer account be faster? (Though that seems nuclear) Any other workarounds I’m not thinking of? The business name change was purely administrative - nothing structural changes. But these identifier updates are absolutely critical for launch functionality and we didn’t realize they were needed until trying to launch into testflight. This is our first time so learning a lot the hard way 🫠. Thanks in advance for any help!
0
0
204
Jul ’25
in App purchase
We are a group of 10 friends using the same device and Apple ID, but each of us has a different account within the same app. We want to purchase the same auto-renewable monthly subscription plan, each using our own app credentials. The issue: after the first person subscribes, the next user (with a different in-app account) is unable to buy the same plan—it shows "already subscribed" and only allows access after the next billing cycle. We don’t mind the auto-renewal being charged each month by a different person. We just want each app account to have access to the same package independently, for 1 month each. How can we achieve this without changing the Apple ID or device?
0
0
107
May ’25
PKPASS is updated but the client but push is not showing on the device
Good day) I am developing an application for generating PKPASS in Java. PKPASS itself is generated and installed on the device and updated. But I encountered a problem. When sending information about the update to the APNs service, PKPASS is updated, but the push notification is not shown on the device. On the device, all tooltypes are set to receive the update. As well as the basic settings: We go to the APNs service using = JWT token. "apns-push-type"= "alert" "apns-topic" = PassTypeIdentifier payload = {} I would also like to add that we send push notifications to the production environment. P. S. Six months ago, push notifications came
0
0
113
Aug ’25
CMMovemnt Disorder Library
Info.plist contained no UIScene configuration dictionary (looking for configuration named "Default Configuration") {"msg":"Usage of CMMovementDisorderManager requires a special entitlement. Please see for more information https://aninterestingwebsite.com/documentation/coremotion/cmmovementdisordermanager", "event":"assert", "condition":"isEntitled"} /Library/Caches/com.apple.xbs/Sources/CoreLocationFramework/Framework/CoreMotion/Health/CMMovementDisorderManager.mm:208: assertion failure in +[CMMovementDisorderManager initialize] . I have the entitlement, I sent the request yesterday. I have added in Info.plist Privacy - Motion Usage Description message. But nothing changes. It always crashes . Added also everything to Entitlements File to watch. It crashes on private let manager = CMMovementDisorderManager()
0
0
69
May ’25
Enrollment Button not working on Apple Developer App
Hello Apple Support team, I hope You are doing well this is Muhammad Musaab and i am currently applying for the apple developer program i have successfully completed my apple profile and when i logged in to my developer app on macbook and also on my iphone the enrollment button gets grayed out and unclickable, please i do not want to sign up on web page i am asking help regarding the grayed out button i am getting on apple developer app. Kindly resolve this issue as soon so that i could provide my unique games and apps to apple users. Thanks!
0
0
83
Jun ’25
Developer Account Yearly Purchased Money Taken Twice
In the morning I enrolled in developer program and apple took my money from card and told me it is "being processed". But in the main page it says Purchase your membership. continue your enrollment, complete your purchase now purchase may take up to 48 hours to process. So I clicked again and purchased again. Still I got the same email and checked it says " being processed" but money taken twice!!! Why are you giving me same option if it is processed!! Very bad design!!! Also it is still not activated
0
0
85
May ’25
Time to get VisionOS developer kit
Hi ~ May I know how long did you get your VisionOS developer kit? Thanks
Replies
0
Boosts
0
Views
61
Activity
Jun ’25
Hi everyone
I’m facing an issue when trying to renew my Apple Developer Program membershi Whenever I try to complete the payment ( "We are unable to complete your order – Duplicate order." My previous subscription has already expired, and all my apps are now unavailable on the App Store. This is affecting my users and I’m unable to proceed with payment. Things I’ve tr Logging out and back in Using different browsers (Chrome, Safari, Incognito) Trying from different devices Waiting 24+ hours before r Still getting the s Has anyone faced a similar issue? Is Any Thanks in advance 🙏
Replies
0
Boosts
0
Views
81
Activity
Jul ’25
Apple developer account is showing in review
we have created an apple developer account on 30th April'2025 but still now it shows your application is in review
Replies
0
Boosts
0
Views
97
Activity
May ’25
Unable to View iOS 26 Developer Beta on Device
See title. I'm logged into the correct account, developer mode is correctly enabled, and the associated Apple ID is the same as my developer account. Has anyone else encountered this issue? I only see the public betas that are available.
Replies
0
Boosts
0
Views
182
Activity
Aug ’25
Cannot Create Identifiers – “+” Button Missing on Identifiers Page
I'm currently unable to create new identifiers in the Apple Developer portal at this URL: https://aninterestingwebsite.com/account/resources/identifiers/list The “+” button that should appear to create a new identifier is missing entirely from the page. What’s odd is that another team member (with the same access level and role under the same team) can see and use the button without any issues. So this doesn't appear to be a permissions-related problem. I’ve already tried: Logging out and back in Clearing browser cache Using different browsers (Safari, Chrome) Using Incognito/Private mode Still no luck. Has anyone encountered this before or knows how to resolve it? Thanks in advance.
Replies
0
Boosts
0
Views
137
Activity
May ’25
Apple Developer Program Enrollment
I selected "Individual / Sole Proprietor" during enrollment, but I’m being redirected to an organization agreement with the message: “Your enrollment could not be completed at this time.” Why is this happening, and how can I restart enrollment properly as an individual?
Replies
0
Boosts
0
Views
101
Activity
Jul ’25
Unable to Renew Developer Account - Payment Fails Despite Valid Cards
Hi everyone, My Apple Developer Program subscription was supposed to renew last month, but the payment failed. Surprisingly, the subscription didn’t expire right away, I got an extra month. I’ve now tried updating the payment method using multiple credit/debit cards (including my own and my dad’s), all of which are working perfectly elsewhere but the payment continues to fail. In the Developer app on macOS, I don’t see any option to manually renew the subscription (see attached screenshot). I also noticed that the street address on my developer account doesn’t match the billing address of the card I’m using. Could this be the cause of the issue? If automatic renewal fails, is there a manual payment method available? I’ve already contacted Apple Support, but the solutions they suggested haven’t worked. With my subscription now set to expire in just 3 days, I’m running out of time and options. If there's any way to manually pay or resolve this, I would really appreciate it. I’m in a desperate situation and need to renew to keep my app updates live. Thanks in advance!
Replies
0
Boosts
0
Views
200
Activity
Jul ’25
Apple pay processing payment fail
Hey, I am trying to implement the apple pay process pay backend service, I have checked everything and somehow it fails. I only have 1 certificate for merchant and 1 for the apple pay process, I have the private keys and try to run this following code that fails - import crypto from 'crypto'; import fs from 'fs'; import forge from 'node-forge'; const MERCHANT_ID_FIELD_OID = '1.2.840.113635.100.6.32'; function decryptedToken() { const token = ""; const ephemeralPublicKey = ""; const encryptedData = ""; //=================================== // Import certs //=================================== const epk = Buffer.from(ephemeralPublicKey, 'base64'); const merchantCert = fs.readFileSync('merchant_full.pem', 'utf8') const paymentProcessorCert = fs.readFileSync("apple_pay_private.pem"); //=================================== let symmetricKey = ''; try { symmetricKey = restoreSymmetricKey(epk, merchantCert, paymentProcessorCert); } catch (err) { throw new Error(`Restore symmetric key failed: ${err.message}`); } try { //----------------------------------- // Use the symmetric key to decrypt the value of the data key //----------------------------------- const decrypted = JSON.parse(decryptCiphertextFunc(symmetricKey, encryptedData)); console.log("Decrypted Token:", decrypted); // const preppedToken = prepTabaPayToken(token, decrypted) //~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~ // Send decrypted token back to frontend //~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~ // res.send(preppedToken); } catch (err) { throw new Error(`Decrypt cipher data failed: ${err.message}`); } } // extractMerchantID - const extractMerchantID = (merchantCert) => { //=================================== // Extract merchant identification from public key certificate //=================================== try { const info = forge.pki.certificateFromPem(merchantCert); const result = info['extensions'].filter(d => d.id === MERCHANT_ID_FIELD_OID); //----------------------------------- // Return //----------------------------------- return result[0].value.toString().substring(2); } catch (err) { throw new Error(Unable to extract merchant ID from certificate: ${err}); } } // generateSharedSecret - const generateSharedSecret = (merchantPrivateKey, ephemeralPublicKey) => { //=================================== // Use private key from payment processing certificate and the ephemeral public key to generate // the shared secret using Elliptic Curve Diffie*Hellman (ECDH) //=================================== const privateKey = crypto.createPrivateKey({ key: merchantPrivateKey, format: "pem", type: "sec1", // because it's "EC PRIVATE KEY" }); const publicKey = crypto.createPublicKey({ key: ephemeralPublicKey, format: 'der', type: 'spki' }); //----------------------------------- // Return //----------------------------------- return crypto.diffieHellman({privateKey,publicKey: publicKey,}); //----------------------------------- } // getSymmetricKey - const getSymmetricKey = (merchantId, sharedSecret) => { //=================================== // Get KDF_Info as defined from Apple Pay documentation //=================================== const KDF_ALGORITHM = '\x0didaes256GCM'; const KDF_PARTY_V = Buffer.from(merchantId, 'hex').toString('binary'); const KDF_PARTY_U = 'Apple'; const KDF_INFO = KDF_ALGORITHM + KDF_PARTY_U + KDF_PARTY_V; //----------------------------------- // Create hash //----------------------------------- const hash = crypto.createHash('sha256'); hash.update(Buffer.from('000000', 'hex')); hash.update(Buffer.from('01', 'hex')); hash.update(Buffer.from(sharedSecret, 'hex')); hash.update(KDF_INFO, 'binary'); //----------------------------------- // Return //----------------------------------- return hash.digest('hex'); //----------------------------------- } // restoreSymmetricKey - const restoreSymmetricKey = (ephemeralPublicKey, merchantCert, paymentProcessorCert) => { //=================================== // 3.a Use the payment processor private key and the ephemeral public key, to generate the shared secret //=================================== const sharedSecret = generateSharedSecret(paymentProcessorCert, ephemeralPublicKey); //----------------------------------- // 3.b Use the merchant identifier of the public key certificate and the shared secret, to derive the symmetric key //----------------------------------- const merchantId = extractMerchantID(merchantCert); //~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~ // Return //~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~ console.log("Merchant ID:", merchantId); console.log("Shared Secret (hex):", sharedSecret); return getSymmetricKey(merchantId, sharedSecret); //~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~ } // decryptCiphertextFunc - const decryptCiphertextFunc = (symmetricKey, encryptedData) => { console.log("🔑 Decrypting Ciphertext with Symmetric Key:", symmetricKey); //=================================== // Get symmetric key and initialization vector //=================================== const buf = Buffer.from(encryptedData, 'base64'); const SYMMETRIC_KEY = Buffer.from(symmetricKey, 'hex'); const IV = Buffer.from([0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0]); // Initialization vector of 16 null bytes const CIPHERTEXT = buf.slice(0, -16); //----------------------------------- // Create and return a Decipher object that uses the given algorithm and password (key) //----------------------------------- const decipher = crypto.createDecipheriv("aes-256-gcm", SYMMETRIC_KEY, IV); const tag = buf.slice(-16, buf.length); decipher.setAuthTag(tag); //~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~ // Load encrypted token into Decipher object //~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~ let decrypted = decipher.update(CIPHERTEXT); console.log("🔑 Decrypted Data"); decrypted += decipher.final(); //::::::::::::::::::::::::::::::::::: // Return //::::::::::::::::::::::::::::::::::: return decrypted; //::::::::::::::::::::::::::::::::::: } decryptedToken();
Replies
2
Boosts
0
Views
129
Activity
Sep ’25
MFi program - unable to finish a payment
Our company is working on Smartphone integration - CarPlay, because of that we need to access MFi for some certification. I went through the enrollment, but the payment gets stuck after confirmation and after some minutes it tells me it takes very long time to proceed. How can I enroll for MFi?
Replies
0
Boosts
0
Views
96
Activity
May ’25
Waiting for App Approval
Hello Elf Team, I sent the game a day ago and reached out for a quick review to meet my company's event deadline, but I am still waiting for the review to begin. I contacted via the contact form but have not received any response. Is there anyone from the forum who can help expedite this or provide advice on how to proceed? Thank you!
Replies
1
Boosts
0
Views
243
Activity
Apr ’25
Developer account photo id
I made a developer account. I uploaded a photo id, it notified me that it will take 2 business days to get verified, but it has been already 2 weeks. What to do?
Replies
1
Boosts
0
Views
300
Activity
Dec ’25
Business Name Change Blocking Critical App Identifiers
I’m in crisis mode and desperately need advice. Launching in 10 days and just hit a major roadblock. Background: Set up developer account under a business name only because we needed the D-U-N-S number when starting development Have a working app with Family Controls already configured on the main identifier Yesterday my developer discovered we need Family Controls on 3 additional identifiers for launch a week ago (terrible timing) I submitted a business name change request thinking it was good housekeeping The Crisis: Certificates, Identifiers & Profiles portal is completely locked during business name change processing Can’t add Family Controls to the 3 identifiers we need for launch Business name change typically takes 2-4 weeks Launch is in 10 days What I’ve Done: Contacted Apple Developer Support explaining the urgency Case ID: 102633553000 for the name change request Desperate Questions: Has ANYONE successfully cancelled a business name change mid-process for urgent app needs? Any emergency escalation paths at Apple for launch-blocking issues? Would creating a new developer account be faster? (Though that seems nuclear) Any other workarounds I’m not thinking of? The business name change was purely administrative - nothing structural changes. But these identifier updates are absolutely critical for launch functionality and we didn’t realize they were needed until trying to launch into testflight. This is our first time so learning a lot the hard way 🫠. Thanks in advance for any help!
Replies
0
Boosts
0
Views
204
Activity
Jul ’25
Entity types for registering for the Apple Developer Program
We are registering as an Apple developer, but the entity type selection is incorrect. How can we switch from personal type to organizational type? We haven't paid yet
Replies
0
Boosts
0
Views
82
Activity
May ’25
Bought Apple Developer but still says "Your Apple Developer Program membership has expired"
I'm not sure how to proceed. I paid for Apple Develoepr Program but not seeing it applied to my account and I still see "Your Apple Developer Program membership has expired.'
Replies
1
Boosts
0
Views
86
Activity
3w
in App purchase
We are a group of 10 friends using the same device and Apple ID, but each of us has a different account within the same app. We want to purchase the same auto-renewable monthly subscription plan, each using our own app credentials. The issue: after the first person subscribes, the next user (with a different in-app account) is unable to buy the same plan—it shows "already subscribed" and only allows access after the next billing cycle. We don’t mind the auto-renewal being charged each month by a different person. We just want each app account to have access to the same package independently, for 1 month each. How can we achieve this without changing the Apple ID or device?
Replies
0
Boosts
0
Views
107
Activity
May ’25
PKPASS is updated but the client but push is not showing on the device
Good day) I am developing an application for generating PKPASS in Java. PKPASS itself is generated and installed on the device and updated. But I encountered a problem. When sending information about the update to the APNs service, PKPASS is updated, but the push notification is not shown on the device. On the device, all tooltypes are set to receive the update. As well as the basic settings: We go to the APNs service using = JWT token. "apns-push-type"= "alert" "apns-topic" = PassTypeIdentifier payload = {} I would also like to add that we send push notifications to the production environment. P. S. Six months ago, push notifications came
Replies
0
Boosts
0
Views
113
Activity
Aug ’25
CMMovemnt Disorder Library
Info.plist contained no UIScene configuration dictionary (looking for configuration named "Default Configuration") {"msg":"Usage of CMMovementDisorderManager requires a special entitlement. Please see for more information https://aninterestingwebsite.com/documentation/coremotion/cmmovementdisordermanager", "event":"assert", "condition":"isEntitled"} /Library/Caches/com.apple.xbs/Sources/CoreLocationFramework/Framework/CoreMotion/Health/CMMovementDisorderManager.mm:208: assertion failure in +[CMMovementDisorderManager initialize] . I have the entitlement, I sent the request yesterday. I have added in Info.plist Privacy - Motion Usage Description message. But nothing changes. It always crashes . Added also everything to Entitlements File to watch. It crashes on private let manager = CMMovementDisorderManager()
Replies
0
Boosts
0
Views
69
Activity
May ’25
Enrollment Button not working on Apple Developer App
Hello Apple Support team, I hope You are doing well this is Muhammad Musaab and i am currently applying for the apple developer program i have successfully completed my apple profile and when i logged in to my developer app on macbook and also on my iphone the enrollment button gets grayed out and unclickable, please i do not want to sign up on web page i am asking help regarding the grayed out button i am getting on apple developer app. Kindly resolve this issue as soon so that i could provide my unique games and apps to apple users. Thanks!
Replies
0
Boosts
0
Views
83
Activity
Jun ’25
Developer Account Yearly Purchased Money Taken Twice
In the morning I enrolled in developer program and apple took my money from card and told me it is "being processed". But in the main page it says Purchase your membership. continue your enrollment, complete your purchase now purchase may take up to 48 hours to process. So I clicked again and purchased again. Still I got the same email and checked it says " being processed" but money taken twice!!! Why are you giving me same option if it is processed!! Very bad design!!! Also it is still not activated
Replies
0
Boosts
0
Views
85
Activity
May ’25
ios 26 beta 2 bugs
hello after this beta 2 update my handset becpomes very laggy and worst this is the firsat time ever i am facingf this shitty toture from apple even phone dial crshes safari,control centre,batrtery what not all are crashed after the update
Replies
1
Boosts
0
Views
124
Activity
Jun ’25