mirror of
https://github.com/PretendoNetwork/website.git
synced 2026-03-21 17:24:28 -05:00
Merge pull request #414 from PretendoNetwork/dev
Update master branch with dev changes
This commit is contained in:
commit
7656477185
5
.dockerignore
Normal file
5
.dockerignore
Normal file
|
|
@ -0,0 +1,5 @@
|
|||
.git
|
||||
.env
|
||||
node_modules
|
||||
dist
|
||||
logs
|
||||
|
|
@ -1,2 +0,0 @@
|
|||
# web javascript causes a lot of eslint warnings
|
||||
assets/js
|
||||
|
|
@ -1,42 +0,0 @@
|
|||
{
|
||||
"env": {
|
||||
"browser": true,
|
||||
"node": true,
|
||||
"commonjs": true,
|
||||
"es6": true
|
||||
},
|
||||
"globals": {
|
||||
"document": true
|
||||
},
|
||||
"parserOptions": {
|
||||
"ecmaVersion": 2021
|
||||
},
|
||||
"extends": "eslint:recommended",
|
||||
"rules": {
|
||||
"no-case-declarations": "off",
|
||||
"no-empty": "off",
|
||||
"no-console": "off",
|
||||
"linebreak-style": "off",
|
||||
"prefer-const": "error",
|
||||
"no-var": "error",
|
||||
"one-var": [
|
||||
"error",
|
||||
"never"
|
||||
],
|
||||
"indent": [
|
||||
"error",
|
||||
"tab",
|
||||
{
|
||||
"SwitchCase": 1
|
||||
}
|
||||
],
|
||||
"quotes": [
|
||||
"error",
|
||||
"single"
|
||||
],
|
||||
"semi": [
|
||||
"error",
|
||||
"always"
|
||||
]
|
||||
}
|
||||
}
|
||||
56
.github/workflows/docker.yml
vendored
Normal file
56
.github/workflows/docker.yml
vendored
Normal file
|
|
@ -0,0 +1,56 @@
|
|||
name: Build and Publish Docker Image
|
||||
|
||||
on:
|
||||
push:
|
||||
pull_request:
|
||||
workflow_dispatch:
|
||||
|
||||
env:
|
||||
REGISTRY: ghcr.io
|
||||
IMAGE_NAME: ${{ github.repository }}
|
||||
|
||||
jobs:
|
||||
build-publish:
|
||||
env:
|
||||
SHOULD_PUSH_IMAGE: ${{ (github.event_name == 'push' && (github.ref == 'refs/heads/master' || github.ref == 'refs/heads/dev')) || github.event_name == 'workflow_dispatch' }}
|
||||
runs-on: ubuntu-latest
|
||||
|
||||
permissions:
|
||||
contents: read
|
||||
packages: write
|
||||
|
||||
steps:
|
||||
- name: Set up QEMU for Docker
|
||||
uses: docker/setup-qemu-action@v3
|
||||
|
||||
- name: Set up Docker Buildx
|
||||
uses: docker/setup-buildx-action@v3
|
||||
|
||||
- name: Log into the container registry
|
||||
if: ${{ env.SHOULD_PUSH_IMAGE == 'true' }}
|
||||
uses: docker/login-action@v3
|
||||
with:
|
||||
registry: ${{ env.REGISTRY }}
|
||||
username: ${{ github.actor }}
|
||||
password: ${{ secrets.GITHUB_TOKEN }}
|
||||
|
||||
- name: Extract Docker metadata
|
||||
id: meta
|
||||
uses: docker/metadata-action@v5
|
||||
with:
|
||||
images: ${{ env.REGISTRY }}/${{ env.IMAGE_NAME }}
|
||||
tags: |
|
||||
type=raw,value=latest,enable=${{ github.ref == 'refs/heads/master' }}
|
||||
type=raw,value=edge,enable=${{ github.ref == 'refs/heads/dev' }}
|
||||
type=sha
|
||||
|
||||
- name: Build and push Docker image
|
||||
id: build-and-push
|
||||
uses: docker/build-push-action@v6
|
||||
with:
|
||||
platforms: linux/amd64,linux/arm64
|
||||
push: ${{ env.SHOULD_PUSH_IMAGE }}
|
||||
tags: ${{ steps.meta.outputs.tags }}
|
||||
labels: ${{ steps.meta.outputs.labels }}
|
||||
cache-from: type=gha
|
||||
cache-to: type=gha,mode=max
|
||||
23
.github/workflows/lint.yml
vendored
Normal file
23
.github/workflows/lint.yml
vendored
Normal file
|
|
@ -0,0 +1,23 @@
|
|||
name: Lint
|
||||
|
||||
on:
|
||||
pull_request: {}
|
||||
|
||||
jobs:
|
||||
lint:
|
||||
name: Lint
|
||||
runs-on: ubuntu-latest
|
||||
steps:
|
||||
- name: Checkout
|
||||
uses: actions/checkout@v4
|
||||
|
||||
- name: Setup Node.js
|
||||
uses: actions/setup-node@v4
|
||||
with:
|
||||
node-version: "20"
|
||||
|
||||
- name: Install dependencies
|
||||
run: npm ci
|
||||
|
||||
- name: Lint
|
||||
run: npm run lint
|
||||
48
Dockerfile
Normal file
48
Dockerfile
Normal file
|
|
@ -0,0 +1,48 @@
|
|||
# syntax=docker/dockerfile:1
|
||||
|
||||
ARG app_dir="/home/node/app"
|
||||
|
||||
|
||||
# * Base Node.js image
|
||||
FROM node:20-alpine AS base
|
||||
ARG app_dir
|
||||
WORKDIR ${app_dir}
|
||||
|
||||
|
||||
# * Installing production dependencies
|
||||
FROM base AS dependencies
|
||||
|
||||
RUN --mount=type=bind,source=package.json,target=package.json \
|
||||
--mount=type=bind,source=package-lock.json,target=package-lock.json \
|
||||
--mount=type=cache,target=/root/.npm \
|
||||
npm ci --omit=dev
|
||||
|
||||
|
||||
# * Installing development dependencies and building the application
|
||||
FROM base AS build
|
||||
|
||||
RUN --mount=type=bind,source=package.json,target=package.json \
|
||||
--mount=type=bind,source=package-lock.json,target=package-lock.json \
|
||||
--mount=type=cache,target=/root/.npm \
|
||||
npm ci
|
||||
|
||||
COPY . .
|
||||
|
||||
RUN npm run build
|
||||
|
||||
|
||||
# * Running the final application
|
||||
FROM base AS final
|
||||
ARG app_dir
|
||||
|
||||
RUN mkdir -p ${app_dir}/logs && chown node:node ${app_dir}/logs
|
||||
|
||||
ENV NODE_ENV=production
|
||||
USER node
|
||||
|
||||
COPY package.json .
|
||||
|
||||
COPY --from=dependencies ${app_dir}/node_modules ${app_dir}/node_modules
|
||||
COPY --from=build ${app_dir} ${app_dir}
|
||||
|
||||
CMD ["node", "."]
|
||||
|
|
@ -4,7 +4,7 @@ author: "SuperMarioDaBom"
|
|||
author_image: "https://www.github.com/SuperMarioDaBom.png"
|
||||
date: "October 30, 2022"
|
||||
caption: "Our latest progress, alongside new info!"
|
||||
cover_image: "/assets/images/blogposts/10-30-22.jpg"
|
||||
cover_image: "/assets/images/blogposts/10-30-22.webp"
|
||||
---
|
||||
|
||||
### If you want to see more frequent updates, consider supporting us by [**upgrading your account with a subscription!**](https://pretendo.network/account/upgrade)
|
||||
|
|
@ -14,6 +14,7 @@ Where do I even start?
|
|||
This past year has been a very busy one. From Juxtaposition updates to general stability improvements to reviving a Wii U title that's been dead for 5 years now, there's something for everyone to enjoy. A lot has happened, so we won't be able to cover everything in detail. We've still got a lot of ground to cover, so let's jump into it right away!
|
||||
|
||||
# Posts Galore
|
||||
|
||||
> **DUE TO SOME TECHNICAL ISSUES JUXT IS CURRENTLY NOT AVAILABLE FOR THE PUBLIC BETA. THANK YOU FOR UNDERSTANDING.**
|
||||
|
||||
Let's start with Juxtaposition (or Juxt for short). If you're not aware, Juxt is Pretendo's reimplementation of Miiverse functionality. For more details on it's history, as well as what it all encompasses, please check out [**this blog post from 2021!**](https://pretendo.network/blog/9-29-21)
|
||||
|
|
@ -21,50 +22,65 @@ Let's start with Juxtaposition (or Juxt for short). If you're not aware, Juxt is
|
|||
What's changed since then?
|
||||
|
||||
## Messages Have Arrived
|
||||
|
||||
You can now send messages to users that you are mutual followers with! Just like Nintendo's implementation, these messages are not secured, so do not treat it like a private conversation platform.
|
||||
|
||||
## When Away From Console
|
||||
|
||||
Juxt now has a web version! It is still somewhat limited, and you must first use Juxt on-console to get everything set up, but it's there and will be a great way to interact with users even while not using your game console.
|
||||
|
||||
## Wara Wara What Now?
|
||||
|
||||

|
||||
Wara Wara Plaza is back to its former glory! For those who don't know, Wara Wara Plaza is the plaza of Miis you see on one of the Home Menu screens. Previously, the above could only be seen through manually adding the data to the console. If you have access to Juxt, you should be able to see the plaza back to bustling.
|
||||
|
||||
## That's Not All
|
||||
|
||||
Plenty more has changed with Juxt, too much to go into detail here. For now, let's move on to the next big addition!
|
||||
|
||||
# Who's The BOSS Now?
|
||||
|
||||
SpotPass (known internally as BOSS) is a service that allows servers to push new content to consoles without requiring an update. We've demonstrated the ability to push custom Splatfests to Splatoon, but since then we've got a fully functional server to push out content! Do I sense a Splatfest in development?
|
||||
|
||||
# Pikachu, I Choose You
|
||||
|
||||
Servers for 3DS Pokémon titles are nearly functional! These games require additional effort to get working correctly (including signature patches), so please stay tuned for that.
|
||||
|
||||
# A Wild Raccoon Has Appeared!
|
||||
|
||||

|
||||
In case you haven't yet met him, this is Bandwidth the Raccoon! He's appeared to welcome everyone alongside some major website updates!
|
||||
|
||||
## Progress, Progress, Progress
|
||||
|
||||
The Progress page has received an upgrade! Data is now pulled from GitHub repositories, and you can see a better breakdown of the progress for each server in development!
|
||||
|
||||
## Have You Checked The Docs?
|
||||
|
||||
A Docs section has been added to the website! Here, you can find information on how to get started, as well as error codes in the event you encounter any issues. This section is still a work-in-progress, so it will be updated and added onto as time goes on.
|
||||
|
||||
## Goodbye Patreon, Hello Stripe
|
||||
|
||||
We are moving away from Patreon due to security concerns, and better integration with our services. Tiers will stay exactly the same - no changes in cost. If you wish to support the project, log into your PNID on the website and check out the info on upgrading. Pretendo is an open source project, therefore payment is not required to use the project when open publicly or self-hosted. See the info of the different tiers for a list of perks.
|
||||
|
||||
## It's All About Mii
|
||||
|
||||
One of the biggest additions to the website is you now have the ability to create & edit your account Mii! This is great for emulator users who aren't necessarily able to use a Mii Maker app to create their Miis, or for those who wish to create their PNID entirely on the web.
|
||||
|
||||
## Accounts, Just The Way You Like It
|
||||
|
||||
You can now create your PNID entirely on the web, no console required. Most settings cannot be changed just yet, though you can change your Mii.
|
||||
|
||||
# Further Improvements To Overall System Stability And Other Minor Adjustments Have Been Made To Enhance The User Experience
|
||||
|
||||
Multiple servers got improvements, including the Account server and the Friends servers. The Account server now has proper access levels, which allows specific users to have access to specific services. Friends servers have increased stability, and on the Wii U side are only missing a few pieces to become fully functional.
|
||||
|
||||
# Official Cemu Support Has Arrived!
|
||||
|
||||
In the latest version of the Cemu 2.0 experimental builds, support for Pretendo has been added! Check out our [Cemu usage guide](https://pretendo.network/docs/install/cemu) for more info and to get started.
|
||||
|
||||
# Finally, After 5 Years... It Lives!
|
||||
|
||||
If you haven't yet seen this video by Good Vibes Gaming, go check it out! I won't go anywhere...
|
||||
|
||||
[yt-iframe](Xtc9DJ6LYas)
|
||||
|
|
@ -72,6 +88,7 @@ If you haven't yet seen this video by Good Vibes Gaming, go check it out! I won'
|
|||
All done? Welcome back! Yes, you aren't dreaming - Wii U Chat is finally here! The journey leading up to this point has been an adventurous one, so grab your popcorn as we go back to the beginning.
|
||||
|
||||
## Where It All Started
|
||||
|
||||

|
||||
|
||||
Back in February 2020, Jon shared a few photos of Wii U Chat getting into the app. Hardly anything was implemented, just enough to get to the list of friends. Since we did not have a functional Friends server at the time, this was actually performed using a Nintendo Network account. We did not seriously explore the app at that time, since there were other priorities that took precedence. It would be a bit until the app was looked at again.
|
||||
|
|
@ -89,6 +106,7 @@ Fast forward to October 2021. Shutterbug2000 decided to take a stab at it, and s
|
|||
Attempting to answer would crash the app, which would become a common theme. Wii U Chat has less than what one would consider to be the bare minimum for error handling. He left the app at that, and moved on.
|
||||
|
||||
## It Was Friends All Along
|
||||
|
||||
Two months later, in December, shutterbug2000 was looking into notifications regarding the friends list. Certain games allowed users to join their friends in ongoing online matches right from the list, and he wanted to figure out how those worked. To do this, he injected the Friends applet into a normal application. Titles such as Smash Bros. support the feature; Mario Kart 8 may have had this as a planned feature, but seems to ignore it if attempted.
|
||||
|
||||

|
||||
|
|
@ -100,6 +118,7 @@ While he was here, Shutter decided to try and see if an incoming call could be t
|
|||
It was from the Friends server all along! Now that the pieces were there, all that was left was to handle call sessions via matchmaking (yes, it uses similar processes to joining game sessions) and NAT traversal (a process allowing consoles to talk directly). Unfortunately, it would be some time before much more progress could be made.
|
||||
|
||||
## Putting It All Together
|
||||
|
||||
In late August of this year Jon, Shutter & I got to work to get it put together and finally working. On September 7, the first call since 2017 was made.
|
||||
|
||||

|
||||
|
|
@ -107,14 +126,16 @@ In late August of this year Jon, Shutter & I got to work to get it put together
|
|||
After 5 years of this app lying dormant, it is now possible to make calls and draw on your friends' faces! This could not have been done without all of the contributions from devs and non-devs alike, so thank you to all who contributed to this effort!
|
||||
|
||||
## What Remains
|
||||
|
||||
If you're seeing this within the current public beta, good news: Wii U Chat is open for use! There are a few caveats to keep in mind, due to the early nature of the servers:
|
||||
|
||||
* Wii U Chat heavily relies on Miiverse functionality for certain features such as missed calls, which haven't yet been figured out & implemented. As such, the console may freeze or lock up from time to time, especially if you cancel an outgoing call. If you experience a freezing issue, please fully power off your console and try again.
|
||||
* As mentioned above, missed calls are not implemented yet. Do not expect a log of calls you didn't get to while away.
|
||||
* Currently, notifications are only sent to the call recipient while in the app; as mentioned above, we know how to trigger them, but this server intercommunication is not yet implemented.
|
||||
* Expect bugs. Lots of them. We will not be providing much technical support for the app at this time, due to it's early nature and the fact that we know there are issues.
|
||||
- Wii U Chat heavily relies on Miiverse functionality for certain features such as missed calls, which haven't yet been figured out & implemented. As such, the console may freeze or lock up from time to time, especially if you cancel an outgoing call. If you experience a freezing issue, please fully power off your console and try again.
|
||||
- As mentioned above, missed calls are not implemented yet. Do not expect a log of calls you didn't get to while away.
|
||||
- Currently, notifications are only sent to the call recipient while in the app; as mentioned above, we know how to trigger them, but this server intercommunication is not yet implemented.
|
||||
- Expect bugs. Lots of them. We will not be providing much technical support for the app at this time, due to it's early nature and the fact that we know there are issues.
|
||||
|
||||
We hope you enjoy Wii U Chat!
|
||||
|
||||
# The End, For Now
|
||||
|
||||
That's all we've got to share for now. There's sure to be more updates in the future, so come back again later for more.
|
||||
|
|
|
|||
89
blogposts/11-1-24.md
Normal file
89
blogposts/11-1-24.md
Normal file
|
|
@ -0,0 +1,89 @@
|
|||
---
|
||||
title: "October Progress Update"
|
||||
author: "Jon"
|
||||
author_image: "https://www.github.com/jonbarrow.png"
|
||||
date: "November 1, 2024"
|
||||
caption: "Archiverse, new team members, new server architecture and more!"
|
||||
cover_image: "/assets/images/blogposts/11-1-24.webp"
|
||||
---
|
||||
|
||||
Welcome back to another progress report. While it may seem like not a lot has been going on lately, we've been hard at work in private working on some exciting new updates to share! This blog post will serve as both an announcement for some upcoming features/additions, as well as a sneak-peak behind the scenes to see what sort of experiments we've been running!
|
||||
|
||||
# Archiverse
|
||||
|
||||
As many of you know, the original Miiverse service shut down late 2017. However before the service went dark for good, a team of dedicated archivists known as [Archive Team](https://wiki.archiveteam.org) managed to archive 17TB worth of posts, drawings, and images. This data was then published onto the [Internet Archive](https://archive.org).
|
||||
|
||||
A group known as Archiverse was later established in 2018, providing the archived data both for modern audiences who may not have experienced Miiverse in its prime, and those feeling nostalgic who want to see themselves and what they were doing all those years ago, formally accessible at [archiverse.guide](https://archiverse.guide). In early 2024 the original maintainer left the project, leaving it in the hands of a new team now accessible at [archiverse.app](https://archiverse.app).
|
||||
|
||||
We are happy to announce that we have come together with the new maintainers of Archiverse to merge our services! Archiverse is now an official Pretendo Network service, with the intent to have full (read-only) integrations within the on-console Miiverse apps and in games. This migration will take some time to complete, as we work towards moving many terabytes of data to our systems and finalizing the modifications needed to integrate everything, so stay tuned for a future blog post announcing the migration's completion!
|
||||
|
||||
Archiverse can now be visited at [archiverse.pretendo.network](https://archiverse.pretendo.network)!
|
||||
|
||||
**_Note: Archiverse data will be read-only, and will not be able to be modified by any account system, PNID or otherwise. Functions like "Yeahs", comments, etc. will be disabled when using Archiverse. The data used by Archiverse was taken from the browser version of Miiverse, meaning it lacks some critical in-game data needed for some games which may be impossible to recover, as it was only accessible via the Miiverse in-game API. Archiverse support in games will vary on a game-by-game basis depending on what data can and cannot be recovered/reconstructed._**
|
||||
|
||||
# New Members
|
||||
|
||||
With the aforementioned project merge with Archiverse, we'd like to welcome our two newest team members joining us along for the ride! Please welcome [SuperFX](https://kylewade.dev) and [Luna](https://github.com/masopuppy), the lead maintainer and designer of Archiverse respectively. Originally only helping out with the migration, we've now offered them official spots on our development team. Both are incredibly talented web developers/designers, so expect to see some exciting new features and improvements rolling out in the future.
|
||||
|
||||
# New Licensing
|
||||
|
||||
We encourage others to use our work in other 3rd party projects, such as [GoCentral](https://rb3e.rbenhanced.rocks/), custom "Rock Central" servers for Rock Band 3 on the Wii, PlayStation 3, and Xbox 360. To maintain openness, we typically license our work in ways that prevent privatization. Most of our work has been licensed under [AGPLv3](https://choosealicense.com/licenses/agpl-3.0), as it ensures "network use" (running software on a server) is treated as "distribution", which aligns with our focus on server-based projects.
|
||||
|
||||
However, AGPLv3's strict requirements can be too restrictive, as it forces works which use the AGPLv3 licensed work (even as a library, or a non-derivative work) to also adopt AGPLv3 in its entirety, limiting compatibility with other, more permissive, licenses such as [Apache 2.0](https://choosealicense.com/licenses/apache-2.0). While this infectious nature has benefits, we recognize the need for more flexibility in certain cases. Thus, we will be reviewing some repositories when appropriate to see if less restrictive licenses could work better for specific projects.
|
||||
|
||||
One project, our [`error-codes`](https://github.com/PretendoNetwork/error-codes) library for Wii U/3DS, [has already been re-licensed](https://github.com/PretendoNetwork/error-codes/pull/15) under [LGPLv3](https://choosealicense.com/licenses/lgpl-3.0), which offers similar protections to AGPLv3 but is less restrictive and avoids the full infection of AGPLv3. We will still use AGPLv3 for most projects however as other licenses lack the "network use is distribution" clause which makes it unsuitable for purely server-side software.
|
||||
|
||||
# Enhanced Multiplayer with Relays
|
||||
|
||||
We have begun some experiments of a new method of handling multiplayer sessions known as "relays". The networking library Nintendo used for Nintendo Network has support for relays, however they go unused officially and many games have the relay functionality stripped out to varying degrees. We have begun our own attempt at manually recreating the concept in order to boost security and stability in the future.
|
||||
|
||||
**_Note: Relays are highly experimental, and not widely tested. We have seen promising results during some initial private tests, however these tests were tiny in scale and nothing suggests these are ready for any sort of public use. The experiment MAY be scrapped if found to be inviable in the future. Relays are not deployed on any game server, beta or otherwise, at this time._**
|
||||
|
||||
Some background: All games on Nintendo Network which feature multiplayer are P2P ([peer-to-peer](https://en.wikipedia.org/wiki/Peer-to-peer)). Nintendo uses very little in terms of dedicated servers, opting to only use dedicated servers for features such as object storage and leaderboards. This means that rather than your console talking to a server the entire time, your console instead talks directly to other consoles in a [mesh](https://en.wikipedia.org/wiki/Mesh_networking). Our servers act as the middlemen, managing individual client connections and grouping them together in what's known as a "gathering", also called a "session". Once a gathering is created on the server, users may join it. The server then tells all the relevant clients in the session who each of the other players are (either directly on join or through live notifications after already joining), and then your consoles begin talking to each other after establishing connections following [NAT traversal](<https://en.wikipedia.org/wiki/Hole_punching_(networking)>).
|
||||
|
||||
This architecture has several pros, including:
|
||||
|
||||
1. Less strain on the servers
|
||||
2. Potentially lower latency for clients geographically closer to each other
|
||||
3. P2P networks tend to be very good at self-adjusting to account for dropped/new connections
|
||||
|
||||
However it does come with some notable cons, such as:
|
||||
|
||||
1. Connection issues due to incompatible networks, resulting in failed NAT traversal (very common cause of `118-XXXX` errors)
|
||||
2. Potential security concerns over direct visibility of other clients IP addresses
|
||||
3. Lack of server involvement makes cheating/hacking much easier
|
||||
4. Potentially _higher_ latency for clients geographically _farther_ from each other or between those with slower home internet speeds
|
||||
|
||||
Relays are designed to try and combat some of these cons. Rather than the matchmaking server telling each client the addresses of other players, the server would instead provide the address for a running relay server. Clients then connect to these relay servers as if they were other clients in the mesh. The server then accepts all incoming P2P packets and routes them to the other players also connected to the relay as needed. These relay servers effectively turn P2P games into client->server games.
|
||||
|
||||
Routing this session traffic through our own relay servers could fix many of the cons associated with P2P networking, including:
|
||||
|
||||
1. Removing the issue of incompatible networks, as now you are only talking to our server and not directly to another user
|
||||
2. Effectively masking your IP address from other users, as now the only addresses being used would be ours
|
||||
3. Logging of gameplay events to look for anomalies, and even logging entire sessions for later review in the style of [Hypixel Atlas "Replays"](https://support.hypixel.net/hc/en-us/articles/4411166834834-About-the-Hypixel-Replay-System-and-Atlas) to more easily track and report cheaters
|
||||
4. More efficient player kicks on a per-session basis
|
||||
|
||||
Early tests in Splatoon showed promising results, being able to complete several test matches while running through relays with no direct connections between users. However this system is still in it's infancy and many technical and design quirks have not been ironed out, including managing many relays at scale, increased cost estimations due to increased data usage on our servers, etc. We do not have an ETA for when this system will arrive or in what shape/form it would take.
|
||||
|
||||
# New Games and Updated Matchmaking
|
||||
|
||||
At the moment we are prioritizing improving our internal tooling, underlying networking libraries, game server protocol implementations, and more rather than prioritizing the total number of games we output. However we may decide to release new games if it relates to those efforts, such as games which use features which have yet to be tested, or simple games used to test large-scale changes just as reworks to common protocols.
|
||||
|
||||
As of today we are releasing 2 new games into beta testing:
|
||||
|
||||
- Monster Hunter 4 Ultimate
|
||||
- Super Street Fighter IV
|
||||
|
||||
These games had their servers created using some experimental internal tooling we are developing to help streamline to creation of simple game servers. In these cases, the backends for these servers were entirely generated automatically! These servers also serve as a test for the [large-scale matchmaking rework](https://github.com/PretendoNetwork/nex-protocols-common-go/pull/35) that [DaniElectra](https://github.com/DaniElectra) has been working on the past few months!
|
||||
|
||||
These matchmaking reworks bring not only better matchmaking logic in general, but also more stable session tracking and creation. These changes give us more control over match management and can be used for more accurate player tracking/moderation, even in cases where players may try to anonymize themselves or mask their user information in local connections.
|
||||
|
||||
Pending the results of the matchmaking tests, existing games may soon be getting the same matchmaking rework to try and improve the quality of matchmaking. Similarly, smaller/simple games may be released more often pending the results of our new internal tooling.
|
||||
|
||||
Additionally, Minecraft: Wii U Edition has been upgraded with this matchmaking rework, fixing the bug where only 2 players can connect at a time. These changes are available to the public for more widespread testing.
|
||||
|
||||
Finally, we have recently documented all the official names for `118-XXXX` error codes. Using this knowledge, we have begun to identify some potential causes for several of these errors. These are now also being looked into, in an effort to improve our matchmaking logic and reduce the number of incompatible clients being put in the same sessions. For details, see the [official feature enhancement request on GitHub](https://github.com/PretendoNetwork/nex-protocols-common-go/issues/43).
|
||||
|
||||
# Conclusion
|
||||
|
||||
While this month did not see much in the way of new public features, we've been hard at work on many internal affairs. We hope you enjoyed our first more "technical"/"behind the scenes" blog post, and we hope to add more updates like these to future blog posts, mixed in with actual content updates!
|
||||
|
|
@ -4,41 +4,49 @@ author: "Jon"
|
|||
author_image: "https://www.github.com/jonbarrow.png"
|
||||
date: "November 14, 2021"
|
||||
caption: "Progress made in the month of October"
|
||||
cover_image: "/assets/images/blogposts/11-14-21.jpg"
|
||||
cover_image: "/assets/images/blogposts/11-14-21.webp"
|
||||
---
|
||||
|
||||
### If you want to see more frequent updates, consider supporting us on [**Patreon**](https://patreon.com/PretendoNetwork)
|
||||
|
||||
# Introduction
|
||||
|
||||
Welcome to the October monthly recap. While not a lot of updates happened, the ones which did were important!
|
||||
|
||||
## RSS
|
||||
|
||||
Small update to the website, we now have an RSS feed for blog posts! Use your favorite reader to keep up to date on all our blog posts
|
||||
|
||||
## Stability
|
||||
|
||||
Both `nex-go` and `nex-protocols-go` recieved several stability, code quality, and feature updates. These include, but are not limited to, RMC Request creation, fixing packet fragment IDs not being used, many new types being supported in our `StreamIn` and `StreamOut` structs, and a server ping timeout to properly close connections when a client leaves. These all make the network work much better and feel much more cohesive
|
||||
|
||||
## Where is everyone?
|
||||
|
||||
The core of online multiplayer is connecting users together. On the Wii U and 3DS, multiplayer is handled via a p2p (peer-to-peer) connection, where one use is assigned as the "host" allowing other users to directly connect to their game session. The technology behind allowing users to connect to other users using arbitrary ports is called `NAT Traversal`. Until now, `NAT Traversal` was not working correctly and clients needed to open all ports to connect. Thanks to developer [shutterbug](https://github.com/shutterbug2000) `NAT` now properly works!
|
||||
|
||||

|
||||

|
||||
|
||||
## Rev your engines!
|
||||
|
||||
Both Mario Kart 7 and Mario Kart 8 have started going online and can play matches. These games are far from complete but this is a great stepping stone. Patrons can access the beta servers for Mario Kart 8 right now, Mario Kart 7 has no servers available however. [CTGP-7](https://ctgp-7.github.io/) is also confirmed working for Mario Kart 7, and [CTGP-Café](https://rambo6glaz.github.io/CTGP-Cafe/) being planned for testing as well with full integration planned for both
|
||||
|
||||

|
||||

|
||||
|
||||
[yt-iframe](W974FEDIoAA)
|
||||
|
||||
## Hello YouTube!
|
||||
|
||||
An unintended side effect of working on Miiverse support in Mario Kart 8 was YouTube uploading being re-enabled! You can now upload race clips from Mario Kart 8 to YouTube again. Patrons who run the Miiverse patch can try this feature out right now
|
||||
|
||||
[yt-iframe](d3Bq7auupV0)
|
||||
|
||||
## Squid Game
|
||||
|
||||
Splatoon multiplayer battles now works! As of now only private friend battles have been tested, but they seem to be working without issue
|
||||
|
||||
[yt-iframe](d_qFnXrP7a4)
|
||||
|
||||
## Friendship is magic
|
||||
The friends server received some big updates. You can now properly set your privacy settings, add friends, and receive notifications from the server on what your friends are playing
|
||||
|
||||
The friends server received some big updates. You can now properly set your privacy settings, add friends, and receive notifications from the server on what your friends are playing
|
||||
|
|
|
|||
|
|
@ -4,17 +4,19 @@ author: "Jon"
|
|||
author_image: "https://www.github.com/jonbarrow.png"
|
||||
date: "December 23, 2023"
|
||||
caption: "Information regarding Nintendo's rollout of the Nintendo Network shutdown"
|
||||
cover_image: "/assets/images/blogposts/12-23-23.jpg"
|
||||
cover_image: "/assets/images/blogposts/12-23-23.webp"
|
||||
---
|
||||
|
||||
## EDIT December 27th, 2023: THIS INFORMATION IS NOW OUTDATED. SEE https://pretendo.network/blog/12-27-23. THIS POST WILL REMAIN UP ONLY FOR HISTORICAL REASONS
|
||||
|
||||
## Intro
|
||||
|
||||
First, we would like to apologize for the lack of blog posts this year. We planned to do more, but other priorities kept getting in the way. We continued to provide updates through our Discord and social medias during this time, but we plan to use this blog more often now.
|
||||
|
||||
This blog post will be a bit more serious than previous posts, as the subject matter is rather somber. We apologize for the lack of energy and quips you may have enjoyed in previous posts. This post will have information regarding several aspects of the shutdown, some of which have been covered on other social media posts. Please use the table of contents below to jump to your desired section.
|
||||
|
||||
## Table of Contents
|
||||
|
||||
1. [The Shutdown](#the-shutdown)
|
||||
2. [Super Mario Maker](#super-mario-maker)
|
||||
3. [New Accounts (Prerequisite)](#new-accounts-prerequisite)
|
||||
|
|
@ -22,13 +24,15 @@ This blog post will be a bit more serious than previous posts, as the subject ma
|
|||
5. [Conclusion](#conclusion)
|
||||
|
||||
## The Shutdown
|
||||
|
||||
In October of 2023, Nintendo [announced the shutdown of Nintendo Network](https://en-americas-support.nintendo.com/app/answers/detail/a_id/63227/~/announcement-of-discontinuation-of-online-services-for-nintendo-3ds-and-wii-u) for April of 2024. It was stated that a specific date and time would be announced later, and as of this post that has not happened yet. There have been no public announcements of any services shutting down early, though Nintendo stated they reserve they right to do so if:
|
||||
|
||||
> *"an event occurs that would make it difficult to continue online services for Nintendo 3DS and Wii U software"*
|
||||
> _"an event occurs that would make it difficult to continue online services for Nintendo 3DS and Wii U software"_
|
||||
|
||||
However, it appears that Nintendo has begun a slow rollout of shutdowns. Intentional or not.
|
||||
|
||||
## Super Mario Maker
|
||||
|
||||
This information was also detailed in a [Twitter thread](https://twitter.com/PretendoNetwork/status/1736325668412031255). You may read this there if you wish, or read the repost below.
|
||||
|
||||
Some time in early December 2023, Super Mario Maker began throwing error `106-0502` very often when trying to connect. It is unclear when this truly began, but the earliest occurrences we could find were around the 8th of December. Upon inspection, the cause for this error was clear: the server the game was attempting to connect to no longer existed. Our first assumption was that this was the beginning of the shutdown early, that Nintendo may have started turning off games without notice. After some more research, however, we discovered some users able to still connect.
|
||||
|
|
@ -44,6 +48,7 @@ Every game on Nintendo Network uses the same 2 authentication servers. However e
|
|||
We believe this is due to Nintendo attempting to scale back how many servers are running for each game, to save on costs as the shutdown date approaches. They most likely made an error in their presumed load balancer to not remove these now dead servers from the pool of available addresses. We believe this was done completely unintentionally, however Nintendo shows no signs of fixing this error.
|
||||
|
||||
## New Accounts (Prerequisite)
|
||||
|
||||
As briefly touched on in [Super Mario Maker](#super-mario-maker), Nintendo actually uses a series of internal accounts for several services. For games, these are called "NEX accounts". Some background knowledge is required for this section, which will be gone over now.
|
||||
|
||||
NEX is the software Nintendo uses for all 3DS and WiiU games (and some Switch games). It is based on a library called Rendez-Vous, made by Canadian software company [Quazal](https://web.archive.org/web/20040610104624/http://www.quazal.com/modules.php?op=modload&name=Sections&file=index&req=viewarticle&artid=101&page=1). Quazal, before being bought out by Ubisoft, would license Rendez-Vous to anyone. Many games, on many platforms, by many developers, all use some variation of Rendez-Vous as it was highly extensible. This is why our server libraries are [theoretically compatible with Ubisoft games](https://twitter.com/PretendoNetwork/status/1727016210435641508).
|
||||
|
|
@ -51,11 +56,12 @@ NEX is the software Nintendo uses for all 3DS and WiiU games (and some Switch ga
|
|||
Nintendo licensed Rendez-Vous and modified it quite a bit, stripping out some more complex features and adding in some custom protocols, rebranding it to NEX. The important takeaway here is that Nintendo did not build this system from scratch, and instead modified a system made for generic game server usage.
|
||||
|
||||
## New Accounts
|
||||
|
||||
Some time in late December 2023, new accounts could no longer go online in any games on both the WiiU and 3DS.
|
||||
|
||||
As mentioned in [New Accounts (Prerequisite)](#new-accounts-prerequisite), Nintendo did not make their game server software from scratch. Rendez-Vous comes with its own account system, likely due to it being designed for use in one-off games. At the time of its development, online multiplayer games were still very new and the concept of a unified account system (such as Nintendo Network or Uplay) spanning many different games made by the same company, was not a thing. Therefore, Nintendo needed to cope with this existing account system in some way.
|
||||
|
||||
On the 3DS, the console registers a new NEX account on the Friends server once during the console's setup process. Each 3DS, under normal circumstances, will only ever have a single account at a time (though this is not *always* true, but not relevant). This is why a NNID is not required to play most games online on the 3DS, as games use your NEX account to login to all game servers. Because of this, a new NEX account will never be created again unless the old one is removed using CFW or by factory resetting the console.
|
||||
On the 3DS, the console registers a new NEX account on the Friends server once during the console's setup process. Each 3DS, under normal circumstances, will only ever have a single account at a time (though this is not _always_ true, but not relevant). This is why a NNID is not required to play most games online on the 3DS, as games use your NEX account to login to all game servers. Because of this, a new NEX account will never be created again unless the old one is removed using CFW or by factory resetting the console.
|
||||
|
||||
On the WiiU, a new NEX account is created automatically when the NNID is registered, and the NEX account is linked to this NNID. The console then alerts the Friends server of the new NEX account, much like 3DS. Despite using NNIDs, the WiiU also uses these NEX accounts to go online in all games.
|
||||
|
||||
|
|
@ -66,6 +72,7 @@ This synchronization process has been stopped. New NEX accounts are no longer be
|
|||
It is not clear at this time whether this was intentional or not.
|
||||
|
||||
## Conclusion
|
||||
|
||||
We ask that you do not spam Nintendo's support lines with these issues. Doing so may cause Nintendo to pull the plug entirely early. There are only 3 possible scenarios:
|
||||
|
||||
1. Nintendo is aware of these issues already, and spam would annoy them to the point of pulling the plug.
|
||||
|
|
|
|||
|
|
@ -4,42 +4,50 @@ author: "Jon"
|
|||
author_image: "https://www.github.com/jonbarrow.png"
|
||||
date: "December 27, 2023"
|
||||
caption: "Updates regarding our last blog post"
|
||||
cover_image: "/assets/images/blogposts/12-23-23.jpg"
|
||||
cover_image: "/assets/images/blogposts/12-23-23.webp"
|
||||
---
|
||||
|
||||
### *Edit December 27th, 2023 7:35 PM UTC: Nintendo has fixed the friends sync issue during maintenance*
|
||||
### _Edit December 27th, 2023 7:35 PM UTC: Nintendo has fixed the friends sync issue during maintenance_
|
||||
|
||||
## Intro
|
||||
|
||||
This is an update to our [last blog post](https://pretendo.network/blog/12-23-23), where we discussed some issues regarding Nintendo Network and how they could possibly be linked to the upcoming shutdown. This post aims to provide updates on the situation, as things have begun to improve.
|
||||
|
||||
This is a developing situation. As such, this blog post may be updated at any time as new information comes in. Edits will be mentioned above this introduction.
|
||||
|
||||
## For the media
|
||||
|
||||
We deeply appreciate members of the media wanting to cover this situation, and using us as a trusted source for information. We saw a number of outlets covering our last blog post, and we think it's wonderful they are trying to spread the word. With that said, some outlets did a less than stellar job at reporting our last post, not covering some topics fully or accurately. We would like to ask that members of the media who wish to cover anything posted by us please contact us first to verify the accuracy and legitimacy of the information. We have contacts open on most major social media, and would be happy to discuss things.
|
||||
|
||||
## Table of Contents
|
||||
|
||||
1. [Thanks](#thanks)
|
||||
2. [New Account Syncing](#new-account-syncing)
|
||||
2. [New Account Syncing (Friends)](#new-account-syncing-friends)
|
||||
3. [Super Mario Maker (Dead Servers)](#super-mario-maker-dead-servers)
|
||||
4. [Super Mario Maker (AWS)](#super-mario-maker)
|
||||
5. [Conclusion](#conclusion)
|
||||
3. [New Account Syncing (Friends)](#new-account-syncing-friends)
|
||||
4. [Super Mario Maker (Dead Servers)](#super-mario-maker-dead-servers)
|
||||
5. [Super Mario Maker (AWS)](#super-mario-maker)
|
||||
6. [Conclusion](#conclusion)
|
||||
|
||||
## Thanks
|
||||
|
||||
Before we begin, I'd like to thank members of both our community and Nintendo for their parts in this situation. In our last blog post we urged users to not spam Nintendo regarding these issues, which many followed. We would like to thank those who followed that advice, as we have been given confirmation that those actions may have led Nintendo to act "in a way that's negative". We were told this by our media contact, who will remain anonymous. This contact was able to reach out to Nintendo directly, and together we were able to privately forward these issues to the correct channels.
|
||||
|
||||
We noted in our last blog post that it was unclear whether these issues were intentional or not, and it appears that this was indeed unintentional. While we cannot confirm whether or not Nintendo will take action on all issues presented to them, we would like to thank Nintendo for taking the time to at least acknowledge the issues and look into correcting them. We would also like to specifically thank the engineers and other IT staff at Nintendo working to maintain these legacy servers despite the impending shutdown.
|
||||
|
||||
## New Account Syncing
|
||||
|
||||
In our last blog post we went into detail about how some parts of Nintendo's server architecture works, and how this led to new users on both platforms not being able to connect to game servers anymore. We are happy to announce that as of December 26th, 2023 at around 5:00 PM UTC this seems to have been corrected. We have verified this with several people internally, on both platforms and in several games. New accounts may now go online as normal.
|
||||
|
||||
## New Account Syncing (Friends)
|
||||
|
||||
Shortly after our last blog post, we discovered that new friends on the 3DS were also not being synced to other servers even for existing users. This meant that games such as Animal Crossing: New Leaf could not be played with 3DS friends made after the recent server changes, as your friends were no longer being synced. This issue has not yet been confirmed to happen on the Wii U, however due to the Wii U and 3DS sharing a Friends server it is likely this happens on both platforms. We did not publicly disclose this at the time as we were still gathering information in order to accurately report on the issue. Following maintenance on December 27th, 2023 this has been fixed.
|
||||
|
||||
## Super Mario Maker (Dead Servers)
|
||||
|
||||
Previously announced via Twitter, and briefly touched on in our last blog post, Super Mario Maker's authentication server has an error with the list of game servers it gives to the client to connect to. Most of these servers are no longer online, meaning most attempts to connect to the game will fail. As of writing on December 27th, 2023, this has not yet been fixed. The issue has been raised to Nintendo.
|
||||
|
||||
## Super Mario Maker (AWS)
|
||||
|
||||
For several months we have been aware of a previously undisclosed issue with Super Mario Maker regarding their use of AWS, specifically S3. Super Mario Maker uploads content such as courses and maker profiles to S3 using a NEX protocol called `DataStore`. This protocol gives the client a way to interact with, and upload new, S3 objects. S3 is a service, originally created by Amazon, to manage objects in a secure, scalable, way. For more information on S3 see the official [AWS docs](https://docs.aws.amazon.com/AmazonS3/latest/userguide/Welcome.html).
|
||||
|
||||
When a client connects to Super Mario Maker for the first time, it first checks if your account has a "maker" object in S3 using `DataStore`. If not, the server gives the client a URL it can use to upload your "maker" object. Think of this as simply a file with some metadata that will describe you and your stats as you play the game. This object is required for continuing online, and will not function without it.
|
||||
|
|
@ -53,4 +61,5 @@ The exception to this being Super Mario Maker. Since its release it has always c
|
|||
As of December 26th, 2023, Super Mario Maker's game server has been updated to now use this Nintendo-owned proxy. The changes made to AWS will no longer affect the game.
|
||||
|
||||
## Conclusion
|
||||
|
||||
We would again like to thank our community members and Nintendo for their roles in all of this. Sorting these issues out is a complex task, and we thank our community members who have not spam contacted Nintendo's support hotlines regarding these issues. The customer service reps on these hotlines likely have no influence over the day to day operations of these servers. Additionally, the issues mentioned here have already been brought to the proper channels. We will continue to update this blog post as new information comes in.
|
||||
|
|
|
|||
|
|
@ -4,12 +4,13 @@ author: "Jon"
|
|||
author_image: "https://www.github.com/jonbarrow.png"
|
||||
date: "April 8, 2024"
|
||||
caption: "Hackless Wii U connections, farewell to Nintendo Network, and more"
|
||||
cover_image: "/assets/images/blogposts/4-8-24.png"
|
||||
cover_image: "/assets/images/blogposts/4-8-24.webp"
|
||||
---
|
||||
|
||||
Today marks the end of Nintendo Network. As sad as this day is for many, it also comes with some positive developments. In this blog post we'll go over some new developments and plans, including official game support and a new way to connect to Pretendo ***without homebrew***!
|
||||
Today marks the end of Nintendo Network. As sad as this day is for many, it also comes with some positive developments. In this blog post we'll go over some new developments and plans, including official game support and a new way to connect to Pretendo **_without homebrew_**!
|
||||
|
||||
# A Somber Farewell
|
||||
|
||||
As of today, April 8th, 2024 Nintendo Network, the online servers powering the Wii U and 3DS's multiplayer, has shut down. Launching in 2012, Nintendo Network lasted exactly 12 years, 2 months, and 14 days (longer than the Wii!). This era of Nintendo's history is often looked down upon, made fun of, even by those of us in the scene. But we believe it's important to highlight the good that came from it, sending this generation off with the respect it deserves.
|
||||
|
||||
Unlike the competitors at the time, Nintendo opted to continue with offering their online services free of charge. While it may not have had as many features as competitors, including staples like achievements, private messaging, etc. it cannot be denied that the low barrier of entry made it many users' first time playing online. The inclusion of Miiverse gave the games a sense of community still unseen in the current generation, and is something Nintendo fans and non-Nintendo fans alike would like to see again.
|
||||
|
|
@ -21,16 +22,19 @@ The 3DS pushed hard for player interactions, going so far as to build systems in
|
|||
We at the Pretendo Network team, as much as we poke and tease, love these consoles and the impact they had on gaming. The Wii U was truly ahead of its time in many ways, plagued with bad marketing killing its chances at success. We thank Nintendo for giving so many of us entertainment in this era, and bringing many of us closer together.
|
||||
|
||||
# SSSL
|
||||
As a parting gift to you all, we are releasing our private SSL exploit for the Wii U: SSSL! Found by our very own [shutterbug](https://twitter.com/shutterbug20002), this exploit allows users to connect to Pretendo Network from a stock Wii U, with no homebrew or custom firmware at all; only a DNS change! We've been holding on to this exploit for this day for quite some time, in case Nintendo decided to issue patches for it. Select services which use their own SSL libraries are unsupported. This includes several 3rd-party titles like WATCH_DOGS and YouTube, as well as titles which run in an embedded browser like TVii, the eShop, and the Miiverse applet. ***Miiverse functionality IN GAMES is still supported through SSSL!***
|
||||
|
||||
As a parting gift to you all, we are releasing our private SSL exploit for the Wii U: SSSL! Found by our very own [shutterbug](https://twitter.com/shutterbug20002), this exploit allows users to connect to Pretendo Network from a stock Wii U, with no homebrew or custom firmware at all; only a DNS change! We've been holding on to this exploit for this day for quite some time, in case Nintendo decided to issue patches for it. Select services which use their own SSL libraries are unsupported. This includes several 3rd-party titles like WATCH_DOGS and YouTube, as well as titles which run in an embedded browser like TVii, the eShop, and the Miiverse applet. **_Miiverse functionality IN GAMES is still supported through SSSL!_**
|
||||
|
||||
We hope this new method of connecting will be useful for those who have trouble installing homebrew, those who are worried about mods, and for users who may live in areas where local law may make it more difficult to install mods. For more information, see our [updated setup guide](/docs/install/wiiu)!
|
||||
|
||||
### *SSSL is only available for Wii U systems running firmware version 5.5.5 or higher. SSSL is not available for 3DS users.*
|
||||
### _SSSL is only available for Wii U systems running firmware version 5.5.5 or higher. SSSL is not available for 3DS users._
|
||||
|
||||
# Archival
|
||||
|
||||
Over the past 6 months, we have been hard at work pushing for the archival of as much data as possible. To that end we created the [Archival Tools repository](https://github.com/PretendoNetwork/archival-tools), a selection of tools dedicated to archiving specific content from various games and services. Together with help from the community at large we have been able to archive several terabytes of this data from various services.
|
||||
|
||||
All archived data we have collected, including SpotPass data, Super Mario Maker courses, many games leaderboards, etc. will be posted on the [Internet Archive](https://archive.org) at a later date once it has finished being processed. The data will be freely available for anyone to download. Some of this data will also make its way onto our servers at a later time. Specific dates for these events will come in the future.
|
||||
|
||||
# Colors! 3D
|
||||
As of April 7th, the day before the shutdown, Pretendo has collaborated with the developers of [Colors! 3D](https://www.colorslive.com/purchase/3ds), a drawing and art sharing game for the Nintendo 3DS. Together we have *officially* added support for each other, meaning Colors! 3D will continue to operate as normal when using Pretendo Network. Checkout their game, and their [Discord server](https://www.colorslive.com/discord), for more information on the Colors! franchise!
|
||||
|
||||
As of April 7th, the day before the shutdown, Pretendo has collaborated with the developers of [Colors! 3D](https://www.colorslive.com/purchase/3ds), a drawing and art sharing game for the Nintendo 3DS. Together we have _officially_ added support for each other, meaning Colors! 3D will continue to operate as normal when using Pretendo Network. Checkout their game, and their [Discord server](https://www.colorslive.com/discord), for more information on the Colors! franchise!
|
||||
|
|
|
|||
32
blogposts/5-19-24.md
Normal file
32
blogposts/5-19-24.md
Normal file
|
|
@ -0,0 +1,32 @@
|
|||
---
|
||||
title: "Exciting updates for the 3DS"
|
||||
author: "Jon"
|
||||
author_image: "https://www.github.com/jonbarrow.png"
|
||||
date: "May 19, 2024"
|
||||
caption: "StreetPass Relay and 3DS notifications"
|
||||
cover_image: "/assets/images/blogposts/5-19-24.webp"
|
||||
---
|
||||
|
||||
Today we are releasing 2 big features for the 3DS: 3DS system notifications and StreetPass Relay!
|
||||
|
||||
**_(Do note that both features are currently in active development, and may not always function properly. A common solution is to remove and reinsert your system's battery, in order to load the latest policylist, however do note this will have side effects in time-based games! It is common for some users to have one, or both, features not function. These issues are being looked in to)_**
|
||||
|
||||
# System Notifications
|
||||
|
||||
We can now send your 3DS systems notifications using the built-in notifications app! This allows us to deliver news updates right to your console, without needing to be in our Discord server, forum, or even following our social media. You can get all the latest news about the service, right from the console you're using it on!
|
||||
|
||||
**_Not all announcements may make it to the system notifications however, namely very long announcements or those which require rich media like links, images, videos, and more._**
|
||||
|
||||

|
||||
|
||||
# StreetPass Relay
|
||||
|
||||
StreetPass Relay was a feature built into the 3DS which allows users to gain "StreetPass'" from other users, even without physically being near them at the time. This worked by using a "StreetPass Relay Point", a wireless access point used by Nintendo Zone to store StreetPass data. When connecting to one of these relays, your console would upload your own StreetPass data as well as download the data of others from that relay.
|
||||
|
||||
With our implementation, StreetPass Relay now works **_GLOBALLY_**, removing the need to be at a physical access point! You can now passively gain passes with other Pretendo users simply by being online. There are 2 things note, however:
|
||||
|
||||
1. **_You must be using the latest release of Nimbus for StreetPass Relay to function. Previous versions do not have the correct URL patches for StreetPass Relay. You can download the latest release here https://github.com/PretendoNetwork/Nimbus/releases/latest_**
|
||||
2. **_Due to the [questionable quality](https://twitter.com/MrNbaYoh/status/1783912413068222477) of the StreetPass parsers inside games and the fact that StreetPass Relay happens automatically, you can ONLY gain passes with people who you are friends with on the 3DS friends server. You will NOT be able to gain passes from any other users through StreetPass Relay._**
|
||||
|
||||

|
||||

|
||||
79
blogposts/6-2-25.md
Normal file
79
blogposts/6-2-25.md
Normal file
|
|
@ -0,0 +1,79 @@
|
|||
---
|
||||
title: "May Progress Update"
|
||||
author: "Jon"
|
||||
author_image: "https://www.github.com/jonbarrow.png"
|
||||
date: "June 2, 2025"
|
||||
caption: "Updates covering the first half of the year"
|
||||
cover_image: "/assets/images/blogposts/6-2-25.jpg"
|
||||
---
|
||||
|
||||
Hey all, Jon here! We know it's been quite a while since our last blog post. We planned to get these out more often, but alas more important issues and updates came first. We apologize for the lack of blog posts, and promise to get them out as often as we can. With that, halfway into the year seems like as good a time as any to summarize what we've been up to!
|
||||
|
||||
(Note: This blog post will not cover *all* changes made since the last post, as there are far too many to list. We will be highlighting the more relevant/larger ones here)
|
||||
|
||||
# Technical Updates
|
||||
|
||||
Many of you voted to have more technical updates in blog posts from now on, and today marks the first time we do!
|
||||
|
||||
## Splatoon Database Performance
|
||||
Around May 26th, 2025 we noticed random instability in Splatoon. The game would work for a while, allowing players to create new, and join existing, matches, before seemingly randomly locking up. This locking up would cause subsequent requests to never get a response from the server, resulting in failed connections. Developers [shutterbug](https://github.com/shutterbug2000) and [quarky](https://github.com/ashquarky) quickly began investigating. We were unsure where the issue was at, but we had a pretty good idea of where to look. The locks could be happening in 2 places:
|
||||
|
||||
1. The application layer. A few examples being:
|
||||
1. A locked [mutex](https://en.wikipedia.org/wiki/Lock_(computer_science)) which never releases. Our servers are written in [Go](https://go.dev/), and make use of [goroutines](https://go.dev/doc/effective_go#goroutines) for concurrency. Primitive Go types such as [slices](https://go.dev/doc/effective_go#slices) and [maps](https://go.dev/doc/effective_go#maps) can only be accessed by one goroutine at a time. To ensure this, a mutex is used to lock access when a goroutine needs the data, and is released when it's done with it. If a goroutine were to lock up and never release the mutex, then future goroutines will never be able to access it, and also be locked up waiting for the mutex to release.
|
||||
2. A poorly structured SQL query could lock up the database connection at the application layer, causing future requests to no longer be able to access the database.
|
||||
2. The database layer. A few examples being:
|
||||
1. Database corruption could lead to queries failing or getting stuck, locking up the connection.
|
||||
2. Poor indexing causing full table scans on massive tables, locking up the connection.
|
||||
3. Bad queries causing the table to infinitely loop and lookup in itself, locking up the connection.
|
||||
|
||||
Shutter began by checking the code for locked mutexes and the server logs for any abnormalities. Our game server libraries are split into 3 separate modules, one of which we colloquially refer to as ["common"](https://github.com/PretendoNetwork/nex-protocols-common-go). This module holds all the "common" default implementations of features used by many games. Quarky began by investigating the database itself. Together, they were able to narrow down the problem areas to 2 functions. Lockups would happen in the [`MatchmakeExtension::AutoMatchmake_Postpone`](https://github.com/PretendoNetwork/nex-protocols-common-go/blob/50586821d228cdc2bae728797febdae51e67fe5b/matchmake-extension/auto_matchmake_postpone.go) and [`MatchMaking::UnregisterGathering`](https://github.com/PretendoNetwork/nex-protocols-common-go/blob/50586821d228cdc2bae728797febdae51e67fe5b/match-making/unregister_gathering.go) functions. These functions are responsible for creating/joining multiplayer sessions, and for deleting them when the game is over.
|
||||
|
||||
There did not appear to be any areas where a mutex would not release, so we switched our attention back to the database itself. We had noticed some wonky behavior from the database earlier as well, later fixed by [Will](https://github.com/binaryoverload), and I had a hunch that this is where the issue would lie as well. Upon investigation, we found several instances of poor database performance, such as a lack of indexes on some "hot spots" resulting in slower queries. Most notably, we found 2 queries that had become locked, running over 7 and 9 hours respectively. These queries are what was causing the database to lock up, and requests to not get responses. But we still didn't quite know WHY they were locking. It was not initially clear if the issue was due to a looping query, poor indexes, or database corruption. The database in question only held ephemeral data about temporary matches, however, so we opted to just rebuild the database and add in the missing indexes at the same time. Doing so would cover both possibilities of database corruption and missing queries causing the locks, and so far things have once again become stable.
|
||||
|
||||
During the investigation I also noticed a lack of a proper timeout mechanism in the Go functions that made the database queries. Regardless of the reason for *why* the queries locked up, having a timeout would prevent things from looping *forever*.
|
||||
|
||||
This investigation has highlighted some key areas of improvement in regards to our database performance, and we have already begun investigating using even better indexes (currently being tested in Minecraft) and will begin to implement proper query timeouts. So while it is unfortunate that Splatoon was down, in the end this will result in even better performance moving forward.
|
||||
|
||||
## `DataStore` Protocol Rework
|
||||
As mentioned above, many games share a "common" implementation of certain features. This allows us to define this functionality once and simply tell a server to use it. In the past, our philosophy was to be as unopinionated as possible in this regard, only implementing basic boilerplate for the functions and providing developers a series of configurations and hooks to use. The actual *logic* of the functions was still up to the developers to set. This was done so that developers outside of our team could more easily integrate our code into their systems, by just hooking up whatever stack they already use.
|
||||
|
||||
We have recognized the limitations of this approach however, and have decided to become more opinionated. This first took place in the matchmaking code, made by [Dani](https://github.com/DaniElectra), making it so that all the logic for matchmaking now lives in our "common" module. This now allows our code to be more "plug-and-play", simply telling servers to use matchmaking and letting our logic do the rest.
|
||||
|
||||
Another protocol which used this unopinionated philosophy was our [`DataStore`](https://nintendo-wiki.pretendo.network/docs/nex/protocols/datastore) implementation. `DataStore` is a protocol developed by Nintendo allowing for "object" (file) storage in games, essentially acting as a frontend for [S3](https://en.wikipedia.org/wiki/Amazon_S3). This protocol is what powers games like Super Mario Maker (courses are "objects"), Animal Crossing: New Leaf (dreams are "objects"), Mario vs. Donkey Kong: Tipping Stars (levels are "objects"), and more.
|
||||
|
||||
We have now begun the process of moving our `DataStore` implementation into a more opinionated implementation, allowing for the same sort of "plug-and-play" nature as seen in the matchmaking changes. Progress can be seen [here](https://github.com/PretendoNetwork/nex-protocols-common-go/pull/53). Once finished, this will be our first *fully complete* protocol implementation, allowing for MANY games to get their "object" features working without any extra work. This is also why Mario vs. Donkey Kong: Tipping Stars is still offline, it is so old that it needs to be rewritten from the ground up and is mostly just `DataStore`, making it the perfect candidate to test these new changes against.
|
||||
|
||||
Eventually we hope to do this with *all* protocols in the future.
|
||||
|
||||
# New Games/Updates
|
||||
|
||||
Several new games have joined us since our last blog post! Both existing games coming out of beta, and entirely new games!
|
||||
|
||||
Also a big thank you to everyone outside of our team as well for helping debug and suggest changes!
|
||||
|
||||
## Splatoon
|
||||
As a belated celebration for Splatoon's 10th anniversary (we deeply apologize that the stability issues mentioned above prevented us from doing anything on time), for the next round of rotations (starting June 7th) our rotations will feature previously banned stages! Allowing banned stages has been a highly requested feature for a long time, so we felt this was a good time to try it out!
|
||||
|
||||
## Animal Crossing: New Leaf
|
||||
Thanks to the work by [shoginyan](https://github.com/shoginyan) and [shutterbug](https://github.com/shutterbug2000), Animal Crossing: New Leaf has officially left beta testing and is available to everyone! Note that Dream Suite is not yet implemented (see [`DataStore` Protocol Rework](#datastore-protocol-rework)), but multiplayer is supported! We've also identified an issue regarding best-friend messages, of which a fix is being actively tested.
|
||||
|
||||
## Mario Kart 7 Communities
|
||||
Mario Kart 7 now has partial support for communities! Leaderboards are not currently implemented, as Mario Kart 7 uses a version of the [`Ranking`](https://nintendo-wiki.pretendo.network/docs/nex/protocols/ranking/legacy) that is very different to the one used by modern games.
|
||||
|
||||
## Yo-kai Watch 2 and Yo-kai Watch Blasters
|
||||
[shoginyan](https://github.com/shoginyan) has also kick-started Yo-kai Watch 2 and Yo-kai Watch Blasters both into development! Yo-kai Watch 2 has left beta and is available to everyone, while Yo-kai Watch Blasters (and variants) is currently in beta testing.
|
||||
|
||||
## Monster Hunter 4 Ultimate
|
||||
Monster Hunter 4 Ultimate has officially left beta testing! We have also removed the region lock, allowing for experimental crossplay between MH4U and MH4G players! You may encounter technical difficulties when playing across regions due to this experimentation, so please report any issues you encounter to [the game's issue tracker](https://github.com/PretendoNetwork/monster-hunter-4-ultimate/issues/new/choose).
|
||||
|
||||
## Swapdoodle
|
||||
Swapdoodle was one of the first titles Dani wanted to work on, prior to him joining our core dev team. After joining, focus was shifted elsewhere and work stopped on Swapdoodle fairly early. However thanks to the work by outside contributors [Silver-Volt4](https://github.com/Silver-Volt4) and [CenTdemeern1](https://github.com/CenTdemeern1), work on Swapdoodle has once again picked up! They took it upon themselves to implement the server entirely, with promising results! For more information, see:
|
||||
|
||||
- https://forum.pretendo.network/t/we-implemented-swapdoodle-and-would-like-to-contribute-it/16204
|
||||
- https://github.com/PretendoNetwork/swapdoodle/pull/1
|
||||
|
||||
## Dr. Luigi and Dr. Mario: Miracle Cure
|
||||
Both Dr. Luigi and Dr. Mario: Miracle Cure have officially left beta testing! Both titles are now available to the public!
|
||||
|
||||
## The Legend of Zelda: Tri Force Heroes
|
||||
After several months of downtime, The Legend of Zelda: Tri Force Heroes is officially back online! This was one of our legacy games requiring upgrades to our latest libraries, and has finally had its issues ironed out. Due to some recent changes to our general matchmaking code, the games multiplayer region lock was unintentionally returned. This is being looked into and should be fixed in due time.
|
||||
98
blogposts/6-29-24.md
Normal file
98
blogposts/6-29-24.md
Normal file
|
|
@ -0,0 +1,98 @@
|
|||
---
|
||||
title: "June Progress Update"
|
||||
author: "Jon"
|
||||
author_image: "https://www.github.com/jonbarrow.png"
|
||||
date: "June 29, 2024"
|
||||
caption: "Updates on 6 games, including beta testing for Smash, Puyo Puyo Tetris, and more!"
|
||||
cover_image: "/assets/images/blogposts/june-29-2024/preview.webp"
|
||||
---
|
||||
|
||||
_Credits for preview image:_
|
||||
|
||||
- Toon Link - https://www.smashbros.com/wiiu-3ds/us/characters/toon_link.html
|
||||
|
||||
As June comes to a close we'd like to take this time to welcome some new team members and give some updates on what work we've been doing, including beta testing for some brand new games!
|
||||
|
||||
# New Teammates
|
||||
|
||||
To kick things off I'd like to welcome 2 of our latest teammates [MatthewL246](https://github.com/MatthewL246) and [wolfendale](https://github.com/wolfendale)! Together they have been doing some fantastic work, some of which is still yet to be seen.
|
||||
|
||||
[MatthewL246](https://github.com/MatthewL246) has been hard at work introducing Docker configurations to our servers, as well as working with [SuperMarioDaBom](https://github.com/SuperMarioDaBom) and 2 non-Pretendo developers [Jelle van Snik (mrjvs)](https://mrjvs.com) and [William Oldham (BinaryOverload)](https://williamoldham.co.uk), to prepare our services for their eventual move to our new infrastructure! While much of this work has not been deployed yet, it is vital for Pretendo moving forward as we transition to a containerized deployment on real hardware. These changes will make managing and deploying servers much simpler in the future.
|
||||
|
||||
[wolfendale](https://github.com/wolfendale) has been working tirelessly with [DaniElectra](https://github.com/danielectra) and myself on [`nex-go`](https://github.com/PretendoNetwork/nex-go), and some related services. This library is the **_heart_** of our game servers, implementing the lower level transport protocols and tools/features needed to build _all_ of our game servers, and is one of the more difficult areas to work in. The work done on this library is priceless, and will have positive effects on all games across the board.
|
||||
|
||||
# General Server Updates
|
||||
|
||||
Before talking about the new games joining our beta testing, we'd like to touch on some more general updates which apply to all games. As mentioned, [wolfendale](https://github.com/wolfendale) has been working almost exclusively on [`nex-go`](https://github.com/PretendoNetwork/nex-go) since joining the team. He, along with [DaniElectra](https://github.com/danielectra) and myself, has been doing fantastic work on debugging some long-standing issues, providing bug fixes and optimizations, introducing new unit testing, and implementing some key missing features. This work not only drastically improves stability, but brings our implementation closer to the original with more accurate emulation.
|
||||
|
||||
He has also been tackling the task of [optimizing our database queries](https://github.com/PretendoNetwork/friends/pull/22) on the friends server. The friends server is one of the most important services of Nintendo Network. Without a stable connection to the friends server, the console will not attempt to connect to any individual game server, and is the cause of the common [X01-0502](https://forum.pretendo.network/t/error-code-101-0502-no-solution/1426/5?u=pn_jon) error. Optimizations and bug fixes like these to the friends server will ensure connections to game servers also remain stable.
|
||||
|
||||
While most of these updates have not yet been deployed yet (a select few have been hot-patched into existing deployments), and some have not yet been merged at all, the changes that have been made recently should show very positive results once deployed (including tackling the common [X01-0502](https://forum.pretendo.network/t/error-code-101-0502-no-solution/1426/5?u=pn_jon) error). We hope to get all of these new updates out relatively soon, so that all games may benefit from the added stability.
|
||||
|
||||
![Screenshot of shutter on Discord saying "@ashquarky @Jon @DaniElectra ok so! i can confirm 2 things: 1: Splatoon is now working on nex v2 (i was having @ashquarky [PN_quarky] change the wrong thing lol) 2: Splatoon did not work until I used the master version of nex-go, this means that the new changes to nex-go likely help a lot with stability 🎉"](/assets/images/blogposts/june-29-2024/shutter-nex-go.webp)
|
||||
|
||||
[DaniElectra](https://github.com/danielectra) has also been spending quite some time [reworking our matchmaking logic from scratch](https://github.com/PretendoNetwork/nex-protocols-common-go/pull/35). These updates should bring more stability when it comes to matchmaking, as well as better tooling for developers to work on new games.
|
||||
|
||||
Similarly to [Dani's](https://github.com/danielectra) matchmaking rework, I have been [reworking our entire type system from scratch](https://github.com/PretendoNetwork/nex-go/pull/56). These changes should provide a much better development experience for us moving forward, streamlining many previously difficult to do tasks such as data storage and storing type data in databases. This should result in faster, and more reliable, server development moving forward.
|
||||
|
||||
# New Games and Updates
|
||||
|
||||
Now into what most of you came here for; new games and updates in beta testing! This blog post will cover a whopping **_ten_** games. Some games are receiving general updates, while others are joining us for the first time. We will also be aiming to release some smaller, simpler, games on a more frequent basis. Some games share much of their internals with existing games, making it trivial to get the basics up and running. We do not have an official release schedule, but we expect to release more simple games more often.
|
||||
|
||||
_Most of the games mentioned here are only available for beta testers at the time of writing._
|
||||
|
||||
_All games begin their life in beta testing, only available to testers. Once more features have been added, and pending the evaluation of each game's stability, they will each become available to the general public on a game-by-game basis. Until then, consider [supporting the project](https://pretendo.network/account/upgrade) to gain early beta access_
|
||||
|
||||
**_BETA SERVERS ARE NOT CONSIDERED STABLE, AND OFTEN LACK MANY FEATURES. USE AT YOUR OWN RISK_**
|
||||
|
||||
## 🥄
|
||||
|
||||
Thanks to work done by [wolfendale](https://github.com/wolfendale), [DaniElectra](https://github.com/danielectra) and myself on [`nex-go`](https://github.com/PretendoNetwork/nex-go), as well as work down by [Ash](https://github.com/ashquarky) and [shutterbug](https://github.com/shutterbug2000) on our [Splatoon netcode specifically](https://github.com/PretendoNetwork/splatoon/pull/2), Splatoon has **_officially_** begun its migration to our newest library versions. These changes have, so far, resulted in much more stable and reliable matchmaking across the board. These changes are available **_TODAY_**, for **_everyone_**!
|
||||
|
||||
If you experience any issues with Splatoon still, feel free to reach out for support on our [support forum](https://forum.pretendo.network/c/support/6) and file bug reports on the [Splatoon GitHub repository](https://github.com/PretendoNetwork/splatoon).
|
||||
|
||||

|
||||
|
||||
## A New Title Appears
|
||||
|
||||
Thanks to work done by [SuperMarioDaBom](https://github.com/SuperMarioDaBom), **Super Smash Bros. 4 Wii U** is now **_officially_** available for beta testers! The 3DS version is not currently supported, though the controller app should work. Not everything is implemented, however matchmaking is working as expected. Spectating and sharing do not work, nor has Miiverse integration been tested. Attempting to share anything in game may cause the game to stop responding due to unimplemented methods.
|
||||
|
||||

|
||||
|
||||
## Gotta Catch 'em All!
|
||||
|
||||
Thanks to work done by [shutterbug](https://github.com/shutterbug2000), **Pokémon Generation 6 (X & Y, Omega Ruby & Alpha Sapphire)** is now **_officially_** available for beta testers! Not all features have been implemented. While still early in development, and missing some recent stability fixes, wonder trades have been fully implemented, and PSS is in active development!
|
||||
|
||||
<center>
|
||||
|
||||
| | |
|
||||
| ---------------------------------------------------------------------------------------------------------- | ------------------------------------------------------------------------------------------------------------- |
|
||||
|  |  |
|
||||
|
||||
</center>
|
||||
|
||||
## Puyo!
|
||||
|
||||
Thanks to work done by [Ash](https://github.com/ashquarky), **Puyo Puyo Tetris** is now being worked on. Matchmaking and rankings are both working as expected. This game is not yet available for beta testing, as it relies on unreleased library changes, however it will be released for beta testers soon!
|
||||
|
||||
| | |
|
||||
| ------------------------------------------------------------------------------------------------------------- | -------------------------------------------------------------------------------------------------------------- |
|
||||
|  |  |
|
||||
|
||||
## An Apple a Day
|
||||
|
||||
Thanks to work done by [shutterbug](https://github.com/shutterbug2000), _both_ **Dr. Luigi (Wii U) and Dr. Mario: Miracle Cure (3DS)** are now **_officially_** available for beta testers! Both games feature fully implemented matchmaking and rankings.
|
||||
|
||||
| | |
|
||||
| -------------------------------------------------------------------------------------------------------------------------------- | ---------------------------------------------------------------------------------------------------- |
|
||||
| <img src="/assets/images/blogposts/june-29-2024/dr-luigi-wiiu-match.webp" alt="Screenshot of Dr. Luigi in a match" width="800"/> |  |
|
||||
|
||||
## Minecraft
|
||||
|
||||
Minecraft has been available for beta testers for some time now, and is now receiving some new updates! Thanks to work done by [Ash](https://github.com/ashquarky), Minecraft is being updated to the latest version of our libraries which should bring with it more stability and feature support!
|
||||
|
||||

|
||||
|
||||
# Conclusion
|
||||
|
||||

|
||||
111
blogposts/8-2-24.md
Normal file
111
blogposts/8-2-24.md
Normal file
|
|
@ -0,0 +1,111 @@
|
|||
---
|
||||
title: "July Progress Update"
|
||||
author: "Jon"
|
||||
author_image: "https://www.github.com/jonbarrow.png"
|
||||
date: "August 2, 2024"
|
||||
caption: "News on AC:NL, general server improvements, Discord bot updates, and more!"
|
||||
cover_image: "/assets/images/blogposts/august-2-2024/preview.webp"
|
||||
---
|
||||
|
||||
While July didn't see as many new games join our roster, we were all still hard at work. With a focus on enhancing performance and user experience, July brought crucial updates to our services. This blog post will cover many updates to our servers, patches, and go over some future plans we have for popular games like Animal Crossing: New Leaf!
|
||||
|
||||
# General Server Updates
|
||||
|
||||
As mentioned in [our last blog post](https://pretendo.network/blog/6-29-24), we had many pending server updates yet to be merged/released. While not all of them have been merged/released yet still, several have been! Our core game server library [`nex-go`](https://github.com/PretendoNetwork/nex-go) continued to get love last month, bringing it several new performance boosts.
|
||||
|
||||
Together with [wolfendale](https://github.com/wolfendale), we spent much of July reverse engineering several core systems, including the entire packet retransmission system. Before now, this was a very basic, inaccurate, implementation of how [PRUDP](https://developer.pretendo.network/overview/prudp) handles dropped packets. With our implementation now more accurate, both clients and servers should be seeing substantially less dropped packets, resulting in better connection stability.
|
||||
|
||||
Additionally some changes were made internally to address issues such as [goroutine](https://go.dev/tour/concurrency/1) overuse, poorly implemented hashing algorithms, and issues regarding the number of allocations each server performs. These issues all lead to degraded server performance and higher system resource usage. Addressing these issues has substantially dropped the libraries overall footprint (taking the average amount of memory used per server from \~300mb at the low end, to just barely \~50mb!) and increased general performance.
|
||||
|
||||
For a full breakdown of last month's changes to `nex-go`, [see here](https://github.com/PretendoNetwork/nex-go/commits/master/?since=2024-07-01&until=2024-08-01).
|
||||
|
||||
# Better Infrastructure
|
||||
|
||||
As mentioned in [our last blog post](https://pretendo.network/blog/6-29-24), we have been working closely with 2 non-Pretendo developers [Jelle van Snik (mrjvs)](https://mrjvs.com) and [William Oldham (BinaryOverload)](https://williamoldham.co.uk). These are personal friends working in these fields professionally, who have graciously helped with restructuring our internal infrastructure. With their help, we have been making even more strides towards full containerization through [Docker](https://docker.com) and a deployment strategy built on top of [Kubernetes](https://kubernetes.io).
|
||||
|
||||
Over the past month they have been making great strides towards this goal, completely redesigning our deployment strategy from the ground up. We have also begun releasing pre-built Docker containers for our servers to aid in this, which can be found on our [GitHub organization](https://github.com/orgs/PretendoNetwork/packages?visibility=public).
|
||||
|
||||
Once complete, these changes should help dramatically increase our productivity by streamlining many of our more tedious workflows, leading to higher server output in the long run! They also should help increase overall stability through failsafes and rollovers in the event of a server failure!
|
||||
|
||||
# New Games and Updates
|
||||
|
||||
Last month saw less new games join our roster than June (hard to beat 10 new games!), but that doesn't mean games were not worked on. Last month saw the addition of two new games, as well as several existing games/services receiving new updates/features!
|
||||
|
||||
**_All games begin their life in beta testing, only available to testers. Once more features have been added, and pending the evaluation of each game's stability, they will each become available to the general public on a game-by-game basis. Until then, consider [supporting the project](https://pretendo.network/account/upgrade) to gain early beta access._**
|
||||
|
||||
**_BETA SERVERS ARE NOT CONSIDERED STABLE, AND OFTEN LACK MANY FEATURES. USE AT YOUR OWN RISK_**
|
||||
|
||||
## Smash 3DS
|
||||
|
||||
Thanks to work done by [SuperMarioDaBom](https://github.com/SuperMarioDaBom), **Super Smash Bros. 4 3DS** is now **_officially_** available for beta testers! Just like the Wii U version, only matchmaking is implemented. All other features are still being worked on. Unlike the Wii U version, trying to use an unimplemented feature will not hang the game, however it is still not recommended to try anything besides matchmaking.
|
||||
|
||||

|
||||
|
||||
## Game & WARIO
|
||||
|
||||
Thanks to work done by [Jemma](https://github.com/CaramelKat) and [Trace](https://github.com/TraceEntertains), **Game & WARIO** is now **_officially_** available on Miiverse for beta testers! Most features have been tested, however as a beta title there may still be issues.
|
||||
|
||||
<center>
|
||||
|
||||
| | |
|
||||
| ----------------------------------------------------------------------------------------------------------- | --------------------------------------------------------------------------------------------------------- |
|
||||
|  |  |
|
||||
|
||||
</center>
|
||||
|
||||
## Minecraft
|
||||
|
||||
Thanks to work done by [Ash](https://github.com/ashquarky), **Minecraft: Wii U Edition** is now **_officially_** available to the public! You can now play this LCE classic with friends again, in private worlds or in minigames.
|
||||
|
||||
Due to safety concerns regarding the games lack of official anti-cheat, _public minigames_ are currently disabled. For the time being, use the `Friends` tab on the far right to access games. We are interested in opening the game up fully in the future, so keep an eye out for more future updates!
|
||||
|
||||

|
||||
|
||||
## Inkay
|
||||
|
||||
Thanks to work done by [Ash](https://github.com/ashquarky), [Inkay](https://github.com/PretendoNetwork/Inkay) has received a massive update last month! While the changes may be small, they have a huge impact; the additional patches provided by [Nimble](https://github.com/PretendoNetwork/Nimble) are being phased out! For those unaware, our Wii U patches come in a set:
|
||||
|
||||
- [Inkay](https://github.com/PretendoNetwork/Inkay) - The main Pretendo Network patches connecting your Wii U to our servers. Standard Aroma plugin
|
||||
- [Nimble](https://github.com/PretendoNetwork/Nimble) - Supplementary patches for patching the BOSS (SpotPass) policylist. Aroma setup module
|
||||
|
||||
Historically [Nimble](https://github.com/PretendoNetwork/Nimble) has been required for games which make use of SpotPass features, such as Splatoon. Before the console enables SpotPass, it downloads what is called the "policylist". This tells the console which background tasks to enable and what their priorities are. After the Nintendo Network shutdown, Nintendo has changed the official policylist to disable all SpotPass features. The Wii U downloads this policylist extremely early in the boot process, earlier than standard Aroma plugins have access to. Setup modules _are_ loaded early enough, however, thus [Nimble](https://github.com/PretendoNetwork/Nimble) was born.
|
||||
|
||||
With the latest changes made to [Inkay](https://github.com/PretendoNetwork/Inkay), after the plugin is loaded it forces the console to refresh the policylist, which triggers a redownload using our patched URLs. This essentially removes the need for [Nimble](https://github.com/PretendoNetwork/Nimble) entirely, as well as dramatically increases SpotPass reliability in certain games (such as 104-2210 in Splatoon). To download the latest release, see the [Inkay releases page](https://github.com/PretendoNetwork/Inkay/releases/latest)!
|
||||
|
||||
Additionally thanks to collaborations with [Maschell](https://github.com/Maschell) (the creator of the Aroma CFW), [Inkay](https://github.com/PretendoNetwork/Inkay) is now also available through https://aroma.foryour.cafe! Updates to [Inkay](https://github.com/PretendoNetwork/Inkay) can now be managed through the Aroma updater on-console!
|
||||
|
||||
## Miiverse
|
||||
|
||||
Thanks to work done by [Jemma](https://github.com/CaramelKat), Miiverse in general has received bug fixes and performance improvements last month. The biggest change was improved data/asset caching, which has dramatically improved the load times on Juxtaposition! These changes affect both the Wii U and 3DS versions, as well as the browser version.
|
||||
|
||||
<video controls>
|
||||
<source src="/assets/images/blogposts/august-2-2024/miiverse-side-by-side.webp" type="video/mp4">
|
||||
</video>
|
||||
|
||||
Additionally a long standing issue of friends not properly being handled in WaraWara Plaza has also been fixed!
|
||||
|
||||

|
||||
|
||||
## Animal Crossing: New Leaf
|
||||
|
||||
As teased in [our last blog post](https://pretendo.network/blog/6-29-24), Animal Crossing: New Leaf has **_officially_** entered development! Features such as Tortimer Island are showing signs of life as this highly requested game starts to go online!
|
||||
|
||||
<center>
|
||||
|
||||
| | |
|
||||
| ---------------------------------------------------------------------------------------------------------------------------------------- | ------------------------------------------------------------------------------------------------------------------------------------------------- |
|
||||
|  |  |
|
||||
|
||||
</center>
|
||||
|
||||
Additionally, we have begun the process of processing the data from our Dream Suite archive. Prior to the Nintendo Network shutdown, our team spent a considerable amount of time archiving data from many games, including all available towns from Dream Suite. We collected over **_200GB_** of data from Dream Suite and a total of **_239,105_** towns!
|
||||
|
||||
We plan to eventually publish the raw data on the [Internet Archive](https://archive.org/), as well as on our own website where you can view/download the pre-processed data. Currently the amount of data displayed is limited, and the website is still in development, so it's not yet ready for release. However we plan to look into extracting more data from the towns themselves, and possibly making them available as town backups that can be directly imported into save files!
|
||||
|
||||
**_Eventually we will process and release all the data (around 1.6TB) for all games/services we collected data for. Animal Crossing: New Leaf is the first of these to start it's processing._**
|
||||
|
||||

|
||||
|
||||
# Conclusion
|
||||
|
||||
Thank you everyone for your continued support of the project! We know this progress update may seem small, but we only go over the largest changes! Most of our work consists of small bug fixes, library development, and lots and lots of research time. We hope you all stay tuned for future updates!
|
||||
|
|
@ -4,7 +4,7 @@ author: "Jon"
|
|||
author_image: "https://www.github.com/jonbarrow.png"
|
||||
date: "September 26, 2021"
|
||||
caption: "First ever progress recap"
|
||||
cover_image: "/assets/images/blogposts/9-26-21.png"
|
||||
cover_image: "/assets/images/blogposts/9-26-21.webp"
|
||||
---
|
||||
|
||||
### If you want to see more frequent updates, consider supporting us on [**Patreon**](https://patreon.com/pretendonetwork)
|
||||
|
|
@ -16,54 +16,75 @@ cover_image: "/assets/images/blogposts/9-26-21.png"
|
|||
Welcome to the first-ever Pretendo Network recap blog post! Going forward we will post these whenever major updates happen to give you all the latest news about the project in an easy to digest way
|
||||
|
||||
## Funding
|
||||
|
||||
Before we begin I'd like to make a bit of serious statement when it comes to the future development of Pretendo. The project has grown larger and larger, and as each day goes by it sometimes seems as if more tasks get added to our to-do list than we are completing. This is because many of the people working on the project are volunteering their free time, are university students or, personally, are working full time jobs. This results in slow development time, slow releases, limited research time, and of course a community which could be happier
|
||||
|
||||
The solution to this is making Pretendo a full time job! In order to achieve this goal we have setup a Patreon to help in getting funding for the project. Doing so will allow for more time to dedicate to Pretendo which will result in faster development and a faster, more high quality, release for you all! No one is obligated to donate, but if you would like to help support Pretendo consider checking out our Patreon. And if you cannot financially support, that's okay too! You can always help in other ways like spreading the word, giving suggestions for tier rewards, feature suggestions to help make Pretendo even better, and as always helping keep the community safe and fun for everyone by just being kind! And now, without further ado;
|
||||
|
||||
## It's the little things in life
|
||||
|
||||
A few smaller updates that don't need their own section before we get into the bigger updates; Our website got a new revamp! The design was completely redone, we added a progress page to show data from our Trello and give you all an idea of whats working and whats planned, and we of course added this blog section. The Discord server got a voice channel, as well as some new bot updates to both Yammamura and Chubby. Yammamura now makes use of Discord's new /commands to assign roles, and Chubby now moderates chat better by using AI to detect NSFW images and removing them as needed
|
||||
|
||||
## Back to the basics
|
||||
|
||||
The [account server](https://github.com/PretendoNetwork/account) got a complete rewrite from the ground up. This cleaned up all of the old code written as far back as 2017 during initial testing (when Pretendo was still called RiiU!), making the code base much cleaner, easier to navigate, and more performant. Any future updates to the account server will now be much easier to implement
|
||||
|
||||
## Homebrew clearance-sale
|
||||
|
||||
As of 2019 Pretendo has made great progress on implementing a custom eShop. A lot of research and work has gone into the SOAP servers and how the console requests tickets and other title information. Our custom eShop is able to install homebrew apps packed as WiiU titles. Due to copyright reasons with regards to homebrew applications though, Pretendo with most likely _**not**_ be using any kind of custom eShop implementation in our official servers. If this ever changes, however, we have the foundation to support it
|
||||
|
||||
<blockquote class="twitter-tweet" data-dnt="true" data-theme="dark"><p lang="en" dir="ltr">Here’s a video as proof of it working through the official eShop app on the console <a href="https://t.co/akmOIjopCq">https://t.co/akmOIjopCq</a> <a href="https://t.co/mVTnJQJPwi">pic.twitter.com/mVTnJQJPwi</a></p>— Pretendo (@PretendoNetwork) <a href="https://twitter.com/PretendoNetwork/status/1203710130853949440?ref_src=twsrc%5Etfw">December 8, 2019</a></blockquote>
|
||||
|
||||
## All my friends are online mom!
|
||||
|
||||
The Friends server, which is the main game server every console always connects to on boot, can now be connected to! This is a huge milestone for Pretendo, since no other games will work without it. All games require an existing connection to the Friends server to operate, and will attempt to connect to it if not already. At this stage most functionality is stubbed and the data sent back is hard-coded, but it's enough to get other games online
|
||||
|
||||
<blockquote class="twitter-tweet" data-dnt="true" data-theme="dark"><p lang="en" dir="ltr">The <a href="https://twitter.com/hashtag/WiiU?src=hash&ref_src=twsrc%5Etfw">#WiiU</a> starting to show lines of life on <a href="https://twitter.com/hashtag/Pretendo?src=hash&ref_src=twsrc%5Etfw">#Pretendo</a>! The beginnings of online have started!<a href="https://twitter.com/hashtag/PretendoNetwork?src=hash&ref_src=twsrc%5Etfw">#PretendoNetwork</a> <a href="https://t.co/8ocwVSLvRt">pic.twitter.com/8ocwVSLvRt</a></p>— Pretendo (@PretendoNetwork) <a href="https://twitter.com/PretendoNetwork/status/1218075017545768960?ref_src=twsrc%5Etfw">January 17, 2020</a></blockquote>
|
||||
|
||||
## Who needs Skype
|
||||
|
||||
WiiU Chat, a popular WiiU title many years ago, was shut down along side Miiverse most likely due it's heavy ties to the social media platform. As of 2020, Pretendo has gotten WiiU Chat back online enough to boot into the title, display a list of friends to call, and attempt to make a connection! As of now though, a full video call cannot be made. WiiU Chat is very complex under the hood and requires additional research into how the WiiU handles title background tasks
|
||||
|
||||
<blockquote class="twitter-tweet" data-dnt="true" data-theme="dark"><p lang="en" dir="ltr">We have begun the process of restoring <a href="https://twitter.com/hashtag/WiiU?src=hash&ref_src=twsrc%5Etfw">#WiiU</a> Chat! <a href="https://t.co/qzIfBu8cQZ">pic.twitter.com/qzIfBu8cQZ</a></p>— Pretendo (@PretendoNetwork) <a href="https://twitter.com/PretendoNetwork/status/1229621686640795648?ref_src=twsrc%5Etfw">February 18, 2020</a></blockquote>
|
||||
|
||||
## Where's the remote?!
|
||||
|
||||
Some small progress was made in regards to getting TVii booting again on the WiiU. We will not be reviving this title completely, as it relied on streaming TV content we do not have the rights for, but the research did help give us some insight into how the WiiU handles custom webpage functionality
|
||||
|
||||
<blockquote class="twitter-tweet" data-dnt="true" data-theme="dark"><p lang="en" dir="ltr">With the help of <a href="https://twitter.com/shutterbug20002?ref_src=twsrc%5Etfw">@shutterbug20002</a> we have started researching the TVii app and it’s functionality <a href="https://t.co/xmmuVYB6ni">pic.twitter.com/xmmuVYB6ni</a></p>— Pretendo (@PretendoNetwork) <a href="https://twitter.com/PretendoNetwork/status/1262577386912124929?ref_src=twsrc%5Etfw">May 19, 2020</a></blockquote>
|
||||
|
||||
## Who's in charge of the Festival?
|
||||
|
||||
Another huge milestone for Pretendo was hit in January of this year! The WiiU and 3DS both use a service called BOSS/SpotPass to securely register tasks which send/request certain encrypted title contents. Splatfests used by Splatoon are one of these contents! Pretendo can now fully encrypt and decrypt BOSS/SpotPass contents, meaning we can serve custom Splatfests through our network. We are aware that custom Splatfest projects have existed in the past, however they relied on Homebrew and overwriting the existing Splatfest files on the console. With this update we can now make our own and host them the way they were originally intended to be hosted<blockquote class="twitter-tweet" data-dnt="true" data-theme="dark"><p lang="en" dir="ltr">Sorry for the late night Tweet, but we have a special message from Callie and Marie! <a href="https://t.co/HLZxyRf1EU">pic.twitter.com/HLZxyRf1EU</a></p>— Pretendo (@PretendoNetwork) <a href="https://twitter.com/PretendoNetwork/status/1355791287077761027?ref_src=twsrc%5Etfw">January 31, 2021</a></blockquote>
|
||||
|
||||
## Teamwork makes the dream work
|
||||
|
||||
Archive Team, known for their _extensive_ work put into archiving everything on the internet, contacted us to help them archive all of the courses uploaded to Nintendo's official servers! Together we were able to do just that, dump and archive all the course data and associated metadata to be preserved for future generations!
|
||||
|
||||
## Lets get Making!
|
||||
|
||||
Super Mario Maker makes the stage as the first official Nintendo game to go online and start getting functionality with Pretendo. At this stage nearly all content is either stubbed or hard coded just to get the game online and see how it reacts to our data while researching. Only the course world boots here
|
||||
|
||||
<blockquote class="twitter-tweet" data-dnt="true" data-theme="dark"><p lang="en" dir="ltr">Super Mario Maker 1 now officially goes online with Pretendo!<a href="https://twitter.com/hashtag/WiiU?src=hash&ref_src=twsrc%5Etfw">#WiiU</a> <a href="https://twitter.com/hashtag/supermariomaker?src=hash&ref_src=twsrc%5Etfw">#supermariomaker</a> <a href="https://twitter.com/hashtag/pretendo?src=hash&ref_src=twsrc%5Etfw">#pretendo</a> <a href="https://t.co/Gn2IxlS47D">pic.twitter.com/Gn2IxlS47D</a></p>— Pretendo (@PretendoNetwork) <a href="https://twitter.com/PretendoNetwork/status/1428659329637437442?ref_src=twsrc%5Etfw">August 20, 2021</a></blockquote>
|
||||
|
||||
## Let's a-go!
|
||||
|
||||
Very soon after booting, course uploading was re-implemented in Super Mario Maker. This means new content can continue to be added to the game through Pretendo! Not shown in the tweet is course world also now making use of the newly uploaded courses
|
||||
|
||||
<blockquote class="twitter-tweet" data-dnt="true" data-theme="dark"><p lang="und" dir="ltr"><a href="https://t.co/iIVW6pJJeS">pic.twitter.com/iIVW6pJJeS</a></p>— Pretendo (@PretendoNetwork) <a href="https://twitter.com/PretendoNetwork/status/1432112205638610945?ref_src=twsrc%5Etfw">August 29, 2021</a></blockquote>
|
||||
|
||||
## Going mobile
|
||||
|
||||
A few patches and some account server updates later, Pretendo has gotten the 3DS connecting and online with our custom servers! Just like the WiiU, Friends was the first target as it's required for all other games to boot and just like the WiiU at this stage most of the functionality is stubbed just to get it online for other games. With this, though, a whole new door is opened for Pretendo. PNIDs (the Pretendo version of a NNID) are not supported on the 3DS as of right now. The 3DS uses a different account system which more closely resembles the Wii than the WiiU, and thus is able to go online and play games without a NNID
|
||||
|
||||
<blockquote class="twitter-tweet" data-dnt="true" data-theme="dark"><p lang="en" dir="ltr">3DS showing signs of life! <a href="https://t.co/cXyi0zbSD1">pic.twitter.com/cXyi0zbSD1</a></p>— Pretendo (@PretendoNetwork) <a href="https://twitter.com/PretendoNetwork/status/1436822070357278727?ref_src=twsrc%5Etfw">September 11, 2021</a></blockquote>
|
||||
|
||||
## Mario on the go
|
||||
|
||||
Immediately after getting Friends online, work began on Super Mario Maker for the 3DS. All possible functionality was added, making it the first title to ever get 100% support on Pretendo! Though with how limited the games content is, that's not saying a whole lot
|
||||
|
||||
<blockquote class="twitter-tweet" data-dnt="true" data-theme="dark"><p lang="en" dir="ltr">We heard y’all like the 3DS and Super Mario Maker <a href="https://t.co/w5ll3h1tPx">pic.twitter.com/w5ll3h1tPx</a></p>— Pretendo (@PretendoNetwork) <a href="https://twitter.com/PretendoNetwork/status/1436916321678200833?ref_src=twsrc%5Etfw">September 12, 2021</a></blockquote>
|
||||
|
||||
That's all for now! Keep an eye out for more updates, and happy playing!
|
||||
|
||||
<script async src="https://platform.twitter.com/widgets.js" charset="utf-8"></script>
|
||||
<script async src="https://platform.twitter.com/widgets.js" charset="utf-8"></script>
|
||||
|
|
|
|||
|
|
@ -4,7 +4,7 @@ author: "Jemma"
|
|||
author_image: "https://www.github.com/caramelkat.png"
|
||||
date: "September 29, 2021"
|
||||
caption: "What's Juxtaposition and where it's headed"
|
||||
cover_image: "/assets/images/blogposts/9-29-21.png"
|
||||
cover_image: "/assets/images/blogposts/9-29-21.webp"
|
||||
---
|
||||
|
||||
### If you want to see more frequent updates, consider supporting us on [**Patreon**](https://patreon.com/pretendonetwork)
|
||||
|
|
@ -12,7 +12,9 @@ cover_image: "/assets/images/blogposts/9-29-21.png"
|
|||
Oh boy another recap post! This time we're going to talk a little bit about Juxtaposition now and what our plans are going forward.
|
||||
|
||||
## First off, what is Juxtaposition?
|
||||
|
||||
Juxtaposition (or Juxt for short) is the Pretendo Network Miiverse replacement. This includes but is not limited to:
|
||||
|
||||
- Wii U App
|
||||
- 3DS App
|
||||
- Game API
|
||||
|
|
@ -21,16 +23,18 @@ Juxtaposition (or Juxt for short) is the Pretendo Network Miiverse replacement.
|
|||
Juxt isn't the entirety of the Pretendo Network, it's a small but core piece that makes the entire network work in harmony.
|
||||
|
||||
## A brief history
|
||||
Juxt started out before I actually even joined the Pretendo Network development team. In 2019 I contacted [quarky](https://heyquark.com/) about their [miiverse-api-poc](https://github.com/QuarkTheAwesome/miiverse-api-poc) server that had support for the Splatoon Plaza posts, and that was it. The original intent was to take the software and build off of it to generate files for Wara Wara Plaza.
|
||||
|
||||
Juxt started out before I actually even joined the Pretendo Network development team. In 2019 I contacted [quarky](https://heyquark.com/) about their [miiverse-api-poc](https://github.com/QuarkTheAwesome/miiverse-api-poc) server that had support for the Splatoon Plaza posts, and that was it. The original intent was to take the software and build off of it to generate files for Wara Wara Plaza.
|
||||
|
||||

|
||||
|
||||
> Hello World! Check out the very first instance of Wara Wara Plaza rendering a custom file. A bit underwhelming looking back huh?
|
||||
|
||||
From there we quickly realized that the scope of this project was going to be much larger than we though, and moved on to experimenting with the Miiverse Applet itself
|
||||
|
||||
[yt-iframe](d9VAr9sEvCo)
|
||||
|
||||
> Check out this ancient video of the first demo website that was running in the Miiverse Applet.
|
||||
> Check out this ancient video of the first demo website that was running in the Miiverse Applet.
|
||||
|
||||
Shortly after this the project was absorbed into the Pretendo Network, and our full focus was put onto getting the Miiverse Applet patched and working.
|
||||
|
||||
|
|
@ -48,91 +52,91 @@ Shortly after this the project was absorbed into the Pretendo Network, and our f
|
|||
|
||||
Believe it or not Juxt is actually fairly well featured at the moment! Here's a ~~brief~~ list of what’s working for the 3DS and Wii U now.
|
||||
|
||||
|
||||
---
|
||||
|
||||
#### Wii U
|
||||
|
||||
- Communities
|
||||
- View All Communities
|
||||
- Searching for Community
|
||||
- Following/Unfollowing
|
||||
- Showing Followers
|
||||
- Showing Posts
|
||||
- Sorting Posts by Type
|
||||
- Creating New Post
|
||||
- View All Communities
|
||||
- Searching for Community
|
||||
- Following/Unfollowing
|
||||
- Showing Followers
|
||||
- Showing Posts
|
||||
- Sorting Posts by Type
|
||||
- Creating New Post
|
||||
- Posts
|
||||
- Yeah!
|
||||
- Replies
|
||||
- Spoilers
|
||||
- Yeah!
|
||||
- Replies
|
||||
- Spoilers
|
||||
- Text
|
||||
- Drawing
|
||||
- Screenshots
|
||||
- New Post
|
||||
- Emotion
|
||||
- Text
|
||||
- Drawing
|
||||
- Screenshots
|
||||
- New Post
|
||||
- Emotion
|
||||
- Text
|
||||
- Drawing
|
||||
- Screenshot
|
||||
- Spoiler
|
||||
- Screenshot
|
||||
- Spoiler
|
||||
- Users
|
||||
- Mii Profile Pictures
|
||||
- Following/Unfollowing
|
||||
- Display Verified
|
||||
- Display Followers and Following
|
||||
- Display Country and Game Experience
|
||||
- Posts
|
||||
- Profile Settings
|
||||
- Toggle Visibility of
|
||||
- Country
|
||||
- Birthday
|
||||
- Experience
|
||||
- Bio
|
||||
- Set Profile Comment
|
||||
- Mii Profile Pictures
|
||||
- Following/Unfollowing
|
||||
- Display Verified
|
||||
- Display Followers and Following
|
||||
- Display Country and Game Experience
|
||||
- Posts
|
||||
- Profile Settings
|
||||
- Toggle Visibility of
|
||||
- Country
|
||||
- Birthday
|
||||
- Experience
|
||||
- Bio
|
||||
- Set Profile Comment
|
||||
- Activity Feed
|
||||
- Posts from Followed Users
|
||||
- Posts from Followed Users
|
||||
- Notifications
|
||||
- New Follower
|
||||
- New Reply to Post
|
||||
|
||||
- New Follower
|
||||
- New Reply to Post
|
||||
|
||||
---
|
||||
|
||||
#### 3DS
|
||||
|
||||
- Communities
|
||||
- View All Communities
|
||||
- Following/Unfollowing
|
||||
- Showing Posts
|
||||
- Sorting Posts by Type
|
||||
- Creating New Post
|
||||
- View All Communities
|
||||
- Following/Unfollowing
|
||||
- Showing Posts
|
||||
- Sorting Posts by Type
|
||||
- Creating New Post
|
||||
- Posts
|
||||
- Yeah!
|
||||
- Replies
|
||||
- Spoilers
|
||||
- Yeah!
|
||||
- Replies
|
||||
- Spoilers
|
||||
- Text
|
||||
- Drawing
|
||||
- Screenshots
|
||||
- New Post
|
||||
- Emotion
|
||||
- Text
|
||||
- Drawing
|
||||
- Screenshots
|
||||
- New Post
|
||||
- Emotion
|
||||
- Text
|
||||
- Drawing
|
||||
- Users
|
||||
- Mii Profile Pictures
|
||||
- Display Verified
|
||||
- Mii Profile Pictures
|
||||
- Display Verified
|
||||
- Activity Feed
|
||||
- Posts from Followed Users
|
||||
- Posts from Followed Users
|
||||
- Notifications
|
||||
- New Follower
|
||||
- New Reply to Post
|
||||
|
||||
- New Follower
|
||||
- New Reply to Post
|
||||
|
||||
---
|
||||
|
||||
#### API
|
||||
|
||||
- /v1/endpoint
|
||||
- The endpoint that tells the console where to connect to for what, including bans and server maintenance
|
||||
- The endpoint that tells the console where to connect to for what, including bans and server maintenance
|
||||
- /v1/communities/0/posts
|
||||
- In game posts for games like Splatoon, Animal Crossing Plaza, and Nintendo Land
|
||||
- In game posts for games like Splatoon, Animal Crossing Plaza, and Nintendo Land
|
||||
- /v1/topics
|
||||
- The endpoint used for Wara Wara Plaza on the Wii U System Menu
|
||||
- The endpoint used for Wara Wara Plaza on the Wii U System Menu
|
||||
|
||||
## What's still being worked on?
|
||||
|
||||
|
|
@ -153,7 +157,7 @@ Great question! there is still quite a bit that's being worked on for both the 3
|
|||
- Desktop/Mobile Website
|
||||
- More Translations
|
||||
- More API Endpoints
|
||||
- ***So Many Bug Fixes***
|
||||
- **_So Many Bug Fixes_**
|
||||
|
||||
And more!
|
||||
|
||||
|
|
@ -166,58 +170,77 @@ Thank you, guys, so much for your patience and support. We can't wait to get Jux
|
|||
In the meantime, check out our [Patreon](https://patreon.com/pretendonetwork) to get instant access to the Juxt alpha on the Wii U!
|
||||
|
||||
## Wii U Screenshots
|
||||
|
||||

|
||||
|
||||
> Landing Page
|
||||
|
||||

|
||||
|
||||
> All Communities and Search
|
||||
|
||||

|
||||
> Community Page
|
||||
|
||||
> Community Page
|
||||
|
||||

|
||||
|
||||
> New Post/Reply Page
|
||||
|
||||

|
||||
|
||||
> Activity Feed with Spoiler Post
|
||||
|
||||

|
||||
|
||||
> Drawing Post with Reply
|
||||
|
||||

|
||||
|
||||
> Another User's Page
|
||||
|
||||

|
||||
|
||||
> Showing Users Following List
|
||||
|
||||

|
||||
|
||||
> User Settings Screen
|
||||
|
||||

|
||||
|
||||
> Notifications Screen
|
||||
|
||||
## 3DS Screenshots
|
||||
|
||||

|
||||
|
||||
> Landing Page
|
||||
|
||||

|
||||
|
||||
> All Communities and Search
|
||||
|
||||

|
||||
> Community Page
|
||||
|
||||
> Community Page
|
||||
|
||||

|
||||
|
||||
> New Post/Reply Page
|
||||
|
||||

|
||||
|
||||
> Activity Feed with Spoiler Post
|
||||
|
||||

|
||||
|
||||
> Drawing Post with Reply
|
||||
|
||||

|
||||
|
||||
> User Menu Screen
|
||||
|
||||

|
||||
|
||||
> Notifications Screen
|
||||
|
|
|
|||
25
docs/common/error-page-template.md
Normal file
25
docs/common/error-page-template.md
Normal file
|
|
@ -0,0 +1,25 @@
|
|||
# Error Code: {module}-{code}
|
||||
|
||||
**Applies to:** {system}
|
||||
|
||||
**Module:** {module_name} - {module_description}
|
||||
|
||||
---
|
||||
|
||||
## Message
|
||||
|
||||
> {message}
|
||||
|
||||
## Cause
|
||||
|
||||
{description}
|
||||
|
||||
## Solution
|
||||
|
||||
{solution}
|
||||
|
||||
---
|
||||
|
||||
If you have not yet connected to Pretendo, please follow the instructions [here](/docs/install) to get started.
|
||||
|
||||
If you are still unable to connect, please request to speak to a moderator in the [Discord server](https://discord.gg/pretendo).
|
||||
|
|
@ -1,42 +0,0 @@
|
|||
{
|
||||
"juxt": [
|
||||
"JXT-598-0009",
|
||||
"JXT-598-0010",
|
||||
"JXT-598-0011",
|
||||
"JXT-598-0020",
|
||||
"JXT-598-0069",
|
||||
"SYS-015-2004",
|
||||
"SYS-015-5001",
|
||||
"SYS-015-5002",
|
||||
"SYS-015-5003",
|
||||
"SYS-015-5004",
|
||||
"SYS-015-5005",
|
||||
"SYS-015-5006",
|
||||
"SYS-015-5007",
|
||||
"SYS-015-5015",
|
||||
"SYS-102-2482",
|
||||
"SYS-115-2004",
|
||||
"SYS-115-5001",
|
||||
"SYS-115-5002",
|
||||
"SYS-115-5003",
|
||||
"SYS-115-5004",
|
||||
"SYS-115-5005",
|
||||
"SYS-115-5006",
|
||||
"SYS-115-5007",
|
||||
"SYS-115-5015"
|
||||
],
|
||||
"martini": [
|
||||
"MRTI-678-1001",
|
||||
"MRTI-678-1002",
|
||||
"MRTI-678-1003",
|
||||
"MRTI-678-1004",
|
||||
"MRTI-678-1005",
|
||||
"MRTI-678-1006",
|
||||
"MRTI-678-1007",
|
||||
"MRTI-678-1008",
|
||||
"MRTI-678-1009",
|
||||
"MRTI-678-1010",
|
||||
"MRTI-678-1011",
|
||||
"MRTI-678-1013"
|
||||
]
|
||||
}
|
||||
|
|
@ -1,16 +0,0 @@
|
|||
# Error Code: 598-0009
|
||||
**Applies to:** Wii U, 3DS Family of Systems
|
||||
|
||||
---
|
||||
|
||||
Your Pretendo Network ID has been limited from posting on Juxt.
|
||||
|
||||
This typically occurs because of a violation of the Juxt Code of Conduct, or other offense on the Network or the Discord server.
|
||||
|
||||
For more information, launch the Miiverse app, or request to speak to a moderator in the [Discord server](https://invite.gg/pretendo).
|
||||
|
||||
---
|
||||
|
||||
If you have not yet connected to Pretendo, please follow the instructions [here](/docs/install) to get started.
|
||||
|
||||
If you are still unable to connect, please request to speak to a moderator in the [Discord server](https://invite.gg/pretendo).
|
||||
|
|
@ -1,16 +0,0 @@
|
|||
# Error Code: 598-0010
|
||||
**Applies to:** Wii U, 3DS Family of Systems
|
||||
|
||||
---
|
||||
|
||||
Your Pretendo Network ID has been temporarily banned from Juxt.
|
||||
|
||||
This typically occurs because of a violation of the Juxt Code of Conduct, or other offense on the Network or the Discord server.
|
||||
|
||||
For more information, launch the Miiverse app, or request to speak to a moderator in the [Discord server](https://invite.gg/pretendo).
|
||||
|
||||
---
|
||||
|
||||
If you have not yet connected to Pretendo, please follow the instructions [here](/docs/install) to get started.
|
||||
|
||||
If you are still unable to connect, please request to speak to a moderator in the [Discord server](https://invite.gg/pretendo).
|
||||
|
|
@ -1,16 +0,0 @@
|
|||
# Error Code: 598-0011
|
||||
**Applies to:** Wii U, 3DS Family of Systems
|
||||
|
||||
---
|
||||
|
||||
Your Pretendo Network ID has been permanently banned from Juxt.
|
||||
|
||||
This typically occurs because of a violation of the Juxt Code of Conduct, or other offense on the Network or the Discord server.
|
||||
|
||||
For more information, launch the Miiverse app, or request to speak to a moderator in the [Discord server](https://invite.gg/pretendo).
|
||||
|
||||
---
|
||||
|
||||
If you have not yet connected to Pretendo, please follow the instructions [here](/docs/install) to get started.
|
||||
|
||||
If you are still unable to connect, please request to speak to a moderator in the [Discord server](https://invite.gg/pretendo).
|
||||
|
|
@ -1,16 +0,0 @@
|
|||
# Error Code: 598-0020
|
||||
**Applies to:** Wii U, 3DS Family of Systems
|
||||
|
||||
---
|
||||
|
||||
- "Unable to parse service Token. Are you using a Nintendo Network ID?"
|
||||
|
||||
This typically occurs because you are attempting to connect to Juxt with a **Nintendo Network ID** instead of a **Pretendo Network ID**.
|
||||
|
||||
Please ensure that the account you are using is indeed the one created for the Pretendo Network, and that you have either selected Pretendo in the 3DS Patch `nimbus.3dsx`, or have launched your Wii U with the `30_nimble.rpx` module.
|
||||
|
||||
---
|
||||
|
||||
If you have not yet connected to Pretendo, please follow the instructions [here](/docs/install) to get started.
|
||||
|
||||
If you are still unable to connect, please request to speak to a moderator in the [Discord server](https://invite.gg/pretendo).
|
||||
|
|
@ -1,34 +0,0 @@
|
|||
# Error Code: 598-0069
|
||||
**Applies to:** Wii U
|
||||
|
||||
---
|
||||
|
||||
You have the legacy Martini patches installed into your Miiverse applet. The current version of the Pretendo patchers have a safer version of these patches, so the older ones must be uninstalled.
|
||||
|
||||
Navigate to the [releases](https://github.com/PretendoNetwork/Martini/releases) page on the Martini GitHub repository
|
||||
|
||||
<img src="/assets/images/docs/install/juxt/martini-highlight.png" width=100% height=auto/>
|
||||
|
||||
Select the `martini-juxt-patcher.rpx` to download it
|
||||
|
||||
<img src="/assets/images/docs/install/juxt/martini-download.png" width=100% height=auto/>
|
||||
|
||||
Copy `martini-juxt-patcher.rpx` and place it on your SD card at `sd:/wiiu/apps/`
|
||||
|
||||
<img src="/assets/images/docs/install/juxt/martini-sd-card.png" width=100% height=auto/>
|
||||
|
||||
Place your SD card back into your console and boot like normal.
|
||||
|
||||
Open the Homebrew Launcher and launch `martini-juxt-patcher.rpx` or select it from the Wii U Menu (Aroma)
|
||||
|
||||
<img src="/assets/images/docs/install/juxt/martini-hbl.png" width=100% height=auto/>
|
||||
|
||||
After confirming the state of the Miiverse applet, press X to remove the patches.
|
||||
|
||||
<img src="/assets/images/docs/install/juxt/martini-install.png" width=100% height=auto/>
|
||||
|
||||
Once the patcher is done running and your console has rebooted, you're done! Have fun in Juxt!
|
||||
|
||||
<img src="/assets/images/docs/install/juxt/martini-success.png" width=100% height=auto/>
|
||||
|
||||
If you encountered any errors, try [searching](/docs/search) for the error code. If that doesn't work, get in touch with a developer in our [Discord](https://invite.gg/pretendo).
|
||||
|
|
@ -1,12 +0,0 @@
|
|||
# Error Code: 678-1001
|
||||
**Applies to:** Wii U
|
||||
|
||||
---
|
||||
|
||||
***Note:*** This error relates to the Martini patches, which are now deprecated.
|
||||
|
||||
The console's CFW is not compatible with Pretendo's patcher. If you are using Haxchi, Coldboot Haxchi, Indexiine,
|
||||
Browserhax or similar, please [upgrade to Tiramisu or Aroma](https://wiiu.hacks.guide) and try again.
|
||||
|
||||
If you're sure you're using Tiramisu or Aroma, reboot the console and try again. If the same error occurs, get in touch
|
||||
with a developer in our [Discord](https://invite.gg/pretendo).
|
||||
|
|
@ -1,10 +0,0 @@
|
|||
# Error Code: 678-1002
|
||||
**Applies to:** Wii U
|
||||
|
||||
---
|
||||
|
||||
***Note:*** This error relates to the Martini patches, which are now deprecated.
|
||||
|
||||
The patcher could not find a Miiverse applet installed on your console, or you have several Miiverses installed. If this
|
||||
is the case, get in touch with a developer in our [Discord](https://invite.gg/pretendo) - we'd love to know what kind
|
||||
of devkit you have!
|
||||
|
|
@ -1,12 +0,0 @@
|
|||
# Error Code: 678-1003
|
||||
**Applies to:** Wii U
|
||||
|
||||
---
|
||||
|
||||
***Note:*** This error relates to the Martini patches, which are now deprecated.
|
||||
|
||||
The console's CFW is not compatible with Pretendo's patcher. If you are using Haxchi, Coldboot Haxchi, Indexiine,
|
||||
Browserhax or similar, please [upgrade to Tiramisu or Aroma](https://wiiu.hacks.guide) and try again.
|
||||
|
||||
If you're sure you're using Tiramisu or Aroma, reboot the console and try again. If the same error occurs, get in touch
|
||||
with a developer in our [Discord](https://invite.gg/pretendo).
|
||||
|
|
@ -1,13 +0,0 @@
|
|||
# Error Code: 678-1004
|
||||
**Applies to:** Wii U
|
||||
|
||||
---
|
||||
|
||||
***Note:*** This error relates to the Martini patches, which are now deprecated.
|
||||
|
||||
The console's CFW is not compatible with Pretendo's patcher. Try rebooting the console. If you are using Haxchi,
|
||||
Coldboot Haxchi, Indexiine, Browserhax or similar, please [upgrade to Tiramisu or Aroma](https://wiiu.hacks.guide) and
|
||||
try again.
|
||||
|
||||
If you're sure you're using Tiramisu or Aroma and rebooting didn't fix it, get in touch with a developer in our
|
||||
[Discord](https://invite.gg/pretendo).
|
||||
|
|
@ -1,24 +0,0 @@
|
|||
# Error Code: 678-1005
|
||||
**Applies to:** Wii U
|
||||
|
||||
---
|
||||
|
||||
***Note:*** This error relates to the Martini patches, which are now deprecated.
|
||||
|
||||
The patcher could not find an unmodified copy of the Miiverse applet. Either you have manually modified it, it has
|
||||
become corrupted, or you have a version too old or too new for the patcher to recognise.
|
||||
|
||||
- If you are on a system version older than 5.1.0, perform a system update, install
|
||||
[Tiramisu or Aroma](https://wiiu.hacks.guide), and try again.
|
||||
- Try disabling any content replacement plugins (SDCafiine etc.) that can change which files are read by the patcher.
|
||||
- If you have manually modified your Miiverse applet, reinstall a clean copy from a backup. Instructions for this
|
||||
cannot be provided by Pretendo.
|
||||
|
||||
If all of these failed, get in touch on our [Discord](https://invite.gg/pretendo).
|
||||
|
||||
---
|
||||
|
||||
Compatible Miiverse applet versions:
|
||||
- `000500301001600A v113` (JPN 5.1.0 - 5.5.6)
|
||||
- `000500301001610A v113` (USA 5.1.0 - 5.5.6)
|
||||
- `000500301001620A v113` (EUR 5.1.0 - 5.5.6)
|
||||
|
|
@ -1,26 +0,0 @@
|
|||
# Error Code: 678-1006
|
||||
**Applies to:** Wii U
|
||||
|
||||
---
|
||||
|
||||
***Note:*** This error relates to the Martini patches, which are now deprecated.
|
||||
|
||||
The patcher could not find an unmodified copy of the Thwate Premium SSL certificate. Either you have manually replaced
|
||||
your SSL certificates, they have become corrupted, or your system version is too old or too new for the patcher to
|
||||
recognise.
|
||||
|
||||
- If you are on a system version older than 5.5.3, perform a system update, install
|
||||
[Tiramisu or Aroma](https://wiiu.hacks.guide), and try again.
|
||||
- Try disabling any content replacement plugins (SDCafiine etc.) that can change which files are read by the patcher.
|
||||
- If you have manually modified your SSL certificates - such as when using a proxy - reinstall a clean copy from a
|
||||
backup. Instructions for this cannot be provided by Pretendo.
|
||||
|
||||
If all of these failed, get in touch on our [Discord](https://invite.gg/pretendo).
|
||||
|
||||
---
|
||||
|
||||
Compatible SSL certificate versions:
|
||||
- `0005001B10054000 v32` (ALL 5.5.3 - 5.5.6)
|
||||
|
||||
`v20` (ALL 5.0.0 - 5.5.2) may also be compatible, but this is unconfirmed. Let us know on
|
||||
[Discord](https://invite.gg/pretendo) if it works for you.
|
||||
|
|
@ -1,14 +0,0 @@
|
|||
# Error Code: 678-1007
|
||||
**Applies to:** Wii U
|
||||
|
||||
---
|
||||
|
||||
***Note:*** This error relates to the Martini patches, which are now deprecated.
|
||||
|
||||
The patcher failed to write out a backup of your Miiverse applet to NAND. This can be caused by an incompatible CFW or
|
||||
corrupted NAND.
|
||||
|
||||
Try updating to the [latest Tiramisu](https://tiramisu.foryour.cafe) or
|
||||
[latest Aroma](https://aroma.foryour.cafe) build, as these often contain fixes to the CFW.
|
||||
|
||||
If the issue persists, get in touch in our [Discord](https://invite.gg/pretendo).
|
||||
|
|
@ -1,11 +0,0 @@
|
|||
# Error Code: 678-1008
|
||||
**Applies to:** Wii U
|
||||
|
||||
---
|
||||
|
||||
***Note:*** This error relates to the Martini patches, which are now deprecated.
|
||||
|
||||
The patcher failed to create a patched version of a file. The original file has not been modified.
|
||||
|
||||
Reboot your console and try again. If the issue persists, this is most likely a bug in the Martini patcher - please get
|
||||
in touch with a developer on our [Discord](https://invite.gg/pretendo).
|
||||
|
|
@ -1,11 +0,0 @@
|
|||
# Error Code: 678-1009
|
||||
**Applies to:** Wii U
|
||||
|
||||
---
|
||||
|
||||
***Note:*** This error relates to the Martini patches, which are now deprecated.
|
||||
|
||||
The patcher failed to create a patched version of a file. The original file has not been modified.
|
||||
|
||||
Reboot your console and try again. If the issue persists, this is most likely a bug in the Martini patcher - please get
|
||||
in touch with a developer on our [Discord](https://invite.gg/pretendo).
|
||||
|
|
@ -1,23 +0,0 @@
|
|||
# Error Code: 678-1010
|
||||
**Applies to:** Wii U
|
||||
|
||||
---
|
||||
|
||||
***Note:*** This error relates to the Martini patches, which are now deprecated.
|
||||
|
||||
<!-- Even though Martini has special detection for cert bricks, these instructions are written like it's a cert brick,
|
||||
because honestly you never know -->
|
||||
|
||||
The patcher encountered an error when applying the patched files to your system. Files on your NAND have been modified
|
||||
and your system is in an unknown state, though there should be no risk of bricking.
|
||||
|
||||
<div class="tip">
|
||||
⚠️ <b>Do not reboot your console</b>, return to the Wii U Menu or open the Miiverse applet. If you're uncomfortable
|
||||
diagnosing the issue yourself, reach out on our <a href="https://invite.gg/pretendo" target="_blank">Discord</a>.
|
||||
</div>
|
||||
|
||||
If you know what `udplogserver` is, start it now and save the output. Press HOME to exit the Martini patcher, then
|
||||
immediately open it again. If you see an error code, view its [documentation page](/docs/search), but remember not to
|
||||
reboot your console until the system is in a known state again. If, instead, you progress to the confirmation page, and
|
||||
you have the option to uninstall patches by pressing X, you may do so. If you are not given the option to uninstall any
|
||||
patches, reach out on our [Discord](https://invite.gg/pretendo), and include a photo of the confirmation screen.
|
||||
|
|
@ -1,24 +0,0 @@
|
|||
# Error Code: 678-1011
|
||||
**Applies to:** Wii U
|
||||
|
||||
---
|
||||
|
||||
***Note:*** This error relates to the Martini patches, which are now deprecated.
|
||||
|
||||
<div class="tip">
|
||||
⚠️ <b>Do not reboot your console or exit Martini!</b>
|
||||
</div>
|
||||
|
||||
The patcher encountered an error when applying the patched certificate to your system. Files essential to your Wii U's
|
||||
functionality have been modified and the system may be unbootable. **Immediate action is required to avoid a brick.**
|
||||
|
||||
Reach out on our [Discord](https://invite.gg/pretendo). State your error code and that you have a cert brick. Be
|
||||
loud and ping mods - this is the only time you're allowed ;)
|
||||
|
||||
---
|
||||
|
||||
Precise instructions are not provided here to ensure that you get helpers involved. For helpers and experienced users,
|
||||
however, your best bet from here is to use wupclient (Tiramisu/Aroma) or FTP (Aroma) to download whatever Thwate cert is
|
||||
on the console and inspect it, then upload a clean one. Users who have EnvironmentLoader in H&S can install Tiramisu and
|
||||
should be able to use the boot selector to get to HBL and FTPiiU Everywhere without triggering the brick. Users without
|
||||
a working coldboot setup are SOL if they reboot, though UDPIH might be able to save it.
|
||||
|
|
@ -1,12 +0,0 @@
|
|||
# Error Code: 678-1013
|
||||
**Applies to:** Wii U
|
||||
|
||||
---
|
||||
|
||||
***Note:*** This error relates to the Martini patches, which are now deprecated.
|
||||
|
||||
The patcher failed to restore a file from its backup. The patched file remains in place.
|
||||
|
||||
Reboot your console and try again. If the issue persists, this is most likely a bug in the Martini patcher - please get
|
||||
in touch with a developer on our [Discord](https://invite.gg/pretendo).
|
||||
|
||||
|
|
@ -1,22 +0,0 @@
|
|||
# Error Code: 015-2004
|
||||
**Applies to:** 3DS Family of Systems
|
||||
|
||||
---
|
||||
|
||||
- "Unable to connect to the server. Please try again later. If the problem persists, please make a note of the error code and visit support.nintendo.com."
|
||||
|
||||
This error indicates a connection problem with the server.
|
||||
|
||||
### Possible Solutions
|
||||
|
||||
- **Check our network status information**
|
||||
> Check our [Network Status page](https://stats.uptimerobot.com/R7E4wiGjJq) and ensure that there are no ongoing service outages.
|
||||
|
||||
- **Ensure your Wii U can connect to the internet and try again**
|
||||
> Try performing a connection test in system settings. If the connection test fails, there is likely another issues on your network
|
||||
|
||||
---
|
||||
|
||||
If you have not yet connected to Pretendo, please follow the instructions [here](/docs/install) to get started.
|
||||
|
||||
If you are still unable to connect, please request to speak to a moderator in the [Discord server](https://invite.gg/pretendo).
|
||||
|
|
@ -1,24 +0,0 @@
|
|||
# Error Code: 015-5001
|
||||
**Applies to:** 3DS Family of Systems
|
||||
|
||||
---
|
||||
|
||||
- "A system update is required. Go to System Settings to perform a system update."
|
||||
|
||||
This error should not occur under normal conditions when connected to the Pretendo Network. Follow the steps below to troubleshoot.
|
||||
|
||||
### Possible Solutions
|
||||
|
||||
- **Check that you are patched**
|
||||
1. Open System Settings on the 3DS HOME Menu
|
||||
2. Click on `Nintendo Network ID Settings`
|
||||
3. Navigate to the 3RD Page, and select `Other`
|
||||
4. Click on `Network Services Agreement`
|
||||
- If the top of the lower screen says `Pretendo Network Services Agreement`, then you are connected to the Pretendo Network.
|
||||
- If the top of the lower screen says something else, then you are not connected to the Pretendo Network. Follow [these](/docs/install/3ds) instructions to get started.
|
||||
|
||||
---
|
||||
|
||||
If you have not yet connected to Pretendo, please follow the instructions [here](/docs/install) to get started.
|
||||
|
||||
If you are still unable to connect, please request to speak to a moderator in the [Discord server](https://invite.gg/pretendo).
|
||||
|
|
@ -1,15 +0,0 @@
|
|||
# Error Code: 115-5002
|
||||
**Applies to:** 3DS Family of Systems
|
||||
|
||||
---
|
||||
|
||||
- "You must have started Miiverse at least once before you can use this online service. Please Start Miiverse from the 3DS HOME Menu and set up your user information."
|
||||
|
||||
|
||||
This error occurs when you have never opened the Miiverse app before attempting to use online features. Open the Miiverse app from the HOME Menu to get started.
|
||||
|
||||
---
|
||||
|
||||
If you have not yet connected to Pretendo, please follow the instructions [here](/docs/install) to get started.
|
||||
|
||||
If you are still unable to connect, please request to speak to a moderator in the [Discord server](https://invite.gg/pretendo).
|
||||
|
|
@ -1,15 +0,0 @@
|
|||
# Error Code: 015-5003
|
||||
**Applies to:** 3DS Family of Systems
|
||||
|
||||
---
|
||||
|
||||
- "The server is currently undergoing maintenance. Please Try again later."
|
||||
|
||||
Juxtaposition is currently undergoing maintenance. Check our [Network Status page](https://stats.uptimerobot.com/R7E4wiGjJq) or join our [Discord server](https://invite.gg/pretendo) for updates.
|
||||
|
||||
---
|
||||
|
||||
If you have not yet connected to Pretendo, please follow the instructions [here](/docs/install) to get started.
|
||||
|
||||
If you are still unable to connect, please request to speak to a moderator in the [Discord server](https://invite.gg/pretendo).
|
||||
|
||||
|
|
@ -1,24 +0,0 @@
|
|||
# Error Code: 015-5004
|
||||
**Applies to:** 3DS Family of Systems
|
||||
|
||||
---
|
||||
|
||||
- "The Miiverse service has ended. Miiverse and any software features that make use of Miiverse will no longer be available. Thank you for your Interest."
|
||||
|
||||
This error should not occur under normal conditions when connected to the Pretendo Network. Follow the steps below to troubleshoot.
|
||||
|
||||
### Possible Solutions
|
||||
|
||||
- **Check that you are patched**
|
||||
1. Open System Settings on the 3DS HOME Menu
|
||||
2. Click on `Nintendo Network ID Settings`
|
||||
3. Navigate to the 3RD Page, and select `Other`
|
||||
4. Click on `Network Services Agreement`
|
||||
- If the top of the lower screen says `Pretendo Network Services Agreement`, then you are connected to the Pretendo Network.
|
||||
- If the top of the lower screen says something else, then you are not connected to the Pretendo Network. Follow [these](/docs/install/3ds) instructions to get started.
|
||||
|
||||
---
|
||||
|
||||
If you have not yet connected to Pretendo, please follow the instructions [here](/docs/install) to get started.
|
||||
|
||||
If you are still unable to connect, please request to speak to a moderator in the [Discord server](https://invite.gg/pretendo).
|
||||
|
|
@ -1,37 +0,0 @@
|
|||
# Error Code: 015-5005
|
||||
**Applies to:** 3DS Family of Systems
|
||||
|
||||
---
|
||||
|
||||
- "You cannot use Miiverse because it has been restricted in Parental Controls."
|
||||
|
||||
This error occurs when Miiverse has been disallowed by Parental Controls. Follow the steps below to re-enable Miiverse.
|
||||
|
||||
### Steps to Remove Miiverse Parental Control Limits
|
||||
1. On the 3DS HOME Menu, open the `System Settings` app.
|
||||
|
||||
<img src="/assets/images/docs/errors/pc-3ds-1.png" width=50% height=auto/><br><br>
|
||||
2. Click on `Parental Controls` on the bottom screen.
|
||||
|
||||
<img src="/assets/images/docs/errors/pc-3ds-2.png" width=50% height=auto/><br><br>
|
||||
3. Click on `Change` and enter your pin.
|
||||
|
||||
<img src="/assets/images/docs/errors/pc-3ds-3.png" width=50% height=auto/><br><br>
|
||||
4. Click on `Set Restrictions`.
|
||||
|
||||
<img src="/assets/images/docs/errors/pc-3ds-4.png" width=50% height=auto/><br><br>
|
||||
5. Scroll down to the `Miiverse` button.
|
||||
|
||||
<img src="/assets/images/docs/errors/pc-3ds-5.png" width=50% height=auto/><br><br>
|
||||
6. Click the `Miiverse` button, and then select `Do Not Restrict`.
|
||||
|
||||
<img src="/assets/images/docs/errors/pc-3ds-6.png" width=50% height=auto/><br><br>
|
||||
|
||||
Parental Controls should now be disabled for Miiverse.
|
||||
|
||||
---
|
||||
|
||||
If you have not yet connected to Pretendo, please follow the instructions [here](/docs/install) to get started.
|
||||
|
||||
If you are still unable to connect, please request to speak to a moderator in the [Discord server](https://invite.gg/pretendo).
|
||||
|
||||
|
|
@ -1,37 +0,0 @@
|
|||
# Error Code: 015-5005
|
||||
**Applies to:** 3DS Family of Systems
|
||||
|
||||
---
|
||||
|
||||
- "You may not post to Miiverse due to a restriction in Parental Controls"
|
||||
|
||||
This error occurs when posting to Miiverse has been disallowed by Parental Controls. Follow the steps below to re-enable posting.
|
||||
|
||||
### Steps to Remove Miiverse Parental Control Limits
|
||||
1. On the 3DS HOME Menu, open the `System Settings` app.
|
||||
|
||||
<img src="/assets/images/docs/errors/pc-3ds-1.png" width=50% height=auto/><br><br>
|
||||
2. Click on `Parental Controls` on the bottom screen.
|
||||
|
||||
<img src="/assets/images/docs/errors/pc-3ds-2.png" width=50% height=auto/><br><br>
|
||||
3. Click on `Change` and enter your pin.
|
||||
|
||||
<img src="/assets/images/docs/errors/pc-3ds-3.png" width=50% height=auto/><br><br>
|
||||
4. Click on `Set Restrictions`.
|
||||
|
||||
<img src="/assets/images/docs/errors/pc-3ds-4.png" width=50% height=auto/><br><br>
|
||||
5. Scroll down to the `Miiverse` button.
|
||||
|
||||
<img src="/assets/images/docs/errors/pc-3ds-5.png" width=50% height=auto/><br><br>
|
||||
6. Click the `Miiverse` button, and then select `Do Not Restrict`.
|
||||
|
||||
<img src="/assets/images/docs/errors/pc-3ds-6.png" width=50% height=auto/><br><br>
|
||||
|
||||
Parental Controls should now be disabled for Miiverse.
|
||||
|
||||
---
|
||||
|
||||
If you have not yet connected to Pretendo, please follow the instructions [here](/docs/install) to get started.
|
||||
|
||||
If you are still unable to connect, please request to speak to a moderator in the [Discord server](https://invite.gg/pretendo).
|
||||
|
||||
|
|
@ -1,18 +0,0 @@
|
|||
# Error Code: 015-5007
|
||||
**Applies to:** 3DS Family of Systems
|
||||
|
||||
---
|
||||
|
||||
- ""Miiverse function are unavailable to this Nintendo Network ID. For details, please start Miiverse."
|
||||
|
||||
This typically occurs because you are attempting to connect to Juxt with a **Nintendo Network ID** instead of a **Pretendo Network ID**.
|
||||
|
||||
This can also occur if your Pretendo Network ID has been banned from using Juxt.
|
||||
|
||||
For more information, launch the Miiverse app, or request to speak to a moderator in the [Discord server](https://invite.gg/pretendo).
|
||||
|
||||
---
|
||||
|
||||
If you have not yet connected to Pretendo, please follow the instructions [here](/docs/install) to get started.
|
||||
|
||||
If you are still unable to connect, please request to speak to a moderator in the [Discord server](https://invite.gg/pretendo).
|
||||
|
|
@ -1,23 +0,0 @@
|
|||
# Error Code: 015-5015
|
||||
**Applies to:** 3DS Family of Systems
|
||||
|
||||
---
|
||||
|
||||
- "Unable to connect to the server. Please try again later. If the problem persists, please make a note of the error code and visit support.nintendo.com."
|
||||
|
||||
This error indicates a connection problem with the server.
|
||||
|
||||
### Possible Solutions
|
||||
|
||||
- **Check our network status information**
|
||||
> Check our [Network Status page](https://stats.uptimerobot.com/R7E4wiGjJq) and ensure that there are no ongoing service outages.
|
||||
|
||||
- **Ensure your 3DS can connect to the internet and try again**
|
||||
> Try performing a connection test in system settings. If the connection test fails, there is likely another issues on your network
|
||||
|
||||
|
||||
---
|
||||
|
||||
If you have not yet connected to Pretendo, please follow the instructions [here](/docs/install) to get started.
|
||||
|
||||
If you are still unable to connect, please request to speak to a moderator in the [Discord server](https://invite.gg/pretendo).
|
||||
|
|
@ -1,31 +0,0 @@
|
|||
# Error Code: 102-2482
|
||||
**Applies to:** Wii U
|
||||
|
||||
---
|
||||
|
||||
- "Unable to connect to the server. Please try again later. If the problem persists, please make a note of the error code and visit support.nintendo.com."
|
||||
|
||||
This error indicates one of the following:
|
||||
1. The server you're connecting to is offline for maintenance.
|
||||
2. Pretendo does not yet support the game or application in question.
|
||||
3. The game or application's server is still in development and isn't available to your account yet. For example, beta
|
||||
servers are generally only available to [supporters](https://pretendo.network/account/upgrade).
|
||||
|
||||
### Possible Solutions
|
||||
|
||||
- **Check our network status information**
|
||||
> Check our [Network Status page](https://stats.uptimerobot.com/R7E4wiGjJq) and ensure that there are no ongoing service outages.
|
||||
|
||||
- **Check Pretendo has a server for your game**
|
||||
> Check our [Progress page](https://pretendo.network/progress) to see if a server exists and is in development. We don't
|
||||
> support everything yet!
|
||||
|
||||
- **Upgrade your account**
|
||||
> Certain beta and development servers are available to supporters for beta-testing. If you'd like to help test these
|
||||
> ahead of a public release, [consider supporting Pretendo](https://pretendo.network/account/upgrade).
|
||||
|
||||
---
|
||||
|
||||
If you have not yet connected to Pretendo, please follow the instructions [here](/docs/install) to get started.
|
||||
|
||||
If you are still unable to connect, please request to speak to a moderator in the [Discord server](https://invite.gg/pretendo).
|
||||
|
|
@ -1,22 +0,0 @@
|
|||
# Error Code: 115-2004
|
||||
**Applies to:** Wii U
|
||||
|
||||
---
|
||||
|
||||
- "Unable to connect to the server. Please try again later. If the problem persists, please make a note of the error code and visit support.nintendo.com."
|
||||
|
||||
This error indicates a connection problem with the server.
|
||||
|
||||
### Possible Solutions
|
||||
|
||||
- **Check our network status information**
|
||||
> Check our [Network Status page](https://stats.uptimerobot.com/R7E4wiGjJq) and ensure that there are no ongoing service outages.
|
||||
|
||||
- **Ensure your Wii U can connect to the internet and try again**
|
||||
> Try performing a connection test in system settings. If the connection test fails, there is likely another issues on your network
|
||||
|
||||
---
|
||||
|
||||
If you have not yet connected to Pretendo, please follow the instructions [here](/docs/install) to get started.
|
||||
|
||||
If you are still unable to connect, please request to speak to a moderator in the [Discord server](https://invite.gg/pretendo).
|
||||
|
|
@ -1,27 +0,0 @@
|
|||
# Error Code: 115-5001
|
||||
**Applies to:** Wii U
|
||||
|
||||
---
|
||||
|
||||
- "A system update is required. Go to System Settings to perform a system update."
|
||||
|
||||
This error should not occur under normal conditions when connected to the Pretendo Network. Follow the steps below to troubleshoot.
|
||||
|
||||
### Possible Solutions
|
||||
|
||||
- **Check that you are patched**
|
||||
1. On the Wii U System Menu, click on your Mii in the top left corner.
|
||||
2. Scroll down and select `View Network Services Agreement` button.
|
||||
3. Select the language of your choice.
|
||||
- If the top of the screen says `Pretendo Network Services Agreement`, then you are connected to the Pretendo Network.
|
||||
- If the top of the screen says something else, then you are not connected to the Pretendo Network. Follow [these](/docs/install/wiiu) instructions to get started.
|
||||
|
||||
- **Update your console**
|
||||
- As of now, version 5.5.6 is safe to update for homebrew.
|
||||
- By default, modern homebrew environments block updates to ensure patches are not broken. You can follow [this](https://wiiu.hacks.guide/#/unblock-updates) guide to unblock updates.
|
||||
|
||||
---
|
||||
|
||||
If you have not yet connected to Pretendo, please follow the instructions [here](/docs/install) to get started.
|
||||
|
||||
If you are still unable to connect, please request to speak to a moderator in the [Discord server](https://invite.gg/pretendo).
|
||||
|
|
@ -1,14 +0,0 @@
|
|||
# Error Code: 115-5002
|
||||
**Applies to:** Wii U
|
||||
|
||||
---
|
||||
|
||||
- "You must have started Miiverse at least once before you can use this online service. Please Start Miiverse from the HOME Menu and set up your user information."
|
||||
|
||||
This error occurs when you have never opened the Miiverse app before attempting to use online features. Open the Miiverse app from the HOME Menu to get started.
|
||||
|
||||
---
|
||||
|
||||
If you have not yet connected to Pretendo, please follow the instructions [here](/docs/install) to get started.
|
||||
|
||||
If you are still unable to connect, please request to speak to a moderator in the [Discord server](https://invite.gg/pretendo).
|
||||
|
|
@ -1,15 +0,0 @@
|
|||
# Error Code: 115-5003
|
||||
**Applies to:** Wii U
|
||||
|
||||
---
|
||||
|
||||
- "The server is currently undergoing maintenance. Please Try again later."
|
||||
|
||||
Juxtaposition is currently undergoing maintenance. Check our [Network Status page](https://stats.uptimerobot.com/R7E4wiGjJq) or join our [Discord server](https://invite.gg/pretendo) for updates.
|
||||
|
||||
---
|
||||
|
||||
If you have not yet connected to Pretendo, please follow the instructions [here](/docs/install) to get started.
|
||||
|
||||
If you are still unable to connect, please request to speak to a moderator in the [Discord server](https://invite.gg/pretendo).
|
||||
|
||||
|
|
@ -1,24 +0,0 @@
|
|||
# Error Code: 115-5004
|
||||
**Applies to:** Wii U
|
||||
|
||||
---
|
||||
|
||||
- "The Miiverse service has ended. Miiverse and any software features that make use of Miiverse will no longer be available. Thank you for your Interest."
|
||||
|
||||
This error should not occur under normal conditions when connected to the Pretendo Network. Follow the steps below to troubleshoot.
|
||||
|
||||
### Possible Solutions
|
||||
|
||||
- **Check that you are patched**
|
||||
1. On the Wii U System Menu, click on your Mii in the top left corner.
|
||||
2. Scroll down and select `View Network Services Agreement` button.
|
||||
3. Select the language of your choice.
|
||||
- If the top of the screen says `Pretendo Network Services Agreement`, then you are connected to the Pretendo Network.
|
||||
- If the top of the screen says something else, then you are not connected to the Pretendo Network. Follow [these](/docs/install) instructions to get started.
|
||||
|
||||
---
|
||||
|
||||
If you have not yet connected to Pretendo, please follow the instructions [here](/docs/install) to get started.
|
||||
|
||||
If you are still unable to connect, please request to speak to a moderator in the [Discord server](https://invite.gg/pretendo).
|
||||
|
||||
|
|
@ -1,31 +0,0 @@
|
|||
# Error Code: 115-5005
|
||||
**Applies to:** Wii U
|
||||
|
||||
---
|
||||
|
||||
|
||||
- "You cannot use Miiverse because it has been restricted in Parental Controls."
|
||||
|
||||
|
||||
This error occurs when Miiverse has been disallowed by Parental Controls. Follow the steps below to re-enable Miiverse.
|
||||
|
||||
### Steps to Remove Miiverse Parental Control Limits
|
||||
1. On the Wii U System Menu, open the `Parental Controls` app
|
||||
<img src="/assets/images/docs/errors/pc-wiiu-1.jpeg" width=100% height=auto/><br><br>
|
||||
2. Click `Next` on the Wii U Gamepad, and enter your pin.
|
||||
<img src="/assets/images/docs/errors/pc-wiiu-2.jpeg" width=100% height=auto/><br><br>
|
||||
3. Click on `Parental Controls Settings`
|
||||
<img src="/assets/images/docs/errors/pc-wiiu-3.jpeg" width=100% height=auto/><br><br>
|
||||
4. Find the user account you wish to change, and then scroll down to the `Miiverse` button.
|
||||
<img src="/assets/images/docs/errors/pc-wiiu-4.jpeg" width=100% height=auto/><br><br>
|
||||
5. Click the `Miiverse` button, and then select `Do Not Restrict`.
|
||||
<img src="/assets/images/docs/errors/pc-wiiu-5.jpeg" width=100% height=auto/><br><br>
|
||||
|
||||
Parental Controls should now be disabled for Miiverse.
|
||||
|
||||
---
|
||||
|
||||
If you have not yet connected to Pretendo, please follow the instructions [here](/docs/install) to get started.
|
||||
|
||||
If you are still unable to connect, please request to speak to a moderator in the [Discord server](https://invite.gg/pretendo).
|
||||
|
||||
|
|
@ -1,31 +0,0 @@
|
|||
# Error Code: 115-5006
|
||||
**Applies to:** Wii U
|
||||
|
||||
---
|
||||
|
||||
|
||||
- "You may not post to Miiverse due to a restriction in Parental Controls"
|
||||
|
||||
|
||||
This error occurs when posting to Miiverse has been disallowed by Parental Controls. Follow the steps below to re-enable posting.
|
||||
|
||||
### Steps to Remove Miiverse Parental Control Limits
|
||||
1. On the Wii U System Menu, open the `Parental Controls` app
|
||||
<img src="/assets/images/docs/errors/pc-wiiu-1.jpeg" width=100% height=auto/><br><br>
|
||||
2. Click `Next` on the Wii U Gamepad, and enter your pin.
|
||||
<img src="/assets/images/docs/errors/pc-wiiu-2.jpeg" width=100% height=auto/><br><br>
|
||||
3. Click on `Parental Controls Settings`
|
||||
<img src="/assets/images/docs/errors/pc-wiiu-3.jpeg" width=100% height=auto/><br><br>
|
||||
4. Find the user account you wish to change, and then scroll down to the `Miiverse` button.
|
||||
<img src="/assets/images/docs/errors/pc-wiiu-4.jpeg" width=100% height=auto/><br><br>
|
||||
5. Click the `Miiverse` button, and then select `Do Not Restrict`.
|
||||
<img src="/assets/images/docs/errors/pc-wiiu-5.jpeg" width=100% height=auto/><br><br>
|
||||
|
||||
Parental Controls should now be disabled for Miiverse.
|
||||
|
||||
---
|
||||
|
||||
If you have not yet connected to Pretendo, please follow the instructions [here](/docs/install) to get started.
|
||||
|
||||
If you are still unable to connect, please request to speak to a moderator in the [Discord server](https://invite.gg/pretendo).
|
||||
|
||||
|
|
@ -1,18 +0,0 @@
|
|||
# Error Code: 115-5007
|
||||
**Applies to:** Wii U
|
||||
|
||||
---
|
||||
|
||||
- ""Miiverse function are unavailable to this Nintendo Network ID. For details, please start Miiverse."
|
||||
|
||||
This typically occurs because you are attempting to connect to Juxt with a **Nintendo Network ID** instead of a **Pretendo Network ID**.
|
||||
|
||||
This can also occur if your Pretendo Network ID has been banned from using Juxt.
|
||||
|
||||
For more information, launch the Miiverse app, or request to speak to a moderator in the [Discord server](https://invite.gg/pretendo).
|
||||
|
||||
---
|
||||
|
||||
If you have not yet connected to Pretendo, please follow the instructions [here](/docs/install) to get started.
|
||||
|
||||
If you are still unable to connect, please request to speak to a moderator in the [Discord server](https://invite.gg/pretendo).
|
||||
|
|
@ -1,23 +0,0 @@
|
|||
# Error Code: 115-5015
|
||||
**Applies to:** Wii U
|
||||
|
||||
---
|
||||
|
||||
- "Unable to connect to the server. Please try again later. If the problem persists, please make a note of the error code and visit support.nintendo.com."
|
||||
|
||||
This error indicates a connection problem with the server.
|
||||
|
||||
### Possible Solutions
|
||||
|
||||
- **Check our network status information**
|
||||
- Check our [Network Status page](https://stats.uptimerobot.com/R7E4wiGjJq) and ensure that there are no ongoing service outages.
|
||||
|
||||
- **Ensure your Wii U can connect to the internet and try again**
|
||||
- Try performing a connection test in system settings. If the connection test fails, there is likely another issues on your network
|
||||
|
||||
|
||||
---
|
||||
|
||||
If you have not yet connected to Pretendo, please follow the instructions [here](/docs/install) to get started.
|
||||
|
||||
If you are still unable to connect, please request to speak to a moderator in the [Discord server](https://invite.gg/pretendo).
|
||||
|
|
@ -1,15 +1,26 @@
|
|||
# 3DS/2DS Family
|
||||
|
||||
<div class="tip red">
|
||||
<strong>CAUTION:</strong>
|
||||
DON'T REMOVE YOUR NNID TO SET UP PRETENDO NETWORK, IT'S NOT NECESSARY AND BY DOING SO YOU WILL LOSE BADGES, REDOWNLOADABLE GAMES, THEMES AND POKÉMON BANK DATA!
|
||||
</div>
|
||||
|
||||
<div class="tip red">
|
||||
<strong>CAUTION:</strong>
|
||||
SYSTEM TRANSFERS ARE NOT CURRENTLY SUPPORTED BY OUR SERVERS. ATTEMPTING TO PERFORM A SYSTEM TRANSFER MAY PREVENT YOU FROM BEING ABLE TO GO ONLINE IN THE FUTURE. SUPPORT FOR SYSTEM TRANSFERS IS IN DEVELOPMENT.
|
||||
</div>
|
||||
|
||||
<div class="tip red">
|
||||
<strong>CAUTION:</strong>
|
||||
Collecting badges in Nintendo Badge Arcade while connected to one network and then launching the game on a different network will result in your badges disappearing. This occurs because the locally saved data does not match the data stored on the server.
|
||||
</div>
|
||||
|
||||
<div class="tip">
|
||||
ℹ️ This guide assumes that you have a <b>Homebrewed System running the latest version of Luma3DS (13+)</b>, if you don't please follow this <a href="https://3ds.hacks.guide/" target="_blank">guide</a> on how to homebrew your system first.
|
||||
</div>
|
||||
|
||||
The following steps are required for you to connect to the Pretendo Network:
|
||||
|
||||
1. [Downloading Nimbus](#downloading-nimbus)
|
||||
2. [Enabling Luma patches](#luma-patches)
|
||||
3. [Nimbus](#using-nimbus)
|
||||
|
|
@ -29,7 +40,7 @@ Once inserted, download the latest [Nimbus release](https://github.com/PretendoN
|
|||
|
||||
Nimbus is available as both a 3DSX app and an installable CIA. The releases page offers downloads for both. Select the version you would like to use, or select the `combined.[version].zip` archive to use both.
|
||||
|
||||
<img src="/assets/images/docs/install/3ds/zip-highlight.png" width=100% height=auto/>
|
||||
<img src="/assets/images/docs/install/3ds/zip-highlight.webp" alt="Screenshot of a GitHub release page with the file combined.[version].zip highlighted" width=100% height=auto/>
|
||||
|
||||
Extract the contents of the zip archive to the root of your SD card. If you are asked to merge or overwrite files, accept the changes.
|
||||
|
||||
|
|
@ -87,18 +98,47 @@ Your selection persists between reboots.
|
|||
|
||||
The 3DS does not rely on NNIDs for the vast majority of it's game servers. Because of this, using a PNID is also not required for most games<sup><a>[[1]](#footnote-1)</a></sup>.
|
||||
|
||||
Setting up a PNID on the 3DS is the same as setting up a NNID. You may either create the PNID on your console, or register from an account [on our website](/account/register) and link it to your console at a later date
|
||||
Setting up a PNID on the 3DS is the same as setting up a NNID. You may either create the PNID on your console, or register from an account [on our website](/account/register) and link it to your console once you're ready.
|
||||
|
||||
It is recommended to register the PNID on your device at this time, as registering on the website does not currently allow you to change your user data
|
||||
It is recommended to register the PNID on your device at this time, as registering on the website does not currently allow you to change your user data.
|
||||
|
||||
<div class="tip red">
|
||||
<strong>CAUTION:</strong>
|
||||
A Pretendo Network ID may not use the same username as the account already linked to your 3DS! Ensure that you have chosen a different name for your PNID than the name on your NNID.
|
||||
</div>
|
||||
|
||||
## Other information
|
||||
|
||||
### How does Nimbus work?
|
||||
|
||||
Nimbus will create a 2nd local account set to the `test` NASC environment. The IPS patches will set the `test` NASC environment URLs to point to Pretendo. You may freely switch between Pretendo and Nintendo. Your selected mode will persist between reboots.
|
||||
|
||||
### 2nd local account?
|
||||
|
||||
You may have thought to yourself; _"2nd local account? What's that? I thought the 3DS only had one account?"_ And you'd be half right. The 3DS only _normally_ supports one account, and you may only have one account active at a time. However Nintendo implemented support for multiple local accounts on the 3DS/2DS which remains unused on all retail units. On a normal retail unit only one local account is ever made, which is set to the `prod` NASC environment. Local accounts may be set to `prod`, `test` or `dev`. Nimbus makes use of this unused feature to create sandboxed local accounts with different environments
|
||||
|
||||
<ul id="footnotes">
|
||||
<li id="footnote-1"><sup>[1]</sup> Some games may require a PNID for certain actions, such as eShop purchases. The only known game which requires a PNID for general use is Nintendo Badge Arcade, which is not yet supported</li>
|
||||
</ul>
|
||||
|
||||
### Restoring Nintendo Badge Arcade Badges
|
||||
|
||||
1. Insert your SD Card into your PC.
|
||||
2. Back up your badges at the folder on your SD Card `SD:Nintendo 3DS/ID0/ID1/extdata/00000000/000014d1`.
|
||||
3. Download [Simple Badge Injector](https://github.com/AntiMach/simple-badge-injector/releases/latest).
|
||||
4. Insert your SD Card into your console.
|
||||
5. Use Nimbus to switch to Pretendo.
|
||||
6. Open Simple Badge Injector and make a note of the "Nintendo Network ID" value.
|
||||
7. Still inside SBI, choose the option to dump your badge data files.
|
||||
8. Turn off your 3DS and remove the SD card. Insert your SD card into your PC.
|
||||
9. Download and open [Advanced Badge Editor](https://github.com/AntiMach/advanced-badge-editor/releases/latest).
|
||||
10. Go to `File > Open Data`, then choose the folder where BadgeData.dat and BadgeMngFile.dat are. (Located at `sd:/3ds/SimpleBadgeInjector/Dumped`)
|
||||
11. Replace the NNID value with the one you made a note of in SBI earlier.
|
||||
12. Select `Save As` to save the modified file separately from the backup.
|
||||
13. Put your modified badge data filed into `sd:/3ds/SimpleBadgeInjector`
|
||||
14. Put your SD card back into your 3DS and go back into SBI
|
||||
15. Inject your modified badge data files.
|
||||
|
||||
All badges _placed_ on the home menu will be deleted, and you have to re-add them in the order you have had them before.
|
||||
|
||||
If you encounter any errors, restore your backed up badge data through SBI. Injecting badges while using Pretendo Network will make them disappear when swapping back to Nintendo Network, and vice versa.
|
||||
|
|
|
|||
|
|
@ -2,7 +2,12 @@
|
|||
|
||||
# Cemu
|
||||
|
||||
<div class='tip'>
|
||||
In Order to use Pretendo on Cemu, you need to have Pretendo already installed on your Wii U. For Wii U please follow the <a href='/docs/install/wiiu'>Wii U Guide</a>
|
||||
</div>
|
||||
|
||||
## Download
|
||||
|
||||
<div class="tip red">
|
||||
<strong>Note:</strong>
|
||||
Only experimental builds of Cemu 2.0 are supported. At this time Cemu does not have a stable release of Cemu 2.0 which supports Pretendo
|
||||
|
|
@ -10,12 +15,16 @@
|
|||
|
||||
Cemu 2.0 has official built-in support for Pretendo as of October 10, 2022. Head to the Cemu GitHub [releases](https://github.com/cemu-project/Cemu/releases) page and download the latest Cemu experimental release (tagged as `Pre-release`). Only `Cemu 2.0-5 (Experimental)` and above is supported at the moment. Additionally you may build Cemu from source using the provided [build instructions](https://github.com/cemu-project/Cemu/blob/main/BUILD.md)
|
||||
|
||||
## Dumping your pretendo account
|
||||
|
||||
Ensure you have followed [Cemu's guide](https://cemu.cfw.guide/online-play.html) to set up the emulator for online play. When dumping your user account files, ensure you select your PNID.
|
||||
|
||||
## Connecting to Pretendo
|
||||
|
||||
Once you have Cemu setup for online play navigate to `Options > General settings > Account`. You should now see a section titled `Network Service`. Select your PNID from the `Active account` menu and select the `Pretendo` Network Service option. Cemu should now be connected to Pretendo's servers
|
||||
|
||||
<center><img src="/assets/images/docs/install/cemu/network-services-settings.png"/></center>
|
||||
<center><img src="/assets/images/docs/install/cemu/network-services-settings.webp" alt="Screenshot of Cemu's Account Settings with different Network Service Options."/></center>
|
||||
|
||||
## Miiverse
|
||||
|
||||
Cemu has limited to no Miiverse support as of now. Some in game features may work, but this is not guaranteed. The Miiverse applet does not work in official builds.
|
||||
|
|
|
|||
|
|
@ -4,10 +4,6 @@
|
|||
ℹ️ This guide assumes that you have a <b>Homebrewed System</b>, and have already connected to Pretendo. If you have not yet set up your Pretendo Network ID, follow this <a href="/docs/install" target="_blank">guide</a> to get started.
|
||||
</div>
|
||||
|
||||
<div class="tip yellow">
|
||||
ℹ️ <b>Pretendo Network is currently in a closed beta. Not all features, including game servers and Miiverse, are open to the public</b>.
|
||||
</div>
|
||||
|
||||
Juxtaposition is the Pretendo Network replacement for the now defunct Miiverse service
|
||||
|
||||
## Select your console
|
||||
|
|
@ -24,10 +20,6 @@ Juxtaposition is the Pretendo Network replacement for the now defunct Miiverse s
|
|||
|
||||
# 3DS
|
||||
|
||||
<div class="tip yellow">
|
||||
⚠️ Nimbus will overwrite existing patches for services such as Rverse. As such, use with caution
|
||||
</div>
|
||||
|
||||
<div class="tip">
|
||||
ℹ️ Nimbus already handles all the required patches for the Miiverse applet. If you do not have Nimbus installed, follow this <a href="/docs/install/3ds" target="_blank">guide</a> to get started.
|
||||
</div>
|
||||
|
|
|
|||
|
|
@ -1,93 +1,161 @@
|
|||
# Wii U
|
||||
|
||||
You can connect your Wii U to Pretendo using one of 2 methods. Each method has benefits and drawbacks, which will be described in their respective sections.
|
||||
<div class="tip red">
|
||||
<strong>CAUTION:</strong>
|
||||
DON'T REMOVE YOUR NNID TO SET UP PRETENDO NETWORK, IT'S NOT NECESSARY AND BY DOING SO YOU WILL LOSE ALL YOUR PREVIOUSLY PURCHASED GAMES AND WILL BE UNABLE TO UPDATE THEM!</strong>
|
||||
</div>
|
||||
|
||||
You can connect your Wii U to Pretendo using one of 2 methods. Inkay is recommended unless you have some reason to avoid modding your console (e.g. you live in Japan where is is legally gray).
|
||||
|
||||
- [Inkay (homebrew - recommended)](#inkay)
|
||||
- [SSSL (hackless)](#sssl)
|
||||
- [Inkay (homebrew)](#inkay)
|
||||
|
||||
Once you have selected a connection method and set up your Wii U, see ["PNID Setup"](#pnid-setup).
|
||||
# Inkay
|
||||
|
||||
If you have save data from a Nintendo Network ID you would like to move to your Pretendo Network ID, follow [this](#transferring-save-data-to-your-pretendo-network-account) section.
|
||||
**Pros:**
|
||||
|
||||
- All services supported
|
||||
- Contains additional features and patches
|
||||
- Works regardless of ISP
|
||||
- Easy toggle on and off
|
||||
|
||||
**Cons:**
|
||||
|
||||
- Requires homebrew
|
||||
|
||||
## Installation
|
||||
|
||||
<div class="tip">
|
||||
ℹ️ This part of the guide assumes that you have a <b>Homebrewed System</b> using <b>Aroma</b>.
|
||||
If you don't yet, you can follow this <a href="https://wiiu.hacks.guide/" target="_blank">guide to set up homebrew on your Wii U</a>.
|
||||
</div>
|
||||
|
||||
Locate the `Aroma Updater` icon on your Wii U Menu and open it.
|
||||
|
||||
<img src="/assets/images/docs/install/wiiu/aroma/aroma-updater-icon.webp" alt="Screenshot of Wii U Menu with the Aroma Updater icon highlighted" width="100%">
|
||||
|
||||
On the welcome screen, press A to check for updates.
|
||||
|
||||
<img src="/assets/images/docs/install/wiiu/aroma/aroma-updater-welcome.png" alt="Screenshot of white text. 'Welcome to the Aroma updater' - 'A - Check for updates'" width="100%">
|
||||
|
||||
Wait for the update check to complete. Your screen may look slightly different to this image if newer updates have been released when you're reading this - that's okay.
|
||||
|
||||
<img src="/assets/images/docs/install/wiiu/aroma/aroma-updater-p1.png" alt="Aroma updater application displaying a list of payloads." width="100%">
|
||||
|
||||
Press R to move to Page 2.
|
||||
|
||||
<img src="/assets/images/docs/install/wiiu/aroma/aroma-updater-p2.png" alt="Aroma updater application displaying a list of additional plugins." width="100%">
|
||||
|
||||
Use the D-Pad to move the cursor down to Inkay, then press A to select it.
|
||||
|
||||
<img src="/assets/images/docs/install/wiiu/aroma/aroma-updater-inkay.png" alt="Aroma updater application displaying a list of additional plugins with Inkay highlighted and selected." width="100%">
|
||||
|
||||
Press + to begin the installation, then press A to confirm the changes. You may have additional updates listed in addition to Inkay - that's okay.
|
||||
|
||||
<img src="/assets/images/docs/install/wiiu/aroma/aroma-updater-confirm.png" alt="A confirmation dialog. Inkay will be updated or changed." width="100%">
|
||||
|
||||
<div class="tip">
|
||||
ℹ️ You may get a message stating "This version of this file is unknown!" in relation to Inkay - this means you have an old or beta version installed.
|
||||
You should press A to confirm replacing it with the correct version.
|
||||
</div>
|
||||
|
||||
Wait for the installation to complete, then press A to restart your console.
|
||||
|
||||
<img src="/assets/images/docs/install/wiiu/aroma/aroma-updater-done.png" alt="A confirmation dialog. The console will now restart." width="100%">
|
||||
|
||||
Once the console restarts, you'll see a notification in the top-left informing you that Pretendo will be used. The notification disappears after a few moments.
|
||||
|
||||
<img src="/assets/images/docs/install/wiiu/aroma/pretendo-notification.webp" alt="The Wii U user selection screen, with 'Using Pretendo Network' overlaid in the top-left" width="100%">
|
||||
|
||||
Inkay is now installed and working. You can proceed to [PNID Setup](#pnid-setup) to create an account.
|
||||
|
||||
# SSSL
|
||||
|
||||
**Pros:**
|
||||
|
||||
- Does not require homebrew
|
||||
- Very easy to setup
|
||||
|
||||
**Cons:**
|
||||
|
||||
- Only a subset of services are supported
|
||||
- Lacks additional features and patches
|
||||
- May not function under certain ISP related conditions (self-hosted DNS tool is in development)
|
||||
- Requires changing network settings to disconnect
|
||||
- Does not work on some ISPs
|
||||
- Hard to switch on or off
|
||||
|
||||
SSSL is a (limited) hackless method of accessing most services by exploiting a bug in the Wii U's SSL module. All Nintendo Network games produced by Nintendo are supported by SSSL, as are the ***in-game*** Miiverse features. The main Miiverse app, in-game ***posting*** app, and any game which uses its own SSL stack (YouTube, WATCH_DOGS, etc.), are ***NOT*** supported by this method, as they are unaffected by the SSL exploit.
|
||||
|
||||
To connect using SSSL, open `System Settings > Internet > Connect to the Internet`. Open the settings for your network connection and open `DNS`. Select `Don't Auto-obtain`. Enter `88.198.140.154` as the `Primary DNS`. Enter another public DNS server address as the `Secondary DNS`, such as `8.8.8.8` (Google Public DNS) or `1.1.1.1` (Cloudflare-DNS). You should now be able to setup and login to your Pretendo Network ID as normal.
|
||||
|
||||
To disconnect from Pretendo Network either remove the `Primary DNS` address or change back to `Auto-obtain`.
|
||||
|
||||
# Inkay
|
||||
**Pros:**
|
||||
- All services supported
|
||||
- Contains additional features and patches
|
||||
- No ISP related issues
|
||||
- Easy toggle on and off
|
||||
|
||||
**Cons:**
|
||||
- Requires homebrew
|
||||
- Requires several steps to setup
|
||||
|
||||
<div class="tip">
|
||||
ℹ️ This part of the guide assumes that you have a <b>Homebrewed System</b> using <b>Aroma</b>.
|
||||
You can follow this <a href="https://wiiu.hacks.guide/" target="_blank">guide</a> on how to homebrew your system first, then install
|
||||
Aroma using <a href="https://wiiu.hacks.guide/#/aroma/getting-started" target="_blank">this guide</a>.
|
||||
</div>
|
||||
|
||||
The stable build is recommended for most users, however beta testers and others may be interested in the bleeding edge build.
|
||||
|
||||
## Stable
|
||||
The stable builds have been widely tested to ensure everything works as intended. Navigate to [Inkay's latest release](https://github.com/PretendoNetwork/Inkay/releases/latest) on GitHub and download the `Inkay-pretendo.wps` file from the latest release.
|
||||
|
||||
<img src="/assets/images/docs/install/wiiu/aroma/wps-highlight.png" width="100%">
|
||||
|
||||
## Bleeding Edge
|
||||
Bleeding edge builds have not been widely tested, and do not guarantee any stability. Download the latest build from <a href="https://nightly.link/PretendoNetwork/Inkay/workflows/ci/main/inkay" target="_blank">nightly</a>. Extract `inkay.zip`.
|
||||
|
||||
<img src="/assets/images/docs/install/wiiu/aroma/inkay-nightly-link.png" width="100%">
|
||||
SSSL is a (limited) hackless method of accessing most services by exploiting a bug in the Wii U's SSL module. All Nintendo Network games produced by Nintendo are supported by SSSL, as are the **_in-game_** Miiverse features. The main Miiverse app, in-game **_posting_** app, and any game which uses its own SSL stack (YouTube, WATCH*DOGS, etc.), are \*\*\_NOT*\*\* supported by this method, as they are unaffected by the SSL exploit.
|
||||
|
||||
## Installation
|
||||
Place the downloaded `Inkay-pretendo.wps` file on your SD card at `sd:/wiiu/environments/aroma/plugins`. It's normal for other Aroma plugins to be in this folder too.
|
||||
|
||||
<img src="/assets/images/docs/install/wiiu/aroma/sd-card.png" width="100%">
|
||||
<div class="tip">
|
||||
ℹ️ System Settings, and therefore SSSL, requires a Wii U GamePad to use on unmodified systems.
|
||||
</div>
|
||||
|
||||
Place your SD card back into your console and boot like normal. You should see a notification of your connection:
|
||||
Locate the `System Settings` icon on your Wii U Menu and open it.
|
||||
|
||||
<img src="/assets/images/docs/install/wiiu/aroma/working-notification.jpg" width="100%">
|
||||
<img src="/assets/images/docs/install/wiiu/sssl/system-settings.webp" alt="The Wii U Menu, with the System Settings icon highlighted" width="100%">
|
||||
|
||||
You are now connected to Pretendo Network.
|
||||
Open the Internet category.
|
||||
|
||||
## Disconnecting
|
||||
Press `L + Down + SELECT` on the Wii U GamePad to open the Aroma plugin menu.
|
||||
<img src="/assets/images/docs/install/wiiu/sssl/internet-settings.webp" alt="The System Settings app, with the Internet category highlighted" width="100%">
|
||||
|
||||
<img src="/assets/images/docs/install/wiiu/pnid/aroma-plugins-list.jpg" width="100%">
|
||||
Select `Connect to the Internet`.
|
||||
|
||||
Locate and select 'Inkay', then choose 'Patching'. Now, set 'Connect to the Pretendo Network' to **false**.
|
||||
<img src="/assets/images/docs/install/wiiu/sssl/internet-settings-connect.webp" alt="The System Settings app, with the Connect to the Internet button highlighted" width="100%">
|
||||
|
||||
<img src="/assets/images/docs/install/wiiu/pnid/inkay-patching.jpg" width="100%">
|
||||
Select `Connection List` in the top-right.
|
||||
|
||||
Press `B` twice, followed by the `HOME` button. The console will reboot with Pretendo Network patches disabled, as confirmed by the 'Using Nintendo Network' message.
|
||||
<img src="/assets/images/docs/install/wiiu/sssl/internet-settings-scan.webp" alt="The Internet Connection Setup panel. In the top-right is a Connection List button (X)" width="100%">
|
||||
|
||||
To return to Pretendo Network, repeat the process ensuring 'Connect to the Pretendo Network' is set to **true**.
|
||||
Locate the connection with a "Wii U" logo. This is the one your system will use by default. Press A to edit it.
|
||||
|
||||
<img src="/assets/images/docs/install/wiiu/sssl/internet-connection-list.webp" alt="A list of internet connections. 'Wired Connection' is marked with a Wii U and Wii logo, and is highlighted." width="100%">
|
||||
|
||||
Select `Change Settings`.
|
||||
|
||||
<img src="/assets/images/docs/install/wiiu/sssl/internet-connection-change.webp" alt="A list of options. 'Change Settings' is highlighted." width="100%">
|
||||
|
||||
Navigate to the right and down to the `DNS` button, and press A to edit.
|
||||
|
||||
<img src="/assets/images/docs/install/wiiu/sssl/internet-connection-dns-button.webp" alt="The second page of the Wii U connection editor. DNS is highlighted." width="100%">
|
||||
|
||||
Select `Do not auto-obtain`. We will provide our own DNS for SSSL to work.
|
||||
|
||||
<img src="/assets/images/docs/install/wiiu/sssl/internet-connection-dns-obtain.webp" alt="Two options for 'Automatically obtain DNS?' 'Do not auto-obtain' is highlighted." width="100%">
|
||||
|
||||
This brings up the DNS input. We will change both the Primary and Secondary DNS settings.
|
||||
|
||||
<img src="/assets/images/docs/install/wiiu/sssl/internet-connection-dns-editor.webp" alt="Two input fields for Primary and Secondary DNS." width="100%">
|
||||
|
||||
For the Primary DNS, enter `88.198.140.154`. This is the SSSL server.
|
||||
|
||||
<img src="/assets/images/docs/install/wiiu/sssl/internet-connection-dns-primary.webp" alt="'Enter the primary DNS' field, with 88.198.140.154 - the SSSL server - input." width="100%">
|
||||
|
||||
For the Secondary DNS, enter `9.9.9.9` (or another public DNS of your choice). This will serve as a fallback if Pretendo's SSSL server should go offline, allowing your console to still access the Internet. If Pretendo is offline and the fallback is used, however, the console will access Nintendo Network rather than Pretendo Network. If this is undesirable to you, leave this field blank.
|
||||
|
||||
<img src="/assets/images/docs/install/wiiu/sssl/internet-connection-dns-secondary.webp" alt="'Enter the secondary DNS' field, with 9.9.9.9 - a public DNS server - input." width="100%">
|
||||
|
||||
Review the final settings and ensure you typed them correctly. The Wii U will add leading zeroes to each number - this is okay. If they are correct, press Confirm.
|
||||
|
||||
<img src="/assets/images/docs/install/wiiu/sssl/internet-connection-dns-done.webp" width="100%">
|
||||
|
||||
Press B to save the connection. You may perform a connection test and set the connection as default. Then, press B until System Settings exits.
|
||||
|
||||
SSSL is now installed and working. You can proceed to [PNID Setup](#pnid-setup) to create an account.
|
||||
|
||||
To disconnect from Pretendo Network (e.g. to access the Nintendo eShop) repeat this process, but select `Auto-obtain` for the DNS.
|
||||
|
||||
# PNID Setup
|
||||
|
||||
After installing Pretendo, you must register a Pretendo Network ID (PNID). There is currently two ways of creating a PNID: Creating an account with the website and linking it, or creating it on your Wii U.
|
||||
|
||||
<div class="tip red">
|
||||
<strong>CAUTION:</strong>
|
||||
A Pretendo Network ID may not use the same username as an account already linked to your Wii U! If you have any existing Nintendo Network IDs on your Wii U which share the username you wish to use, those accounts MUST be removed from your console first.
|
||||
A Pretendo Network ID may not use the same username as an account already linked to your Wii U! Ensure that you have chosen a different name for your PNID than the name on your NNID.
|
||||
</div>
|
||||
|
||||
### Website
|
||||
|
||||
You will want to register an account from [here](/account) and click `Don't have an account?` to register.
|
||||
|
||||
<div class="tip yellow">
|
||||
|
|
@ -95,39 +163,94 @@ You will want to register an account from [here](/account) and click `Don't have
|
|||
Account settings cannot be modified at this time. Feature updates to the website have been paused as we migrate the codebase, and the account settings app on the Wii U requires additional patches.
|
||||
</div>
|
||||
|
||||
<img src="/assets/images/docs/install/wiiu/pnid/register-account-web.png" width="100%">
|
||||
<img src="/assets/images/docs/install/wiiu/pnid/register-account-web.webp" alt="Screenshot of a web form to register an account" width="100%">
|
||||
|
||||
Once your account is registered, link it to your console as you would a Nintendo Network ID.
|
||||
|
||||
Your PNID is now set up and ready to use. You may continue reading to learn about optional extras, like Inkay's features and transferring save data, or you can stop here.
|
||||
|
||||
### Wii U
|
||||
|
||||
Create the Pretendo Network ID as you would a Nintendo Network ID.
|
||||
|
||||
# Using Inkay
|
||||
|
||||
If you're using Inkay rather than SSSL, there are some additional features you may find helpful.
|
||||
|
||||
<details>
|
||||
<summary>Using Nintendo Network</summary>
|
||||
You might need to switch back to Nintendo Network to access the Nintendo eShop or other services.
|
||||
|
||||
Press `L + Down + SELECT` on the Wii U GamePad to open the Aroma plugin menu. Use the D-pad to highlight Inkay then press A to select.
|
||||
|
||||
<img src="/assets/images/docs/install/wiiu/inkay-tips/aroma-plugin-menu.png" alt="Screenshot of Aroma plugin menu with Inkay entry highlighted" width="100%">
|
||||
|
||||
Press A to enter the `Network Selection` area.
|
||||
|
||||
<img src="/assets/images/docs/install/wiiu/inkay-tips/inkay-network-selection.png" alt="Screenshot of Inkay menu with Network Selection highlighted" width="100%">
|
||||
|
||||
Press A on `Connect to Pretendo network` to toggle it to `false`.
|
||||
|
||||
<img src="/assets/images/docs/install/wiiu/inkay-tips/inkay-network-false.png" alt="Screenshot of Inkay menu with Connect to Pretendo Network set to false" width="100%">
|
||||
|
||||
Press `B` three times to exit the Aroma plugin menu. Your console will restart. Once it does, a notification will appear showing that you are now using Nintendo Network.
|
||||
|
||||
<img src="/assets/images/docs/install/wiiu/inkay-tips/nintendo-notification.webp" alt="The Wii U user selection screen, with 'Using Nintendo Network' overlaid in the top-left" width="100%">
|
||||
|
||||
You may now use your NNID to access the eShop or other Nintendo services. To return to Pretendo Network, repeat the process and set `Connect to Pretendo network` to `true`.
|
||||
|
||||
</details>
|
||||
|
||||
<details>
|
||||
<summary>Resetting WaraWara Plaza</summary>
|
||||
If you're having issues with WaraWara Plaza (where the Miis run around on the TV), resetting it can help.
|
||||
|
||||
Exit any games or software such that you're on the Wii U Menu, then press `L + Down + SELECT` on the Wii U GamePad to open the Aroma plugin menu. Use the D-pad to highlight Inkay then press A to select.
|
||||
|
||||
<img src="/assets/images/docs/install/wiiu/inkay-tips/aroma-plugin-menu.png" alt="Screenshot of Aroma plugin menu with Inkay entry highlighted" width="100%">
|
||||
|
||||
Use the D-pad to select `Other Settings` and press A to enter it.
|
||||
|
||||
<img src="/assets/images/docs/install/wiiu/inkay-tips/inkay-other-settings.png" alt="Screenshot of Inkay menu with Other Settings highlighted" width="100%">
|
||||
|
||||
Press A on `Reset Wara Wara Plaza` to perform the reset.
|
||||
|
||||
<img src="/assets/images/docs/install/wiiu/inkay-tips/inkay-wwp-reset.png" alt="Screenshot of Inkay menu with Reset Wara Wara Plaza highlighted" width="100%">
|
||||
|
||||
The button will change to indicate the console must be restarted.
|
||||
|
||||
<img src="/assets/images/docs/install/wiiu/inkay-tips/inkay-wwp-apply.png" alt="Screenshot of Inkay menu with Reset Wara Wara Plaza highlighted. The entry now says 'Restart to apply'" width="100%">
|
||||
|
||||
Press `B` three times to exit the Aroma plugin menu. Your console will restart. Once it does, the process is complete.
|
||||
|
||||
</details>
|
||||
|
||||
# Transferring save data to your Pretendo Network account
|
||||
|
||||
Pretendo Network is not compatible with existing Nintendo Network IDs. This means you must create a new account. Because of this, you may want to move existing game save data to your new account.
|
||||
Pretendo Network is not compatible with existing Nintendo Network IDs. This means you must create a new account. Because of this, you may want to move existing game save data to your new account. This is optional.
|
||||
|
||||
<div class="tip red">
|
||||
<strong>Note:</strong>
|
||||
This only works with local save data. Any user data stored on Nintendo's servers cannot be transferred to any other accounts.
|
||||
</div>
|
||||
|
||||
To move your save data, you will need a save data backup homebrew application. This guide will use the WUT port of SaveMii for Aroma. To begin, download the latest [GitHub release](https://github.com/Xpl0itU/savemii/releases) of SaveMii or download it from the [Homebrew App Store](https://hb-app.store).
|
||||
To move your save data, you will need a save data backup homebrew application. This guide will use the WUT port of SaveMii for Aroma. To begin, download the latest [GitHub release](https://github.com/Xpl0itU/savemii/releases) of SaveMii or download it from the [Homebrew App Store](https://hb-app.store).
|
||||
|
||||
<img src="/assets/images/docs/install/wiiu/savedatabackup/savemii-appstore.jpg" width="100%">
|
||||
<img src="/assets/images/docs/install/wiiu/savedatabackup/savemii-appstore.webp" alt="Screenshot of Homebrew App Store page of SaveMii Mod" width="100%">
|
||||
|
||||
Once installed, open the application from the HOME Menu. You should see a menu for Wii U and vWii saves.
|
||||
|
||||
<img src="/assets/images/docs/install/wiiu/savedatabackup/savemii-mainmenu.jpg" width="100%">
|
||||
<img src="/assets/images/docs/install/wiiu/savedatabackup/savemii-mainmenu.webp" alt="SaveMii menu" width="100%">
|
||||
|
||||
Select `Wii U Save Management`. You should now see a list of installed games. Find and select the game you would like to transfer the save data of.
|
||||
|
||||
Select `Backup savedata`.
|
||||
|
||||
<img src="/assets/images/docs/install/wiiu/savedatabackup/savemii-backup.jpg" width="100%">
|
||||
<img src="/assets/images/docs/install/wiiu/savedatabackup/savemii-backup.webp" alt="SaveMii backup save data menu" width="100%">
|
||||
|
||||
Select a new slot to backup the save data to. If you select a non-empty slot, the backup data in that slot will be overwritten.
|
||||
|
||||
Select the profile to backup the save data from. This should be your ***Nintendo*** Network ID.
|
||||
Select the profile to backup the save data from. This should be your **_Nintendo_** Network ID.
|
||||
|
||||
Optionally you may select to backup "common" save data. This save data should be shared by all users, and is not required to be backed up. Though you may still do so if you choose.
|
||||
|
||||
|
|
@ -142,14 +265,14 @@ Once the backup has completed, press the `B` button to return to the games menu.
|
|||
|
||||
Select the backup slot you just backed the save data up to.
|
||||
|
||||
Select the profile to restore the save data to. This should be your ***Pretendo*** Network ID.
|
||||
Select the profile to restore the save data to. This should be your **_Pretendo_** Network ID.
|
||||
|
||||
<img src="/assets/images/docs/install/wiiu/savedatabackup/savemii-transfer.jpg" width="100%">
|
||||
<img src="/assets/images/docs/install/wiiu/savedatabackup/savemii-transfer.webp" alt="SaveMii restore save data menu" width="100%">
|
||||
|
||||
When ready, press the `A` button to transfer your data. Press `A` again to confirm your actions. If you get a message about backing up your data on your Pretendo profile, ignore. Your screen may briefly flash as the data is copied over.
|
||||
|
||||
Once completed, exit SaveMii and ensure the game you transferred works properly on your Pretendo profile.
|
||||
|
||||
<img src="/assets/images/docs/install/wiiu/savedatabackup/savemii-saveworkingonpretendo.jpg" width="100%">
|
||||
<img src="/assets/images/docs/install/wiiu/savedatabackup/savemii-saveworkingonpretendo.webp" alt="Screenshot of a game that loaded successfully" width="100%">
|
||||
|
||||
Repeat this process for any other save data you'd like to transfer to your Pretendo profile.
|
||||
|
|
|
|||
26
eslint.config.mjs
Normal file
26
eslint.config.mjs
Normal file
|
|
@ -0,0 +1,26 @@
|
|||
import eslintConfig from '@pretendonetwork/eslint-config';
|
||||
import globals from 'globals';
|
||||
|
||||
export default [
|
||||
...eslintConfig,
|
||||
{
|
||||
files: ['public/**'],
|
||||
languageOptions: {
|
||||
globals: {
|
||||
...globals.browser,
|
||||
...globals.node
|
||||
}
|
||||
}
|
||||
},
|
||||
{
|
||||
files: ['src/**'],
|
||||
languageOptions: {
|
||||
globals: {
|
||||
...globals.node
|
||||
}
|
||||
}
|
||||
},
|
||||
{
|
||||
ignores: ['**/*.bundled.js']
|
||||
}
|
||||
];
|
||||
|
|
@ -1,6 +1,6 @@
|
|||
{
|
||||
"nav": {
|
||||
"about": "عنا",
|
||||
"about": "عن",
|
||||
"faq": "أسئلة",
|
||||
"docs": "دليل",
|
||||
"credits": "الفريق",
|
||||
|
|
@ -137,8 +137,6 @@
|
|||
},
|
||||
"account": {
|
||||
"settings": {
|
||||
"downloadFilesDescription": "(لن يعمل على شبكة نينتندو)",
|
||||
"downloadFiles": "تحميل ملفات الحساب",
|
||||
"settingCards": {
|
||||
"profile": "الملف الشخصي",
|
||||
"nickname": "لقب",
|
||||
|
|
|
|||
|
|
@ -148,8 +148,6 @@
|
|||
"loginPrompt": "¿Xá tienes una cuenta?"
|
||||
},
|
||||
"settings": {
|
||||
"downloadFiles": "Baxar los ficheros de la cuenta",
|
||||
"downloadFilesDescription": "(nun funciona na Nintendo Network)",
|
||||
"upgrade": "Anovar la cuenta",
|
||||
"unavailable": "Nun ta disponible",
|
||||
"settingCards": {
|
||||
|
|
|
|||
|
|
@ -63,7 +63,7 @@
|
|||
},
|
||||
{
|
||||
"question": "Funciona el Pretendo al Cemu o als emuladors?",
|
||||
"answer": "Pretendo està dissenyat en principi per al hardware original de Wii U i 3DS; ara mateix l'únic emulador d'aquestes consoles compatible amb la Nintendo Network és el Cemu. Cemu no és compatible oficialment amb servidors personalitzats, però encara hauria de ser possible fer servir el Pretendo al Cemu.<br>Pretendo actualment no és compatible amb el Cemu."
|
||||
"answer": "Pretendo suporta qualsevol client que pugui interactuar amb Nintendo Network. Actualment, l'únic emulador amb aquesta funció és Cemu. Cemu 2.0 suporta oficialment Pretendo sota la teva configuració del compte de Nintendo Network. Per a més informació sobre com iniciar-se amb Cemu, mira't <a href=\"https://pretendo.network/docs/install/cemu\">documentation</a>.<br>Citra no suporta el joc en línia de veritat i, per tant, no funciona amb Pretendo i no mostra cap signe de que realment funcioni, el joc en línia. Mikage, un emulador de 3DS per a mòbils podria rebre suport en el futur, tot i que és lluny de ser cert.\n\nPretendo està dissenyat en principi per al hardware original de Wii U i 3DS; ara mateix l'únic emulador d'aquestes consoles compatible amb la Nintendo Network és el Cemu. Cemu no és compatible oficialment amb servidors personalitzats, però encara hauria de ser possible fer servir el Pretendo al Cemu.<br>Pretendo actualment no és compatible amb el Cemu."
|
||||
},
|
||||
{
|
||||
"question": "Si se'm va prohibir l'accés a la Nintendo Network, continuarà prohibit al Pretendo?",
|
||||
|
|
@ -125,7 +125,153 @@
|
|||
},
|
||||
"bandwidthRaccoonQuotes": [
|
||||
"Soc Bandwith el zorro, m'agrada mossegar els cables que passen pels servidors de Pretendo Network. Nyam!",
|
||||
"Moltes persones ens pregunten si ens podriem posar en problemes legals amb Nintendo pel projecte; estic feliç d'anunciar que la meva tieta treballa a Nintendo i ella em va dir que no hi havia cap problema."
|
||||
"Moltes persones ens pregunten si ens podriem posar en problemes legals amb Nintendo pel projecte; estic feliç d'anunciar que la meva tieta treballa a Nintendo i ella em va dir que no hi havia cap problema.",
|
||||
"Webkit v537 és la millor versió de Webkit per a Wii U. No, no anem a portar Chrome a la Wii U.",
|
||||
"No puc esperar per que el rellotge arribi a 03:14:08 UTC el 19 de Gener a 2038!",
|
||||
"Realment, la Wii U és un sistema infravalorat: els anuncis van ser dolents, però la consola és genial. Ah, un moment, no estic segur perquè, però el meu Gamepad no s'està connectant a la meva Wii.",
|
||||
"El tema principal de Super Mario World 2 - Yoshi's Island és boníssim i no hi ha manera de fer-me canviar d'opinió.",
|
||||
"Els meus llançaments de Nintendo Switch han sigut Nintendo Switch Online + Expansion Pack, Nintendo Switch Online + Rumble Pak, Nintendo Switch Online + Offline Play Pack , Nintendo Switch Online + Yet Another Port Pack i Nintendo Switch Online + Dr. Kawashima's Brain Training/Brain Age \"Et va gustar molt el títol de la consola virtual de Nintendo Wii U, així que la portem de volta\" Pack. Realment pots dir que a Nintendo li importa.",
|
||||
null,
|
||||
"El meu primer vídeo al canal! He volgut fer vídeos des de fa molt, però el meu portàtil no funcionava bé i no podia fer funcionar fraps, skype o minecraft tot a la vegada. Però això s'ha acabat! Amb l'ajuda del meu professor de TI el meu portàtil funciona molt millor i ara puc grabar! Desitjo que tots gaudiu i si ho feu deixeu m'agrada i subscriviu-vos!!!"
|
||||
]
|
||||
},
|
||||
"account": {
|
||||
"loginForm": {
|
||||
"username": "Usuari",
|
||||
"login": "Iniciar sessió",
|
||||
"detailsPrompt": "Posa l'informació de la teva compte abaix",
|
||||
"password": "Contrasenya",
|
||||
"confirmPassword": "Confirmar contrasenya",
|
||||
"email": "Correu electrònic",
|
||||
"miiName": "Nom de mii",
|
||||
"forgotPassword": "T'has olvidat la teva contrasenya?",
|
||||
"register": "Crear compte",
|
||||
"registerPrompt": "No tens un compte?",
|
||||
"loginPrompt": "Ja tens un compte?"
|
||||
},
|
||||
"account": "Compte",
|
||||
"settings": {
|
||||
"upgrade": "Millora compte",
|
||||
"unavailable": "No disponible",
|
||||
"settingCards": {
|
||||
"userSettings": "Configuració d'usuari",
|
||||
"profile": "Perfil",
|
||||
"beta": "Beta",
|
||||
"email": "Correu electrònic",
|
||||
"password": "Contrasenya",
|
||||
"nickname": "Sobrenom",
|
||||
"country": "País/regió",
|
||||
"production": "Producció",
|
||||
"hasAccessPrompt": "El teu nivell et dona accés als servidors beta. Genial!",
|
||||
"timezone": "Zona horària",
|
||||
"upgradePrompt": "Servidors beta exclusius dels beta testers.<br>Per a convertir-te en un, actualitza el teu compte.",
|
||||
"linkDiscord": "Connecta el compte de Discord",
|
||||
"no_signins_notice": "Historial d'inici de sessió sense registres. Comprova'l més tard!",
|
||||
"passwordResetNotice": "Després de canviar la teva contrasenya, se't tancarà la sessió a tots els dispositius.",
|
||||
"otherSettings": "Més configuració",
|
||||
"discord": "Discord",
|
||||
"removeDiscord": "Elimina el compte de Discord",
|
||||
"newsletterPrompt": "Rep actualitzacions del projecte via correu (pots desfer en qualsevol moment)",
|
||||
"passwordPrompt": "Entra la contrasenya del teu PNID per a descarregar els arxius de Cemu",
|
||||
"no_newsletter_notice": "Butlletí no disponible. Comprova'l més tard",
|
||||
"no_edit_from_dashboard": "Actualment no es pot editar la configuració del PNID des del panell de control. Si us plau, actualitza la configuració des de la consola vinculada",
|
||||
"newsletter": "Notícies",
|
||||
"signInHistory": "Historial d'inicis de sessió",
|
||||
"noDiscordLinked": "Cap compte de Discord connectat.",
|
||||
"fullSignInHistory": "Mira l'historial complet",
|
||||
"connectedToDiscord": "Connectat a Discord com",
|
||||
"gender": "Gènere",
|
||||
"birthDate": "Dia de naixement",
|
||||
"serverEnv": "Entorn del servidor",
|
||||
"signInSecurity": "Inici de sessió i seguretat"
|
||||
}
|
||||
},
|
||||
"forgotPassword": {
|
||||
"sub": "Posa el teu correu electrònic/PNID abaix",
|
||||
"input": "Correu electrònic o PNID",
|
||||
"submit": "Sotmetre"
|
||||
},
|
||||
"resetPassword": {
|
||||
"password": "Contrasenya",
|
||||
"confirmPassword": "Confirma contrasenya",
|
||||
"submit": "Sotmetre",
|
||||
"header": "Restaurar contrasenya",
|
||||
"sub": "Introdueix nova contrasenya abaix"
|
||||
},
|
||||
"accountLevel": [
|
||||
"Estàndard",
|
||||
"Tester",
|
||||
"Moderador",
|
||||
"Desenvolupador"
|
||||
],
|
||||
"banned": "Expulsat"
|
||||
},
|
||||
"blogPage": {
|
||||
"published": "Publicat per",
|
||||
"publishedOn": "al",
|
||||
"title": "Blog",
|
||||
"description": "Les últimes actualitzacions en petites quantitats. Si vols veure actualitzacions més freqüents, considera <a href=\"/account/upgrade\" target=\"_blank\">donar-nos suport</a>."
|
||||
},
|
||||
"upgrade": {
|
||||
"tierSelectPrompt": "Selecciona un nivell",
|
||||
"unsub": "Donar-se de baixa",
|
||||
"unsubPrompt": "Estàs segur que vols donar-te de baixa de <span>tiername</span>? Perdràs l'accés a les avantatges associades a ell.",
|
||||
"back": "Endarrere",
|
||||
"month": "Mes",
|
||||
"unsubConfirm": "Donar-se de baixa",
|
||||
"changeTier": "Canvia el nivell",
|
||||
"changeTierPrompt": "Estàs segur que vols donar-te de baixa de <span class=\"oldtier\">oldtiername</span> i donar-te d'alta a <span class=\"newtier\">newtiername</span>?",
|
||||
"changeTierConfirm": "Canvia de nivell",
|
||||
"title": "Actualitza"
|
||||
},
|
||||
"progressPage": {
|
||||
"title": "El nostre progrés",
|
||||
"description": "Comprova el progrés i els objectius del projecte! (S'actualitza cada hora, més o menys, no mostra TOTS els canvis i objectius)"
|
||||
},
|
||||
"localizationPage": {
|
||||
"title": "Localitzem-nos",
|
||||
"instructions": "Mira les instruccions de localització",
|
||||
"description": "Enganxa un enllaç a una localització JSON accesible públicament per a probar-la al lloc",
|
||||
"button": "Arxiu de prova",
|
||||
"fileInput": "Arxiu de prova",
|
||||
"filePlaceholder": "https://a.link.to/l_arxiu.json"
|
||||
},
|
||||
"modals": {
|
||||
"close": "Tancar",
|
||||
"cancel": "Cancel·lar",
|
||||
"confirm": "Confirmar"
|
||||
},
|
||||
"docs": {
|
||||
"quickLinks": {
|
||||
"header": "Enllaços d'accés ràpid",
|
||||
"links": [
|
||||
{
|
||||
"header": "Instal·lar Pretendo"
|
||||
},
|
||||
{
|
||||
"header": "Has tingut un error?",
|
||||
"caption": "Cerca-ho aquí"
|
||||
}
|
||||
]
|
||||
},
|
||||
"search": {
|
||||
"caption": "Escriu-lo al cuadre de baix per a obtindre informació del teu problema!",
|
||||
"label": "Codi d'error",
|
||||
"title": "Tens un codi d'error?",
|
||||
"no_match": "No s’han trobat coincidències"
|
||||
},
|
||||
"sidebar": {
|
||||
"getting_started": "Per a començar",
|
||||
"welcome": "Benvingut",
|
||||
"search": "Cercar",
|
||||
"juxt_err": "Codis d'error - Juxt",
|
||||
"install_extended": "Instal·lar Pretendo",
|
||||
"install": "Instal·lar"
|
||||
},
|
||||
"missingInLocale": "Aquesta pàgina no està disponible al teu idioma. Si us plau, consulta la versió en anglès a sota."
|
||||
},
|
||||
"donation": {
|
||||
"upgradePush": "Per esdevenir suscriptor i guanyar accés a increïbles avantatges, vés a <a href=\"/account/upgrade\">la pàgina de millores</a>.",
|
||||
"progress": "Objectiu mensual: <span>$${totd}</span> de <span>$${goald}</span>/al mes, <span>${perc}%</span>."
|
||||
}
|
||||
}
|
||||
|
|
|
|||
|
|
@ -33,54 +33,227 @@
|
|||
"aboutUs": {
|
||||
"title": "O nás",
|
||||
"paragraphs": [
|
||||
"Pretendo je open-sourcový projekt, jehož cílem je reimplementovat Nintendo Network pro 3DS a Wii U pomocí pouze legálního reverse engineeringu.",
|
||||
"Protože by naše služby byly jak svobodné, tak open source, můžou existovat dlouho po nevyhnutelném uzavření Nintendo Network."
|
||||
"Pretendo je open-source projekt, jehož cílem je reimplementovat Nintendo Network pro 3DS a Wii U pomocí legálního reverse engineeringu.",
|
||||
"Jelikož jsou naše služby svobodný a open-source software, nehrozí, že budou náhle ukončeny."
|
||||
]
|
||||
},
|
||||
"credits": {
|
||||
"title": "Náš tým",
|
||||
"text": "Seznamte se s týmem, co za projektem stojí"
|
||||
"text": "Seznamte se s týmem, co za projektem stojí",
|
||||
"people": [
|
||||
{
|
||||
"name": "Jonathan Barrow (jonbarrow)",
|
||||
"picture": "https://github.com/jonbarrow.png",
|
||||
"github": "https://github.com/jonbarrow",
|
||||
"caption": "Vlastník projektu a vedoucí vývojář"
|
||||
},
|
||||
{
|
||||
"caption": "Výzkum a vývoj služby Miiverse",
|
||||
"name": "Jemma (CaramelKat)",
|
||||
"picture": "https://github.com/caramelkat.png",
|
||||
"github": "https://github.com/CaramelKat"
|
||||
},
|
||||
{
|
||||
"picture": "https://github.com/ashquarky.png",
|
||||
"github": "https://github.com/ashquarky",
|
||||
"name": "quarky",
|
||||
"caption": "Výzkum konzole Wii U a vývoj záplat"
|
||||
},
|
||||
{
|
||||
"name": "SuperMarioDaBom",
|
||||
"caption": "Systémový výzkum a serverová architektura",
|
||||
"picture": "https://github.com/supermariodabom.png",
|
||||
"github": "https://github.com/SuperMarioDaBom"
|
||||
},
|
||||
{
|
||||
"name": "pinklimes",
|
||||
"caption": "Webový vývoj",
|
||||
"picture": "https://github.com/gitlimes.png",
|
||||
"github": "https://github.com/gitlimes"
|
||||
},
|
||||
{
|
||||
"name": "Shutterbug2000",
|
||||
"picture": "https://cdn.discordapp.com/avatars/191370953807233024/0311b61e2009c1576828dd2e9a59d72e.png?size=128",
|
||||
"github": "https://github.com/shutterbug2000",
|
||||
"caption": "Systémový výzkum a vývoj serverů"
|
||||
},
|
||||
{
|
||||
"name": "Billy",
|
||||
"picture": "https://github.com/InternalLoss.png",
|
||||
"github": "https://github.com/InternalLoss",
|
||||
"caption": "Archivace dat a serverová architektura"
|
||||
},
|
||||
{
|
||||
"github": "https://github.com/DaniElectra",
|
||||
"name": "DaniElectra",
|
||||
"picture": "https://github.com/danielectra.png",
|
||||
"caption": "Systémový výzkum a vývoj serverů"
|
||||
},
|
||||
{
|
||||
"name": "niko",
|
||||
"caption": "Vývoj webu a serverů",
|
||||
"picture": "https://github.com/hauntii.png",
|
||||
"github": "https://github.com/hauntii"
|
||||
},
|
||||
{
|
||||
"caption": "DevOps a práce s komunitou",
|
||||
"github": "https://github.com/MatthewL246",
|
||||
"name": "MatthewL246",
|
||||
"picture": "https://github.com/MatthewL246.png"
|
||||
},
|
||||
{
|
||||
"name": "wolfendale",
|
||||
"caption": "Vývoj serverového softwaru a optimalizace",
|
||||
"picture": "https://github.com/wolfendale.png",
|
||||
"github": "https://github.com/wolfendale"
|
||||
},
|
||||
{
|
||||
"name": "TraceEntertains",
|
||||
"picture": "https://github.com/TraceEntertains.png",
|
||||
"github": "https://github.com/TraceEntertains",
|
||||
"caption": "Vývoj 3DS záplat a výzkum"
|
||||
}
|
||||
]
|
||||
},
|
||||
"specialThanks": {
|
||||
"text": "Bez nich by Pretendo nebylo tam, kde je dnes.",
|
||||
"title": "Zvláštní poděkování"
|
||||
"title": "Zvláštní poděkování",
|
||||
"people": [
|
||||
{
|
||||
"picture": "https://github.githubassets.com/images/modules/logos_page/GitHub-Mark.png",
|
||||
"github": "https://github.com/PretendoNetwork",
|
||||
"name": "Přispívající na GitHubu",
|
||||
"caption": "Lokalizace a jiné příspěvky"
|
||||
},
|
||||
{
|
||||
"github": "https://github.com/superwhiskers",
|
||||
"name": "superwhiskers",
|
||||
"picture": "https://github.com/superwhiskers.png",
|
||||
"caption": "vývoj knihovny crunch"
|
||||
},
|
||||
{
|
||||
"name": "Stary",
|
||||
"picture": "https://github.com/Stary2001.png",
|
||||
"github": "https://github.com/Stary2001",
|
||||
"caption": "3DS vývoj a disektor NEX"
|
||||
},
|
||||
{
|
||||
"name": "rverse",
|
||||
"caption": "Sdílení informací o Miiverse",
|
||||
"picture": "https://github.com/rverseTeam.png",
|
||||
"github": "https://twitter.com/rverseClub"
|
||||
},
|
||||
{
|
||||
"name": "Kinnay",
|
||||
"special": "Zvláštní poděkování",
|
||||
"caption": "Výzkum datových struktur Nintenda",
|
||||
"picture": "https://cdn.discordapp.com/avatars/186572995848830987/b55c0d4e7bfd792edf0689f83a25d8ea.png?size=128",
|
||||
"github": "https://github.com/Kinnay"
|
||||
},
|
||||
{
|
||||
"github": "https://github.com/ninstar",
|
||||
"name": "NinStar",
|
||||
"caption": "Ikony pro Mii Editor a Juxt reakce",
|
||||
"picture": "https://github.com/ninstar.png"
|
||||
},
|
||||
{
|
||||
"name": "Rambo6Glaz",
|
||||
"caption": "Konzolový výzkum a herní servery",
|
||||
"picture": "https://github.com/EpicUsername12.png",
|
||||
"github": "https://github.com/EpicUsername12"
|
||||
},
|
||||
{
|
||||
"picture": "https://github.com/GaryOderNichts.png",
|
||||
"caption": "Vývoj Wii U záplat",
|
||||
"github": "https://github.com/GaryOderNichts",
|
||||
"name": "GaryOderNichts"
|
||||
},
|
||||
{
|
||||
"name": "zaksabeast",
|
||||
"picture": "https://cdn.discordapp.com/avatars/219324395707957248/c62573fbd4d26c8b4724f54413df6960.png?size=128",
|
||||
"github": "https://github.com/zaksabeast",
|
||||
"caption": "Tvůrce 3DS záplat"
|
||||
},
|
||||
{
|
||||
"name": "mrjvs",
|
||||
"caption": "Serverová architektura",
|
||||
"picture": "https://github.com/mrjvs.png",
|
||||
"github": "https://github.com/mrjvs"
|
||||
},
|
||||
{
|
||||
"name": "binaryoverload",
|
||||
"caption": "Serverová architektura",
|
||||
"picture": "https://github.com/binaryoverload.png",
|
||||
"github": "https://github.com/binaryoverload"
|
||||
},
|
||||
{
|
||||
"caption": "Splatoon rotace a výzkum",
|
||||
"picture": "https://github.com/Simonx22.png",
|
||||
"github": "https://github.com/Simonx22",
|
||||
"name": "Simonx22"
|
||||
},
|
||||
{
|
||||
"name": "OatmealDome",
|
||||
"caption": "Splatoon rotace a výzkum",
|
||||
"picture": "https://github.com/OatmealDome.png",
|
||||
"github": "https://github.com/OatmealDome"
|
||||
},
|
||||
{
|
||||
"name": "GitHub přispěvovatelé",
|
||||
"picture": "https://github.githubassets.com/images/modules/logos_page/GitHub-Mark.png",
|
||||
"github": "https://github.com/PretendoNetwork",
|
||||
"caption": "Lokalizace a další příspěvky"
|
||||
}
|
||||
]
|
||||
},
|
||||
"faq": {
|
||||
"QAs": [
|
||||
{
|
||||
"question": "Co je Pretendo?",
|
||||
"answer": "Pretendo je open-sourcová náhrada za Nintendo Network, jejíž cílem je vytvořit vlastní servery pro rodinu konzolí Wii U a 3DS. Chceme zachovat online konektivitu těchto konzolí a umožnit tak hráčům dál hrát své oblíbené Wii U a 3DS tituly naplno."
|
||||
"answer": "Pretendo je open-source náhrada za Nintendo Network, jejíž cílem je vytvořit vlastní servery pro rodinu konzolí Wii U a 3DS. Chceme zachovat online konektivitu těchto zařízení a umožnit tak hráčům nadále hrát své oblíbené Wii U a 3DS tituly."
|
||||
},
|
||||
{
|
||||
"answer": "Bohužel ne. Již existující NNID na Pretendu nebudou fungovat, protože Vaše uživatelská data vlastní pouze Nintendo. Přestože by migrace účtů byla teoreticky možná, byla by riskantní a vyžadovala citlivé osobní údaje, které si nepřejeme držet.",
|
||||
"question": "Bude na Pretendu fungovat moje současné NNID?"
|
||||
},
|
||||
{
|
||||
"question": "Jak začít s Pretendem?",
|
||||
"answer": "Pretendo v současné době není ve stavu, který by byl připraven pro veřejné použití. Nicméně, až nastane čas, Pretendo budete moct použít spuštěním našeho homebrew nástroje na Vašem zařízení."
|
||||
"question": "Jak začnu s používáním Pretenda?",
|
||||
"answer": "Pokud chcete začít používat Pretendo Network má 3DS, Wii U nebo jejich emulátorech, navštivte náš <a href=\"/docs/install\">návod k nastavení</a>!"
|
||||
},
|
||||
{
|
||||
"answer": "To nevíme. Mnohé služby a funkce Pretenda jsou vyvíjeny nezávisle na sobě (například, na Miiverse může pracovat jeden vývojář zatímco druhý pracuje na účtech a seznamu přátel) a proto nemůžeme poskytnout odhady, kdy bude něco hotové.",
|
||||
"answer": "To nevíme. Mnohé služby a funkce Pretenda jsou vyvíjeny nezávisle na sobě (například, na Miiverse může pracovat jeden vývojář, zatímco druhý pracuje na účtech a seznamu přátel) a proto nemůžeme poskytnout odhady, kdy bude něco hotové.",
|
||||
"question": "Kdy bude [nějaká služba/funkce] hotová?"
|
||||
},
|
||||
{
|
||||
"question": "Funguje Pretendo na Cemu/emulátorech?",
|
||||
"answer": "Pretendo podporuje jakýkoli klient který může interagovat s Nintendo Network. V současnosti je Cemu jediným emulátorem, který je tohoto schopen. Cemu 2.0 oficiálně podporuje Pretendo v nastavení Vašeho účtu. Pro bližší informace k Cemu můžete nahlédnout do <a href=\"https://pretendo.network/docs/install/cemu\">dokumentace</a>.<br>Citra nepodporuje skutečné online hraní a tudíž s Pretendem nefunguje a nezdá se, že by se toto v budoucnu změnilo. Mikage, emulátor 3DS pro mobilní zařízení, může podporu poskytnout v budoucnu, ale toto není jisté."
|
||||
"question": "Kdy přidáte další hry?",
|
||||
"answer": "Na nových hrách pracujeme, jakmile máme pocit, že na to jsou naše backendové knihovny dostatečně připraveny, a některý z vývojářů má čas se této hře věnovat. Mnoho naší práce připadá na stabilizaci a dokončování našich existujících her - chceme v nich nabídnout co nejlepší zážitek, než se přesuneme na nové tituly. Protože se nová práce objevuje neustále, nemůžeme poskytnout odhad, kdy se to stane."
|
||||
},
|
||||
{
|
||||
"question": "Pokud jsem zabanován(a) na Nintendo Network, přenese se můj ban do Pretenda?",
|
||||
"answer": "Nemáme přístup k banům na Nintendo Network a tito uživatelé na naší službě zabanováni nebudou. Budeme mít ovšem pravidla k používání naší služby, jejichž porušení by mohlo vyústit v ban na Pretendu."
|
||||
"question": "Bude mi na používání služeb Pretenda stačit emulátor?",
|
||||
"answer": "Ne. Pokud si přejete používat emulátor, budete potřebovat opravdovou konzoli. Tím můžeme zajistit zvýšenou bezpečnost a efektivnější vynucování pravidel, které jsou klíčové pro poskytování bezpečných a příjemných služeb."
|
||||
},
|
||||
{
|
||||
"question": "Funguje Pretendo na Cemu/emulátorech?",
|
||||
"answer": "Cemu 2.1 oficiálně podporuje Pretendo v nastavení účtu. Pro informace jak začít s Cemu navštivte <a href=\"https://pretendo.network/docs/install/cemu\">dokumentaci</a>.<br>Některé 3DS emulátory mohou nabízet podporu, ale v současnosti nemáme oficiální doporučení ani návod k nastavení. Citra ve své poslední vydané verzi Pretendo nepodporuje."
|
||||
},
|
||||
{
|
||||
"question": "Bude Pretendo podporovat Wii/Switch?",
|
||||
"answer": "Pro Wii již existují vlastní servery, které poskytuje <a href=\"https://wiimmfi.de/\" target=\"_blank\">Wiimmfi</a>. V současnosti neplánujeme cílit na Switch, protože online služby Switche jsou placené a od Nintendo Network se zásadně liší."
|
||||
"answer": "Pro Wii již existují vlastní servery, které poskytuje <a href=\"https://wiimmfi.de/\" target=\"_blank\">Wiimmfi</a>. V současnosti neplánujeme vyvíjet pro Switch, protože online služby Switche jsou placené a od Nintendo Network se zásadně liší."
|
||||
},
|
||||
{
|
||||
"question": "Budu pro připojení potřebovat modifikovanou konzoli?",
|
||||
"answer": "Ano, Vaše zařízení musí být modifikováno; na Wii U budete potřebovat pouze přístup k Homebrew Launcher (t.j. Haxchi, Coldboot Haxchi nebo exploit s webovým prohlížečem), informace pro připojení z 3DS jsou v přípravě."
|
||||
"answer": "Pro nejlepší výsledek budete svou konzoli muset modifikovat - přesněji pomocí Aroma na Wii U a Luma3DS na 3DS. Nicméně, na Wii U je dostupná metoda SSSL, která, byť s omezenou funkcionalitou, nabízí připojení bez modifikací. Pro podrobnosti navštivte <a href=\"/docs/install\">návod k nastavení</a>."
|
||||
},
|
||||
{
|
||||
"question": "Pokud jsem zabanován(a) na Nintendo Network, přenese se můj ban do Pretenda?",
|
||||
"answer": "Nemáme přístup k seznamu banů na Nintendo Network, takže nikdo z uživatelů Nintendo Network ban na Pretendu nemá. Máme však vlastní zásady pro používání naší služby, jejichž porušení by mohlo vyústit v ban na Pretendu."
|
||||
},
|
||||
{
|
||||
"question": "Můžu na Pretendu používat mody a cheaty?",
|
||||
"answer": "Pouze v soukromých zápasech - narušování online her lidem, kteří s tím nesouhlasili (tedy ve veřejných zápasech) je proti zásadám. Bany konzolím a účtům udělujeme pravidelně. Pretendo dále používá dodatečná bezpečnostní opatření, která brání v obcházení banů např. změnou sériového čísla."
|
||||
}
|
||||
],
|
||||
"text": "Zde jsou otázky, které jsou nám často kladeny, pro snadné informování.",
|
||||
"text": "Zde je pár častých otázek, které často slyšíme, abyste byli v obraze.",
|
||||
"title": "Často kladené dotazy"
|
||||
},
|
||||
"showcase": {
|
||||
|
|
@ -118,13 +291,13 @@
|
|||
"password": "Heslo",
|
||||
"gender": "Pohlaví",
|
||||
"discord": "Discord",
|
||||
"newsletterPrompt": "Posílat aktualizace projektu emailem (Kdykoliv můžete posílání zrušit)",
|
||||
"newsletterPrompt": "Posílat aktualizace projektu emailem (lze kdykoli zrušit)",
|
||||
"nickname": "Přezdívka",
|
||||
"signInHistory": "Historie přihlášení",
|
||||
"beta": "Beta",
|
||||
"serverEnv": "Prostředí serveru",
|
||||
"noDiscordLinked": "Není připojen žádný Discord účet.",
|
||||
"fullSignInHistory": "Zobrazit celou historii přihlašování",
|
||||
"fullSignInHistory": "Zobrazit celou historii přihlášení",
|
||||
"production": "Produkční",
|
||||
"linkDiscord": "Připojit Discord účet",
|
||||
"country": "Země/region",
|
||||
|
|
@ -135,13 +308,11 @@
|
|||
"connectedToDiscord": "Připojeno k Discordu jako",
|
||||
"newsletter": "Newsletter",
|
||||
"hasAccessPrompt": "Váš aktuální tier Vám dává přístup k beta serverům. Super!",
|
||||
"passwordResetNotice": "Po změně hesla budete odhlášeni ze všech zařízení.",
|
||||
"passwordResetNotice": "Po změně hesla budete odhlášen(a) ze všech zařízení.",
|
||||
"otherSettings": "Ostatní nastavení",
|
||||
"no_edit_from_dashboard": "Úprava PNID nastavení z uživatelského panelu není aktuálně dostupné. Změňte prosím Vaše uživatelské nastavení z připojené herní konzole."
|
||||
"no_edit_from_dashboard": "Úprava PNID nastavení z uživatelského panelu není aktuálně dostupná. Změňte prosím Vaše uživatelské nastavení z připojené herní konzole."
|
||||
},
|
||||
"unavailable": "Nedostupné",
|
||||
"downloadFiles": "Stáhnout soubory účtu",
|
||||
"downloadFilesDescription": "(Nebude fungovat na Nintendo Networku)",
|
||||
"upgrade": "Upgradovat účet"
|
||||
},
|
||||
"accountLevel": [
|
||||
|
|
@ -188,7 +359,7 @@
|
|||
"unsubConfirm": "Zrušit předplatné",
|
||||
"tierSelectPrompt": "Vyberte si tier",
|
||||
"changeTierPrompt": "Jste si jisti, že chcete zrušit předplatné <span class=\"oldtier\">oldtiername</span> a předplácet <span class=\"newtier\">newtiername</span>?",
|
||||
"unsubPrompt": "Jste si jisti, že chcete zrušit předplatné <span>tiername</span>? Přijdete o všechny výhody spojené s tímto tierem.",
|
||||
"unsubPrompt": "Jste si jisti, že chcete zrušit předplatné <span>tiername</span>? S <span>okamžitou platností</span> přijdete o všechny výhody spojené s tímto tierem.",
|
||||
"title": "Upgradovat",
|
||||
"description": "Dosažení měsíčního cíle udělá z Pretenda plnohodnotné zaměstnání a umožní nám poskytovat kvalitnější aktualizace v rychlejším tempu."
|
||||
},
|
||||
|
|
@ -209,7 +380,7 @@
|
|||
"sidebar": {
|
||||
"getting_started": "Začínáme",
|
||||
"install_extended": "Nainstalovat Pretendo",
|
||||
"install": "Nainstalovat",
|
||||
"install": "Instalace",
|
||||
"welcome": "Vítejte",
|
||||
"search": "Hledat",
|
||||
"juxt_err": "Chybové kódy - Juxt"
|
||||
|
|
@ -217,7 +388,7 @@
|
|||
"search": {
|
||||
"no_match": "Nenalezeny žádné shody",
|
||||
"title": "Máte chybový kód?",
|
||||
"caption": "Napište ho do políčka níže pro zobrazení informací k Vašemu problému!",
|
||||
"caption": "Napište jej do políčka níže pro zobrazení informací k Vašemu problému!",
|
||||
"label": "Chybový kód"
|
||||
},
|
||||
"missingInLocale": "Tato stránka je nedostupná ve Vaší lokalizaci. Podívejte se prosím na Anglickou verzi níže."
|
||||
|
|
@ -255,15 +426,16 @@
|
|||
"Úvodní hudba Super Mario World 2 - Yoshi's Island je slast pro moje uši a nikdo mě nepřesvědčí o opaku.",
|
||||
"Moje oblíbená vydání Switche byly Nintendo Switch Online + Expansion Pack, Nintendo Switch Online + Rumble Pak, Nintendo Switch Online + Offline Play Pack, Nintendo Switch Online + Yet Another Port Pack a Nintendo Switch Online + Dr. Kawashima's Brain Training / Brain Age \"Ten Virtual Console titul pro Wii U se ti fakt líbil, tak ho přinášíme zpátky\" Pack. Je fakt zřejmý, že nás má Nintendo rádo.",
|
||||
"Když moravák řekne \"Znáš přéce Ash, taký zlatíčko, je tak moc UwU\", snaží se neurážlivě říct \"Ash pořád UwUuje a je to fakt divný a hloupý, kéž by to nedělala\"",
|
||||
"Muj prvni videjko na mem kanale!! Uz dlouho jsem si chtel delat videa, ale muj laptop byl docela spatni a nemohl jsem spustit fraps, skype a majnkraft najednou. Ale ted je to už minulost! S pomoci sveho ajty učitele mi notebuk beži lepe a ted muzu nahravat! Doufam, ze se vam to bude libit a pokud ano, tak prosim dejte lajk a odbjer!!!\""
|
||||
"Muj prvni videjko na mem kanale!! Uz dlouho jsem si chtel delat videa, ale muj laptop byl docela spatni a nemohl jsem spustit fraps, skype a majnkraft najednou. Ale ted je to už minulost! S pomoci sveho ajty učitele mi notebuk beži lepe a ted muzu nahravat! Doufam, ze se vam to bude libit a pokud ano, tak prosim dejte lajk a odbjer!!!\"",
|
||||
"to vypadá mega vyfeleně"
|
||||
],
|
||||
"usefulLinks": "Užitečné odkazy",
|
||||
"widget": {
|
||||
"captions": [
|
||||
"Chcete být v obraze?",
|
||||
"Připojte se do našeho Discord serveru!"
|
||||
"Přidejte se k našemu Discord serveru!"
|
||||
],
|
||||
"button": "Připojit se nyní!"
|
||||
"button": "Připojte se nyní!"
|
||||
},
|
||||
"socials": "Sociální sítě"
|
||||
},
|
||||
|
|
@ -278,5 +450,8 @@
|
|||
"donation": {
|
||||
"progress": "<span>$${totd}</span> z měsíčního cíle <span>$${goald} </span> vybráno (<span>${perc}%</span> měsíčního cíle)",
|
||||
"upgradePush": "Abyste se stal(a) předplatitelem a získal(a) přístup k zajímavým výhodám navštivte <a href=\"/account/upgrade\">upgrade stránku</a>."
|
||||
},
|
||||
"notfound": {
|
||||
"description": "Jejda! Tuto stránku jsme nenalezli."
|
||||
}
|
||||
}
|
||||
|
|
|
|||
1
locales/cy_GB.json
Normal file
1
locales/cy_GB.json
Normal file
|
|
@ -0,0 +1 @@
|
|||
{}
|
||||
1
locales/da_DK.json
Normal file
1
locales/da_DK.json
Normal file
|
|
@ -0,0 +1 @@
|
|||
{}
|
||||
|
|
@ -23,7 +23,7 @@
|
|||
}
|
||||
},
|
||||
"hero": {
|
||||
"subtitle": "Spiel-Server",
|
||||
"subtitle": "Spielserver",
|
||||
"title": "Rekonstruiert",
|
||||
"text": "Pretendo ist ein kostenloser, Open-Source-Ersatz für Nintendo-Server für den 3DS und die Wii U, der die Onlineverbindung für alle, auch nach der Einstellung der offiziellen Server, ermöglicht",
|
||||
"buttons": {
|
||||
|
|
@ -34,7 +34,7 @@
|
|||
"title": "Über uns",
|
||||
"paragraphs": [
|
||||
"Pretendo ist ein Open-Source-Projekt, welches das Nintendo Network für den 3DS und die Wii U durch Clean-Room-Reverse-Engineering rekonstruiert.",
|
||||
"Da unsere Dienste kostenlos und Open-Source sind, können diese auch nach der offiziellen Schließung des Nintendo Networks weiter existieren."
|
||||
"Da unsere Dienste kostenlos und Open-Source sind, werden diese auch zukünftig weiterhin existieren."
|
||||
]
|
||||
},
|
||||
"progress": {
|
||||
|
|
@ -42,7 +42,7 @@
|
|||
"githubRepo": "Github-Repository"
|
||||
},
|
||||
"faq": {
|
||||
"title": "Frequently Asked Questions (Häufig gestellte Fragen)",
|
||||
"title": "Häufig gestellte Fragen",
|
||||
"text": "Hier sind einige Fragen, die wir häufiger gestellt bekommen, zur schnellen Informationsbeschaffung.",
|
||||
"QAs": [
|
||||
{
|
||||
|
|
@ -55,27 +55,39 @@
|
|||
},
|
||||
{
|
||||
"question": "Wie benutze ich Pretendo?",
|
||||
"answer": "Pretendo ist aktuell nicht für die öffentliche Nutzung verfügbar. Sobald das Pretendo Network bereit ist, kannst du es einfach durch unseren Homebrew-Patcher auf deiner Konsole nutzen."
|
||||
"answer": "Um Pretendo Network auf der 3DS-Familie, der Wii U oder Emulatoren zu nutzen, sollten sie den Installationsanweisungen folgen: <a href=\"/docs/install\">setup instructions</a>"
|
||||
},
|
||||
{
|
||||
"question": "Weißt du, wann Funktion/Dienst bereit ist?",
|
||||
"answer": "Nein. Viele der Funktionen und Dienste von Pretendo werden unabhängig voneinander entwickelt (z. B., ein Entwickler arbeitet am Miiverse während ein anderer an Accounts und der Freundesliste arbeitet), deshalb können wir keine genauen Angaben zur jeweiligen Fertigstellung machen."
|
||||
},
|
||||
{
|
||||
"question": "Funktioniert Pretendo mit CEMU, oder anderen Emulatoren?",
|
||||
"answer": "Pretendo unterstützt jeden Client, der mit dem Nintendo Network interagieren kann. Derzeit ist Cemu der einzige Emulator mit dieser Art von Funktionalität. Cemu 2.0 unterstützt Pretendo offiziell unter deinen Netzwerk-Kontooptionen im Emulator. Informationen zu den ersten Schritten mit Cemu findest du in der <a href=\"https://pretendo.network/docs/install/cemu\">Dokumentation</a>.<br>Citra unterstützt kein echtes Online-Spiel und funktioniert daher nicht mit Pretendo und zeigt überhaupt keine Anzeichen dafür, echtes Online-Spiel zu unterstützen. Mikage, ein 3DS-Emulator für mobile Geräte, könnte in Zukunft Unterstützung bieten, obwohl dieser alles andere als sicher ist."
|
||||
"question": "Wann werdet ihr neue Spiele hinzufügen?",
|
||||
"answer": "Wir arbeiten am Hinzufügen neuer Spiele, sobald unsere Backend-Libraries bereit dazu sind, diese zu unterstützen und sobald unsere Entwickler Zeit haben, diese instand zu halten. Eine Menge unserer Zeit fließt in die Stabilisierung und Abschließen der bereits existierenden Spiele. Wir möchten euch die besten Spielerfahrungen möglich machen, bevor wir uns neuen Spieltiteln widmen. Aufgrund von ständiger neu auftauchender Arbeit können wir keine Angaben machen, wann wir neue Spiele hinzufügen werden."
|
||||
},
|
||||
{
|
||||
"question": "Wenn ich im Nintendo Network gebannt wurde, bin ich dann in Pretendo auch gebannt?",
|
||||
"answer": "Wir werden keinen Zugriff auf Nintendos Bannliste haben, weshalb kein Nutzer auf unserem Netzwerk gebannt sein wird. Trotzdem, wir haben Regeln für die Nutzung unserer Dienste und die Nichteinhaltung dieser kann zu einem Bann führen."
|
||||
"question": "Reicht ein Emulator aus, um Pretendo zu nutzen?",
|
||||
"answer": "Nein. Aus Sicherheits- und Moderationsgründen musst du, auch wenn du einen Emulator benutzt, trotzdem eine echte Konsole besitzen. Das ermöglicht erhöhte Sicherheit und ein einfacheres Umsetzen der Regeln, um ein sicheres und angenehmes Erlebnis mit unseren Diensten zu bieten."
|
||||
},
|
||||
{
|
||||
"question": "Funktioniert Pretendo auf Cemu/Emulatoren?",
|
||||
"answer": "Cemu 2.1 unterstützt offiziell Pretendo unter den Netzwerk-Account-Optionen im Emulator. Für mehr Informationen, wie du mit Cemu loslegen kannst, beachte bitte die <a href=\"https://pretendo.network/docs/install/cemu\">Dokumentation</a>br> Einige 3DS-Emulatoren oder Forks könnten uns unterstützen, aber wir haben zu dieser Zeit keine offizielle Empfehlung oder Setup-Anleitung. Die letzten Builds von Citra unterstützen Pretendo nicht."
|
||||
},
|
||||
{
|
||||
"question": "Wird Pretendo die Wii/Switch unterstützen?",
|
||||
"answer": "Für die Wii gibt es bereits eigene Server von <a href=\"https://wiimmfi.de/\" target=\"_blank\">Wiimmfi</a>. Aktuell möchten wir die Switch auch nicht als Ziel festlegen, da der Online-Service der Switch kostenpflichtig ist und sich stark vom Nintendo Network unterscheidet."
|
||||
"answer": "Inoffizielle Wii-Server werden bereits von <a href=\"https://wiimmfi.de/\" target=\"_blank\">Wiimmfi</a> bereitgestellt. Eine Unterstützung der Switch streben wir nicht an, da es sich um ein gebührenpflichtiges Netzwerk handelt, das sich fundamental vom Nintendo Network unterscheidet."
|
||||
},
|
||||
{
|
||||
"question": "Benötige ich einen Hack um Pretendo zu verwenden?",
|
||||
"answer": "Ja, du musst deine Konsole hacken, allerdings reicht auf der Wii U den Zugriff zum Homebrew-Launcher (z.B. über Haxchi, CBHC, oder den Browser-Exploit). Informationen, wie der 3DS verbunden wird, werden später noch veröffentlicht."
|
||||
"question": "Werde ich meine Konsole modifizieren müssen, um mich verbinden zu können?",
|
||||
"answer": "Wir haben keinen Zugriff auf die Bannliste des Nintendo Network, daher sind keine Nintendo Network Nutzer gebannt. Allerdings haben wir Regeln, die bei der Nutzung des Dienstes befolgt werden müssen, und die Nichteinhaltung dieser Regeln kann zu einem Bann führen."
|
||||
},
|
||||
{
|
||||
"question": "Kann ich Cheats oder Mods online mit Pretendo verwenden?",
|
||||
"answer": "Nur in privaten Matches – sich einen unfairen Vorteil zu verschaffen oder das Online-Erlebnis von Personen zu stören, die nicht zugestimmt haben (wie beispielsweise in öffentlichen Matches), ist ein bannbarer Verstoß. Wir verhängen regelmäßig Konto- und Konsolensperren sowohl für Wii U- als auch für 3DS-Systeme. Pretendo verwendet zusätzliche Sicherheitsmaßnahmen, die traditionelle ‘Entbannungs’-Methoden wie das Ändern der Seriennummer unwirksam machen."
|
||||
},
|
||||
{
|
||||
"question": "Kann ich Cheats oder Mods online mit Pretendo verwenden?",
|
||||
"answer": "Nur in privaten Matches – sich einen unfairen Vorteil zu verschaffen oder das Online-Erlebnis anderer ohne deren Zustimmung zu stören (z. B. in öffentlichen Matches), ist ein bannbarer Verstoß. Wir verhängen regelmäßig Account- und Konsolensperren für Wii U- und 3DS-Systeme. Pretendo nutzt zusätzliche Sicherheitsmaßnahmen, die herkömmliche 'Unban'-Methoden, wie das Ändern der Seriennummer, unwirksam machen."
|
||||
}
|
||||
]
|
||||
},
|
||||
|
|
@ -85,7 +97,7 @@
|
|||
"cards": [
|
||||
{
|
||||
"title": "Spiel-Server",
|
||||
"caption": "Bringt dir deine Lieblingsspiele und Inhale zurück, mithilfe eigener Server."
|
||||
"caption": "Bringt dir deine Lieblingsspiele und Inhalte zurück, mithilfe eigener Server."
|
||||
},
|
||||
{
|
||||
"title": "Juxtaposition",
|
||||
|
|
@ -99,11 +111,172 @@
|
|||
},
|
||||
"credits": {
|
||||
"title": "Das Team",
|
||||
"text": "Triff das Team hinter dem Projekt"
|
||||
"text": "Lerne das Team hinter dem Projekt kennen",
|
||||
"people": [
|
||||
{
|
||||
"picture": "https://github.com/jonbarrow.png",
|
||||
"github": "https://github.com/jonbarrow",
|
||||
"name": "Jonathan Barrow (jonbarrow)",
|
||||
"caption": "Projektinhaber und leitender Entwickler"
|
||||
},
|
||||
{
|
||||
"name": "Jemma (CaramelKat)",
|
||||
"picture": "https://github.com/caramelkat.png",
|
||||
"caption": "Miiverse Analyse/Forschung und Entwicklung",
|
||||
"github": "https://github.com/CaramelKat"
|
||||
},
|
||||
{
|
||||
"name": "quarky",
|
||||
"picture": "https://github.com/ashquarky.png",
|
||||
"github": "https://github.com/ashquarky",
|
||||
"caption": "Wii U Forschung und Patch-Entwicklung"
|
||||
},
|
||||
{
|
||||
"picture": "https://github.com/supermariodabom.png",
|
||||
"github": "https://github.com/SuperMarioDaBom",
|
||||
"name": "SuperMarioDaBom",
|
||||
"caption": "Systemforschung und Serverarchitektur"
|
||||
},
|
||||
{
|
||||
"picture": "https://github.com/gitlimes.png",
|
||||
"name": "pinklimes",
|
||||
"github": "https://github.com/gitlimes",
|
||||
"caption": "Webentwicklung"
|
||||
},
|
||||
{
|
||||
"name": "Shutterbug2000",
|
||||
"picture": "https://cdn.discordapp.com/avatars/191370953807233024/0311b61e2009c1576828dd2e9a59d72e.png?size=128",
|
||||
"github": "https://github.com/shutterbug2000",
|
||||
"caption": "Systemforschung und Server Entwicklung"
|
||||
},
|
||||
{
|
||||
"name": "Billy",
|
||||
"picture": "https://github.com/InternalLoss.png",
|
||||
"github": "https://github.com/InternalLoss",
|
||||
"caption": "Erhaltung und Server-Architektur"
|
||||
},
|
||||
{
|
||||
"name": "DaniElectra",
|
||||
"picture": "https://github.com/danielectra.png",
|
||||
"github": "https://github.com/DaniElectra",
|
||||
"caption": "Systemforschung und Server-Entwicklung"
|
||||
},
|
||||
{
|
||||
"name": "niko",
|
||||
"picture": "https://github.com/hauntii.png",
|
||||
"github": "https://github.com/hauntii",
|
||||
"caption": "Web- und Serverentwicklung"
|
||||
},
|
||||
{
|
||||
"name": "MatthewL246",
|
||||
"picture": "https://github.com/MatthewL246.png",
|
||||
"github": "https://github.com/MatthewL246",
|
||||
"caption": "DevOps und Community-Arbeit"
|
||||
},
|
||||
{
|
||||
"name": "wolfendale",
|
||||
"picture": "https://github.com/wolfendale.png",
|
||||
"github": "https://github.com/wolfendale",
|
||||
"caption": "Server-Entwicklung und Optimierungen"
|
||||
},
|
||||
{
|
||||
"name": "TraceEntertains",
|
||||
"picture": "https://github.com/TraceEntertains.png",
|
||||
"caption": "3DS Patch-Entwicklung und Forschung",
|
||||
"github": "https://github.com/TraceEntertains"
|
||||
}
|
||||
]
|
||||
},
|
||||
"specialThanks": {
|
||||
"title": "Besonderer Dank",
|
||||
"text": "Ohne sie wäre Pretendo nicht, wo es heute ist."
|
||||
"text": "Ohne sie wäre Pretendo nicht da, wo es heute ist.",
|
||||
"people": [
|
||||
{
|
||||
"name": "GitHub-Mitwirkende",
|
||||
"caption": "Übersetzungen und andere Beiträge",
|
||||
"picture": "https://github.githubassets.com/images/modules/logos_page/GitHub-Mark.png",
|
||||
"github": "https://github.com/PretendoNetwork"
|
||||
},
|
||||
{
|
||||
"caption": "Crunch Library Entwicklung",
|
||||
"picture": "https://github.com/superwhiskers.png",
|
||||
"github": "https://github.com/superwhiskers",
|
||||
"name": "superwhiskers"
|
||||
},
|
||||
{
|
||||
"name": "Stary",
|
||||
"github": "https://github.com/Stary2001",
|
||||
"picture": "https://github.com/Stary2001.png",
|
||||
"caption": "3DS Entwicklung und NEX Dissector"
|
||||
},
|
||||
{
|
||||
"caption": "Miiverse-Informationsaustausch",
|
||||
"github": "https://twitter.com/rverseClub",
|
||||
"name": "rverse",
|
||||
"picture": "https://github.com/rverseTeam.png"
|
||||
},
|
||||
{
|
||||
"special": "Besonderer Dank",
|
||||
"caption": "Forschung zu Nintendo-Datenstrukturen",
|
||||
"name": "Kinnay",
|
||||
"picture": "https://cdn.discordapp.com/avatars/186572995848830987/b55c0d4e7bfd792edf0689f83a25d8ea.png?size=128",
|
||||
"github": "https://github.com/Kinnay"
|
||||
},
|
||||
{
|
||||
"name": "NinStar",
|
||||
"caption": "Symbole für dem Mii-Editor und Juxt-Reaktionen",
|
||||
"picture": "https://github.com/ninstar.png",
|
||||
"github": "https://github.com/ninstar"
|
||||
},
|
||||
{
|
||||
"name": "Rambo6Glaz",
|
||||
"caption": "Konsolenforschung und Spiele-Server",
|
||||
"github": "https://github.com/EpicUsername12",
|
||||
"picture": "https://github.com/EpicUsername12.png"
|
||||
},
|
||||
{
|
||||
"github": "https://github.com/GaryOderNichts",
|
||||
"name": "GaryOderNichts",
|
||||
"caption": "Wii U Patch-Entwicklung",
|
||||
"picture": "https://github.com/GaryOderNichts.png"
|
||||
},
|
||||
{
|
||||
"name": "zaksabeast",
|
||||
"caption": "3DS Patch-Ersteller",
|
||||
"picture": "https://cdn.discordapp.com/avatars/219324395707957248/c62573fbd4d26c8b4724f54413df6960.png?size=128",
|
||||
"github": "https://github.com/zaksabeast"
|
||||
},
|
||||
{
|
||||
"name": "mrjvs",
|
||||
"caption": "Server-Architektur",
|
||||
"picture": "https://github.com/mrjvs.png",
|
||||
"github": "https://github.com/mrjvs"
|
||||
},
|
||||
{
|
||||
"name": "binaryoverload",
|
||||
"caption": "Server-Architektur",
|
||||
"picture": "https://github.com/binaryoverload.png",
|
||||
"github": "https://github.com/binaryoverload"
|
||||
},
|
||||
{
|
||||
"name": "Simonx22",
|
||||
"caption": "Spatoon-Rotations und Forschung",
|
||||
"picture": "https://github.com/Simonx22.png",
|
||||
"github": "https://github.com/Simonx22"
|
||||
},
|
||||
{
|
||||
"name": "OatmealDome",
|
||||
"caption": "Splatoon-Rotations und Forschung",
|
||||
"github": "https://github.com/OatmealDome",
|
||||
"picture": "https://github.com/OatmealDome.png"
|
||||
},
|
||||
{
|
||||
"caption": "Lokalisierung und andere Beiträge",
|
||||
"picture": "https://github.githubassets.com/images/modules/logos_page/GitHub-Mark.png",
|
||||
"name": "GitHub-Beiträger",
|
||||
"github": "https://github.com/PretendoNetwork"
|
||||
}
|
||||
]
|
||||
},
|
||||
"discordJoin": {
|
||||
"title": "Bleib auf dem Laufenden",
|
||||
|
|
@ -132,7 +305,8 @@
|
|||
"Die Titelmusik von \"Super Mario World 2 - Yoshi's Island\" ist ein absoluter Hit und niemand kann mir das Gegenteil beweisen.",
|
||||
"Meine Lieblingsveröffentlichungen für die Nintendo Switch sind Nintendo Switch Online + Expansion Pack, Nintendo Switch Online + Rumble Pak, Nintendo Switch Online + Offline Play Pack, Nintendo Switch Online + Noch Ein Port Pack und Nintendo Switch Online + Dr. Kawashimas Gehirnjogging / Brain Age \"Ihr Mochtet Den Nintendo Wii U Virtual Console-Titel Sehr, Also Bringen Wir Ihn Zurück\" Pack. Man merkt, dass es Nintendo am Herzen liegt.",
|
||||
"So etwas wie \"Du kennst Ash, Gott segne ihr Herz, sie schreibt den ganzen Tag UwU\" ist die südländische Art zu sagen \"Ash schreibt die ganze Zeit UwU und es ist wirklich seltsam und dumm und ich wünschte, sie würde es nicht tun\"",
|
||||
"Mein erstes Video auf meinem kanal!! Ich wolte schon lange viedeos machen, aber mein leptop wahr zu schwach um Fraps, Skipe und Minekraft gleichzeitieg laufen zu laßen. aber dass ist jetzt vorbei. mit etwas hilfe von meinen informatiklerer läüft mein leptop jetzt fiel besser und ich kan aufnemen. ich hoffe ihr alle mögt dass video und fals ihr das tut bite gebt einen daumen nach oben und aboniert!!!"
|
||||
"Mein erstes Video auf meinem kanal!! Ich wolte schon lange viedeos machen, aber mein leptop wahr zu schwach um Fraps, Skipe und Minekraft gleichzeitieg laufen zu laßen. aber dass ist jetzt vorbei. mit etwas hilfe von meinen informatiklerer läüft mein leptop jetzt fiel besser und ich kan aufnemen. ich hoffe ihr alle mögt dass video und fals ihr das tut bite gebt einen daumen nach oben und aboniert!!!",
|
||||
"Sieht gut für mich aus"
|
||||
]
|
||||
},
|
||||
"progressPage": {
|
||||
|
|
@ -148,9 +322,9 @@
|
|||
"account": {
|
||||
"accountLevel": [
|
||||
"Standard",
|
||||
"Tester*innen",
|
||||
"Moderator*innen",
|
||||
"Entwickler"
|
||||
"Tester*in",
|
||||
"Moderator*in",
|
||||
"Entwickler*in"
|
||||
],
|
||||
"loginForm": {
|
||||
"login": "Anmelden",
|
||||
|
|
@ -198,8 +372,6 @@
|
|||
"no_newsletter_notice": "Newsletter ist momentan nicht verfügbar. Schau später nochmal vorbei",
|
||||
"userSettings": "Nutzer-Einstellungen"
|
||||
},
|
||||
"downloadFiles": "Konto-Dateien herunterladen",
|
||||
"downloadFilesDescription": "(funktioniert nicht im Nintendo Network)",
|
||||
"upgrade": "Konto upgraden",
|
||||
"unavailable": "Nicht verfügbar"
|
||||
},
|
||||
|
|
@ -225,7 +397,7 @@
|
|||
"month": "Monat",
|
||||
"tierSelectPrompt": "Wähle eine Stufe",
|
||||
"unsub": "Deabonnieren",
|
||||
"unsubPrompt": "Bist du dir sicher, dass du <span>tiername</span> deabonnieren möchtest? Du wirst den Zugang zu den Vorteilen verlieren, die mit dieser Stufe verbunden sind.",
|
||||
"unsubPrompt": "Bist du dir wirklich sicher, dass du dich von <span>tiername</span> ablemden möchtest? Du wirst <span>sofort</span> den Zugriff auf die Vorteile dieser Stufe verlieren.",
|
||||
"unsubConfirm": "Deabonnieren",
|
||||
"changeTier": "Stufe ändern",
|
||||
"changeTierPrompt": "Bist du dir sicher, dass du <span class=\"oldtier\">oldtiername</span> deabonnieren und <span class=\"newtier\">newtiername</span> abonnieren möchtest?",
|
||||
|
|
@ -278,5 +450,8 @@
|
|||
"cancel": "Abbrechen",
|
||||
"confirm": "Bestätigen",
|
||||
"close": "Schließen"
|
||||
},
|
||||
"notfound": {
|
||||
"description": "Woops! Diese Seite konnte nicht gefunden werden."
|
||||
}
|
||||
}
|
||||
|
|
|
|||
|
|
@ -1,6 +1,6 @@
|
|||
{
|
||||
"nav": {
|
||||
"faq": "Συνηθησμένες Ερωτήσεις",
|
||||
"faq": "Συχνές Ερωτήσεις",
|
||||
"accountWidget": {
|
||||
"settings": "Ρυθμίσεις",
|
||||
"logout": "Αποσύνδεση"
|
||||
|
|
@ -8,33 +8,278 @@
|
|||
"dropdown": {
|
||||
"captions": {
|
||||
"credits": "Γνώρισε την ομάδα",
|
||||
"about": "Σχετικά με το έργο"
|
||||
"about": "Σχετικά με το έργο μας",
|
||||
"progress": "Κοίταξε την πρόοδο του έργου και τους στόχους του",
|
||||
"blog": "Οι πιο πρόσφατες ενημερώσεις, συνοπτικά",
|
||||
"faq": "Συχνές ερωτήσεις"
|
||||
}
|
||||
},
|
||||
"about": "Πληροφορίες",
|
||||
"docs": "Έγγραφα",
|
||||
"progress": "Πρόοδος",
|
||||
"account": "Λογαριασμός",
|
||||
"donate": "Κάνε δωρεά"
|
||||
"donate": "Κάνε δωρεά",
|
||||
"credits": "Συντελεστές",
|
||||
"blog": "Blog"
|
||||
},
|
||||
"hero": {
|
||||
"subtitle": "Servers παιχνιδιών",
|
||||
"title": "Αναδημιουργημένο",
|
||||
"title": "Αναδημιουργημένοι",
|
||||
"buttons": {
|
||||
"readMore": "Διαβάστε περισσότερα"
|
||||
},
|
||||
"text": "Το Pretendo είναι μία δωρεάν, με ανοιχτό κώδικα αντικατάσταση για τους Nintendo servers του 3DS και του Wii U, επιτρέποντας online σύνδεση για όλους, ακόμα και όταν οι αρχικοί servers διακοπούν"
|
||||
"text": "Το Pretendo είναι ένας open source αντικαταστάτης των server της Nintendo τόσο για το 3DS όσο και για το Wii U, επιτρέποντας τη διαδικτυακή συνδεσιμότητα για όλους, ακόμη και μετά τη διακοπή της λειτουργίας των αρχικών server"
|
||||
},
|
||||
"aboutUs": {
|
||||
"title": "Σχετικά με εμάς",
|
||||
"paragraphs": [
|
||||
"Το Pretendo είναι ένα έργο ανοιχτής πηγής που στοχεύει να αναδημιουργήσει το Nintendo Network για το 3DS και το Wii U χρησιμοποιώντας αντίστροφη μηχανική καθαρού δωματίου."
|
||||
"Το Pretendo είναι ένα open source project που στοχεύει στην αναδημιουργία του Nintendo Network για το 3DS και το Wii U χρησιμοποιώντας clean-room reverse engineering.",
|
||||
"Εφόσον οι υπηρεσίες μας είναι δωρεάν και ανοιχτού κώδικα, θα μπορούν να υπάρχουν για πολύ καιρό μετά το αναπόφευκτο κλείσιμο του Nintendo Network."
|
||||
]
|
||||
},
|
||||
"progress": {
|
||||
"title": "Πρόοδος"
|
||||
"title": "Πρόοδος",
|
||||
"githubRepo": "Αποθετήριο Github"
|
||||
},
|
||||
"faq": {
|
||||
"text": "Ορίστε μερικές συνηθισμένες ερωτήσεις που μας ρωτάνε για εύκολη πληροφόρηση."
|
||||
"text": "Εδώ βρίσκονται ορισμένες συνήθεις ερωτήσεις, για εύκολη πληροφόρηση.",
|
||||
"QAs": [
|
||||
{
|
||||
"question": "Τι είναι το Pretendo;",
|
||||
"answer": "Το Pretendo είναι ένας open source αντικαταστάτης του Nintendo Network που στοχεύει στη δημιουργία custom server για την οικογένεια κονσολών Wii U και 3DS. Στόχος μας είναι η διατήρηση της online λειτουργικότητας των κονσολών αυτών, ώστε οι παίκτες να συνεχίσουν να απολαμβάνουν τα αγαπημένα τους Wii U και 3DS παιχνίδια στο έπακρο."
|
||||
},
|
||||
{
|
||||
"question": "Θα λειτουργούν τα υπάρχοντα NNIDs μου στο Pretendo;",
|
||||
"answer": "Δυστυχώς, όχι. Τα υπάρχοντα NNID δεν θα λειτουργούν στο Pretendo, καθώς μόνο η Nintendo κρατάει τα δεδομένα του χρήστη. Παρότι είναι θεωρητικά δυνατόν μια μεταφορά NNID σε PNID, θα είναι ριψοκίνδυνο και θα χρειαστεί ευαίσθητα δεδομένα χρηστών που δεν επιθυμούμε να συλλέξουμε."
|
||||
},
|
||||
{
|
||||
"question": "Πώς χρησιμοποιώ το Pretendo;",
|
||||
"answer": "Πρός το παρόν το Pretendo δεν είναι έτοιμο για χρήση. Όταν όμως είναι έτοιμο, θα μπορείς να το χρησιμοποιήσεις, τρέχοντας απλώς το Homebrew Patcher μας στη κονσόλα σου."
|
||||
},
|
||||
{
|
||||
"answer": "Όχι. Πολλές από τις λειτουργίες/υπηρεσίες της Pretendo αναπτύσονται ανεξάρτητα (για παράδειγμα, το Miiverse μπορεί να δουλεύεται από έναν προγραμματιστή, ενώ τα συστήματα Λογαριασμών και Φίλων να δουλεύεται από άλλον), άρα δεν μπορούμε να δώσουμε ένα ολικό εκτιμώμενο χρόνο στο ποσό θα χρειαστεί.",
|
||||
"question": "Γνωρίζετε πότε θα είναι έτοιμη η λειτουργία/υπηρεσία;"
|
||||
},
|
||||
{
|
||||
"question": "Το Pretendo δουλεύει σε Cemu/emulators;",
|
||||
"answer": "To Pretendo υποστηρίζει οποιονδήποτε client που μπορεί να αλληλεπιδράσει με το Nintendo Network. Αυτή τη στιγμή το μόνο emulator με αυτή τη λειτουργία είναι το Cemu. Το Cemu 2.0 υποστηρίζει το Pretendo μέσω των ρυθμίσεων του λογαριασμού δικτύου στο emulator. Για περαιτέρω πληροφορίες σχετικά με το Cemu, δες εδώ τις <a href=\"https://pretendo.network/docs/install/cemu\">documentation</a>.<br>Το Citra δεν υποστηρίζει online play και άρα δεν δουλέυει με το Pretendo, και πιθανώς δεν θα το υποστηρίξει ποτέ. To Mikage, ενα 3DS emulator για κινητά, ίσως το υποστηρίζει στο μέλλον, κάτι όμως το οποίο είναι αβέβαιο."
|
||||
},
|
||||
{
|
||||
"question": "Αν έχω αποκλειστεί στο Nintendo Network, θα παραμείνω αποκλεισμένος στο Pretendo;",
|
||||
"answer": "Δεν έχουμε πρόσβαση στη λίστα αποκλεισμένων του Nintendo Network, άρα κανένας χρήστης δεν θα είναι αποκλεισμένος στην υπηρεσία μας. Παρ' όλα αυτά, θα υπάρχουν κανόνες κατά τη χρήση της υπηρεσίας μας και η μη τήρηση αυτών των κανόνων μπορεί να οδηγήσει σε αποκλεισμό."
|
||||
},
|
||||
{
|
||||
"answer": "Το Wii ήδη έχει custom servers παρεχόμενους από το <a href=\"https://wiimmfi.de/\" target=\"_blank\">Wiimmfi</a>. Αυτή τη στιγμή το Switch δεν είναι στο στόχαστρο μας αφού είναι υπηρεσία επί πληρωμή και τελείως διαφορετικό από το Nintendo Network.",
|
||||
"question": "Το Pretendo θα υποστηρίξει το Wii/Switch;"
|
||||
},
|
||||
{
|
||||
"answer": "Ναι, θα χρειαστείς να τροποποιήσεις τη συσκευή σου για να συνδεθείς. Όμως, χρειάζεσαι μόνο πρόσβαση στο Homebrew Launcher (π.χ Haxchi, Coldboot Haxchi, ή web browser exploit) στο Wii U, με πληροφορίες στο πως θα συνδεθείςστο 3DS να έρχονται σε μελλοντική ημερομηνία.",
|
||||
"question": "Θα χρειαστώ hacks για να συνδεθώ;"
|
||||
}
|
||||
],
|
||||
"title": "Συχνές ερωτήσεις"
|
||||
},
|
||||
"specialThanks": {
|
||||
"title": "Ιδιαίτερα ευχαριστώ",
|
||||
"text": "Χωρίς αυτά τα άτομα, το Pretendo δεν θα ήταν εδώ που είναι τώρα."
|
||||
},
|
||||
"account": {
|
||||
"settings": {
|
||||
"settingCards": {
|
||||
"userSettings": "Ρυθμίσεις χρήστη",
|
||||
"serverEnv": "Περιβάλλον server",
|
||||
"beta": "Beta",
|
||||
"upgradePrompt": "Οι Beta servers είναι αποκλειστικά για beta testers. <br>Για να γίνεις beta tester, ανάβάθμισε το λογαριασμό σου.",
|
||||
"hasAccessPrompt": "Η τρέχουσα κατηγορία λογαριασμού σου, σου δίνει πρόσβαση στον beta server. Τέλεια!",
|
||||
"fullSignInHistory": "Δες ολόκληρο το ιστορικό σύνδεσης",
|
||||
"discord": "Discord",
|
||||
"newsletterPrompt": "Λάβε ενημερώσεις του project μέσω email (μπορείς να αποσυρθείς οποιαδήποτε στιγμή)",
|
||||
"nickname": "Ψευδώνυμο",
|
||||
"passwordPrompt": "Συμπλήρωσε τον κωδικό PNID για να κατεβάσεις τα αρχεία Cemu",
|
||||
"no_signins_notice": "Το ιστορικό σύνδεσης δεν παρακολουθείται επί του παρόντος. Δες ξανά αργότερα!",
|
||||
"no_newsletter_notice": "Το ενημερωτικό δελτίο δεν είναι διαθέσιμο επί του παρόντος. Δες ξανά αργότερα!",
|
||||
"no_edit_from_dashboard": "Η επεξεργασία ρυθμίσεων PNID από το πίνακα ελέγχου χρήστη είναι προς το παρόν μη διαθέσιμη. Παρακαλώ ενημέρωσε τις ρυθμίσεις χρήστη από τη συνδεδεμένη σου κονσόλα",
|
||||
"country": "Χώρα/Περιοχή",
|
||||
"timezone": "Ζώνη ώρας",
|
||||
"production": "Παραγωγή",
|
||||
"signInSecurity": "Σύνδεση και ασφάλεια",
|
||||
"password": "Κωδικός",
|
||||
"signInHistory": "Ιστορικό σύνδεσης",
|
||||
"otherSettings": "Λοιπές ρυθμίσεις",
|
||||
"newsletter": "Ενημερωτικό δελτίο",
|
||||
"birthDate": "Ημερομηνία γέννησης",
|
||||
"gender": "Φύλο",
|
||||
"profile": "Προφίλ",
|
||||
"email": "Ηλεκτρονική διεύθυνση (E-Mail)",
|
||||
"passwordResetNotice": "Μετά την αλλαγή του κωδικού σου, θα αποσυνδεθείς από όλες τις συσκευές.",
|
||||
"removeDiscord": "Αφαίρεση λογαριασμού Discord",
|
||||
"connectedToDiscord": "Συνδεδεμένος στο Discord ως",
|
||||
"noDiscordLinked": "Δεν υπάρχει συνδεδεμένος λογαριασμός Discord",
|
||||
"linkDiscord": "Σύνδεση λογαριασμού Discord"
|
||||
},
|
||||
"unavailable": "Μη διαθέσιμο",
|
||||
"upgrade": "Αναβάθμιση λογαριασμού"
|
||||
},
|
||||
"loginForm": {
|
||||
"detailsPrompt": "Συμπλήρωσε τα στοιχεία του λογαριασμού παρακάτω",
|
||||
"forgotPassword": "Ξέχασες τον κωδικό σου;",
|
||||
"login": "Σύνδεση",
|
||||
"register": "Εγγραφή",
|
||||
"username": "Όνομα χρήστη",
|
||||
"password": "Κωδικός",
|
||||
"confirmPassword": "Επιβεβαίωση κωδικού",
|
||||
"email": "Ηλεκτρονική διέυθυνση (E-Mail)",
|
||||
"registerPrompt": "Δεν έχεις λογαριασμό;",
|
||||
"miiName": "Όνομα Mii",
|
||||
"loginPrompt": "Έχεις ήδη λογαριασμό;"
|
||||
},
|
||||
"resetPassword": {
|
||||
"sub": "Συμπλήρωσε παρακάτω το νέο κωδικό σου",
|
||||
"header": "Επαναφορά Κωδικού",
|
||||
"password": "Κωδικός",
|
||||
"confirmPassword": "Επιβεβαίωση κωδικού",
|
||||
"submit": "Υποβολή"
|
||||
},
|
||||
"forgotPassword": {
|
||||
"input": "Ηλεκτρονική διεύθυνση (E-Mail) ή PNID",
|
||||
"sub": "Συμπλήρωσε παρακάτω τη διεύθυνση Email/PNID",
|
||||
"submit": "Υποβολή",
|
||||
"header": "Ξέχασα τον κωδικό μου"
|
||||
},
|
||||
"account": "Λογαριασμός",
|
||||
"accountLevel": [
|
||||
"Τυπικό",
|
||||
"Δοκιμαστής",
|
||||
"Επόπτης",
|
||||
"Προγραμματιστής"
|
||||
],
|
||||
"banned": "Αποκλεισμένος"
|
||||
},
|
||||
"credits": {
|
||||
"text": "Γνώρισε την ομάδα που αναπτύσσει το project",
|
||||
"title": "Η ομάδα",
|
||||
"people": [
|
||||
{
|
||||
"caption": "Ιδιοκτήτης του έργου και κύριος προγραμματιστής"
|
||||
}
|
||||
]
|
||||
},
|
||||
"discordJoin": {
|
||||
"text": "Μπές στον Discord server μας για να λαμβάνεις τις νεότερες ενημερώσεις μας πάνω στο project.",
|
||||
"widget": {
|
||||
"text": "Λάβε ενημερώσεις ζωντανού χρόνου για την πρόοδο μας",
|
||||
"button": "Μπες στο server"
|
||||
},
|
||||
"title": "Μείνε ενήμερος"
|
||||
},
|
||||
"footer": {
|
||||
"widget": {
|
||||
"captions": [
|
||||
"Θες να μένεις ενημερωμένος;",
|
||||
"Γίνε μέλος του Discord server μας!"
|
||||
],
|
||||
"button": "Γίνε μέλος!"
|
||||
},
|
||||
"bandwidthRaccoonQuotes": [
|
||||
"Είμαι ο Bandwidth το ρακούν και μου αρέσει να δαγκώνω τα καλώδια που συνδέονται στους servers του Pretendo Network. Μιαμ!",
|
||||
"Πολλοί μας ρωτούν αν θα έχουμε νομικά προβλήματα με τη Nintendo με όλο αυτό, οπότε είμαι στην ευχάριστη θέση να σας πω ότι η θεία μου εργάζεται στη Nintendo και λέει ότι δεν υπάρχει πρόβλημα.",
|
||||
"Το Webkit v537 είναι η καλύτερη εκδοχή του Webkit για το Wii U. Όχι, δεν θα φέρουμε το Chrome στο Wii U.",
|
||||
"Ανυπομονώ το ρολόι να πάει στις 03:14:08 Συντονισμένης Παγκόσμιας Ώρας στις 19 Ιανουαρίου του 2038!",
|
||||
"Το Wii U είναι πραγματικά μια υποτιμημένη κονσόλα: Οι διαφημίσεις του ήταν πολύ κακές, αλλά η ίδια κονσόλα ήταν τέλεια. Χμ, περίμενε ένα δευτερόλεπτο, δεν είμαι σίγουρος γιατί, αλλά το Gamepad μου δεν συνδέεται στο Wii μου.",
|
||||
"Το main theme του Super Mario World 2 - Yoshi's Island είναι ό,τι καλυτερο και δεν μεταπείθεις με την καμία.",
|
||||
"Οι αγαπημένες μου κυκλοφορίες του Nintendo Switch είναι το Nintendo Switch Online + Expansion Pack, Nintendo Switch Online + Rumble Pak, Nintendo Switch Online + Offline Play Pack, Nintendo Switch Online + Yet Another Port Pack, και Nintendo Switch Online + Dr. Kawashima's Brain Training / Brain Age \"Σου Αρεσε Πολύ Το Χ Παιχνίδι Wii U Virtual Console , Οπότε Το Φέρνουμε Πίσω\" Pack. Είναι προφανές πως η Nintendo ενδιαφέρεται.",
|
||||
"Ήξερες ότι το \"Ξέρεις ότι η Ash, νά' ναι καλά η ψυχούλα, κάνει όλη μέρα UwU\" είναι ο ευγενικός τρόπος να πείς \"Η Ash κάνει UwU συνέχεια και είναι περίεργο και χαζό και μακάρι να μην το έκανε;\"",
|
||||
"Το πρώτο βίντεω στο κανάλι μου!! περίμενα να κάνω βίντεος για πολι καιρό αλλά το λαπτοπ μου ετρεθε πολυ κακά και δεν μπορουσα να τρεχω το fraps, skype κι minecraft ολα μαζι. αλλα αυτο τελιωσε! με λιγο βοηθεια απο το δασκαλο πληροφορικισ μου το λαπτ0π μου τρεχι πολυ καλυτερα και μπορο να καταγράψω τορα! ευχομαι να το απολαυσετε και αν ναι, παρ@καλο καντε λαεκ και σαμπσκραϊμπ!"
|
||||
],
|
||||
"socials": "Κοινωνικά δίκτυα",
|
||||
"usefulLinks": "Χρήσιμοι σύνδεσμοι"
|
||||
},
|
||||
"blogPage": {
|
||||
"title": "Blog",
|
||||
"description": "Οι τελευταίες ενημερώσεις μας συνοπτικά. Αν επιθυμείς να βλέπεις συχνότερες ενημερώσεις, μπορείς <a href=\"/account/upgrade\" target=\"_blank\"> να μας υποστηρίξεις</a>.",
|
||||
"published": "Δημοσιευμένο από",
|
||||
"publishedOn": "στις"
|
||||
},
|
||||
"upgrade": {
|
||||
"description": "Η επίτευξη του μηνιαίου στόχου θα καταστήσει το Pretendo μια εργασία πλήρους απασχόλησης, παρέχοντας ενημερώσεις καλύτερης ποιότητας με ταχύτερο ρυθμό.",
|
||||
"month": "μήνα",
|
||||
"unsubConfirm": "Κατάργηση",
|
||||
"changeTierConfirm": "Αλλαγή κατηγορίας",
|
||||
"back": "Πίσω",
|
||||
"tierSelectPrompt": "Διάλεξε μια κατηγορία",
|
||||
"title": "Αναβάθμιση",
|
||||
"unsub": "Κατάργηση συνδρομής",
|
||||
"unsubPrompt": "Είσαι σίγουρος ότι θέλεις να καταργήσεις τη συνδρομή σου από <span>tiername</span>; Θα χάσεις πρόσβαση σε όλα τα οφέλη που προσφέρονται σε αυτή τη κατηγορία.",
|
||||
"changeTier": "Αλλαγή κατηγορίας",
|
||||
"changeTierPrompt": "Είσαι σίγουρος ότι θέλεις να καταργήσεις τη συνδρομή σου από <span class=\"oldtier\">oldtiername</span> και να εγγραφείς στο <span class=\"newtier\">newtiername</span>;"
|
||||
},
|
||||
"donation": {
|
||||
"progress": "<span>$${totd}</span> από<span>$${goald}</span>/μήνα, <span>${perc}%</span> του μηνιαίου στόχου.",
|
||||
"upgradePush": "Για να γίνεις συνδρομητής και να αποκτήσεις πρόσβαση σε κούλ οφέλη, επισκέψου την <a href=\"/account/upgrade\">σελίδα αναβάθμισης</a>."
|
||||
},
|
||||
"localizationPage": {
|
||||
"description": "Επικόλλησε έναν σύνδεσμο σε μια δημόσια προσβάσιμη τοποθεσία JSON για να τη δοκιμάσεις στον ιστότοπο",
|
||||
"fileInput": "Αρχείο προς δοκιμή",
|
||||
"button": "Δοκιμαστικό αρχείο",
|
||||
"filePlaceholder": "https://a.link.to/the_file.json",
|
||||
"title": "Ας μεταφράσουμε",
|
||||
"instructions": "Δες οδηγίες μετάφρασης"
|
||||
},
|
||||
"docs": {
|
||||
"quickLinks": {
|
||||
"links": [
|
||||
{
|
||||
"header": "Εγκατάσταση του Pretendo",
|
||||
"caption": "Δες τις οδηγίες προετοιμασίας"
|
||||
},
|
||||
{
|
||||
"header": "Έλαβες σφάλμα;",
|
||||
"caption": "Αναζήτησε το εδώ"
|
||||
}
|
||||
],
|
||||
"header": "Γρήγοροι σύνδεσμοι"
|
||||
},
|
||||
"missingInLocale": "Η σελίδα είναι μη διαθέσιμη στη τοπική γλώσσα σου. Παρακαλώ δές την Αγγλική εκδοχή.",
|
||||
"search": {
|
||||
"caption": "Συμπλήρωσε το στο κουτί παρακάτω για να βρεις πληροφορίες για το πρόβλημα σου!",
|
||||
"no_match": "Δεν βρέθηκαν αποτελέσματα",
|
||||
"title": "Έλαβες κωδικό σφάλματος;",
|
||||
"label": "Κωδικός σφάλματος"
|
||||
},
|
||||
"sidebar": {
|
||||
"install_extended": "Εγκατάσταση του Pretendo",
|
||||
"install": "Εγκατάσταση",
|
||||
"search": "Αναζήτηση",
|
||||
"welcome": "Καλωσόρισες",
|
||||
"getting_started": "Ξεκινώντας",
|
||||
"juxt_err": "Κωδικοί σφάλματος - Juxt"
|
||||
}
|
||||
},
|
||||
"showcase": {
|
||||
"text": "Το project μας έχει πολλές πτυχές. Εδώ είναι μερικές από αυτές.",
|
||||
"cards": [
|
||||
{
|
||||
"title": "Servers παιχνιδιών",
|
||||
"caption": "Επαναφέρουμε τα αγαπημένα σου παιχνίδια και το περιεχόμενο τους μέσω custom servers."
|
||||
},
|
||||
{
|
||||
"title": "Juxtaposition",
|
||||
"caption": "Μια μοντέρνα επανεφεύρεση του Miiverse"
|
||||
},
|
||||
{
|
||||
"caption": "Παίξε τα αγαπημένα σου παιχνίδια από το Wii U ακόμα και χωρίς κονσόλα!",
|
||||
"title": "Υποστήριξη Cemu"
|
||||
}
|
||||
],
|
||||
"title": "Τι δημιουργούμε"
|
||||
},
|
||||
"progressPage": {
|
||||
"description": "Τσέκαρε την πρόοδο και τους στόχους του project! (Ενημερώνεται κάθε μία ώρα περίπου, δεν αντικατοπτρίζει ΟΛΟΥΣ τους στόχους ή την πρόοδο του έργου)",
|
||||
"title": "Η πρόοδος μας"
|
||||
},
|
||||
"modals": {
|
||||
"cancel": "Ακύρωση",
|
||||
"close": "Κλείσιμο",
|
||||
"confirm": "Επιβεβαίωση"
|
||||
}
|
||||
}
|
||||
|
|
|
|||
|
|
@ -14,7 +14,7 @@
|
|||
"captions": {
|
||||
"credits": "see kittehs",
|
||||
"about": "seez infomations",
|
||||
"faq": "frekuent questionz askd",
|
||||
"faq": "frekuentwy askud kweshtunz",
|
||||
"progress": "see projekt progrez",
|
||||
"blog": "new thingzz, but smol"
|
||||
}
|
||||
|
|
@ -31,9 +31,9 @@
|
|||
"text": "pretender iz fre an sethru replazement 4 meanie netwrk's servrs for thre d s an wee yu, letin you plae gaems aftr dey leav"
|
||||
},
|
||||
"aboutUs": {
|
||||
"title": "whut doez it do?!!?!!?!",
|
||||
"title": "whut doez whee due?!!?!!?!",
|
||||
"paragraphs": [
|
||||
"pretender iz a sethru projekt 4 makin zombiz of teh thre d s an wee yu onlien wif shinie lookinz",
|
||||
"pretender iz a sethru projekt 4 makin zombiz of teh thre d s an wee yu onlien wif shinie lookinz.",
|
||||
"bcuz it iz fre an sethru, it livez forevahh!!"
|
||||
]
|
||||
},
|
||||
|
|
@ -54,27 +54,39 @@
|
|||
},
|
||||
{
|
||||
"question": "how doez kitteh use pretender??",
|
||||
"answer": "pretender iz only 4 kittehz wif subzcription!! soemtimez pretender haz open betaz 4 u tho! wil be fre latr."
|
||||
"answer": "yey!! get startd wif pretender be readng <a href=\"/docs/install\">instructionzzz</a>!!"
|
||||
},
|
||||
{
|
||||
"question": "eta wen 4 gaem??",
|
||||
"answer": "gud question. kitteh haz no idea!! multiple kittehs be workin on stuffs."
|
||||
},
|
||||
{
|
||||
"question": "eta wen 4 gaem??",
|
||||
"answer": "pretender workz on gaem when librari cn hold it, w_w dey maek gaem STABEL b4 addin new gaem! nuu ETA!!!!"
|
||||
},
|
||||
{
|
||||
"question": "doez faek gaemr cod3 enough for pretender?",
|
||||
"answer": "naaaaa! 4 da safe-t n secur1-t da emelater gamerz n33d da real gamerz system ;3 dis is to smack if no u foll0w DA RULEZ!"
|
||||
},
|
||||
{
|
||||
"question": "doez pretender work on me faek gaemr!?",
|
||||
"answer": "yez! anythin that workz wif meanie netwrk workz wif pretender. <a href=\"https://pretendo.network/docs/install/cemu\">only cemu haz it tho rite now!</a>"
|
||||
"answer": "da C-EMU workz wif da pretender in s-..\"settingz\"? dey have <a href=\"https://pretendo.network/docs/install/cemu\">da l33t guide</a>, go read dat~<br>sum 3 dee ess gamurz might w3rk, but kitteh not suer!!! citra no worky :("
|
||||
},
|
||||
{
|
||||
"question": "can kitteh gaem on othr kitteh gaemin??",
|
||||
"answer": "nonO!! kitteh can only gaem on teh wee yu an thre d s! <a href=\\\"https://wiimmfi.de/\\\" target=\\\"_blank\\\">wee has wiimmfi tho!!</a>"
|
||||
},
|
||||
{
|
||||
"question": "doez kitteh need hax to gaem?!",
|
||||
"answer": "yez!! kitteh needz hax to gaem. mak sure kitteh press alt f4 4 epik gaemin!!"
|
||||
},
|
||||
{
|
||||
"question": "if kitteh ban'd from teh meanie netwrk, iz still ban'd on pretender?",
|
||||
"answer": "no!! yu is not ban'd! ther is rulez tho, so yu can stil get bananad!!"
|
||||
},
|
||||
{
|
||||
"question": "can kitteh gaem on othr kitteh gaemin??",
|
||||
"answer": "nonO!! kitteh can only gaem on teh wee yu an thre d s! <a href=\"https://wiimmfi.de/\" target=\"_blank\">wee has wiimmfi tho!!</a>"
|
||||
},
|
||||
{
|
||||
"question": "doez kitteh need hax to gaem?!",
|
||||
"answer": "yez!! kitteh needz hax to gaem. mak sure kitteh press alt f4 4 epik gaemin!!"
|
||||
"question": "can kitteh cheat on pretender gamez?",
|
||||
"answer": "only wid friend, but cheat no fair for other kitteh, want ban?"
|
||||
}
|
||||
],
|
||||
"text": "herez sum questionz yu lik 2 ask!!"
|
||||
|
|
@ -99,11 +111,172 @@
|
|||
},
|
||||
"credits": {
|
||||
"title": "dev kittehs",
|
||||
"text": "see kittehz who maek pretender!!"
|
||||
"text": "see kittehz who maek pretender!!",
|
||||
"people": [
|
||||
{
|
||||
"caption": "da big cheez",
|
||||
"name": "jon pretender",
|
||||
"picture": "https://github.com/jonbarrow.png",
|
||||
"github": "https://github.com/jonbarrow"
|
||||
},
|
||||
{
|
||||
"caption": "miiveres kitteh!",
|
||||
"name": "jem :3",
|
||||
"picture": "https://github.com/caramelkat.png",
|
||||
"github": "https://github.com/CaramelKat"
|
||||
},
|
||||
{
|
||||
"caption": "wii u foxish!!!!!",
|
||||
"name": "lucakitteh!! ^^",
|
||||
"picture": "https://github.com/ashquarky.png",
|
||||
"github": "https://github.com/ashquarky"
|
||||
},
|
||||
{
|
||||
"caption": "rezearch kitteh",
|
||||
"name": "supah marioh da vroom",
|
||||
"picture": "https://github.com/supermariodabom.png",
|
||||
"github": "https://github.com/SuperMarioDaBom"
|
||||
},
|
||||
{
|
||||
"caption": "onlien kitteh ^w^",
|
||||
"name": "purple lemonzz :3",
|
||||
"picture": "https://github.com/gitlimes.png",
|
||||
"github": "https://github.com/gitlimes"
|
||||
},
|
||||
{
|
||||
"caption": "servah debeloper kitteh!!!",
|
||||
"name": "camera creature 2k!!!!",
|
||||
"picture": "https://cdn.discordapp.com/avatars/191370953807233024/0311b61e2009c1576828dd2e9a59d72e.png?size=128",
|
||||
"github": "https://github.com/shutterbug2000"
|
||||
},
|
||||
{
|
||||
"caption": "gaem history saveh kiteh,,",
|
||||
"name": "billeh!",
|
||||
"picture": "https://github.com/InternalLoss.png",
|
||||
"github": "https://github.com/InternalLoss"
|
||||
},
|
||||
{
|
||||
"caption": "server dev kitteh o.o",
|
||||
"name": "daneh zappy...",
|
||||
"picture": "https://github.com/danielectra.png",
|
||||
"github": "https://github.com/DaniElectra"
|
||||
},
|
||||
{
|
||||
"caption": "website servah kitteh!! ^^",
|
||||
"name": "og kitteh!!!!",
|
||||
"picture": "https://github.com/hauntii.png",
|
||||
"github": "https://github.com/hauntii"
|
||||
},
|
||||
{
|
||||
"caption": "deb..ops..? kitteh!",
|
||||
"name": "matteh",
|
||||
"picture": "https://github.com/MatthewL246.png",
|
||||
"github": "https://github.com/MatthewL246"
|
||||
},
|
||||
{
|
||||
"caption": "servah kitteh n speedi kitteh!",
|
||||
"name": "wolfiiii! ^^",
|
||||
"picture": "https://github.com/wolfendale.png",
|
||||
"github": "https://github.com/wolfendale"
|
||||
},
|
||||
{
|
||||
"caption": "duel screeh reseacha!!",
|
||||
"name": "traceh bored >:(",
|
||||
"picture": "https://github.com/TraceEntertains.png",
|
||||
"github": "https://github.com/TraceEntertains"
|
||||
}
|
||||
]
|
||||
},
|
||||
"specialThanks": {
|
||||
"title": "speshul thx",
|
||||
"text": "theze kittehs helpd!!"
|
||||
"text": "theze kittehs helpd!!",
|
||||
"people": [
|
||||
{
|
||||
"name": "geethub contrwibutahs!!!!! uwu",
|
||||
"caption": "wocawizawitwions n moar!!!!",
|
||||
"picture": "https://github.githubassets.com/images/modules/logos_page/GitHub-Mark.png",
|
||||
"github": "https://github.com/PretendoNetwork"
|
||||
},
|
||||
{
|
||||
"caption": "crunchii libwrary dev!!!",
|
||||
"name": "uber whiskahs!!!!! (superwhiskers)",
|
||||
"picture": "https://github.com/superwhiskers.png",
|
||||
"github": "https://github.com/superwhiskers"
|
||||
},
|
||||
{
|
||||
"caption": "duel scweeen debeprobah and pachket takher-apahter!",
|
||||
"name": "staweh :3 (Stary)",
|
||||
"picture": "https://github.com/Stary2001.png",
|
||||
"github": "https://github.com/Stary2001"
|
||||
},
|
||||
{
|
||||
"caption": "we steal their code :3",
|
||||
"name": "green juxt!",
|
||||
"picture": "https://github.com/rverseTeam.png",
|
||||
"github": "https://twitter.com/rverseClub"
|
||||
},
|
||||
{
|
||||
"special": "speshul thx",
|
||||
"caption": "gawd of meanine weseawch!!!!",
|
||||
"name": "kinneh!",
|
||||
"picture": "https://cdn.discordapp.com/avatars/186572995848830987/b55c0d4e7bfd792edf0689f83a25d8ea.png?size=128",
|
||||
"github": "https://github.com/Kinnay"
|
||||
},
|
||||
{
|
||||
"caption": "icwn designah!!!!",
|
||||
"name": "ninstah! ^w^",
|
||||
"picture": "https://github.com/ninstar.png",
|
||||
"github": "https://github.com/ninstar"
|
||||
},
|
||||
{
|
||||
"caption": "gaem reseawchhh n dev!",
|
||||
"name": "rambeh >:3",
|
||||
"picture": "https://github.com/EpicUsername12.png",
|
||||
"github": "https://github.com/EpicUsername12"
|
||||
},
|
||||
{
|
||||
"caption": "wiiuu pwatchy hacky! ^w^",
|
||||
"name": "gary (cool one!)",
|
||||
"picture": "https://github.com/GaryOderNichts.png",
|
||||
"github": "https://github.com/GaryOderNichts"
|
||||
},
|
||||
{
|
||||
"caption": "duaaalsccween haxorz!!!! owo",
|
||||
"name": "zak is da 3ds beast",
|
||||
"picture": "https://cdn.discordapp.com/avatars/219324395707957248/c62573fbd4d26c8b4724f54413df6960.png?size=128",
|
||||
"github": "https://github.com/zaksabeast"
|
||||
},
|
||||
{
|
||||
"caption": "servah maker!!! ^u^",
|
||||
"name": "jvkitteh fr",
|
||||
"picture": "https://github.com/mrjvs.png",
|
||||
"github": "https://github.com/mrjvs"
|
||||
},
|
||||
{
|
||||
"caption": "g-gopah??? gopah??????",
|
||||
"name": "binareh mcbinareh ^w^",
|
||||
"picture": "https://github.com/binaryoverload.png",
|
||||
"github": "https://github.com/binaryoverload"
|
||||
},
|
||||
{
|
||||
"caption": "splooner!",
|
||||
"name": "slimon!!!",
|
||||
"picture": "https://github.com/Simonx22.png",
|
||||
"github": "https://github.com/Simonx22"
|
||||
},
|
||||
{
|
||||
"caption": "splooner,,,",
|
||||
"name": "porridge creature :3",
|
||||
"picture": "https://github.com/OatmealDome.png",
|
||||
"github": "https://github.com/OatmealDome"
|
||||
},
|
||||
{
|
||||
"name": "gwitwub fwends!!",
|
||||
"caption": "dey maek langwage gud u.u",
|
||||
"picture": "https://github.githubassets.com/images/modules/logos_page/GitHub-Mark.png",
|
||||
"github": "https://github.com/PretendoNetwork"
|
||||
}
|
||||
]
|
||||
},
|
||||
"discordJoin": {
|
||||
"text": "entr de discord for new infoz from kittehs 4 pretender!!",
|
||||
|
|
@ -132,7 +305,8 @@
|
|||
"sooper maro wurld too - yoshees is land's theme is amazng!!",
|
||||
"meh favorit nontendo swatch releses hav ben nontendo swatch onlien + expanshun pak, nontendo swatch onlien + rumbly pak, nontendo swatch online + oflin pley pak, nontendo swatch onlin + yet anotha port pak, an nontendo swatch onlin + bren smert trainin pak. yu kan rely tel nontendo kares.",
|
||||
"liek, \"yu kno ash, bles her heawt, she uwus all day\" is the sothern nice wae of sayin \"ash uwus all teh tiem and its realy weird an stupid an i wish they didnt\"",
|
||||
"Connection terminated. I'm sorry to interrupt you, Elizabeth, if you still even remember that name, But I'm afraid you've been misinformed. You are not here to receive a gift, nor have you been called here by the individual you assume, although, you have indeed been called. You have all been called here, into a labyrinth of sounds and smells, misdirection and misfortune. A labyrinth with no exit, a maze with no prize. You don't even realize that you are trapped. Your lust for blood has driven you in endless circles, chasing the cries of children in some unseen chamber, always seeming so near, yet somehow out of reach, but you will never find them. None of you will. This is where your story ends. And to you, my brave volunteer, who somehow found this job listing not intended for you, although there was a way out planned for you, I have a feeling that's not what you want. I have a feeling that you are right where you want to be. I am remaining as well. I am nearby. This place will not be remembered, and the memory of everything that started this can finally begin to fade away. As the agony of every tragedy should. And to you monsters trapped in the corridors, be still and give up your spirits. They don't belong to you. For most of you, I believe there is peace and perhaps more waiting for you after the smoke clears. Although, for one of you, the darkest pit of Hell has opened to swallow you whole, so don't keep the devil waiting, old friend. My daughter, if you can hear me, I knew you would return as well. It's in your nature to protect the innocent. I'm sorry that on that day, the day you were shut out and left to die, no one was there to lift you up into their arms the way you lifted others into yours, and then, what became of you. I should have known you wouldn't be content to disappear, not my daughter. I couldn't save you then, so let me save you now. It's time to rest - for you, and for those you have carried in your arms. This ends for all of us. End communication."
|
||||
"Connection terminated. I'm sorry to interrupt you, Elizabeth, if you still even remember that name, But I'm afraid you've been misinformed. You are not here to receive a gift, nor have you been called here by the individual you assume, although, you have indeed been called. You have all been called here, into a labyrinth of sounds and smells, misdirection and misfortune. A labyrinth with no exit, a maze with no prize. You don't even realize that you are trapped. Your lust for blood has driven you in endless circles, chasing the cries of children in some unseen chamber, always seeming so near, yet somehow out of reach, but you will never find them. None of you will. This is where your story ends. And to you, my brave volunteer, who somehow found this job listing not intended for you, although there was a way out planned for you, I have a feeling that's not what you want. I have a feeling that you are right where you want to be. I am remaining as well. I am nearby. This place will not be remembered, and the memory of everything that started this can finally begin to fade away. As the agony of every tragedy should. And to you monsters trapped in the corridors, be still and give up your spirits. They don't belong to you. For most of you, I believe there is peace and perhaps more waiting for you after the smoke clears. Although, for one of you, the darkest pit of Hell has opened to swallow you whole, so don't keep the devil waiting, old friend. My daughter, if you can hear me, I knew you would return as well. It's in your nature to protect the innocent. I'm sorry that on that day, the day you were shut out and left to die, no one was there to lift you up into their arms the way you lifted others into yours, and then, what became of you. I should have known you wouldn't be content to disappear, not my daughter. I couldn't save you then, so let me save you now. It's time to rest - for you, and for those you have carried in your arms. This ends for all of us. End communication.",
|
||||
"awooooooooooooooooooooooooooooooooooooooooooooo!"
|
||||
]
|
||||
},
|
||||
"progressPage": {
|
||||
|
|
@ -186,8 +360,6 @@
|
|||
"no_signins_notice": "kitteh is not watchin logins... i wil latr!!",
|
||||
"no_edit_from_dashboard": "changin yor kitteh opshuns from interwebs is nono!! do from yor konsole."
|
||||
},
|
||||
"downloadFiles": "downlod kitteh datas",
|
||||
"downloadFilesDescription": "(kitteh datas wil not work on meanie netwrk!!)",
|
||||
"unavailable": "no :(",
|
||||
"upgrade": "become super kitteh"
|
||||
},
|
||||
|
|
@ -222,7 +394,7 @@
|
|||
"unsub": "stop being super kitteh :(",
|
||||
"description": "reachin goal givez kittehz muns for devin, gettin better new stuffz fastr!!",
|
||||
"back": "bak",
|
||||
"unsubPrompt": "are u sur u wanna stop bein <span>tiername</span>?! u will lose all kitteh perkz instantly!!",
|
||||
"unsubPrompt": "are u sur u wanna stop bein <span>tiername</span>?! u will lose all kitteh perkz immediately!!",
|
||||
"changeTier": "change super kitteh level",
|
||||
"changeTierConfirm": "yezyez, change!!"
|
||||
},
|
||||
|
|
@ -278,5 +450,8 @@
|
|||
"donation": {
|
||||
"progress": "<span>$${totd}</span> of <span>$${goald}</span>/munth, <span>${perc}%</span> of teh monthly goal",
|
||||
"upgradePush": "u wanna become super kitteh and get kool perkz?? <a href=\"/account/upgrade\">upgrade now!!</a>"
|
||||
},
|
||||
"notfound": {
|
||||
"description": "uh oh! we did a widdle fucky wucky! oopsie daisie! oh noes!!!!!"
|
||||
}
|
||||
}
|
||||
|
|
|
|||
|
|
@ -34,7 +34,7 @@
|
|||
"title": "About us",
|
||||
"paragraphs": [
|
||||
"Pretendo is an open-source project that aims to recreate Nintendo Network for the 3DS and Wii U using clean-room reverse engineering.",
|
||||
"As our services would be both free and open source, they can exist long after the inevitable closure of Nintendo Network."
|
||||
"Since our services are free and open source, they will exist long into the future."
|
||||
]
|
||||
},
|
||||
"progress": {
|
||||
|
|
@ -55,19 +55,23 @@
|
|||
},
|
||||
{
|
||||
"question": "How do I use Pretendo?",
|
||||
"answer": "Pretendo is currently not in a state that is ready for public use. However, once it is, you will be able to use Pretendo simply by running our homebrew patcher on your console."
|
||||
"answer": "To get started with Pretendo Network on 3DS, Wii U or emulators, please see our <a href='/docs/install'>setup instructions</a>!"
|
||||
},
|
||||
{
|
||||
"question": "Do you know when feature/service will be ready?",
|
||||
"answer": "No. Lots of Pretendo's features/services are developed independently (for example, Miiverse may be worked on by one developer while Accounts and Friends is being worked on by another) and therefore we cannot give an overall ETA for how long this will take."
|
||||
},
|
||||
{
|
||||
"question": "Does Pretendo work on Cemu/emulators?",
|
||||
"answer": "Pretendo supports any client that can interact with Nintendo Network. Currently, the only emulator with this kind of functionality is Cemu. Cemu 2.0 officially supports Pretendo under your network account options in the emulator. For information on how to get started with Cemu, check out the <a href=\"https://pretendo.network/docs/install/cemu\">documentation</a>.<br>Citra does not support true online play and thus does not work with Pretendo, and does not show signs of supporting true online play at all. Mikage, a 3DS emulator for PC and mobile devices, may provide support in the future, though this is far from certain."
|
||||
"question": "When will you add more games?",
|
||||
"answer": "We work on new games once we feel that our backend libraries are ready to support it, and there is developer time available to maintain it. A lot of our work goes into stabilising and completing our existing games - we want to get the best experience possible in those before we move on to new titles. Since new work comes up all the time, we cannot make any estimate of when that would be."
|
||||
},
|
||||
{
|
||||
"question": "If I am banned on Nintendo Network, will I stay banned when using Pretendo?",
|
||||
"answer": "We will not have access to Nintendo Network's bans, and all users will not be banned on our service. However, we will have rules to follow when using the service and failing to follow these rules could result in a ban."
|
||||
"question": "If I use an emulator, will that be enough to use Pretendo?",
|
||||
"answer": "No. For purposes of security and moderation, if you are using an emulator, you still need a real console. This allows for improved security and more effective enforcement of rules in order to provide a safe and enjoyable experience with our service."
|
||||
},
|
||||
{
|
||||
"question": "Does Pretendo work on Cemu/emulators?",
|
||||
"answer": "Cemu 2.1 officially supports Pretendo under your network account options in the emulator. For information on how to get started with Cemu, check out the <a href=\"https://pretendo.network/docs/install/cemu\">documentation</a>.<br>Some 3DS emulators or forks might support us, but we do not have any official recommendation or setup instructions at this time. The final builds of Citra do not support Pretendo."
|
||||
},
|
||||
{
|
||||
"question": "Will Pretendo support the Wii/Switch?",
|
||||
|
|
@ -75,7 +79,15 @@
|
|||
},
|
||||
{
|
||||
"question": "Will I need hacks to connect?",
|
||||
"answer": "Yes, you will need to hack your device to connect; however, on the Wii U, you will only need access to the Homebrew Launcher (i.e. Tiramisu, Aroma, or even the web browser exploit), with info on how the 3DS will connect coming at a later date."
|
||||
"answer": "For the best experience on consoles, you will need to hack your system - specifically Aroma for Wii U and Luma3DS for 3DS. However, on Wii U, the hackless SSSL method is also available with limited functionality. See our <a href=\"/docs/install\">setup instructions</a> for details."
|
||||
},
|
||||
{
|
||||
"question": "If I am banned on Nintendo Network, will I stay banned when using Pretendo?",
|
||||
"answer": "We do not have access to Nintendo Network's bans, so all Nintendo Network users are not banned. However, we have rules to follow when using the service and failing to follow these rules could result in a ban."
|
||||
},
|
||||
{
|
||||
"question": "Can I use cheats or mods online with Pretendo?",
|
||||
"answer": "Only in private matches - gaining an unfair advantage or disrupting the online experience with people who didn't consent (as in public matches) is a bannable offence. We regularly apply account and console bans to both Wii U and 3DS systems. Pretendo uses extra security measures that make traditional 'unban' methods like changing your serial number ineffective."
|
||||
}
|
||||
]
|
||||
},
|
||||
|
|
@ -99,11 +111,172 @@
|
|||
},
|
||||
"credits": {
|
||||
"title": "The team",
|
||||
"text": "Meet the team behind the project"
|
||||
"text": "Meet the team behind the project",
|
||||
"people": [
|
||||
{
|
||||
"name": "Jonathan Barrow (jonbarrow)",
|
||||
"caption": "Project owner and lead developer",
|
||||
"picture": "https://github.com/jonbarrow.png",
|
||||
"github": "https://github.com/jonbarrow"
|
||||
},
|
||||
{
|
||||
"picture": "https://github.com/caramelkat.png",
|
||||
"github": "https://github.com/CaramelKat",
|
||||
"name": "Jemma (CaramelKat)",
|
||||
"caption": "Miiverse research and development"
|
||||
},
|
||||
{
|
||||
"picture": "https://github.com/ashquarky.png",
|
||||
"github": "https://github.com/ashquarky",
|
||||
"caption": "Wii U research and patch development",
|
||||
"name": "quarky"
|
||||
},
|
||||
{
|
||||
"name": "SuperMarioDaBom",
|
||||
"github": "https://github.com/SuperMarioDaBom",
|
||||
"caption": "Systems research and server architecture",
|
||||
"picture": "https://github.com/supermariodabom.png"
|
||||
},
|
||||
{
|
||||
"name": "pinklimes",
|
||||
"caption": "Web development",
|
||||
"picture": "https://github.com/gitlimes.png",
|
||||
"github": "https://github.com/gitlimes"
|
||||
},
|
||||
{
|
||||
"github": "https://github.com/shutterbug2000",
|
||||
"name": "Shutterbug2000",
|
||||
"caption": "Systems research and server development",
|
||||
"picture": "https://cdn.discordapp.com/avatars/191370953807233024/0311b61e2009c1576828dd2e9a59d72e.png?size=128"
|
||||
},
|
||||
{
|
||||
"name": "Billy",
|
||||
"caption": "Preservationist and server architecture",
|
||||
"picture": "https://github.com/InternalLoss.png",
|
||||
"github": "https://github.com/InternalLoss"
|
||||
},
|
||||
{
|
||||
"caption": "Systems research and server development",
|
||||
"picture": "https://github.com/danielectra.png",
|
||||
"name": "DaniElectra",
|
||||
"github": "https://github.com/DaniElectra"
|
||||
},
|
||||
{
|
||||
"name": "niko",
|
||||
"caption": "Web and server development",
|
||||
"picture": "https://github.com/hauntii.png",
|
||||
"github": "https://github.com/hauntii"
|
||||
},
|
||||
{
|
||||
"picture": "https://github.com/MatthewL246.png",
|
||||
"github": "https://github.com/MatthewL246",
|
||||
"name": "MatthewL246",
|
||||
"caption": "DevOps and community work"
|
||||
},
|
||||
{
|
||||
"name": "wolfendale",
|
||||
"caption": "Server development and optimisation",
|
||||
"picture": "https://github.com/wolfendale.png",
|
||||
"github": "https://github.com/wolfendale"
|
||||
},
|
||||
{
|
||||
"name": "TraceEntertains",
|
||||
"caption": "3DS patch development and research",
|
||||
"picture": "https://github.com/TraceEntertains.png",
|
||||
"github": "https://github.com/TraceEntertains"
|
||||
}
|
||||
]
|
||||
},
|
||||
"specialThanks": {
|
||||
"title": "Special thanks",
|
||||
"text": "Without these people. Pretendo wouldn't be where it is today."
|
||||
"text": "Without these people. Pretendo wouldn't be where it is today.",
|
||||
"people": [
|
||||
{
|
||||
"name": "GitHub contributors",
|
||||
"caption": "Localisations and other contributions",
|
||||
"picture": "https://github.githubassets.com/images/modules/logos_page/GitHub-Mark.png",
|
||||
"github": "https://github.com/PretendoNetwork"
|
||||
},
|
||||
{
|
||||
"github": "https://github.com/superwhiskers",
|
||||
"name": "superwhiskers",
|
||||
"caption": "crunch library development",
|
||||
"picture": "https://github.com/superwhiskers.png"
|
||||
},
|
||||
{
|
||||
"caption": "3DS development and NEX dissector",
|
||||
"picture": "https://github.com/Stary2001.png",
|
||||
"github": "https://github.com/Stary2001",
|
||||
"name": "Stary"
|
||||
},
|
||||
{
|
||||
"github": "https://twitter.com/rverseClub",
|
||||
"name": "rverse",
|
||||
"caption": "Miiverse information sharing",
|
||||
"picture": "https://github.com/rverseTeam.png"
|
||||
},
|
||||
{
|
||||
"caption": "Research on Nintendo datastructures",
|
||||
"name": "Kinnay",
|
||||
"special": "Special thanks",
|
||||
"picture": "https://cdn.discordapp.com/avatars/186572995848830987/b55c0d4e7bfd792edf0689f83a25d8ea.png?size=128",
|
||||
"github": "https://github.com/Kinnay"
|
||||
},
|
||||
{
|
||||
"name": "NinStar",
|
||||
"caption": "Icons for the Mii Editor and Juxt reactions",
|
||||
"picture": "https://github.com/ninstar.png",
|
||||
"github": "https://github.com/ninstar"
|
||||
},
|
||||
{
|
||||
"name": "Rambo6Glaz",
|
||||
"caption": "Console research and game servers",
|
||||
"picture": "https://github.com/EpicUsername12.png",
|
||||
"github": "https://github.com/EpicUsername12"
|
||||
},
|
||||
{
|
||||
"caption": "Wii U patch development",
|
||||
"picture": "https://github.com/GaryOderNichts.png",
|
||||
"name": "GaryOderNichts",
|
||||
"github": "https://github.com/GaryOderNichts"
|
||||
},
|
||||
{
|
||||
"name": "zaksabeast",
|
||||
"caption": "3DS patch creator",
|
||||
"github": "https://github.com/zaksabeast",
|
||||
"picture": "https://cdn.discordapp.com/avatars/219324395707957248/c62573fbd4d26c8b4724f54413df6960.png?size=128"
|
||||
},
|
||||
{
|
||||
"name": "mrjvs",
|
||||
"caption": "Server architecture",
|
||||
"picture": "https://github.com/mrjvs.png",
|
||||
"github": "https://github.com/mrjvs"
|
||||
},
|
||||
{
|
||||
"caption": "Server architecture",
|
||||
"picture": "https://github.com/binaryoverload.png",
|
||||
"github": "https://github.com/binaryoverload",
|
||||
"name": "binaryoverload"
|
||||
},
|
||||
{
|
||||
"name": "Simonx22",
|
||||
"caption": "Splatoon rotations and research",
|
||||
"picture": "https://github.com/Simonx22.png",
|
||||
"github": "https://github.com/Simonx22"
|
||||
},
|
||||
{
|
||||
"caption": "Splatoon rotations and research",
|
||||
"picture": "https://github.com/OatmealDome.png",
|
||||
"name": "OatmealDome",
|
||||
"github": "https://github.com/OatmealDome"
|
||||
},
|
||||
{
|
||||
"name": "GitHub contributors",
|
||||
"caption": "Localizations and other contributions",
|
||||
"github": "https://github.com/PretendoNetwork",
|
||||
"picture": "https://github.githubassets.com/images/modules/logos_page/GitHub-Mark.png"
|
||||
}
|
||||
]
|
||||
},
|
||||
"discordJoin": {
|
||||
"title": "Stay up to date",
|
||||
|
|
@ -132,7 +305,8 @@
|
|||
"Super Mario World 2 - Yoshi's Island's main theme is an absolute bop and there's no way you're going to convince me otherwise.",
|
||||
"My favourite Nintendo Switch releases have been Nintendo Switch Online + Expansion Pack, Nintendo Switch Online + Rumble Pak, Nintendo Switch Online + Offline Play Pack, Nintendo Switch Online + Yet Another Port Pak, and Nintendo Switch Online + Dr. Kawashima's Brain Training / Brain Age \" You Really Liked The Nintendo Wii U Virtual Console Title, So We're Bringing It Back\" Pack. You can really tell Nintendo cares.",
|
||||
"Like \"You know Ash, bless their heart, they UwU all day\" is the southern nice way of saying \"Ash UwUs all the time and it's really weird and stupid and I wish they didn't\"",
|
||||
"My first video on my channel!! iv been wanting to make videos for a long time now but my laptop ran pretty bad and i couldn't run fraps, skype and minecraft all at once. but now thats over! with some help from my IT teacher my laptop runs alot better and i can record now! i hope y'all enjoy and if you do please like and subscribe!!!"
|
||||
"My first video on my channel!! iv been wanting to make videos for a long time now but my laptop ran pretty bad and i couldn't run fraps, skype and minecraft all at once. but now thats over! with some help from my IT teacher my laptop runs alot better and i can record now! i hope y'all enjoy and if you do please like and subscribe!!!",
|
||||
"Looks Good To Me"
|
||||
]
|
||||
},
|
||||
"progressPage": {
|
||||
|
|
@ -174,8 +348,6 @@
|
|||
"password": "Password"
|
||||
},
|
||||
"settings": {
|
||||
"downloadFiles": "Download account files",
|
||||
"downloadFilesDescription": "(will not work on Nintendo Network)",
|
||||
"upgrade": "Upgrade account",
|
||||
"unavailable": "Unavailable",
|
||||
"settingCards": {
|
||||
|
|
@ -228,7 +400,7 @@
|
|||
"description": "Reaching the monthly goal will make Pretendo a full time job, providing better quality updates at a faster rate.",
|
||||
"month": "month",
|
||||
"tierSelectPrompt": "Select a tier",
|
||||
"unsubPrompt": "Are you sure you want to unsubscribe from <span>tiername</span>? You will lose access to the perks associated with that tier.",
|
||||
"unsubPrompt": "Are you sure you want to unsubscribe from <span>tiername</span>? You will <span>immediately</span> lose access to the perks associated with that tier.",
|
||||
"changeTier": "Change tier",
|
||||
"changeTierPrompt": "Are you sure you want to unsubscribe from <span class=\"oldtier\">oldtiername</span> and subscribe to <span class=\"newtier\">newtiername</span>?"
|
||||
},
|
||||
|
|
@ -278,5 +450,8 @@
|
|||
"cancel": "Cancel",
|
||||
"confirm": "Confirm",
|
||||
"close": "Close"
|
||||
},
|
||||
"notfound": {
|
||||
"description": "Oops! We could not find this page."
|
||||
}
|
||||
}
|
||||
|
|
|
|||
|
|
@ -34,7 +34,7 @@
|
|||
"title": "About us",
|
||||
"paragraphs": [
|
||||
"Pretendo is an open-source project that aims to recreate Nintendo Network for the 3DS and Wii U using clean-room reverse engineering.",
|
||||
"As our services would be both free and open source, they can exist long after the inevitable closure of Nintendo Network."
|
||||
"Since our services are free and open source, they will exist long into the future."
|
||||
]
|
||||
},
|
||||
"progress": {
|
||||
|
|
@ -55,19 +55,23 @@
|
|||
},
|
||||
{
|
||||
"question": "How do I use Pretendo?",
|
||||
"answer": "Pretendo is currently not in a state that is ready for public use. However, once it is you will be able to use Pretendo simply by running our homebrew patcher on your console."
|
||||
"answer": "To get started with Pretendo Network on 3DS, Wii U or emulators, please see our <a href='/docs/install'>setup instructions</a>!"
|
||||
},
|
||||
{
|
||||
"question": "Do you know when feature/service will be ready?",
|
||||
"answer": "No. Lots of Pretendo's features/services are developed independently (for example, Miiverse may be worked on by one developer while Accounts and Friends is being worked on by another) and therefore we cannot give an overall ETA for how long this will take."
|
||||
},
|
||||
{
|
||||
"question": "Does Pretendo work on Cemu/emulators?",
|
||||
"answer": "Pretendo supports any client that can interact with Nintendo Network. Currently the only emulator with this kind of functionality is Cemu. Cemu 2.0 officially supports Pretendo under your network account options in the emulator. For information on how to get started with Cemu, check out the <a href='https://pretendo.network/docs/install/cemu'>documentation</a>.<br>Citra does not support true online play and thus does not work with Pretendo, and does not show signs of supporting true online play at all. Mikage, a 3DS emulator for mobile devices, may provide support in the future though this is far from certain."
|
||||
"question": "When will you add more games?",
|
||||
"answer": "We work on new games once we feel that our backend libraries are ready to support it, and there is developer time available to maintain it. A lot of our work goes into stabilizing and completing our existing games - we want to get the best experience possible in those before we move on to new titles. Since new work comes up all the time, we cannot make any estimate of when that would be."
|
||||
},
|
||||
{
|
||||
"question": "If I am banned on Nintendo Network, will I stay banned when using Pretendo?",
|
||||
"answer": "We will not have access to Nintendo Network's bans, and all users will not be banned on our service. However, we will have rules to follow when using the service and failing to follow these rules could result in a ban."
|
||||
"question": "If I use an emulator, will that be enough to use Pretendo?",
|
||||
"answer": "No. For purposes of security and moderation, if you are using an emulator, you still need a real console. This allows for improved security and more effective enforcement of rules in order to provide a safe and enjoyable experience with our service."
|
||||
},
|
||||
{
|
||||
"question": "Does Pretendo work on Cemu/emulators?",
|
||||
"answer": "Cemu 2.1 officially supports Pretendo under your network account options in the emulator. For information on how to get started with Cemu, check out the <a href='https://pretendo.network/docs/install/cemu'>documentation</a>.<br>Some 3DS emulators or forks might support us, but we do not have any official recommendation or setup instructions at this time. The final builds of Citra do not support Pretendo."
|
||||
},
|
||||
{
|
||||
"question": "Will Pretendo support the Wii/Switch?",
|
||||
|
|
@ -75,7 +79,15 @@
|
|||
},
|
||||
{
|
||||
"question": "Will I need hacks to connect?",
|
||||
"answer": "Yes, you will need to hack your device to connect; however, on Wii U you will only need access to the Homebrew Launcher (i.e. Haxchi, Coldboot Haxchi, or even the web browser exploit), with info on how the 3DS will connect coming at a later date."
|
||||
"answer": "For the best experience on consoles, you will need to hack your system - specifially Aroma for Wii U and Luma3DS for 3DS. However, on Wii U, the hackless SSSL method is also available with limited functionality. See our <a href='/docs/install'>setup instructions</a> for details."
|
||||
},
|
||||
{
|
||||
"question": "If I am banned on Nintendo Network, will I stay banned when using Pretendo?",
|
||||
"answer": "We do not have access to Nintendo Network's bans, so all Nintendo Network users are not banned. However, we have rules to follow when using the service and failing to follow these rules could result in a ban."
|
||||
},
|
||||
{
|
||||
"question": "Can I use cheats or mods online with Pretendo?",
|
||||
"answer": "Only in private matches - gaining an unfair advantage or disrupting the online experience with people who didn't consent (as in public matches) is a bannable offense. We regularly apply account and console bans to both Wii U and 3DS systems. Pretendo uses extra security measures that make traditional 'unban' methods like changing your serial number ineffective."
|
||||
}
|
||||
]
|
||||
},
|
||||
|
|
@ -154,6 +166,24 @@
|
|||
"caption": "Web and server development",
|
||||
"picture": "https://github.com/hauntii.png",
|
||||
"github": "https://github.com/hauntii"
|
||||
},
|
||||
{
|
||||
"name": "MatthewL246",
|
||||
"caption": "DevOps and community work",
|
||||
"picture": "https://github.com/MatthewL246.png",
|
||||
"github": "https://github.com/MatthewL246"
|
||||
},
|
||||
{
|
||||
"name": "wolfendale",
|
||||
"caption": "Server development and optimization",
|
||||
"picture": "https://github.com/wolfendale.png",
|
||||
"github": "https://github.com/wolfendale"
|
||||
},
|
||||
{
|
||||
"name": "TraceEntertains",
|
||||
"caption": "3DS patch development and research",
|
||||
"picture": "https://github.com/TraceEntertains.png",
|
||||
"github": "https://github.com/TraceEntertains"
|
||||
}
|
||||
]
|
||||
},
|
||||
|
|
@ -175,7 +205,7 @@
|
|||
},
|
||||
{
|
||||
"name": "Stary",
|
||||
"caption": "3DS dev and NEX dissector",
|
||||
"caption": "3DS development and NEX dissector",
|
||||
"picture": "https://github.com/Stary2001.png",
|
||||
"github": "https://github.com/Stary2001"
|
||||
},
|
||||
|
|
@ -200,7 +230,7 @@
|
|||
},
|
||||
{
|
||||
"name": "Rambo6Glaz",
|
||||
"caption": "Network installer and console research",
|
||||
"caption": "Console research and game servers",
|
||||
"picture": "https://github.com/EpicUsername12.png",
|
||||
"github": "https://github.com/EpicUsername12"
|
||||
},
|
||||
|
|
@ -215,6 +245,36 @@
|
|||
"caption": "3DS patch creator",
|
||||
"picture": "https://cdn.discordapp.com/avatars/219324395707957248/c62573fbd4d26c8b4724f54413df6960.png?size=128",
|
||||
"github": "https://github.com/zaksabeast"
|
||||
},
|
||||
{
|
||||
"name": "mrjvs",
|
||||
"caption": "Server architecture",
|
||||
"picture": "https://github.com/mrjvs.png",
|
||||
"github": "https://github.com/mrjvs"
|
||||
},
|
||||
{
|
||||
"name": "binaryoverload",
|
||||
"caption": "Server architecture",
|
||||
"picture": "https://github.com/binaryoverload.png",
|
||||
"github": "https://github.com/binaryoverload"
|
||||
},
|
||||
{
|
||||
"name": "Simonx22",
|
||||
"caption": "Splatoon rotations and research",
|
||||
"picture": "https://github.com/Simonx22.png",
|
||||
"github": "https://github.com/Simonx22"
|
||||
},
|
||||
{
|
||||
"name": "OatmealDome",
|
||||
"caption": "Splatoon rotations and research",
|
||||
"picture": "https://github.com/OatmealDome.png",
|
||||
"github": "https://github.com/OatmealDome"
|
||||
},
|
||||
{
|
||||
"name": "GitHub contributors",
|
||||
"caption": "Localizations and other contributions",
|
||||
"picture": "https://github.githubassets.com/images/modules/logos_page/GitHub-Mark.png",
|
||||
"github": "https://github.com/PretendoNetwork"
|
||||
}
|
||||
]
|
||||
},
|
||||
|
|
@ -245,7 +305,8 @@
|
|||
"Super Mario World 2 - Yoshi's Island's main theme is an absolute bop and there's no way you're gonna convince me otherwise.",
|
||||
"My favorite Nintendo Switch releases have been Nintendo Switch Online + Expansion Pack, Nintendo Switch Online + Rumble Pak, Nintendo Switch Online + Offline Play Pack, Nintendo Switch Online + Yet Another Port Pack, and Nintendo Switch Online + Dr. Kawashima's Brain Training / Brain Age \"You Really Liked The Nintendo Wii U Virtual Console Title, So We're Bringing It Back\" Pack. You can really tell Nintendo cares.",
|
||||
"Like \"You know Ash, bless her heart, she UwU’s all day\" is the southern nice way of saying \"Ash uwus all the time and it’s really weird and stupid and I wish they didn't\"",
|
||||
"My first video on my channel!! iv been wanting to make videos for a long time now but my laptop ran pretty bad and i couldn't run fraps, skype and minecraft all at once. but now thats over! with some help from my IT teacher my laptop runs alot better and i can record now! i hope y'all enjoy and if you do please like and subscribe!!!"
|
||||
"My first video on my channel!! iv been wanting to make videos for a long time now but my laptop ran pretty bad and i couldn't run fraps, skype and minecraft all at once. but now thats over! with some help from my IT teacher my laptop runs alot better and i can record now! i hope y'all enjoy and if you do please like and subscribe!!!",
|
||||
"Looks Good To Me"
|
||||
]
|
||||
},
|
||||
"progressPage": {
|
||||
|
|
@ -287,8 +348,6 @@
|
|||
"submit": "Submit"
|
||||
},
|
||||
"settings": {
|
||||
"downloadFiles": "Download account files",
|
||||
"downloadFilesDescription": "(will not work on Nintendo Network)",
|
||||
"upgrade": "Upgrade account",
|
||||
"unavailable": "Unavailable",
|
||||
"settingCards": {
|
||||
|
|
@ -322,6 +381,13 @@
|
|||
"no_signins_notice": "Sign in history not currently tracked. Check back again later!",
|
||||
"no_newsletter_notice": "Newsletter not currently available. Check back again later",
|
||||
"no_edit_from_dashboard": "Editing PNID settings from user dashboard is currently unavailable. Please update user settings from your linked game console"
|
||||
},
|
||||
"delete": {
|
||||
"button": "Delete Account",
|
||||
"modalTitle": "Delete PNID",
|
||||
"modalDescription": "Are you sure you want to delete your PNID? Your data across services such as the forums, Miiverse, etc. will all be removed. Your Stripe data and subscription will also be automatically deleted.",
|
||||
"modalCaution": "This action cannot be undone.",
|
||||
"modalConfirm": "Yes, delete"
|
||||
}
|
||||
},
|
||||
"accountLevel": [
|
||||
|
|
@ -338,7 +404,7 @@
|
|||
"month": "month",
|
||||
"tierSelectPrompt": "Select a tier",
|
||||
"unsub": "Unsubscribe",
|
||||
"unsubPrompt": "Are you sure you want to unsubscribe from <span>tiername</span>? You will lose access to the perks associated with that tier.",
|
||||
"unsubPrompt": "Are you sure you want to unsubscribe from <span>tiername</span>? You will <span>immediately</span> lose access to the perks associated with that tier.",
|
||||
"unsubConfirm": "Unsubscribe",
|
||||
"changeTier": "Change tier",
|
||||
"changeTierPrompt": "Are you sure you want to unsubscribe from <span class='oldtier'>oldtiername</span> and subscribe to <span class='newtier'>newtiername</span>?",
|
||||
|
|
@ -391,5 +457,8 @@
|
|||
"cancel": "Cancel",
|
||||
"confirm": "Confirm",
|
||||
"close": "Close"
|
||||
},
|
||||
"notfound": {
|
||||
"description": "Oops! We could not find this page."
|
||||
}
|
||||
}
|
||||
|
|
|
|||
1
locales/eo_XX.json
Normal file
1
locales/eo_XX.json
Normal file
|
|
@ -0,0 +1 @@
|
|||
{}
|
||||
|
|
@ -1,7 +1,7 @@
|
|||
{
|
||||
"nav": {
|
||||
"about": "Acerca de",
|
||||
"faq": "FAQ",
|
||||
"about": "Acerca de nosotros",
|
||||
"faq": "Preguntas frecuentes",
|
||||
"docs": "Documentación",
|
||||
"credits": "Créditos",
|
||||
"progress": "Progreso",
|
||||
|
|
@ -9,23 +9,23 @@
|
|||
"account": "Cuenta",
|
||||
"accountWidget": {
|
||||
"settings": "Ajustes",
|
||||
"logout": "Cerrar Sesión"
|
||||
"logout": "Cerrar sesión"
|
||||
},
|
||||
"donate": "Donar",
|
||||
"dropdown": {
|
||||
"captions": {
|
||||
"credits": "Conoce al equipo",
|
||||
"about": "Sobre el projecto",
|
||||
"blog": "Nuestras últimas actualizaciones, resumidas",
|
||||
"about": "Sobre el proyecto",
|
||||
"blog": "Un resumen de nuestras últimas actualizaciones",
|
||||
"progress": "Mira el progreso del proyecto y sus metas",
|
||||
"faq": "Preguntas más preguntadas"
|
||||
"faq": "Preguntas frecuentes"
|
||||
}
|
||||
}
|
||||
},
|
||||
"hero": {
|
||||
"subtitle": "Servidores en línea",
|
||||
"title": "Recreados",
|
||||
"text": "Pretendo es un reemplazamiento gratuito y de código abierto de los servidores de Nintendo para 3DS y Wii U que permite la comunicación en línea incluso después del cierre de los servidores oficiales",
|
||||
"text": "Pretendo es un reemplazo gratuito y de código abierto de los servidores de Nintendo para 3DS y Wii U que permite la comunicación en línea incluso después del cierre de los servidores oficiales",
|
||||
"buttons": {
|
||||
"readMore": "Leer más"
|
||||
}
|
||||
|
|
@ -34,7 +34,7 @@
|
|||
"title": "Sobre nosotros",
|
||||
"paragraphs": [
|
||||
"Pretendo es un proyecto de código abierto que busca recrear Nintendo Network para 3DS y Wii U aplicando ingeniería inversa con un diseño en sala limpia.",
|
||||
"Como nuestros servicios serán gratuitos y de código abierto, podrán existir tras el inevitable cierre de Nintendo Network."
|
||||
"Como nuestros servicios serán gratuitos y de código abierto, existirán durante mucho tiempo."
|
||||
]
|
||||
},
|
||||
"progress": {
|
||||
|
|
@ -55,33 +55,43 @@
|
|||
},
|
||||
{
|
||||
"question": "¿Cómo uso Pretendo?",
|
||||
"answer": "Pretendo no está actualmente en un estado adecuado para el uso público. Sin embargo, en cuanto esté listo podrás usar Pretendo simplemente cargando nuestro parcheador homebrew en tu consola."
|
||||
"answer": "Para comenzar a utilizar Pretendo Network en 3DS, Wii U o emuladores, consulta nuestras <a href=\"/docs/install\">instrucciones de instalación</a>."
|
||||
},
|
||||
{
|
||||
"question": "¿Sabéis cuándo determinada función/servicio estará listo/a?",
|
||||
"answer": "No. Muchos/as funciones/servicios de Pretendo son desarrolladas independientemente (por ejemplo, un desarrollador puede estar trabajando en Miiverse mientras otro se encarga de las Cuentas y los Amigos) y, por lo tanto, no podemos dar una ETA exacta de cuánto puede tardar en estar listo."
|
||||
},
|
||||
{
|
||||
"question": "¿Cuándo añadirán más juegos?",
|
||||
"answer": "Trabajamos en nuevos juegos una vez que sentimos que nuestras bibliotecas de backend están listas para soportarlo, y hay tiempo disponible para mantenerlo. Gran parte de nuestro trabajo se dedica a estabilizar y completar nuestros juegos existentes - queremos obtener la mejor experiencia posible en los mismos antes de pasar a nuevos títulos. Dado que se presentan nuevos trabajos todo el tiempo, no podemos hacer ninguna estimación de cuándo sería esto."
|
||||
},
|
||||
{
|
||||
"question": "¿Pretendo funciona en Cemu/emuladores? ¿Si uso un emulador, será eso suficiente para usar Pretendo?",
|
||||
"answer": "No. Para efectos de seguridad y moderación, si usas un emulador, aún necesitas una consola real. Esto permite una mejor seguridad y aplicación más efectiva de reglas, para poder brindar una experiencia segura y placentera con nuestro servicio."
|
||||
},
|
||||
{
|
||||
"question": "¿Pretendo funciona en Cemu/emuladores?",
|
||||
"answer": "Pretendo soporta cualquier cliente que puede interactuar con el Nintendo Network. Hasta ahora, el único emulador con este tipo de funcionalidad es Cemu. Cemu 2.0 oficialmente soporta a Pretendo, en las opciones de cuenta en línea en el emulador . Para obtener más información de cómo empezar con Cemu, revisa la <a href=\"https://pretendo.network/docs/install/cemu\">documentación</a>.<br>Citra no soporta verdadero juego en línea, por eso no funciona con Pretendo, y no demuestra señales de que soportará verdadero juego en linea. Mikage, un emulador de 3DS para dispositivos móviles, podría proporcionar soporte en el futuro aunque esto esta lejos de ser cierto."
|
||||
"answer": "La Wii ya tiene servidores en línea personalizados por parte de <a href=\"https://wiimmfi.de/\" target=\"_blank\">Wiimmfi</a>. No tenemos planeado trabajar con la Switch ya que sus servicios son de pago y completamente diferentes a los de Nintendo Network."
|
||||
},
|
||||
{
|
||||
"question": "Si estoy baneado en Nintendo Network, ¿seguiré baneado al usar Pretendo?",
|
||||
"answer": "No tenemos acceso a los baneos de Nintendo Network motivo por el nadie estará baneado en nuestros servidores al principio. Sin embargo, tendremos reglas a seguir al acceder a nuestros servicios y no hacerlo resultará en un baneo."
|
||||
"question": "¿Pretendo será compatible con la Wii/Switch?",
|
||||
"answer": "La Wii ya tiene servidores en línea personalizados por parte de <a href=\"https://wiimmfi.de/\" target=\"_blank\">Wiimmfi</a>. No tenemos planeado trabajar con la Switch ya que sus servicios son de pago y completamente diferentes a los de Nintendo Network."
|
||||
},
|
||||
{
|
||||
"question": "¿Pretendo soportará Wii/Switch?",
|
||||
"answer": "La Wii ya tiene servidores en línea personalizados de parte de <a href=\"https://wiimmfi.de/\" target=\"_blank\">Wiimmfi</a>. No tenemos planeado trabajar con Switch ya que sus servidores son de pago y completamente diferentes a los de Nintendo Network."
|
||||
"question": "Si me expulsan en Nintendo Network, ¿seguiré expulsado cuando use Pretendo?"
|
||||
},
|
||||
{
|
||||
"question": "¿Necesitaré modificar mi consola para conectarme?",
|
||||
"answer": "Sí, necesitas modificar tu consola para conectarte. Sin embargo, en Wii U solo necesitas acceso al Homebrew Launcher (p.e. Haxchi, Coldboot Haxchi, o el exploit web). La información sobre como conectarse con una 3DS llegará posteriormente."
|
||||
"question": "Si se me ha suspendido el acceso a Nintendo Network, ¿se mantendrá el suspenso en Pretendo?",
|
||||
"answer": "No tenemos acceso a las suspensiones de cuenta de Nintendo Network, entonces todos los usuarios de Nintendo Network no están baneados. Sin embargo, tenemos reglas a seguir al usar el servicio y el incumplimiento de estas reglas puede resultar en una suspensión."
|
||||
},
|
||||
{
|
||||
"question": "¿Puedo utilizar trucos o modificaciones con Pretendo?"
|
||||
}
|
||||
]
|
||||
},
|
||||
"showcase": {
|
||||
"title": "Qué hacemos",
|
||||
"text": "Nuestro proyecto se compone de muchas cosas. Estas son algunas de ellas.",
|
||||
"text": "Nuestro proyecto tiene muchos componentes. Estos son algunos de ellos.",
|
||||
"cards": [
|
||||
{
|
||||
"title": "Servidores de juegos",
|
||||
|
|
@ -89,21 +99,182 @@
|
|||
},
|
||||
{
|
||||
"title": "Juxtaposition",
|
||||
"caption": "Un version re-imaginada de Miiverse, como si hubiera sido creada en la era moderna."
|
||||
"caption": "Un versión reimaginada de Miiverse, como si hubiera sido creado hoy en día."
|
||||
},
|
||||
{
|
||||
"title": "Soporte para Cemu",
|
||||
"title": "Compatibilidad con Cemu",
|
||||
"caption": "¡Juega a tus títulos de Wii U favoritos incluso sin una consola!"
|
||||
}
|
||||
]
|
||||
},
|
||||
"credits": {
|
||||
"title": "Equipo",
|
||||
"text": "Conoce al equipo tras el proyecto"
|
||||
"text": "Conoce al equipo tras el proyecto",
|
||||
"people": [
|
||||
{
|
||||
"name": "Jonathan Barrow (jonbarrow)",
|
||||
"caption": "Dueño del proyecto y desarrollador principal",
|
||||
"picture": "https://github.com/jonbarrow.png",
|
||||
"github": "https://github.com/jonbarrow"
|
||||
},
|
||||
{
|
||||
"github": "https://github.com/CaramelKat",
|
||||
"name": "Jemma (CaramelKat)",
|
||||
"caption": "Investigación y desarrollo de Miiverse",
|
||||
"picture": "https://github.com/caramelkat.png"
|
||||
},
|
||||
{
|
||||
"picture": "https://github.com/ashquarky.png",
|
||||
"github": "https://github.com/ashquarky",
|
||||
"name": "quarky",
|
||||
"caption": "Investigación de Wii U y desarrollo de parches"
|
||||
},
|
||||
{
|
||||
"picture": "https://github.com/supermariodabom.png",
|
||||
"name": "SuperMarioDaBom",
|
||||
"caption": "Investigación de sistemas y arquitectura del servidor",
|
||||
"github": "https://github.com/SuperMarioDaBom"
|
||||
},
|
||||
{
|
||||
"name": "pinklimes",
|
||||
"caption": "Desarrollo web",
|
||||
"picture": "https://github.com/gitlimes.png",
|
||||
"github": "https://github.com/gitlimes"
|
||||
},
|
||||
{
|
||||
"name": "Shutterbug2000",
|
||||
"caption": "Investigación de sistemas y desarrollo del servidor",
|
||||
"picture": "https://cdn.discordapp.com/avatars/191370953807233024/0311b61e2009c1576828dd2e9a59d72e.png?size=128",
|
||||
"github": "https://github.com/shutterbug2000"
|
||||
},
|
||||
{
|
||||
"github": "https://github.com/InternalLoss",
|
||||
"caption": "Conservacionista y arquitectura del servidor",
|
||||
"picture": "https://github.com/InternalLoss.png",
|
||||
"name": "Billy"
|
||||
},
|
||||
{
|
||||
"name": "DaniElectra",
|
||||
"caption": "Investigación de sistemas y desarrollo del servidor",
|
||||
"picture": "https://github.com/danielectra.png",
|
||||
"github": "https://github.com/DaniElectra"
|
||||
},
|
||||
{
|
||||
"name": "niko",
|
||||
"caption": "Desarrollo de web y servidor",
|
||||
"picture": "https://github.com/hauntii.png",
|
||||
"github": "https://github.com/hauntii"
|
||||
},
|
||||
{
|
||||
"name": "MatthewL246",
|
||||
"caption": "DevOps y trabajo comunitario",
|
||||
"picture": "https://github.com/MatthewL246.png",
|
||||
"github": "https://github.com/MatthewL246"
|
||||
},
|
||||
{
|
||||
"caption": "Desarrollo y optimización de servidor",
|
||||
"picture": "https://github.com/wolfendale.png",
|
||||
"github": "https://github.com/wolfendale",
|
||||
"name": "wolfendale"
|
||||
},
|
||||
{
|
||||
"name": "TraceEntertains",
|
||||
"caption": "Desarrollo e investigación de parches en 3DS",
|
||||
"github": "https://github.com/TraceEntertains",
|
||||
"picture": "https://github.com/TraceEntertains.png"
|
||||
}
|
||||
]
|
||||
},
|
||||
"specialThanks": {
|
||||
"title": "Agradecimientos especiales",
|
||||
"text": "Sin ellos, Pretendo no sería lo que es hoy."
|
||||
"text": "Sin ellos, Pretendo no sería lo que es hoy.",
|
||||
"people": [
|
||||
{
|
||||
"name": "Contribuidores en GitHub",
|
||||
"caption": "Traducciones y otras contribuciones",
|
||||
"picture": "https://github.githubassets.com/images/modules/logos_page/GitHub-Mark.png",
|
||||
"github": "https://github.com/PretendoNetwork"
|
||||
},
|
||||
{
|
||||
"picture": "https://github.com/superwhiskers.png",
|
||||
"name": "superwhiskers",
|
||||
"github": "https://github.com/superwhiskers",
|
||||
"caption": "desarrollo de la biblioteca de crunch"
|
||||
},
|
||||
{
|
||||
"github": "https://github.com/Stary2001",
|
||||
"caption": "Desarrollo en 3DS y disección en NEX",
|
||||
"name": "Stary",
|
||||
"picture": "https://github.com/Stary2001.png"
|
||||
},
|
||||
{
|
||||
"caption": "Intercambio de información de Miiverse",
|
||||
"picture": "https://github.com/rverseTeam.png",
|
||||
"github": "https://twitter.com/rverseClub",
|
||||
"name": "rverse"
|
||||
},
|
||||
{
|
||||
"name": "Kinnay",
|
||||
"caption": "Investigación de estructuras de datos de Nintendo",
|
||||
"special": "Agradecimientos especiales",
|
||||
"picture": "https://cdn.discordapp.com/avatars/186572995848830987/b55c0d4e7bfd792edf0689f83a25d8ea.png?size=128",
|
||||
"github": "https://github.com/Kinnay"
|
||||
},
|
||||
{
|
||||
"name": "NinStar",
|
||||
"caption": "Iconos del Editor Mii y reacciones de Juxt",
|
||||
"picture": "https://github.com/ninstar.png",
|
||||
"github": "https://github.com/ninstar"
|
||||
},
|
||||
{
|
||||
"name": "Rambo6Glaz",
|
||||
"caption": "Investigación de consolas y servidores de juegos",
|
||||
"picture": "https://github.com/EpicUsername12.png",
|
||||
"github": "https://github.com/EpicUsername12"
|
||||
},
|
||||
{
|
||||
"name": "GaryOderNichts",
|
||||
"caption": "Desarrollo de parches en Wii U",
|
||||
"picture": "https://github.com/GaryOderNichts.png",
|
||||
"github": "https://github.com/GaryOderNichts"
|
||||
},
|
||||
{
|
||||
"name": "zaksabeast",
|
||||
"picture": "https://cdn.discordapp.com/avatars/219324395707957248/c62573fbd4d26c8b4724f54413df6960.png?size=128",
|
||||
"github": "https://github.com/zaksabeast",
|
||||
"caption": "Creador de parches 3DS"
|
||||
},
|
||||
{
|
||||
"name": "mrjvs",
|
||||
"picture": "https://github.com/mrjvs.png",
|
||||
"github": "https://github.com/mrjvs",
|
||||
"caption": "Arquitectura del servidor"
|
||||
},
|
||||
{
|
||||
"picture": "https://github.com/binaryoverload.png",
|
||||
"github": "https://github.com/binaryoverload",
|
||||
"caption": "Arquitectura del servidor",
|
||||
"name": "sobrecargabinaria"
|
||||
},
|
||||
{
|
||||
"picture": "https://github.com/Simonx22.png",
|
||||
"github": "https://github.com/Simonx22",
|
||||
"name": "Simonx22",
|
||||
"caption": "Rotaciones de Splatoon e investigación"
|
||||
},
|
||||
{
|
||||
"name": "OatmealDome",
|
||||
"picture": "https://github.com/OatmealDome.png",
|
||||
"github": "https://github.com/OatmealDome",
|
||||
"caption": "Rotaciones de Splatoon e investigación"
|
||||
},
|
||||
{
|
||||
"picture": "https://github.githubassets.com/images/modules/logos_page/GitHub-Mark.png",
|
||||
"github": "https://github.com/PretendoNetwork",
|
||||
"caption": "Traducciones y otras contribuciones",
|
||||
"name": "Contribuidores de GitHub"
|
||||
}
|
||||
]
|
||||
},
|
||||
"discordJoin": {
|
||||
"title": "Mantente al día",
|
||||
|
|
@ -125,18 +296,19 @@
|
|||
},
|
||||
"bandwidthRaccoonQuotes": [
|
||||
"Soy Bandwidth el Mapache y me encanta morder los cables que van a los servidores de Pretendo Network. ¡mmm!",
|
||||
"Muchas personas nos preguntan si podríamos tener problemas legales con Nintendo por esto; pues me alegro de anunciar que mi tía trabaja en Nintendo y me dijo que no pasa nada.",
|
||||
"Muchas personas nos preguntan si podríamos tener problemas legales con Nintendo por esto. Me alegra anunciar que mi tía trabaja en Nintendo y me dijo que no pasaba nada.",
|
||||
"Webkit v537 es la mejor versión de Webkit para la Wii U. No, no vamos a portear Chrome a la Wii U",
|
||||
"¡No puedo esperar a que el reloj llegue a la 03:14:08 UTC el 19 de enero de 2038!",
|
||||
"La Wii U es en realidad un sistema subestimado: los comerciales eran realmente malos, pero la consola es genial. Eh, espera un segundo, no estoy seguro de por qué, pero mi GamePad no se conecta a mi Wii.",
|
||||
"Super Mario World 2 - El tema principal de Yoshi's Island es absolutamente genial y no hay forma de que me convenzas de lo contrario.",
|
||||
"Mis lanzamientos favoritos de Nintendo Switch han sido Nintendo Switch Online + Expansion Pack, Nintendo Switch Online + Rumble Pak, Nintendo Switch Online + Offline Play Pack, Nintendo Switch Online + Yet Another Port Pack y Nintendo Switch Online + Dr. Kawashima's Brain Training / Brain Pack \"Te gustó mucho el título de la consola virtual de Nintendo Wii U, así que lo traeremos de vuelta\". Realmente puedes decir que a Nintendo le importa.",
|
||||
"Decir “Conoces a Ash, bendice su corazón, hace UwU todo el día “ es la manera del sur de decir “Ash hace uwu todo el tiempo y es bastante raro y idiota y desearía que no lo hiciera”",
|
||||
"Mi primer video en mi canal!! Llevaba mucho tiempo queriendo hacer videos, pero mi computadora portátil funcionaba bastante mal y no podía ejecutar Fraps, Skype y Minecraft al mismo tiempo. ¡pero ahora eso se acabó! ¡con la ayuda de mi profesor de TI, mi computadora portátil funciona mucho mejor y puedo grabar ahora! Espero que les guste y si es así dale me gusta y suscríbete!!!"
|
||||
"Mi primer video en mi canal!! Llevaba mucho tiempo queriendo hacer videos, pero mi computadora portátil funcionaba bastante mal y no podía ejecutar Fraps, Skype y Minecraft al mismo tiempo. ¡pero ahora eso se acabó! ¡con la ayuda de mi profesor de TI, mi computadora portátil funciona mucho mejor y puedo grabar ahora! Espero que les guste y si es así dale me gusta y suscríbete!!!",
|
||||
"Me parece bien"
|
||||
]
|
||||
},
|
||||
"progressPage": {
|
||||
"title": "Progreso",
|
||||
"title": "Nuestro Progreso",
|
||||
"description": "¡Comprueba el progreso y las metas pendientes! (Se actualiza cada hora aproximadamente, así que no refleja TODAS nuestras metas o el progreso total)"
|
||||
},
|
||||
"blogPage": {
|
||||
|
|
@ -146,7 +318,7 @@
|
|||
"publishedOn": "en"
|
||||
},
|
||||
"localizationPage": {
|
||||
"title": "Vamos a localizar",
|
||||
"title": "Vamos a traducir",
|
||||
"description": "Pega un enlace a una localización JSON accesible pulicamente para probarla en el sitio",
|
||||
"instructions": "Ver instrucciones de localización",
|
||||
"fileInput": "Archivo a probar",
|
||||
|
|
@ -171,11 +343,11 @@
|
|||
"search": {
|
||||
"title": "¿Tienes un código de error?",
|
||||
"caption": "¡Escribe el código de error del cuadro para obtener información de tu problema!",
|
||||
"label": "Codigo de error",
|
||||
"label": "Código de error",
|
||||
"no_match": "No se encontraron coincidencias"
|
||||
},
|
||||
"sidebar": {
|
||||
"getting_started": "Empezando",
|
||||
"getting_started": "Para empezar",
|
||||
"install_extended": "Instalar Pretendo",
|
||||
"search": "Buscar",
|
||||
"juxt_err": "Codigos de error - Juxt",
|
||||
|
|
@ -207,7 +379,7 @@
|
|||
"timezone": "Zona horaria",
|
||||
"serverEnv": "Entorno del servidor",
|
||||
"beta": "Beta",
|
||||
"hasAccessPrompt": "Tu rango actual tiene acceso a los servidores beta. Cool!",
|
||||
"hasAccessPrompt": "Tu rango actual tiene acceso a los servidores beta. ¡Genial!",
|
||||
"signInSecurity": "Inicio de sesión y seguridad",
|
||||
"email": "Correo electrónico",
|
||||
"password": "Contraseña",
|
||||
|
|
@ -226,12 +398,10 @@
|
|||
"nickname": "Apodo",
|
||||
"upgradePrompt": "Los servidores beta son exclusivos para los beta testers. <br>Para convertirte en un beta tester, actualiza a un nivel de cuenta superior.",
|
||||
"userSettings": "Ajustes de usuario",
|
||||
"no_signins_notice": "El historial de inicios de sesión no es vigilado. Vuelve más tarde!",
|
||||
"no_newsletter_notice": "Boletín no disponible actualmente. Vuelva a consultar más tarde",
|
||||
"no_signins_notice": "El historial de inicios de sesión no es vigilado. ¡Vuelve más tarde!",
|
||||
"no_newsletter_notice": "Boletín no disponible actualmente. Vuelve a intentarlo más tarde",
|
||||
"no_edit_from_dashboard": "La edición de la configuración de PNID desde el panel del usuario no está disponible actualmente. Actualice la configuración de usuario desde su consola de juegos vinculada"
|
||||
},
|
||||
"downloadFiles": "Descargar datos de cuenta",
|
||||
"downloadFilesDescription": "(no funcionara en Nintendo Network)",
|
||||
"upgrade": "Subir de rango",
|
||||
"unavailable": "No disponible"
|
||||
},
|
||||
|
|
@ -262,7 +432,7 @@
|
|||
"month": "mes",
|
||||
"tierSelectPrompt": "Selecciona un rango",
|
||||
"unsub": "Cancelar suscripción",
|
||||
"unsubPrompt": "¿Está seguro de que desea darse de baja de <span>tiername</span>? Perderá el acceso a las ventajas asociadas con ese nivel.",
|
||||
"unsubPrompt": "¿Está seguro de que desea darse de baja de <span>tiername</span>? Perderá <span>inmediatamente</span> el acceso a las ventajas asociadas con ese nivel.",
|
||||
"unsubConfirm": "Cancelar suscripción",
|
||||
"changeTier": "Cambiar rango",
|
||||
"changeTierPrompt": "¿Está seguro de que desea darse de baja de <span class=\"oldtier\">oldtiername</span> y suscribirse a <span class=\"newtier\">newtiername</span>?",
|
||||
|
|
@ -278,5 +448,8 @@
|
|||
"cancel": "Cancelar",
|
||||
"confirm": "Confirmar",
|
||||
"close": "Cerrar"
|
||||
},
|
||||
"notfound": {
|
||||
"description": "¡Oops! No hemos podido encontrar esta página."
|
||||
}
|
||||
}
|
||||
|
|
|
|||
1
locales/eu_ES.json
Normal file
1
locales/eu_ES.json
Normal file
|
|
@ -0,0 +1 @@
|
|||
{}
|
||||
|
|
@ -7,7 +7,7 @@
|
|||
},
|
||||
{
|
||||
"question": "Toimiiko olemassaoleva NNID:ni Pretendossa?",
|
||||
"answer": "Ei, valitettavasti. Olemassa olevat NNID:t eivät tule toimimaan Pretendossa, sillä vain Nintendolla on tiedossaan käyttäjätietosi. Vaikka NNID-PNID tietojensiirto on teoriassa mahdollista, se on riskialtista ja vaatii arkaluonteisia käyttäjätietoja, joita emme halua haltuumme."
|
||||
"answer": "Valitettavasti ei. Olemassa olevat NNID:t eivät tule toimimaan Pretendossa, sillä vain Nintendolla on tiedossaan käyttäjätietosi. Vaikka NNID-PNID tietojensiirto on teoriassa mahdollista, se on riskialtista ja vaatii arkaluonteisia käyttäjätietoja, joita emme halua haltuumme."
|
||||
},
|
||||
{
|
||||
"question": "Kuinka käytän Pretendoa?",
|
||||
|
|
@ -58,7 +58,7 @@
|
|||
},
|
||||
"donate": "Lahjoita",
|
||||
"blog": "Blogi",
|
||||
"credits": "Krediitit"
|
||||
"credits": "Tekijät"
|
||||
},
|
||||
"hero": {
|
||||
"subtitle": "Pelipalvelimet",
|
||||
|
|
@ -90,16 +90,21 @@
|
|||
"caption": "Miiversen uudelleenluonti, kuten se olisi syntynyt tähän päivään."
|
||||
},
|
||||
{
|
||||
"title": "Cemu -tuki",
|
||||
"title": "Cemu-tuki",
|
||||
"caption": "Pelaa Wii U suosikkipelejäsi jopa ilman konsolia!"
|
||||
}
|
||||
],
|
||||
"title": "Mitä kehitämme",
|
||||
"title": "Mitä teemme",
|
||||
"text": "Projektissamme on useita komponentteja. Tässä on osa niistä."
|
||||
},
|
||||
"credits": {
|
||||
"title": "Tiimi",
|
||||
"text": "Tutustu tiimiin projektin takana"
|
||||
"text": "Tutustu tiimiin projektin takana",
|
||||
"people": [
|
||||
{
|
||||
"caption": "Projektin omistaja ja johtava kehittäjä"
|
||||
}
|
||||
]
|
||||
},
|
||||
"specialThanks": {
|
||||
"title": "Erityiskiitokset",
|
||||
|
|
@ -115,7 +120,7 @@
|
|||
},
|
||||
"footer": {
|
||||
"socials": "Sosiaaliset",
|
||||
"usefulLinks": "Tärkeitä linkkejä",
|
||||
"usefulLinks": "Hyödyllisiä linkkejä",
|
||||
"widget": {
|
||||
"captions": [
|
||||
"Haluatko pysyä ajan tasalla?",
|
||||
|
|
@ -160,14 +165,12 @@
|
|||
"registerPrompt": "Ei vielä tiliä?"
|
||||
},
|
||||
"settings": {
|
||||
"downloadFiles": "Lataa tilin tiedostot",
|
||||
"downloadFilesDescription": "(ei toimi Nintendo Network:issa)",
|
||||
"upgrade": "Nosta tililuokkaa",
|
||||
"unavailable": "Ei saatavissa",
|
||||
"unavailable": "Ei saatavilla",
|
||||
"settingCards": {
|
||||
"userSettings": "Käyttäjän asetukset",
|
||||
"profile": "Profiili",
|
||||
"nickname": "Lempinimi",
|
||||
"nickname": "Nimimerkki",
|
||||
"birthDate": "Syntymäpäivä",
|
||||
"gender": "Sukupuoli",
|
||||
"timezone": "Aikavyöhyke",
|
||||
|
|
@ -177,20 +180,20 @@
|
|||
"signInHistory": "Kirjautumishistoria",
|
||||
"fullSignInHistory": "Näytä koko kirjautumishistoria",
|
||||
"connectedToDiscord": "Littetty Discord -tiliin",
|
||||
"removeDiscord": "Poista Discord -tili",
|
||||
"noDiscordLinked": "Ei liitettyä Discord -tiliä.",
|
||||
"removeDiscord": "Poista Discord-tili",
|
||||
"noDiscordLinked": "Ei liitettyä Discord-tiliä.",
|
||||
"newsletter": "Uutiskirje",
|
||||
"passwordPrompt": "Anna PNID salasanasi ladataksesi Cemu -tiedostot",
|
||||
"password": "Salasana",
|
||||
"country": "Maa/alue",
|
||||
"upgradePrompt": "Betapalvelimet ovat van betatestaajille.<br>Jos haluat mukaan betatestiin, nosta tililuokkaa.",
|
||||
"hasAccessPrompt": "Nykyinen tililuokituksesi antaa sinulle oikeudet betapalvelimille. Mahtavaa!",
|
||||
"signInSecurity": "Kirjautuminen ja tietoturva",
|
||||
"signInSecurity": "Kirjautuminen ja turvallisuus",
|
||||
"discord": "Discord",
|
||||
"otherSettings": "Muut asetukset",
|
||||
"email": "Sähköposti",
|
||||
"passwordResetNotice": "Vaihdettuasi salasanan, sinut kirjataan ulos kaikilta laitteilta.",
|
||||
"linkDiscord": "Liitä Discord -tili",
|
||||
"passwordResetNotice": "Salasanan vaihtamisen jälkeen sinut kirjataan ulos kaikilta laitteilta.",
|
||||
"linkDiscord": "Liitä Discord-tili",
|
||||
"newsletterPrompt": "Saa tietoja projektin etenemisestä sähköpostiisi (voit perua kirjeen milloin vain)",
|
||||
"no_newsletter_notice": "Uutiskirje ei ole tällä hetkellä saatavilla. Palaa asiaan myöhemmin",
|
||||
"no_signins_notice": "Kirjautumishistoriaa ei toistaiseksi seurata. Palaa asiaan myöhemmin!",
|
||||
|
|
|
|||
90
locales/fr_CA.json
Normal file
90
locales/fr_CA.json
Normal file
|
|
@ -0,0 +1,90 @@
|
|||
{
|
||||
"nav": {
|
||||
"faq": "FAQ",
|
||||
"about": "À Propos",
|
||||
"account": "Compte",
|
||||
"blog": "Blogue",
|
||||
"accountWidget": {
|
||||
"settings": "Paramètres",
|
||||
"logout": "Déconnexion"
|
||||
},
|
||||
"docs": "Documentation",
|
||||
"donate": "Faire un don",
|
||||
"progress": "Progression",
|
||||
"credits": "L'équipe",
|
||||
"dropdown": {
|
||||
"captions": {
|
||||
"about": "À propos du projet",
|
||||
"credits": "Rencontrez l'équipe",
|
||||
"blog": "Un résumé de nos mises à jour récentes",
|
||||
"progress": "Vérifiez la progression et les objectifs du projet"
|
||||
}
|
||||
}
|
||||
},
|
||||
"hero": {
|
||||
"subtitle": "Serveurs de Jeux",
|
||||
"title": "Recréé",
|
||||
"buttons": {
|
||||
"readMore": "En savoir plus"
|
||||
}
|
||||
},
|
||||
"aboutUs": {
|
||||
"title": "À propos de nous",
|
||||
"paragraphs": [
|
||||
"Pretendo est un projet à code source ouvert qui vise à recréer le Nintendo Network pour la 3DS et la Wii U en utilisant la rétro-ingénierie.",
|
||||
"Puisque nos services sont gratuits et à code source libre, ils vont exister longtemps."
|
||||
]
|
||||
},
|
||||
"blogPage": {
|
||||
"publishedOn": "le"
|
||||
},
|
||||
"faq": {
|
||||
"QAs": [
|
||||
{
|
||||
"question": "C'est quoi, Pretendo?",
|
||||
"answer": "Pretendo est une alternative au Nintendo Network à code source libre qui vise à créer des serveurs personnalisés pour la famille de consoles Wii U et 3DS. Notre but est de préserver les fonctionnalités internet de ces consoles, afin de permettre aux joueurs de continuer de jouer à leurs jeux Wii U et 3DS préférés à leur plein potentiel."
|
||||
},
|
||||
{
|
||||
"question": "Est-ce que mon identifiant Nintendo Network fonctionnera avec Pretendo?",
|
||||
"answer": "Malheureusement, non. Les identifiants du Nintendo Network ne fonctionneront pas avec Pretendo, puisque seul Nintendo détient vos données d'utilisateur. Bien qu'une extraction des données soit techniquement possible, ça serait risqué et nécessiterait des données personelles d'utilisateurs que nous ne voulons pas détenir."
|
||||
},
|
||||
{
|
||||
"answer": "Afin de commencer l'installation de Pretendo sur 3DS, Wii U ou un émulateur, veuillez consulter notre <a href='/docs/install'>guide d'installation</a>!"
|
||||
},
|
||||
{
|
||||
"question": "Savez-vous quand tel service ou telle fonctionnalité sera prêt(e)?",
|
||||
"answer": "Non. La majorité des fonctionnalités et des services de Pretendo sont développés indépendament (par example, un développeur pourrait être en charge de Miiverse pendant qu'un autre est en charge des Comptes et Amis). Ainsi, nous ne pouvons pas donner une estimation du temps requis pour cela."
|
||||
},
|
||||
{
|
||||
"question": "Quand allez-vous ajouter d'autres jeux?"
|
||||
},
|
||||
{
|
||||
"question": "Si j'utilise un émulateur, sera-t-il suffisant pour utiliser Pretendo?"
|
||||
},
|
||||
{
|
||||
"question": "Est-ce que Pretendo fonctionne sur Cemu ou d'autres émulateurs?",
|
||||
"answer": "La version 2.1 de Cemu supporte Pretendo sous les paramètres de connexion internet de l'émulateur. Afin d'avoir plus d'information sur l'utilisation de Pretendo avec Cemu, allez-voir la <a href=\"https://pretendo.network/docs/install/cemu\">documentation</a>.<br>Certains émulateurs 3DS pourraient prendre en charge Pretendo, mais nous n'avons présentement pas de recommendation officielle ou de guides d'installation. La version la plus récente de Citra ne prend pas en charge Pretendo."
|
||||
},
|
||||
{
|
||||
"answer": "La Wii possède déja des serveurs personnalisés fournis par <a href=\"https://wiimmfi.de/\" target=\"_blank\">Wiimmfi</a>. Nous ne voulons présentement pas cibler la Switch, car ses services sont payants et complètements différents du Nintendo Network."
|
||||
},
|
||||
{
|
||||
"answer": "Pour la meilleure expérience possible sur console, vous aurez besoin de pirater votre système - par exemple, avec Aroma pour la Wii U et Luma3DS pour la 3DS. Cependant, sur Wii U, la méthode sans piratage SSSL est également disponible, mais avec des fonctionnalités limitées. Regardez le <a href=\"/docs/install\">guide d'installation</a> pour plus de détails.",
|
||||
"question": "Devrais-je pirater ma console pour me connecter?"
|
||||
},
|
||||
{
|
||||
"question": "Si je suis banni du Nintendo Network, vais-je également être banni sur Pretendo?",
|
||||
"answer": "Nous n'avons pas accès aux bannissements du Nintendo Network, donc aucun utilisateur Nintendo Network sera banni dans Pretendo. Cependant, nous avons des règles à respecter lors de l'utilisation du service. L'infraction d'une règle pourrait mener à un bannissement sur Pretendo."
|
||||
},
|
||||
{
|
||||
"question": "Puis-je tricher ou utiliser des mods (modifications de jeu) en ligne sur Pretendo?"
|
||||
}
|
||||
],
|
||||
"title": "Foire Aux Questions",
|
||||
"text": "Voici quelques questions fréquemment posées."
|
||||
},
|
||||
"progress": {
|
||||
"githubRepo": "Répertoire Github",
|
||||
"title": "Progression"
|
||||
}
|
||||
}
|
||||
|
|
@ -1,6 +1,6 @@
|
|||
{
|
||||
"nav": {
|
||||
"about": "À Propos",
|
||||
"about": "À propos",
|
||||
"faq": "FAQ",
|
||||
"docs": "Documentation",
|
||||
"credits": "Crédits",
|
||||
|
|
@ -9,14 +9,14 @@
|
|||
"account": "Compte",
|
||||
"accountWidget": {
|
||||
"logout": "Déconnexion",
|
||||
"settings": "Réglages"
|
||||
"settings": "Paramètres"
|
||||
},
|
||||
"donate": "Faire un don",
|
||||
"dropdown": {
|
||||
"captions": {
|
||||
"about": "À propos du projet",
|
||||
"blog": "Nos dernières mises à jour, en condensé",
|
||||
"progress": "Vérifier l'avancement et les objectifs du projet",
|
||||
"progress": "Vérifiez l'avancement et les objectifs du projet",
|
||||
"credits": "Rencontrez l'équipe",
|
||||
"faq": "Questions fréquemment posées"
|
||||
}
|
||||
|
|
@ -25,7 +25,7 @@
|
|||
"hero": {
|
||||
"subtitle": "Serveurs de jeux",
|
||||
"title": "Recréés",
|
||||
"text": "Pretendo est une alternative gratuite et open source des serveurs Nintendo pour la 3DS et la Wii U permettant la connectivité en ligne pour tous, y compris après l'arrêt des serveurs officiels",
|
||||
"text": "Pretendo est une alternative gratuite et open source aux serveurs Nintendo pour la 3DS et la Wii U qui permet à tout utilisateur d'accéder aux services en ligne, y compris après l'arrêt des serveurs officiels",
|
||||
"buttons": {
|
||||
"readMore": "En savoir plus"
|
||||
}
|
||||
|
|
@ -33,8 +33,8 @@
|
|||
"aboutUs": {
|
||||
"title": "À propos de nous",
|
||||
"paragraphs": [
|
||||
"Pretendo est un projet open source qui vise à recréer le Nintendo Network pour la 3DS et la Wii U en utilisant la rétro-ingénierie.",
|
||||
"Puisque nos services seront à la fois gratuits et open source, ils pourront exister pendant longtemps après l'inévitable fermeture du Nintendo Network."
|
||||
"Pretendo est un projet open source qui vise à recréer le Nintendo Network pour la 3DS et la Wii U par le biais d'une rétro-ingénierie dite « propre ».",
|
||||
"Puisque nos services sont à la fois gratuits et open source, ils existeront longtemps."
|
||||
]
|
||||
},
|
||||
"progress": {
|
||||
|
|
@ -50,42 +50,54 @@
|
|||
"answer": "Pretendo est une alternative open source du service Nintendo Network qui vise à créer des serveurs personnalisés pour la famille des consoles Wii U et 3DS. Notre objectif est de préserver les fonctionnalités en ligne de ces consoles, afin de permettre aux joueurs de continuer à jouer à leurs jeux Wii U et 3DS favoris à leur plein potentiel."
|
||||
},
|
||||
{
|
||||
"question": "Mes Identifiants Réseau de Nintendo existants fonctionneront-ils sur Pretendo ?",
|
||||
"answer": "Malheureusement, non. Les NNIDs existants ne fonctionneront pas sur Pretendo car seul Nintendo détient vos données utilisateur. Bien qu'une migration des NNID aux PNID soit théoriquement possible, elle serait risquée et nécessiterait des données personnelles sensibles que nous préférons ne pas stocker."
|
||||
"question": "Puis-je me connecter à Pretendo avec un identifiant Nintendo Network existant ?",
|
||||
"answer": "Malheureusement, non. Les identifiants existants ne seront pas conservés, et Nintendo restera le seul détenteur de vos données personnelles. Bien qu'une extraction des informations soit théoriquement possible, cela reviendrait à récupérer des milliers de données sensibles : chose que nous désapprouvons."
|
||||
},
|
||||
{
|
||||
"question": "Comment puis-je utiliser Pretendo ?",
|
||||
"answer": "Pretendo n'est actuellement pas dans un état prêt à être utilisé par le public. Cependant, dès qu'il le sera, vous pourrez utiliser Pretendo en exécutant simplement notre logiciel Homebrew sur votre console."
|
||||
"question": "Comment utiliser Pretendo ?",
|
||||
"answer": "Pour commencer à utiliser Pretendo avec une 3DS, une Wii U ou un émulateur, veuillez consulter notre <a href=\"/docs/install\">guide d'installation</a> !"
|
||||
},
|
||||
{
|
||||
"question": "Savez-vous quand fonctionnalité/service sera prêt ?",
|
||||
"answer": "Non. De nombreuses fonctionnalités/services de Pretendo sont développés indépendamment (par exemple, un développeur peut travailler sur Miiverse tandis qu'un autre travaille sur Comptes et Amis) et nous ne pouvons donc pas donner d'estimation exacte du temps qu'il faudra pour que tout soit prêt."
|
||||
"question": "Savez-vous quand de nouvelles fonctionnalités ou services seront prêt(e)s ?",
|
||||
"answer": "Pas du tout ! Si les grands axes du projet ont été fixés en début de développement, beaucoup de sous-objectifs restent indéfinis temporellement et chronologiquement. Le développement des fonctionnalités étant assez libre, nous ne sommes pas en mesure d'estimer l'heure à laquelle le projet intégral aboutira."
|
||||
},
|
||||
{
|
||||
"question": "Est-ce que Pretendo fonctionne sur Cemu/émulateurs ?",
|
||||
"answer": "Pretendo supporte n'importe quel client qui peut interagir avec le Nintendo Network. Actuellement, le seul émulateur avec cette fonctionnalité est Cemu. Cemu 2.0 supporte officiellement Pretendo dans les paramètres de votre compte dans l'émulateur. Pour plus d'informations sur l'utilisation de Cemu, visitez <a href=\"https://pretendo.network/docs/install/cemu\">la documentation</a>.<br> Citra ne supporte pas véritablement le jeu en ligne et ne fonctionne donc pas Pretendo, et l'émulateur ne semble pas présenter de signes d'un support prochain. Mikage, un émulateur 3DS pour appareils mobiles, sera peut-être compatible dans le futur, néanmoins cela reste incertain."
|
||||
"question": "Quand d'autres jeux seront-ils ajoutés ?",
|
||||
"answer": "Nous travaillons sur de nouveaux jeux une fois que nous estimons que nos bibliothèques internes sont prêtes à les prendre en charge et que du temps de développement est disponible pour les maintenir. Une grande partie de notre travail consiste à stabiliser et finaliser nos jeux existants – nous voulons offrir la meilleure expérience possible avant de passer à de nouveaux titres. Comme de nouvelles tâches surgissent constamment, nous ne pouvons pas estimer quand cela se produira."
|
||||
},
|
||||
{
|
||||
"question": "Si je suis banni du Nintendo Network, resterai-je banni lorsque j'utiliserai Pretendo ?",
|
||||
"answer": "Nous n'aurons pas accès aux bannissements du Nintendo Network, donc personne ne sera banni de nos serveurs dans un premier temps. En revanche, il y aura des règles à suivre lors de l'utilisation de nos services et le non-respect de ces règles pourrait entraîner des bannissements."
|
||||
"question": "Si j'utilise un émulateur, sera-t-il suffisant pour utiliser Pretendo ?",
|
||||
"answer": "Non. Pour des raisons de sécurité et de modération, si vous utilisez un émulateur, vous aurez toujours besoin d'une vraie console. Cela permet une meilleure sécurité et une modération plus efficace pour permettre de créer une expérience sûre et satisfaisante de notre service."
|
||||
},
|
||||
{
|
||||
"question": "Est-ce que Pretendo sera compatible avec la Wii/Switch ?",
|
||||
"answer": "La Wii dispose déjà de serveurs personnalisés fournis par <a href=\"https://wiimmfi.de/\" target=\"_blank\">Wiimmfi</a>. Concernant la Switch, nous ne souhaitons actuellement pas la cibler car ses services sont payants et complètement différents du Nintendo Network."
|
||||
"question": "Pretendo fonctionne-t-il sur Cemu ou un autre émulateur ?",
|
||||
"answer": "La version 2.1 de Cemu prend Pretendo en charge, via les paramètres de connexion de l'émulateur. Pour plus d'informations sur comment s'y prendre, référez-vous à la <a href=\"https://pretendo.network/docs/install/cemu\">documentation</a>.<br> Certains émulateurs 3DS prennent charge Pretendo, nous n'avons pas de recommandations officielles ou de procédures d'installation pour l'instant. La version la plus récente de Citra ne prend pas en charge Pretendo."
|
||||
},
|
||||
{
|
||||
"question": "Aurais-je besoin de modifier ma console pour me connecter ?",
|
||||
"answer": "Oui, vous devrez hack votre appareil afin de vous connecter ; cependant sur Wii U, un accès au Homebrew Launcher est suffisant (avec Haxchi, Coldboot Haxchi, ou même la faille du Navigateur Web). La démarche à suivre pour la 3DS sera fournie ultérieurement."
|
||||
"question": "Est-ce que Pretendo sera compatible avec la Wii/Switch ?",
|
||||
"answer": "La Wii dispose déjà de serveurs personnalisés fournis par <a href=\"https://wiimmfi.de/\" target=\"_blank\">Wiimmfi</a>. Concernant la Switch, nous ne souhaitons actuellement pas la cibler, car ses services sont payants et complètement différents du Nintendo Network."
|
||||
},
|
||||
{
|
||||
"answer": "Pour la meilleure expérience possible sur console, vous aurez besoin de modifier le système de celle-ci — par exemple, grâce à Aroma pour la Wii U ou Luma3DS pour la 3DS. Cependant, avec la Wii U, il est possible d'accéder à Pretendo sans modification, mais avec des fonctionnalités limitées. Voir <a href=\"/docs/install\">la documentation</a> pour plus de détails.",
|
||||
"question": "Dois-je modifier ma console pour me connecter ?"
|
||||
},
|
||||
{
|
||||
"question": "Si je suis banni du Nintendo Network, est-ce que ce sera le cas avec Pretendo ?",
|
||||
"answer": "Nous n'avons pas accès à la liste des bannissements du Nintendo Network, ce ne sera donc pas le cas. Il est cependant obligatoire de suivre les règles en vigueur sur notre réseau, sous peine de ban."
|
||||
},
|
||||
{
|
||||
"answer": "Uniquement lors de parties privées. L'utilisation de triches en public afin d'obtenir (ou de conférer) un avantage déloyal ou de nuire à l'expérience de jeu d'autres joueurs, sans leur consentement, est interdite sous peine de bannissement. Nous bannissons régulièrement certains comptes et consoles parmi les utilisateurs Wii U et 3DS. Pretendo emploie de nouvelles mesures de sécurité, de sorte à rendre inefficaces les tentatives d'évasion de ban par changement de numéro de série (ou par d'autres méthodes traditionnelles).",
|
||||
"question": "Autorisez-vous la triche ou l'utilisation de mods en ligne sur Pretendo ?"
|
||||
}
|
||||
]
|
||||
},
|
||||
"showcase": {
|
||||
"title": "Ce qu'on fait",
|
||||
"text": "Notre projet comporte de nombreuses composantes. En voici quelques uns.",
|
||||
"text": "Notre projet comporte de nombreuses composantes. En voici quelques-unes.",
|
||||
"cards": [
|
||||
{
|
||||
"title": "Serveurs de jeu",
|
||||
"caption": "Ramener vos jeux et contenus préférés à l'aide de serveurs personnalisés."
|
||||
"caption": "Ramenez à la vie vos jeux et contenus favoris grâce à nos serveurs personnalisés."
|
||||
},
|
||||
{
|
||||
"title": "Juxtaposition",
|
||||
|
|
@ -99,14 +111,175 @@
|
|||
},
|
||||
"credits": {
|
||||
"title": "L'équipe",
|
||||
"text": "Rencontrez l'équipe derrière le projet"
|
||||
"text": "Rencontrez l'équipe derrière le projet",
|
||||
"people": [
|
||||
{
|
||||
"caption": "Maître du projet, développeur en chef",
|
||||
"name": "Jonathan Barrow (jonbarrow)",
|
||||
"picture": "https://github.com/jonbarrow.png",
|
||||
"github": "https://github.com/jonbarrow"
|
||||
},
|
||||
{
|
||||
"caption": "Recherche et développement (Miiverse)",
|
||||
"github": "https://github.com/CaramelKat",
|
||||
"name": "Jemma (CaramelKat)",
|
||||
"picture": "https://github.com/caramelkat.png"
|
||||
},
|
||||
{
|
||||
"caption": "Recherche et développement de patchs Wii U",
|
||||
"github": "https://github.com/ashquarky",
|
||||
"name": "quarky",
|
||||
"picture": "https://github.com/ashquarky.png"
|
||||
},
|
||||
{
|
||||
"picture": "https://github.com/supermariodabom.png",
|
||||
"github": "https://github.com/SuperMarioDaBom",
|
||||
"caption": "Recherche sur les systèmes, architecture serveur",
|
||||
"name": "SuperMarioDaBom"
|
||||
},
|
||||
{
|
||||
"name": "pinklimes",
|
||||
"caption": "Développement web",
|
||||
"picture": "https://github.com/gitlimes.png",
|
||||
"github": "https://github.com/gitlimes.png"
|
||||
},
|
||||
{
|
||||
"caption": "Recherche sur les systèmes, développement serveur",
|
||||
"picture": "https://cdn.discordapp.com/avatars/191370953807233024/0311b61e2009c1576828dd2e9a59d72e.png?size=128",
|
||||
"name": "Shutterbug2000",
|
||||
"github": "https://github.com/shutterbug2000"
|
||||
},
|
||||
{
|
||||
"caption": "Conservation, architecture serveur",
|
||||
"name": "Billy",
|
||||
"github": "https://github.com/InternalLoss",
|
||||
"picture": "https://github.com/InternalLoss.png"
|
||||
},
|
||||
{
|
||||
"caption": "Recherche sur les systèmes, développement serveur",
|
||||
"name": "DaniElectra",
|
||||
"picture": "https://github.com/danielectra.png",
|
||||
"github": "https://github.com/DaniElectra"
|
||||
},
|
||||
{
|
||||
"caption": "Développement serveur et web",
|
||||
"name": "niko",
|
||||
"picture": "https://github.com/hauntii.png",
|
||||
"github": "https://github.com/hauntii"
|
||||
},
|
||||
{
|
||||
"caption": "DevOps et travail de la communauté",
|
||||
"name": "MatthewL246",
|
||||
"picture": "https://github.com/MatthewL246.png",
|
||||
"github": "https://github.com/MatthewL246"
|
||||
},
|
||||
{
|
||||
"caption": "Développement serveur et optimisations",
|
||||
"picture": "https://github.com/wolfendale.png",
|
||||
"name": "wolfendale",
|
||||
"github": "https://github.com/wolfendale"
|
||||
},
|
||||
{
|
||||
"caption": "Recherche et développement de patchs (3DS)",
|
||||
"picture": "https://github.com/TraceEntertains.png",
|
||||
"name": "TraceEntertains",
|
||||
"github": "https://github.com/TraceEntertains"
|
||||
}
|
||||
]
|
||||
},
|
||||
"specialThanks": {
|
||||
"title": "Remerciements spéciaux",
|
||||
"text": "Sans eux, Pretendo ne serait pas ce qu'il est aujourd'hui."
|
||||
"title": "Sincères remerciements",
|
||||
"text": "Sans eux, Pretendo ne serait pas ce qu'il est aujourd'hui.",
|
||||
"people": [
|
||||
{
|
||||
"name": "Contributeurs GitHub",
|
||||
"caption": "Localisations et autres contributions",
|
||||
"picture": "https://github.githubassets.com/images/modules/logos_page/GitHub-Mark.png",
|
||||
"github": "https://github.com/PretendoNetwork"
|
||||
},
|
||||
{
|
||||
"caption": "Développement de la bibliothèque crunch",
|
||||
"name": "superwhiskers",
|
||||
"picture": "https://github.com/superwhiskers.png",
|
||||
"github": "https://github.com/superwhiskers"
|
||||
},
|
||||
{
|
||||
"caption": "Développement 3DS et du dissecteur NEX (nex-dissector)",
|
||||
"github": "https://github.com/Stary2001",
|
||||
"picture": "https://github.com/Stary2001.png",
|
||||
"name": "Stary"
|
||||
},
|
||||
{
|
||||
"name": "rverse",
|
||||
"picture": "https://github.com/rverseTeam.png",
|
||||
"github": "https://twitter.com/rverseClub",
|
||||
"caption": "Partage d'informations concernant Miiverse"
|
||||
},
|
||||
{
|
||||
"picture": "https://cdn.discordapp.com/avatars/186572995848830987/b55c0d4e7bfd792edf0689f83a25d8ea.png?size=128",
|
||||
"github": "https://github.com/Kinnay",
|
||||
"name": "Kinnay",
|
||||
"caption": "Recherche sur les structures de données Nintendo",
|
||||
"special": "Sincères remerciements"
|
||||
},
|
||||
{
|
||||
"caption": "Icônes pour l'éditeur Mii et les réactions Juxt",
|
||||
"name": "NinStar",
|
||||
"picture": "https://github.com/ninstar.png",
|
||||
"github": "https://github.com/ninstar"
|
||||
},
|
||||
{
|
||||
"name": "Rambo6Glaz",
|
||||
"picture": "https://github.com/EpicUsername12.png",
|
||||
"github": "https://github.com/EpicUsername12",
|
||||
"caption": "Recherches consoles et serveurs de jeu"
|
||||
},
|
||||
{
|
||||
"caption": "Développement de patch pour la Wii U",
|
||||
"picture": "https://github.com/GaryOderNichts.png",
|
||||
"github": "https://github.com/GaryOderNichts",
|
||||
"name": "GaryOderNichts"
|
||||
},
|
||||
{
|
||||
"caption": "Créateur de patch 3DS",
|
||||
"name": "zaksabeast",
|
||||
"picture": "https://cdn.discordapp.com/avatars/219324395707957248/c62573fbd4d26c8b4724f54413df6960.png?size=128",
|
||||
"github": "https://github.com/zaksabeast"
|
||||
},
|
||||
{
|
||||
"caption": "Architecture serveur",
|
||||
"picture": "https://github.com/mrjvs.png",
|
||||
"github": "https://github.com/mrjvs",
|
||||
"name": "mrjvs"
|
||||
},
|
||||
{
|
||||
"caption": "Architecture serveur",
|
||||
"name": "binaryoverload",
|
||||
"picture": "https://github.com/binaryoverload.png",
|
||||
"github": "https://github.com/binaryoverload"
|
||||
},
|
||||
{
|
||||
"caption": "Recherches sur Splatoon et rotations de stages",
|
||||
"name": "Simonx22",
|
||||
"picture": "https://github.com/Simonx22.png",
|
||||
"github": "https://github.com/Simonx22"
|
||||
},
|
||||
{
|
||||
"caption": "Rotations Splatoon et recherches",
|
||||
"name": "OatmealDome",
|
||||
"github": "https://github.com/OatmealDome",
|
||||
"picture": "https://github.com/OatmealDome.png"
|
||||
},
|
||||
{
|
||||
"name": "Contributeurs GitHub",
|
||||
"caption": "Localisations et autres contributions",
|
||||
"picture": "https://github.githubassets.com/images/modules/logos_page/GitHub-Mark.png",
|
||||
"github": "https://github.com/PretendoNetwork"
|
||||
}
|
||||
]
|
||||
},
|
||||
"discordJoin": {
|
||||
"title": "Tiens-toi à jour",
|
||||
"title": "Rejoignez-nous",
|
||||
"text": "Rejoignez notre serveur Discord pour obtenir les dernières mises à jour sur le projet.",
|
||||
"widget": {
|
||||
"text": "Recevez des mises à jour en temps réel",
|
||||
|
|
@ -114,30 +287,31 @@
|
|||
}
|
||||
},
|
||||
"footer": {
|
||||
"socials": "Liens Sociaux",
|
||||
"socials": "Réseaux sociaux",
|
||||
"usefulLinks": "Liens utiles",
|
||||
"widget": {
|
||||
"captions": [
|
||||
"Vous voulez rester à jour ?",
|
||||
"Rejoignez notre serveur Discord !"
|
||||
],
|
||||
"button": "Rejoignez maintenant !"
|
||||
"button": "Rejoignez-nous maintenant !"
|
||||
},
|
||||
"bandwidthRaccoonQuotes": [
|
||||
"Je suis Bandwidth le Raton Laveur, j'adore mordiller les cables de Pretendo Network ! Miam !",
|
||||
"Beaucoup de gens nous demandent si on aura de problèmes avec Nintendo ; Moi je leur réponds que ma tante qui travaille chez Nintendo a dit qu'elle était d'accord.",
|
||||
"Je suis Bandwidth le Raton Laveur, un vrai glouton. Mon péché mignon ? Les câbles des serveurs Pretendo, pardi !... Miam !",
|
||||
"Beaucoup de gens nous demandent si on aura des problèmes juridiques avec Nintendo... J'aime leur répondre que ma tante travaille chez Nintendo et qu'elle m'a dit que c'était OK.",
|
||||
"Webkit v537 est la meilleure version de Webkit pour la Wii U. Non, on ne portera pas Chrome sur la Wii U.",
|
||||
"J'ai hâte qu'on soit le 19 Janvier 2038 à 3h14 !",
|
||||
"La Wii U n'était pas si nulle que ça, mais les pubs étaient vraiment mauvaises par contre. Ah, attends mon Gamepad n'arrive pas à se connecter à ma Wii.",
|
||||
"La Wii U n'était pas si nulle que ça, en vrai, c'est juste que les pubs étaient vraiment désastreuses... Hum, c'est étrange, j'ai l'impression que mon Gamepad n'arrive pas à se connecter à ma Wii.",
|
||||
"La musique principale de Super Mario World 2 - Yoshi's Island est la meilleure musique du monde et tu ne peux pas changer mon avis.",
|
||||
"Mes dernières sorties préférée sont le Nintendo Switch Online + Expansion Pack, Nintendo Switch Online + Rumble Pak, Nintendo Switch Online + Offline Play Pack, Nintendo Switch Online + Un Port Sans Importance et Nintendo Switch Online + Dr. Kawashima's Brain Training / Brain Age \"Vous l'aimiez vraiment beaucoup sur la Console Virtuelle de la Wii U\" Pack. On voit que Nintendo a de la passion.",
|
||||
"\"Tu vois Ash ? Ouais, bah elle fait UwU tout le temps\" est vraiment la façon la plus gentille possible de dire \"Ash fait UwU tout le temps et j'en ai marre\"",
|
||||
"Ma premièr video ! ! ! !1 ! G toujour voulu en fair mais mon PC étè tou pouri alor ma maman ma aidé a améliorer ses performans et mintenan je peu fair dé vidéos ! alor aboné vou é liké SVP !11 ! !"
|
||||
"\"Tu vois qui c'est Sasha ? C'est fou elle dit souvent UwU, tu trouves pas ?\" : c'est vraiment la plus douce des façons de dire \"Sasha dit H24 UwU, c'est trop chiant et chelou : à l'aide\". À tous ceux qui connaissent une Sasha... explicitez vos appels au secours, nan ?",
|
||||
"Ma premièr video ! ! ! !1 ! G toujour voulu en fair mais mon PC étè tou pouri alor ma maman ma aidé a améliorer ses performans et mintenan je peu fair dé vidéos ! alor aboné vou é liké SVP !11 ! !",
|
||||
"Cela me semble bon"
|
||||
]
|
||||
},
|
||||
"progressPage": {
|
||||
"title": "Notre progression",
|
||||
"description": "Vérifiez l'avancement et les objectifs du projet ! (Mis à jour environ toute les heures, ne reflète pas TOUS nos objectifs et notre progression)"
|
||||
"description": "Vérifiez l'avancement et les objectifs du projet ! (Fil mis à jour toutes les heures environ. Attention, cela ne reflète qu'un échantillon de notre travail : ce n'est que la partie émergée de l'iceberg dit-on !)"
|
||||
},
|
||||
"blogPage": {
|
||||
"title": "Blog",
|
||||
|
|
@ -154,25 +328,25 @@
|
|||
"button": "Tester un fichier"
|
||||
},
|
||||
"docs": {
|
||||
"missingInLocale": "Cette page n'est pas disponible dans votre région. Veuillez essayer avec la version anglaise ci-dessous.",
|
||||
"missingInLocale": "La page que vous consultez n'est pas encore traduite dans votre langue. Nous vous invitons à lire la version anglaise originale ci-dessous.",
|
||||
"quickLinks": {
|
||||
"header": "Liens rapides",
|
||||
"links": [
|
||||
{
|
||||
"header": "Installer Pretendo",
|
||||
"caption": "Afficher les instructions de configuration"
|
||||
"caption": "Afficher les instructions d'installation"
|
||||
},
|
||||
{
|
||||
"header": "Vous avez une erreur ?",
|
||||
"caption": "Cherchez-la ici"
|
||||
"caption": "Recherchez-la ici !"
|
||||
}
|
||||
]
|
||||
},
|
||||
"search": {
|
||||
"title": "Avez-vous un code d'erreur ?",
|
||||
"label": "Code d'erreur",
|
||||
"caption": "Écrivez dans la case ci-dessous pour obtenir des informations sur votre problème !",
|
||||
"no_match": "Aucun Résultat"
|
||||
"caption": "Inscrivez-le ci-dessous pour de plus amples informations !",
|
||||
"no_match": "Aucun résultat"
|
||||
},
|
||||
"sidebar": {
|
||||
"search": "Recherche",
|
||||
|
|
@ -185,55 +359,53 @@
|
|||
},
|
||||
"account": {
|
||||
"loginForm": {
|
||||
"login": "Connexion",
|
||||
"detailsPrompt": "Entrez les informations du compte ci-dessous",
|
||||
"login": "Se connecter",
|
||||
"detailsPrompt": "Saisissez vos informations de connexion",
|
||||
"password": "Mot de Passe",
|
||||
"loginPrompt": "Déjà un Compte ?",
|
||||
"username": "Pseudo",
|
||||
"loginPrompt": "Compte déjà existant ?",
|
||||
"username": "Nom d'utilisateur",
|
||||
"register": "S'inscrire",
|
||||
"confirmPassword": "Confirmez le Mot de Passe",
|
||||
"email": "Email",
|
||||
"miiName": "Nom du Mii",
|
||||
"miiName": "Surnom du Mii",
|
||||
"forgotPassword": "Mot de Passe oublié ?",
|
||||
"registerPrompt": "Pas de Compte ?"
|
||||
"registerPrompt": "Pas encore inscrit ?"
|
||||
},
|
||||
"settings": {
|
||||
"downloadFiles": "Télécharger fichiers du compte",
|
||||
"settingCards": {
|
||||
"gender": "Genre",
|
||||
"gender": "Sexe",
|
||||
"profile": "Profil",
|
||||
"nickname": "Surnom",
|
||||
"birthDate": "Date de Naissance",
|
||||
"country": "Pays/Région",
|
||||
"timezone": "Décalage Horaire",
|
||||
"timezone": "Fuseau horaire",
|
||||
"serverEnv": "Environment du Serveur",
|
||||
"production": "Production",
|
||||
"beta": "Beta",
|
||||
"upgradePrompt": "Les Serveurs Beta sont exclusifs au Beta Testeurs. <br>Pour devenir un Beta Testeur, mettez à niveau votre compte à un niveau plus élevé.",
|
||||
"upgradePrompt": "Les serveurs Beta sont exclusifs aux Beta Testeurs. <br>Pour devenir un Beta Testeur, mettez à niveau votre compte à un niveau plus élevé.",
|
||||
"hasAccessPrompt": "Votre niveau actuel vous donne accès au serveurs beta. Super !",
|
||||
"newsletterPrompt": "Recevoir les mises à jour via email (vous pourrez toujours changer ça plus tard)",
|
||||
"newsletterPrompt": "Recevoir les mises à jour par mail (vous pouvez vous désinscrire à tout moment)",
|
||||
"signInSecurity": "Inscription et sécurité",
|
||||
"email": "Email",
|
||||
"password": "Mot de Passe",
|
||||
"passwordResetNotice": "Une fois votre mot de passe changé, vous serez déconnecté de tous les appareils.",
|
||||
"signInHistory": "Historique de Connexion",
|
||||
"fullSignInHistory": "Voir l'historique de connexion complète",
|
||||
"otherSettings": "Autres Paramètres",
|
||||
"signInHistory": "Historique de connexion",
|
||||
"fullSignInHistory": "Voir l'historique de connexion intégral",
|
||||
"otherSettings": "Autres paramètres",
|
||||
"discord": "Discord",
|
||||
"connectedToDiscord": "Connecté à Discord en tant que",
|
||||
"removeDiscord": "Délier le compte Discord",
|
||||
"noDiscordLinked": "Pas de compte Discord associé.",
|
||||
"linkDiscord": "Associer un compte Discord",
|
||||
"newsletter": "Nouveautés",
|
||||
"newsletter": "Newsletter",
|
||||
"passwordPrompt": "Entrez votre mot de passe d'Identifiant Pretendo Network (PNID) pour télécharger les fichiers Cemu",
|
||||
"no_edit_from_dashboard": "Le changement des préférences du IDNP dans le menu d'utilisateur n'est pas disponsible. Veuillez changer les préférences de profil sur votre console de jeu",
|
||||
"no_edit_from_dashboard": "La configuration des paramètres PNID depuis le menu utilisateur est actuellement indisponible. Veuillez procéder aux changements depuis votre console.",
|
||||
"userSettings": "Paramètres du Compte",
|
||||
"no_signins_notice": "L'historique de connexion n'est actuellement pas sauvegardé. Revenez plus tard !",
|
||||
"no_signins_notice": "L'historique de connexion n'est pas encore établi. Réessayez ultérieurement.",
|
||||
"no_newsletter_notice": "Newsletter non disponible actuellement. Revenez plus tard"
|
||||
},
|
||||
"downloadFilesDescription": "(Ne fonctionnera pas avec le Nintendo Network)",
|
||||
"upgrade": "Mettre à Niveau le compte",
|
||||
"unavailable": "Non disponible"
|
||||
"unavailable": "Indisponible"
|
||||
},
|
||||
"banned": "Banni",
|
||||
"accountLevel": [
|
||||
|
|
@ -264,7 +436,7 @@
|
|||
"month": "mois",
|
||||
"tierSelectPrompt": "Sélectionnez un niveau",
|
||||
"unsub": "Se désabonner",
|
||||
"unsubPrompt": "Êtes-vous sûr de vouloir vous désabonner du <span>tiername</span> ? Vous perdrez toutes les récompenses associées à ce niveau.",
|
||||
"unsubPrompt": "Êtes-vous sûr de vouloir vous désabonner du <span>tiername</span> ? Vous perdrez toutes les récompenses associées à ce niveau <span>immédiatement</span>.",
|
||||
"unsubConfirm": "Se désabonner",
|
||||
"changeTier": "Changer de niveau",
|
||||
"changeTierConfirm": "Changer de niveau",
|
||||
|
|
@ -278,5 +450,8 @@
|
|||
"cancel": "Annuler",
|
||||
"confirm": "Confirmer",
|
||||
"close": "Fermer"
|
||||
},
|
||||
"notfound": {
|
||||
"description": "Oups ! Nous n'arrivons pas à trouver cette page."
|
||||
}
|
||||
}
|
||||
|
|
|
|||
1
locales/ga_IE.json
Normal file
1
locales/ga_IE.json
Normal file
|
|
@ -0,0 +1 @@
|
|||
{}
|
||||
280
locales/gl_ES.json
Normal file
280
locales/gl_ES.json
Normal file
|
|
@ -0,0 +1,280 @@
|
|||
{
|
||||
"nav": {
|
||||
"credits": "Créditos",
|
||||
"donate": "Doa",
|
||||
"accountWidget": {
|
||||
"settings": "Configuración",
|
||||
"logout": "Acceder"
|
||||
},
|
||||
"dropdown": {
|
||||
"captions": {
|
||||
"credits": "coñecer o equipo",
|
||||
"blog": "As nosas últimas actualizacións, resumidas",
|
||||
"progress": "Comproba o progreso e os obxectivos do proxecto",
|
||||
"about": "Sobre o proxecto",
|
||||
"faq": "Preguntas Frecuentes"
|
||||
}
|
||||
},
|
||||
"docs": "Documentos",
|
||||
"faq": "Preguntas e respostas",
|
||||
"about": "Sobre",
|
||||
"progress": "Progreso",
|
||||
"blog": "Blog",
|
||||
"account": "Conta"
|
||||
},
|
||||
"hero": {
|
||||
"subtitle": "Servidores de xogos",
|
||||
"title": "Recreado",
|
||||
"text": "Pretendo é un substituto gratuíto e de código aberto para os servidores de Nintendo tanto para 3DS como para Wii U, que permite a conectividade en liña para todos incluso despois de que os servidores orixinais estean descontinuados",
|
||||
"buttons": {
|
||||
"readMore": "Le máis"
|
||||
}
|
||||
},
|
||||
"faq": {
|
||||
"text": "Abaixo amósanse algunhas preguntas comúns que nos fan.",
|
||||
"QAs": [
|
||||
{
|
||||
"question": "Que é Pretendo?",
|
||||
"answer": "Pretendo é un substituto de Nintendo Network de código aberto que ten como obxectivo crear servidores personalizados para a familia de consolas Wii U e 3DS. O noso obxectivo é preservar a funcionalidade en liña destas consolas, para permitir aos xogadores seguir xogando aos seus xogos favoritos de Wii U e 3DS ao máximo."
|
||||
},
|
||||
{
|
||||
"question": "O meu Nintendo Network ID existente funcionará é pretendo?",
|
||||
"answer": "Por desgraza non. Os ID de Nintendo Network existentes non funcionarán é Pretendo, xa que só Nintendo conserva os datos dos usuarios. Aínda que unha migración de NNID a PNID é teoricamente posible, sería arriscado e requiriría datos confidenciais do usuario que non queremos conservar."
|
||||
},
|
||||
{
|
||||
"answer": "Para usar Pretendo siga as instrucións da sección Documentos na parte superior.",
|
||||
"question": "Como empregar Pretendo?"
|
||||
},
|
||||
{
|
||||
"question": "Podo saber cando unha función/servizo que pretendo estará lista?",
|
||||
"answer": "Non. Moitas das funcións e servizos de Pretendo desenvólvense de forma independente (por exemplo, un programador pode traballar en Miiverse mentres que outro pode traballar en Contas e Amigos) e, polo tanto, non podemos dar un prazo de entrega estimado."
|
||||
},
|
||||
{
|
||||
"question": "Pretendo funciona en emuladores como Cemu/Citra?",
|
||||
"answer": "Pretendo é compatible con calquera cliente que poida interactuar coa Nintendo Network. Actualmente, o único emulador con este tipo de funcionalidades é Cemu. Cemu 2.0 é oficialmente compatible con Pretendo nas opcións de conta de rede do emulador. Para obter información sobre como comezar con Cemu, consulta a <a href=\"https://pretendo.network/docs/install/cemu\">documentación</a>.<br>Citra non admite o xogo real en liña e, polo tanto, non funciona con Pretendo e non mostra ningún signo de ser compatible co xogo real en liña. Mikage, un emulador de 3DS para dispositivos móbiles, pode ofrecer soporte no futuro, aínda que non é certo."
|
||||
},
|
||||
{
|
||||
"question": "Se me ban de Nintendo Network, tamén se me prohibirá de Pretendo?",
|
||||
"answer": "Non temos acceso ás prohibicións de Nintendo Network, polo que tampouco se che prohibirá de Pretendo. Non obstante, teremos regras a seguir ao usar o servizo e o incumprimento destas regras pode resultar na prohibición."
|
||||
},
|
||||
{
|
||||
"question": "Terei a Pretendo de ter soporte é Wii/Switch?",
|
||||
"answer": "A Wii xa ten servidores personalizados proporcionados por <a href=\"https://wiimmfi.de/\" target=\"_blank\">Wiimmfi</a>. Actualmente non queremos apuntar ao Switch, xa que é de pago e completamente diferente da Nintendo Network."
|
||||
},
|
||||
{
|
||||
"answer": "Si, terás que cortar o teu dispositivo para conectarte; Non obstante, en Wii U só necesitarás acceso ao Homebrew Launcher (é dicir, Haxchi, Coldboot Haxchi ou mesmo o exploit do navegador web), e en 3DS necesitarás a última versión de Luma, máis información en Documentos.",
|
||||
"question": "Necesito modificar para conectarme?"
|
||||
}
|
||||
],
|
||||
"title": "Preguntas máis frecuentes"
|
||||
},
|
||||
"showcase": {
|
||||
"cards": [
|
||||
{
|
||||
"caption": "Traemos os teus xogos e contido favoritos a través de servidores personalizados",
|
||||
"title": "Servidores de xogos"
|
||||
},
|
||||
{
|
||||
"title": "Juxtaposition",
|
||||
"caption": "Unha nova versión de Miiverse, coma se fora creada na era moderna."
|
||||
},
|
||||
{
|
||||
"title": "Apoio con cemu",
|
||||
"caption": "Xoga aos teus xogos favoritos de Wii U mesmo sen consola!"
|
||||
}
|
||||
],
|
||||
"title": "O que facemos",
|
||||
"text": "O noso proxecto ten moitos compoñentes. Abaixo amósanse algúns deles."
|
||||
},
|
||||
"credits": {
|
||||
"title": "O equipo",
|
||||
"text": "Coñece o equipo detrás do proxecto"
|
||||
},
|
||||
"account": {
|
||||
"settings": {
|
||||
"settingCards": {
|
||||
"production": "Produción",
|
||||
"beta": "Proba",
|
||||
"hasAccessPrompt": "O teu rango actual dáche acceso ao servidor beta. ¡Brillante!",
|
||||
"signInHistory": "Historial de inicio de sesión",
|
||||
"no_edit_from_dashboard": "A edición da configuración PNID desde o panel de usuario non está dispoñible actualmente. Actualiza a configuración do usuario desde a consola de xogos vinculada",
|
||||
"nickname": "Alcume",
|
||||
"passwordResetNotice": "Despois de cambiar o contrasinal, pecharase sesión en todos os dispositivos.",
|
||||
"gender": "Xénero",
|
||||
"country": "País/Rexión",
|
||||
"password": "Contrasinal",
|
||||
"otherSettings": "Outras configuracións",
|
||||
"discord": "Discord",
|
||||
"removeDiscord": "Desvincular a conta de Discord",
|
||||
"noDiscordLinked": "Non tes unha conta de Discord vinculada",
|
||||
"linkDiscord": "Vincular conta de Discord",
|
||||
"passwordPrompt": "Introduza o seu contrasinal PNID para descargar ficheiros Cemu",
|
||||
"no_newsletter_notice": "Newsletter non dispoñible actualmente. Volve consultar máis tarde",
|
||||
"timezone": "Franxa horaria",
|
||||
"serverEnv": "Escolle un servidor",
|
||||
"upgradePrompt": "Os servidores de proba son exclusivos dos probadores.<br>Para converterse en probador, compra un rango de conta superior.",
|
||||
"userSettings": "Configuración de usuario",
|
||||
"profile": "Perfil",
|
||||
"birthDate": "Aniversario",
|
||||
"signInSecurity": "cantar e unha seguridade",
|
||||
"email": "Correo electrónico",
|
||||
"fullSignInHistory": "Ver historial de inicio de sesión completo",
|
||||
"connectedToDiscord": "Conectado a Discord como",
|
||||
"newsletter": "Boletín informativo",
|
||||
"newsletterPrompt": "Recibe actualizacións do proxecto por correo electrónico (podes cancelar a subscrición en calquera momento)",
|
||||
"no_signins_notice": "O historial de inicio de sesión non se segue actualmente. Volve comprobar máis tarde!"
|
||||
},
|
||||
"upgrade": "Comprar Rank",
|
||||
"unavailable": "Non dispoñible"
|
||||
},
|
||||
"loginForm": {
|
||||
"forgotPassword": "Esqueciches o teu contrasinal?",
|
||||
"detailsPrompt": "Introduza a continuación os detalles da súa conta",
|
||||
"confirmPassword": "confirma o contrasinal",
|
||||
"login": "Acceder",
|
||||
"username": "Nome de usuario",
|
||||
"password": "Contrasinal",
|
||||
"email": "Correo electrónico",
|
||||
"registerPrompt": "Non tes unha conta?",
|
||||
"loginPrompt": "Xa tes unha conta?",
|
||||
"register": "Incribirse",
|
||||
"miiName": "Nome Mii"
|
||||
},
|
||||
"forgotPassword": {
|
||||
"sub": "Introduce o teu enderezo de correo electrónico/PNID a continuación",
|
||||
"submit": "Enviar",
|
||||
"header": "Esqueceches o contrasinal",
|
||||
"input": "Enderezo de correo electrónico ou PNID"
|
||||
},
|
||||
"resetPassword": {
|
||||
"submit": "Enviar",
|
||||
"confirmPassword": "Confirme o contrasinal",
|
||||
"header": "Cambie o contrasinal",
|
||||
"sub": "Introduce o novo contrasinal a continuación",
|
||||
"password": "contrasinal"
|
||||
},
|
||||
"account": "Conta",
|
||||
"accountLevel": [
|
||||
"Estándar",
|
||||
"Provador",
|
||||
"Moderador",
|
||||
"Desenvolvedor"
|
||||
],
|
||||
"banned": "Prohibido"
|
||||
},
|
||||
"specialThanks": {
|
||||
"title": "Grazas especiais",
|
||||
"text": "Sen eles, Pretendo non estaría onde está agora."
|
||||
},
|
||||
"aboutUs": {
|
||||
"title": "Sobre nós",
|
||||
"paragraphs": [
|
||||
"Pretendo é un proxecto de código aberto que ten como obxectivo recrear a Nintendo Network para 3DS e Wii U mediante enxeñería inversa en sala limpa.",
|
||||
"Dado que os nosos servizos serían gratuítos e de código aberto, poderían existir mesmo despois do inevitable peche de Nintendo Network."
|
||||
]
|
||||
},
|
||||
"progress": {
|
||||
"githubRepo": "Repositorio de GitHub",
|
||||
"title": "Progreso"
|
||||
},
|
||||
"discordJoin": {
|
||||
"title": "Mantéñase ao día",
|
||||
"text": "Únete ao noso servidor Discord para obter as últimas actualizacións do proxecto.",
|
||||
"widget": {
|
||||
"button": "Únete ao servidor",
|
||||
"text": "Recibe actualizacións en tempo real sobre o noso progreso."
|
||||
}
|
||||
},
|
||||
"donation": {
|
||||
"upgradePush": "Para facerte un subscritor e acceder a grandes vantaxes, visita a <a href=\"/account/upgrade\">páxina de actualización</a>.",
|
||||
"progress": "<span>$${totd}</span> de <span>$${goald}</span>/mes, <span>${perc}%</span> do obxectivo mensual."
|
||||
},
|
||||
"localizationPage": {
|
||||
"description": "Pega unha ligazón a unha configuración rexional JSON de acceso público para probala no teu sitio web",
|
||||
"title": "Localicemos",
|
||||
"instructions": "Consulta as instrucións de localización",
|
||||
"fileInput": "Arquivo para probar",
|
||||
"filePlaceholder": "https://a.link.to/the_file.json",
|
||||
"button": "Ficheiro de proba"
|
||||
},
|
||||
"footer": {
|
||||
"socials": "Sociais",
|
||||
"usefulLinks": "Ligazóns útiles",
|
||||
"widget": {
|
||||
"captions": [
|
||||
"Queres estar ao día?",
|
||||
"Únete ao noso servidor Discord!"
|
||||
],
|
||||
"button": "Unirse agora"
|
||||
},
|
||||
"bandwidthRaccoonQuotes": [
|
||||
"Son Bandwidth o mapache e encántame mastigar os cables do servidor de Pretendo Network. Yum Yum Yum Isto é xenial! (Mellor que o bocadillo de queixo manchego)",
|
||||
"Moita xente pregúntanos se por isto imos ter problemas legais con Nintendo; Alégrome de dicir que a miña tía traballa en Nintendo e di que non os teremos.",
|
||||
"Webkit v537 é a mellor versión de Webkit para Wii U. Non, non estamos portando Chrome a Wii U.",
|
||||
"Non podo esperar a que o reloxo chegue ás 03:14:08 UTC o 19 de xaneiro de 2038!",
|
||||
"A Wii U é en realidade unha consola infravalorada: os anuncios eran moi malos, pero a consola é xenial. Agarda, non sei por que, pero o meu controlador non se conectará á miña Wii.",
|
||||
"O tema principal de Super Mario World 2 - Yoshi's Island é un bop absoluto e non hai forma de que me convenza do contrario.",
|
||||
"Os meus lanzamentos favoritos de Nintendo Switch foron Nintendo Switch Online + Expansion Pack, Nintendo Switch Online + Rumble Pak, Nintendo Switch Online + Offline Play Pack, Nintendo Switch Online + Yet Another Port Pack e Nintendo Switch Online + Dr. Kawashima's Brain Training / Brain Age \"Gustouche moito o título da consola virtual de Nintendo Wii U, así que o traeremos de volta\". Realmente demostra que a Nintendo lle importa.",
|
||||
"Como \"Xa sabes a Ash, bendí o seu corazón, ela está todo o día\" é a forma agradable do sur de dicir \"Ash uwus todo o tempo e é moi raro e estúpido e gustaríame que non o fixesen\".",
|
||||
"O meu primeiro video na miña canle!!! Levo un tempo querendo facer vídeos, pero o meu portátil estaba actuando bastante mal e non podía executar Fraps, Skype e Minecraft ao mesmo tempo. Pero iso xa acabouse! Cun pouco de axuda do meu profesor de informática, o meu portátil funciona moito mellor e agora podo gravar! Espero que o disfrutedes e se o fas, dálle me gusta e subscríbete!"
|
||||
]
|
||||
},
|
||||
"progressPage": {
|
||||
"title": "O noso progreso",
|
||||
"description": "Consulta o progreso e os obxectivos do proxecto! (Actualizado aproximadamente cada hora, non reflicte TODOS os obxectivos nin o progreso do proxecto)"
|
||||
},
|
||||
"docs": {
|
||||
"sidebar": {
|
||||
"welcome": "Benvido",
|
||||
"install_extended": "Instalalo pretendo",
|
||||
"search": "Buscar",
|
||||
"getting_started": "Comezando",
|
||||
"install": "Instalar",
|
||||
"juxt_err": "Código de erro - Juxt (Miiverse)"
|
||||
},
|
||||
"search": {
|
||||
"no_match": "Non se atoparon coincidencias",
|
||||
"title": "Tes un código de erro?",
|
||||
"caption": "Escríbeo no cadro de abaixo para obter información sobre o teu problema.",
|
||||
"label": "Código de erro"
|
||||
},
|
||||
"quickLinks": {
|
||||
"header": "ligazóns rápidas",
|
||||
"links": [
|
||||
{
|
||||
"header": "Instalalo pretendo",
|
||||
"caption": "Consulte as instrucións de configuración"
|
||||
},
|
||||
{
|
||||
"caption": "Buscalo aquí",
|
||||
"header": "Tes algún erro?"
|
||||
}
|
||||
]
|
||||
},
|
||||
"missingInLocale": "Esta páxina non está dispoñible no teu idioma. Vexa a versión en inglés a continuación."
|
||||
},
|
||||
"modals": {
|
||||
"confirm": "Confirmar",
|
||||
"cancel": "Cancelar",
|
||||
"close": "Pechar"
|
||||
},
|
||||
"blogPage": {
|
||||
"title": "Blog",
|
||||
"description": "As últimas actualizacións en fragmentos condensados. Se queres ver actualizacións máis frecuentes, considera <a href=\"/account/upgrade\" target=\"_blank\">Doar connosco</a>.",
|
||||
"published": "Publicado por",
|
||||
"publishedOn": "é"
|
||||
},
|
||||
"upgrade": {
|
||||
"month": "Mes",
|
||||
"back": "De volta",
|
||||
"title": "Subscríbete",
|
||||
"unsub": "Cancelar a subscrición",
|
||||
"unsubPrompt": "Estás seguro de que queres cancelar a subscrición de <span>tiername</span>? Perderás o acceso aos beneficios asociados a ese rango.",
|
||||
"unsubConfirm": "Cancelar a subscrición",
|
||||
"description": "Alcanzar o obxectivo mensual fará de Pretendo un traballo a tempo completo, proporcionando actualizacións de mellor calidade a un ritmo máis rápido",
|
||||
"tierSelectPrompt": "Seleccione un intervalo",
|
||||
"changeTier": "Cambiar rango",
|
||||
"changeTierPrompt": "Estás seguro de que queres cancelar a subscrición de <span class=\"oldtier\">oldtiername</span> e subscribirte a <span class=\"newtier\">newtiername</span>?",
|
||||
"changeTierConfirm": "Cambiar rango"
|
||||
}
|
||||
}
|
||||
1
locales/hr_HR.json
Normal file
1
locales/hr_HR.json
Normal file
|
|
@ -0,0 +1 @@
|
|||
{}
|
||||
457
locales/hu_HU.json
Normal file
457
locales/hu_HU.json
Normal file
|
|
@ -0,0 +1,457 @@
|
|||
{
|
||||
"nav": {
|
||||
"docs": "Dokumentáció",
|
||||
"credits": "Készítők",
|
||||
"progress": "Előrehaladás",
|
||||
"blog": "Blog",
|
||||
"account": "Fiók",
|
||||
"donate": "Adományozás",
|
||||
"accountWidget": {
|
||||
"settings": "Beállítások",
|
||||
"logout": "Kijelentkezés"
|
||||
},
|
||||
"dropdown": {
|
||||
"captions": {
|
||||
"about": "A projektről",
|
||||
"faq": "Gyakran ismételt kérdések",
|
||||
"blog": "A legutolsó frissítéseink, tömören",
|
||||
"progress": "Ellenőrizd a projekt előrehaladást és célokat",
|
||||
"credits": "Találkozz a team-mel"
|
||||
}
|
||||
},
|
||||
"about": "Névjegy",
|
||||
"faq": "GYIK"
|
||||
},
|
||||
"hero": {
|
||||
"subtitle": "Játék szerverek",
|
||||
"buttons": {
|
||||
"readMore": "Olvass tovább"
|
||||
},
|
||||
"title": "Újra létrehozva",
|
||||
"text": "A Pretendo egy ingyenes nyílt forrású helyettesítője a Nintendo szervereinek mind a 3DS, mind a Wii U számára lehetővé téve az online kapcsolatot mindenki számára, még az eredeti szerverek leállítása után is"
|
||||
},
|
||||
"aboutUs": {
|
||||
"title": "Rólunk",
|
||||
"paragraphs": [
|
||||
"A Pretendo egy nyílt forráskódú projekt, aminek célja újra előállítani a Nintendo Network-öt a 3DS és a Wii U számára tiszta visszafejtés technikát alkalmazva.",
|
||||
"Mivel a szolgáltatásaink egyaránt ingyenesek és nyílt forráskódúak, sokáig léteznek a jövőben."
|
||||
]
|
||||
},
|
||||
"progress": {
|
||||
"title": "Előrehaladás",
|
||||
"githubRepo": "Github repó"
|
||||
},
|
||||
"faq": {
|
||||
"title": "Gyakran Ismételt Kérdések",
|
||||
"text": "Itt van néhány gyakori kérdés, amit tőlünk kérdeztek, a könnyű információhoz jutás érdekében.",
|
||||
"QAs": [
|
||||
{
|
||||
"question": "Mi a Pretendo?",
|
||||
"answer": "A Pretendo egy nyílt forrású helyettesítője a Nintendo Network-nek aminek célja, hogy egyedi szervereket készítsen a Wii U és a 3DS család konzoljai számára. Célunk, hogy megőrizzük a funkcionalitását ezen konzoloknak, és lehetővé tegyük a játékosok számára, hogy folytathassák a játékot kedvenc Wii U és 3DS játékaikkal, azok teljes kapacitásával."
|
||||
},
|
||||
{
|
||||
"answer": "Sajnos nem. A létező NNID-k nem működnek a Pretendo-n, mert a Nintendo birtokolja a felhasználói adatot; habár egy NNID>PNID migráció elméletben lehetséges, kockázatos lenne és szenzitív felhasználói adatot igényel, amit nem szeretnénk birtokolni.",
|
||||
"question": "Működik a mostani NNID-m a Pretendón?"
|
||||
},
|
||||
{
|
||||
"question": "Hogyan használhatom a Pretendo-t?",
|
||||
"answer": "A Pretendo használatának elkezdéséhez 3DS-en, Wii U-n vagy emulátoron, kérjük tekintsd meg a <a href=\"/docs/install\">telepítési útmutatónkat</a>!"
|
||||
},
|
||||
{
|
||||
"question": "Tudjuk mikor lesz a funkció/szolgáltatás kész?",
|
||||
"answer": "Nem. Sok funkciója/szolgáltatása a Pretendo-nak függetlenül fejlesztett (például a Miiverse-en egy fejlesztő dolgozik, míg a Accounts and Friends-en egy másik), és így nem tudunk egy általános becslést adni, hogy mikorra fog ez elkészülni."
|
||||
},
|
||||
{
|
||||
"question": "Mikor adtok hozzá további játékokat?",
|
||||
"answer": "Akkor fogunk új játékokon dolgozni amikor azt érezzük hogy a backend könyvtárunk támogatja, és van egy fejlesztő aki karbantartja. Sok munka megy bele abba hogy stabilizáljuk és befejezzük a meglévő játékokat - Megakarjuk adni a legjobb élményt mielőtt egy új játékra megyünk. Mivel mindig jön új munka, ezért nem tudjuk megmondani mikor lesz ez."
|
||||
},
|
||||
{
|
||||
"question": "Ha van egy emulátorom, az elég a Pretendo használatához?",
|
||||
"answer": "Nem. A könnyebb moderáció és biztonság érdekében, az emulátor használatához szükséged lesz egy valódi konzolra is. Ez lehetővé tesz egy biztosabb rendszert és a szabályok hatékonyabb betartattatását, egy élvezetesebb és megbízhatóbb élmény érdekében."
|
||||
},
|
||||
{
|
||||
"answer": "Cemu 2.1 teljeskörűen támogatja a Pretendo-t a hálózati profil fül alatt az emulátorban. Több információért, hogy hogyan kezdj bele a Cemu-val való online játékba, nézd meg a <a href=\"https://pretendo.network/docs/install/cemu\">dokumentációt</a>.<br>Néhány 3DS emulátor vagy annak forkjai lehet támogatnak minket, de egyenlőre nincs semmilyen hivatalos ajánlásunk vagy telepítési útmutatónk hozzájuk. A Citra legújabb verziója nem támogatja a Pretendo-t.",
|
||||
"question": "Működik a Pretendo a Cemu emulátoron/más emulátorokon?"
|
||||
},
|
||||
{
|
||||
"answer": "A Wii-nek már vannak saját szerverei, amit a <a href=\"https://wiimmfi.de/\" target=\"_blank\">Wiimmfi</a> biztosít. Jelenleg nem célozzuk meg a Switch-et, mivel fizetős és teljesen más, mint a Nintendo Network.",
|
||||
"question": "Fogja a Pretendo támogatni a Wii-t/Switch-et?"
|
||||
},
|
||||
{
|
||||
"answer": "A legjobb élményért a konzolokon, hackelned kell a konzolod - pontosabban Aromával a Wii U-hoz és Luma3DS-el a 3DS-hez, de a Wii U-hoz van hackelés nélküli SSSL megoldás, de limitált hozzáféréssel. Nézd meg a <a href=\"/docs/install\">telepítési lépéseket</a> a leírásért.",
|
||||
"question": "Szükségem van hackelésre a csatlakozáshoz?"
|
||||
},
|
||||
{
|
||||
"question": "Ha bannolva vagyok a Nintendo hálózaton, ugyanúgy bannolva maradok Pretendón?",
|
||||
"answer": "Nincs hozzáférésünk a Nintendo hálózat ban listájához, szóval nem fogsz az maradni. De vannak szabályok amiket ha nem követsz akkor az bannolást okozhat."
|
||||
},
|
||||
{
|
||||
"answer": "Csak privát meccseken - a tisztességtelen előny megszerzése vagy az online élmény megzavarása olyan emberekkel, akik nem járultak hozzá (mint a nyilvános meccseken), tiltás alá esik. Rendszeresen alkalmazunk fiók- és konzoltiltásokat mind a Wii U, mind a 3DS rendszereken. A Pretendo olyan extra biztonsági intézkedéseket alkalmaz, amelyek hatástalanná teszik a hagyományos „unban” módszereket, mint például a sorozatszám megváltoztatása.",
|
||||
"question": "Lehet-e csalásokat vagy mod-okat online használni a Pretendo-val?"
|
||||
}
|
||||
]
|
||||
},
|
||||
"showcase": {
|
||||
"title": "Amit mi csinálunk",
|
||||
"text": "A projektünk sok komponensből áll. Itt van néhány közülük.",
|
||||
"cards": [
|
||||
{
|
||||
"title": "Játék szerverek",
|
||||
"caption": "A kedvenc játékaid és tartalmad visszahozása egyedi szerverek használatával."
|
||||
},
|
||||
{
|
||||
"title": "Juxtaposition",
|
||||
"caption": "A Miiverse újragondolása, milyen lett volna, ha a modern érában készül."
|
||||
},
|
||||
{
|
||||
"title": "Cemu támogatás",
|
||||
"caption": "Játssz a kedvenc Wii U játékaiddal akár konzol nélkül!"
|
||||
}
|
||||
]
|
||||
},
|
||||
"credits": {
|
||||
"title": "A csapat",
|
||||
"text": "Ismerd meg a csapatot a projekt mögött",
|
||||
"people": [
|
||||
{
|
||||
"name": "Jonathan Barrow (jonbarrow)",
|
||||
"github": "https://github.com/jonbarrow",
|
||||
"picture": "https://github.com/jonbarrow.png",
|
||||
"caption": "Project tulajdonos és fő fejlesztő"
|
||||
},
|
||||
{
|
||||
"picture": "https://github.com/caramelkat.png",
|
||||
"github": "https://github.com/CaramelKat",
|
||||
"name": "Jemma (CaramelKat)",
|
||||
"caption": "Miiverse kutató és fejlesztő"
|
||||
},
|
||||
{
|
||||
"name": "quarky",
|
||||
"caption": "Wii U kutató és patch fejlesztő",
|
||||
"picture": "https://github.com/ashquarky.png",
|
||||
"github": "https://github.com/ashquarky"
|
||||
},
|
||||
{
|
||||
"caption": "Rendszer kutatás és szerver architektúra",
|
||||
"github": "https://github.com/SuperMarioDaBom",
|
||||
"name": "SuperMarioDaBom",
|
||||
"picture": "https://github.com/supermariodabom.png"
|
||||
},
|
||||
{
|
||||
"picture": "https://github.com/gitlimes.png",
|
||||
"name": "Pinklimes",
|
||||
"caption": "Web fejlesztő",
|
||||
"github": "https://github.com/gitlimes"
|
||||
},
|
||||
{
|
||||
"name": "Shutterbug2000",
|
||||
"caption": "Rendszer kutató és szerver fejlesztő",
|
||||
"picture": "https://cdn.discordapp.com/avatars/191370953807233024/0311b61e2009c1576828dd2e9a59d72e.png?size=128",
|
||||
"github": "https://github.com/shutterbug2000"
|
||||
},
|
||||
{
|
||||
"github": "https://github.com/InternalLoss",
|
||||
"picture": "https://github.com/InternalLoss.png",
|
||||
"name": "Billy",
|
||||
"caption": "Prezervácionista és szerver architektúra"
|
||||
},
|
||||
{
|
||||
"name": "DaniElectra",
|
||||
"picture": "https://github.com/danielectra.png",
|
||||
"github": "https://github.com/DaniElectra",
|
||||
"caption": "Rendszer kutatás és szerver fejlesztés"
|
||||
},
|
||||
{
|
||||
"github": "https://github.com/hauntii",
|
||||
"name": "niko",
|
||||
"caption": "Web és szerver fejlesztés",
|
||||
"picture": "https://github.com/hauntii.png"
|
||||
},
|
||||
{
|
||||
"name": "MatthewL246",
|
||||
"caption": "DevOps és közösségi munka",
|
||||
"picture": "https://github.com/MatthewL246.png",
|
||||
"github": "https://github.com/MatthewL246"
|
||||
},
|
||||
{
|
||||
"name": "wolfendale",
|
||||
"caption": "Szerver fejlesztés és optimalizáció",
|
||||
"picture": "https://github.com/wolfendale.png",
|
||||
"github": "https://github.com/wolfendale"
|
||||
},
|
||||
{
|
||||
"name": "TraceEntertains",
|
||||
"caption": "3DS patch fejlesztés és kutatás",
|
||||
"picture": "https://github.com/TraceEntertains.png",
|
||||
"github": "https://github.com/TraceEntertains"
|
||||
}
|
||||
]
|
||||
},
|
||||
"footer": {
|
||||
"bandwidthRaccoonQuotes": [
|
||||
"Én vagyok a Bandwidth mosómedve, szeretem rágcsálni a Pretendo Network szerverek kábeleit. Nyam-nyam!",
|
||||
"Sokan kérdezik, hogy nem fogunk-e jogi problémába keveredni a Nintendo-val e miatt; Boldogan mondhatom, hogy a nénikém a Nintendo-nál dolgozik, és azt mondja, hogy szerinte ez rendben van.",
|
||||
"A Webkit v537 a legjobb verziója a Webkit a Wii U-ra. Nem, nem fogjuk portolni a Chrome-ot a Wii U-ra.",
|
||||
"Alig bírok várni arra, hogy az óra elérje a 2038 január 19-én a 03:14:08 UTC időpontot!",
|
||||
"A Wii U tulajdonképpen egy alulértékelt rendszer: a reklámok nagyon rosszak voltak, de a konzol nem. Hú, várj egy percet, nem tudom miért nem csatlakozik a Gamepad-om a Wii-omhoz.",
|
||||
"Super Mario World 2 - Yoshi's Island's főcím zenéje abszolút bop, és semmiképpen sem fogsz meggyőzni az ellenkezőjéről.",
|
||||
"A kedvenc Nintendo Switch kiadásaim: a Nintendo Switch Online + Expansion Pack, a Nintendo Switch Online + Rumble Pak, a Nintendo Switch Online + Offline Play Pack, a Nintendo Switch Online + Yet Another Port Pack és a Nintendo Switch Online + Dr. Kawashima's Brain Training / Brain Age \"Nagyon szeretted a Nintendo Wii U Virtual Console-t szóval visszahozzuk\" Pack. Tényleg elmondhatod, hogy a Nintendo figyel rád.",
|
||||
"Az \"Ismered Ash-t, áldd meg a szívét, egész nap UwUzik.\" a déli kedves módja annak, hogy \"Ash uwuzik minden alkalommal, és ez nagyon furcsa és hülye, és azt kívánom, bárcsak ne”",
|
||||
"Első videóm a csatornámon!! Már régóta szertem volna videókat készíteni, de a laptopom elég rosszul ment, és nem tudtam egyszerre futtatni a fraps-t, a skype-ot és a minecraftot. de most vége! informatika tanárom segítségével a laptopom sokkal jobban működik, és már tudok rögzíteni! remélem tetszeni fog és ha igen nyomj egy like-ot és iratkozz fel!!!",
|
||||
"Jónak tűnik nekem"
|
||||
],
|
||||
"socials": "Szociális",
|
||||
"usefulLinks": "Hasznos linkek",
|
||||
"widget": {
|
||||
"captions": [
|
||||
"Szeretnél naprakész lenni?",
|
||||
"Csatlakozz a Discord szerverünkhöz."
|
||||
],
|
||||
"button": "Csatlakozz most!"
|
||||
}
|
||||
},
|
||||
"account": {
|
||||
"loginForm": {
|
||||
"loginPrompt": "Rendelkezel már fiókkal?",
|
||||
"username": "Felhasználónév",
|
||||
"registerPrompt": "Nem rendelkezel fiókkal?",
|
||||
"password": "Jelszó",
|
||||
"forgotPassword": "Elfelejtetted a jelszavad?",
|
||||
"login": "Belépés",
|
||||
"register": "Regisztráció",
|
||||
"detailsPrompt": "Add meg a fiók adataid alább",
|
||||
"confirmPassword": "Jelszó megerősítése",
|
||||
"email": "Email",
|
||||
"miiName": "Mii név"
|
||||
},
|
||||
"forgotPassword": {
|
||||
"submit": "Elküld",
|
||||
"input": "Email cím vagy PNID",
|
||||
"header": "Elfelejtett jelszó",
|
||||
"sub": "Add meg az email címed/PNID azonosítód alább"
|
||||
},
|
||||
"resetPassword": {
|
||||
"header": "Jelszó alaphelyzetbe állítása",
|
||||
"sub": "Add meg az új jelszót alább",
|
||||
"password": "Jelszó",
|
||||
"confirmPassword": "Jelszó megerősítése",
|
||||
"submit": "Elküld"
|
||||
},
|
||||
"settings": {
|
||||
"settingCards": {
|
||||
"profile": "Profil",
|
||||
"beta": "Béta",
|
||||
"nickname": "Becenév",
|
||||
"otherSettings": "Egyéb beállítások",
|
||||
"upgradePrompt": "A béta szerverek exkluzívak a béta tesztelők számára.<br>Ahhoz, hogy béta tesztelővé válj, bővíts egy magasabb csomagra.",
|
||||
"signInHistory": "Bejelentkezési előzmények",
|
||||
"discord": "Discord",
|
||||
"fullSignInHistory": "Teljes bejelentkezési előzmény megtekintése",
|
||||
"newsletterPrompt": "A projekt frissítéseiről értesítés emailben (bármikor kikapcsolható)",
|
||||
"userSettings": "Felhasználói beállítások",
|
||||
"birthDate": "Születési dátum",
|
||||
"gender": "Nem",
|
||||
"country": "Ország/régió",
|
||||
"timezone": "Időzóna",
|
||||
"serverEnv": "Szerver környezet",
|
||||
"production": "Éles",
|
||||
"hasAccessPrompt": "A jelenlegi csomag hozzáférést ad a béta szerverekhez. Király!",
|
||||
"signInSecurity": "Bejelentkezés és biztonság",
|
||||
"email": "Email",
|
||||
"password": "Jelszó",
|
||||
"passwordResetNotice": "A jelszavad módosítása után ki leszel jelentkezve minden eszközöddel.",
|
||||
"connectedToDiscord": "Csatlakozva a Discordhoz, mint",
|
||||
"removeDiscord": "Discord fiók eltávolítása",
|
||||
"noDiscordLinked": "Nincs Discord fiók kapcsolva.",
|
||||
"linkDiscord": "Discord fiók hozzákapcsolása",
|
||||
"newsletter": "Hírlevél",
|
||||
"passwordPrompt": "Add meg a PNID jelszavad, hogy letölthesd a Cemu fájlokat",
|
||||
"no_signins_notice": "A bejelentkezési előzmények jelenleg nem követettek. Nézz vissza később!",
|
||||
"no_newsletter_notice": "A hírlevél jelenleg nem elérhető. Nézz vissza később!",
|
||||
"no_edit_from_dashboard": "A PNID beállítások szerkesztése a vezérlőpultról jelenleg nem elérhető. Kérjük módosítsd a felhasználói beállításaid a csatlakoztatott játék konzolodról"
|
||||
},
|
||||
"upgrade": "Fiók bővítése",
|
||||
"unavailable": "Nem elérhető"
|
||||
},
|
||||
"accountLevel": [
|
||||
"Normál",
|
||||
"Tesztelő",
|
||||
"Moderátor",
|
||||
"Fejlesztő"
|
||||
],
|
||||
"banned": "Kitiltott",
|
||||
"account": "Fiók"
|
||||
},
|
||||
"blogPage": {
|
||||
"title": "Blog",
|
||||
"description": "A legutolsó frissítések tömören. Ha szeretnél sűrűbb frissítéseket látnit, gondolkozz el a <a href=\"/account/upgrade\" target=\"_blank\">támogatásunkon</a>.",
|
||||
"published": "Kiadta:",
|
||||
"publishedOn": "ekkor:"
|
||||
},
|
||||
"upgrade": {
|
||||
"title": "Bővítés",
|
||||
"unsubPrompt": "Biztos, hogy le szeretnél iratkozni a <span>tiername</span> csomagról? <span>Azonnal</span> el fogod veszíteni a hozzáférést az ehhez a csomaghoz kapcsolódó cuccokhoz.",
|
||||
"changeTier": "Csomag módosítása",
|
||||
"description": "Ha havi cél elérése a Pretendo-t teljes munkaidős munkává teszi, ez jobb minőségű frissítéseket és nagyobb fejlesztési sebességet biztosít.",
|
||||
"month": "hónap",
|
||||
"tierSelectPrompt": "Válassz egy csomagot",
|
||||
"unsub": "Leiratkozás",
|
||||
"unsubConfirm": "Leiratkozás",
|
||||
"changeTierPrompt": "Biztos, hogy le szeretnél iratkozni a(z) <span class=\"oldtier\">oldtiername</span> csomagról és feliratkozni a(z) <span class=\"newtier\">newtiername</span>csomagra?",
|
||||
"changeTierConfirm": "Csomag módosítása",
|
||||
"back": "Vissza"
|
||||
},
|
||||
"specialThanks": {
|
||||
"title": "Külön köszönet",
|
||||
"text": "Nélkülük a Pretendo nem lenne ott ahol ma van.",
|
||||
"people": [
|
||||
{
|
||||
"github": "https://github.com/PretendoNetwork",
|
||||
"name": "GitHub hozzájárulók",
|
||||
"caption": "Fordtások és egyéb hozzájárulások",
|
||||
"picture": "https://github.githubassets.com/images/modules/logos_page/GitHub-Mark.png"
|
||||
},
|
||||
{
|
||||
"caption": "crunch library fejlesztés",
|
||||
"name": "superwhiskers",
|
||||
"picture": "https://github.com/superwhiskers.png",
|
||||
"github": "https://github.com/superwhiskers"
|
||||
},
|
||||
{
|
||||
"name": "Stary",
|
||||
"caption": "3DS fejlesztés és NEX darabokra szedés",
|
||||
"picture": "https://github.com/Stary2001.png",
|
||||
"github": "https://github.com/Stary2001"
|
||||
},
|
||||
{
|
||||
"caption": "Miiverse információ megosztás",
|
||||
"picture": "https://github.com/rverseTeam.png",
|
||||
"name": "rverse",
|
||||
"github": "https://twitter.com/rverseClub"
|
||||
},
|
||||
{
|
||||
"name": "Kinnay",
|
||||
"special": "Különleges köszönet",
|
||||
"caption": "Kutatás a Nintendo adatstruktúrákról",
|
||||
"picture": "https://cdn.discordapp.com/avatars/186572995848830987/b55c0d4e7bfd792edf0689f83a25d8ea.png?size=128",
|
||||
"github": "https://github.com/Kinnay"
|
||||
},
|
||||
{
|
||||
"name": "NinStar",
|
||||
"caption": "Ikonok a Mii Editor-hoz és a Juxt reakciókhoz",
|
||||
"picture": "https://github.com/ninstar.png",
|
||||
"github": "https://github.com/ninstar"
|
||||
},
|
||||
{
|
||||
"picture": "https://github.com/EpicUsername12.png",
|
||||
"github": "https://github.com/EpicUsername12",
|
||||
"name": "Rambo6Glaz",
|
||||
"caption": "Konzol kutatás és játék szerverek"
|
||||
},
|
||||
{
|
||||
"name": "GaryOderNichts",
|
||||
"caption": "Wii U patch fejlesztés",
|
||||
"picture": "https://github.com/GaryOderNichts.png",
|
||||
"github": "https://github.com/GaryOderNichts"
|
||||
},
|
||||
{
|
||||
"name": "zaksabeast",
|
||||
"caption": "3DS patch készítő",
|
||||
"picture": "https://cdn.discordapp.com/avatars/219324395707957248/c62573fbd4d26c8b4724f54413df6960.png?size=128",
|
||||
"github": "https://github.com/zaksabeast"
|
||||
},
|
||||
{
|
||||
"name": "mrjvs",
|
||||
"caption": "Szerver architektúra",
|
||||
"picture": "https://github.com/mrjvs.png",
|
||||
"github": "https://github.com/mrjvs"
|
||||
},
|
||||
{
|
||||
"picture": "https://github.com/binaryoverload.png",
|
||||
"github": "https://github.com/binaryoverload",
|
||||
"name": "binaryoverload",
|
||||
"caption": "Szerver architektúra"
|
||||
},
|
||||
{
|
||||
"caption": "Splatoon forgatások és kutatás",
|
||||
"picture": "https://github.com/Simonx22.png",
|
||||
"github": "https://github.com/Simonx22",
|
||||
"name": "Simonx22"
|
||||
},
|
||||
{
|
||||
"name": "OatmealDome",
|
||||
"caption": "Splatoon forgatások és kutatás",
|
||||
"picture": "https://github.com/OatmealDome.png",
|
||||
"github": "https://github.com/OatmealDome"
|
||||
},
|
||||
{
|
||||
"name": "GitHub hozzájárulók",
|
||||
"caption": "Fordítások és egyéb hozzájárulások",
|
||||
"picture": "https://github.githubassets.com/images/modules/logos_page/GitHub-Mark.png",
|
||||
"github": "https://github.com/PretendoNetwork"
|
||||
}
|
||||
]
|
||||
},
|
||||
"discordJoin": {
|
||||
"title": "Maradj napra kész",
|
||||
"text": "Csatlakozz a Discord szerverünkhöz, hogy megszerezd a legutolsó frissítéseket a projektről.",
|
||||
"widget": {
|
||||
"text": "Kapj valós időben frissítéseket az előrehaladásunkról",
|
||||
"button": "Csatlakozz a szerverhez"
|
||||
}
|
||||
},
|
||||
"progressPage": {
|
||||
"title": "Előrehaladásunk",
|
||||
"description": "Tekintsd meg a projekt előrehaladását és céljait! (Minden órában frissítve, így nem tükröz minden projekt célt vagy az előrehaladást."
|
||||
},
|
||||
"donation": {
|
||||
"progress": "<span>$${totd}</span> a <span>$${goald}</span>/hó, <span>${perc}%</span> a havi célból.",
|
||||
"upgradePush": "Hogy előfizetővé válhass, és hozzáférj király cuccokhoz, látogasd meg a <a href=\"/account/upgrade\">bővítés oldalt</a>."
|
||||
},
|
||||
"localizationPage": {
|
||||
"title": "Fordíts",
|
||||
"description": "Illessz be egy linket egy publikusan elérhető JSON fordításra, hogy tesztelhesd a weboldalon",
|
||||
"instructions": "Tekintsd meg a fordítási útmutatókat",
|
||||
"fileInput": "Tesztelendő fájl",
|
||||
"filePlaceholder": "https://a.link.to/the_file.json",
|
||||
"button": "Teszt fájl"
|
||||
},
|
||||
"docs": {
|
||||
"missingInLocale": "Ez az oldal nem érhető el a nyelveden. Kérjük nézd meg az angol verziót alább.",
|
||||
"quickLinks": {
|
||||
"header": "Gyors linkek",
|
||||
"links": [
|
||||
{
|
||||
"header": "Pretendo telepítés",
|
||||
"caption": "A telepítési lépések megtekintése"
|
||||
},
|
||||
{
|
||||
"header": "Hibát kaptál?",
|
||||
"caption": "Keress rá itt"
|
||||
}
|
||||
]
|
||||
},
|
||||
"search": {
|
||||
"title": "Hibakódot kaptál?",
|
||||
"caption": "Írd be az a keretbe alább, hogy információt kapj a problémáról!",
|
||||
"label": "Hiba kód",
|
||||
"no_match": "Nem található egyezés"
|
||||
},
|
||||
"sidebar": {
|
||||
"getting_started": "Kezdeti lépések",
|
||||
"welcome": "Köszöntjük",
|
||||
"install_extended": "Pretendo telepítése",
|
||||
"install": "Telepítés",
|
||||
"search": "Keresés",
|
||||
"juxt_err": "Hibakódok - Juxt"
|
||||
}
|
||||
},
|
||||
"modals": {
|
||||
"cancel": "Mégsem",
|
||||
"confirm": "Megerősít",
|
||||
"close": "Bezár"
|
||||
},
|
||||
"notfound": {
|
||||
"description": "Hoppá! Nem találjuk ezt az oldalt."
|
||||
}
|
||||
}
|
||||
80
locales/id_ID.json
Normal file
80
locales/id_ID.json
Normal file
|
|
@ -0,0 +1,80 @@
|
|||
{
|
||||
"nav": {
|
||||
"about": "Tentang",
|
||||
"docs": "Dokumentasi",
|
||||
"credits": "Kredit",
|
||||
"progress": "Kemajuan",
|
||||
"account": "Akun",
|
||||
"accountWidget": {
|
||||
"settings": "Pengaturan",
|
||||
"logout": "Keluar"
|
||||
},
|
||||
"dropdown": {
|
||||
"captions": {
|
||||
"credits": "Berkenalan dengan Tim",
|
||||
"progress": "Lihat kemajuan dan tujuan proyek",
|
||||
"faq": "Pertanyaan yang sering diajukan",
|
||||
"about": "Tentang projek",
|
||||
"blog": "Update terbaru kami, secara singkat"
|
||||
}
|
||||
},
|
||||
"faq": "Pertanyaan Umum",
|
||||
"blog": "Berita",
|
||||
"donate": "Donasi"
|
||||
},
|
||||
"hero": {
|
||||
"title": "Dibuat ulang",
|
||||
"subtitle": "Server gim",
|
||||
"text": "Pretendo adalah sebuah pengganti server Nintendo yang gratis dan dengan sumber terbuka untuk 3DS dan Wii U, yang memungkinkan konektivitas online untuk semua, bahkan setelah server aslinya dihentikan",
|
||||
"buttons": {
|
||||
"readMore": "Baca lebih lanjut"
|
||||
}
|
||||
},
|
||||
"aboutUs": {
|
||||
"title": "Tentang kami",
|
||||
"paragraphs": [
|
||||
"Pretendo adalah proyek sumber terbuka dengan tujuan untuk membuat ulang Nintendo Network untuk 3DS dan Wii U menggunakan rekaya terbalik ruang bersih.",
|
||||
"Karena layanan kami bersifat gratis dan sumber terbuka, layanan tersebut akan tetap bertahan lama setelah penutupan Nintendo Network yang pasti akan terjadi."
|
||||
]
|
||||
},
|
||||
"progress": {
|
||||
"title": "Perkembangan",
|
||||
"githubRepo": "Repositori Github"
|
||||
},
|
||||
"faq": {
|
||||
"text": "Berikut adalah beberapa pertanyaan umum yang sering diajukan kepada kami untuk mendapatkan informasi yang mudah.",
|
||||
"QAs": [
|
||||
{
|
||||
"question": "Apa itu Pretendo?"
|
||||
},
|
||||
{
|
||||
"answer": "Sayangnya, tidak. NNIDs yang sudah ada tidak bisa digunakan di Pretendo, karena hanya Nintendo memegang data user mu; sedangkan migrasi dari NNID-ke-PNID secara teori memungkinkan, itu bisa berisiko dan membutuhkan data user sensitif yang kami tidak ingin memiliki.",
|
||||
"question": "Apakah NNID yang ada bekerja di Pretendo?"
|
||||
},
|
||||
{
|
||||
"question": "Bagaimana saya mengunakan Pretendo?",
|
||||
"answer": "Untuk memulai dengan Jaringan Pretendo di 3DS, Wii U atau emulator, mohon melihat <a href=\"/docs/install\">instruksi setup</a> kami!"
|
||||
},
|
||||
{},
|
||||
{
|
||||
"question": "Kapan akan kamu tambahkan lebih banyak game?"
|
||||
},
|
||||
{
|
||||
"question": "Jika aku menggunakan emulator, apakah itu cukup untuk menggunakan Pretendo?"
|
||||
},
|
||||
{},
|
||||
{
|
||||
"question": "Akankah Pretendo mendukung Wii/Switch?"
|
||||
},
|
||||
{},
|
||||
{
|
||||
"question": "Jika aku di-banned di Jaringan Nintendo, Apakah aku tetap ter-banned saat menggunakan Pretendo?"
|
||||
}
|
||||
],
|
||||
"title": "Pertanyaan yang sering diajukan"
|
||||
},
|
||||
"modals": {
|
||||
"close": "Tutup",
|
||||
"cancel": "Batal"
|
||||
}
|
||||
}
|
||||
|
|
@ -1,12 +1,12 @@
|
|||
{
|
||||
"nav": {
|
||||
"about": "Info",
|
||||
"about": "Informazioni",
|
||||
"faq": "FAQ",
|
||||
"docs": "Documentazione",
|
||||
"credits": "Riconoscimenti",
|
||||
"progress": "Progresso",
|
||||
"blog": "Blog",
|
||||
"account": "Account",
|
||||
"account": "Profilo",
|
||||
"accountWidget": {
|
||||
"settings": "Impostazioni",
|
||||
"logout": "Logout"
|
||||
|
|
@ -16,9 +16,9 @@
|
|||
"captions": {
|
||||
"credits": "Incontra il team",
|
||||
"about": "Riguardo al progetto",
|
||||
"faq": "Domande chieste frequentemente",
|
||||
"faq": "Domande frequenti",
|
||||
"blog": "I nostri ultimi aggiornamenti, sintetizzati",
|
||||
"progress": "Controlla lo stato di avanzamento del progetto e gli obiettivi"
|
||||
"progress": "Controlla lo stato del progetto e gli obiettivi"
|
||||
}
|
||||
}
|
||||
},
|
||||
|
|
@ -34,7 +34,7 @@
|
|||
"title": "Informazioni",
|
||||
"paragraphs": [
|
||||
"Pretendo è un progetto open source con l'obiettivo di ricreare Nintendo Network per 3DS e Wii U utilizzando ingegneria inversa clean-room.",
|
||||
"Visto che i nostri server saranno gratuiti e open source, essi potranno esistere anche dopo l'inevitabile chiusura di Nintendo Network."
|
||||
"Visto che i nostri server saranno gratuiti e open source, essi potranno esistere per molto tempo nel futuro."
|
||||
]
|
||||
},
|
||||
"progress": {
|
||||
|
|
@ -55,27 +55,39 @@
|
|||
},
|
||||
{
|
||||
"question": "Come si usa Pretendo?",
|
||||
"answer": "Pretendo non è ancora in uno stato tale da poter essere usata dal pubblico. Tuttavia, quando lo sarà potrai usare Pretendo semplicemente eseguendo il nostro patcher homebrew sulla tua console."
|
||||
"answer": "Per iniziare con Pretendo Network su 3DS, Wii U o emulatori, vedi le nostre <a href=\"/docs/install\">istruzioni di configurazione</a>!"
|
||||
},
|
||||
{
|
||||
"question": "Sapete quando una determinata funzionalità/servizio sarà pronta/o?",
|
||||
"question": "Tra quanto tempo sarà pronta questa funzionalità/servizio?",
|
||||
"answer": "No. Molte delle funzionalità/servizi di Pretendo sono sviluppate indipendentemente (per esempio, uno sviluppatore potrebbe lavorare su Miiverse mentre un altro sta lavorando su Account e Amici) e per questo non possiamo fornire una stima del tempo mancante al completamento."
|
||||
},
|
||||
{
|
||||
"question": "Pretendo funziona su Cemu/emulatori?",
|
||||
"answer": "Pretendo supporta qualsiasi client in grado di connettersi a Nintendo Network. Al momento l'unico emulatore con questa capacità è Cemu. Cemu 2.0 supporta ufficialmente Pretendo nelle opzioni dell'account di rete dell'emulatore. Per informazioni su come impostare Pretendo su Cemu, visita la <a href=\"https://pretendo.network/docs/install/cemu\">documentazione</a>.<br>Citra non supporta le funzionalità di gioco online reali, quindi non funziona con Pretendo; inoltre, non mostra segni di poter funzionare in futuro. Mikage, un emulatore di 3DS per dispositivi mobili, potrebbe fornire supporto in futuro, ma questo è tutt'altro che certo."
|
||||
"question": "Quando saranno aggiunti più giochi?",
|
||||
"answer": "Lavoriamo su giochi nuovi quando sentiamo che le nostre librerie backend siano pronte per supportarli e c'è tempo di sviluppo a disposizione per mantenerli. Gran parte del nostro lavoro consiste nel rendere stabili e completi i nostri giochi esistenti - vogliamo offrire la miglior esperienza possibile in quelli prima di passare a nuovi titoli. Poiché nuovi lavori sorgono costantemente, non possiamo fare alcuna stima di quando ciò potrebbe accadere."
|
||||
},
|
||||
{
|
||||
"question": "Se sono bannato su Nintendo Network, rimarrò bannato quando userò Pretendo?",
|
||||
"answer": "Noi non avremo accesso alla lista degli utenti bannati da Nintendo Network, quindi quegli utenti non saranno bannati sul nostro servizio. Ci saranno comunque regole da seguire mentre si usa il servizio, e il mancato rispetto di queste regole potrebbe portare a un ban."
|
||||
"question": "Se utilizzo un emulatore, sarà sufficiente per utilizzare Pretendo?",
|
||||
"answer": "No. Per scopi di sicurezza e moderazione, per usare un emulatore hai comunque bisogno di una console reale. Questo ci permette di migliorare la sicurezza e di applicare meglio le regole al fine di fornire un'esperienza sicura e piacevole con il nostro servizio."
|
||||
},
|
||||
{
|
||||
"question": "Pretendo funziona su Cemu/emulatori?",
|
||||
"answer": "Cemu 2.1 supporta ufficialmente Pretendo nelle opzioni del tuo account di rete nell'emulatore. Per ulteriori informazioni su Cemu, dai un'occhiata alla <a href=\"https://pretendo.network/docs/install/cemu\">documentazione</a>. Alcuni emulatori 3DS o loro fork potrebbero supportarci, ma non abbiamo nessuna raccomandazione ufficiale o istruzioni di configurazione in questo momento. Le ultime versioni di Citra non supportano pretendo."
|
||||
},
|
||||
{
|
||||
"question": "Pretendo supporterà la Wii/Switch?",
|
||||
"answer": "La Wii dispone già di server custom forniti da <a href=\"https://wiimmfi.de/\" target=\"_blank\">Wiimmfi</a>. Al momento non abbiamo intenzione di supportare la Switch poiché il suo servizio online è a pagamento e completamente diverso da Nintendo Network."
|
||||
"answer": "Esistono già server custom per la Wii, forniti da <a href=\"https://wiimmfi.de/\" target=\"_blank\">Wiimmfi</a>. Per quanto riguarda la Switch, non rientra nei nostri piani attuali, poiché i suoi servizi sono a pagamento e completamente diversi da quelli del Nintendo Network."
|
||||
},
|
||||
{
|
||||
"question": "Dovrò modificare la mia console per connettermi?",
|
||||
"answer": "Sì, dovrai modificare il tuo dispositivo per connetterti; tuttavia, sulla Wii U è sufficiente poter accedere all'Homebrew Launcher (via Haxchi, Coldboot Haxchi, o anche solo l'exploit web per browser). Informazioni su come connettersi su 3DS saranno fornite in futuro."
|
||||
"question": "Dovrò moddare la console per connettermi?",
|
||||
"answer": "Per la migliore esperienza sulle console, dovrai installare un custom firmware (CFW) - in particolare con Aroma su Wii U e Luma3DS su 3DS. Tuttavia, su Wii U, puoi utilizzare il metodo SSSL, senza modifiche ma con funzionalità limitate. Consulta la nostra <a href=\"/docs/install\">guida all'installazione</a> per maggiori dettagli."
|
||||
},
|
||||
{
|
||||
"answer": "Non abbiamo accesso alla lista dei ban di Nintendo Network, quindi non sarai bannato automaticamente. Tuttavia, abbiamo regole da seguire per l'utilizzo del servizio e non rispettarle potrebbe comportare in un ban.",
|
||||
"question": "Se sono stato bannato sul Nintendo Network, rimarrò bannato anche da Pretendo?"
|
||||
},
|
||||
{
|
||||
"question": "Posso usare cheat o mod online con Pretendo?",
|
||||
"answer": "Soltanto nei match privati - ottenere un vantaggio ingiusto o rovinare l'esperienza online con persone che non hanno acconsentito (ad esempio nei match pubblici) è un'infrazione punibile con un ban. Banniamo regolarmente account e console sia su Wii U che su 3DS. Pretendo usa misure di sicurezza aggiuntive che rendono inefficaci i metodi tradizionali di evasione dei ban come cambiare il proprio numero di serie."
|
||||
}
|
||||
]
|
||||
},
|
||||
|
|
@ -99,11 +111,172 @@
|
|||
},
|
||||
"credits": {
|
||||
"title": "Il team",
|
||||
"text": "Incontra il team dietro al progetto"
|
||||
"text": "Incontra il team dietro al progetto",
|
||||
"people": [
|
||||
{
|
||||
"name": "Jonathan Barrow (jonbarrow)",
|
||||
"github": "https://github.com/jonbarrow",
|
||||
"picture": "https://github.com/jonbarrow.png",
|
||||
"caption": "Proprietario del progetto e sviluppatore principale"
|
||||
},
|
||||
{
|
||||
"name": "Jemma (CaramelKat)",
|
||||
"picture": "https://github.com/caramelkat.png",
|
||||
"github": "https://github.com/CaramelKat",
|
||||
"caption": "Ricercatore e sviluppo di Miiverse"
|
||||
},
|
||||
{
|
||||
"picture": "https://github.com/ashquarky.png",
|
||||
"github": "https://github.com/ashquarky",
|
||||
"name": "quarky",
|
||||
"caption": "Ricercatore e sviluppo delle patch per Wii U"
|
||||
},
|
||||
{
|
||||
"name": "SuperMarioDaBom",
|
||||
"github": "https://github.com/SuperMarioDaBom",
|
||||
"picture": "https://github.com/supermariodabom.png",
|
||||
"caption": "Ricerca di sistemi e architettura dei server"
|
||||
},
|
||||
{
|
||||
"caption": "Sviluppo web",
|
||||
"github": "https://github.com/gitlimes",
|
||||
"name": "pinklimes",
|
||||
"picture": "https://github.com/gitlimes.png"
|
||||
},
|
||||
{
|
||||
"name": "Shutterbug2000",
|
||||
"picture": "https://cdn.discordapp.com/avatars/191370953807233024/0311b61e2009c1576828dd2e9a59d72e.png?size=128",
|
||||
"github": "https://github.com/shutterbug2000",
|
||||
"caption": "Ricerca dei sistemi e sviluppo del server"
|
||||
},
|
||||
{
|
||||
"picture": "https://github.com/InternalLoss.png",
|
||||
"name": "Billy",
|
||||
"github": "https://github.com/InternalLoss",
|
||||
"caption": "Preservazionista e architettura server"
|
||||
},
|
||||
{
|
||||
"name": "DaniElectra",
|
||||
"picture": "https://github.com/danielectra.png",
|
||||
"github": "https://github.com/DaniElectra",
|
||||
"caption": "Ricerca sui sistemi e sviluppo server"
|
||||
},
|
||||
{
|
||||
"picture": "https://github.com/hauntii.png",
|
||||
"name": "niko",
|
||||
"caption": "Sviluppo dei server e web",
|
||||
"github": "https://github.com/hauntii"
|
||||
},
|
||||
{
|
||||
"picture": "https://github.com/MatthewL246.png",
|
||||
"github": "https://github.com/MatthewL246",
|
||||
"name": "MatthewL246",
|
||||
"caption": "DevOps e lavoro nella community"
|
||||
},
|
||||
{
|
||||
"name": "wolfendale",
|
||||
"picture": "https://github.com/wolfendale.png",
|
||||
"github": "https://github.com/wolfendale",
|
||||
"caption": "Sviluppo e ottimizzazione dei server"
|
||||
},
|
||||
{
|
||||
"github": "https://github.com/TraceEntertains",
|
||||
"name": "TraceEntertains",
|
||||
"caption": "Sviluppo patch 3DS e ricerca",
|
||||
"picture": "https://github.com/TraceEntertains.png"
|
||||
}
|
||||
]
|
||||
},
|
||||
"specialThanks": {
|
||||
"title": "Ringraziamenti speciali",
|
||||
"text": "Senza di loro, Pretendo non sarebbe dove è oggi."
|
||||
"text": "Senza di loro, Pretendo non sarebbe dove è oggi.",
|
||||
"people": [
|
||||
{
|
||||
"caption": "Localizzazioni e altri contributi",
|
||||
"name": "Contributori GitHub",
|
||||
"picture": "https://github.githubassets.com/images/modules/logos_page/GitHub-Mark.png",
|
||||
"github": "https://github.com/PretendoNetwork"
|
||||
},
|
||||
{
|
||||
"github": "https://github.com/superwhiskers",
|
||||
"name": "superwhiskers",
|
||||
"caption": "Sviluppo libreria crunch",
|
||||
"picture": "https://github.com/superwhiskers.png"
|
||||
},
|
||||
{
|
||||
"name": "Stary",
|
||||
"picture": "https://github.com/Stary2001.png",
|
||||
"github": "https://github.com/Stary2001",
|
||||
"caption": "Sviluppo 3DS e del dissettore NEX"
|
||||
},
|
||||
{
|
||||
"picture": "https://github.com/rverseTeam.png",
|
||||
"github": "https://twitter.com/rverseClub",
|
||||
"name": "rverse",
|
||||
"caption": "Condivisione di informazioni riguardo Miiverse"
|
||||
},
|
||||
{
|
||||
"picture": "https://cdn.discordapp.com/avatars/186572995848830987/b55c0d4e7bfd792edf0689f83a25d8ea.png?size=128",
|
||||
"github": "https://github.com/Kinnay",
|
||||
"special": "Ringraziamenti speciali",
|
||||
"name": "Kinnay",
|
||||
"caption": "Ricerca sulle strutture dati Nintendo"
|
||||
},
|
||||
{
|
||||
"name": "NinStar",
|
||||
"caption": "Icone per lo Studio Mii e reazioni Juxt",
|
||||
"picture": "https://github.com/ninstar.png",
|
||||
"github": "https://github.com/ninstar"
|
||||
},
|
||||
{
|
||||
"caption": "Ricerca console e server di gioco",
|
||||
"picture": "https://github.com/EpicUsername12.png",
|
||||
"github": "https://github.com/EpicUsername12",
|
||||
"name": "Rambo6Glaz"
|
||||
},
|
||||
{
|
||||
"picture": "https://github.com/GaryOderNichts.png",
|
||||
"github": "https://github.com/GaryOderNichts",
|
||||
"name": "GaryOderNichts",
|
||||
"caption": "Sviluppo patch Wii U"
|
||||
},
|
||||
{
|
||||
"name": "zaksabeast",
|
||||
"caption": "Creatore patch 3DS",
|
||||
"picture": "https://cdn.discordapp.com/avatars/219324395707957248/c62573fbd4d26c8b4724f54413df6960.png?size=128",
|
||||
"github": "https://github.com/zaksabeast"
|
||||
},
|
||||
{
|
||||
"picture": "https://github.com/mrjvs.png",
|
||||
"name": "mrjvs",
|
||||
"caption": "Architettura server",
|
||||
"github": "https://github.com/mrjvs"
|
||||
},
|
||||
{
|
||||
"picture": "https://github.com/binaryoverload.png",
|
||||
"github": "https://github.com/binaryoverload",
|
||||
"name": "binaryoverload",
|
||||
"caption": "Architettura server"
|
||||
},
|
||||
{
|
||||
"name": "Simonx22",
|
||||
"caption": "Rotazioni di Splatoon e ricerca",
|
||||
"picture": "https://github.com/Simonx22.png",
|
||||
"github": "https://github.com/Simonx22"
|
||||
},
|
||||
{
|
||||
"name": "OatmealDome",
|
||||
"caption": "Rotazioni di Splatoon e ricerca",
|
||||
"picture": "https://github.com/OatmealDome.png",
|
||||
"github": "https://github.com/OatmealDome"
|
||||
},
|
||||
{
|
||||
"name": "Contributori GitHub",
|
||||
"caption": "Localizzazioni e altri contributi",
|
||||
"picture": "https://github.githubassets.com/images/modules/logos_page/GitHub-Mark.png",
|
||||
"github": "https://github.com/PretendoNetwork"
|
||||
}
|
||||
]
|
||||
},
|
||||
"discordJoin": {
|
||||
"title": "Tieniti aggiornato",
|
||||
|
|
@ -132,7 +305,8 @@
|
|||
"Il tema principale di Super Mario World 2 - Yoshi's Island è un bop assurdo e non riuscirai mai a convincermi del contrario.",
|
||||
"I miei titoli preferiti per Nintendo Switch sono Nintendo Switch Online + Pacchetto aggiuntivo, Nintendo Switch Online + Rumble Pak, Nintendo Switch Online + Pacchetto gioco offline, Nintendo Switch Online + Pacchetto l'ennesima port e Nintendo Switch Online + Pacchetto Brain Training del Dr. Kawashima: Quanti anni ha il tuo cervello? \"Il titolo Virtual Console per Wii U vi è piaciuto così tanto che abbiamo deciso di rimetterlo in vendita.",
|
||||
"Tipo \"Conosci Ash, Dio benedica la sua anima, dice UwU tutto il giorno\" è il modo del sud degli Stati Uniti per dire \"Ash dice uwu costantemente ed è molto strano e stupido e vorrei tanto che non lo facesse\"",
|
||||
"Il mio primo video sul mio canale!! voglio fare video da un sacco di tempo ma il mio laptop era lento e non riuscivo a far andare fraps, skype e minecraft insieme. ma ora non più! il mio maestro di informatica mi ha aiutato e il mio laptop va molto più veloce e ora riesco a registrare! spero che vi piaccia e se si per favore mettete like e iscrivetevi!!!"
|
||||
"Il mio primo video sul mio canale!! voglio fare video da un sacco di tempo ma il mio laptop era lento e non riuscivo a far andare fraps, skype e minecraft insieme. ma ora non più! il mio maestro di informatica mi ha aiutato e il mio laptop va molto più veloce e ora riesco a registrare! spero che vi piaccia e se si per favore mettete like e iscrivetevi!!!",
|
||||
"Mi sembra a posto"
|
||||
]
|
||||
},
|
||||
"progressPage": {
|
||||
|
|
@ -167,8 +341,6 @@
|
|||
"registerPrompt": "Non hai un account?"
|
||||
},
|
||||
"settings": {
|
||||
"downloadFilesDescription": "(non funzioneranno su Nintendo Network)",
|
||||
"downloadFiles": "Scarica file dell'account",
|
||||
"settingCards": {
|
||||
"profile": "Profilo",
|
||||
"nickname": "Nickname",
|
||||
|
|
@ -258,7 +430,7 @@
|
|||
}
|
||||
},
|
||||
"upgrade": {
|
||||
"unsubPrompt": "Sei sicuro di voler annullare l'iscrizione a <span>tiername</span>? Perderai tutte le ricompense associate a quel livello.",
|
||||
"unsubPrompt": "Sei sicuro di voler annullare l'iscrizione a <span>tiername</span>? Perderai tutte le ricompense <span>immediatamente</span> associate a quel livello.",
|
||||
"description": "Raggiungere il goal mensile renderà Pretendo un lavoro a tempo pieno, permettendo di fornire aggiornamenti di maggiore qualità in meno tempo.",
|
||||
"month": "mese",
|
||||
"tierSelectPrompt": "Seleziona un livello",
|
||||
|
|
@ -278,5 +450,8 @@
|
|||
"donation": {
|
||||
"progress": "<span>$${totd}</span> di <span>$${goald}</span>/mese, <span>${perc}%</span> del goal mensile.",
|
||||
"upgradePush": "Per diventare un abbonato e accedere a ricompense speciali, visita la <a href=\"/account/upgrade\">pagina per fare l'upgrade</a>."
|
||||
},
|
||||
"notfound": {
|
||||
"description": "Oops! Non siamo riusciti a trovare questa pagina."
|
||||
}
|
||||
}
|
||||
|
|
|
|||
|
|
@ -1,257 +1,429 @@
|
|||
{
|
||||
"nav": {
|
||||
"about": "紹介",
|
||||
"faq": "Q&A",
|
||||
"docs": "ドキュメント",
|
||||
"about": "Pretendoについて",
|
||||
"faq": "よくある質問",
|
||||
"docs": "Wiki",
|
||||
"credits": "クレジット",
|
||||
"progress": "進行状況",
|
||||
"progress": "進捗",
|
||||
"blog": "ブログ",
|
||||
"account": "アカウント",
|
||||
"donate": "寄付",
|
||||
"accountWidget": {
|
||||
"settings": "設定",
|
||||
"logout": "ログアウト"
|
||||
},
|
||||
"dropdown": {
|
||||
"captions": {
|
||||
"credits": "チームご紹介",
|
||||
"about": "プロジェクトについて",
|
||||
"blog": "最新のアップデート",
|
||||
"progress": "プロジェクトの進行状況と目的をチェックして",
|
||||
"credits": "チームをご紹介します",
|
||||
"about": "このプロジェクトについて",
|
||||
"blog": "最新のアップデート(簡易版)",
|
||||
"progress": "プロジェクトの進行状況と目的を確認",
|
||||
"faq": "よくある質問"
|
||||
}
|
||||
},
|
||||
"donate": "寄付"
|
||||
}
|
||||
},
|
||||
"hero": {
|
||||
"subtitle": "ネットワークサービス",
|
||||
"title": "復活した",
|
||||
"text": "Pretendo(プリーテンドー)は、任天堂の3DSとWii Uネットワークサービスは終了するなら、みんなの楽しみが続けてることになるの無料とオープンソース復活です",
|
||||
"subtitle": "オンラインを",
|
||||
"title": "取り戻す",
|
||||
"text": "Pretendo(プリテンドー)は、ニンテンドー3DSとWii Uの無料かつオープンソースの代替サーバーです。公式サーバーが稼働停止したあとも、オンライン接続を実現します。",
|
||||
"buttons": {
|
||||
"readMore": "もっと読む"
|
||||
"readMore": "続きを読む"
|
||||
}
|
||||
},
|
||||
"aboutUs": {
|
||||
"title": "私たちについて",
|
||||
"title": "Pretendo について",
|
||||
"paragraphs": [
|
||||
"Pretendo(プリーテンドー)は、3DSとWii Uのニンテンドーネットワーク「クリーンルーム・リバースエンジニアリング」で復活ねらうことのオープンソースプロジェクトである。",
|
||||
"私達のサービスは無料であり、コードが公開されているので、ニンテンドーネットワークが終了してからも末永く運営されることが出来ます。"
|
||||
"Pretendoは、公式のものに代わって3DSとWii Uのニンテンドーネットワークをつくることを目的としたオープンソースのプロジェクトです。",
|
||||
"Pretendo のサービスは無料、そしてオープンソースであり、ニンテンドーネットワークが終了してからも継続して利用することができます。"
|
||||
]
|
||||
},
|
||||
"progress": {
|
||||
"title": "進行状況",
|
||||
"githubRepo": "GitHub リポジトリ"
|
||||
"title": "進捗",
|
||||
"githubRepo": "GitHubリポジトリ"
|
||||
},
|
||||
"faq": {
|
||||
"title": "よくある質問",
|
||||
"text": "よくある質問を紹介します。",
|
||||
"text": "よくある質問への回答一覧です。",
|
||||
"QAs": [
|
||||
{
|
||||
"question": "Pretendo とはなんですか?",
|
||||
"answer": "Pretendo とは、ニンテンドー 3DS と Wii U のニンテンドー ネットワークのカスタム代替サーバーを構築するオープンソース プロジェクトです。Pretendo の目的は、オンライン機能を維持させて、お気に入りのゲーム タイトルを最大限にプレイし続けられるようにすることです。"
|
||||
"question": "Pretendoって何?",
|
||||
"answer": "Pretendoは Wii Uと3DSシリーズのカスタムサーバーを作ろうとしている、オープンソースのニンテンドーネットワーク代替プロジェクトです。私たちの目標はこれらのオンライン機能を維持させ、プレイヤーたちがお気に入りのゲームを全機能をもって長い間できるようにすることです。"
|
||||
},
|
||||
{
|
||||
"question": "ニンテンドー ネットワーク ID(NNID)は Pretendo でも利用できますか?",
|
||||
"answer": "いいえ、残念ですが利用できません。NNID のデータはニンテンドー ネットワークに保存されているため、Pretendo で利用することはできません。NNID をプリテンドー ネットワーク ID(PNID)に変換することもできますが、リスクが高く、機密性の高いユーザー データが必要になります。"
|
||||
"question": "ニンテンドーネットワーク ID(NNID)は Pretendoでもつかえる?",
|
||||
"answer": "残念ながら不可能です。NNIDのデータは任天堂だけがアクセスできるため、Pretendoからは利用できません。理論上NNIDをプリテンドーネットワークID(PNID)への変換は可能ですが、リスクが高く機密情報を必要とします。"
|
||||
},
|
||||
{
|
||||
"question": "Pretendo を使用するにはどうしたらよいですか?",
|
||||
"answer": "Pretendo はまだ公開できるほど開発が進んでいません。準備が整ったら、Homebrew パッチを実行しただけで Pretendo を使用できるようになります。"
|
||||
"question": "Pretendoの使い方は?",
|
||||
"answer": "3DS、Wii U、エミュレーターでPretendo Networkを使うには、<a href=\"/docs/install\">セットアップの手順</a>をご覧ください!"
|
||||
},
|
||||
{
|
||||
"question": "機能やサービスはいつ完成しますか?",
|
||||
"answer": "詳しくはわかりません。Pretendo の機能は各自で開発されています。例えば、とあるユーザーが Miiverse 機能を開発しているとき、アカウント / フレンド機能は別のユーザーが開発している状態になります。そのため、全体的な完成の予想時間はわかりません。"
|
||||
"question": "機能やサービスが完成するのはいつ?",
|
||||
"answer": "正確にはわかりません。Pretendoの機能は各々で開発が進んでいます。例として、ある人がMiiverseを開発しているとき、並行して別の開発者がアカウント/フレンド機能を開発しています。そのため、全体の完成予定時間の予測は困難です。"
|
||||
},
|
||||
{
|
||||
"question": "Pretendo は Cemu などのエミュレーターで機能しますか?",
|
||||
"answer": "Pretendo はニンテンドー ネットワークに接続できるすべてのクライアントに対応します。現在、Pretendo に対応しているエミュレーターは Cemu だけです。Cemu 2.0 はエミュレーターのネットワーク アカウント設定で Pretendo を正式に対応しています。詳しくは、<a href=\"https://pretendo.network/docs/install/cemu\">Cemu を使用して Pretendo に接続する方法</a>をご確認ください。<br>Citra は完全なオンライン プレイに対応していないため、Pretendo では機能しません。スマートフォン向けの 3DS エミュレーターの Mikage は、対応するかどうかは決定していません。"
|
||||
"question": "さらに多くのゲームのサポートはいつ追加されますか?",
|
||||
"answer": "私たちはバックエンドが新しいゲームをサポートするのに十分で、なおかつ新しいゲームを管理するのに十分な時間のある開発者がいると感じたときのみ新しいゲームのサポートに動きます。ほとんどの労力は既存のゲームのサポートを安定させ、完成させることに行きます。私たちはできるだけ既存のゲームのサポートを良くしてから新しいゲームのサポートを始めます。仕事は常に増えていくので、それがいつになるのかはわかりません。"
|
||||
},
|
||||
{
|
||||
"question": "ニンテンドー ネットワークで BAN されたプレイヤーは、Pretendo を利用できませんか?",
|
||||
"answer": "Pretendo はニンテンドー ネットワークの BAN 情報を取得できないため、最初はすべてのユーザーは BAN されていません。このサービスには利用規約を導入するため、違反した場合は BAN されることがあります。"
|
||||
"question": "Pretendoはエミュレーターでも使えるの?",
|
||||
"answer": "いいえ。セキュリティーと管理のために、エミュレーターがあっても、ゲーム機本体が必要です。これによって、セキュリティーが強化され、安全で楽しめる体験のためのルールの適用などが効果的になります。"
|
||||
},
|
||||
{
|
||||
"question": "Pretendo は Wii や Nintendo Switch に対応しますか?",
|
||||
"answer": "Wiiは<a href=\"https://wiimmfi.de/\" target=\"_blank\">Wiimmfi</a>によってカスタムが提供されています。Switchに関しては、有料であり、ニンテンドーネットワークと完全に異なるので、対応しかねません。"
|
||||
"question": "Cemuやその他のエミュレーターでも接続できる?",
|
||||
"answer": "Cemu 2.1は、エミュレーターでのネットワークアカウントのオプションでPretendoを公式にサポートしています。Cemuでの使用を開始する方法については、<a href=\"https://pretendo.network/docs/install/cemu\">ドキュメント</a>をご覧ください。<br>一部の3DSエミュレーターまたは、フォークはサポートをしている可能性がありますが、現時点では公式の推奨事項やセットアップ手順はありません。なお、Citraの最終ビルドはPretendoをサポートしていません。"
|
||||
},
|
||||
{
|
||||
"question": "接続するには改造が必要ですか?",
|
||||
"answer": "はい、接続するにはあなたのゲーム機器を改造しなくてはいけません。ですが、Wii UではHomebrew Launcherへのアクセスだけで接続できます。(Haxchi、Coldboot Haxchi、Webブラウザエクスプロイトなど) 3DSの接続方法に関しては後で公開します。"
|
||||
"question": "WiiやNintendo Switchでもつかえる?",
|
||||
"answer": "Wiiには<a href=\"https://wiimmfi.de/\" target=\"_blank\">Wiimmfi</a>という代替サーバーがあります。Switchのネットワーク機能は有料であること、またニンテンドーネットワークとは全く異なることから、対応することはありません。"
|
||||
},
|
||||
{
|
||||
"question": "つなげるには改造が必要?",
|
||||
"answer": "最適な環境でプレイするなら、ゲーム機を改造する必要があります。Wii UではAromaを、3DSではLuma3DSをです。しかしWii Uでは、改造しなくても機能が限られたSSSLで接続できます。詳しくは、<a href=\"/docs/install\">セットアップガイド</a>をご覧ください。"
|
||||
},
|
||||
{
|
||||
"question": "ニンテンドーネットワークでBANされていたら、PretendoでもBANされるの?",
|
||||
"answer": "PretendoはニンテンドーネットワークのBAN情報にアクセスすることができないため、PretendoへBANが引き継がれることはありません。ただし、Pretendoの定めたルールに違反するとBANされることがあります。"
|
||||
},
|
||||
{
|
||||
"question": "Pretendoに接続中に、チートやモッドを使えますか?",
|
||||
"answer": "フレンドマッチ中なら許可されます。他のプレーヤーの同意なし(世界中の人とプレイ中など)に、不正な利益を得たりオンライン体験を妨害したりする行為は、禁止されており、BAN対象となる場合があります。3DSでもWii Uでもアカウントやゲーム機に対するBAN処分をよくします。Pretendoはシリアル番号の変更など、従来の「BAN」を無効にする改造に対する追加のセキュリティ対策を使用しています。"
|
||||
}
|
||||
]
|
||||
},
|
||||
"showcase": {
|
||||
"title": "私たちが作るもの",
|
||||
"text": "私たちのプロジェクトは色んな部分に分かれています。その一部を紹介します。",
|
||||
"title": "Pretendoがつくるもの",
|
||||
"text": "Pretendoプロジェクトは多くの部品に分かれています。以下はその一部です。",
|
||||
"cards": [
|
||||
{
|
||||
"title": "ゲームサーバー",
|
||||
"caption": "カスタムサーバーを使ってユーザーたちの好きなゲームとコンテンツを蘇らせます。"
|
||||
"caption": "カスタムサーバーによって、あのゲームやあのコンテンツを取り戻します。"
|
||||
},
|
||||
{
|
||||
"title": "Juxtaposition",
|
||||
"caption": "現代に作られたような、Miiverseの再製作。"
|
||||
"caption": "Miiverseが、現代に生まれ変わります。"
|
||||
},
|
||||
{
|
||||
"title": "Cemuサポート",
|
||||
"caption": "あなたの好きなWii Uタイトルを、Wii Uなしでプレイできます!"
|
||||
"caption": "本体なしでも、あのWii Uゲームをプレイしよう!"
|
||||
}
|
||||
]
|
||||
},
|
||||
"credits": {
|
||||
"title": "開発チーム",
|
||||
"text": "プロジェクトの裏のチームをご覧ください"
|
||||
"text": "プロジェクトを支えるチームの紹介",
|
||||
"people": [
|
||||
{
|
||||
"caption": "プロジェクトオーナーおよび主な開発者",
|
||||
"picture": "https://github.com/jonbarrow.png",
|
||||
"github": "https://github.com/jonbarrow",
|
||||
"name": "Jonathan Barrow (jonbarrow)"
|
||||
},
|
||||
{
|
||||
"caption": "Miiverseの研究と開発",
|
||||
"name": "Jemma (CaramelKat)",
|
||||
"github": "https://github.com/CaramelKat",
|
||||
"picture": "https://github.com/caramelkat.png"
|
||||
},
|
||||
{
|
||||
"caption": "Wii Uの研究、パッチの開発",
|
||||
"picture": "https://github.com/ashquarky.png",
|
||||
"github": "https://github.com/ashquarky",
|
||||
"name": "quarky"
|
||||
},
|
||||
{
|
||||
"name": "SuperMarioDaBom",
|
||||
"caption": "システムの研究とサーバーアーキテクチャ",
|
||||
"picture": "https://github.com/supermariodabom.png",
|
||||
"github": "https://github.com/SuperMarioDaBom"
|
||||
},
|
||||
{
|
||||
"caption": "Webの開発",
|
||||
"github": "https://github.com/gitlimes",
|
||||
"name": "pinklimes",
|
||||
"picture": "https://github.com/gitlimes.png"
|
||||
},
|
||||
{
|
||||
"name": "Shutterbug2000",
|
||||
"picture": "https://cdn.discordapp.com/avatars/191370953807233024/0311b61e2009c1576828dd2e9a59d72e.png?size=128",
|
||||
"caption": "システムの研究とサーバーの開発",
|
||||
"github": "https://github.com/shutterbug2000"
|
||||
},
|
||||
{
|
||||
"github": "https://github.com/InternalLoss",
|
||||
"caption": "プリザベーションとサーバーアーキテクチャ",
|
||||
"picture": "https://github.com/InternalLoss.png",
|
||||
"name": "Billy"
|
||||
},
|
||||
{
|
||||
"caption": "システムの研究とサーバーの開発",
|
||||
"github": "https://github.com/DaniElectra",
|
||||
"picture": "https://github.com/danielectra.png",
|
||||
"name": "DaniElectra"
|
||||
},
|
||||
{
|
||||
"caption": "Webとサーバーの開発",
|
||||
"picture": "https://github.com/hauntii.png",
|
||||
"github": "https://github.com/hauntii",
|
||||
"name": "niko"
|
||||
},
|
||||
{
|
||||
"caption": "DevOpsとコミュニティの活動",
|
||||
"picture": "https://github.com/MatthewL246.png",
|
||||
"name": "MatthewL246",
|
||||
"github": "https://github.com/MatthewL246"
|
||||
},
|
||||
{
|
||||
"caption": "サーバーの開発と最適化",
|
||||
"name": "wolfendale",
|
||||
"picture": "https://github.com/wolfendale.png",
|
||||
"github": "https://github.com/wolfendale"
|
||||
},
|
||||
{
|
||||
"name": "TraceEntertains",
|
||||
"picture": "https://github.com/TraceEntertains.png",
|
||||
"github": "https://github.com/TraceEntertains",
|
||||
"caption": "3DSのパッチ開発と研究"
|
||||
}
|
||||
]
|
||||
},
|
||||
"specialThanks": {
|
||||
"title": "スペシャルサンクス",
|
||||
"text": "彼らげいなかったら、Pretendoは存在しなかっただろうと思います。"
|
||||
"text": "Pretendoのいまの姿を作り上げた方たちです。",
|
||||
"people": [
|
||||
{
|
||||
"picture": "https://github.githubassets.com/images/modules/logos_page/GitHub-Mark.png",
|
||||
"github": "https://github.com/PretendoNetwork",
|
||||
"name": "GitHubでの貢献者",
|
||||
"caption": "翻訳とその他の貢献"
|
||||
},
|
||||
{
|
||||
"name": "superwhiskers",
|
||||
"picture": "https://github.com/superwhiskers.png",
|
||||
"github": "https://github.com/superwhiskers",
|
||||
"caption": "Crunchのライブラリ開発"
|
||||
},
|
||||
{
|
||||
"name": "Stary",
|
||||
"picture": "https://github.com/Stary2001.png",
|
||||
"caption": "3DSの開発とNEXディセクター",
|
||||
"github": "https://github.com/Stary2001"
|
||||
},
|
||||
{
|
||||
"name": "rverse",
|
||||
"picture": "https://github.com/rverseTeam.png",
|
||||
"github": "https://twitter.com/rverseClub",
|
||||
"caption": "Miiverseの情報共有"
|
||||
},
|
||||
{
|
||||
"special": "スペシャルサンクス",
|
||||
"name": "Kinnay",
|
||||
"picture": "https://cdn.discordapp.com/avatars/186572995848830987/b55c0d4e7bfd792edf0689f83a25d8ea.png?size=128",
|
||||
"caption": "Nintendoのデータ構造に関する研究",
|
||||
"github": "https://github.com/Kinnay"
|
||||
},
|
||||
{
|
||||
"caption": "アイコンの制作(MiiエディターとJuxtのリアクション)",
|
||||
"name": "NinStar",
|
||||
"picture": "https://github.com/ninstar.png",
|
||||
"github": "https://github.com/ninstar"
|
||||
},
|
||||
{
|
||||
"caption": "コンソールの研究とゲームサーバー",
|
||||
"name": "Rambo6Glaz",
|
||||
"picture": "https://github.com/EpicUsername12.png",
|
||||
"github": "https://github.com/EpicUsername12"
|
||||
},
|
||||
{
|
||||
"caption": "Wii Uパッチの開発",
|
||||
"github": "https://github.com/GaryOderNichts",
|
||||
"name": "GaryOderNichts",
|
||||
"picture": "https://github.com/GaryOderNichts.png"
|
||||
},
|
||||
{
|
||||
"caption": "3DSパッチの作者",
|
||||
"picture": "https://cdn.discordapp.com/avatars/219324395707957248/c62573fbd4d26c8b4724f54413df6960.png?size=128",
|
||||
"name": "zaksabeast",
|
||||
"github": "https://github.com/zaksabeast"
|
||||
},
|
||||
{
|
||||
"caption": "サーバーアーキテクチャ",
|
||||
"name": "mrjvs",
|
||||
"picture": "https://github.com/mrjvs.png",
|
||||
"github": "https://github.com/mrjvs"
|
||||
},
|
||||
{
|
||||
"caption": "サーバーアーキテクチャ",
|
||||
"name": "binaryoverload",
|
||||
"picture": "https://github.com/binaryoverload.png",
|
||||
"github": "https://github.com/binaryoverload"
|
||||
},
|
||||
{
|
||||
"caption": "Splatoon のローテーションと研究",
|
||||
"name": "Simonx22",
|
||||
"picture": "https://github.com/Simonx22.png",
|
||||
"github": "https://github.com/Simonx22"
|
||||
},
|
||||
{
|
||||
"name": "OatmealDome",
|
||||
"caption": "Splatoon ローテーションと研究",
|
||||
"picture": "https://github.com/OatmealDome.png",
|
||||
"github": "https://github.com/OatmealDome"
|
||||
},
|
||||
{
|
||||
"caption": "翻訳とその他の貢献",
|
||||
"name": "GitHubの貢献者",
|
||||
"picture": "https://github.githubassets.com/images/modules/logos_page/GitHub-Mark.png",
|
||||
"github": "https://github.com/PretendoNetwork"
|
||||
}
|
||||
]
|
||||
},
|
||||
"discordJoin": {
|
||||
"title": "情報を見逃さないで",
|
||||
"text": "プロジェクトの最新情報を取得するには、私たちのDiscordサーバーに参加してください。",
|
||||
"title": "最新情報を入手する",
|
||||
"text": "プロジェクトの最新情報を入手するには、Pretendo の Discord サーバーに参加してください。",
|
||||
"widget": {
|
||||
"text": "進行状況の最新アップデートをもらいましょう",
|
||||
"text": "進捗状況の最新情報を入手しましょう",
|
||||
"button": "サーバーに参加"
|
||||
}
|
||||
},
|
||||
"footer": {
|
||||
"socials": "ソーシャル",
|
||||
"usefulLinks": "関係リンク",
|
||||
"socials": "SNS",
|
||||
"usefulLinks": "役立つリンク",
|
||||
"widget": {
|
||||
"captions": [
|
||||
"アップデートを多くもらいたいですか?",
|
||||
"Discordサーバーに参加してください!"
|
||||
"最新情報を入手しますか?",
|
||||
"Discordサーバーへ参加しよう!"
|
||||
],
|
||||
"button": "すぐ参加する!"
|
||||
"button": "参加する!"
|
||||
},
|
||||
"bandwidthRaccoonQuotes": [
|
||||
"僕はアライグマのBandwidthだよ!Pretendo Networkのサーバーを繋いでいる電線を噛むのが好きなんだ。美味しい!",
|
||||
"みんな、任天堂と法的に問題ができるんじゃないか、と質問してくるね。ぼくのおばさんが任天堂で働いてるけど、大丈夫だって。",
|
||||
"Webkit v537がWii U用の最高のWebkitのバージョンだよ。ううん、ChromeをWii Uには移さないよ。",
|
||||
"時計が 2038 年 1 月 19 日の 03:14:08 UTC に達するのが待ちきれません!",
|
||||
"Wii U は実際には過小評価されているシステムです。コマーシャルは本当にひどいものでしたが、コンソールは素晴らしいです。えっと、ちょっと待ってください、理由はわかりませんが、ゲームパッドが Wii に接続されていません。",
|
||||
"スーパー マリオ ワールド 2 - ヨッシー アイランドのメイン テーマは絶対的なバップです。",
|
||||
"私のお気に入りの Nintendo Switch リリースは、Nintendo Switch Online + Expansion Pack、Nintendo Switch Online + Rumble Pak、Nintendo Switch Online + Offline Play Pack、Nintendo Switch Online + Yet Another Port Pack、Nintendo Switch Online + Dr. Kawashima's Brain Training / Brain です。エイジ「ニンテンドーWii Uバーチャルコンソールタイトルを本当に気に入ってくれたので、復活させます」パック。あなたは本当に任天堂が気にかけていると言うことができます.",
|
||||
"ボクはアライグマの Bandwidth だよ!Pretendo ネットワークのサーバーを繋いでいるケーブルを噛むのが好きなんだ!(´~`)モグモグ...",
|
||||
"みんな「任天堂に怒られないの?」って質問してくるね。ボクのおばさんが任天堂で働いてるけど、大丈夫だって~!",
|
||||
"Webkit v537がWii U用の最高のWebkitのバージョンだよ。いや、ChromeはWii Uに移さないよ。",
|
||||
"2038年1月19日の12時14分08秒(日本時間) になるのが楽しみだな~!",
|
||||
"Wii Uって人気なさすぎだよね~。たしかに、イメージは薄かったけど、遊んでみれば最高だったよ!あれ、ちょっとまって…なんかゲームパッドがWiiに繋がらないんだけど?",
|
||||
"スーパーマリオ ヨッシーアイランドのメイン テーマはいい曲だよね~!",
|
||||
"ボクのお気に入りのNintendo Switchの作品は、Nintendo Switch Online + 追加パック、Nintendo Switch Online + 振動パック、Nintendo Switch Online + Offlineパック、Nintendo Switch Online + 非公式ポートパック、Nintendo Switch Online + 脳を鍛える大人のトレーニング ~Wii Uバーチャルコンソールが本当に人気なので、復活させます~ パック。任天堂はよくわかってるよね~。",
|
||||
"「あなたはアッシュを知っている、彼女の心を祝福しなさい、彼女は一日中UwUの」というように、南部の素敵な言い方です \"Ash uwusはいつも、それは本当に奇妙で愚かで、私は彼らがそうしなかったらいいのに\"",
|
||||
"私のチャンネルでの私の最初のビデオ!! iv 長い間ビデオを作りたいと思っていましたが、ラップトップの動作がかなり悪く、fraps、skype、minecraft を一度に実行できませんでした。しかし、今は終わりです! IT の先生の助けを借りて、ラップトップの動作が大幅に改善され、録音できるようになりました。皆さんが楽しんでくれることを願っています。!!!"
|
||||
"ボクのチャンネルで最初の動画を公開したよ!!前から動画を作りたいと思っていたけど、ボクのノートパソコンの調子が悪くってね、Fraps とか Skype とか Minecraft を同時に起動できなかったんだよね~。でも、もうだいじょうぶ!IT の先生に聞いてみたら、ノートパソコンの動作が良くなって、録音もできるようになったんだ!よかったら高評価とチャンネル登録してね!",
|
||||
"僕には良い感じに見えるね"
|
||||
]
|
||||
},
|
||||
"progressPage": {
|
||||
"title": "進行状況(英語)",
|
||||
"description": "プロジェクトの進行度とゴールをチェックできます! (1時間ぐらいごとにアップデート、すべてのプロジェクトゴールや進行状況は反映しない)"
|
||||
"description": "プロジェクトの進行状況と目標を確認できます。 (およそ1時間ごとに更新 & すべての目標やプロジェクトが表示されているわけではありません)"
|
||||
},
|
||||
"blogPage": {
|
||||
"title": "ブログ(英語)",
|
||||
"description": "",
|
||||
"publishedOn": "の上",
|
||||
"published": "発行者"
|
||||
"description": "最新情報のまとめです。<a href=\"\\"/account/upgrade\\"\" target=\"\\"_blank\\"\">支援</a>することで、より頻繁に情報を受け取れます。",
|
||||
"publishedOn": "公開日時:",
|
||||
"published": "執筆者:"
|
||||
},
|
||||
"localizationPage": {
|
||||
"title": "レッツローカライズ",
|
||||
"description": "公開されているJSONへのリンクを貼り付けてこのサイトに試してみて下さい",
|
||||
"instructions": "ローカライズ方法を開く",
|
||||
"fileInput": "試してみるファイル",
|
||||
"fileInput": "テスト用ファイル",
|
||||
"filePlaceholder": "https://a.link.to/the_file.json",
|
||||
"button": "ファイルを試す"
|
||||
"button": "テストファイル"
|
||||
},
|
||||
"docs": {
|
||||
"missingInLocale": "このページは日本語に翻訳されていません。下記の英語版をご覧ください。",
|
||||
"missingInLocale": "このページはお住まいの地域では利用できません。以下の英語版をご確認ください。",
|
||||
"quickLinks": {
|
||||
"header": "クイックリンク",
|
||||
"links": [
|
||||
{
|
||||
"header": "Pretendoをインストール",
|
||||
"caption": "設定手順を見る"
|
||||
"header": "Pretendoのインストール",
|
||||
"caption": "セットアップの手順を表示する"
|
||||
},
|
||||
{
|
||||
"header": "エラーが発生しましたか?",
|
||||
"caption": "ここで検索する"
|
||||
"caption": "ここで検索してください"
|
||||
}
|
||||
]
|
||||
},
|
||||
"sidebar": {
|
||||
"install": "インストール",
|
||||
"search": "探す",
|
||||
"search": "検索",
|
||||
"juxt_err": "エラーコード - Juxt",
|
||||
"getting_started": "入門",
|
||||
"welcome": "いらっしゃいませ",
|
||||
"welcome": "ようこそ",
|
||||
"install_extended": "Pretendo をインストールする"
|
||||
},
|
||||
"search": {
|
||||
"caption": "下のボックスに入力して、問題に関する情報を入手してください!",
|
||||
"caption": "下にエラーコードを入力して、エラーを検索できます。",
|
||||
"label": "エラーコード",
|
||||
"no_match": "一致するものが見つかりませんでした",
|
||||
"title": "エラーコードを取得しましたか?"
|
||||
"title": "エラーコードが表示されましたか?"
|
||||
}
|
||||
},
|
||||
"account": {
|
||||
"settings": {
|
||||
"downloadFiles": "アカウントファイルをダウンロード",
|
||||
"downloadFilesDescription": "(ニンテンドーネットワークでは動作しません)",
|
||||
"upgrade": "アカウントのアップグレード",
|
||||
"unavailable": "利用不可",
|
||||
"unavailable": "利用できません",
|
||||
"settingCards": {
|
||||
"userSettings": "ユーザー設定",
|
||||
"profile": "プロフィール",
|
||||
"nickname": "ニックネーム",
|
||||
"timezone": "タイムゾーン",
|
||||
"beta": "ベータ",
|
||||
"upgradePrompt": "ベータ サーバーはベータ テスター専用です。<br>ベータ テスターになるには、より高いアカウント ティアにアップグレードしてください。",
|
||||
"signInSecurity": "サインインとセキュリティ",
|
||||
"email": "Eメール",
|
||||
"upgradePrompt": "ベータ サーバーはベータ テスター専用です。<br>ベータ テスターになるには、より高いレベルのアカウントにアップグレードしてください。",
|
||||
"signInSecurity": "ログインとセキュリティ",
|
||||
"email": "メールアドレス",
|
||||
"password": "パスワード",
|
||||
"passwordResetNotice": "パスワードを変更すると、すべてのデバイスからサインアウトされます。",
|
||||
"signInHistory": "サインイン履歴",
|
||||
"fullSignInHistory": "サインイン履歴をすべて表示する",
|
||||
"connectedToDiscord": "Discord に接続済み",
|
||||
"newsletterPrompt": "プロジェクトの最新情報をメールで受け取る (いつでもオプトアウトできます)",
|
||||
"passwordResetNotice": "パスワードを変更すると、すべてのデバイスからログアウトされます。",
|
||||
"signInHistory": "ログイン履歴",
|
||||
"fullSignInHistory": "ログイン履歴をすべて表示する",
|
||||
"connectedToDiscord": "Discord に連携済み:",
|
||||
"newsletterPrompt": "プロジェクトの最新情報をメールで受け取る (いつでも配信停止できます)",
|
||||
"passwordPrompt": "Cemu ファイルをダウンロードするには、PNID パスワードを入力してください",
|
||||
"no_edit_from_dashboard": "現在、ユーザー ダッシュボードから PNID 設定を編集することはできません。リンクしたゲーム機からユーザー設定を更新してください",
|
||||
"no_edit_from_dashboard": "現在、WebサイトからのPNID設定の編集には対応していません。ログインしているゲーム機から設定を編集してください。",
|
||||
"gender": "性別",
|
||||
"country": "国/地域",
|
||||
"production": "製造",
|
||||
"hasAccessPrompt": "現在のレベルでは、ベータ サーバーへのアクセスが提供されます。涼しい!",
|
||||
"production": "本番環境",
|
||||
"hasAccessPrompt": "現在のレベルでは、ベータ サーバーへアクセスできます。",
|
||||
"newsletter": "ニュースレター",
|
||||
"discord": "不和",
|
||||
"noDiscordLinked": "Discord アカウントがリンクされていません。",
|
||||
"discord": "Discord",
|
||||
"noDiscordLinked": "Discord アカウントが連携されていません。",
|
||||
"birthDate": "生年月日",
|
||||
"serverEnv": "サーバー環境",
|
||||
"otherSettings": "その他の設定",
|
||||
"removeDiscord": "Discord アカウントを削除する",
|
||||
"linkDiscord": "Discordアカウントをリンクする",
|
||||
"no_signins_notice": "サインイン履歴は現在追跡されていません。後でもう一度確認してください。!",
|
||||
"no_newsletter_notice": "ニュースレターは現在利用できません。後でもう一度確認してください"
|
||||
"removeDiscord": "Discord アカウントの連携を解除",
|
||||
"linkDiscord": "Discordアカウントを連携する",
|
||||
"no_signins_notice": "ログイン履歴は現在追跡されていません。後でもう一度ご確認ください。",
|
||||
"no_newsletter_notice": "ニュースレターは現在利用できません。後でもう一度ご確認ください。"
|
||||
}
|
||||
},
|
||||
"accountLevel": [
|
||||
"標準\\",
|
||||
"スタンダード",
|
||||
"テスター",
|
||||
"モデレータ",
|
||||
"モデレーター",
|
||||
"デベロッパー"
|
||||
],
|
||||
"banned": "禁止された",
|
||||
"banned": "BAN されました",
|
||||
"loginForm": {
|
||||
"register": "登録",
|
||||
"detailsPrompt": "以下にアカウントの詳細を入力してください",
|
||||
"register": "アカウントを作成",
|
||||
"detailsPrompt": "ログイン情報を入力してください",
|
||||
"username": "ユーザー名",
|
||||
"password": "パスワード",
|
||||
"email": "Eメール",
|
||||
"miiName": "みいの名前",
|
||||
"loginPrompt": "すでにアカウントをお持ちですか?",
|
||||
"email": "メールアドレス",
|
||||
"miiName": "Mii の名前",
|
||||
"loginPrompt": "すでにアカウントをお持ちの場合",
|
||||
"login": "ログイン",
|
||||
"confirmPassword": "パスワードを認証する",
|
||||
"forgotPassword": "パスワードをお忘れですか?",
|
||||
"registerPrompt": "アカウントをお持ちでない場合?"
|
||||
"confirmPassword": "パスワードの確認",
|
||||
"forgotPassword": "パスワードを忘れた場合",
|
||||
"registerPrompt": "アカウントをお持ちでない場合"
|
||||
},
|
||||
"account": "アカウント",
|
||||
"forgotPassword": {
|
||||
"header": "パスワードをお忘れの方",
|
||||
"sub": "以下にメールアドレス/PNIDを入力してください。",
|
||||
"input": "電子メールアドレスまたはPNID",
|
||||
"header": "パスワードを忘れた場合",
|
||||
"sub": "以下にメールアドレスまたは PNID を入力してください。",
|
||||
"input": "メールアドレスまたは PNID",
|
||||
"submit": "送信"
|
||||
},
|
||||
"resetPassword": {
|
||||
"header": "パスワードリセット",
|
||||
"sub": "新しいパスワードを以下に入力",
|
||||
"header": "パスワードのリセット",
|
||||
"sub": "以下に新しいパスワードを入力してください",
|
||||
"password": "パスワード",
|
||||
"confirmPassword": "パスワードの確認",
|
||||
"submit": "送信"
|
||||
|
|
@ -259,24 +431,27 @@
|
|||
},
|
||||
"upgrade": {
|
||||
"title": "アップグレード",
|
||||
"description": "毎月の目標を達成すると、Pretendo はフルタイムの仕事になり、より良い品質の更新をより速い速度で提供します。",
|
||||
"description": "毎月の目標を達成すると、Pretendoを仕事にすることができ、より良いアップデートを高頻度で開発できるようになります。",
|
||||
"month": "月",
|
||||
"changeTier": "ティアを変更",
|
||||
"changeTierPrompt": "<span class=\"oldtier\">oldtiername</span> の登録を解除し、<span class=\"newtier\">newtiername</span> を登録してもよろしいですか?",
|
||||
"changeTier": "レベルを変更",
|
||||
"changeTierPrompt": "<span class=\"oldtier\">oldtiername</span> の登録を解除し、<span class=\"newtier\">newtiername</span> を登録しますか?",
|
||||
"back": "戻る",
|
||||
"changeTierConfirm": "ティアを変更",
|
||||
"unsub": "登録解除",
|
||||
"unsubConfirm": "登録解除",
|
||||
"tierSelectPrompt": "ティアを選択",
|
||||
"unsubPrompt": "<span>tiername</span> から退会してもよろしいですか?そのティアに関連付けられた特典にアクセスできなくなります。"
|
||||
"changeTierConfirm": "レベルを変更",
|
||||
"unsub": "登録を解除",
|
||||
"unsubConfirm": "登録を解除",
|
||||
"tierSelectPrompt": "レベルを選択",
|
||||
"unsubPrompt": "<span>tiername</span> から退会しますか?そのレベルに関連付けられた特典にアクセスできなくなります。"
|
||||
},
|
||||
"donation": {
|
||||
"progress": "<span>$${totd}</span>/月 <span>$${goald}</span>、月間目標の <span>${perc}%</span>。",
|
||||
"progress": "<span>$${totd}</span>/<span>$${goald}</span>(寄付額/目標) ー 月間目標の <span>${perc}%</span>の寄付を頂いています。",
|
||||
"upgradePush": "サブスクライバーになってクールな特典にアクセスするには、<a href=\"/account/upgrade\">アップグレード ページ</a>にアクセスしてください。"
|
||||
},
|
||||
"modals": {
|
||||
"cancel": "キャンセル",
|
||||
"confirm": "確認",
|
||||
"close": "近い",
|
||||
"cancel": "キャンセル"
|
||||
"close": "閉じる"
|
||||
},
|
||||
"notfound": {
|
||||
"description": "おっと!このページは見つかりません。"
|
||||
}
|
||||
}
|
||||
|
|
|
|||
|
|
@ -161,8 +161,6 @@
|
|||
"email": "Пошта"
|
||||
},
|
||||
"settings": {
|
||||
"downloadFiles": "Аккаунтының ақпаратты жүктеу",
|
||||
"downloadFilesDescription": "(Nintendo Network-пен жұмыс істемейді)",
|
||||
"upgrade": "Аккаунтты жақсарту",
|
||||
"unavailable": "Қолжетімсіз",
|
||||
"settingCards": {
|
||||
|
|
|
|||
|
|
@ -1,6 +1,6 @@
|
|||
{
|
||||
"nav": {
|
||||
"about": "···에 대하여",
|
||||
"about": "소개",
|
||||
"faq": "FAQ",
|
||||
"docs": "문서",
|
||||
"credits": "크레딧",
|
||||
|
|
@ -24,7 +24,7 @@
|
|||
},
|
||||
"hero": {
|
||||
"subtitle": "게임 서버",
|
||||
"title": "재창조",
|
||||
"title": "게임 서버",
|
||||
"text": "Pretendo는 무료이며 3DS와 Wii U를 위한 Nintendo의 서버의 오픈 소스 대체제이고, 원래 서버가 닫힌 된 후에도 모두를 위해 온라인 연결을 제공합니다",
|
||||
"buttons": {
|
||||
"readMore": "더 읽어보기"
|
||||
|
|
@ -55,27 +55,38 @@
|
|||
},
|
||||
{
|
||||
"question": "Pretendo는 어떻게 접속하나요?",
|
||||
"answer": "Pretendo는 아직 공용으로 사용할 수 없습니다. 그러나, 사용이 가능해지면 콘솔에서 홈브루 패쳐를 작동시키면 접속할 수 있게 될 것입니다."
|
||||
"answer": "Pretendo 네트워크를 3DS에서나 Wii U, 혹은 에뮬레이터에서 접속하려면, 먼저 <a href=\"/docs/install\">설치 방법</a>을 확인 해 주세요!"
|
||||
},
|
||||
{
|
||||
"question": "기능/서비스가 언제 준비될지 알고 싶나요?",
|
||||
"question": "어떤 기능/서비스가 언제 준비되나요?",
|
||||
"answer": "아니요. 대부분의 Pretendo 기능/서비스는 독립적으로 개발되고 있기 때문에 (예를 들어, 한 개발자가 Miiverse의 작업을 하고 있을 때 계정과 친구 서비스는 다른 개발자가 작업함), 예상 시간은 말씀드릴 수 없습니다."
|
||||
},
|
||||
{
|
||||
"question": "Pretendo가 Cemu/에뮬레이터에서 작동하나요?",
|
||||
"answer": "Pretendo는 Wii U와 3DS 하드웨어만을 대상으로 제작하고 있습니다. 현재까지 닌텐도 네트워크 지원이 되는 에뮬레이터는 Cemu 뿐이나, Cemu는 공식적으로 커스텀 서버를 지원하지 않습니다. 그러나 Cemu에서도 Pretendo를 이용할 수 있게 될 것입니다. Pretendo는 아직 Cemu를 지원하지 않습니다."
|
||||
"question": "게임들이 언제 더 추가되나요?",
|
||||
"answer": "저희는 저희 백엔드 서비스들이 (기반 서비스)들의 지원이 뒷받혀주고 어떤 개발자의 시간이 비었을때 새로운 게임의 서비스를 개발합니다. 대부분 저희가 일하는 것은 현재 지원하는 게임들의 서비스를 완벽하게 만들고 최적화하는데 집중하는데, 그 이유는 먼저 시작한 서비스를 완벽하게 하고 싶기 때문이죠. 버그나 오류가 계속 나오니, 언제부터 새 게임의 서비스를 개발할지는 저희도 모릅니다."
|
||||
},
|
||||
{
|
||||
"question": "제가 닌텐도 네트워크에서 영구 정지가 되어 있다면 Pretendo Network에서도 영구 정지된 상태일까요?",
|
||||
"answer": "저희는 닌텐도 네트워크의 영구 정지 리스트에 대한 권한이 없기 때문에, 저희 서비스를 사용할 때 정지가 되지는 않을 겁니다. 그러나, 저희는 저희만의 운영원칙이 있을 것이며, 그에 따르지 않는 것은 결국 영구 정지에 이어질 것입니다."
|
||||
"answer": "아니요. 서비스의 보안과 검열을 위해서, 에뮬레이터를 사용하시더라도 실제로 게임기를 소유하셔야 합니다. 이렇게 함으로써 더 강화된 보안과 더 즐거운 서비스를 저희가 제공할 수 있습니다."
|
||||
},
|
||||
{
|
||||
"question": "Pretendo가 Wii/스위치를 지원하나요?",
|
||||
"question": "Pretendo가 Cemu나 다른 에뮬레이터에서 작동하나요?",
|
||||
"answer": "Wii의 서비스는 이미 <a href=\"https://wiimmfi.de/\" target=\"_blank\">Wiimmfi</a>가 제공하고 있습니다. 스위치의 Nintendo Switch Online은 유료이며 닌텐도 네트워크와 전혀 다르기 때문에, 현재로서도 지원할 계획은 없습니다."
|
||||
},
|
||||
{
|
||||
"question": "연결하려면 해킹이 필요한가요?",
|
||||
"answer": "네, 연결하기 위해 콘솔 해킹은 필요할 것입니다. 다만, Wii U에서는 홈브루 런처의 접근 권한만 있으면 됩니다 (예. Haxchi, Coldboot Haxchi, 웹 브라우저 취약점). 3DS에서의 연결 방법은 추후에 공개될 것입니다."
|
||||
},
|
||||
{
|
||||
"answer": "최고의 경험을 위해서는, 게임기를 해킹하셔야 합니다. 특히 Wii U의 Aroma와 3DS의 Luma3DS로요. 그런데, Wii U에서는, 기능은 제한되있지만 해킹 없이 사용할 수 있는 SSSL 방식도 사용 하실 수 있습니다. 더 많은 정보는 <a href=\"/docs/install\">이 문서</a>를 참고하세요."
|
||||
},
|
||||
{
|
||||
"answer": "저희는 닌텐도 네트워크의 밴 기록을 알 수 없기 때문에, 닌텐도 네트워크에서의 밴이 그대로 이어지지 않습니다. 다만, 저희도 저희만의 규칙이 있기 때문에, 저희의 규칙을 따르지 않으신다면 밴을 당하실 수 있습니다.",
|
||||
"question": "제가 닌텐도 네트워크에서 밴을 당했었다면, Pretendo에서도 밴이 그대로 유지될까요?"
|
||||
},
|
||||
{
|
||||
"answer": "비공개 매치에서만 가능합니다. 공개 매치에서 다른 사람들의 게임 경험을 망치는 것은 충분히 밴의 이유가 될 수 있습니다. 저희는 꾸준하게 Wii U 및 3DS 기기들을 밴하고, 또한 Pretendo에서는 닌텐도 네트워크에서 가능했던 시리얼 번호를 바꾸는 등의 방법으로 '밴 해제'를 막는 추가 보안이 적용되어 있습니다.",
|
||||
"question": "치트나 모드를 Pretendo에서 사용해도 되냐요?"
|
||||
}
|
||||
]
|
||||
},
|
||||
|
|
@ -99,11 +110,35 @@
|
|||
},
|
||||
"credits": {
|
||||
"title": "개발 팀",
|
||||
"text": "이 프로젝트 뒤에 있는 팀을 만나보세요"
|
||||
"text": "이 프로젝트 뒤에 있는 팀을 만나보세요",
|
||||
"people": [
|
||||
{
|
||||
"caption": "프로젝트 제작자이자 프로젝트를 이끄는 개발자"
|
||||
},
|
||||
{
|
||||
"caption": "Miiverse 연구와 개발"
|
||||
},
|
||||
{
|
||||
"caption": "Wii U 연구 및 패치 개발"
|
||||
}
|
||||
]
|
||||
},
|
||||
"specialThanks": {
|
||||
"title": "Special Thanks",
|
||||
"text": "이들이 없었으면, Pretendo는 이 자리에 없었을 겁니다."
|
||||
"text": "이들이 없었으면, Pretendo는 이 자리에 없었을 겁니다.",
|
||||
"people": [
|
||||
{},
|
||||
{},
|
||||
{},
|
||||
{},
|
||||
{
|
||||
"caption": "닌텐도 자료구조 연구"
|
||||
},
|
||||
{},
|
||||
{
|
||||
"caption": "게임기 연구 및 게임 서버"
|
||||
}
|
||||
]
|
||||
},
|
||||
"discordJoin": {
|
||||
"title": "최신 정보",
|
||||
|
|
@ -141,7 +176,7 @@
|
|||
},
|
||||
"blogPage": {
|
||||
"title": "블로그",
|
||||
"description": "",
|
||||
"description": "최신 소식을 게시합니다. 만약 소식을 더 자주 보고 싶으시다면, <a href=\"/account/upgrade\" target=\"_blank\">저희를 후원해 주세요.</a>.",
|
||||
"published": "게시자",
|
||||
"publishedOn": "켜기"
|
||||
},
|
||||
|
|
@ -167,23 +202,113 @@
|
|||
"caption": "여기서 검색하기"
|
||||
}
|
||||
]
|
||||
},
|
||||
"search": {
|
||||
"caption": "에러 코드를 아래 칸에 입력하여 문제에 대한 정보를 얻으세요!",
|
||||
"label": "에러 코드",
|
||||
"no_match": "일치하는 결과 없음",
|
||||
"title": "에러 코드를 마주했나요?"
|
||||
},
|
||||
"sidebar": {
|
||||
"getting_started": "시작하기",
|
||||
"install_extended": "Pretendo 설치",
|
||||
"juxt_err": "에러 코드 - Juxt",
|
||||
"search": "검색",
|
||||
"welcome": "환영합니다",
|
||||
"install": "설치"
|
||||
}
|
||||
},
|
||||
"modals": {
|
||||
"close": "닫기",
|
||||
"cancel": "취소"
|
||||
"cancel": "취소",
|
||||
"confirm": "승인"
|
||||
},
|
||||
"account": {
|
||||
"loginForm": {
|
||||
"password": "비밀번호",
|
||||
"confirmPassword": "비밀번호 확인",
|
||||
"email": "이메일",
|
||||
"miiName": "미이 이름",
|
||||
"miiName": "Mii 이름",
|
||||
"detailsPrompt": "아래에 계정 정보를 입력하세요.",
|
||||
"login": "로그인",
|
||||
"register": "등록하기",
|
||||
"username": "사용자 이름"
|
||||
"username": "사용자 이름",
|
||||
"forgotPassword": "비밀번호를 잊으셨나요?",
|
||||
"registerPrompt": "계정이 없으신가요?",
|
||||
"loginPrompt": "이미 계정을 가지고 계신가요?"
|
||||
},
|
||||
"account": "계정"
|
||||
"account": "계정",
|
||||
"settings": {
|
||||
"settingCards": {
|
||||
"profile": "프로필",
|
||||
"nickname": "닉네임",
|
||||
"gender": "성별",
|
||||
"country": "국가/지역",
|
||||
"timezone": "시간대",
|
||||
"serverEnv": "서버 환경",
|
||||
"userSettings": "사용자 설정",
|
||||
"birthDate": "생일",
|
||||
"beta": "베타",
|
||||
"production": "프로덕션",
|
||||
"passwordPrompt": "Cemu 파일을 다운받으려면 PNID 비밀번호를 입력하세요",
|
||||
"upgradePrompt": "베타 서버는 베타 테스터에게만 제공됩니다.<br>베타 테스터가 되시려면, 계정을 더 높은 티어로 업그레이드하세요.",
|
||||
"fullSignInHistory": "전체 로그인 기록 보기",
|
||||
"otherSettings": "기타 설정",
|
||||
"discord": "디스코드",
|
||||
"connectedToDiscord": "디스코드에 연결된 계정:",
|
||||
"removeDiscord": "디스코드 계정 삭제",
|
||||
"noDiscordLinked": "연결된 디스코드 계정이 없습니다.",
|
||||
"linkDiscord": "디스코드 계정 연결",
|
||||
"newsletter": "뉴스레터",
|
||||
"hasAccessPrompt": "당신의 현재 티어로 베타 서버에 접근할 수 있습니다. 멋지네요!",
|
||||
"signInSecurity": "로그인 및 보안",
|
||||
"email": "이메일",
|
||||
"password": "비밀번호",
|
||||
"passwordResetNotice": "비밀번호를 변경하고 나면, 모든 기기에서 로그아웃됩니다.",
|
||||
"no_newsletter_notice": "현재 뉴스레터가 제공되지 않습니다. 나중에 다시 확인하세요",
|
||||
"signInHistory": "로그인 기록",
|
||||
"newsletterPrompt": "프로젝트 소식 업데이트를 이메일로 받기(언제든 취소할 수 있습니다)",
|
||||
"no_edit_from_dashboard": "유저 대시보드에서 PNID 설정 변경은 현재 제공되지 않습니다. 계정을 연결한 게임 콘솔에서 변경하세요.",
|
||||
"no_signins_notice": "로그인 기록이 아직 기록되지 않았습니다. 나중에 다시 확인하세요!"
|
||||
},
|
||||
"upgrade": "계정 업그레이드",
|
||||
"unavailable": "이용할 수 없음"
|
||||
},
|
||||
"forgotPassword": {
|
||||
"header": "비밀번호 찾기",
|
||||
"input": "이메일 주소 또는 PNID",
|
||||
"submit": "제출",
|
||||
"sub": "아래에 이메일 주소/PNID를 입력해 주세요."
|
||||
},
|
||||
"resetPassword": {
|
||||
"header": "비밀번호 재설정",
|
||||
"sub": "아래에 새 비밀번호를 입력하세요",
|
||||
"password": "비밀번호",
|
||||
"confirmPassword": "비밀번호 확인",
|
||||
"submit": "제출"
|
||||
},
|
||||
"accountLevel": [
|
||||
"일반",
|
||||
"테스터",
|
||||
"모더레이터",
|
||||
"개발자"
|
||||
],
|
||||
"banned": "이용 정지됨"
|
||||
},
|
||||
"upgrade": {
|
||||
"changeTierConfirm": "티어 변경",
|
||||
"back": "뒤로",
|
||||
"tierSelectPrompt": "티어 선택",
|
||||
"unsub": "구독 취소",
|
||||
"unsubPrompt": "정말로 <span>tiername</span>?을 구독 취소하시겠습니까? 해당 티어가 제공하는 혜택을 더 이상 받을 수 없을 것입니다.",
|
||||
"unsubConfirm": "구독 취소",
|
||||
"changeTier": "티어 변경",
|
||||
"title": "업그레이드",
|
||||
"changeTierPrompt": "정말로 <span class=\"oldtier\">oldtiername</span>를 취소하고 <span class=\"newtier\">newtiername</span>를 구독하시겠습니까?",
|
||||
"month": "달"
|
||||
},
|
||||
"donation": {
|
||||
"progress": "<span>$${goald}</span>/월 중에서 <span>$${totd}</span> , 매달 목표의 <span>${perc}%</span>.",
|
||||
"upgradePush": "구독자가 되고 멋진 혜택을 받으시려면, <a href=\"/account/upgrade\">업그레이드 페이지</a>를 방문하세요."
|
||||
}
|
||||
}
|
||||
|
|
|
|||
|
|
@ -1 +1,31 @@
|
|||
{}
|
||||
{
|
||||
"nav": {
|
||||
"about": "Apie",
|
||||
"faq": "DUK",
|
||||
"credits": "Kreditai",
|
||||
"progress": "Progresas",
|
||||
"blog": "Dienoraštis",
|
||||
"account": "Paskyra",
|
||||
"donate": "Dovanoti",
|
||||
"accountWidget": {
|
||||
"settings": "Nustatymai",
|
||||
"logout": "Atsijungti"
|
||||
},
|
||||
"dropdown": {
|
||||
"captions": {
|
||||
"credits": "Susipažink su komanda",
|
||||
"blog": "Naujausi mūsų atnaujinimai, sutrumpinti",
|
||||
"progress": "Patikrinkite projekto eigą ir tikslus",
|
||||
"about": "Apie projektas",
|
||||
"faq": "Klausimas"
|
||||
}
|
||||
}
|
||||
},
|
||||
"hero": {
|
||||
"title": "Atkurta",
|
||||
"subtitle": "Žaidimo Serveris",
|
||||
"buttons": {
|
||||
"readMore": "Skaityti daugiau"
|
||||
}
|
||||
}
|
||||
}
|
||||
|
|
|
|||
1
locales/lv_LV.json
Normal file
1
locales/lv_LV.json
Normal file
|
|
@ -0,0 +1 @@
|
|||
{}
|
||||
|
|
@ -96,7 +96,12 @@
|
|||
},
|
||||
"credits": {
|
||||
"title": "Laget",
|
||||
"text": "Møt laget bak prosjektet"
|
||||
"text": "Møt laget bak prosjektet",
|
||||
"people": [
|
||||
{
|
||||
"caption": "Prosjekteier og hovedutvikler"
|
||||
}
|
||||
]
|
||||
},
|
||||
"specialThanks": {
|
||||
"title": "Spesiell takk",
|
||||
|
|
|
|||
|
|
@ -1,9 +1,9 @@
|
|||
{
|
||||
"nav": {
|
||||
"about": "Over",
|
||||
"about": "Over ons",
|
||||
"faq": "FAQ",
|
||||
"docs": "Docs",
|
||||
"credits": "Krediet",
|
||||
"credits": "Bijdragers",
|
||||
"progress": "Vooruitgang",
|
||||
"blog": "Blog",
|
||||
"account": "Account",
|
||||
|
|
@ -25,7 +25,7 @@
|
|||
"hero": {
|
||||
"subtitle": "Spelservers",
|
||||
"title": "Nagemaakt",
|
||||
"text": "Pretendo is een gratis en open source vervanger voor de servers van Nintendo voor de 3DS en de Wii U, zodat iedereen online kan spelen, zelfs als de Nintendo servers permanent gestopt worden",
|
||||
"text": "Pretendo is een gratis en open source vervanger voor de servers van Nintendo voor de 3DS en Wii U, zodat iedereen online kan spelen, zelfs als de Nintendo-servers permanent gestopt worden",
|
||||
"buttons": {
|
||||
"readMore": "Lees meer"
|
||||
}
|
||||
|
|
@ -33,13 +33,13 @@
|
|||
"aboutUs": {
|
||||
"title": "Over ons",
|
||||
"paragraphs": [
|
||||
"Pretendo is een open source project met het doel om het Nintendo Network voor 3DS en Wii U na te maken met clean-room reverse engineering.",
|
||||
"Pretendo is een open source project met het doel om het Nintendo Network voor de 3DS en Wii U na te maken met clean-room reverse engineering.",
|
||||
"Omdat onze diensten gratis en open source zijn, kunnen ze lang na het sluiten van Nintendo Network bestaan."
|
||||
]
|
||||
},
|
||||
"progress": {
|
||||
"title": "Vooruitgang",
|
||||
"githubRepo": "GitHub repository"
|
||||
"githubRepo": "GitHub-repository"
|
||||
},
|
||||
"faq": {
|
||||
"title": "Veelgestelde vragen",
|
||||
|
|
@ -66,8 +66,8 @@
|
|||
"answer": "Pretendo wordt voornamelijk ontwikkeld voor de hardware van de Wii U en 3DS. Momenteel is de enige emulator met NN ondersteuning, Cemu. Cemu ondersteunt officieel geen custom servers, maar het zou alsnog mogelijk moeten zijn om Pretendo te gebruiken in Cemu. Momenteel ondersteunt Pretendo Cemu niet."
|
||||
},
|
||||
{
|
||||
"question": "Als ik van Nintendo Network gebanned ben, blijf ik dan gebanned op Pretendo?",
|
||||
"answer": "Nee. We hebben geen toegang tot de bans van Nintendo Network, dus je zal niet direct gebanned zijn op onze dienst. Echter zullen wij wel regels hebben bij het gebruik van onze diensten. Als je deze breekt, zal je gebanned worden."
|
||||
"question": "Werkt Pretendo op Cemu/emulators?",
|
||||
"answer": "Cemu 2.1 ondersteunt Pretendo officieel onder uw netwerkaccountopties in de emulator. Voor informatie over hoe u aan de slag kunt met Cemu, bekijkt u de <a href=\"https://pretendo.network/docs/install/cemu\">documentatie</a>.<br>Sommige 3DS-emulators of forks ondersteunen ons mogelijk, maar we hebben op dit moment geen officiële aanbevelingen of installatie-instructies. De laatste builds van Citra ondersteunen Pretendo niet."
|
||||
},
|
||||
{
|
||||
"question": "Gaat Pretendo ook de Wii of Switch ondersteunen?",
|
||||
|
|
@ -75,13 +75,27 @@
|
|||
},
|
||||
{
|
||||
"question": "Heb ik hacks nodig om te verbinden met Pretendo?",
|
||||
"answer": "ja, je zal inderdaad je apparaat moeten hacken. Op de Wii U heb je enkel de Homebrew launcher (d.m.v bijvoorbeeld Haxchi, Coldboot Haxchi, of zelfs de web browser exploit) nodig. Over de 3DS plaatsen we in de toekomst meer informatie."
|
||||
"answer": "Voor de beste ervaring op consoles moet je je systeem hacken - specifiek Aroma voor Wii U en Luma3DS voor 3DS. Op Wii U is de hackless SSSL-methode echter ook beschikbaar met beperkte functionaliteit. Zie onze <a href=\"/docs/install\">installatie-instructies</a> voor meer informatie."
|
||||
},
|
||||
{
|
||||
"answer": "We hebben geen toegang tot de bans van Nintendo Network, dus niet alle Nintendo Network-gebruikers worden verbannen. We hebben echter regels die we moeten volgen bij het gebruik van de service en het niet naleven van deze regels kan resulteren in een ban.",
|
||||
"question": "Als ik verbannen word op Nintendo Network, blijf ik dan verbannen als ik Pretendo gebruik?"
|
||||
}
|
||||
]
|
||||
},
|
||||
"credits": {
|
||||
"title": "Het team",
|
||||
"text": "Ontmoet het team achter het project"
|
||||
"text": "Ontmoet het team achter het project",
|
||||
"people": [
|
||||
{
|
||||
"caption": "Eigenaar en hoofdontwikkelaar",
|
||||
"name": "Jonathan Barrow (jonbarrow)"
|
||||
},
|
||||
{},
|
||||
{
|
||||
"caption": "Wii U onderzoek en patch ontwikkeling"
|
||||
}
|
||||
]
|
||||
},
|
||||
"specialThanks": {
|
||||
"title": "Speciale dank",
|
||||
|
|
@ -107,7 +121,7 @@
|
|||
},
|
||||
"donation": {
|
||||
"progress": "<span>$${totd}</span> van <span>$${goald}</span>/maand, <span>${perc}%</span> van de maandelijkse doelstelling.",
|
||||
"upgradePush": "Om een abonnee te worden en toegang te krijgen tot coole voordelen, bezoek je de <a href=\"/account/upgrade\">upgrade page</a>."
|
||||
"upgradePush": "Om een abonnee te worden en toegang te krijgen tot coole voordelen, bezoek je de <a href=\"/account/upgrade\">upgradepagina</a>."
|
||||
},
|
||||
"upgrade": {
|
||||
"changeTierPrompt": "Weet u zeker dat u zich wilt afmelden bij <span class=\"oldtier\">oldtiername</span> en wilt abonneren op <span class=\"newtier\">newtiername</span>?",
|
||||
|
|
@ -185,7 +199,6 @@
|
|||
"loginPrompt": "Heb je al een account?"
|
||||
},
|
||||
"settings": {
|
||||
"downloadFiles": "Download account bestanden",
|
||||
"upgrade": "Account upgraden",
|
||||
"settingCards": {
|
||||
"nickname": "Bijnaam",
|
||||
|
|
@ -219,7 +232,6 @@
|
|||
"no_newsletter_notice": "Nieuwsbrief is momenteel niet beschikbaar. Kom later weer terug",
|
||||
"no_edit_from_dashboard": "Het aanpassen van PNID instellingen via het gebruikers dashboard is momenteel niet mogelijk. Pas de gebruikers instellingen aan via je gelinkte game console"
|
||||
},
|
||||
"downloadFilesDescription": "(werkt niet op Nintendo Network)",
|
||||
"unavailable": "Niet beschikbaar"
|
||||
},
|
||||
"accountLevel": [
|
||||
|
|
|
|||
|
|
@ -1,6 +1,6 @@
|
|||
{
|
||||
"nav": {
|
||||
"about": "Informacje",
|
||||
"about": "O Nas",
|
||||
"faq": "Często zadawane pytania",
|
||||
"docs": "Dokumentacja",
|
||||
"credits": "Podziękowania",
|
||||
|
|
@ -63,7 +63,7 @@
|
|||
},
|
||||
{
|
||||
"question": "Czy Pretendo działa na Cemu/emulatorach?",
|
||||
"answer": "Pretendo wspiera wszystko co interaktuje z Nintendo Network, Jedyny emulator który wspiera taką funkcjonalnośc jest Cemu. Cemu 2.0 oficjalnie wspiera Pretendo pod twoimi ustawieniami konta w emulatorze. Dla informacji jak zacząć z Cemu, zapoznaj się z <a href=\"https://pretendo.network/docs/install/cemu\">documentation</a>.<br>Citra nie wspiera prawdziwej gry online, więc dlatego nie działa z Pretendo, i w ogóle nie pokazuje żadnych znaków wspierania prawdziwej gry online. Mikage, emulator 3DS na telefonach może zacząć wspierać tą funkcjonalność w przyszłości, lecz jest to daleko od pewności."
|
||||
"answer": "Pretendo wspiera wszystko co łączy się z Nintendo Network, Jedyny emulator który wspiera taką funkcjonalnośc jest Cemu. Cemu 2.0 oficjalnie wspiera Pretendo pod twoimi ustawieniami konta w emulatorze. Dla informacji jak zacząć z Cemu, zapoznaj się z dokumentacją.Citra nie wspiera prawdziwej gry online, więc dlatego nie działa z Pretendo, i w ogóle nie pokazuje żadnych znaków wspierania prawdziwej gry online. Mikage, emulator 3DS na telefonach może zacząć wspierać tą funkcjonalność w przyszłości, lecz jest to daleko od pewności."
|
||||
},
|
||||
{
|
||||
"question": "Jeśli jestem zbanowany na Nintendo Network, czy będę również zbanowany na Pretendo?",
|
||||
|
|
@ -141,7 +141,7 @@
|
|||
},
|
||||
"blogPage": {
|
||||
"title": "Blog",
|
||||
"description": "",
|
||||
"description": "Najnowsze aktualizacje w skondensowanych fragmentach. Jeśli chcesz otrzymywać częstsze aktualizacje, rozważ <a href=\"/account/upgrade\" target=\"_blank\">wsparcie nas</a>.",
|
||||
"published": "Opublikowany przez",
|
||||
"publishedOn": "dnia"
|
||||
},
|
||||
|
|
@ -232,8 +232,6 @@
|
|||
"newsletterPrompt": "Otrzymuj aktualizacje o projekcie przez email (możesz zrezygnować w dowolnym momencie)",
|
||||
"passwordPrompt": "Wprowadź swoje hasło Pretendo Network ID, aby pobrać pliki Cemu"
|
||||
},
|
||||
"downloadFiles": "Pobierz pliki konta",
|
||||
"downloadFilesDescription": "(nie będzie działać z Nintendo Network)",
|
||||
"upgrade": "Ulepsz konto"
|
||||
},
|
||||
"accountLevel": [
|
||||
|
|
|
|||
|
|
@ -62,7 +62,7 @@
|
|||
"answer": "Não. Muitos dos recursos e serviços da Pretendo são desenvolvidos de forma independente (por exemplo, o Miiverse pode ser trabalhado por um desenvolvedor enquanto as contas e lista de amigos são trabalhados por outro) e, portanto, não podemos estimar quanto tempo isso pode levar."
|
||||
},
|
||||
{
|
||||
"question": "A Pretendo funciona em emuladores?",
|
||||
"question": "Quando vocês irão adicionar mais jogos?",
|
||||
"answer": "Pretendo suporta qualquer cliente que possa interagir com a Nintendo Network. No momento, o único emulador para um desses consoles com suporte a Nintendo Network é o Cemu. O Cemu 2.0 oficialmente suporta a Pretendo nas configurações de conta do emulador. Para mais informações em como usar a Pretendo no Cemu, por favor visite <a href=\"https://pretendo.network/docs/install/cemu\">a documentação</a>.<br>Citra não suporta o modo online de verdade, e não funciona com a Pretendo, e também não demonstra nenhum sinal de suportar um modo online no futuro. Mikage, um outro emulador de 3DS para celulares, talvez haverá uma maneira de se conectar online no futuro."
|
||||
},
|
||||
{
|
||||
|
|
@ -141,7 +141,7 @@
|
|||
},
|
||||
"blogPage": {
|
||||
"title": "Blog",
|
||||
"description": "",
|
||||
"description": "As últimas atualizações em partes condensadas. Se você quiser ver atualizações mais frequentes, considere <a href=\"/account/upgrade\" target=\"_blank\">nos apoiar</a>.",
|
||||
"published": "Publicado por",
|
||||
"publishedOn": "em"
|
||||
},
|
||||
|
|
@ -200,8 +200,6 @@
|
|||
"no_edit_from_dashboard": "A edição das configurações de PNID do painel do usuário não está disponível no momento. Atualize as configurações do usuário do seu console de jogos vinculado",
|
||||
"signInSecurity": "Acesso e segurança"
|
||||
},
|
||||
"downloadFiles": "Baixar arquivos de conta",
|
||||
"downloadFilesDescription": "(não funcionará na Nintendo Network)",
|
||||
"unavailable": "Indisponível",
|
||||
"upgrade": "Aprimorar conta"
|
||||
},
|
||||
|
|
|
|||
|
|
@ -3,7 +3,7 @@
|
|||
"faq": "Perguntas Frequentes",
|
||||
"accountWidget": {
|
||||
"logout": "Sair",
|
||||
"settings": "Configurações"
|
||||
"settings": "Definições"
|
||||
},
|
||||
"donate": "Doar",
|
||||
"about": "Sobre",
|
||||
|
|
@ -48,7 +48,6 @@
|
|||
},
|
||||
"settings": {
|
||||
"upgrade": "Aprimorar conta",
|
||||
"downloadFiles": "Descarregarr ficheiros de conta",
|
||||
"settingCards": {
|
||||
"gender": "Gênero",
|
||||
"newsletterPrompt": "Receba atualizações do projeto via e-mail (pode desinscrever-se a qualquer momento)",
|
||||
|
|
@ -81,7 +80,6 @@
|
|||
"no_newsletter_notice": "Notícias não estão disponíveis no momento. Volte novamente depois",
|
||||
"no_edit_from_dashboard": "A edição das configurações de PNID do painel do utilizador não está disponível no momento. Atualize as configurações do utilizador do seu console de jogos vinculado"
|
||||
},
|
||||
"downloadFilesDescription": "(não funcionará na Nintendo Network)",
|
||||
"unavailable": "Indisponível"
|
||||
},
|
||||
"banned": "Banido",
|
||||
|
|
@ -146,7 +144,7 @@
|
|||
"hero": {
|
||||
"subtitle": "Servidores de jogos",
|
||||
"title": "Recriados",
|
||||
"text": "O Pretendo é uma reposição gratuíta e de código aberto para os servidores do Wii U e Nintendo 3DS, permitindo a conectividade online para todos, mesmo após o encerramento dos servidores originais",
|
||||
"text": "A Pretendo é uma substituição gratuita e de código aberto para os servidores da Nintendo 3DS e da Wii U, permitindo uma conexão online para todos, mesmo depois dos servidores originais serem descontinuados.",
|
||||
"buttons": {
|
||||
"readMore": "Saiba mais"
|
||||
}
|
||||
|
|
@ -154,8 +152,8 @@
|
|||
"aboutUs": {
|
||||
"title": "Sobre nós",
|
||||
"paragraphs": [
|
||||
"Utilizando o design de sala limpa, Pretendo é um projeto de código aberto que visa recriar a Nintendo Network para o Wii U e para família de consoles Nintendo 3DS.",
|
||||
"Como os nossos serviços serão gratuitos e de código aberto, eles podem continuar existindo por muito mais tempo após o inevitável encerramento da Nintendo Network."
|
||||
"A Pretendo é um projeto open-source que pretende recriar a Nintendo Network para a 3DS e a Wii U, ao utilizar engenharia reversa \"clean-room\".",
|
||||
"Sendo que os nossos serviços são grátis e de código-aberto, eles podem assim existir após o inevitável encerramento da Nintendo Network."
|
||||
]
|
||||
},
|
||||
"progress": {
|
||||
|
|
@ -166,7 +164,7 @@
|
|||
"QAs": [
|
||||
{
|
||||
"question": "O que é Pretendo?",
|
||||
"answer": "Pretendo é uma reposição de código aberto para a Nintendo Network que visa fornecer servidores personalizados para o Wii U e para a família de consoles Nintendo 3DS. Nosso objetivo é preservar as funcionalidades online desses consoles para permitir que os jogadores continuem experienciando os jogos favoritos na capacidade máxima deles."
|
||||
"answer": "A Pretendo é uma substituição de código aberto à Nintendo Network que pretende criar servidores para a Wii U e a família de consolas 3DS. O nosso objetivo é preservar as capacidades online destas consolas, permitindo que os jogadores possam continuar a jogar os seus jogos favoritos da Wii U e da 3DS da melhor maneira possível."
|
||||
},
|
||||
{
|
||||
"question": "Os meus NNIDs existentes funcionarão na Pretendo?",
|
||||
|
|
@ -174,7 +172,7 @@
|
|||
},
|
||||
{
|
||||
"question": "Como uso a Pretendo?",
|
||||
"answer": "Pretendo atualmente não está disponível para uso pelo público geral. No entanto, quando estiver pronto, poderá usar a Pretendo executando nosso patcher homebrew no seu console."
|
||||
"answer": "A Pretendo não está atualmente num estado pronto para o uso público. No entanto, quando estiver, poderás usar a Pretendo apenas ao abrir o nosso patcher na tua consola."
|
||||
},
|
||||
{
|
||||
"question": "Sabe quando recurso/serviço estará pronto?",
|
||||
|
|
|
|||
|
|
@ -206,8 +206,6 @@
|
|||
"no_newsletter_notice": "Buletin indisponibil. Reveniți mai târziu",
|
||||
"newsletter": "Buletin informativ"
|
||||
},
|
||||
"downloadFiles": "Descarcă fișierele contului",
|
||||
"downloadFilesDescription": "(nu va funcționa pe Nintendo Network)",
|
||||
"unavailable": "Indisponibil"
|
||||
},
|
||||
"accountLevel": [
|
||||
|
|
|
|||
|
|
@ -3,7 +3,7 @@
|
|||
"about": "О нас",
|
||||
"faq": "ЧаВо",
|
||||
"docs": "Документы",
|
||||
"credits": "Титры",
|
||||
"credits": "О разработчиках",
|
||||
"progress": "Прогресс",
|
||||
"donate": "Пожертвование",
|
||||
"blog": "Блог",
|
||||
|
|
@ -55,37 +55,141 @@
|
|||
},
|
||||
{
|
||||
"question": "Как мне подключиться к Pretendo?",
|
||||
"answer": "На данный момент Pretendo ещё не готово для нормального использования. Однако, когда мы закончим разработку базовых функций, вы сможете подключиться к Pretendo просто запуская наше homebrew-приложение на вашей консоли."
|
||||
"answer": "Чтобы начать использовать Pretendo Network на 3DS, Wii U или эмуляторах, просмотрите наши <a href='/docs/install'>инструкции по установке</a>!"
|
||||
},
|
||||
{
|
||||
"question": "Знаете ли вы, когда что-либо из функций и сервисов будет сделано?",
|
||||
"answer": "Нет. Большинство сервисов Pretendo разрабатываются разными разработчиками (Например, над Miiverse может работать один из разработчиков, а над профилями и друзьями может работать совсем другой разработчик) и в целом мы не можем сказать сколько времени займёт разработка, так как сами этого не знаем."
|
||||
},
|
||||
{
|
||||
"question": "Работает ли Pretendo на эмуляторах/Cemu?",
|
||||
"answer": "Pretendo сделано специально для оборудования Wii U и 3DS; на данный момент единственный эмулятор с поддержкой Nintendo Network является Cemu. Cemu официально не поддерживает неофициальные сервера, однако Pretendo может работать и на Cemu.Pretendo на данный момент не поддерживает Cemu."
|
||||
"question": "Когда Вы добавите больше игр?",
|
||||
"answer": "Мы работаем над новыми играми тогда, когда мы чувствуем, что наши серверные библиотеки достаточно готовы для реализации нужной поддержки, а также при наличии достаточного времени у разработчиков. Большая часть нашей работы приходится на стабилизацию и доработку уже имеющихся у нас игр: мы хотим добиться от них наилучшего результата, прежде чем переходить к следующим. Поскольку новые задачи появляются постоянно, мы не можем спрогнозировать, когда то или это будет сделано."
|
||||
},
|
||||
{
|
||||
"question": "Если я забанен в Nintendo Network, буду ли я забанен в Pretendo?",
|
||||
"answer": "Нет. Все пользователи, которые имеют бан в официальном Nintendo Network, смогут пользоваться Pretendo. Однако, у нас есть правила использования и при их нарушении вы можете получить бан."
|
||||
"question": "Если у меня эмулятор, хватит ли этого, чтобы использовать Pretendo?",
|
||||
"answer": "Нет. В целях безопасности и модерации, если вы используете эмулятор, вам всё равно нужна настоящая консоль. Это позволит улучшить безопасность и усилить эффективность применения правил в целях обеспечения безопасной и приятной атмосферы на наших сервисах."
|
||||
},
|
||||
{
|
||||
"question": "Будет ли Pretendo поддерживать Wii/Switch?",
|
||||
"question": "Работает ли Pretendo на Cemu/эмуляторах?",
|
||||
"answer": "Cemu 2.1 официально поддерживает Pretendo через настройки вашего сетевого профиля на эмуляторе. Чтобы получить информацию о том, как настроить Cemu, проверьте нашу <a href=\"https://pretendo.network/docs/install/cemu\">документацию</a>.<br>Некоторые 3DS-эмуляторы или различные их ответвления могут поддерживать нас, однако у нас пока что нет никаких официальных рекомендаций или инструкций по настройке. Последние версии Citra не поддерживают Pretendo."
|
||||
},
|
||||
{
|
||||
"question": "Будет ли Pretendo поддерживать WIi/Switch?",
|
||||
"answer": "У Wii уже есть неофициальные сервера, под названием <a href=\"https://wiimmfi.de/\" target=\"_blank\">Wiimmfi</a>. На данный момент мы не собираемся работать с онлайном Switch, так как сервис платный и кардинально отличается от Nintendo Network."
|
||||
},
|
||||
{
|
||||
"question": "Нужно ли мне прошивать консоль?",
|
||||
"answer": "Да, вам понадобится прошить консоль, чтобы подключиться. Однако, на Wii U вам понадобится только доступ к Homebrew Launcher (т.е. Haxchi, Coldboot Haxchi, или web browser exploit). Информация о подключении с 3DS будет опубликована позже."
|
||||
"answer": "Для наилучшего опыта на консолях вам потребуется взломать систему — а именно установить Aroma для Wii U и Luma3DS для 3DS. Однако на Wii U также доступен безвзломный метод SSSL с ограниченной функциональностью. Подробности смотрите в наших <a href=\"/docs/install\">инструкциях по установке</a>."
|
||||
},
|
||||
{
|
||||
"question": "Если я забанен на Nintendo Network, буду ли я забанен и на Pretendo тоже?",
|
||||
"answer": "Нет. Все пользователи, которые имеют бан в официальном Nintendo Network, смогут пользоваться Pretendo. Однако, у нас есть свои правила использования, и при их нарушении вы можете получить бан уже на Pretendo."
|
||||
},
|
||||
{
|
||||
"question": "Можно ли использовать читы или моды в сетевых играх на Pretendo?",
|
||||
"answer": "Только в частных матчах — получение нечестного преимущества или нарушение игрового процесса с участниками, которые не давали на это согласия (как в публичных матчах), является причиной для блокировки. Мы регулярно применяем баны аккаунтов и консолей как на Wii U, так и на 3DS. В Pretendo используются дополнительные меры безопасности, из-за которых традиционные методы обхода блокировок, такие как смена серийного номера, не работают."
|
||||
}
|
||||
]
|
||||
},
|
||||
"credits": {
|
||||
"title": "Наша команда",
|
||||
"text": "Ознакомьтесь с командой, которая работает над разработкой Pretendo"
|
||||
"text": "Ознакомьтесь с командой, которая работает над разработкой Pretendo",
|
||||
"people": [
|
||||
{
|
||||
"caption": "Руководитель проекта и гл. разработчик",
|
||||
"name": "Джонатан Барроу (jonbarrow)",
|
||||
"picture": "https://github.com/jonbarrow.png",
|
||||
"github": "https://github.com/jonbarrow"
|
||||
},
|
||||
{
|
||||
"name": "Джемма (CaramelKat)",
|
||||
"caption": "Исследование и разработка Miiverse",
|
||||
"picture": "https://github.com/caramelkat.png",
|
||||
"github": "https://github.com/CaramelKat"
|
||||
},
|
||||
{
|
||||
"caption": "Исследование Wii U и разработка патчей",
|
||||
"github": "https://github.com/ashquarky",
|
||||
"picture": "https://github.com/ashquarky.png",
|
||||
"name": "quarky"
|
||||
},
|
||||
{
|
||||
"picture": "https://github.com/supermariodabom.png",
|
||||
"github": "https://github.com/SuperMarioDaBom",
|
||||
"caption": "Серверная архитектура и исследование систем",
|
||||
"name": "SuperMarioDaBom"
|
||||
},
|
||||
{
|
||||
"caption": "Веб-разработка",
|
||||
"picture": "https://github.com/gitlimes.png",
|
||||
"github": "https://github.com/gitlimes",
|
||||
"name": "pinklimes"
|
||||
},
|
||||
{
|
||||
"caption": "Исследование систем и разработка серверов",
|
||||
"picture": "https://cdn.discordapp.com/avatars/191370953807233024/0311b61e2009c1576828dd2e9a59d72e.png?size=128",
|
||||
"name": "Shutterbug2000",
|
||||
"github": "https://github.com/shutterbug2000"
|
||||
},
|
||||
{
|
||||
"picture": "https://github.com/InternalLoss.png",
|
||||
"github": "https://github.com/InternalLoss",
|
||||
"name": "Billy",
|
||||
"caption": "Серверная архитектура и архивариус"
|
||||
},
|
||||
{
|
||||
"name": "DaniElectra",
|
||||
"caption": "Исследование систем и разработка серверов",
|
||||
"picture": "https://github.com/danielectra.png",
|
||||
"github": "https://github.com/DaniElectra"
|
||||
},
|
||||
{
|
||||
"name": "niko",
|
||||
"caption": "Веб и серверная разработка",
|
||||
"picture": "https://github.com/hauntii.png",
|
||||
"github": "https://github.com/hauntii"
|
||||
},
|
||||
{
|
||||
"name": "MatthewL246",
|
||||
"caption": "DevOps и работа с сообществом",
|
||||
"picture": "https://github.com/MatthewL246.png",
|
||||
"github": "https://github.com/MatthewL246"
|
||||
},
|
||||
{
|
||||
"name": "wolfendale",
|
||||
"caption": "Разработка и оптимизация серверов",
|
||||
"picture": "https://github.com/wolfendale.png",
|
||||
"github": "https://github.com/wolfendale"
|
||||
},
|
||||
{
|
||||
"name": "TraceEntertains",
|
||||
"caption": "Исследования и разработка патчей для 3DS",
|
||||
"picture": "https://github.com/TraceEntertains.png",
|
||||
"github": "https://github.com/TraceEntertains"
|
||||
}
|
||||
]
|
||||
},
|
||||
"specialThanks": {
|
||||
"title": "Особая благодарность",
|
||||
"text": "Без них, Pretendo не был бы таким какой он есть сегодня."
|
||||
"text": "Без них, Pretendo не был бы таким какой он есть сегодня.",
|
||||
"people": [
|
||||
{
|
||||
"name": "Участники на GitHub",
|
||||
"caption": "Переводы и другая помощь",
|
||||
"picture": "https://github.githubassets.com/images/modules/logos_page/GitHub-Mark.png",
|
||||
"github": "https://github.com/PretendoNetwork"
|
||||
},
|
||||
{
|
||||
"name": "superwhiskers",
|
||||
"caption": "Разработка библиотеки Crunch",
|
||||
"picture": "https://github.com/superwhiskers.png",
|
||||
"github": "https://github.com/superwhiskers"
|
||||
},
|
||||
{
|
||||
"caption": "Разработка 3DS и NEX-диссектора",
|
||||
"name": "Stary"
|
||||
}
|
||||
]
|
||||
},
|
||||
"discordJoin": {
|
||||
"title": "Будьте в курсе всех новостей",
|
||||
|
|
@ -111,7 +215,7 @@
|
|||
"Webkit v537 - лучшая версия Webkit для Wii U. Нет, мы не будет портировать Chrome на Wii U.",
|
||||
"Не могу дождаться пока на часах не будет 03:14:08 UTC , 19 января 2038 года!",
|
||||
"Wii U на самом деле - недооценённая система: рекламы были ужасными, но сама консоль - замечательная. Эм? Подождите секунду... Я не уверен почему мой геймпад не подключается к моей Wii.",
|
||||
"Главная музыкальная тема Super Mario World 2 - Yoshi's Island , просто бомба! Ты не можешь доказать мне обратное.",
|
||||
"Главная музыкальная тема Super Mario World 2 - Yoshi's Island , просто бомба! Смирись.",
|
||||
"Мои любимые релизы на Nintendo Switch были - Nintendo Switch Online + Expansion Pack, Nintendo Switch Online + Rumble Pak, Nintendo Switch Online + Offline Play Pack, Nintendo Switch Online + Еще Один Порт Игр Pack, and Nintendo Switch Online + Dr. Kawashima's Brain Training / Brain Age \"Вам Действительно Понравился Nintendo Wii U Virtual Console Игры, Так Что Мы Их возвращаем\" Pack. Ты с уверенностью можешь сказать что Nintendo точно заботится о нас.",
|
||||
"Например, \"Знаешь, Эш, благослови её сердце, она весь день занимается UwU\" - это южный приятный способ сказать \"Эш занимается UwU всё время, и это очень странно и глупо, и я бы хотел, чтобы они этого не делали\"",
|
||||
"Мой первый видеоролик на моём канале! Я хотел сделать видео уже очень давно, но мой ноутбук работал очень плохо и я не мог открыть фрапс , скайп и майнкрафт одновременно. Но теперь этому конец! Благодаря моему учителю по информатике мой ноутбук стал быстрым и теперь я могу снимать ролики! Я надеюсь вам понравится ставьте лайк и подписывайтесь на канал!"
|
||||
|
|
@ -149,7 +253,6 @@
|
|||
"forgotPassword": "Забыли пароль?"
|
||||
},
|
||||
"settings": {
|
||||
"downloadFilesDescription": "(не будут работать в Nintendo Network)",
|
||||
"settingCards": {
|
||||
"profile": "Профиль",
|
||||
"timezone": "Часовой пояс",
|
||||
|
|
@ -182,7 +285,6 @@
|
|||
"no_edit_from_dashboard": "Изменение настроек PNID на данный момент невозможна. Пожалуйста, обновите данные о пользователе с привязанной игровой консоли",
|
||||
"newsletter": "Газета"
|
||||
},
|
||||
"downloadFiles": "Скачать данные учётной записи",
|
||||
"unavailable": "Недоступно",
|
||||
"upgrade": "Улучшить учётную запись"
|
||||
},
|
||||
|
|
@ -225,7 +327,7 @@
|
|||
]
|
||||
},
|
||||
"search": {
|
||||
"caption": "Введите его в графу чтобы получить больше информации об ошибке!",
|
||||
"caption": "Введите код ошибки здесь, чтобы получить больше информации об ошибке!",
|
||||
"label": "Код ошибки",
|
||||
"no_match": "Ничего не найдено",
|
||||
"title": "Получили код ошибки?"
|
||||
|
|
|
|||
1
locales/sk_SK.json
Normal file
1
locales/sk_SK.json
Normal file
|
|
@ -0,0 +1 @@
|
|||
{}
|
||||
|
|
@ -70,9 +70,7 @@
|
|||
"loginPrompt": "Har redan ett konto?"
|
||||
},
|
||||
"settings": {
|
||||
"downloadFiles": "Ladda ner kontofiler",
|
||||
"upgrade": "Uppgradera konto",
|
||||
"downloadFilesDescription": "(kommer inte att funka på Nintendo Nätverket)",
|
||||
"settingCards": {
|
||||
"userSettings": "Användarinställningar",
|
||||
"profile": "Profil",
|
||||
|
|
|
|||
1
locales/ta_IN.json
Normal file
1
locales/ta_IN.json
Normal file
|
|
@ -0,0 +1 @@
|
|||
{}
|
||||
|
|
@ -34,7 +34,7 @@
|
|||
"title": "Hakkımızda",
|
||||
"paragraphs": [
|
||||
"Pretendo, tersine mühendislik kullanarak 3DS ve Wii U için Nintendo Network'ü yeniden oluşturmayı amaçlayan açık kaynaklı bir projedir.",
|
||||
"Hizmetlerimiz hem ücretsiz hem de açık kaynak olacağından, Nintendo Network'ün kaçınılmaz olarak kapanışından çok daha sonra var olabilirler."
|
||||
"Hizmetlerimiz ücretsiz ve açık kaynak kodlu olduğu için yıllarca varlığını sürdürecektir."
|
||||
]
|
||||
},
|
||||
"progress": {
|
||||
|
|
@ -54,27 +54,39 @@
|
|||
},
|
||||
{
|
||||
"question": "Pretendo'yu nasıl kullanırım?",
|
||||
"answer": "Pretendo şuanda genel kullanım için hazır değil. Fakat hazır olduğunda Pretendo'yu konsolunuzda bir homebrew yamalayıcısı çalıştırarak kullanabileceksiniz."
|
||||
"answer": "Pretendo Network'ü 3DS, Wii U veya emülatörlerde kullanmaya başlamak için lütfen <a href=\"/docs/install\">kurulum talimatlarımıza</a> bakın!"
|
||||
},
|
||||
{
|
||||
"question": "Servis ya da bir özelliğin ne zaman hazır olacağını biliyor musunuz?",
|
||||
"answer": "Hayır. Pretendo'nun birçok özelliği/hizmeti bağımsız olarak geliştirilmektedir (örneğin, Hesaplar ve Arkadaşlar üzerinde başka bir geliştirici çalışırken Miiverse üzerinde başka bir geliştirici çalışır.) ve bu nedenle, bunun ne kadar süreceği konusunda genel bir tahmini süre veremiyoruz."
|
||||
},
|
||||
{
|
||||
"question": "Pretendo Cemu/emülatörlerde çalışır mı?",
|
||||
"answer": "Pretendo, Nintendo Network ile etkileşebilen herhangi bir istemciyi destekler. Şu anda bu tür işlevselliğe sahip tek emülatör Cemu'dur. Cemu 2.0, emülator ağ hesabı seçenekleri altında Pretendo'yu resmi olarak destekler. Cemu ile nasıl başlayacağınızla ilgili bilgi için <a href=\"https://pretendo.network/docs/install/cemu\">dökümanlara</a> bakın.<br>Citra gerçek çevrimiçi oyun oynamayı desteklemiyor ve bu nedenle Pretendo ile çalışmaz ve destekleyeceğine dair hiçbir işarette göstermiyor. Mobil cihazlar için bir 3DS emülatörü olan Mikage, kesin olmamakla birlikte gelecekte destek sağlayabilir."
|
||||
"question": "Daha fazla oyunu ne zaman ekleyeceksiniz?",
|
||||
"answer": "Backend kütüphanelerimizin desteklemeye hazır olduğunu hissettiğimizde ve geliştiricilerin bunu sürdürmek için zamanı olduğunda yeni oyunlar üzerinde çalışıyoruz. Çalışmalarımızın çoğu mevcut oyunlarımızı stabilize etmeye ve tamamlamaya yöneliktir - yeni oyunlara geçmeden önce bu oyunlarda mümkün olan en iyi deneyimi elde etmek istiyoruz. Her zaman yeni işler ortaya çıktığı için bunun ne zaman olacağına dair bir tahminde bulunamıyoruz."
|
||||
},
|
||||
{
|
||||
"question": "Nintendo Network'te yasaklandıysam, Pretendo kullanırken yasaklı kalacak mıyım?",
|
||||
"answer": "Nintendo Network'ün yasaklarına erişimimiz yok ve tüm kullanıcılar hizmetimizde yasaklı olmayacak. Ancak, hizmeti kullanırken uymanız gereken kurallarımız olacaktır ve bu kurallara uyulmaması yasaklama ile sonuçlanabilir."
|
||||
"question": "Eğer herhangi bir emülatör kullanırsam, bu Pretendo servislerini kullanmak için yeterli olacak mı?",
|
||||
"answer": "Hayır. Güvenlik ve denetim amacıyla, bir emülatör kullanıyorsanız, yine de gerçek bir konsola ihtiyacınız vardır. Bu, hizmetimizle güvenli ve keyifli bir deneyim sağlamak için gelişmiş güvenlik ve kuralların daha etkili bir şekilde uygulanmasına olanak tanır."
|
||||
},
|
||||
{
|
||||
"question": "Pretendo Wii/Switch'i destekleyecek mi?",
|
||||
"answer": "Wii'nin zaten <a href=\"https://wiimmfi.de/\" target=\"_blank\">Wiimmfi</a> tarafından sağlanan özel sunucuları var. Şu anda Switch'i hem ücretli hem de Nintendo Network'ten tamamen farklı olduğu için hedeflemek istemiyoruz."
|
||||
"question": "Pretendo servisleri Cemu yada benzeri emülatörlerde çalışıyor mu?",
|
||||
"answer": "Cemu 2.1 sürümünde, emülatördeki ağ hesabı seçenekleriniz altında Pretendo'yu resmi olarak desteklemektedir. Cemu'ya nasıl başlayacağınız hakkında bilgi için<a href=\"https://pretendo.network/docs/install/cemu\">documentation</a>.<br>, Bazı 3DS emülatörleri veya forkları bizi destekleyebilir, ancak şu anda herhangi bir resmi öneri veya kurulum talimatımız yok. Citra'nın son sürümleri Pretendo'yu desteklememektedir."
|
||||
},
|
||||
{
|
||||
"question": "Bağlanmak için hacklere ihtiyacım olacak mı?",
|
||||
"answer": "Evet, bağlanmak için cihazınızı hacklemeniz gerekecek; ancak Wii U'da yalnızca Homebrew Launcher'a (yani Haxchi, Coldboot Haxchi ve hatta web tarayıcısı açıklarından yararlanma) erişmeniz gerekir ve 3DS'nin nasıl bağlanacağı hakkında daha sonra bilgi verilecektir."
|
||||
"question": "Pretendo Wii/Switch'i de destekleyecek mi?",
|
||||
"answer": "Wii'de zaten <a href=\"“https://wiimmfi.de/”\" target=\"“_blank”\">Wiimmfi</a> tarafından sağlanan özel sunuculara ve lobilere sahiptir. Hem ücretli hem de Nintendo Network'ten tamamen farklı olduğu için şu anda Switch'i hedeflemek istemiyoruz."
|
||||
},
|
||||
{
|
||||
"question": "Pretendo servislerine bağlanmak için hacklere ihtiyacım olacak mı?",
|
||||
"answer": "Konsollarda en iyi deneyimi elde etmek için konsolunuzu hacklemeniz gerekecek; özellikle Wii U için Aroma ve 3DS için Luma3DS. Ancak Wii U'da hackless SSSL yöntemi de sınırlı işlevsellikle mevcuttur. Ayrıntılı bilgi için <a href=\"/docs/install\">setup instructions</a> bakınız."
|
||||
},
|
||||
{
|
||||
"question": "Nintendo Network'te banlıysam, Pretendo'da banlı olucakmıyım?",
|
||||
"answer": "Nintendo Network'ün ban listesine erişimimiz yok, bu nedenle tüm Nintendo Network kullanıcıları banlanmadı. Ancak, hizmeti kullanırken uymamız gereken kurallar vardır ve bu kurallara uyulmaması yasaklanmaya neden olabilir."
|
||||
},
|
||||
{
|
||||
"question": "Pretendo ile online oyunlarda hileler veya modlar kullanabilir miyim?",
|
||||
"answer": "Sadece private maçlarda - haksız avantaj elde etmek veya rızası olmayan kişilerle çevrimiçi deneyimi bozmak (herkese açık maçlarda olduğu gibi) banlanmanız olasıdır. Hem Wii U hem de 3DS sistemlerine düzenli olarak hesap ve konsol banı uyguluyoruz. Pretendo, seri numaranızı değiştirmek gibi geleneksel 'ban kaldırma' yöntemlerini etkisiz hale getiren ekstra güvenlik sistemimiz bile vardır."
|
||||
}
|
||||
],
|
||||
"text": "Burada, bize kolay bilgi için sorulan bazı genel sorular yer almaktadır."
|
||||
|
|
@ -99,7 +111,81 @@
|
|||
},
|
||||
"credits": {
|
||||
"title": "Takımımız",
|
||||
"text": "Projenin arkasındaki ekip ile tanışın"
|
||||
"text": "Projenin arkasındaki ekip ile tanışın",
|
||||
"people": [
|
||||
{
|
||||
"name": "Jonathan Barrow (jonbarrow)",
|
||||
"caption": "Proje lideri ve baş geliştirici",
|
||||
"picture": "https://github.com/jonbarrow.png",
|
||||
"github": "https://github.com/jonbarrow"
|
||||
},
|
||||
{
|
||||
"picture": "https://github.com/caramelkat.png",
|
||||
"name": "Jemma (CaramelKat)",
|
||||
"caption": "Miiverse için araştırma ve geliştirme",
|
||||
"github": "https://github.com/CaramelKat"
|
||||
},
|
||||
{
|
||||
"caption": "Wii U için araştırma ve yama geliştirme",
|
||||
"name": "quarky",
|
||||
"picture": "https://github.com/ashquarky.png",
|
||||
"github": "https://github.com/ashquarky"
|
||||
},
|
||||
{
|
||||
"github": "https://github.com/SuperMarioDaBom",
|
||||
"name": "SuperMarioDaBom",
|
||||
"picture": "https://github.com/supermariodabom.png",
|
||||
"caption": "Sistem araştırmaları ve sunucu mimarisi"
|
||||
},
|
||||
{
|
||||
"picture": "https://github.com/gitlimes.png",
|
||||
"caption": "Web geliştirme",
|
||||
"github": "https://github.com/gitlimes",
|
||||
"name": "pinklimes"
|
||||
},
|
||||
{
|
||||
"caption": "Sistem araştırması ve sunucu geliştirme",
|
||||
"name": "Shutterbug2000",
|
||||
"picture": "https://cdn.discordapp.com/avatars/191370953807233024/0311b61e2009c1576828dd2e9a59d72e.png?size=128",
|
||||
"github": "https://github.com/shutterbug2000"
|
||||
},
|
||||
{
|
||||
"github": "https://github.com/InternalLoss",
|
||||
"name": "Billy",
|
||||
"picture": "https://github.com/InternalLoss.png",
|
||||
"caption": "Koruma uzmanı ve sunucu mimarisi"
|
||||
},
|
||||
{
|
||||
"name": "DaniElectra",
|
||||
"caption": "Sistem araştırmaları ve sunucu geliştirme",
|
||||
"github": "https://github.com/DaniElectra",
|
||||
"picture": "https://github.com/danielectra.png"
|
||||
},
|
||||
{
|
||||
"name": "niko",
|
||||
"caption": "Web ve sunucu geliştirme",
|
||||
"picture": "https://github.com/hauntii.png",
|
||||
"github": "https://github.com/hauntii"
|
||||
},
|
||||
{
|
||||
"picture": "https://github.com/MatthewL246.png",
|
||||
"name": "MatthewL246",
|
||||
"caption": "DevOps ve topluluk çalışması",
|
||||
"github": "https://github.com/MatthewL246"
|
||||
},
|
||||
{
|
||||
"name": "wolfendale",
|
||||
"caption": "Sunucu geliştirme ve optimizasyon",
|
||||
"picture": "https://github.com/wolfendale.png",
|
||||
"github": "https://github.com/wolfendale"
|
||||
},
|
||||
{
|
||||
"name": "TraceEntertains",
|
||||
"caption": "3DS yaması geliştirme ve araştırma",
|
||||
"picture": "https://github.com/TraceEntertains.png",
|
||||
"github": "https://github.com/TraceEntertains"
|
||||
}
|
||||
]
|
||||
},
|
||||
"account": {
|
||||
"settings": {
|
||||
|
|
@ -135,10 +221,8 @@
|
|||
"connectedToDiscord": "Discord'a bu hesap ile bağlanıldı",
|
||||
"discord": "Discord"
|
||||
},
|
||||
"downloadFiles": "Hesap dosyalarını indir",
|
||||
"upgrade": "Hesabı yükselt",
|
||||
"unavailable": "Mevcut değil",
|
||||
"downloadFilesDescription": "(Nintendo Network'te çalışmayacak)"
|
||||
"unavailable": "Mevcut değil"
|
||||
},
|
||||
"loginForm": {
|
||||
"forgotPassword": "Şifreni mi unuttun?",
|
||||
|
|
@ -185,7 +269,8 @@
|
|||
"Super Mario World 2 - Yoshi's Island'ın ana teması tam bir klasik ve beni başka türlü ikna etmenin bir yolu yok.",
|
||||
"En sevdiğim Nintendo Switch oyunları Nintendo Switch Online + Genişletme Paketi, Nintendo Switch Online + Rumble Pak, Nintendo Switch Online + Çevrimdışı Oynama Paketi, Nintendo Switch Online + Bir Port daha Paketi ve Nintendo Switch Online + Dr. Kawashima's Brain Training / Brain Age \"Nintendo Wii U Sanal Konsol Oyunlarını Gerçekten Sevdiniz, Bu yüzden Geri Getiriyoruz\" Paketi. Nintendo'nun umursadığını gerçekten söyleyebilirsin.",
|
||||
"\"Ash'i biliyorsun, kalbini korusun, o bütün gün UwUlar\" gibi, \"Ash her zaman uwular ve bu gerçekten garip ve aptalca ve keşke yapmasalar\" demenin güneydeki güzel yolu",
|
||||
"Kanalımdaki ilk videom!! bn uzun zamandır video yapmak istiyordum ama dizüstü bilgisayarım oldukça kötü çalıştı ve fraps, skype ve minecraft'ı aynı anda çalıştıramadım. ama artık bitti! BT öğretmenimin biraz yardımıyla dizüstü bilgisayarım çok daha iyi çalışıyor ve şimdi kayıt yapabiliyorum! umarım eğlenirsiniz ve beğendiyseniz lütfen beğenip abone olun!!!"
|
||||
"Kanalımdaki ilk videom!! bn uzun zamandır video yapmak istiyordum ama dizüstü bilgisayarım oldukça kötü çalıştı ve fraps, skype ve minecraft'ı aynı anda çalıştıramadım. ama artık bitti! BT öğretmenimin biraz yardımıyla dizüstü bilgisayarım çok daha iyi çalışıyor ve şimdi kayıt yapabiliyorum! umarım eğlenirsiniz ve beğendiyseniz lütfen beğenip abone olun!!!",
|
||||
"Bana Güzel Görünüyor"
|
||||
],
|
||||
"widget": {
|
||||
"button": "Şimdi katıl!",
|
||||
|
|
@ -245,7 +330,94 @@
|
|||
},
|
||||
"specialThanks": {
|
||||
"text": "Onlar olmasaydı, Pretendo bugün olduğu yerde olamazdı.",
|
||||
"title": "Ayrıca teşekkürler"
|
||||
"title": "Ayrıca teşekkürler",
|
||||
"people": [
|
||||
{
|
||||
"caption": "Yerelleştirme ve diğer katkılar",
|
||||
"name": "GitHub katılımcıları",
|
||||
"github": "https://github.com/PretendoNetwork",
|
||||
"picture": "https://github.githubassets.com/images/modules/logos_page/GitHub-Mark.png"
|
||||
},
|
||||
{
|
||||
"caption": "crunch kütüphanesi̇ geli̇şti̇rme",
|
||||
"name": "superwhiskers",
|
||||
"picture": "https://github.com/superwhiskers.png",
|
||||
"github": "https://github.com/superwhiskers"
|
||||
},
|
||||
{
|
||||
"github": "https://github.com/Stary2001",
|
||||
"picture": "https://github.com/Stary2001.png",
|
||||
"caption": "3DS geliştirme ve NEX dissektörü",
|
||||
"name": "Stary"
|
||||
},
|
||||
{
|
||||
"caption": "Miiverse bilgi paylaşımı",
|
||||
"github": "https://twitter.com/rverseClub",
|
||||
"picture": "https://github.com/rverseTeam.png",
|
||||
"name": "rverse"
|
||||
},
|
||||
{
|
||||
"github": "https://github.com/Kinnay",
|
||||
"special": "Özel teşekkürler",
|
||||
"name": "Kinnay",
|
||||
"caption": "Nintendo veri yapıları üzerine araştırmalar",
|
||||
"picture": "https://cdn.discordapp.com/avatars/186572995848830987/b55c0d4e7bfd792edf0689f83a25d8ea.png?size=128"
|
||||
},
|
||||
{
|
||||
"picture": "https://github.com/ninstar.png",
|
||||
"caption": "Mii Editor ve Juxt reactions için ikonlar",
|
||||
"name": "NinStar",
|
||||
"github": "https://github.com/ninstar"
|
||||
},
|
||||
{
|
||||
"picture": "https://github.com/EpicUsername12.png",
|
||||
"name": "Rambo6Glaz",
|
||||
"caption": "Konsol araştırmaları ve oyun sunucuları",
|
||||
"github": "https://github.com/EpicUsername12"
|
||||
},
|
||||
{
|
||||
"name": "GaryOderNichts",
|
||||
"caption": "Wii U yaması geliştirme",
|
||||
"picture": "https://github.com/GaryOderNichts.png",
|
||||
"github": "https://github.com/GaryOderNichts"
|
||||
},
|
||||
{
|
||||
"name": "zaksabeast",
|
||||
"caption": "3DS yama yaratıcısı",
|
||||
"picture": "https://cdn.discordapp.com/avatars/219324395707957248/c62573fbd4d26c8b4724f54413df6960.png?size=128",
|
||||
"github": "https://github.com/zaksabeast"
|
||||
},
|
||||
{
|
||||
"caption": "Sunucu mimarisi",
|
||||
"name": "mrjvs",
|
||||
"picture": "https://github.com/mrjvs.png",
|
||||
"github": "https://github.com/mrjvs"
|
||||
},
|
||||
{
|
||||
"name": "binaryoverload",
|
||||
"picture": "https://github.com/binaryoverload.png",
|
||||
"github": "https://github.com/binaryoverload",
|
||||
"caption": "Sunucu mimarisi"
|
||||
},
|
||||
{
|
||||
"caption": "Splatoon rotasyonları ve araştırması",
|
||||
"name": "Simonx22",
|
||||
"picture": "https://github.com/Simonx22.png",
|
||||
"github": "https://github.com/Simonx22"
|
||||
},
|
||||
{
|
||||
"github": "https://github.com/OatmealDome",
|
||||
"caption": "Splatoon rotasyonları ve araştırması",
|
||||
"name": "OatmealDome",
|
||||
"picture": "https://github.com/OatmealDome.png"
|
||||
},
|
||||
{
|
||||
"name": "GitHub katılımcıları",
|
||||
"caption": "Yerelleştirme ve diğer katkılar",
|
||||
"github": "https://github.com/PretendoNetwork",
|
||||
"picture": "https://github.githubassets.com/images/modules/logos_page/GitHub-Mark.png"
|
||||
}
|
||||
]
|
||||
},
|
||||
"donation": {
|
||||
"upgradePush": "Abone olmak ve harika avantajlara erişmek için <a href=\"/account/upgrade\">yükseltme sayfasını</a> ziyaret edin.",
|
||||
|
|
@ -254,7 +426,7 @@
|
|||
"blogPage": {
|
||||
"published": "Tarafından yayınlandı",
|
||||
"title": "Blog",
|
||||
"description": "",
|
||||
"description": "Yoğunlaştırılmış parçalar halinde en son güncellemeler. Güncellemeleri daha sık görmek istiyorsanız <a href=\"/account/upgrade\" target=\"_blank\">supporting us</a>.",
|
||||
"publishedOn": "şu tarihte"
|
||||
},
|
||||
"upgrade": {
|
||||
|
|
@ -263,7 +435,7 @@
|
|||
"month": "ay",
|
||||
"description": "Aylık hedefe ulaşmak, Pretendo'yu tam zamanlı bir iş haline getirecek ve daha hızlı bir oranda daha kaliteli güncellemeler sağlayacaktır.",
|
||||
"title": "Yükselt",
|
||||
"unsubPrompt": "<span>tiername</span> aboneliğinden çıkmak istediğinizden emin misiniz? Bu seviye ile ilişkili ayrıcalıklara erişiminizi kaybedeceksiniz.",
|
||||
"unsubPrompt": "<span>tiername</span> Aboneliğinizi iptal etmek istediğinizden emin misiniz? Bu katmandaki avantajları <span>immediately</span> erişiminizi kaybedeceksiniz.",
|
||||
"unsub": "Abonelikten çık",
|
||||
"unsubConfirm": "Abonelikten çık",
|
||||
"changeTier": "Seviye değiştir",
|
||||
|
|
@ -278,5 +450,8 @@
|
|||
"close": "Kapat",
|
||||
"confirm": "Onayla",
|
||||
"cancel": "İptal"
|
||||
},
|
||||
"notfound": {
|
||||
"description": "Woops! Bu sayfayı bulamadık."
|
||||
}
|
||||
}
|
||||
|
|
|
|||
Some files were not shown because too many files have changed in this diff Show More
Loading…
Reference in New Issue
Block a user